code
stringlengths
3
1.18M
language
stringclasses
1 value
package com.soladhoc.annonces.shared.proxy; import java.util.Date; import com.google.web.bindery.requestfactory.shared.ProxyFor; import com.google.web.bindery.requestfactory.shared.ValueProxy; import com.googlecode.objectify.Key; import com.soladhoc.annonces.server.domain.Annonce; @ProxyFor(Annonce.class) public interface AnnonceProxy extends ValueProxy { String getText(); void setText(String text); String getTitle(); void setTitle(String title); Date getCreationDate(); void setCreationDate(Date date); boolean getPublished(); Key<AnnonceProxy> getKey(); }
Java
package com.soladhoc.annonces.shared.proxy; import com.google.gwt.view.client.ProvidesKey; public class AnnonceKeyProvider implements ProvidesKey<AnnonceProxy> { @Override public Object getKey(AnnonceProxy item) { return item == null ? null : item.getKey(); } }
Java
package com.soladhoc.annonces.server.service; import java.util.List; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import com.google.appengine.api.datastore.PreparedQuery.TooManyResultsException; import com.google.appengine.api.users.UserService; import com.google.appengine.api.users.UserServiceFactory; import com.google.web.bindery.requestfactory.server.RequestFactoryServlet; import com.googlecode.objectify.Key; import com.soladhoc.annonces.server.domain.AppUser; /** * Server-side class that provides all login-related * operations. Called only from server code. * * @author turbomanage */ public class LoginService { public static final String AUTH_USER = "loggedInUser"; public static AppUser login(HttpServletRequest req, HttpServletResponse res) { UserService userService = UserServiceFactory.getUserService(); // User is logged into GAE // Find or add user in our app Datastore String userEmail = userService.getCurrentUser().getEmail(); AppUser loggedInUser = findUser(userEmail); if (loggedInUser == null) { // Auto-add user loggedInUser = addUser(userEmail); } req.setAttribute(AUTH_USER, loggedInUser); return loggedInUser; } public static AppUser getLoggedInUser() { return (AppUser) RequestFactoryServlet.getThreadLocalRequest() .getAttribute(AUTH_USER); } private static AppUser findUser(String userEmail) { List<AppUser> appUser = null; try { AppUserDao userDao = new AppUserDao(); // Query for user by email appUser = userDao.listByProperty("email", userEmail); } catch (TooManyResultsException e) { throw new RuntimeException(e); } return appUser.get(0); } private static AppUser addUser(String email) { AppUserDao userDao = new AppUserDao(); AppUser newUser = new AppUser(email); Key<AppUser> newUserKey = userDao.put(newUser); return newUser; } }
Java
package com.soladhoc.annonces.server.service; import java.util.List; import com.google.appengine.api.datastore.EntityNotFoundException; import com.soladhoc.annonces.server.domain.Annonce; public class AnnonceDao extends ObjectifyDao<Annonce> { public Annonce save(Annonce annonce){ this.put(annonce); return annonce; } public Annonce fetch(Long id) throws EntityNotFoundException{ return this.get(id); } public List<Annonce> fetchRange(int start, int length){ return this.listAll(start, length); } }
Java
package com.soladhoc.annonces.server.service; import java.lang.reflect.Field; import java.lang.reflect.Modifier; import java.lang.reflect.ParameterizedType; import java.util.Collection; import java.util.List; import java.util.Map; import javax.persistence.Embedded; import javax.persistence.Transient; import com.google.appengine.api.datastore.EntityNotFoundException; import com.googlecode.objectify.Key; import com.googlecode.objectify.ObjectifyService; import com.googlecode.objectify.Query; import com.googlecode.objectify.util.DAOBase; import com.soladhoc.annonces.server.domain.Annonce; /** * Generic DAO for use with Objectify * * @author turbomanage * * @param <T> */ public class ObjectifyDao<T> extends DAOBase { static final int BAD_MODIFIERS = Modifier.FINAL | Modifier.STATIC | Modifier.TRANSIENT; static { ObjectifyService.register(Annonce.class); } protected Class<T> clazz; @SuppressWarnings("unchecked") public ObjectifyDao() { clazz = (Class<T>) ((ParameterizedType) getClass() .getGenericSuperclass()).getActualTypeArguments()[0]; } public Key<T> put(T entity) { return ofy().put(entity); } public Map<Key<T>, T> putAll(Iterable<T> entities) { return ofy().put(entities); } public void delete(T entity) { ofy().delete(entity); } public void deleteKey(Key<T> entityKey) { ofy().delete(entityKey); } public void deleteAll(Iterable<T> entities) { ofy().delete(entities); } public void deleteKeys(Iterable<Key<T>> keys) { ofy().delete(keys); } public T get(Long id) throws EntityNotFoundException { return ofy().get(this.clazz, id); } public T get(Key<T> key) throws EntityNotFoundException { return ofy().get(key); } public Map<Key<T>, T> get(Iterable<Key<T>> keys) { return ofy().get(keys); } public List<T> listAll(int start, int length) { Query<T> q = ofy().query(clazz).offset(start).limit(length); return q.list(); } public int countAll() { return ofy().query(clazz).count(); } public List<T> listByProperty(String propName, Object propValue) { Query<T> q = ofy().query(clazz); q.filter(propName, propValue); return q.list(); } public List<Key<T>> listKeysByProperty(String propName, Object propValue) { Query<T> q = ofy().query(clazz); q.filter(propName, propValue); return q.listKeys(); } public List<T> listByExample(T exampleObj) { Query<T> queryByExample = buildQueryByExample(exampleObj); return queryByExample.list(); } public Key<T> getKey(Long id) { return new Key<T>(this.clazz, id); } public Key<T> key(T obj) { return ObjectifyService.factory().getKey(obj); } public List<T> listChildren(Object parent) { return ofy().query(clazz).ancestor(parent).list(); } public List<Key<T>> listChildKeys(Object parent) { return ofy().query(clazz).ancestor(parent).listKeys(); } protected Query<T> buildQueryByExample(T exampleObj) { Query<T> q = ofy().query(clazz); // Add all non-null properties to query filter for (Field field : clazz.getDeclaredFields()) { // Ignore transient, embedded, array, and collection properties if (field.isAnnotationPresent(Transient.class) || (field.isAnnotationPresent(Embedded.class)) || (field.getType().isArray()) || (field.getType().isArray()) || (Collection.class.isAssignableFrom(field.getType())) || ((field.getModifiers() & BAD_MODIFIERS) != 0)) continue; field.setAccessible(true); Object value; try { value = field.get(exampleObj); } catch (IllegalArgumentException e) { throw new RuntimeException(e); } catch (IllegalAccessException e) { throw new RuntimeException(e); } if (value != null) { q.filter(field.getName(), value); } } return q; } }
Java
package com.soladhoc.annonces.server.service; import com.soladhoc.annonces.server.domain.AppUser; public class AppUserDao extends ObjectifyDao<AppUser> { // Inherit all methods from generic Dao }
Java
package com.soladhoc.annonces.server; import com.google.inject.Inject; import com.gwtplatform.dispatch.server.ExecutionContext; import com.gwtplatform.dispatch.server.actionhandler.ActionHandler; import com.gwtplatform.dispatch.shared.ActionException; import com.soladhoc.annonces.server.service.AnnonceDao; import com.soladhoc.annonces.shared.service.AnnonceRequestFactory.AnnonceService; public class SaveAnnonceActionActionHandler implements ActionHandler<SaveAnnonceAction, SaveAnnonceActionResult> { private final AnnonceService service; @Inject public SaveAnnonceActionActionHandler(AnnonceService service) { this.service = service; } @Override public SaveAnnonceActionResult execute(SaveAnnonceAction action, ExecutionContext context) throws ActionException { new AnnonceDao().put(action.getAnnonce()); return new SaveAnnonceActionResult(action.getAnnonce()); } @Override public void undo(SaveAnnonceAction action, SaveAnnonceActionResult result, ExecutionContext context) throws ActionException { new AnnonceDao().delete(action.getAnnonce()); } @Override public Class<SaveAnnonceAction> getActionType() { return SaveAnnonceAction.class; } }
Java
package com.soladhoc.annonces.server.locator; import com.google.web.bindery.requestfactory.shared.Locator; import com.googlecode.objectify.util.DAOBase; import com.soladhoc.annonces.server.domain.DatastoreObject; /** * Generic @Locator for objects that extend DatastoreObject */ public class ObjectifyLocator extends Locator<DatastoreObject, Long> { @Override public DatastoreObject create(Class<? extends DatastoreObject> clazz) { try { return clazz.newInstance(); } catch (InstantiationException e) { throw new RuntimeException(e); } catch (IllegalAccessException e) { throw new RuntimeException(e); } } @Override public DatastoreObject find(Class<? extends DatastoreObject> clazz, Long id) { DAOBase daoBase = new DAOBase(); return daoBase.ofy().find(clazz, id); } @Override public Class<DatastoreObject> getDomainType() { // Never called return null; } @Override public Long getId(DatastoreObject domainObject) { return domainObject.getId(); } @Override public Class<Long> getIdType() { return Long.class; } @Override public Object getVersion(DatastoreObject domainObject) { return domainObject.getVersion(); } }
Java
package com.soladhoc.annonces.server.locator; import com.google.web.bindery.requestfactory.shared.ServiceLocator; /** * Generic locator service that can be referenced in the @Service annotation * for any RequestFactory service stub */ public class DaoServiceLocator implements ServiceLocator { @Override public Object getInstance(Class<?> clazz) { try { return clazz.newInstance(); } catch (InstantiationException e) { throw new RuntimeException(e); } catch (IllegalAccessException e) { throw new RuntimeException(e); } } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.soladhoc.annonces.server.servlet; import java.io.IOException; import javax.servlet.Filter; import javax.servlet.FilterChain; import javax.servlet.FilterConfig; import javax.servlet.ServletException; import javax.servlet.ServletRequest; import javax.servlet.ServletResponse; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import com.google.appengine.api.users.UserService; import com.google.appengine.api.users.UserServiceFactory; import com.google.inject.Singleton; import com.soladhoc.annonces.server.service.LoginService; /** * A servlet filter that handles basic GAE user authentication. * Based on http://code.google.com/p/google-web-toolkit/source/browse/trunk/samples/expenses/src/main/java/com/google/gwt/sample/gaerequest/server/GaeAuthFilter.java */ @Singleton public class AuthFilter implements Filter { public void destroy() { } public void doFilter(ServletRequest servletRequest, ServletResponse servletResponse, FilterChain filterChain) throws IOException, ServletException { UserService userService = UserServiceFactory.getUserService(); HttpServletRequest request = (HttpServletRequest) servletRequest; HttpServletResponse response = (HttpServletResponse) servletResponse; if (!userService.isUserLoggedIn()) { // User is not logged in to App Engine so redirect to login page response.setHeader("login", userService.createLoginURL(request.getRequestURI())); response.sendError(HttpServletResponse.SC_UNAUTHORIZED); return; } LoginService.login(request, response); filterChain.doFilter(request, response); } public void init(FilterConfig config) { } }
Java
package com.soladhoc.annonces.server.guice; import com.gwtplatform.dispatch.server.guice.HandlerModule; import com.soladhoc.annonces.server.SaveAnnonceAction; import com.soladhoc.annonces.server.SaveAnnonceActionActionHandler; public class ServerModule extends HandlerModule { @Override protected void configureHandlers() { bindHandler(SaveAnnonceAction.class, SaveAnnonceActionActionHandler.class); } }
Java
package com.soladhoc.annonces.server.guice; import com.google.inject.servlet.GuiceServletContextListener; import com.google.inject.Injector; import com.google.inject.Guice; import com.soladhoc.annonces.server.guice.ServerModule; import com.soladhoc.annonces.server.guice.DispatchServletModule; public class GuiceServletConfig extends GuiceServletContextListener { @Override protected Injector getInjector() { return Guice .createInjector(new ServerModule(), new DispatchServletModule()); } }
Java
package com.soladhoc.annonces.server.guice; import javax.inject.Singleton; import com.google.inject.servlet.ServletModule; import com.google.web.bindery.requestfactory.server.RequestFactoryServlet; import com.gwtplatform.dispatch.shared.ActionImpl; import com.gwtplatform.dispatch.server.guice.DispatchServiceImpl; import com.soladhoc.annonces.server.servlet.AuthFilter; public class DispatchServletModule extends ServletModule { @Override public void configureServlets() { // RequestFactory servlet bind(RequestFactoryServlet.class).in(Singleton.class); serve("/gwtRequest").with(RequestFactoryServlet.class); // GWT platform commands servlet serve("/" + ActionImpl.DEFAULT_SERVICE_NAME).with( DispatchServiceImpl.class); filter("/authFilter").through(AuthFilter.class); } }
Java
package com.soladhoc.annonces.server; import com.gwtplatform.dispatch.shared.Result; import com.soladhoc.annonces.server.domain.Annonce; public class SaveAnnonceActionResult implements Result { private static final long serialVersionUID = 9216036407667501169L; private Annonce annonce; @SuppressWarnings("unused") private SaveAnnonceActionResult() { // For serialization only } public SaveAnnonceActionResult(Annonce annonce) { this.annonce = annonce; } public Annonce getAnnonce() { return annonce; } }
Java
package com.soladhoc.annonces.server.domain; import java.util.Date; import com.google.appengine.api.datastore.EntityNotFoundException; import com.googlecode.objectify.Key; import com.googlecode.objectify.annotation.Entity; import com.soladhoc.annonces.server.service.AppUserDao; @Entity public class Annonce extends DatastoreObject { private Key<AppUser> owner; private String title; private Date creationDate = new Date(); private String text; private String description; private Boolean published; public Boolean getPublished() { return published; } public void setPublished(Boolean published) { this.published = published; } public void setOwner(Key<AppUser> owner) { this.owner = owner; } public void setCreationDate(Date creationDate) { this.creationDate = creationDate; } public String getDescription() { return description; } public void setDescription(String description) { this.description = description; } public Annonce() { } public void setText(String text) { this.text = text; } public String getText() { return text; } public Date getCreationDate() { return creationDate; } public void setTitle(String title) { this.title = title; } public String getTitle() { return title; } public AppUser getOwner() { try { return new AppUserDao().get(owner); } catch (EntityNotFoundException e) { throw new RuntimeException(e); } } public void setOwner(AppUser owner) { this.owner = new AppUserDao().key(owner); } }
Java
package com.soladhoc.annonces.server.domain; import javax.persistence.Entity; /** * An application user, named with a prefix to avoid confusion with GAE User type */ @Entity public class AppUser extends DatastoreObject { private String email; public AppUser() { // No-arg constructor required by Objectify } public AppUser(String userEmail) { this.email = userEmail; } public String getEmail() { return email; } public void setEmail(String email) { this.email = email; } }
Java
package com.soladhoc.annonces.server.domain; import javax.persistence.Id; import javax.persistence.PrePersist; public class DatastoreObject { @Id private Long id = null; private Integer version = 0; /** * Auto-increment version # whenever persisted */ @PrePersist void onPersist() { this.version++; } public Long getId() { return id; } public void setId(Long id) { this.id = id; } public Integer getVersion() { return version; } public void setVersion(Integer version) { this.version = version; } }
Java
package com.soladhoc.annonces.server; import com.gwtplatform.dispatch.shared.ActionImpl; import com.soladhoc.annonces.server.SaveAnnonceActionResult; import com.soladhoc.annonces.server.domain.Annonce; public class SaveAnnonceAction extends ActionImpl<SaveAnnonceActionResult> { private static final long serialVersionUID = -8591097445939141704L; private Annonce annonce; @SuppressWarnings("unused") private SaveAnnonceAction() { // For serialization only } public SaveAnnonceAction(Annonce annonce) { this.annonce = annonce; } public Annonce getAnnonce() { return annonce; } }
Java
/* * YUI Compressor * http://developer.yahoo.com/yui/compressor/ * Author: Julien Lecomte - http://www.julienlecomte.net/ * Author: Isaac Schlueter - http://foohack.com/ * Author: Stoyan Stefanov - http://phpied.com/ * Copyright (c) 2011 Yahoo! Inc. All rights reserved. * The copyrights embodied in the content of this file are licensed * by Yahoo! Inc. under the BSD (revised) open source license. */ package com.yahoo.platform.yui.compressor; import java.io.IOException; import java.io.Reader; import java.io.Writer; import java.util.regex.Pattern; import java.util.regex.Matcher; import java.util.ArrayList; public class CssCompressor { private StringBuffer srcsb = new StringBuffer(); public CssCompressor(Reader in) throws IOException { // Read the stream... int c; while ((c = in.read()) != -1) { srcsb.append((char) c); } } // Leave data urls alone to increase parse performance. protected String extractDataUrls(String css, ArrayList preservedTokens) { int maxIndex = css.length() - 1; int appendIndex = 0; StringBuffer sb = new StringBuffer(); Pattern p = Pattern.compile("url\\(\\s*([\"']?)data\\:"); Matcher m = p.matcher(css); /* * Since we need to account for non-base64 data urls, we need to handle * ' and ) being part of the data string. Hence switching to indexOf, * to determine whether or not we have matching string terminators and * handling sb appends directly, instead of using matcher.append* methods. */ while (m.find()) { int startIndex = m.start() + 4; // "url(".length() String terminator = m.group(1); // ', " or empty (not quoted) if (terminator.length() == 0) { terminator = ")"; } boolean foundTerminator = false; int endIndex = m.end() - 1; while(foundTerminator == false && endIndex+1 <= maxIndex) { endIndex = css.indexOf(terminator, endIndex+1); if ((endIndex > 0) && (css.charAt(endIndex-1) != '\\')) { foundTerminator = true; if (!")".equals(terminator)) { endIndex = css.indexOf(")", endIndex); } } } // Enough searching, start moving stuff over to the buffer sb.append(css.substring(appendIndex, m.start())); if (foundTerminator) { String token = css.substring(startIndex, endIndex); token = token.replaceAll("\\s+", ""); preservedTokens.add(token); String preserver = "url(___YUICSSMIN_PRESERVED_TOKEN_" + (preservedTokens.size() - 1) + "___)"; sb.append(preserver); appendIndex = endIndex + 1; } else { // No end terminator found, re-add the whole match. Should we throw/warn here? sb.append(css.substring(m.start(), m.end())); appendIndex = m.end(); } } sb.append(css.substring(appendIndex)); return sb.toString(); } public void compress(Writer out, int linebreakpos) throws IOException { Pattern p; Matcher m; String css = srcsb.toString(); int startIndex = 0; int endIndex = 0; int i = 0; int max = 0; ArrayList preservedTokens = new ArrayList(0); ArrayList comments = new ArrayList(0); String token; int totallen = css.length(); String placeholder; css = this.extractDataUrls(css, preservedTokens); StringBuffer sb = new StringBuffer(css); // collect all comment blocks... while ((startIndex = sb.indexOf("/*", startIndex)) >= 0) { endIndex = sb.indexOf("*/", startIndex + 2); if (endIndex < 0) { endIndex = totallen; } token = sb.substring(startIndex + 2, endIndex); comments.add(token); sb.replace(startIndex + 2, endIndex, "___YUICSSMIN_PRESERVE_CANDIDATE_COMMENT_" + (comments.size() - 1) + "___"); startIndex += 2; } css = sb.toString(); // preserve strings so their content doesn't get accidentally minified sb = new StringBuffer(); p = Pattern.compile("(\"([^\\\\\"]|\\\\.|\\\\)*\")|(\'([^\\\\\']|\\\\.|\\\\)*\')"); m = p.matcher(css); while (m.find()) { token = m.group(); char quote = token.charAt(0); token = token.substring(1, token.length() - 1); // maybe the string contains a comment-like substring? // one, maybe more? put'em back then if (token.indexOf("___YUICSSMIN_PRESERVE_CANDIDATE_COMMENT_") >= 0) { for (i = 0, max = comments.size(); i < max; i += 1) { token = token.replace("___YUICSSMIN_PRESERVE_CANDIDATE_COMMENT_" + i + "___", comments.get(i).toString()); } } // minify alpha opacity in filter strings token = token.replaceAll("(?i)progid:DXImageTransform.Microsoft.Alpha\\(Opacity=", "alpha(opacity="); preservedTokens.add(token); String preserver = quote + "___YUICSSMIN_PRESERVED_TOKEN_" + (preservedTokens.size() - 1) + "___" + quote; m.appendReplacement(sb, preserver); } m.appendTail(sb); css = sb.toString(); // strings are safe, now wrestle the comments for (i = 0, max = comments.size(); i < max; i += 1) { token = comments.get(i).toString(); placeholder = "___YUICSSMIN_PRESERVE_CANDIDATE_COMMENT_" + i + "___"; // ! in the first position of the comment means preserve // so push to the preserved tokens while stripping the ! if (token.startsWith("!")) { preservedTokens.add(token); css = css.replace(placeholder, "___YUICSSMIN_PRESERVED_TOKEN_" + (preservedTokens.size() - 1) + "___"); continue; } // \ in the last position looks like hack for Mac/IE5 // shorten that to /*\*/ and the next one to /**/ if (token.endsWith("\\")) { preservedTokens.add("\\"); css = css.replace(placeholder, "___YUICSSMIN_PRESERVED_TOKEN_" + (preservedTokens.size() - 1) + "___"); i = i + 1; // attn: advancing the loop preservedTokens.add(""); css = css.replace("___YUICSSMIN_PRESERVE_CANDIDATE_COMMENT_" + i + "___", "___YUICSSMIN_PRESERVED_TOKEN_" + (preservedTokens.size() - 1) + "___"); continue; } // keep empty comments after child selectors (IE7 hack) // e.g. html >/**/ body if (token.length() == 0) { startIndex = css.indexOf(placeholder); if (startIndex > 2) { if (css.charAt(startIndex - 3) == '>') { preservedTokens.add(""); css = css.replace(placeholder, "___YUICSSMIN_PRESERVED_TOKEN_" + (preservedTokens.size() - 1) + "___"); } } } // in all other cases kill the comment css = css.replace("/*" + placeholder + "*/", ""); } // Normalize all whitespace strings to single spaces. Easier to work with that way. css = css.replaceAll("\\s+", " "); // Remove the spaces before the things that should not have spaces before them. // But, be careful not to turn "p :link {...}" into "p:link{...}" // Swap out any pseudo-class colons with the token, and then swap back. sb = new StringBuffer(); p = Pattern.compile("(^|\\})(([^\\{:])+:)+([^\\{]*\\{)"); m = p.matcher(css); while (m.find()) { String s = m.group(); s = s.replaceAll(":", "___YUICSSMIN_PSEUDOCLASSCOLON___"); s = s.replaceAll( "\\\\", "\\\\\\\\" ).replaceAll( "\\$", "\\\\\\$" ); m.appendReplacement(sb, s); } m.appendTail(sb); css = sb.toString(); // Remove spaces before the things that should not have spaces before them. css = css.replaceAll("\\s+([!{};:>+\\(\\)\\],])", "$1"); // bring back the colon css = css.replaceAll("___YUICSSMIN_PSEUDOCLASSCOLON___", ":"); // retain space for special IE6 cases css = css.replaceAll(":first\\-(line|letter)(\\{|,)", ":first-$1 $2"); // no space after the end of a preserved comment css = css.replaceAll("\\*/ ", "*/"); // If there is a @charset, then only allow one, and push to the top of the file. css = css.replaceAll("^(.*)(@charset \"[^\"]*\";)", "$2$1"); css = css.replaceAll("^(\\s*@charset [^;]+;\\s*)+", "$1"); // Put the space back in some cases, to support stuff like // @media screen and (-webkit-min-device-pixel-ratio:0){ css = css.replaceAll("\\band\\(", "and ("); // Remove the spaces after the things that should not have spaces after them. css = css.replaceAll("([!{}:;>+\\(\\[,])\\s+", "$1"); // remove unnecessary semicolons css = css.replaceAll(";+}", "}"); // Replace 0(px,em,%) with 0. css = css.replaceAll("([\\s:])(0)(px|em|%|in|cm|mm|pc|pt|ex)", "$1$2"); // Replace 0 0 0 0; with 0. css = css.replaceAll(":0 0 0 0(;|})", ":0$1"); css = css.replaceAll(":0 0 0(;|})", ":0$1"); css = css.replaceAll(":0 0(;|})", ":0$1"); // Replace background-position:0; with background-position:0 0; // same for transform-origin sb = new StringBuffer(); p = Pattern.compile("(?i)(background-position|transform-origin|webkit-transform-origin|moz-transform-origin|o-transform-origin|ms-transform-origin):0(;|})"); m = p.matcher(css); while (m.find()) { m.appendReplacement(sb, m.group(1).toLowerCase() + ":0 0" + m.group(2)); } m.appendTail(sb); css = sb.toString(); // Replace 0.6 to .6, but only when preceded by : or a white-space css = css.replaceAll("(:|\\s)0+\\.(\\d+)", "$1.$2"); // Shorten colors from rgb(51,102,153) to #336699 // This makes it more likely that it'll get further compressed in the next step. p = Pattern.compile("rgb\\s*\\(\\s*([0-9,\\s]+)\\s*\\)"); m = p.matcher(css); sb = new StringBuffer(); while (m.find()) { String[] rgbcolors = m.group(1).split(","); StringBuffer hexcolor = new StringBuffer("#"); for (i = 0; i < rgbcolors.length; i++) { int val = Integer.parseInt(rgbcolors[i]); if (val < 16) { hexcolor.append("0"); } hexcolor.append(Integer.toHexString(val)); } m.appendReplacement(sb, hexcolor.toString()); } m.appendTail(sb); css = sb.toString(); // Shorten colors from #AABBCC to #ABC. Note that we want to make sure // the color is not preceded by either ", " or =. Indeed, the property // filter: chroma(color="#FFFFFF"); // would become // filter: chroma(color="#FFF"); // which makes the filter break in IE. // We also want to make sure we're only compressing #AABBCC patterns inside { }, not id selectors ( #FAABAC {} ) // We also want to avoid compressing invalid values (e.g. #AABBCCD to #ABCD) p = Pattern.compile("(\\=\\s*?[\"']?)?" + "#([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])" + "(:?\\}|[^0-9a-fA-F{][^{]*?\\})"); m = p.matcher(css); sb = new StringBuffer(); int index = 0; while (m.find(index)) { sb.append(css.substring(index, m.start())); boolean isFilter = (m.group(1) != null && !"".equals(m.group(1))); if (isFilter) { // Restore, as is. Compression will break filters sb.append(m.group(1) + "#" + m.group(2) + m.group(3) + m.group(4) + m.group(5) + m.group(6) + m.group(7)); } else { if( m.group(2).equalsIgnoreCase(m.group(3)) && m.group(4).equalsIgnoreCase(m.group(5)) && m.group(6).equalsIgnoreCase(m.group(7))) { // #AABBCC pattern sb.append("#" + (m.group(3) + m.group(5) + m.group(7)).toLowerCase()); } else { // Non-compressible color, restore, but lower case. sb.append("#" + (m.group(2) + m.group(3) + m.group(4) + m.group(5) + m.group(6) + m.group(7)).toLowerCase()); } } index = m.end(7); } sb.append(css.substring(index)); css = sb.toString(); // border: none -> border:0 sb = new StringBuffer(); p = Pattern.compile("(?i)(border|border-top|border-right|border-bottom|border-right|outline|background):none(;|})"); m = p.matcher(css); while (m.find()) { m.appendReplacement(sb, m.group(1).toLowerCase() + ":0" + m.group(2)); } m.appendTail(sb); css = sb.toString(); // shorter opacity IE filter css = css.replaceAll("(?i)progid:DXImageTransform.Microsoft.Alpha\\(Opacity=", "alpha(opacity="); // Remove empty rules. css = css.replaceAll("[^\\}\\{/;]+\\{\\}", ""); // TODO: Should this be after we re-insert tokens. These could alter the break points. However then // we'd need to make sure we don't break in the middle of a string etc. if (linebreakpos >= 0) { // Some source control tools don't like it when files containing lines longer // than, say 8000 characters, are checked in. The linebreak option is used in // that case to split long lines after a specific column. i = 0; int linestartpos = 0; sb = new StringBuffer(css); while (i < sb.length()) { char c = sb.charAt(i++); if (c == '}' && i - linestartpos > linebreakpos) { sb.insert(i, '\n'); linestartpos = i; } } css = sb.toString(); } // Replace multiple semi-colons in a row by a single one // See SF bug #1980989 css = css.replaceAll(";;+", ";"); // restore preserved comments and strings for(i = 0, max = preservedTokens.size(); i < max; i++) { css = css.replace("___YUICSSMIN_PRESERVED_TOKEN_" + i + "___", preservedTokens.get(i).toString()); } // Trim the final string (for any leading or trailing white spaces) css = css.trim(); // Write the output... out.write(css); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io; import com.google.android.apps.iosched.io.model.Room; import com.google.android.apps.iosched.io.model.Rooms; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.util.Lists; import com.google.gson.Gson; import android.content.ContentProviderOperation; import android.content.Context; import java.io.IOException; import java.util.ArrayList; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class RoomsHandler extends JSONHandler { private static final String TAG = makeLogTag(RoomsHandler.class); public RoomsHandler(Context context) { super(context); } public ArrayList<ContentProviderOperation> parse(String json) throws IOException { final ArrayList<ContentProviderOperation> batch = Lists.newArrayList(); Rooms roomsJson = new Gson().fromJson(json, Rooms.class); int noOfRooms = roomsJson.rooms.length; for (int i = 0; i < noOfRooms; i++) { parseRoom(roomsJson.rooms[i], batch); } return batch; } private static void parseRoom(Room room, ArrayList<ContentProviderOperation> batch) { ContentProviderOperation.Builder builder = ContentProviderOperation .newInsert(ScheduleContract.addCallerIsSyncAdapterParameter( ScheduleContract.Rooms.CONTENT_URI)); builder.withValue(ScheduleContract.Rooms.ROOM_ID, room.id); builder.withValue(ScheduleContract.Rooms.ROOM_NAME, room.name); builder.withValue(ScheduleContract.Rooms.ROOM_FLOOR, room.floor); batch.add(builder.build()); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.model; public class SearchSuggestions { public String[] words; }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.model; public class Tracks { Track[] track; public Track[] getTrack() { return track; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.model; public class TimeSlot { public String start; public String end; public String title; public String type; public String meta; }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.model; public class EventSlots { public Day[] day; }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.model; public class Room { public String id; public String name; public String floor; }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.model; import com.google.gson.annotations.SerializedName; public class Track { public String id; public String name; public String color; @SerializedName("abstract") public String _abstract; public int level; public int order_in_level; public int meta; }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.model; public class Day { public String date; public TimeSlot[] slot; }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.model; public class Rooms { public Room[] rooms; }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.map.model; import java.util.Map; public class MapResponse { public MapConfig config; public Map<String, Marker[]> markers; public Map<String, Tile> tiles; }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.map.model; public class Tile { public String filename; public String url; }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.map.model; public class MapConfig { public boolean enableMyLocation; }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io.map.model; public class Marker { public String id; public String type; public float lat; public float lng; public String title; public String track; }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io; import com.google.android.apps.iosched.io.model.SearchSuggestions; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.util.Lists; import com.google.gson.Gson; import android.app.SearchManager; import android.content.ContentProviderOperation; import android.content.Context; import java.io.IOException; import java.util.ArrayList; public class SearchSuggestHandler extends JSONHandler { public SearchSuggestHandler(Context context) { super(context); } public ArrayList<ContentProviderOperation> parse(String json) throws IOException { final ArrayList<ContentProviderOperation> batch = Lists.newArrayList(); SearchSuggestions suggestions = new Gson().fromJson(json, SearchSuggestions.class); if (suggestions.words != null) { // Clear out suggestions batch.add(ContentProviderOperation .newDelete(ScheduleContract.addCallerIsSyncAdapterParameter( ScheduleContract.SearchSuggest.CONTENT_URI)) .build()); // Rebuild suggestions for (String word : suggestions.words) { batch.add(ContentProviderOperation .newInsert(ScheduleContract.addCallerIsSyncAdapterParameter( ScheduleContract.SearchSuggest.CONTENT_URI)) .withValue(SearchManager.SUGGEST_COLUMN_TEXT_1, word) .build()); } } return batch; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io; import java.io.IOException; /** * General {@link IOException} that indicates a problem occurred while parsing or applying a {@link * JSONHandler}. */ public class HandlerException extends IOException { public HandlerException() { super(); } public HandlerException(String message) { super(message); } public HandlerException(String message, Throwable cause) { super(message); initCause(cause); } @Override public String toString() { if (getCause() != null) { return getLocalizedMessage() + ": " + getCause(); } else { return getLocalizedMessage(); } } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io; import android.content.ContentProviderOperation; import android.content.ContentResolver; import android.content.Context; import android.database.Cursor; import android.net.Uri; import android.text.TextUtils; import com.google.android.apps.iosched.Config; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.provider.ScheduleContract.Sessions; import com.google.android.apps.iosched.provider.ScheduleContract.SyncColumns; import com.google.android.apps.iosched.provider.ScheduleDatabase; import com.google.android.apps.iosched.util.*; import com.google.api.client.googleapis.json.GoogleJsonResponseException; import com.google.api.client.json.JsonFactory; import com.google.api.client.json.gson.GsonFactory; import com.google.api.services.googledevelopers.Googledevelopers; import com.google.api.services.googledevelopers.model.SessionResponse; import com.google.api.services.googledevelopers.model.SessionsResponse; import com.google.api.services.googledevelopers.model.TrackResponse; import com.google.api.services.googledevelopers.model.TracksResponse; import java.io.IOException; import java.util.*; import static com.google.android.apps.iosched.provider.ScheduleDatabase.SessionsSpeakers; import static com.google.android.apps.iosched.util.LogUtils.*; import static com.google.android.apps.iosched.util.ParserUtils.sanitizeId; public class SessionsHandler { private static final String TAG = makeLogTag(SessionsHandler.class); private static final String BASE_SESSION_URL = "https://developers.google.com/events/io/sessions/"; private static final String EVENT_TYPE_KEYNOTE = Sessions.SESSION_TYPE_KEYNOTE; private static final String EVENT_TYPE_OFFICE_HOURS = Sessions.SESSION_TYPE_OFFICE_HOURS; private static final String EVENT_TYPE_CODELAB = Sessions.SESSION_TYPE_CODELAB; private static final String EVENT_TYPE_SANDBOX = Sessions.SESSION_TYPE_SANDBOX; private static final int PARSE_FLAG_FORCE_SCHEDULE_REMOVE = 1; private static final int PARSE_FLAG_FORCE_SCHEDULE_ADD = 2; private Context mContext; public SessionsHandler(Context context) { mContext = context; } public ArrayList<ContentProviderOperation> fetchAndParse( Googledevelopers conferenceAPI) throws IOException { // Set up the HTTP transport and JSON factory SessionsResponse sessions; SessionsResponse starredSessions = null; TracksResponse tracks; try { sessions = conferenceAPI.events().sessions().list(Config.EVENT_ID).setLimit(9999L).execute(); tracks = conferenceAPI.events().tracks().list(Config.EVENT_ID).execute(); if (sessions == null || sessions.getSessions() == null) { throw new HandlerException("Sessions list was null."); } if (tracks == null || tracks.getTracks() == null) { throw new HandlerException("trackDetails list was null."); } } catch (HandlerException e) { LOGE(TAG, "Fatal: error fetching sessions/tracks", e); return Lists.newArrayList(); } final boolean profileAvailableBefore = PrefUtils.isDevsiteProfileAvailable(mContext); boolean profileAvailableNow = false; try { starredSessions = conferenceAPI.users().events().sessions().list(Config.EVENT_ID).execute(); // If this succeeded, the user has a DevSite profile PrefUtils.markDevSiteProfileAvailable(mContext, true); profileAvailableNow = true; } catch (GoogleJsonResponseException e) { // Hack: If the user doesn't have a developers.google.com profile, the Conference API // will respond with HTTP 401 and include something like // "Provided user does not have a developers.google.com profile" in the message. if (401 == e.getStatusCode() && e.getDetails() != null && e.getDetails().getMessage() != null && e.getDetails().getMessage().contains("developers.google.com")) { LOGE(TAG, "User does not have a developers.google.com profile. Not syncing remote " + "personalized schedule."); starredSessions = null; // Record that the user's profile is offline. If this changes later, we'll re-upload any local // starred sessions. PrefUtils.markDevSiteProfileAvailable(mContext, false); } else { LOGW(TAG, "Auth token invalid, requesting refresh", e); AccountUtils.refreshAuthToken(mContext); } } if (profileAvailableNow && !profileAvailableBefore) { LOGI(TAG, "developers.google.com mode change: DEVSITE_PROFILE_AVAILABLE=false -> true"); // User's DevSite profile has come into existence. Re-upload tracks. ContentResolver cr = mContext.getContentResolver(); String[] projection = new String[] {ScheduleContract.Sessions.SESSION_ID, Sessions.SESSION_TITLE}; Cursor c = cr.query(ScheduleContract.BASE_CONTENT_URI.buildUpon(). appendPath("sessions").appendPath("starred").build(), projection, null, null, null); if (c != null) { c.moveToFirst(); while (!c.isAfterLast()) { String id = c.getString(0); String title = c.getString(1); LOGI(TAG, "Adding session: (" + id + ") " + title); Uri sessionUri = ScheduleContract.Sessions.buildSessionUri(id); SessionsHelper.uploadStarredSession(mContext, sessionUri, true); c.moveToNext(); } } // Hack: Use local starred sessions for now, to give the new sessions time to take effect // TODO(trevorjohns): Upload starred sessions should be synchronous to avoid this hack starredSessions = null; } return buildContentProviderOperations(sessions, starredSessions, tracks); } public ArrayList<ContentProviderOperation> parseString(String sessionsJson, String tracksJson) { JsonFactory jsonFactory = new GsonFactory(); try { SessionsResponse sessions = jsonFactory.fromString(sessionsJson, SessionsResponse.class); TracksResponse tracks = jsonFactory.fromString(tracksJson, TracksResponse.class); return buildContentProviderOperations(sessions, null, tracks); } catch (IOException e) { LOGE(TAG, "Error reading speakers from packaged data", e); return Lists.newArrayList(); } } private ArrayList<ContentProviderOperation> buildContentProviderOperations( SessionsResponse sessions, SessionsResponse starredSessions, TracksResponse tracks) { // If there was no starred sessions response (e.g. there was an auth issue, // or this is a local sync), keep all the locally starred sessions. boolean retainLocallyStarredSessions = (starredSessions == null); final ArrayList<ContentProviderOperation> batch = Lists.newArrayList(); // Build lookup table for starredSessions mappings HashSet<String> starredSessionsMap = new HashSet<String>(); if (starredSessions != null) { List<SessionResponse> starredSessionList = starredSessions.getSessions(); if (starredSessionList != null) { for (SessionResponse session : starredSessionList) { String sessionId = session.getId(); starredSessionsMap.add(sessionId); } } } // Build lookup table for track mappings // Assumes that sessions can only have one track. Not guarenteed by the Conference API, // but is being enforced by conference organizer policy. HashMap<String, TrackResponse> trackMap = new HashMap<String, TrackResponse>(); if (tracks != null) { for (TrackResponse track : tracks.getTracks()) { List<String> sessionIds = track.getSessions(); if (sessionIds != null) { for (String sessionId : sessionIds) { trackMap.put(sessionId, track); } } } } if (sessions != null) { List<SessionResponse> sessionList = sessions.getSessions(); int numSessions = sessionList.size(); if (numSessions > 0) { LOGI(TAG, "Updating sessions data"); Set<String> starredSessionIds = new HashSet<String>(); if (retainLocallyStarredSessions) { Cursor starredSessionsCursor = mContext.getContentResolver().query( Sessions.CONTENT_STARRED_URI, new String[]{ScheduleContract.Sessions.SESSION_ID}, null, null, null); while (starredSessionsCursor.moveToNext()) { starredSessionIds.add(starredSessionsCursor.getString(0)); } starredSessionsCursor.close(); } // Clear out existing sessions batch.add(ContentProviderOperation .newDelete(ScheduleContract.addCallerIsSyncAdapterParameter( Sessions.CONTENT_URI)) .build()); // Maintain a list of created session block IDs Set<String> blockIds = new HashSet<String>(); // Maintain a map of insert operations for sandbox-only blocks HashMap<String, ContentProviderOperation> sandboxBlocks = new HashMap<String, ContentProviderOperation>(); for (SessionResponse session : sessionList) { int flags = 0; String sessionId = session.getId(); if (retainLocallyStarredSessions) { flags = (starredSessionIds.contains(sessionId) ? PARSE_FLAG_FORCE_SCHEDULE_ADD : PARSE_FLAG_FORCE_SCHEDULE_REMOVE); } if (TextUtils.isEmpty(sessionId)) { LOGW(TAG, "Found session with empty ID in API response."); continue; } // Session title String sessionTitle = session.getTitle(); String sessionSubtype = session.getSubtype(); if (EVENT_TYPE_CODELAB.equals(sessionSubtype)) { sessionTitle = mContext.getString( R.string.codelab_title_template, sessionTitle); } // Whether or not it's in the schedule boolean inSchedule = starredSessionsMap.contains(sessionId); if ((flags & PARSE_FLAG_FORCE_SCHEDULE_ADD) != 0 || (flags & PARSE_FLAG_FORCE_SCHEDULE_REMOVE) != 0) { inSchedule = (flags & PARSE_FLAG_FORCE_SCHEDULE_ADD) != 0; } if (EVENT_TYPE_KEYNOTE.equals(sessionSubtype)) { // Keynotes are always in your schedule. inSchedule = true; } // Clean up session abstract String sessionAbstract = session.getDescription(); if (sessionAbstract != null) { sessionAbstract = sessionAbstract.replace('\r', '\n'); } // Hashtags TrackResponse track = trackMap.get(sessionId); String hashtag = null; if (track != null) { hashtag = ParserUtils.sanitizeId(track.getTitle()); } boolean isLivestream = false; try { isLivestream = session.getIsLivestream(); } catch (NullPointerException ignored) { } String youtubeUrl = session.getYoutubeUrl(); // Get block id long sessionStartTime = session.getStartTimestamp().longValue() * 1000; long sessionEndTime = session.getEndTimestamp().longValue() * 1000; String blockId = ScheduleContract.Blocks.generateBlockId( sessionStartTime, sessionEndTime); if (!blockIds.contains(blockId) && !EVENT_TYPE_SANDBOX.equals(sessionSubtype)) { // New non-sandbox block if (sandboxBlocks.containsKey(blockId)) { sandboxBlocks.remove(blockId); } String blockType; String blockTitle; if (EVENT_TYPE_KEYNOTE.equals(sessionSubtype)) { blockType = ScheduleContract.Blocks.BLOCK_TYPE_KEYNOTE; blockTitle = mContext.getString(R.string.schedule_block_title_keynote); } else if (EVENT_TYPE_CODELAB.equals(sessionSubtype)) { blockType = ScheduleContract.Blocks.BLOCK_TYPE_CODELAB; blockTitle = mContext.getString( R.string.schedule_block_title_code_labs); } else if (EVENT_TYPE_OFFICE_HOURS.equals(sessionSubtype)) { blockType = ScheduleContract.Blocks.BLOCK_TYPE_OFFICE_HOURS; blockTitle = mContext.getString( R.string.schedule_block_title_office_hours); } else { blockType = ScheduleContract.Blocks.BLOCK_TYPE_SESSION; blockTitle = mContext.getString( R.string.schedule_block_title_sessions); } batch.add(ContentProviderOperation .newInsert(ScheduleContract.Blocks.CONTENT_URI) .withValue(ScheduleContract.Blocks.BLOCK_ID, blockId) .withValue(ScheduleContract.Blocks.BLOCK_TYPE, blockType) .withValue(ScheduleContract.Blocks.BLOCK_TITLE, blockTitle) .withValue(ScheduleContract.Blocks.BLOCK_START, sessionStartTime) .withValue(ScheduleContract.Blocks.BLOCK_END, sessionEndTime) .build()); blockIds.add(blockId); } else if (!sandboxBlocks.containsKey(blockId) && !blockIds.contains(blockId) && EVENT_TYPE_SANDBOX.equals(sessionSubtype)) { // New sandbox-only block, add insert operation to map String blockType = ScheduleContract.Blocks.BLOCK_TYPE_SANDBOX; String blockTitle = mContext.getString( R.string.schedule_block_title_sandbox); sandboxBlocks.put(blockId, ContentProviderOperation .newInsert(ScheduleContract.Blocks.CONTENT_URI) .withValue(ScheduleContract.Blocks.BLOCK_ID, blockId) .withValue(ScheduleContract.Blocks.BLOCK_TYPE, blockType) .withValue(ScheduleContract.Blocks.BLOCK_TITLE, blockTitle) .withValue(ScheduleContract.Blocks.BLOCK_START, sessionStartTime) .withValue(ScheduleContract.Blocks.BLOCK_END, sessionEndTime) .build()); } // Insert session info final ContentProviderOperation.Builder builder; if (EVENT_TYPE_SANDBOX.equals(sessionSubtype)) { // Sandbox companies go in the special sandbox table builder = ContentProviderOperation .newInsert(ScheduleContract .addCallerIsSyncAdapterParameter(ScheduleContract.Sandbox.CONTENT_URI)) .withValue(SyncColumns.UPDATED, System.currentTimeMillis()) .withValue(ScheduleContract.Sandbox.COMPANY_ID, sessionId) .withValue(ScheduleContract.Sandbox.COMPANY_NAME, sessionTitle) .withValue(ScheduleContract.Sandbox.COMPANY_DESC, sessionAbstract) .withValue(ScheduleContract.Sandbox.COMPANY_URL, makeSessionUrl(sessionId)) .withValue(ScheduleContract.Sandbox.COMPANY_LOGO_URL, session.getIconUrl()) .withValue(ScheduleContract.Sandbox.ROOM_ID, sanitizeId(session.getLocation())) .withValue(ScheduleContract.Sandbox.TRACK_ID, (track != null ? track.getId() : null)) .withValue(ScheduleContract.Sandbox.BLOCK_ID, blockId); batch.add(builder.build()); } else { // All other fields go in the normal sessions table builder = ContentProviderOperation .newInsert(ScheduleContract .addCallerIsSyncAdapterParameter(Sessions.CONTENT_URI)) .withValue(SyncColumns.UPDATED, System.currentTimeMillis()) .withValue(Sessions.SESSION_ID, sessionId) .withValue(Sessions.SESSION_TYPE, sessionSubtype) .withValue(Sessions.SESSION_LEVEL, null) // Not available .withValue(Sessions.SESSION_TITLE, sessionTitle) .withValue(Sessions.SESSION_ABSTRACT, sessionAbstract) .withValue(Sessions.SESSION_HASHTAGS, hashtag) .withValue(Sessions.SESSION_TAGS, null) // Not available .withValue(Sessions.SESSION_URL, makeSessionUrl(sessionId)) .withValue(Sessions.SESSION_LIVESTREAM_URL, isLivestream ? youtubeUrl : null) .withValue(Sessions.SESSION_MODERATOR_URL, null) // Not available .withValue(Sessions.SESSION_REQUIREMENTS, null) // Not available .withValue(Sessions.SESSION_STARRED, inSchedule) .withValue(Sessions.SESSION_YOUTUBE_URL, isLivestream ? null : youtubeUrl) .withValue(Sessions.SESSION_PDF_URL, null) // Not available .withValue(Sessions.SESSION_NOTES_URL, null) // Not available .withValue(Sessions.ROOM_ID, sanitizeId(session.getLocation())) .withValue(Sessions.BLOCK_ID, blockId); batch.add(builder.build()); } // Replace all session speakers final Uri sessionSpeakersUri = Sessions.buildSpeakersDirUri(sessionId); batch.add(ContentProviderOperation .newDelete(ScheduleContract .addCallerIsSyncAdapterParameter(sessionSpeakersUri)) .build()); List<String> presenterIds = session.getPresenterIds(); if (presenterIds != null) { for (String presenterId : presenterIds) { batch.add(ContentProviderOperation.newInsert(sessionSpeakersUri) .withValue(SessionsSpeakers.SESSION_ID, sessionId) .withValue(SessionsSpeakers.SPEAKER_ID, presenterId).build()); } } // Add track mapping if (track != null) { String trackId = track.getId(); if (trackId != null) { final Uri sessionTracksUri = ScheduleContract.addCallerIsSyncAdapterParameter( ScheduleContract.Sessions.buildTracksDirUri(sessionId)); batch.add(ContentProviderOperation.newInsert(sessionTracksUri) .withValue(ScheduleDatabase.SessionsTracks.SESSION_ID, sessionId) .withValue(ScheduleDatabase.SessionsTracks.TRACK_ID, trackId).build()); } } // Codelabs: Add mapping to codelab table if (EVENT_TYPE_CODELAB.equals(sessionSubtype)) { final Uri sessionTracksUri = ScheduleContract.addCallerIsSyncAdapterParameter( ScheduleContract.Sessions.buildTracksDirUri(sessionId)); batch.add(ContentProviderOperation.newInsert(sessionTracksUri) .withValue(ScheduleDatabase.SessionsTracks.SESSION_ID, sessionId) .withValue(ScheduleDatabase.SessionsTracks.TRACK_ID, "CODE_LABS").build()); } } // Insert sandbox-only blocks batch.addAll(sandboxBlocks.values()); } } return batch; } private String makeSessionUrl(String sessionId) { if (TextUtils.isEmpty(sessionId)) { return null; } return BASE_SESSION_URL + sessionId; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io; import android.content.ContentProviderOperation; import android.content.Context; import android.database.Cursor; import com.google.android.apps.iosched.Config; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.util.Lists; import com.google.api.services.googledevelopers.Googledevelopers; import com.google.api.services.googledevelopers.model.FeedbackResponse; import com.google.api.services.googledevelopers.model.ModifyFeedbackRequest; import java.io.IOException; import java.util.ArrayList; import static com.google.android.apps.iosched.util.LogUtils.*; public class FeedbackHandler { private static final String TAG = makeLogTag(FeedbackHandler.class); private Context mContext; public FeedbackHandler(Context context) { mContext = context; } public ArrayList<ContentProviderOperation> uploadNew(Googledevelopers conferenceApi) { // Collect rows of feedback Cursor feedbackCursor = mContext.getContentResolver().query( ScheduleContract.Feedback.CONTENT_URI, null, null, null, null); int sessionIdIndex = feedbackCursor.getColumnIndex(ScheduleContract.Feedback.SESSION_ID); int ratingIndex = feedbackCursor.getColumnIndex(ScheduleContract.Feedback.SESSION_RATING); int relIndex = feedbackCursor.getColumnIndex(ScheduleContract.Feedback.ANSWER_RELEVANCE); int contentIndex = feedbackCursor.getColumnIndex(ScheduleContract.Feedback.ANSWER_CONTENT); int speakerIndex = feedbackCursor.getColumnIndex(ScheduleContract.Feedback.ANSWER_SPEAKER); int willUseIndex = feedbackCursor.getColumnIndex(ScheduleContract.Feedback.ANSWER_WILLUSE); int commentsIndex = feedbackCursor.getColumnIndex(ScheduleContract.Feedback.COMMENTS); final ArrayList<ContentProviderOperation> batch = Lists.newArrayList(); while (feedbackCursor.moveToNext()) { String sessionId = feedbackCursor.getString(sessionIdIndex); LOGI(TAG, "Uploading feedback for: " + sessionId); int rating = feedbackCursor.getInt(ratingIndex); int answerRelevance = feedbackCursor.getInt(relIndex); int answerContent = feedbackCursor.getInt(contentIndex); int answerSpeaker = feedbackCursor.getInt(speakerIndex); int answerWillUseRaw = feedbackCursor.getInt(willUseIndex); boolean answerWillUse = (answerWillUseRaw != 0); String comments = feedbackCursor.getString(commentsIndex); ModifyFeedbackRequest feedbackRequest = new ModifyFeedbackRequest(); feedbackRequest.setOverallScore(rating); feedbackRequest.setRelevancyScore(answerRelevance); feedbackRequest.setContentScore(answerContent); feedbackRequest.setSpeakerScore(answerSpeaker); // In this case, -1 means the user didn't answer the question. if (answerWillUseRaw != -1) { feedbackRequest.setWillUse(answerWillUse); } // Only post something If the comments field isn't empty if (comments != null && comments.length() > 0) { feedbackRequest.setAdditionalFeedback(comments); } feedbackRequest.setSessionId(sessionId); feedbackRequest.setEventId(Config.EVENT_ID); try { Googledevelopers.Events.Sessions.Feedback feedback = conferenceApi.events().sessions() .feedback(Config.EVENT_ID, sessionId, feedbackRequest); FeedbackResponse response = feedback.execute(); if (response != null) { LOGI(TAG, "Successfully sent feedback for: " + sessionId + ", comment: " + comments); } else { LOGE(TAG, "Sending logs failed"); } } catch (IOException ioe) { LOGE(TAG, "Sending logs failed and caused IOE", ioe); return batch; } } feedbackCursor.close(); // Clear out feedback forms we've just uploaded batch.add(ContentProviderOperation.newDelete( ScheduleContract.addCallerIsSyncAdapterParameter( ScheduleContract.Feedback.CONTENT_URI)) .build()); return batch; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io; import android.content.ContentProviderOperation; import android.content.Context; import com.google.android.apps.iosched.Config; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.provider.ScheduleContract.SyncColumns; import com.google.android.apps.iosched.util.Lists; import com.google.api.client.http.HttpTransport; import com.google.api.client.http.javanet.NetHttpTransport; import com.google.api.client.json.JsonFactory; import com.google.api.client.json.gson.GsonFactory; import com.google.api.services.googledevelopers.Googledevelopers; import com.google.api.services.googledevelopers.model.PresenterResponse; import com.google.api.services.googledevelopers.model.PresentersResponse; import java.io.IOException; import java.util.ArrayList; import java.util.List; import static com.google.android.apps.iosched.provider.ScheduleContract.Speakers; import static com.google.android.apps.iosched.util.LogUtils.*; public class SpeakersHandler { private static final String TAG = makeLogTag(SpeakersHandler.class); public SpeakersHandler(Context context) {} public ArrayList<ContentProviderOperation> fetchAndParse( Googledevelopers conferenceAPI) throws IOException { PresentersResponse presenters; try { presenters = conferenceAPI.events().presenters().list(Config.EVENT_ID).execute(); if (presenters == null || presenters.getPresenters() == null) { throw new HandlerException("Speakers list was null."); } } catch (HandlerException e) { LOGE(TAG, "Error fetching speakers", e); return Lists.newArrayList(); } return buildContentProviderOperations(presenters); } public ArrayList<ContentProviderOperation> parseString(String json) { JsonFactory jsonFactory = new GsonFactory(); try { PresentersResponse presenters = jsonFactory.fromString(json, PresentersResponse.class); return buildContentProviderOperations(presenters); } catch (IOException e) { LOGE(TAG, "Error reading speakers from packaged data", e); return Lists.newArrayList(); } } private ArrayList<ContentProviderOperation> buildContentProviderOperations( PresentersResponse presenters) { final ArrayList<ContentProviderOperation> batch = Lists.newArrayList(); if (presenters != null) { List<PresenterResponse> presenterList = presenters.getPresenters(); int numSpeakers = presenterList.size(); if (numSpeakers > 0) { LOGI(TAG, "Updating presenters data"); // Clear out existing speakers batch.add(ContentProviderOperation.newDelete( ScheduleContract.addCallerIsSyncAdapterParameter( Speakers.CONTENT_URI)) .build()); // Insert latest speaker data for (PresenterResponse presenter : presenterList) { // Hack: Fix speaker URL so that it's not being resized // Depends on thumbnail URL being exactly in the format we want String thumbnail = presenter.getThumbnailUrl(); if (thumbnail != null) { thumbnail = thumbnail.replace("?sz=50", "?sz=100"); } batch.add(ContentProviderOperation.newInsert(ScheduleContract .addCallerIsSyncAdapterParameter(Speakers.CONTENT_URI)) .withValue(SyncColumns.UPDATED, System.currentTimeMillis()) .withValue(Speakers.SPEAKER_ID, presenter.getId()) .withValue(Speakers.SPEAKER_NAME, presenter.getName()) .withValue(Speakers.SPEAKER_ABSTRACT, presenter.getBio()) .withValue(Speakers.SPEAKER_IMAGE_URL, thumbnail) .withValue(Speakers.SPEAKER_URL, presenter.getPlusoneUrl()) .build()); } } } return batch; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io; import com.google.android.apps.iosched.provider.ScheduleContract; import android.content.ContentProviderOperation; import android.content.ContentResolver; import android.content.Context; import android.content.OperationApplicationException; import android.os.RemoteException; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStream; import java.io.InputStreamReader; import java.io.Reader; import java.io.StringWriter; import java.io.Writer; import java.util.ArrayList; public abstract class JSONHandler { protected static Context mContext; public JSONHandler(Context context) { mContext = context; } public abstract ArrayList<ContentProviderOperation> parse(String json) throws IOException; public final void parseAndApply(String json) throws IOException { try { final ContentResolver resolver = mContext.getContentResolver(); ArrayList<ContentProviderOperation> batch = parse(json); resolver.applyBatch(ScheduleContract.CONTENT_AUTHORITY, batch); } catch (RemoteException e) { throw new RuntimeException("Problem applying batch operation", e); } catch (OperationApplicationException e) { throw new RuntimeException("Problem applying batch operation", e); } } public static String parseResource(Context context, int resource) throws IOException { InputStream is = context.getResources().openRawResource(resource); Writer writer = new StringWriter(); char[] buffer = new char[1024]; try { Reader reader = new BufferedReader(new InputStreamReader(is, "UTF-8")); int n; while ((n = reader.read(buffer)) != -1) { writer.write(buffer, 0, n); } } finally { is.close(); } return writer.toString(); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io; import com.google.android.apps.iosched.io.model.Day; import com.google.android.apps.iosched.io.model.EventSlots; import com.google.android.apps.iosched.io.model.TimeSlot; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.provider.ScheduleContract.Blocks; import com.google.android.apps.iosched.util.Lists; import com.google.android.apps.iosched.util.ParserUtils; import com.google.gson.Gson; import android.content.ContentProviderOperation; import android.content.Context; import java.io.IOException; import java.util.ArrayList; import static com.google.android.apps.iosched.util.LogUtils.LOGE; import static com.google.android.apps.iosched.util.LogUtils.LOGV; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class BlocksHandler extends JSONHandler { private static final String TAG = makeLogTag(BlocksHandler.class); public BlocksHandler(Context context) { super(context); } public ArrayList<ContentProviderOperation> parse(String json) throws IOException { final ArrayList<ContentProviderOperation> batch = Lists.newArrayList(); try { Gson gson = new Gson(); EventSlots eventSlots = gson.fromJson(json, EventSlots.class); int numDays = eventSlots.day.length; //2011-05-10T07:00:00.000-07:00 for (int i = 0; i < numDays; i++) { Day day = eventSlots.day[i]; String date = day.date; TimeSlot[] timeSlots = day.slot; for (TimeSlot timeSlot : timeSlots) { parseSlot(date, timeSlot, batch); } } } catch (Throwable e) { LOGE(TAG, e.toString()); } return batch; } private static void parseSlot(String date, TimeSlot slot, ArrayList<ContentProviderOperation> batch) { ContentProviderOperation.Builder builder = ContentProviderOperation .newInsert(ScheduleContract.addCallerIsSyncAdapterParameter(Blocks.CONTENT_URI)); //LOGD(TAG, "Inside parseSlot:" + date + ", " + slot); String start = slot.start; String end = slot.end; String type = Blocks.BLOCK_TYPE_GENERIC; if (slot.type != null) { type = slot.type; } String title = "N_D"; if (slot.title != null) { title = slot.title; } String startTime = date + "T" + start + ":00.000-07:00"; String endTime = date + "T" + end + ":00.000-07:00"; LOGV(TAG, "startTime:" + startTime); long startTimeL = ParserUtils.parseTime(startTime); long endTimeL = ParserUtils.parseTime(endTime); final String blockId = Blocks.generateBlockId(startTimeL, endTimeL); LOGV(TAG, "blockId:" + blockId); LOGV(TAG, "title:" + title); LOGV(TAG, "start:" + startTimeL); builder.withValue(Blocks.BLOCK_ID, blockId); builder.withValue(Blocks.BLOCK_TITLE, title); builder.withValue(Blocks.BLOCK_START, startTimeL); builder.withValue(Blocks.BLOCK_END, endTimeL); builder.withValue(Blocks.BLOCK_TYPE, type); builder.withValue(Blocks.BLOCK_META, slot.meta); batch.add(builder.build()); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io; import android.content.ContentProviderOperation; import android.content.Context; import android.graphics.Color; import com.google.android.apps.iosched.io.model.Track; import com.google.android.apps.iosched.io.model.Tracks; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.util.Lists; import com.google.android.apps.iosched.util.ParserUtils; import com.google.gson.Gson; import java.io.IOException; import java.util.ArrayList; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class TracksHandler extends JSONHandler { private static final String TAG = makeLogTag(TracksHandler.class); public TracksHandler(Context context) { super(context); } @Override public ArrayList<ContentProviderOperation> parse(String json) throws IOException { final ArrayList<ContentProviderOperation> batch = Lists.newArrayList(); batch.add(ContentProviderOperation.newDelete( ScheduleContract.addCallerIsSyncAdapterParameter( ScheduleContract.Tracks.CONTENT_URI)).build()); Tracks tracksJson = new Gson().fromJson(json, Tracks.class); int noOfTracks = tracksJson.getTrack().length; for (int i = 0; i < noOfTracks; i++) { parseTrack(tracksJson.getTrack()[i], batch); } return batch; } private static void parseTrack(Track track, ArrayList<ContentProviderOperation> batch) { ContentProviderOperation.Builder builder = ContentProviderOperation.newInsert( ScheduleContract.addCallerIsSyncAdapterParameter( ScheduleContract.Tracks.CONTENT_URI)); builder.withValue(ScheduleContract.Tracks.TRACK_ID, track.id); builder.withValue(ScheduleContract.Tracks.TRACK_NAME, track.name); builder.withValue(ScheduleContract.Tracks.TRACK_COLOR, Color.parseColor(track.color)); builder.withValue(ScheduleContract.Tracks.TRACK_ABSTRACT, track._abstract); builder.withValue(ScheduleContract.Tracks.TRACK_LEVEL, track.level); builder.withValue(ScheduleContract.Tracks.TRACK_ORDER_IN_LEVEL, track.order_in_level); builder.withValue(ScheduleContract.Tracks.TRACK_META, track.meta); builder.withValue(ScheduleContract.Tracks.TRACK_HASHTAG, ParserUtils.sanitizeId(track.name)); batch.add(builder.build()); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; import android.content.ContentProviderOperation; import android.content.Context; import android.util.Log; import com.google.android.apps.iosched.io.map.model.MapConfig; import com.google.android.apps.iosched.io.map.model.MapResponse; import com.google.android.apps.iosched.io.map.model.Marker; import com.google.android.apps.iosched.io.map.model.Tile; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.util.Lists; import com.google.android.apps.iosched.util.MapUtils; import com.google.gson.Gson; import java.io.IOException; import java.util.ArrayList; import java.util.Collection; import java.util.Map; import java.util.Map.Entry; import java.util.Set; public class MapPropertyHandler extends JSONHandler { private static final String TAG = makeLogTag(MapPropertyHandler.class); private Collection<Tile> mTiles; public MapPropertyHandler(Context context) { super(context); } public ArrayList<ContentProviderOperation> parse(String json) throws IOException { final ArrayList<ContentProviderOperation> batch = Lists.newArrayList(); MapResponse mapJson = new Gson().fromJson(json, MapResponse.class); parseTileOverlays(mapJson.tiles, batch, mContext); parseMarkers(mapJson.markers, batch); parseConfig(mapJson.config, mContext); mTiles = mapJson.tiles.values(); return batch; } private void parseConfig(MapConfig config, Context mContext) { boolean enableMyLocation = config.enableMyLocation; MapUtils.setMyLocationEnabled(mContext,enableMyLocation); } private void parseMarkers(Map<String, Marker[]> markers, ArrayList<ContentProviderOperation> batch) { for (Entry<String, Marker[]> entry : markers.entrySet()) { String floor = entry.getKey(); // add each Marker for (Marker marker : entry.getValue()) { ContentProviderOperation.Builder builder = ContentProviderOperation .newInsert(ScheduleContract .addCallerIsSyncAdapterParameter(ScheduleContract.MapMarkers.CONTENT_URI)); builder.withValue(ScheduleContract.MapMarkers.MARKER_ID, marker.id); builder.withValue(ScheduleContract.MapMarkers.MARKER_FLOOR, floor); builder.withValue(ScheduleContract.MapMarkers.MARKER_LABEL, marker.title); builder.withValue(ScheduleContract.MapMarkers.MARKER_LATITUDE, marker.lat); builder.withValue(ScheduleContract.MapMarkers.MARKER_LONGITUDE, marker.lng); builder.withValue(ScheduleContract.MapMarkers.MARKER_TYPE, marker.type); builder.withValue(ScheduleContract.MapMarkers.MARKER_TRACK, marker.track); batch.add(builder.build()); } } } private void parseTileOverlays(Map<String, Tile> tiles, ArrayList<ContentProviderOperation> batch, Context context) { for (Entry<String, Tile> entry : tiles.entrySet()) { ContentProviderOperation.Builder builder = ContentProviderOperation .newInsert(ScheduleContract .addCallerIsSyncAdapterParameter(ScheduleContract.MapTiles.CONTENT_URI)); String floor = entry.getKey(); Tile value = entry.getValue(); builder.withValue( ScheduleContract.MapTiles.TILE_FLOOR, floor); builder.withValue( ScheduleContract.MapTiles.TILE_FILE, value.filename); builder.withValue( ScheduleContract.MapTiles.TILE_URL, value.url); Log.d(TAG, "adding overlay: " + floor + ", " + value.filename); /* * Setup the tile overlay file. Copy it from the app assets or * download it if it does not exist locally. This is done here to * ensure that the data stored in the content provider always points * to valid tile files. */ batch.add(builder.build()); } } public Collection<Tile> getTiles(){ return mTiles; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.io; import com.google.android.apps.iosched.Config; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.provider.ScheduleContract.Announcements; import com.google.android.apps.iosched.provider.ScheduleContract.SyncColumns; import com.google.android.apps.iosched.util.Lists; import com.google.android.apps.iosched.util.NetUtils; import com.google.android.apps.iosched.util.UIUtils; import com.google.api.client.googleapis.services.CommonGoogleClientRequestInitializer; import com.google.api.client.http.HttpTransport; import com.google.api.client.http.javanet.NetHttpTransport; import com.google.api.client.json.JsonFactory; import com.google.api.client.json.gson.GsonFactory; import com.google.api.services.plus.Plus; import com.google.api.services.plus.model.Activity; import com.google.api.services.plus.model.ActivityFeed; import android.content.ContentProviderOperation; import android.content.Context; import android.text.TextUtils; import java.io.IOException; import java.util.ArrayList; import static com.google.android.apps.iosched.util.LogUtils.LOGE; import static com.google.android.apps.iosched.util.LogUtils.LOGI; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class AnnouncementsFetcher { private static final String TAG = makeLogTag(AnnouncementsFetcher.class); private Context mContext; public AnnouncementsFetcher(Context context) { mContext = context; } public ArrayList<ContentProviderOperation> fetchAndParse() throws IOException { final ArrayList<ContentProviderOperation> batch = Lists.newArrayList(); // Set up the HTTP transport and JSON factory HttpTransport httpTransport = new NetHttpTransport(); JsonFactory jsonFactory = new GsonFactory(); // Set up the main Google+ class Plus plus = new Plus.Builder(httpTransport, jsonFactory, null) .setApplicationName(NetUtils.getUserAgent(mContext)) .setGoogleClientRequestInitializer( new CommonGoogleClientRequestInitializer(Config.API_KEY)) .build(); ActivityFeed activities; try { activities = plus.activities().list(Config.ANNOUNCEMENTS_PLUS_ID, "public") .setMaxResults(100l) .execute(); if (activities == null || activities.getItems() == null) { throw new IOException("Activities list was null."); } } catch (IOException e) { LOGE(TAG, "Error fetching announcements", e); return batch; } LOGI(TAG, "Updating announcements data"); // Clear out existing announcements batch.add(ContentProviderOperation .newDelete(ScheduleContract.addCallerIsSyncAdapterParameter( Announcements.CONTENT_URI)) .build()); StringBuilder sb = new StringBuilder(); for (Activity activity : activities.getItems()) { // Filter out anything not including the conference hashtag. sb.setLength(0); appendIfNotEmpty(sb, activity.getAnnotation()); if (activity.getObject() != null) { appendIfNotEmpty(sb, activity.getObject().getContent()); } if (!sb.toString().contains(UIUtils.CONFERENCE_HASHTAG)) { continue; } // Insert announcement info batch.add(ContentProviderOperation .newInsert(ScheduleContract .addCallerIsSyncAdapterParameter(Announcements.CONTENT_URI)) .withValue(SyncColumns.UPDATED, System.currentTimeMillis()) .withValue(Announcements.ANNOUNCEMENT_ID, activity.getId()) .withValue(Announcements.ANNOUNCEMENT_DATE, activity.getUpdated().getValue()) .withValue(Announcements.ANNOUNCEMENT_TITLE, activity.getTitle()) .withValue(Announcements.ANNOUNCEMENT_ACTIVITY_JSON, activity.toPrettyString()) .withValue(Announcements.ANNOUNCEMENT_URL, activity.getUrl()) .build()); } return batch; } private static void appendIfNotEmpty(StringBuilder sb, String s) { if (!TextUtils.isEmpty(s)) { sb.append(s); } } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.provider; import android.accounts.Account; import android.content.ContentResolver; import com.google.android.apps.iosched.provider.ScheduleContract.AnnouncementsColumns; import com.google.android.apps.iosched.provider.ScheduleContract.Blocks; import com.google.android.apps.iosched.provider.ScheduleContract.BlocksColumns; import com.google.android.apps.iosched.provider.ScheduleContract.FeedbackColumns; import com.google.android.apps.iosched.provider.ScheduleContract.MapMarkerColumns; import com.google.android.apps.iosched.provider.ScheduleContract.MapTileColumns; import com.google.android.apps.iosched.provider.ScheduleContract.Rooms; import com.google.android.apps.iosched.provider.ScheduleContract.RoomsColumns; import com.google.android.apps.iosched.provider.ScheduleContract.Sessions; import com.google.android.apps.iosched.provider.ScheduleContract.SessionsColumns; import com.google.android.apps.iosched.provider.ScheduleContract.Speakers; import com.google.android.apps.iosched.provider.ScheduleContract.SpeakersColumns; import com.google.android.apps.iosched.provider.ScheduleContract.SyncColumns; import com.google.android.apps.iosched.provider.ScheduleContract.Tracks; import com.google.android.apps.iosched.provider.ScheduleContract.TracksColumns; import com.google.android.apps.iosched.provider.ScheduleContract.Sandbox; import android.app.SearchManager; import android.content.Context; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteOpenHelper; import android.provider.BaseColumns; import com.google.android.apps.iosched.sync.SyncHelper; import com.google.android.apps.iosched.util.AccountUtils; import static com.google.android.apps.iosched.util.LogUtils.*; /** * Helper for managing {@link SQLiteDatabase} that stores data for * {@link ScheduleProvider}. */ public class ScheduleDatabase extends SQLiteOpenHelper { private static final String TAG = makeLogTag(ScheduleDatabase.class); private static final String DATABASE_NAME = "schedule.db"; // NOTE: carefully update onUpgrade() when bumping database versions to make // sure user data is saved. private static final int VER_2013_LAUNCH = 104; // 1.0 private static final int VER_2013_RM2 = 105; // 1.1 private static final int DATABASE_VERSION = VER_2013_RM2; private final Context mContext; interface Tables { String BLOCKS = "blocks"; String TRACKS = "tracks"; String ROOMS = "rooms"; String SESSIONS = "sessions"; String SPEAKERS = "speakers"; String SESSIONS_SPEAKERS = "sessions_speakers"; String SESSIONS_TRACKS = "sessions_tracks"; String SANDBOX = "sandbox"; String ANNOUNCEMENTS = "announcements"; String MAPMARKERS = "mapmarkers"; String MAPTILES = "mapoverlays"; String FEEDBACK = "feedback"; String SESSIONS_SEARCH = "sessions_search"; String SEARCH_SUGGEST = "search_suggest"; String SESSIONS_JOIN_BLOCKS_ROOMS = "sessions " + "LEFT OUTER JOIN blocks ON sessions.block_id=blocks.block_id " + "LEFT OUTER JOIN rooms ON sessions.room_id=rooms.room_id"; String SESSIONS_JOIN_ROOMS = "sessions " + "LEFT OUTER JOIN rooms ON sessions.room_id=rooms.room_id"; String SANDBOX_JOIN_TRACKS_BLOCKS_ROOMS = "sandbox " + "LEFT OUTER JOIN tracks ON sandbox.track_id=tracks.track_id " + "LEFT OUTER JOIN blocks ON sandbox.block_id=blocks.block_id " + "LEFT OUTER JOIN rooms ON sandbox.room_id=rooms.room_id"; String SESSIONS_SPEAKERS_JOIN_SPEAKERS = "sessions_speakers " + "LEFT OUTER JOIN speakers ON sessions_speakers.speaker_id=speakers.speaker_id"; String SESSIONS_SPEAKERS_JOIN_SESSIONS_BLOCKS_ROOMS = "sessions_speakers " + "LEFT OUTER JOIN sessions ON sessions_speakers.session_id=sessions.session_id " + "LEFT OUTER JOIN blocks ON sessions.block_id=blocks.block_id " + "LEFT OUTER JOIN rooms ON sessions.room_id=rooms.room_id"; String SESSIONS_TRACKS_JOIN_TRACKS = "sessions_tracks " + "LEFT OUTER JOIN tracks ON sessions_tracks.track_id=tracks.track_id"; String SESSIONS_TRACKS_JOIN_SESSIONS_BLOCKS_ROOMS = "sessions_tracks " + "LEFT OUTER JOIN sessions ON sessions_tracks.session_id=sessions.session_id " + "LEFT OUTER JOIN blocks ON sessions.block_id=blocks.block_id " + "LEFT OUTER JOIN rooms ON sessions.room_id=rooms.room_id"; String SESSIONS_SEARCH_JOIN_SESSIONS_BLOCKS_ROOMS = "sessions_search " + "LEFT OUTER JOIN sessions ON sessions_search.session_id=sessions.session_id " + "LEFT OUTER JOIN blocks ON sessions.block_id=blocks.block_id " + "LEFT OUTER JOIN rooms ON sessions.room_id=rooms.room_id"; String SESSIONS_JOIN_TRACKS_JOIN_BLOCKS = "sessions " + "LEFT OUTER JOIN sessions_tracks ON " + "sessions_tracks.session_id=sessions.session_id " + "LEFT OUTER JOIN tracks ON tracks.track_id=sessions_tracks.track_id " + "LEFT OUTER JOIN blocks ON sessions.block_id=blocks.block_id"; String BLOCKS_JOIN_SESSIONS = "blocks " + "LEFT OUTER JOIN sessions ON blocks.block_id=sessions.block_id"; String MAPMARKERS_JOIN_TRACKS = "mapmarkers " + "LEFT OUTER JOIN tracks ON tracks.track_id=mapmarkers.track_id "; } private interface Triggers { // Deletes from session_tracks and sessions_speakers when corresponding sessions // are deleted. String SESSIONS_TRACKS_DELETE = "sessions_tracks_delete"; String SESSIONS_SPEAKERS_DELETE = "sessions_speakers_delete"; String SESSIONS_FEEDBACK_DELETE = "sessions_feedback_delete"; } public interface SessionsSpeakers { String SESSION_ID = "session_id"; String SPEAKER_ID = "speaker_id"; } public interface SessionsTracks { String SESSION_ID = "session_id"; String TRACK_ID = "track_id"; } interface SessionsSearchColumns { String SESSION_ID = "session_id"; String BODY = "body"; } /** Fully-qualified field names. */ private interface Qualified { String SESSIONS_SEARCH = Tables.SESSIONS_SEARCH + "(" + SessionsSearchColumns.SESSION_ID + "," + SessionsSearchColumns.BODY + ")"; String SESSIONS_TRACKS_SESSION_ID = Tables.SESSIONS_TRACKS + "." + SessionsTracks.SESSION_ID; String SESSIONS_SPEAKERS_SESSION_ID = Tables.SESSIONS_SPEAKERS+ "." + SessionsSpeakers.SESSION_ID; String SESSIONS_SPEAKERS_SPEAKER_ID = Tables.SESSIONS_SPEAKERS+ "." + SessionsSpeakers.SPEAKER_ID; String SPEAKERS_SPEAKER_ID = Tables.SPEAKERS + "." + Speakers.SPEAKER_ID; String FEEDBACK_SESSION_ID = Tables.FEEDBACK + "." + FeedbackColumns.SESSION_ID; } /** {@code REFERENCES} clauses. */ private interface References { String BLOCK_ID = "REFERENCES " + Tables.BLOCKS + "(" + Blocks.BLOCK_ID + ")"; String TRACK_ID = "REFERENCES " + Tables.TRACKS + "(" + Tracks.TRACK_ID + ")"; String ROOM_ID = "REFERENCES " + Tables.ROOMS + "(" + Rooms.ROOM_ID + ")"; String SESSION_ID = "REFERENCES " + Tables.SESSIONS + "(" + Sessions.SESSION_ID + ")"; String SPEAKER_ID = "REFERENCES " + Tables.SPEAKERS + "(" + Speakers.SPEAKER_ID + ")"; } public ScheduleDatabase(Context context) { super(context, DATABASE_NAME, null, DATABASE_VERSION); mContext = context; } @Override public void onCreate(SQLiteDatabase db) { db.execSQL("CREATE TABLE " + Tables.BLOCKS + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + BlocksColumns.BLOCK_ID + " TEXT NOT NULL," + BlocksColumns.BLOCK_TITLE + " TEXT NOT NULL," + BlocksColumns.BLOCK_START + " INTEGER NOT NULL," + BlocksColumns.BLOCK_END + " INTEGER NOT NULL," + BlocksColumns.BLOCK_TYPE + " TEXT," + BlocksColumns.BLOCK_META + " TEXT," + "UNIQUE (" + BlocksColumns.BLOCK_ID + ") ON CONFLICT REPLACE)"); db.execSQL("CREATE TABLE " + Tables.TRACKS + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + TracksColumns.TRACK_ID + " TEXT NOT NULL," + TracksColumns.TRACK_NAME + " TEXT," + TracksColumns.TRACK_COLOR + " INTEGER," + TracksColumns.TRACK_LEVEL + " INTEGER," + TracksColumns.TRACK_ORDER_IN_LEVEL + " INTEGER," + TracksColumns.TRACK_META + " INTEGER NOT NULL DEFAULT 0," + TracksColumns.TRACK_ABSTRACT + " TEXT," + TracksColumns.TRACK_HASHTAG + " TEXT," + "UNIQUE (" + TracksColumns.TRACK_ID + ") ON CONFLICT REPLACE)"); db.execSQL("CREATE TABLE " + Tables.ROOMS + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + RoomsColumns.ROOM_ID + " TEXT NOT NULL," + RoomsColumns.ROOM_NAME + " TEXT," + RoomsColumns.ROOM_FLOOR + " TEXT," + "UNIQUE (" + RoomsColumns.ROOM_ID + ") ON CONFLICT REPLACE)"); db.execSQL("CREATE TABLE " + Tables.SESSIONS + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + SyncColumns.UPDATED + " INTEGER NOT NULL," + SessionsColumns.SESSION_ID + " TEXT NOT NULL," + Sessions.BLOCK_ID + " TEXT " + References.BLOCK_ID + "," + Sessions.ROOM_ID + " TEXT " + References.ROOM_ID + "," + SessionsColumns.SESSION_TYPE + " TEXT," + SessionsColumns.SESSION_LEVEL + " TEXT," + SessionsColumns.SESSION_TITLE + " TEXT," + SessionsColumns.SESSION_ABSTRACT + " TEXT," + SessionsColumns.SESSION_REQUIREMENTS + " TEXT," + SessionsColumns.SESSION_TAGS + " TEXT," + SessionsColumns.SESSION_HASHTAGS + " TEXT," + SessionsColumns.SESSION_URL + " TEXT," + SessionsColumns.SESSION_YOUTUBE_URL + " TEXT," + SessionsColumns.SESSION_MODERATOR_URL + " TEXT," + SessionsColumns.SESSION_PDF_URL + " TEXT," + SessionsColumns.SESSION_NOTES_URL + " TEXT," + SessionsColumns.SESSION_STARRED + " INTEGER NOT NULL DEFAULT 0," + SessionsColumns.SESSION_CAL_EVENT_ID + " INTEGER," + SessionsColumns.SESSION_LIVESTREAM_URL + " TEXT," + "UNIQUE (" + SessionsColumns.SESSION_ID + ") ON CONFLICT REPLACE)"); db.execSQL("CREATE TABLE " + Tables.SPEAKERS + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + SyncColumns.UPDATED + " INTEGER NOT NULL," + SpeakersColumns.SPEAKER_ID + " TEXT NOT NULL," + SpeakersColumns.SPEAKER_NAME + " TEXT," + SpeakersColumns.SPEAKER_IMAGE_URL + " TEXT," + SpeakersColumns.SPEAKER_COMPANY + " TEXT," + SpeakersColumns.SPEAKER_ABSTRACT + " TEXT," + SpeakersColumns.SPEAKER_URL + " TEXT," + "UNIQUE (" + SpeakersColumns.SPEAKER_ID + ") ON CONFLICT REPLACE)"); db.execSQL("CREATE TABLE " + Tables.SESSIONS_SPEAKERS + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + SessionsSpeakers.SESSION_ID + " TEXT NOT NULL " + References.SESSION_ID + "," + SessionsSpeakers.SPEAKER_ID + " TEXT NOT NULL " + References.SPEAKER_ID + "," + "UNIQUE (" + SessionsSpeakers.SESSION_ID + "," + SessionsSpeakers.SPEAKER_ID + ") ON CONFLICT REPLACE)"); db.execSQL("CREATE TABLE " + Tables.SESSIONS_TRACKS + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + SessionsTracks.SESSION_ID + " TEXT NOT NULL " + References.SESSION_ID + "," + SessionsTracks.TRACK_ID + " TEXT NOT NULL " + References.TRACK_ID + ")"); db.execSQL("CREATE TABLE " + Tables.SANDBOX + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + SyncColumns.UPDATED + " INTEGER NOT NULL," + ScheduleContract.SandboxColumns.COMPANY_ID + " TEXT NOT NULL," + Sandbox.TRACK_ID + " TEXT " + References.TRACK_ID + "," + Sandbox.BLOCK_ID + " TEXT " + References.BLOCK_ID + "," + Sandbox.ROOM_ID + " TEXT " + References.ROOM_ID + "," + ScheduleContract.SandboxColumns.COMPANY_NAME + " TEXT," + ScheduleContract.SandboxColumns.COMPANY_DESC + " TEXT," + ScheduleContract.SandboxColumns.COMPANY_URL + " TEXT," + ScheduleContract.SandboxColumns.COMPANY_LOGO_URL + " TEXT," + "UNIQUE (" + ScheduleContract.SandboxColumns.COMPANY_ID + ") ON CONFLICT REPLACE)"); db.execSQL("CREATE TABLE " + Tables.ANNOUNCEMENTS + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + SyncColumns.UPDATED + " INTEGER NOT NULL," + AnnouncementsColumns.ANNOUNCEMENT_ID + " TEXT," + AnnouncementsColumns.ANNOUNCEMENT_TITLE + " TEXT NOT NULL," + AnnouncementsColumns.ANNOUNCEMENT_ACTIVITY_JSON + " BLOB," + AnnouncementsColumns.ANNOUNCEMENT_URL + " TEXT," + AnnouncementsColumns.ANNOUNCEMENT_DATE + " INTEGER NOT NULL)"); db.execSQL("CREATE TABLE " + Tables.MAPTILES + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + MapTileColumns.TILE_FLOOR+ " INTEGER NOT NULL," + MapTileColumns.TILE_FILE+ " TEXT NOT NULL," + MapTileColumns.TILE_URL+ " TEXT NOT NULL," + "UNIQUE (" + MapTileColumns.TILE_FLOOR+ ") ON CONFLICT REPLACE)"); doMigration2013RM2(db); // Full-text search index. Update using updateSessionSearchIndex method. // Use the porter tokenizer for simple stemming, so that "frustration" matches "frustrated." db.execSQL("CREATE VIRTUAL TABLE " + Tables.SESSIONS_SEARCH + " USING fts3(" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + SessionsSearchColumns.BODY + " TEXT NOT NULL," + SessionsSearchColumns.SESSION_ID + " TEXT NOT NULL " + References.SESSION_ID + "," + "UNIQUE (" + SessionsSearchColumns.SESSION_ID + ") ON CONFLICT REPLACE," + "tokenize=porter)"); // Search suggestions db.execSQL("CREATE TABLE " + Tables.SEARCH_SUGGEST + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + SearchManager.SUGGEST_COLUMN_TEXT_1 + " TEXT NOT NULL)"); // Session deletion triggers db.execSQL("CREATE TRIGGER " + Triggers.SESSIONS_TRACKS_DELETE + " AFTER DELETE ON " + Tables.SESSIONS + " BEGIN DELETE FROM " + Tables.SESSIONS_TRACKS + " " + " WHERE " + Qualified.SESSIONS_TRACKS_SESSION_ID + "=old." + Sessions.SESSION_ID + ";" + " END;"); db.execSQL("CREATE TRIGGER " + Triggers.SESSIONS_SPEAKERS_DELETE + " AFTER DELETE ON " + Tables.SESSIONS + " BEGIN DELETE FROM " + Tables.SESSIONS_SPEAKERS + " " + " WHERE " + Qualified.SESSIONS_SPEAKERS_SESSION_ID + "=old." + Sessions.SESSION_ID + ";" + " END;"); } private void doMigration2013RM2(SQLiteDatabase db) { db.execSQL("CREATE TABLE " + Tables.FEEDBACK + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + SyncColumns.UPDATED + " INTEGER NOT NULL," + Sessions.SESSION_ID + " TEXT " + References.SESSION_ID + "," + FeedbackColumns.SESSION_RATING + " INTEGER NOT NULL," + FeedbackColumns.ANSWER_RELEVANCE + " INTEGER NOT NULL," + FeedbackColumns.ANSWER_CONTENT + " INTEGER NOT NULL," + FeedbackColumns.ANSWER_SPEAKER + " INTEGER NOT NULL," + FeedbackColumns.ANSWER_WILLUSE + " INTEGER NOT NULL," + FeedbackColumns.COMMENTS + " TEXT)"); db.execSQL("CREATE TRIGGER " + Triggers.SESSIONS_FEEDBACK_DELETE + " AFTER DELETE ON " + Tables.SESSIONS + " BEGIN DELETE FROM " + Tables.FEEDBACK + " " + " WHERE " + Qualified.FEEDBACK_SESSION_ID + "=old." + Sessions.SESSION_ID + ";" + " END;"); db.execSQL("CREATE TABLE " + Tables.MAPMARKERS + " (" + BaseColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT," + MapMarkerColumns.MARKER_ID+ " TEXT NOT NULL," + MapMarkerColumns.MARKER_TYPE+ " TEXT NOT NULL," + MapMarkerColumns.MARKER_LATITUDE+ " DOUBLE NOT NULL," + MapMarkerColumns.MARKER_LONGITUDE+ " DOUBLE NOT NULL," + MapMarkerColumns.MARKER_LABEL+ " TEXT," + MapMarkerColumns.MARKER_FLOOR+ " INTEGER NOT NULL," + MapMarkerColumns.MARKER_TRACK+ " TEXT," + "UNIQUE (" + MapMarkerColumns.MARKER_ID + ") ON CONFLICT REPLACE)"); } /** * Updates the session search index. This should be done sparingly, as the queries are rather * complex. */ static void updateSessionSearchIndex(SQLiteDatabase db) { db.execSQL("DELETE FROM " + Tables.SESSIONS_SEARCH); db.execSQL("INSERT INTO " + Qualified.SESSIONS_SEARCH + " SELECT s." + Sessions.SESSION_ID + ",(" // Full text body + Sessions.SESSION_TITLE + "||'; '||" + Sessions.SESSION_ABSTRACT + "||'; '||" + "IFNULL(" + Sessions.SESSION_TAGS + ",'')||'; '||" + "IFNULL(GROUP_CONCAT(t." + Speakers.SPEAKER_NAME + ",' '),'')||'; '||" + "'')" + " FROM " + Tables.SESSIONS + " s " + " LEFT OUTER JOIN" // Subquery resulting in session_id, speaker_id, speaker_name + "(SELECT " + Sessions.SESSION_ID + "," + Qualified.SPEAKERS_SPEAKER_ID + "," + Speakers.SPEAKER_NAME + " FROM " + Tables.SESSIONS_SPEAKERS + " INNER JOIN " + Tables.SPEAKERS + " ON " + Qualified.SESSIONS_SPEAKERS_SPEAKER_ID + "=" + Qualified.SPEAKERS_SPEAKER_ID + ") t" // Grand finale + " ON s." + Sessions.SESSION_ID + "=t." + Sessions.SESSION_ID + " GROUP BY s." + Sessions.SESSION_ID); } @Override public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) { LOGD(TAG, "onUpgrade() from " + oldVersion + " to " + newVersion); // Cancel any sync currently in progress Account account = AccountUtils.getChosenAccount(mContext); if (account != null) { LOGI(TAG, "Cancelling any pending syncs for for account"); ContentResolver.cancelSync(account, ScheduleContract.CONTENT_AUTHORITY); } // NOTE: This switch statement is designed to handle cascading database // updates, starting at the current version and falling through to all // future upgrade cases. Only use "break;" when you want to drop and // recreate the entire database. int version = oldVersion; switch (version) { // Note: Data from prior years not preserved. case VER_2013_LAUNCH: LOGI(TAG, "Performing migration for DB version " + version); // Reset BLOCKS table db.execSQL("DELETE FROM " + Tables.BLOCKS); // Reset MapMarkers table db.execSQL("DROP TABLE IF EXISTS " + Tables.MAPMARKERS); // Apply new schema changes doMigration2013RM2(db); case VER_2013_RM2: version = VER_2013_RM2; LOGI(TAG, "DB at version " + version); // Current version, no further action necessary } LOGD(TAG, "after upgrade logic, at version " + version); if (version != DATABASE_VERSION) { LOGW(TAG, "Destroying old data during upgrade"); db.execSQL("DROP TABLE IF EXISTS " + Tables.BLOCKS); db.execSQL("DROP TABLE IF EXISTS " + Tables.TRACKS); db.execSQL("DROP TABLE IF EXISTS " + Tables.ROOMS); db.execSQL("DROP TABLE IF EXISTS " + Tables.SESSIONS); db.execSQL("DROP TABLE IF EXISTS " + Tables.SPEAKERS); db.execSQL("DROP TABLE IF EXISTS " + Tables.SESSIONS_SPEAKERS); db.execSQL("DROP TABLE IF EXISTS " + Tables.SESSIONS_TRACKS); db.execSQL("DROP TABLE IF EXISTS " + Tables.SANDBOX); db.execSQL("DROP TABLE IF EXISTS " + Tables.ANNOUNCEMENTS); db.execSQL("DROP TABLE IF EXISTS " + Tables.FEEDBACK); db.execSQL("DROP TRIGGER IF EXISTS " + Triggers.SESSIONS_TRACKS_DELETE); db.execSQL("DROP TRIGGER IF EXISTS " + Triggers.SESSIONS_SPEAKERS_DELETE); db.execSQL("DROP TRIGGER IF EXISTS " + Triggers.SESSIONS_FEEDBACK_DELETE); db.execSQL("DROP TABLE IF EXISTS " + Tables.SESSIONS_SEARCH); db.execSQL("DROP TABLE IF EXISTS " + Tables.SEARCH_SUGGEST); db.execSQL("DROP TABLE IF EXISTS " + Tables.MAPMARKERS); db.execSQL("DROP TABLE IF EXISTS " + Tables.MAPTILES); onCreate(db); } if (account != null) { LOGI(TAG, "DB upgrade complete. Requesting resync."); SyncHelper.requestManualSync(account); } } public static void deleteDatabase(Context context) { context.deleteDatabase(DATABASE_NAME); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.provider; import com.google.android.apps.iosched.appwidget.ScheduleWidgetProvider; import com.google.android.apps.iosched.provider.ScheduleContract.Announcements; import com.google.android.apps.iosched.provider.ScheduleContract.Blocks; import com.google.android.apps.iosched.provider.ScheduleContract.Feedback; import com.google.android.apps.iosched.provider.ScheduleContract.MapMarkers; import com.google.android.apps.iosched.provider.ScheduleContract.MapTiles; import com.google.android.apps.iosched.provider.ScheduleContract.Rooms; import com.google.android.apps.iosched.provider.ScheduleContract.SearchSuggest; import com.google.android.apps.iosched.provider.ScheduleContract.Sessions; import com.google.android.apps.iosched.provider.ScheduleContract.Speakers; import com.google.android.apps.iosched.provider.ScheduleContract.Tracks; import com.google.android.apps.iosched.provider.ScheduleContract.Sandbox; import com.google.android.apps.iosched.provider.ScheduleDatabase.SessionsSearchColumns; import com.google.android.apps.iosched.provider.ScheduleDatabase.SessionsSpeakers; import com.google.android.apps.iosched.provider.ScheduleDatabase.SessionsTracks; import com.google.android.apps.iosched.provider.ScheduleDatabase.Tables; import com.google.android.apps.iosched.util.SelectionBuilder; import android.app.Activity; import android.app.SearchManager; import android.content.ContentProvider; import android.content.ContentProviderOperation; import android.content.ContentProviderResult; import android.content.ContentValues; import android.content.Context; import android.content.OperationApplicationException; import android.content.UriMatcher; import android.database.Cursor; import android.database.sqlite.SQLiteDatabase; import android.net.Uri; import android.os.ParcelFileDescriptor; import android.provider.BaseColumns; import android.text.TextUtils; import java.io.FileNotFoundException; import java.util.ArrayList; import java.util.Arrays; import java.util.List; import static com.google.android.apps.iosched.util.LogUtils.LOGV; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * Provider that stores {@link ScheduleContract} data. Data is usually inserted * by {@link com.google.android.apps.iosched.sync.SyncHelper}, and queried by various * {@link Activity} instances. */ public class ScheduleProvider extends ContentProvider { private static final String TAG = makeLogTag(ScheduleProvider.class); private ScheduleDatabase mOpenHelper; private static final UriMatcher sUriMatcher = buildUriMatcher(); private static final int BLOCKS = 100; private static final int BLOCKS_BETWEEN = 101; private static final int BLOCKS_ID = 102; private static final int BLOCKS_ID_SESSIONS = 103; private static final int BLOCKS_ID_SESSIONS_STARRED = 104; private static final int TRACKS = 200; private static final int TRACKS_ID = 201; private static final int TRACKS_ID_SESSIONS = 202; private static final int TRACKS_ID_SANDBOX = 203; private static final int ROOMS = 300; private static final int ROOMS_ID = 301; private static final int ROOMS_ID_SESSIONS = 302; private static final int SESSIONS = 400; private static final int SESSIONS_STARRED = 401; private static final int SESSIONS_WITH_TRACK = 402; private static final int SESSIONS_SEARCH = 403; private static final int SESSIONS_AT = 404; private static final int SESSIONS_ID = 405; private static final int SESSIONS_ID_SPEAKERS = 406; private static final int SESSIONS_ID_TRACKS = 407; private static final int SESSIONS_ID_WITH_TRACK = 408; private static final int SESSIONS_ROOM_AFTER = 410; private static final int SPEAKERS = 500; private static final int SPEAKERS_ID = 501; private static final int SPEAKERS_ID_SESSIONS = 502; private static final int SANDBOX = 600; private static final int SANDBOX_SEARCH = 603; private static final int SANDBOX_ID = 604; private static final int ANNOUNCEMENTS = 700; private static final int ANNOUNCEMENTS_ID = 701; private static final int SEARCH_SUGGEST = 800; private static final int SEARCH_INDEX = 801; private static final int MAPMARKERS = 900; private static final int MAPMARKERS_FLOOR = 901; private static final int MAPMARKERS_ID = 902; private static final int MAPTILES = 1000; private static final int MAPTILES_FLOOR = 1001; private static final int FEEDBACK_ALL = 1002; private static final int FEEDBACK_FOR_SESSION = 1003; /** * Build and return a {@link UriMatcher} that catches all {@link Uri} * variations supported by this {@link ContentProvider}. */ private static UriMatcher buildUriMatcher() { final UriMatcher matcher = new UriMatcher(UriMatcher.NO_MATCH); final String authority = ScheduleContract.CONTENT_AUTHORITY; matcher.addURI(authority, "blocks", BLOCKS); matcher.addURI(authority, "blocks/between/*/*", BLOCKS_BETWEEN); matcher.addURI(authority, "blocks/*", BLOCKS_ID); matcher.addURI(authority, "blocks/*/sessions", BLOCKS_ID_SESSIONS); matcher.addURI(authority, "blocks/*/sessions/starred", BLOCKS_ID_SESSIONS_STARRED); matcher.addURI(authority, "tracks", TRACKS); matcher.addURI(authority, "tracks/*", TRACKS_ID); matcher.addURI(authority, "tracks/*/sessions", TRACKS_ID_SESSIONS); matcher.addURI(authority, "tracks/*/sandbox", TRACKS_ID_SANDBOX); matcher.addURI(authority, "rooms", ROOMS); matcher.addURI(authority, "rooms/*", ROOMS_ID); matcher.addURI(authority, "rooms/*/sessions", ROOMS_ID_SESSIONS); matcher.addURI(authority, "sessions", SESSIONS); matcher.addURI(authority, "sessions/starred", SESSIONS_STARRED); matcher.addURI(authority, "sessions/with_track", SESSIONS_WITH_TRACK); matcher.addURI(authority, "sessions/search/*", SESSIONS_SEARCH); matcher.addURI(authority, "sessions/at/*", SESSIONS_AT); matcher.addURI(authority, "sessions/room/*/after/*", SESSIONS_ROOM_AFTER); matcher.addURI(authority, "sessions/*", SESSIONS_ID); matcher.addURI(authority, "sessions/*/speakers", SESSIONS_ID_SPEAKERS); matcher.addURI(authority, "sessions/*/tracks", SESSIONS_ID_TRACKS); matcher.addURI(authority, "sessions/*/with_track", SESSIONS_ID_WITH_TRACK); matcher.addURI(authority, "speakers", SPEAKERS); matcher.addURI(authority, "speakers/*", SPEAKERS_ID); matcher.addURI(authority, "speakers/*/sessions", SPEAKERS_ID_SESSIONS); matcher.addURI(authority, "sandbox", SANDBOX); matcher.addURI(authority, "sandbox/search/*", SANDBOX_SEARCH); matcher.addURI(authority, "sandbox/*", SANDBOX_ID); matcher.addURI(authority, "announcements", ANNOUNCEMENTS); matcher.addURI(authority, "announcements/*", ANNOUNCEMENTS_ID); matcher.addURI(authority, "search_suggest_query", SEARCH_SUGGEST); matcher.addURI(authority, "search_index", SEARCH_INDEX); // 'update' only matcher.addURI(authority, "mapmarkers", MAPMARKERS); matcher.addURI(authority, "mapmarkers/floor/*", MAPMARKERS_FLOOR); matcher.addURI(authority, "mapmarkers/*", MAPMARKERS_ID); matcher.addURI(authority, "maptiles", MAPTILES); matcher.addURI(authority, "maptiles/*", MAPTILES_FLOOR); matcher.addURI(authority, "feedback/*", FEEDBACK_FOR_SESSION); matcher.addURI(authority, "feedback*", FEEDBACK_ALL); matcher.addURI(authority, "feedback", FEEDBACK_ALL); return matcher; } @Override public boolean onCreate() { mOpenHelper = new ScheduleDatabase(getContext()); return true; } private void deleteDatabase() { // TODO: wait for content provider operations to finish, then tear down mOpenHelper.close(); Context context = getContext(); ScheduleDatabase.deleteDatabase(context); mOpenHelper = new ScheduleDatabase(getContext()); } /** {@inheritDoc} */ @Override public String getType(Uri uri) { final int match = sUriMatcher.match(uri); switch (match) { case BLOCKS: return Blocks.CONTENT_TYPE; case BLOCKS_BETWEEN: return Blocks.CONTENT_TYPE; case BLOCKS_ID: return Blocks.CONTENT_ITEM_TYPE; case BLOCKS_ID_SESSIONS: return Sessions.CONTENT_TYPE; case BLOCKS_ID_SESSIONS_STARRED: return Sessions.CONTENT_TYPE; case TRACKS: return Tracks.CONTENT_TYPE; case TRACKS_ID: return Tracks.CONTENT_ITEM_TYPE; case TRACKS_ID_SESSIONS: return Sessions.CONTENT_TYPE; case TRACKS_ID_SANDBOX: return Sandbox.CONTENT_TYPE; case ROOMS: return Rooms.CONTENT_TYPE; case ROOMS_ID: return Rooms.CONTENT_ITEM_TYPE; case ROOMS_ID_SESSIONS: return Sessions.CONTENT_TYPE; case SESSIONS: return Sessions.CONTENT_TYPE; case SESSIONS_STARRED: return Sessions.CONTENT_TYPE; case SESSIONS_WITH_TRACK: return Sessions.CONTENT_TYPE; case SESSIONS_SEARCH: return Sessions.CONTENT_TYPE; case SESSIONS_AT: return Sessions.CONTENT_TYPE; case SESSIONS_ID: return Sessions.CONTENT_ITEM_TYPE; case SESSIONS_ID_SPEAKERS: return Speakers.CONTENT_TYPE; case SESSIONS_ID_TRACKS: return Tracks.CONTENT_TYPE; case SESSIONS_ID_WITH_TRACK: return Sessions.CONTENT_TYPE; case SESSIONS_ROOM_AFTER: return Sessions.CONTENT_TYPE; case SPEAKERS: return Speakers.CONTENT_TYPE; case SPEAKERS_ID: return Speakers.CONTENT_ITEM_TYPE; case SPEAKERS_ID_SESSIONS: return Sessions.CONTENT_TYPE; case SANDBOX: return Sandbox.CONTENT_TYPE; case SANDBOX_SEARCH: return ScheduleContract.Sandbox.CONTENT_TYPE; case SANDBOX_ID: return ScheduleContract.Sandbox.CONTENT_ITEM_TYPE; case ANNOUNCEMENTS: return Announcements.CONTENT_TYPE; case ANNOUNCEMENTS_ID: return Announcements.CONTENT_ITEM_TYPE; case MAPMARKERS: return MapMarkers.CONTENT_TYPE; case MAPMARKERS_FLOOR: return MapMarkers.CONTENT_TYPE; case MAPMARKERS_ID: return MapMarkers.CONTENT_ITEM_TYPE; case MAPTILES: return MapTiles.CONTENT_TYPE; case MAPTILES_FLOOR: return MapTiles.CONTENT_ITEM_TYPE; case FEEDBACK_FOR_SESSION: return Feedback.CONTENT_ITEM_TYPE; case FEEDBACK_ALL: return Feedback.CONTENT_TYPE; default: throw new UnsupportedOperationException("Unknown uri: " + uri); } } /** {@inheritDoc} */ @Override public Cursor query(Uri uri, String[] projection, String selection, String[] selectionArgs, String sortOrder) { LOGV(TAG, "query(uri=" + uri + ", proj=" + Arrays.toString(projection) + ")"); final SQLiteDatabase db = mOpenHelper.getReadableDatabase(); String uriFilter = uri.getQueryParameter(Sessions.QUERY_PARAMETER_FILTER); final int match = sUriMatcher.match(uri); switch (match) { default: { // Most cases are handled with simple SelectionBuilder final SelectionBuilder builder = buildExpandedSelection(uri, match); // If a special filter was specified, try to apply it if (!TextUtils.isEmpty(uriFilter)) { if (Sessions.QUERY_VALUE_FILTER_SESSIONS_CODELABS_ONLY.equals(uriFilter)) { builder.where(Sessions.SESSION_TYPE + " NOT IN ('" + Sessions.SESSION_TYPE_OFFICE_HOURS + "','" + Sessions.SESSION_TYPE_KEYNOTE + "')"); } else if (Sessions.QUERY_VALUE_FILTER_OFFICE_HOURS_ONLY.equals(uriFilter)) { builder.where(Sessions.SESSION_TYPE + " = ?", Sessions.SESSION_TYPE_OFFICE_HOURS); } } return builder.where(selection, selectionArgs).query(db, projection, sortOrder); } case SEARCH_SUGGEST: { final SelectionBuilder builder = new SelectionBuilder(); // Adjust incoming query to become SQL text match selectionArgs[0] = selectionArgs[0] + "%"; builder.table(Tables.SEARCH_SUGGEST); builder.where(selection, selectionArgs); builder.map(SearchManager.SUGGEST_COLUMN_QUERY, SearchManager.SUGGEST_COLUMN_TEXT_1); projection = new String[] { BaseColumns._ID, SearchManager.SUGGEST_COLUMN_TEXT_1, SearchManager.SUGGEST_COLUMN_QUERY }; final String limit = uri.getQueryParameter(SearchManager.SUGGEST_PARAMETER_LIMIT); return builder.query(db, projection, null, null, SearchSuggest.DEFAULT_SORT, limit); } } } /** {@inheritDoc} */ @Override public Uri insert(Uri uri, ContentValues values) { LOGV(TAG, "insert(uri=" + uri + ", values=" + values.toString() + ")"); final SQLiteDatabase db = mOpenHelper.getWritableDatabase(); final int match = sUriMatcher.match(uri); boolean syncToNetwork = !ScheduleContract.hasCallerIsSyncAdapterParameter(uri); switch (match) { case BLOCKS: { db.insertOrThrow(Tables.BLOCKS, null, values); notifyChange(uri, syncToNetwork); return Blocks.buildBlockUri(values.getAsString(Blocks.BLOCK_ID)); } case TRACKS: { db.insertOrThrow(Tables.TRACKS, null, values); notifyChange(uri, syncToNetwork); return Tracks.buildTrackUri(values.getAsString(Tracks.TRACK_ID)); } case ROOMS: { db.insertOrThrow(Tables.ROOMS, null, values); notifyChange(uri, syncToNetwork); return Rooms.buildRoomUri(values.getAsString(Rooms.ROOM_ID)); } case SESSIONS: { db.insertOrThrow(Tables.SESSIONS, null, values); notifyChange(uri, syncToNetwork); return Sessions.buildSessionUri(values.getAsString(Sessions.SESSION_ID)); } case SESSIONS_ID_SPEAKERS: { db.insertOrThrow(Tables.SESSIONS_SPEAKERS, null, values); notifyChange(uri, syncToNetwork); return Speakers.buildSpeakerUri(values.getAsString(SessionsSpeakers.SPEAKER_ID)); } case SESSIONS_ID_TRACKS: { db.insertOrThrow(Tables.SESSIONS_TRACKS, null, values); notifyChange(uri, syncToNetwork); return Tracks.buildTrackUri(values.getAsString(SessionsTracks.TRACK_ID)); } case SPEAKERS: { db.insertOrThrow(Tables.SPEAKERS, null, values); notifyChange(uri, syncToNetwork); return Speakers.buildSpeakerUri(values.getAsString(Speakers.SPEAKER_ID)); } case SANDBOX: { db.insertOrThrow(Tables.SANDBOX, null, values); notifyChange(uri, syncToNetwork); return Sandbox.buildCompanyUri(values.getAsString(Sandbox.COMPANY_ID)); } case ANNOUNCEMENTS: { db.insertOrThrow(Tables.ANNOUNCEMENTS, null, values); notifyChange(uri, syncToNetwork); return Announcements.buildAnnouncementUri(values .getAsString(Announcements.ANNOUNCEMENT_ID)); } case SEARCH_SUGGEST: { db.insertOrThrow(Tables.SEARCH_SUGGEST, null, values); notifyChange(uri, syncToNetwork); return SearchSuggest.CONTENT_URI; } case MAPMARKERS: { db.insertOrThrow(Tables.MAPMARKERS, null, values); notifyChange(uri, syncToNetwork); return MapMarkers.buildMarkerUri(values.getAsString(MapMarkers.MARKER_ID)); } case MAPTILES: { db.insertOrThrow(Tables.MAPTILES, null, values); notifyChange(uri, syncToNetwork); return MapTiles.buildFloorUri(values.getAsString(MapTiles.TILE_FLOOR)); } case FEEDBACK_FOR_SESSION: { db.insertOrThrow(Tables.FEEDBACK, null, values); notifyChange(uri, syncToNetwork); return Feedback.buildFeedbackUri(values.getAsString(Feedback.SESSION_ID)); } default: { throw new UnsupportedOperationException("Unknown uri: " + uri); } } } /** {@inheritDoc} */ @Override public int update(Uri uri, ContentValues values, String selection, String[] selectionArgs) { LOGV(TAG, "update(uri=" + uri + ", values=" + values.toString() + ")"); final SQLiteDatabase db = mOpenHelper.getWritableDatabase(); final int match = sUriMatcher.match(uri); if (match == SEARCH_INDEX) { // update the search index ScheduleDatabase.updateSessionSearchIndex(db); return 1; } final SelectionBuilder builder = buildSimpleSelection(uri); int retVal = builder.where(selection, selectionArgs).update(db, values); boolean syncToNetwork = !ScheduleContract.hasCallerIsSyncAdapterParameter(uri); notifyChange(uri, syncToNetwork); return retVal; } /** {@inheritDoc} */ @Override public int delete(Uri uri, String selection, String[] selectionArgs) { LOGV(TAG, "delete(uri=" + uri + ")"); if (uri == ScheduleContract.BASE_CONTENT_URI) { // Handle whole database deletes (e.g. when signing out) deleteDatabase(); notifyChange(uri, false); return 1; } final SQLiteDatabase db = mOpenHelper.getWritableDatabase(); final SelectionBuilder builder = buildSimpleSelection(uri); int retVal = builder.where(selection, selectionArgs).delete(db); notifyChange(uri, !ScheduleContract.hasCallerIsSyncAdapterParameter(uri)); return retVal; } private void notifyChange(Uri uri, boolean syncToNetwork) { Context context = getContext(); context.getContentResolver().notifyChange(uri, null, syncToNetwork); // Widgets can't register content observers so we refresh widgets separately. context.sendBroadcast(ScheduleWidgetProvider.getRefreshBroadcastIntent(context, false)); } /** * Apply the given set of {@link ContentProviderOperation}, executing inside * a {@link SQLiteDatabase} transaction. All changes will be rolled back if * any single one fails. */ @Override public ContentProviderResult[] applyBatch(ArrayList<ContentProviderOperation> operations) throws OperationApplicationException { final SQLiteDatabase db = mOpenHelper.getWritableDatabase(); db.beginTransaction(); try { final int numOperations = operations.size(); final ContentProviderResult[] results = new ContentProviderResult[numOperations]; for (int i = 0; i < numOperations; i++) { results[i] = operations.get(i).apply(this, results, i); } db.setTransactionSuccessful(); return results; } finally { db.endTransaction(); } } /** * Build a simple {@link SelectionBuilder} to match the requested * {@link Uri}. This is usually enough to support {@link #insert}, * {@link #update}, and {@link #delete} operations. */ private SelectionBuilder buildSimpleSelection(Uri uri) { final SelectionBuilder builder = new SelectionBuilder(); final int match = sUriMatcher.match(uri); switch (match) { case BLOCKS: { return builder.table(Tables.BLOCKS); } case BLOCKS_ID: { final String blockId = Blocks.getBlockId(uri); return builder.table(Tables.BLOCKS) .where(Blocks.BLOCK_ID + "=?", blockId); } case TRACKS: { return builder.table(Tables.TRACKS); } case TRACKS_ID: { final String trackId = Tracks.getTrackId(uri); return builder.table(Tables.TRACKS) .where(Tracks.TRACK_ID + "=?", trackId); } case ROOMS: { return builder.table(Tables.ROOMS); } case ROOMS_ID: { final String roomId = Rooms.getRoomId(uri); return builder.table(Tables.ROOMS) .where(Rooms.ROOM_ID + "=?", roomId); } case SESSIONS: { return builder.table(Tables.SESSIONS); } case SESSIONS_ID: { final String sessionId = Sessions.getSessionId(uri); return builder.table(Tables.SESSIONS) .where(Sessions.SESSION_ID + "=?", sessionId); } case SESSIONS_ID_SPEAKERS: { final String sessionId = Sessions.getSessionId(uri); return builder.table(Tables.SESSIONS_SPEAKERS) .where(Sessions.SESSION_ID + "=?", sessionId); } case SESSIONS_ID_TRACKS: { final String sessionId = Sessions.getSessionId(uri); return builder.table(Tables.SESSIONS_TRACKS) .where(Sessions.SESSION_ID + "=?", sessionId); } case SPEAKERS: { return builder.table(Tables.SPEAKERS); } case SPEAKERS_ID: { final String speakerId = Speakers.getSpeakerId(uri); return builder.table(Tables.SPEAKERS) .where(Speakers.SPEAKER_ID + "=?", speakerId); } case SANDBOX: { return builder.table(Tables.SANDBOX); } case SANDBOX_ID: { final String companyId = ScheduleContract.Sandbox.getCompanyId(uri); return builder.table(Tables.SANDBOX) .where(Sandbox.COMPANY_ID + "=?", companyId); } case ANNOUNCEMENTS: { return builder.table(Tables.ANNOUNCEMENTS); } case ANNOUNCEMENTS_ID: { final String announcementId = Announcements.getAnnouncementId(uri); return builder.table(Tables.ANNOUNCEMENTS) .where(Announcements.ANNOUNCEMENT_ID + "=?", announcementId); } case MAPMARKERS: { return builder.table(Tables.MAPMARKERS); } case MAPMARKERS_FLOOR: { final String floor = MapMarkers.getMarkerFloor(uri); return builder.table(Tables.MAPMARKERS) .where(MapMarkers.MARKER_FLOOR+ "=?", floor); } case MAPMARKERS_ID: { final String markerId = MapMarkers.getMarkerId(uri); return builder.table(Tables.MAPMARKERS) .where(MapMarkers.MARKER_ID+ "=?", markerId); } case MAPTILES: { return builder.table(Tables.MAPTILES); } case MAPTILES_FLOOR: { final String floor = MapTiles.getFloorId(uri); return builder.table(Tables.MAPTILES) .where(MapTiles.TILE_FLOOR+ "=?", floor); } case SEARCH_SUGGEST: { return builder.table(Tables.SEARCH_SUGGEST); } case FEEDBACK_FOR_SESSION: { final String session_id = Feedback.getSessionId(uri); return builder.table(Tables.FEEDBACK) .where(Feedback.SESSION_ID + "=?", session_id); } case FEEDBACK_ALL: { return builder.table(Tables.FEEDBACK); } default: { throw new UnsupportedOperationException("Unknown uri for " + match + ": " + uri); } } } /** * Build an advanced {@link SelectionBuilder} to match the requested * {@link Uri}. This is usually only used by {@link #query}, since it * performs table joins useful for {@link Cursor} data. */ private SelectionBuilder buildExpandedSelection(Uri uri, int match) { final SelectionBuilder builder = new SelectionBuilder(); switch (match) { case BLOCKS: { return builder .table(Tables.BLOCKS) .map(Blocks.SESSIONS_COUNT, Subquery.BLOCK_SESSIONS_COUNT) .map(Blocks.NUM_STARRED_SESSIONS, Subquery.BLOCK_NUM_STARRED_SESSIONS) .map(Blocks.NUM_LIVESTREAMED_SESSIONS, Subquery.BLOCK_NUM_LIVESTREAMED_SESSIONS) .map(Blocks.STARRED_SESSION_ID, Subquery.BLOCK_STARRED_SESSION_ID) .map(Blocks.STARRED_SESSION_TITLE, Subquery.BLOCK_STARRED_SESSION_TITLE) .map(Blocks.STARRED_SESSION_HASHTAGS, Subquery.BLOCK_STARRED_SESSION_HASHTAGS) .map(Blocks.STARRED_SESSION_URL, Subquery.BLOCK_STARRED_SESSION_URL) .map(Blocks.STARRED_SESSION_LIVESTREAM_URL, Subquery.BLOCK_STARRED_SESSION_LIVESTREAM_URL) .map(Blocks.STARRED_SESSION_ROOM_NAME, Subquery.BLOCK_STARRED_SESSION_ROOM_NAME) .map(Blocks.STARRED_SESSION_ROOM_ID, Subquery.BLOCK_STARRED_SESSION_ROOM_ID); } case BLOCKS_BETWEEN: { final List<String> segments = uri.getPathSegments(); final String startTime = segments.get(2); final String endTime = segments.get(3); return builder.table(Tables.BLOCKS) .map(Blocks.SESSIONS_COUNT, Subquery.BLOCK_SESSIONS_COUNT) .map(Blocks.NUM_STARRED_SESSIONS, Subquery.BLOCK_NUM_STARRED_SESSIONS) .map(Blocks.NUM_LIVESTREAMED_SESSIONS, Subquery.BLOCK_NUM_LIVESTREAMED_SESSIONS) .where(Blocks.BLOCK_START + ">=?", startTime) .where(Blocks.BLOCK_START + "<=?", endTime); } case BLOCKS_ID: { final String blockId = Blocks.getBlockId(uri); return builder.table(Tables.BLOCKS) .map(Blocks.SESSIONS_COUNT, Subquery.BLOCK_SESSIONS_COUNT) .map(Blocks.NUM_STARRED_SESSIONS, Subquery.BLOCK_NUM_STARRED_SESSIONS) .map(Blocks.NUM_LIVESTREAMED_SESSIONS, Subquery.BLOCK_NUM_LIVESTREAMED_SESSIONS) .where(Blocks.BLOCK_ID + "=?", blockId); } case BLOCKS_ID_SESSIONS: { final String blockId = Blocks.getBlockId(uri); return builder.table(Tables.SESSIONS_JOIN_BLOCKS_ROOMS) .map(Blocks.SESSIONS_COUNT, Subquery.BLOCK_SESSIONS_COUNT) .map(Blocks.NUM_STARRED_SESSIONS, Subquery.BLOCK_NUM_STARRED_SESSIONS) .map(Blocks.NUM_LIVESTREAMED_SESSIONS, Subquery.BLOCK_NUM_LIVESTREAMED_SESSIONS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.SESSION_ID, Tables.SESSIONS) .mapToTable(Sessions.BLOCK_ID, Tables.SESSIONS) .mapToTable(Sessions.ROOM_ID, Tables.SESSIONS) .where(Qualified.SESSIONS_BLOCK_ID + "=?", blockId); } case BLOCKS_ID_SESSIONS_STARRED: { final String blockId = Blocks.getBlockId(uri); return builder.table(Tables.SESSIONS_JOIN_BLOCKS_ROOMS) .map(Blocks.SESSIONS_COUNT, Subquery.BLOCK_SESSIONS_COUNT) .map(Blocks.NUM_STARRED_SESSIONS, Subquery.BLOCK_NUM_STARRED_SESSIONS) .map(Blocks.NUM_LIVESTREAMED_SESSIONS, Subquery.BLOCK_NUM_LIVESTREAMED_SESSIONS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.SESSION_ID, Tables.SESSIONS) .mapToTable(Sessions.BLOCK_ID, Tables.SESSIONS) .mapToTable(Sessions.ROOM_ID, Tables.SESSIONS) .where(Qualified.SESSIONS_BLOCK_ID + "=?", blockId) .where(Qualified.SESSIONS_STARRED + "=1"); } case TRACKS: { return builder.table(Tables.TRACKS) .map(Tracks.SESSIONS_COUNT, Subquery.TRACK_SESSIONS_COUNT) .map(Tracks.OFFICE_HOURS_COUNT, Subquery.TRACK_OFFICE_HOURS_COUNT) .map(Tracks.SANDBOX_COUNT, Subquery.TRACK_SANDBOX_COUNT); } case TRACKS_ID: { final String trackId = Tracks.getTrackId(uri); return builder.table(Tables.TRACKS) .where(Tracks.TRACK_ID + "=?", trackId); } case TRACKS_ID_SESSIONS: { final String trackId = Tracks.getTrackId(uri); return builder.table(Tables.SESSIONS_TRACKS_JOIN_SESSIONS_BLOCKS_ROOMS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.SESSION_ID, Tables.SESSIONS) .mapToTable(Sessions.BLOCK_ID, Tables.SESSIONS) .mapToTable(Sessions.ROOM_ID, Tables.SESSIONS) .where(Qualified.SESSIONS_TRACKS_TRACK_ID + "=?", trackId); } case TRACKS_ID_SANDBOX: { final String trackId = Tracks.getTrackId(uri); return builder.table(Tables.SANDBOX_JOIN_TRACKS_BLOCKS_ROOMS) .mapToTable(ScheduleContract.Sandbox._ID, Tables.SANDBOX) .mapToTable(Sandbox.TRACK_ID, Tables.SANDBOX) .mapToTable(ScheduleContract.Sandbox.BLOCK_ID, Tables.BLOCKS) .mapToTable(Sandbox.ROOM_ID, Tables.ROOMS) .where(Qualified.SANDBOX_TRACK_ID + "=?", trackId); } case ROOMS: { return builder.table(Tables.ROOMS); } case ROOMS_ID: { final String roomId = Rooms.getRoomId(uri); return builder.table(Tables.ROOMS) .where(Rooms.ROOM_ID + "=?", roomId); } case ROOMS_ID_SESSIONS: { final String roomId = Rooms.getRoomId(uri); return builder.table(Tables.SESSIONS_JOIN_BLOCKS_ROOMS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.BLOCK_ID, Tables.SESSIONS) .mapToTable(Sessions.ROOM_ID, Tables.SESSIONS) .where(Qualified.SESSIONS_ROOM_ID + "=?", roomId); } case SESSIONS: { return builder.table(Tables.SESSIONS_JOIN_BLOCKS_ROOMS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.BLOCK_ID, Tables.SESSIONS) .mapToTable(Sessions.ROOM_ID, Tables.SESSIONS); } case SESSIONS_STARRED: { return builder.table(Tables.SESSIONS_JOIN_BLOCKS_ROOMS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.BLOCK_ID, Tables.SESSIONS) .mapToTable(Sessions.ROOM_ID, Tables.SESSIONS) .where(Sessions.SESSION_STARRED + "=1"); } case SESSIONS_WITH_TRACK: { return builder.table(Tables.SESSIONS_JOIN_TRACKS_JOIN_BLOCKS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.SESSION_ID, Tables.SESSIONS) .mapToTable(Tracks.TRACK_ID, Tables.TRACKS) .mapToTable(Tracks.TRACK_NAME, Tables.TRACKS) .mapToTable(Blocks.BLOCK_ID, Tables.BLOCKS); } case SESSIONS_ID_WITH_TRACK: { final String sessionId = Sessions.getSessionId(uri); return builder.table(Tables.SESSIONS_JOIN_TRACKS_JOIN_BLOCKS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.SESSION_ID, Tables.SESSIONS) .mapToTable(Tracks.TRACK_ID, Tables.TRACKS) .mapToTable(Tracks.TRACK_NAME, Tables.TRACKS) .mapToTable(Blocks.BLOCK_ID, Tables.BLOCKS) .where(Qualified.SESSIONS_SESSION_ID + "=?", sessionId); } case SESSIONS_SEARCH: { final String query = Sessions.getSearchQuery(uri); return builder.table(Tables.SESSIONS_SEARCH_JOIN_SESSIONS_BLOCKS_ROOMS) .map(Sessions.SEARCH_SNIPPET, Subquery.SESSIONS_SNIPPET) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.SESSION_ID, Tables.SESSIONS) .mapToTable(Sessions.BLOCK_ID, Tables.SESSIONS) .mapToTable(Sessions.ROOM_ID, Tables.SESSIONS) .where(SessionsSearchColumns.BODY + " MATCH ?", query); } case SESSIONS_AT: { final List<String> segments = uri.getPathSegments(); final String time = segments.get(2); return builder.table(Tables.SESSIONS_JOIN_BLOCKS_ROOMS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.BLOCK_ID, Tables.SESSIONS) .mapToTable(Sessions.ROOM_ID, Tables.SESSIONS) .where(Sessions.BLOCK_START + "<=?", time) .where(Sessions.BLOCK_END + ">=?", time); } case SESSIONS_ID: { final String sessionId = Sessions.getSessionId(uri); return builder.table(Tables.SESSIONS_JOIN_BLOCKS_ROOMS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.BLOCK_ID, Tables.SESSIONS) .mapToTable(Sessions.ROOM_ID, Tables.SESSIONS) .where(Qualified.SESSIONS_SESSION_ID + "=?", sessionId); } case SESSIONS_ID_SPEAKERS: { final String sessionId = Sessions.getSessionId(uri); return builder.table(Tables.SESSIONS_SPEAKERS_JOIN_SPEAKERS) .mapToTable(Speakers._ID, Tables.SPEAKERS) .mapToTable(Speakers.SPEAKER_ID, Tables.SPEAKERS) .where(Qualified.SESSIONS_SPEAKERS_SESSION_ID + "=?", sessionId); } case SESSIONS_ID_TRACKS: { final String sessionId = Sessions.getSessionId(uri); return builder.table(Tables.SESSIONS_TRACKS_JOIN_TRACKS) .mapToTable(Tracks._ID, Tables.TRACKS) .mapToTable(Tracks.TRACK_ID, Tables.TRACKS) .where(Qualified.SESSIONS_TRACKS_SESSION_ID + "=?", sessionId); } case SESSIONS_ROOM_AFTER: { final String room = Sessions.getRoom(uri); final String time = Sessions.getAfter(uri); return builder.table(Tables.SESSIONS_JOIN_BLOCKS_ROOMS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.BLOCK_ID, Tables.SESSIONS) .mapToTable(Sessions.ROOM_ID, Tables.SESSIONS) .where(Qualified.SESSIONS_ROOM_ID+ "=?", room) .where("("+Sessions.BLOCK_START + "<= ? AND "+Sessions.BLOCK_END+">= ?) OR ("+Sessions.BLOCK_START+" >= ?)", time,time,time); } case SPEAKERS: { return builder.table(Tables.SPEAKERS); } case SPEAKERS_ID: { final String speakerId = Speakers.getSpeakerId(uri); return builder.table(Tables.SPEAKERS) .where(Speakers.SPEAKER_ID + "=?", speakerId); } case SPEAKERS_ID_SESSIONS: { final String speakerId = Speakers.getSpeakerId(uri); return builder.table(Tables.SESSIONS_SPEAKERS_JOIN_SESSIONS_BLOCKS_ROOMS) .mapToTable(Sessions._ID, Tables.SESSIONS) .mapToTable(Sessions.SESSION_ID, Tables.SESSIONS) .mapToTable(Sessions.BLOCK_ID, Tables.SESSIONS) .mapToTable(Sessions.ROOM_ID, Tables.SESSIONS) .where(Qualified.SESSIONS_SPEAKERS_SPEAKER_ID + "=?", speakerId); } case SANDBOX: { return builder.table(Tables.SANDBOX_JOIN_TRACKS_BLOCKS_ROOMS) .mapToTable(Sandbox._ID, Tables.SANDBOX) .mapToTable(Sandbox.TRACK_ID, Tables.SANDBOX) .mapToTable(Sandbox.BLOCK_ID, Tables.SANDBOX) .mapToTable(Sandbox.ROOM_ID, Tables.SANDBOX); } case SANDBOX_ID: { final String companyId = ScheduleContract.Sandbox.getCompanyId(uri); return builder.table(Tables.SANDBOX_JOIN_TRACKS_BLOCKS_ROOMS) .mapToTable(ScheduleContract.Sandbox._ID, Tables.SANDBOX) .mapToTable(Sandbox.TRACK_ID, Tables.SANDBOX) .mapToTable(Sandbox.BLOCK_ID, Tables.SANDBOX) .mapToTable(Sandbox.ROOM_ID, Tables.SANDBOX) .where(Sandbox.COMPANY_ID + "=?", companyId); } case ANNOUNCEMENTS: { return builder.table(Tables.ANNOUNCEMENTS); } case ANNOUNCEMENTS_ID: { final String announcementId = Announcements.getAnnouncementId(uri); return builder.table(Tables.ANNOUNCEMENTS) .where(Announcements.ANNOUNCEMENT_ID + "=?", announcementId); } case MAPMARKERS: { return builder.table(Tables.MAPMARKERS); } case MAPMARKERS_FLOOR: { final String floor = MapMarkers.getMarkerFloor(uri); return builder.table(Tables.MAPMARKERS) .where(MapMarkers.MARKER_FLOOR+ "=?", floor); } case MAPMARKERS_ID: { final String roomId = MapMarkers.getMarkerId(uri); return builder.table(Tables.MAPMARKERS) .where(MapMarkers.MARKER_ID+ "=?", roomId); } case MAPTILES: { return builder.table(Tables.MAPTILES); } case MAPTILES_FLOOR: { final String floor = MapTiles.getFloorId(uri); return builder.table(Tables.MAPTILES) .where(MapTiles.TILE_FLOOR+ "=?", floor); } case FEEDBACK_FOR_SESSION: { final String sessionId = Feedback.getSessionId(uri); return builder.table(Tables.FEEDBACK) .where(Feedback.SESSION_ID + "=?", sessionId); } case FEEDBACK_ALL: { return builder.table(Tables.FEEDBACK); } default: { throw new UnsupportedOperationException("Unknown uri: " + uri); } } } @Override public ParcelFileDescriptor openFile(Uri uri, String mode) throws FileNotFoundException { final int match = sUriMatcher.match(uri); switch (match) { default: { throw new UnsupportedOperationException("Unknown uri: " + uri); } } } private interface Subquery { String BLOCK_SESSIONS_COUNT = "(SELECT COUNT(" + Qualified.SESSIONS_SESSION_ID + ") FROM " + Tables.SESSIONS + " WHERE " + Qualified.SESSIONS_BLOCK_ID + "=" + Qualified.BLOCKS_BLOCK_ID + ")"; String BLOCK_NUM_STARRED_SESSIONS = "(SELECT COUNT(1) FROM " + Tables.SESSIONS + " WHERE " + Qualified.SESSIONS_BLOCK_ID + "=" + Qualified.BLOCKS_BLOCK_ID + " AND " + Qualified.SESSIONS_STARRED + "=1)"; String BLOCK_NUM_LIVESTREAMED_SESSIONS = "(SELECT COUNT(1) FROM " + Tables.SESSIONS + " WHERE " + Qualified.SESSIONS_BLOCK_ID + "=" + Qualified.BLOCKS_BLOCK_ID + " AND IFNULL(" + Qualified.SESSIONS_LIVESTREAM_URL + ",'')!='')"; String BLOCK_STARRED_SESSION_ID = "(SELECT " + Qualified.SESSIONS_SESSION_ID + " FROM " + Tables.SESSIONS + " WHERE " + Qualified.SESSIONS_BLOCK_ID + "=" + Qualified.BLOCKS_BLOCK_ID + " AND " + Qualified.SESSIONS_STARRED + "=1 " + "ORDER BY " + Qualified.SESSIONS_TITLE + ")"; String BLOCK_STARRED_SESSION_TITLE = "(SELECT " + Qualified.SESSIONS_TITLE + " FROM " + Tables.SESSIONS + " WHERE " + Qualified.SESSIONS_BLOCK_ID + "=" + Qualified.BLOCKS_BLOCK_ID + " AND " + Qualified.SESSIONS_STARRED + "=1 " + "ORDER BY " + Qualified.SESSIONS_TITLE + ")"; String BLOCK_STARRED_SESSION_HASHTAGS = "(SELECT " + Qualified.SESSIONS_HASHTAGS + " FROM " + Tables.SESSIONS + " WHERE " + Qualified.SESSIONS_BLOCK_ID + "=" + Qualified.BLOCKS_BLOCK_ID + " AND " + Qualified.SESSIONS_STARRED + "=1 " + "ORDER BY " + Qualified.SESSIONS_TITLE + ")"; String BLOCK_STARRED_SESSION_URL = "(SELECT " + Qualified.SESSIONS_URL + " FROM " + Tables.SESSIONS + " WHERE " + Qualified.SESSIONS_BLOCK_ID + "=" + Qualified.BLOCKS_BLOCK_ID + " AND " + Qualified.SESSIONS_STARRED + "=1 " + "ORDER BY " + Qualified.SESSIONS_TITLE + ")"; String BLOCK_STARRED_SESSION_LIVESTREAM_URL = "(SELECT " + Qualified.SESSIONS_LIVESTREAM_URL + " FROM " + Tables.SESSIONS + " WHERE " + Qualified.SESSIONS_BLOCK_ID + "=" + Qualified.BLOCKS_BLOCK_ID + " AND " + Qualified.SESSIONS_STARRED + "=1 " + "ORDER BY " + Qualified.SESSIONS_TITLE + ")"; String BLOCK_STARRED_SESSION_ROOM_NAME = "(SELECT " + Qualified.ROOMS_ROOM_NAME + " FROM " + Tables.SESSIONS_JOIN_ROOMS + " WHERE " + Qualified.SESSIONS_BLOCK_ID + "=" + Qualified.BLOCKS_BLOCK_ID + " AND " + Qualified.SESSIONS_STARRED + "=1 " + "ORDER BY " + Qualified.SESSIONS_TITLE + ")"; String BLOCK_STARRED_SESSION_ROOM_ID = "(SELECT " + Qualified.ROOMS_ROOM_ID + " FROM " + Tables.SESSIONS_JOIN_ROOMS + " WHERE " + Qualified.SESSIONS_BLOCK_ID + "=" + Qualified.BLOCKS_BLOCK_ID + " AND " + Qualified.SESSIONS_STARRED + "=1 " + "ORDER BY " + Qualified.SESSIONS_TITLE + ")"; String TRACK_SESSIONS_COUNT = "(SELECT COUNT(" + Qualified.SESSIONS_TRACKS_SESSION_ID + ") FROM " + Tables.SESSIONS_TRACKS + " INNER JOIN " + Tables.SESSIONS + " ON " + Qualified.SESSIONS_SESSION_ID + "=" + Qualified.SESSIONS_TRACKS_SESSION_ID + " WHERE " + Qualified.SESSIONS_TRACKS_TRACK_ID + "=" + Qualified.TRACKS_TRACK_ID + " AND " + Qualified.SESSIONS_SESSION_TYPE + " != \"" + Sessions.SESSION_TYPE_OFFICE_HOURS + "\")"; String TRACK_OFFICE_HOURS_COUNT = "(SELECT COUNT(" + Qualified.SESSIONS_TRACKS_SESSION_ID + ") FROM " + Tables.SESSIONS_TRACKS + " INNER JOIN " + Tables.SESSIONS + " ON " + Qualified.SESSIONS_SESSION_ID + "=" + Qualified.SESSIONS_TRACKS_SESSION_ID + " WHERE " + Qualified.SESSIONS_TRACKS_TRACK_ID + "=" + Qualified.TRACKS_TRACK_ID + " AND " + Qualified.SESSIONS_SESSION_TYPE + " = \"" + Sessions.SESSION_TYPE_OFFICE_HOURS + "\")"; String TRACK_SANDBOX_COUNT = "(SELECT COUNT(" + Qualified.SANDBOX_COMPANY_ID + ") FROM " + Tables.SANDBOX + " WHERE " + Qualified.SANDBOX_TRACK_ID + "=" + Qualified.TRACKS_TRACK_ID + ")"; String SESSIONS_SNIPPET = "snippet(" + Tables.SESSIONS_SEARCH + ",'{','}','\u2026')"; } /** * {@link ScheduleContract} fields that are fully qualified with a specific * parent {@link Tables}. Used when needed to work around SQL ambiguity. */ private interface Qualified { String SESSIONS_SESSION_ID = Tables.SESSIONS + "." + Sessions.SESSION_ID; String SESSIONS_SESSION_TYPE = Tables.SESSIONS+ "." + Sessions.SESSION_TYPE; String SESSIONS_BLOCK_ID = Tables.SESSIONS + "." + Sessions.BLOCK_ID; String SESSIONS_ROOM_ID = Tables.SESSIONS + "." + Sessions.ROOM_ID; String SESSIONS_TRACKS_SESSION_ID = Tables.SESSIONS_TRACKS + "." + SessionsTracks.SESSION_ID; String SESSIONS_TRACKS_TRACK_ID = Tables.SESSIONS_TRACKS + "." + SessionsTracks.TRACK_ID; String SESSIONS_SPEAKERS_SESSION_ID = Tables.SESSIONS_SPEAKERS + "." + SessionsSpeakers.SESSION_ID; String SESSIONS_SPEAKERS_SPEAKER_ID = Tables.SESSIONS_SPEAKERS + "." + SessionsSpeakers.SPEAKER_ID; String SANDBOX_COMPANY_ID = Tables.SANDBOX + "." + Sandbox.COMPANY_ID; String SANDBOX_TRACK_ID = Tables.SANDBOX + "." + Sandbox.TRACK_ID; String SESSIONS_STARRED = Tables.SESSIONS + "." + Sessions.SESSION_STARRED; String SESSIONS_TITLE = Tables.SESSIONS + "." + Sessions.SESSION_TITLE; String SESSIONS_HASHTAGS = Tables.SESSIONS + "." + Sessions.SESSION_HASHTAGS; String SESSIONS_URL = Tables.SESSIONS + "." + Sessions.SESSION_URL; String SESSIONS_LIVESTREAM_URL = Tables.SESSIONS + "." + Sessions.SESSION_LIVESTREAM_URL; String ROOMS_ROOM_NAME = Tables.ROOMS + "." + Rooms.ROOM_NAME; String ROOMS_ROOM_ID = Tables.ROOMS + "." + Rooms.ROOM_ID; String TRACKS_TRACK_ID = Tables.TRACKS + "." + Tracks.TRACK_ID; String BLOCKS_BLOCK_ID = Tables.BLOCKS + "." + Blocks.BLOCK_ID; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.provider; import com.google.android.apps.iosched.util.ParserUtils; import android.app.SearchManager; import android.graphics.Color; import android.net.Uri; import android.provider.BaseColumns; import android.provider.ContactsContract; import android.text.TextUtils; import android.text.format.DateUtils; import java.util.List; /** * Contract class for interacting with {@link ScheduleProvider}. Unless * otherwise noted, all time-based fields are milliseconds since epoch and can * be compared against {@link System#currentTimeMillis()}. * <p> * The backing {@link android.content.ContentProvider} assumes that {@link Uri} * are generated using stronger {@link String} identifiers, instead of * {@code int} {@link BaseColumns#_ID} values, which are prone to shuffle during * sync. */ public class ScheduleContract { /** * Special value for {@link SyncColumns#UPDATED} indicating that an entry * has never been updated, or doesn't exist yet. */ public static final long UPDATED_NEVER = -2; /** * Special value for {@link SyncColumns#UPDATED} indicating that the last * update time is unknown, usually when inserted from a local file source. */ public static final long UPDATED_UNKNOWN = -1; public interface SyncColumns { /** Last time this entry was updated or synchronized. */ String UPDATED = "updated"; } interface BlocksColumns { /** Unique string identifying this block of time. */ String BLOCK_ID = "block_id"; /** Title describing this block of time. */ String BLOCK_TITLE = "block_title"; /** Time when this block starts. */ String BLOCK_START = "block_start"; /** Time when this block ends. */ String BLOCK_END = "block_end"; /** Type describing this block. */ String BLOCK_TYPE = "block_type"; /** Extra string metadata for the block. */ String BLOCK_META = "block_meta"; } interface TracksColumns { /** Unique string identifying this track. */ String TRACK_ID = "track_id"; /** Name describing this track. */ String TRACK_NAME = "track_name"; /** Color used to identify this track, in {@link Color#argb} format. */ String TRACK_COLOR = "track_color"; /** The level (1 being primary, 2 being secondary) of the track. */ String TRACK_LEVEL = "track_level"; /** The sort order of the track within the level. */ String TRACK_ORDER_IN_LEVEL = "track_order_in_level"; /** Type of meta-track this is, or 0 if not meta. */ String TRACK_META = "track_is_meta"; /** Type of track. */ String TRACK_ABSTRACT = "track_abstract"; /** Hashtag for track. */ String TRACK_HASHTAG = "track_hashtag"; } interface RoomsColumns { /** Unique string identifying this room. */ String ROOM_ID = "room_id"; /** Name describing this room. */ String ROOM_NAME = "room_name"; /** Building floor this room exists on. */ String ROOM_FLOOR = "room_floor"; } interface SessionsColumns { /** Unique string identifying this session. */ String SESSION_ID = "session_id"; /** The type of session (session, keynote, codelab, etc). */ String SESSION_TYPE = "session_type"; /** Difficulty level of the session. */ String SESSION_LEVEL = "session_level"; /** Title describing this track. */ String SESSION_TITLE = "session_title"; /** Body of text explaining this session in detail. */ String SESSION_ABSTRACT = "session_abstract"; /** Requirements that attendees should meet. */ String SESSION_REQUIREMENTS = "session_requirements"; /** Kewords/tags for this session. */ String SESSION_TAGS = "session_keywords"; /** Hashtag for this session. */ String SESSION_HASHTAGS = "session_hashtag"; /** Full URL to session online. */ String SESSION_URL = "session_url"; /** Full URL to YouTube. */ String SESSION_YOUTUBE_URL = "session_youtube_url"; /** Full URL to PDF. */ String SESSION_PDF_URL = "session_pdf_url"; /** Full URL to official session notes. */ String SESSION_NOTES_URL = "session_notes_url"; /** User-specific flag indicating starred status. */ String SESSION_STARRED = "session_starred"; /** Key for session Calendar event. (Used in ICS or above) */ String SESSION_CAL_EVENT_ID = "session_cal_event_id"; /** The YouTube live stream URL. */ String SESSION_LIVESTREAM_URL = "session_livestream_url"; /** The Moderator URL. */ String SESSION_MODERATOR_URL = "session_moderator_url"; } interface SpeakersColumns { /** Unique string identifying this speaker. */ String SPEAKER_ID = "speaker_id"; /** Name of this speaker. */ String SPEAKER_NAME = "speaker_name"; /** Profile photo of this speaker. */ String SPEAKER_IMAGE_URL = "speaker_image_url"; /** Company this speaker works for. */ String SPEAKER_COMPANY = "speaker_company"; /** Body of text describing this speaker in detail. */ String SPEAKER_ABSTRACT = "speaker_abstract"; /** Full URL to the speaker's profile. */ String SPEAKER_URL = "speaker_url"; } interface SandboxColumns { /** Unique string identifying this sandbox company. */ String COMPANY_ID = "company_id"; /** Name of this sandbox company. */ String COMPANY_NAME = "company_name"; /** Body of text describing this sandbox company. */ String COMPANY_DESC = "company_desc"; /** Link to sandbox company online. */ String COMPANY_URL = "company_url"; /** Link to sandbox company logo. */ String COMPANY_LOGO_URL = "company_logo_url"; } interface AnnouncementsColumns { /** Unique string identifying this announcment. */ String ANNOUNCEMENT_ID = "announcement_id"; /** Title of the announcement. */ String ANNOUNCEMENT_TITLE = "announcement_title"; /** Google+ activity JSON for the announcement. */ String ANNOUNCEMENT_ACTIVITY_JSON = "announcement_activity_json"; /** Full URL for the announcement. */ String ANNOUNCEMENT_URL = "announcement_url"; /** Date of the announcement. */ String ANNOUNCEMENT_DATE = "announcement_date"; } interface MapMarkerColumns { /** Unique string identifying this marker. */ String MARKER_ID = "map_marker_id"; /** Type of marker. */ String MARKER_TYPE = "map_marker_type"; /** Latitudinal position of marker. */ String MARKER_LATITUDE = "map_marker_latitude"; /** Longitudinal position of marker. */ String MARKER_LONGITUDE = "map_marker_longitude"; /** Label (title) for this marker. */ String MARKER_LABEL = "map_marker_label"; /** Building floor this marker is on. */ String MARKER_FLOOR = "map_marker_floor"; /** Track of sandbox marker */ String MARKER_TRACK = "track_id"; } interface FeedbackColumns { String SESSION_ID = "session_id"; String SESSION_RATING = "feedback_session_rating"; String ANSWER_RELEVANCE = "feedback_answer_q1"; String ANSWER_CONTENT = "feedback_answer_q2"; String ANSWER_SPEAKER = "feedback_answer_q3"; String ANSWER_WILLUSE = "feedback_answer_q4"; String COMMENTS = "feedback_comments"; } interface MapTileColumns { /** Floor **/ String TILE_FLOOR = "map_tile_floor"; /** Filename **/ String TILE_FILE = "map_tile_file"; /** Url **/ String TILE_URL = "map_tile_url"; } public static final String CONTENT_AUTHORITY = "com.google.android.apps.iosched"; public static final Uri BASE_CONTENT_URI = Uri.parse("content://" + CONTENT_AUTHORITY); private static final String PATH_BLOCKS = "blocks"; private static final String PATH_AT = "at"; private static final String PATH_AFTER = "after"; private static final String PATH_BETWEEN = "between"; private static final String PATH_TRACKS = "tracks"; private static final String PATH_ROOM = "room"; private static final String PATH_ROOMS = "rooms"; private static final String PATH_SESSIONS = "sessions"; private static final String PATH_FEEDBACK = "feedback"; private static final String PATH_WITH_TRACK = "with_track"; private static final String PATH_STARRED = "starred"; private static final String PATH_SPEAKERS = "speakers"; private static final String PATH_SANDBOX = "sandbox"; private static final String PATH_ANNOUNCEMENTS = "announcements"; private static final String PATH_MAP_MARKERS = "mapmarkers"; private static final String PATH_MAP_FLOOR = "floor"; private static final String PATH_MAP_TILES= "maptiles"; private static final String PATH_SEARCH = "search"; private static final String PATH_SEARCH_SUGGEST = "search_suggest_query"; private static final String PATH_SEARCH_INDEX = "search_index"; /** * Blocks are generic timeslots that {@link Sessions} and other related * events fall into. */ public static class Blocks implements BlocksColumns, BaseColumns { public static final String BLOCK_TYPE_GENERIC = "generic"; public static final String BLOCK_TYPE_FOOD = "food"; public static final String BLOCK_TYPE_SESSION = "session"; public static final String BLOCK_TYPE_CODELAB = "codelab"; public static final String BLOCK_TYPE_KEYNOTE = "keynote"; public static final String BLOCK_TYPE_OFFICE_HOURS = "officehours"; public static final String BLOCK_TYPE_SANDBOX = "sandbox_only"; public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon().appendPath(PATH_BLOCKS).build(); public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.iosched.block"; public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.iosched.block"; /** Count of {@link Sessions} inside given block. */ public static final String SESSIONS_COUNT = "sessions_count"; /** * Flag indicating the number of sessions inside this block that have * {@link Sessions#SESSION_STARRED} set. */ public static final String NUM_STARRED_SESSIONS = "num_starred_sessions"; /** * Flag indicating the number of sessions inside this block that have a * {@link Sessions#SESSION_LIVESTREAM_URL} set. */ public static final String NUM_LIVESTREAMED_SESSIONS = "num_livestreamed_sessions"; /** * The {@link Sessions#SESSION_ID} of the first starred session in this * block. */ public static final String STARRED_SESSION_ID = "starred_session_id"; /** * The {@link Sessions#SESSION_TITLE} of the first starred session in * this block. */ public static final String STARRED_SESSION_TITLE = "starred_session_title"; /** * The {@link Sessions#SESSION_LIVESTREAM_URL} of the first starred * session in this block. */ public static final String STARRED_SESSION_LIVESTREAM_URL = "starred_session_livestream_url"; /** * The {@link Rooms#ROOM_NAME} of the first starred session in this * block. */ public static final String STARRED_SESSION_ROOM_NAME = "starred_session_room_name"; /** * The {@link Rooms#ROOM_ID} of the first starred session in this block. */ public static final String STARRED_SESSION_ROOM_ID = "starred_session_room_id"; /** * The {@link Sessions#SESSION_HASHTAGS} of the first starred session in * this block. */ public static final String STARRED_SESSION_HASHTAGS = "starred_session_hashtags"; /** * The {@link Sessions#SESSION_URL} of the first starred session in this * block. */ public static final String STARRED_SESSION_URL = "starred_session_url"; /** Default "ORDER BY" clause. */ public static final String DEFAULT_SORT = BlocksColumns.BLOCK_START + " ASC, " + BlocksColumns.BLOCK_END + " ASC"; public static final String EMPTY_SESSIONS_SELECTION = BLOCK_TYPE + " IN ('" + Blocks.BLOCK_TYPE_SESSION + "','" + Blocks.BLOCK_TYPE_CODELAB + "','" + Blocks.BLOCK_TYPE_OFFICE_HOURS + "') AND " + SESSIONS_COUNT + " = 0"; /** Build {@link Uri} for requested {@link #BLOCK_ID}. */ public static Uri buildBlockUri(String blockId) { return CONTENT_URI.buildUpon().appendPath(blockId).build(); } /** * Build {@link Uri} that references any {@link Sessions} associated * with the requested {@link #BLOCK_ID}. */ public static Uri buildSessionsUri(String blockId) { return CONTENT_URI.buildUpon().appendPath(blockId).appendPath(PATH_SESSIONS).build(); } /** * Build {@link Uri} that references starred {@link Sessions} associated * with the requested {@link #BLOCK_ID}. */ public static Uri buildStarredSessionsUri(String blockId) { return CONTENT_URI.buildUpon().appendPath(blockId).appendPath(PATH_SESSIONS) .appendPath(PATH_STARRED).build(); } /** Read {@link #BLOCK_ID} from {@link Blocks} {@link Uri}. */ public static String getBlockId(Uri uri) { return uri.getPathSegments().get(1); } /** * Generate a {@link #BLOCK_ID} that will always match the requested * {@link Blocks} details. */ public static String generateBlockId(long startTime, long endTime) { startTime /= DateUtils.SECOND_IN_MILLIS; endTime /= DateUtils.SECOND_IN_MILLIS; return ParserUtils.sanitizeId(startTime + "-" + endTime); } } /** * Tracks are overall categories for {@link Sessions} and {@link com.google.android.apps.iosched.provider.ScheduleContract.Sandbox}, * such as "Android" or "Enterprise." */ public static class Tracks implements TracksColumns, BaseColumns { public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon().appendPath(PATH_TRACKS).build(); public static final int TRACK_META_NONE = 0; public static final int TRACK_META_SESSIONS_ONLY = 1; public static final int TRACK_META_SANDBOX_OFFICE_HOURS_ONLY = 2; public static final int TRACK_META_OFFICE_HOURS_ONLY = 3; public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.iosched.track"; public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.iosched.track"; /** "All tracks" ID. */ public static final String ALL_TRACK_ID = "all"; /** Count of {@link Sessions} inside given track that aren't office hours. */ public static final String SESSIONS_COUNT = "sessions_count"; /** Count of {@link Sessions} inside given track that are office hours. */ public static final String OFFICE_HOURS_COUNT = "office_hours_count"; /** Count of {@link com.google.android.apps.iosched.provider.ScheduleContract.Sandbox} inside given track. */ public static final String SANDBOX_COUNT = "sandbox_count"; /** Default "ORDER BY" clause. */ public static final String DEFAULT_SORT = TracksColumns.TRACK_LEVEL + ", " + TracksColumns.TRACK_ORDER_IN_LEVEL + ", " + TracksColumns.TRACK_NAME; /** Build {@link Uri} for requested {@link #TRACK_ID}. */ public static Uri buildTrackUri(String trackId) { return CONTENT_URI.buildUpon().appendPath(trackId).build(); } /** * Build {@link Uri} that references any {@link Sessions} associated * with the requested {@link #TRACK_ID}. */ public static Uri buildSessionsUri(String trackId) { return CONTENT_URI.buildUpon().appendPath(trackId).appendPath(PATH_SESSIONS).build(); } /** * Build {@link Uri} that references any {@link com.google.android.apps.iosched.provider.ScheduleContract.Sandbox} associated with * the requested {@link #TRACK_ID}. */ public static Uri buildSandboxUri(String trackId) { return CONTENT_URI.buildUpon().appendPath(trackId).appendPath(PATH_SANDBOX).build(); } /** Read {@link #TRACK_ID} from {@link Tracks} {@link Uri}. */ public static String getTrackId(Uri uri) { return uri.getPathSegments().get(1); } } /** * Rooms are physical locations at the conference venue. */ public static class Rooms implements RoomsColumns, BaseColumns { public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon().appendPath(PATH_ROOMS).build(); public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.iosched.room"; public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.iosched.room"; /** Default "ORDER BY" clause. */ public static final String DEFAULT_SORT = RoomsColumns.ROOM_FLOOR + " ASC, " + RoomsColumns.ROOM_NAME + " COLLATE NOCASE ASC"; /** Build {@link Uri} for requested {@link #ROOM_ID}. */ public static Uri buildRoomUri(String roomId) { return CONTENT_URI.buildUpon().appendPath(roomId).build(); } /** * Build {@link Uri} that references any {@link Sessions} associated * with the requested {@link #ROOM_ID}. */ public static Uri buildSessionsDirUri(String roomId) { return CONTENT_URI.buildUpon().appendPath(roomId).appendPath(PATH_SESSIONS).build(); } /** Read {@link #ROOM_ID} from {@link Rooms} {@link Uri}. */ public static String getRoomId(Uri uri) { return uri.getPathSegments().get(1); } } /** * Each session is a block of time that has a {@link Tracks}, a * {@link Rooms}, and zero or more {@link Speakers}. */ public static class Feedback implements BaseColumns, FeedbackColumns, SyncColumns { public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon().appendPath(PATH_FEEDBACK).build(); public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.iosched.session_feedback"; public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.iosched.session_feedback"; /** Default "ORDER BY" clause. */ public static final String DEFAULT_SORT = BaseColumns._ID + " ASC, "; /** Build {@link Uri} to feedback for given session. */ public static Uri buildFeedbackUri(String sessionId) { return CONTENT_URI.buildUpon().appendPath(sessionId).build(); } /** Read {@link #SESSION_ID} from {@link Feedback} {@link Uri}. */ public static String getSessionId(Uri uri) { return uri.getPathSegments().get(1); } } public static class Sessions implements SessionsColumns, BlocksColumns, RoomsColumns, SyncColumns, BaseColumns { public static final String SESSION_TYPE_SESSION = "SESSION"; public static final String SESSION_TYPE_CODELAB = "CODE_LAB"; public static final String SESSION_TYPE_KEYNOTE = "KEYNOTE"; public static final String SESSION_TYPE_OFFICE_HOURS = "OFFICE_HOURS"; public static final String SESSION_TYPE_SANDBOX = "DEVELOPER_SANDBOX"; public static final String QUERY_PARAMETER_FILTER = "filter"; public static final String QUERY_VALUE_FILTER_SESSIONS_CODELABS_ONLY = "sessions_codelabs_only"; // excludes keynote and office hours public static final String QUERY_VALUE_FILTER_OFFICE_HOURS_ONLY = "office_hours_only"; public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon().appendPath(PATH_SESSIONS).build(); public static final Uri CONTENT_STARRED_URI = CONTENT_URI.buildUpon().appendPath(PATH_STARRED).build(); public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.iosched.session"; public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.iosched.session"; public static final String BLOCK_ID = "block_id"; public static final String ROOM_ID = "room_id"; public static final String SEARCH_SNIPPET = "search_snippet"; // TODO: shortcut primary track to offer sub-sorting here /** Default "ORDER BY" clause. */ public static final String DEFAULT_SORT = BlocksColumns.BLOCK_START + " ASC," + SessionsColumns.SESSION_TITLE + " COLLATE NOCASE ASC"; public static final String LIVESTREAM_SELECTION = SESSION_LIVESTREAM_URL + " is not null AND " + SESSION_LIVESTREAM_URL + "!=''"; // Used to fetch sessions for a particular time public static final String AT_TIME_SELECTION = BLOCK_START + " < ? and " + BLOCK_END + " " + "> ?"; // Builds selectionArgs for {@link AT_TIME_SELECTION} public static String[] buildAtTimeSelectionArgs(long time) { final String timeString = String.valueOf(time); return new String[] { timeString, timeString }; } // Used to fetch upcoming sessions public static final String UPCOMING_SELECTION = BLOCK_START + " = (select min(" + BLOCK_START + ") from " + ScheduleDatabase.Tables.BLOCKS_JOIN_SESSIONS + " where " + LIVESTREAM_SELECTION + " and " + BLOCK_START + " >" + " ?)"; // Builds selectionArgs for {@link UPCOMING_SELECTION} public static String[] buildUpcomingSelectionArgs(long minTime) { return new String[] { String.valueOf(minTime) }; } /** Build {@link Uri} for requested {@link #SESSION_ID}. */ public static Uri buildSessionUri(String sessionId) { return CONTENT_URI.buildUpon().appendPath(sessionId).build(); } /** * Build {@link Uri} that references any {@link Speakers} associated * with the requested {@link #SESSION_ID}. */ public static Uri buildSpeakersDirUri(String sessionId) { return CONTENT_URI.buildUpon().appendPath(sessionId).appendPath(PATH_SPEAKERS).build(); } /** * Build {@link Uri} that includes track detail with list of sessions. */ public static Uri buildWithTracksUri() { return CONTENT_URI.buildUpon().appendPath(PATH_WITH_TRACK).build(); } /** * Build {@link Uri} that includes track detail for a specific session. */ public static Uri buildWithTracksUri(String sessionId) { return CONTENT_URI.buildUpon().appendPath(sessionId) .appendPath(PATH_WITH_TRACK).build(); } /** * Build {@link Uri} that references any {@link Tracks} associated with * the requested {@link #SESSION_ID}. */ public static Uri buildTracksDirUri(String sessionId) { return CONTENT_URI.buildUpon().appendPath(sessionId).appendPath(PATH_TRACKS).build(); } public static Uri buildSearchUri(String query) { return CONTENT_URI.buildUpon().appendPath(PATH_SEARCH).appendPath(query).build(); } public static boolean isSearchUri(Uri uri) { List<String> pathSegments = uri.getPathSegments(); return pathSegments.size() >= 2 && PATH_SEARCH.equals(pathSegments.get(1)); } /** Build {@link Uri} that references sessions in a room that have begun after the requested time **/ public static Uri buildSessionsInRoomAfterUri(String room,long time) { return CONTENT_URI.buildUpon().appendPath(PATH_ROOM).appendPath(room).appendPath(PATH_AFTER) .appendPath(String.valueOf(time)).build(); } public static String getRoom(Uri uri){ return uri.getPathSegments().get(2); } public static String getAfter(Uri uri){ return uri.getPathSegments().get(4); } /** Read {@link #SESSION_ID} from {@link Sessions} {@link Uri}. */ public static String getSessionId(Uri uri) { return uri.getPathSegments().get(1); } public static String getSearchQuery(Uri uri) { return uri.getPathSegments().get(2); } } /** * Speakers are individual people that lead {@link Sessions}. */ public static class Speakers implements SpeakersColumns, SyncColumns, BaseColumns { public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon().appendPath(PATH_SPEAKERS).build(); public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.iosched.speaker"; public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.iosched.speaker"; /** Default "ORDER BY" clause. */ public static final String DEFAULT_SORT = SpeakersColumns.SPEAKER_NAME + " COLLATE NOCASE ASC"; /** Build {@link Uri} for requested {@link #SPEAKER_ID}. */ public static Uri buildSpeakerUri(String speakerId) { return CONTENT_URI.buildUpon().appendPath(speakerId).build(); } /** * Build {@link Uri} that references any {@link Sessions} associated * with the requested {@link #SPEAKER_ID}. */ public static Uri buildSessionsDirUri(String speakerId) { return CONTENT_URI.buildUpon().appendPath(speakerId).appendPath(PATH_SESSIONS).build(); } /** Read {@link #SPEAKER_ID} from {@link Speakers} {@link Uri}. */ public static String getSpeakerId(Uri uri) { return uri.getPathSegments().get(1); } } /** * Each sandbox company is a company appearing at the conference that may be * associated with a specific {@link Tracks} and time block. */ public static class Sandbox implements SandboxColumns, SyncColumns, BlocksColumns, RoomsColumns, BaseColumns { public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon().appendPath(PATH_SANDBOX).build(); public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.iosched.sandbox"; public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.iosched.sandbox"; /** {@link Tracks#TRACK_ID} that this sandbox company belongs to. */ public static final String TRACK_ID = "track_id"; // Used to fetch sandbox companies at a particular time public static final String AT_TIME_IN_ROOM_SELECTION = BLOCK_START + " < ? and " + BLOCK_END + " " + "> ? and " + " SANDBOX.ROOM_ID = ?"; /** Default "ORDER BY" clause. */ public static final String DEFAULT_SORT = SandboxColumns.COMPANY_NAME + " COLLATE NOCASE ASC"; // Builds selectionArgs for {@link AT_TIME_SELECTION} public static String[] buildAtTimeInRoomSelectionArgs(long time, String roomId) { final String timeString = String.valueOf(time); return new String[] { timeString, timeString, roomId }; } /** Build {@link Uri} for requested {@link #COMPANY_ID}. */ public static Uri buildCompanyUri(String companyId) { return CONTENT_URI.buildUpon().appendPath(companyId).build(); } /** Read {@link #COMPANY_ID} from {@link com.google.android.apps.iosched.provider.ScheduleContract.Sandbox} {@link Uri}. */ public static String getCompanyId(Uri uri) { return uri.getPathSegments().get(1); } } /** * Announcements of breaking news */ public static class Announcements implements AnnouncementsColumns, BaseColumns { public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon().appendPath(PATH_ANNOUNCEMENTS).build(); public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.iosched.announcement"; public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.iosched.announcement"; /** Default "ORDER BY" clause. */ public static final String DEFAULT_SORT = AnnouncementsColumns.ANNOUNCEMENT_DATE + " COLLATE NOCASE DESC"; /** Build {@link Uri} for requested {@link #ANNOUNCEMENT_ID}. */ public static Uri buildAnnouncementUri(String announcementId) { return CONTENT_URI.buildUpon().appendPath(announcementId).build(); } /** * Read {@link #ANNOUNCEMENT_ID} from {@link Announcements} {@link Uri}. */ public static String getAnnouncementId(Uri uri) { return uri.getPathSegments().get(1); } } /** * TileProvider entries are used to create an overlay provider for the map. */ public static class MapTiles implements MapTileColumns, BaseColumns { public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon() .appendPath(PATH_MAP_TILES).build(); public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.iosched.maptiles"; public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.iosched.maptiles"; /** Default "ORDER BY" clause. */ public static final String DEFAULT_SORT = MapTileColumns.TILE_FLOOR + " ASC"; /** Build {@link Uri} for all overlay zoom entries */ public static Uri buildUri() { return CONTENT_URI; } /** Build {@link Uri} for requested floor. */ public static Uri buildFloorUri(String floor) { return CONTENT_URI.buildUpon() .appendPath(String.valueOf(floor)).build(); } /** Read floor from {@link MapMarkers} {@link Uri}. */ public static String getFloorId(Uri uri) { return uri.getPathSegments().get(1); } } /** * Markers refer to marked positions on the map. */ public static class MapMarkers implements MapMarkerColumns, BaseColumns { public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon() .appendPath(PATH_MAP_MARKERS).build(); public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.iosched.mapmarker"; public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.iosched.mapmarker"; /** Default "ORDER BY" clause. */ public static final String DEFAULT_SORT = MapMarkerColumns.MARKER_FLOOR + " ASC, " + MapMarkerColumns.MARKER_ID + " ASC"; /** Build {@link Uri} for requested {@link #MARKER_ID}. */ public static Uri buildMarkerUri(String markerId) { return CONTENT_URI.buildUpon().appendPath(markerId).build(); } /** Build {@link Uri} for all markers */ public static Uri buildMarkerUri() { return CONTENT_URI; } /** Build {@link Uri} for requested {@link #MARKER_ID}. */ public static Uri buildFloorUri(int floor) { return CONTENT_URI.buildUpon().appendPath(PATH_MAP_FLOOR) .appendPath("" + floor).build(); } /** Read {@link #MARKER_ID} from {@link MapMarkers} {@link Uri}. */ public static String getMarkerId(Uri uri) { return uri.getPathSegments().get(1); } /** Read {@link #FLOOR} from {@link MapMarkers} {@link Uri}. */ public static String getMarkerFloor(Uri uri) { return uri.getPathSegments().get(2); } } public static class SearchSuggest { public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon().appendPath(PATH_SEARCH_SUGGEST).build(); public static final String DEFAULT_SORT = SearchManager.SUGGEST_COLUMN_TEXT_1 + " COLLATE NOCASE ASC"; } public static class SearchIndex { public static final Uri CONTENT_URI = BASE_CONTENT_URI.buildUpon().appendPath(PATH_SEARCH_INDEX).build(); } public static Uri addCallerIsSyncAdapterParameter(Uri uri) { return uri.buildUpon().appendQueryParameter( ContactsContract.CALLER_IS_SYNCADAPTER, "true").build(); } public static boolean hasCallerIsSyncAdapterParameter(Uri uri) { return TextUtils.equals("true", uri.getQueryParameter(ContactsContract.CALLER_IS_SYNCADAPTER)); } private ScheduleContract() { } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.service; import android.app.Service; import android.content.Intent; import android.os.*; import com.google.android.apps.iosched.Config; import com.google.android.apps.iosched.gcm.ServerUtilities; import com.google.android.apps.iosched.sync.SyncHelper; import com.google.android.apps.iosched.util.AccountUtils; import java.io.IOException; import java.util.ArrayList; import java.util.Iterator; import java.util.LinkedList; import java.util.List; import com.turbomanage.httpclient.AsyncCallback; import com.turbomanage.httpclient.HttpResponse; import com.turbomanage.httpclient.ParameterMap; import com.turbomanage.httpclient.android.AndroidHttpClient; import static com.google.android.apps.iosched.util.LogUtils.*; /** * Background {@link android.app.Service} that adds or removes sessions from your calendar via the * Conference API. * * @see com.google.android.apps.iosched.sync.SyncHelper */ public class ScheduleUpdaterService extends Service { private static final String TAG = makeLogTag(ScheduleUpdaterService.class); public static final String EXTRA_SESSION_ID = "com.google.android.apps.iosched.extra.SESSION_ID"; public static final String EXTRA_IN_SCHEDULE = "com.google.android.apps.iosched.extra.IN_SCHEDULE"; private static final int SCHEDULE_UPDATE_DELAY_MILLIS = 5000; private volatile Looper mServiceLooper; private volatile ServiceHandler mServiceHandler; private final LinkedList<Intent> mScheduleUpdates = new LinkedList<Intent>(); // Handler pattern copied from IntentService private final class ServiceHandler extends Handler { public ServiceHandler(Looper looper) { super(looper); } @Override public void handleMessage(Message msg) { processPendingScheduleUpdates(); int numRemainingUpdates; synchronized (mScheduleUpdates) { numRemainingUpdates = mScheduleUpdates.size(); } if (numRemainingUpdates == 0) { notifyGcmDevices(); stopSelf(); } else { // More updates were added since the current pending set was processed. Reschedule // another pass. removeMessages(0); sendEmptyMessageDelayed(0, SCHEDULE_UPDATE_DELAY_MILLIS); } } } // private static class NotifyGcmDevicesTask extends AsyncTask<String, Void, Void> { // // @Override // protected Void doInBackground(String... params) { // BasicHttp // String gPlusID = params[0]; // Uri uri = new Uri(Config.GCM_SERVER_URL + "/send/" + gPlusID + "/sync_user"); // connection = (HttpURLConnection) url.openConnection(); // connection.setDoOutput(true); // connection.setRequestProperty("Content-Type", "application/x-www-form-urlencoded"); // connection.setRequestMethod("POST"); // // request = new OutputStreamWriter(connection.getOutputStream()); // request.write(parameters); // request.flush(); // request.close(); // // } // } private void notifyGcmDevices() { String plusID = AccountUtils.getPlusProfileId(getApplicationContext()); if (plusID != null) { LOGI(TAG, "Sending device sync notification"); AndroidHttpClient httpClient = new AndroidHttpClient(Config.GCM_SERVER_URL); httpClient.setMaxRetries(1); ParameterMap params = httpClient.newParams() .add("key", Config.GCM_API_KEY) .add("squelch", ServerUtilities.getGcmId(this)); String path = "/send/" + plusID + "/sync_user"; httpClient.post(path, params, new AsyncCallback() { @Override public void onComplete(HttpResponse httpResponse) { LOGI(TAG, "Device sync notification sent"); } @Override public void onError(Exception e) { LOGW(TAG, "Device sync notification failed", e); } }); } else { LOGI(TAG, "No gPlusID, skipping device sync notification"); } } public ScheduleUpdaterService() { } @Override public void onCreate() { super.onCreate(); HandlerThread thread = new HandlerThread(ScheduleUpdaterService.class.getSimpleName()); thread.start(); mServiceLooper = thread.getLooper(); mServiceHandler = new ServiceHandler(mServiceLooper); } @Override public int onStartCommand(Intent intent, int flags, int startId) { // When receiving a new intent, delay the schedule until 5 seconds from now. mServiceHandler.removeMessages(0); mServiceHandler.sendEmptyMessageDelayed(0, SCHEDULE_UPDATE_DELAY_MILLIS); // Remove pending updates involving this session ID. String sessionId = intent.getStringExtra(EXTRA_SESSION_ID); Iterator<Intent> updatesIterator = mScheduleUpdates.iterator(); while (updatesIterator.hasNext()) { Intent existingIntent = updatesIterator.next(); if (sessionId.equals(existingIntent.getStringExtra(EXTRA_SESSION_ID))) { updatesIterator.remove(); } } // Queue this schedule update. synchronized (mScheduleUpdates) { mScheduleUpdates.add(intent); } return START_REDELIVER_INTENT; } @Override public void onDestroy() { mServiceLooper.quit(); } @Override public IBinder onBind(Intent intent) { return null; } void processPendingScheduleUpdates() { try { // Operate on a local copy of the schedule update list so as not to block // the main thread adding to this list List<Intent> scheduleUpdates = new ArrayList<Intent>(); synchronized (mScheduleUpdates) { scheduleUpdates.addAll(mScheduleUpdates); mScheduleUpdates.clear(); } SyncHelper syncHelper = new SyncHelper(this); for (Intent updateIntent : scheduleUpdates) { String sessionId = updateIntent.getStringExtra(EXTRA_SESSION_ID); boolean inSchedule = updateIntent.getBooleanExtra(EXTRA_IN_SCHEDULE, false); LOGI(TAG, "addOrRemoveSessionFromSchedule:" + " sessionId=" + sessionId + " inSchedule=" + inSchedule); syncHelper.addOrRemoveSessionFromSchedule(this, sessionId, inSchedule); } } catch (IOException e) { // TODO: do something useful here, like revert the changes locally in the // content provider to maintain client/server sync LOGE(TAG, "Error processing schedule update", e); } } }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.service; import android.content.Intent; import android.content.res.Resources; import android.database.Cursor; import android.provider.BaseColumns; import android.text.TextUtils; import android.text.format.DateUtils; import com.google.android.apps.dashclock.api.ExtensionData; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.ui.HomeActivity; import com.google.android.apps.iosched.util.PrefUtils; import com.google.android.apps.iosched.util.UIUtils; import java.util.ArrayList; import java.util.Formatter; import java.util.List; import java.util.Locale; import static com.google.android.apps.iosched.util.LogUtils.LOGD; import static com.google.android.apps.iosched.util.LogUtils.LOGE; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * An I/O 2013 extension for DashClock. */ public class DashClockExtension extends com.google.android.apps.dashclock.api.DashClockExtension { private static final String TAG = makeLogTag(DashClockExtension.class); private static final long MINUTE_MILLIS = 60 * 1000; private static final long NOW_BUFFER_TIME_MILLIS = 15 * MINUTE_MILLIS; private static final int MAX_BLOCKS = 5; private static final long CONTENT_CHANGE_DELAY_MILLIS = 5 * 1000; private static long mLastChange = 0; @Override protected void onInitialize(boolean isReconnect) { super.onInitialize(isReconnect); setUpdateWhenScreenOn(true); addWatchContentUris(new String[]{ ScheduleContract.Sessions.CONTENT_URI.toString() }); } @Override protected void onUpdateData(int reason) { if (reason == DashClockExtension.UPDATE_REASON_CONTENT_CHANGED) { long time = System.currentTimeMillis(); if (time < mLastChange + CONTENT_CHANGE_DELAY_MILLIS) { return; } mLastChange = time; } long currentTime = UIUtils.getCurrentTime(this); if (currentTime >= UIUtils.CONFERENCE_END_MILLIS) { publishUpdate(new ExtensionData() .visible(true) .icon(R.drawable.dashclock_extension) .status(getString(R.string.whats_on_thank_you_short)) .expandedTitle(getString(R.string.whats_on_thank_you_title)) .expandedBody(getString(R.string.whats_on_thank_you_subtitle)) .clickIntent(new Intent(this, HomeActivity.class))); return; } Cursor cursor = tryOpenBlocksCursor(); if (cursor == null) { LOGE(TAG, "Null blocks cursor, short-circuiting."); return; } StringBuilder buffer = new StringBuilder(); Formatter formatter = new Formatter(buffer, Locale.getDefault()); String firstBlockStartTime = null; List<String> blocks = new ArrayList<String>(); long lastBlockStart = 0; while (cursor.moveToNext()) { if (blocks.size() >= MAX_BLOCKS) { break; } final String type = cursor.getString(BlocksQuery.BLOCK_TYPE); final String blockTitle = cursor.getString(BlocksQuery.BLOCK_TITLE); final String blockType = cursor.getString(BlocksQuery.BLOCK_TYPE); final long blockStart = cursor.getLong(BlocksQuery.BLOCK_START); buffer.setLength(0); boolean showWeekday = !DateUtils.isToday(blockStart) && !UIUtils.isSameDayDisplay(lastBlockStart, blockStart, this); String blockStartTime = DateUtils.formatDateRange(this, formatter, blockStart, blockStart, DateUtils.FORMAT_SHOW_TIME | (showWeekday ? DateUtils.FORMAT_SHOW_WEEKDAY | DateUtils.FORMAT_ABBREV_WEEKDAY : 0), PrefUtils.getDisplayTimeZone(this).getID()).toString(); lastBlockStart = blockStart; if (firstBlockStartTime == null) { firstBlockStartTime = blockStartTime; } if (ScheduleContract.Blocks.BLOCK_TYPE_SESSION.equals(type) || ScheduleContract.Blocks.BLOCK_TYPE_CODELAB.equals(type) || ScheduleContract.Blocks.BLOCK_TYPE_OFFICE_HOURS.equals(blockType)) { final int numStarredSessions = cursor.getInt(BlocksQuery.NUM_STARRED_SESSIONS); if (numStarredSessions == 1) { // exactly 1 session starred String title = cursor.getString(BlocksQuery.STARRED_SESSION_TITLE); String room = cursor.getString(BlocksQuery.STARRED_SESSION_ROOM_NAME); if (room == null) { room = getString(R.string.unknown_room); } blocks.add(blockStartTime + ", " + room + " — " + title); } else { // 2 or more sessions starred String title = getString(R.string.schedule_conflict_title, numStarredSessions); blocks.add(blockStartTime + " — " + title); } } else if (ScheduleContract.Blocks.BLOCK_TYPE_KEYNOTE.equals(type)) { final String title = cursor.getString(BlocksQuery.STARRED_SESSION_TITLE); blocks.add(blockStartTime + " — " + title); } else { blocks.add(blockStartTime + " — " + blockTitle); } } cursor.close(); LOGD(TAG, blocks.size() + " blocks"); if (blocks.size() > 0) { publishUpdate(new ExtensionData() .visible(true) .icon(R.drawable.dashclock_extension) .status(firstBlockStartTime) .expandedTitle(blocks.get(0)) .expandedBody(TextUtils.join("\n", blocks.subList(1, blocks.size()))) .clickIntent(new Intent(this, HomeActivity.class))); } else { publishUpdate(new ExtensionData().visible(false)); } } private Cursor tryOpenBlocksCursor() { try { String liveStreamedOnlyBlocksSelection = "(" + (UIUtils.shouldShowLiveSessionsOnly(this) ? ScheduleContract.Blocks.BLOCK_TYPE + " NOT IN ('" + ScheduleContract.Blocks.BLOCK_TYPE_SESSION + "','" + ScheduleContract.Blocks.BLOCK_TYPE_CODELAB + "','" + ScheduleContract.Blocks.BLOCK_TYPE_OFFICE_HOURS + "','" + ScheduleContract.Blocks.BLOCK_TYPE_FOOD + "')" + " OR " + ScheduleContract.Blocks.NUM_LIVESTREAMED_SESSIONS + ">1 " : "1==1") + ")"; String onlyStarredSelection = "(" + ScheduleContract.Blocks.BLOCK_TYPE + " NOT IN ('" + ScheduleContract.Blocks.BLOCK_TYPE_SESSION + "','" + ScheduleContract.Blocks.BLOCK_TYPE_CODELAB + "','" + ScheduleContract.Blocks.BLOCK_TYPE_OFFICE_HOURS + "') " + " OR " + ScheduleContract.Blocks.NUM_STARRED_SESSIONS + ">0)"; String excludeSandbox = ScheduleContract.Blocks.BLOCK_TYPE + " != '" + ScheduleContract.Blocks.BLOCK_TYPE_SANDBOX + "'"; return getContentResolver().query(ScheduleContract.Blocks.CONTENT_URI, BlocksQuery.PROJECTION, ScheduleContract.Blocks.BLOCK_START + " >= ? AND " + liveStreamedOnlyBlocksSelection + " AND " + onlyStarredSelection + " AND " + excludeSandbox, new String[]{ Long.toString(UIUtils.getCurrentTime(this) - NOW_BUFFER_TIME_MILLIS) }, ScheduleContract.Blocks.DEFAULT_SORT); } catch (Exception e) { LOGE(TAG, "Error querying I/O 2013 content provider", e); return null; } } public interface BlocksQuery { String[] PROJECTION = { BaseColumns._ID, ScheduleContract.Blocks.BLOCK_TITLE, ScheduleContract.Blocks.BLOCK_START, ScheduleContract.Blocks.BLOCK_TYPE, ScheduleContract.Blocks.NUM_STARRED_SESSIONS, ScheduleContract.Blocks.STARRED_SESSION_TITLE, ScheduleContract.Blocks.STARRED_SESSION_ROOM_NAME, ScheduleContract.Blocks.NUM_LIVESTREAMED_SESSIONS, }; int _ID = 0; int BLOCK_TITLE = 1; int BLOCK_START = 2; int BLOCK_TYPE = 3; int NUM_STARRED_SESSIONS = 4; int STARRED_SESSION_TITLE = 5; int STARRED_SESSION_ROOM_NAME = 6; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.service; import android.graphics.Bitmap; import android.provider.BaseColumns; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.ui.HomeActivity; import com.google.android.apps.iosched.ui.MapFragment; import com.google.android.apps.iosched.util.PrefUtils; import com.google.android.apps.iosched.util.SessionsHelper; import com.google.android.apps.iosched.util.UIUtils; import android.app.AlarmManager; import android.app.IntentService; import android.app.Notification; import android.app.NotificationManager; import android.app.PendingIntent; import android.content.ContentResolver; import android.content.Context; import android.content.Intent; import android.content.res.Resources; import android.database.Cursor; import android.net.Uri; import android.support.v4.app.NotificationCompat; import android.support.v4.app.TaskStackBuilder; import java.util.ArrayList; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * Background service to handle scheduling of starred session notification via * {@link android.app.AlarmManager}. */ public class SessionAlarmService extends IntentService { private static final String TAG = makeLogTag(SessionAlarmService.class); public static final String ACTION_NOTIFY_SESSION = "com.google.android.apps.iosched.action.NOTIFY_SESSION"; public static final String ACTION_SCHEDULE_STARRED_BLOCK = "com.google.android.apps.iosched.action.SCHEDULE_STARRED_BLOCK"; public static final String ACTION_SCHEDULE_ALL_STARRED_BLOCKS = "com.google.android.apps.iosched.action.SCHEDULE_ALL_STARRED_BLOCKS"; public static final String EXTRA_SESSION_START = "com.google.android.apps.iosched.extra.SESSION_START"; public static final String EXTRA_SESSION_END = "com.google.android.apps.iosched.extra.SESSION_END"; public static final String EXTRA_SESSION_ALARM_OFFSET = "com.google.android.apps.iosched.extra.SESSION_ALARM_OFFSET"; private static final int NOTIFICATION_ID = 100; // pulsate every 1 second, indicating a relatively high degree of urgency private static final int NOTIFICATION_LED_ON_MS = 100; private static final int NOTIFICATION_LED_OFF_MS = 1000; private static final int NOTIFICATION_ARGB_COLOR = 0xff0088ff; // cyan private static final long MILLI_TEN_MINUTES = 600000; private static final long MILLI_ONE_MINUTE = 60000; private static final long UNDEFINED_ALARM_OFFSET = -1; private static final long UNDEFINED_VALUE = -1; public SessionAlarmService() { super(TAG); } @Override protected void onHandleIntent(Intent intent) { final String action = intent.getAction(); if (ACTION_SCHEDULE_ALL_STARRED_BLOCKS.equals(action)) { scheduleAllStarredBlocks(); return; } final long sessionStart = intent.getLongExtra(SessionAlarmService.EXTRA_SESSION_START, UNDEFINED_VALUE); if (sessionStart == UNDEFINED_VALUE) return; final long sessionEnd = intent.getLongExtra(SessionAlarmService.EXTRA_SESSION_END, UNDEFINED_VALUE); if (sessionEnd == UNDEFINED_VALUE) return; final long sessionAlarmOffset = intent.getLongExtra(SessionAlarmService.EXTRA_SESSION_ALARM_OFFSET, UNDEFINED_ALARM_OFFSET); if (ACTION_NOTIFY_SESSION.equals(action)) { notifySession(sessionStart, sessionEnd, sessionAlarmOffset); } else if (ACTION_SCHEDULE_STARRED_BLOCK.equals(action)) { scheduleAlarm(sessionStart, sessionEnd, sessionAlarmOffset); } } private void scheduleAlarm(final long sessionStart, final long sessionEnd, final long alarmOffset) { NotificationManager nm = (NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE); nm.cancel(NOTIFICATION_ID); final long currentTime = UIUtils.getCurrentTime(this); // If the session is already started, do not schedule system notification. if (currentTime > sessionStart) return; // By default, sets alarm to go off at 10 minutes before session start time. If alarm // offset is provided, alarm is set to go off by that much time from now. long alarmTime; if (alarmOffset == UNDEFINED_ALARM_OFFSET) { alarmTime = sessionStart - MILLI_TEN_MINUTES; } else { alarmTime = currentTime + alarmOffset; } final Intent notifIntent = new Intent( ACTION_NOTIFY_SESSION, null, this, SessionAlarmService.class); // Setting data to ensure intent's uniqueness for different session start times. notifIntent.setData( new Uri.Builder().authority("com.google.android.apps.iosched") .path(String.valueOf(sessionStart)).build()); notifIntent.putExtra(SessionAlarmService.EXTRA_SESSION_START, sessionStart); notifIntent.putExtra(SessionAlarmService.EXTRA_SESSION_END, sessionEnd); notifIntent.putExtra(SessionAlarmService.EXTRA_SESSION_ALARM_OFFSET, alarmOffset); PendingIntent pi = PendingIntent.getService(this, 0, notifIntent, PendingIntent.FLAG_CANCEL_CURRENT); final AlarmManager am = (AlarmManager) getSystemService(Context.ALARM_SERVICE); // Schedule an alarm to be fired to notify user of added sessions are about to begin. am.set(AlarmManager.RTC_WAKEUP, alarmTime, pi); } // Starred sessions are about to begin. Constructs and triggers system notification. private void notifySession(final long sessionStart, final long sessionEnd, final long alarmOffset) { long currentTime; if (sessionStart < (currentTime = UIUtils.getCurrentTime(this))) return; // Avoid repeated notifications. if (alarmOffset == UNDEFINED_ALARM_OFFSET && UIUtils.isNotificationFiredForBlock( this, ScheduleContract.Blocks.generateBlockId(sessionStart, sessionEnd))) { return; } final ContentResolver cr = getContentResolver(); final Uri starredBlockUri = ScheduleContract.Blocks.buildStarredSessionsUri( ScheduleContract.Blocks.generateBlockId(sessionStart, sessionEnd) ); Cursor c = cr.query(starredBlockUri, SessionDetailQuery.PROJECTION, null, null, null); int starredCount = 0; ArrayList<String> starredSessionTitles = new ArrayList<String>(); ArrayList<String> starredSessionRoomIds = new ArrayList<String>(); String sessionId = null; // needed to get session track icon while (c.moveToNext()) { sessionId = c.getString(SessionDetailQuery.SESSION_ID); starredCount = c.getInt(SessionDetailQuery.NUM_STARRED_SESSIONS); starredSessionTitles.add(c.getString(SessionDetailQuery.SESSION_TITLE)); starredSessionRoomIds.add(c.getString(SessionDetailQuery.ROOM_ID)); } if (starredCount < 1) { return; } // Generates the pending intent which gets fired when the user taps on the notification. // NOTE: Use TaskStackBuilder to comply with Android's design guidelines // related to navigation from notifications. PendingIntent pi = TaskStackBuilder.create(this) .addNextIntent(new Intent(this, HomeActivity.class)) .addNextIntent(new Intent(Intent.ACTION_VIEW, starredBlockUri)) .getPendingIntent(0, PendingIntent.FLAG_CANCEL_CURRENT); final Resources res = getResources(); String contentText; int minutesLeft = (int) (sessionStart - currentTime + 59000) / 60000; if (minutesLeft < 1) { minutesLeft = 1; } if (starredCount == 1) { contentText = res.getString(R.string.session_notification_text_1, minutesLeft); } else { contentText = res.getQuantityString(R.plurals.session_notification_text, starredCount - 1, minutesLeft, starredCount - 1); } NotificationCompat.Builder notifBuilder = new NotificationCompat.Builder(this) .setContentTitle(starredSessionTitles.get(0)) .setContentText(contentText) .setTicker(res.getQuantityString(R.plurals.session_notification_ticker, starredCount, starredCount)) .setDefaults(Notification.DEFAULT_SOUND | Notification.DEFAULT_VIBRATE) .setLights( SessionAlarmService.NOTIFICATION_ARGB_COLOR, SessionAlarmService.NOTIFICATION_LED_ON_MS, SessionAlarmService.NOTIFICATION_LED_OFF_MS) .setSmallIcon(R.drawable.ic_stat_notification) .setContentIntent(pi) .setPriority(Notification.PRIORITY_MAX) .setAutoCancel(true); if (starredCount == 1) { // get the track icon to show as the notification big picture Uri tracksUri = ScheduleContract.Sessions.buildTracksDirUri(sessionId); Cursor tracksCursor = cr.query(tracksUri, SessionTrackQuery.PROJECTION, null, null, null); if (tracksCursor.moveToFirst()) { String trackName = tracksCursor.getString(SessionTrackQuery.TRACK_NAME); int trackColour = tracksCursor.getInt(SessionTrackQuery.TRACK_COLOR); Bitmap trackIcon = UIUtils.getTrackIconSync(getApplicationContext(), trackName, trackColour); if (trackIcon != null) { notifBuilder.setLargeIcon(trackIcon); } } } if (minutesLeft > 5) { notifBuilder.addAction(R.drawable.ic_alarm_holo_dark, String.format(res.getString(R.string.snooze_x_min), 5), createSnoozeIntent(sessionStart, sessionEnd, 5)); } if (starredCount == 1 && PrefUtils.isAttendeeAtVenue(this)) { notifBuilder.addAction(R.drawable.ic_map_holo_dark, res.getString(R.string.title_map), createRoomMapIntent(starredSessionRoomIds.get(0))); } NotificationCompat.InboxStyle richNotification = new NotificationCompat.InboxStyle( notifBuilder) .setBigContentTitle(res.getQuantityString(R.plurals.session_notification_title, starredCount, minutesLeft, starredCount)); // Adds starred sessions starting at this time block to the notification. for (int i = 0; i < starredCount; i++) { richNotification.addLine(starredSessionTitles.get(i)); } NotificationManager nm = (NotificationManager) getSystemService( Context.NOTIFICATION_SERVICE); nm.notify(NOTIFICATION_ID, richNotification.build()); } private PendingIntent createSnoozeIntent(final long sessionStart, final long sessionEnd, final int snoozeMinutes) { Intent scheduleIntent = new Intent( SessionAlarmService.ACTION_SCHEDULE_STARRED_BLOCK, null, this, SessionAlarmService.class); scheduleIntent.putExtra(SessionAlarmService.EXTRA_SESSION_START, sessionStart); scheduleIntent.putExtra(SessionAlarmService.EXTRA_SESSION_END, sessionEnd); scheduleIntent.putExtra(SessionAlarmService.EXTRA_SESSION_ALARM_OFFSET, snoozeMinutes * MILLI_ONE_MINUTE); return PendingIntent.getService(this, 0, scheduleIntent, PendingIntent.FLAG_CANCEL_CURRENT); } private PendingIntent createRoomMapIntent(final String roomId) { Intent mapIntent = new Intent(getApplicationContext(), UIUtils.getMapActivityClass(getApplicationContext())); mapIntent.putExtra(MapFragment.EXTRA_ROOM, roomId); return PendingIntent.getActivity(this, 0, mapIntent, 0); } private void scheduleAllStarredBlocks() { final ContentResolver cr = getContentResolver(); final Cursor c = cr.query(ScheduleContract.Sessions.CONTENT_STARRED_URI, new String[]{"distinct " + ScheduleContract.Sessions.BLOCK_START, ScheduleContract.Sessions.BLOCK_END}, null, null, null); if (c == null) { return; } while (c.moveToNext()) { final long sessionStart = c.getLong(0); final long sessionEnd = c.getLong(1); scheduleAlarm(sessionStart, sessionEnd, UNDEFINED_ALARM_OFFSET); } } public interface SessionDetailQuery { String[] PROJECTION = { ScheduleContract.Sessions.SESSION_ID, ScheduleContract.Blocks.NUM_STARRED_SESSIONS, ScheduleContract.Sessions.SESSION_TITLE, ScheduleContract.Sessions.ROOM_ID }; int SESSION_ID = 0; int NUM_STARRED_SESSIONS = 1; int SESSION_TITLE = 2; int ROOM_ID = 3; } public interface SessionTrackQuery { String[] PROJECTION = { ScheduleContract.Tracks.TRACK_ID, ScheduleContract.Tracks.TRACK_NAME, ScheduleContract.Tracks.TRACK_COLOR }; int TRACK_ID = 0; int TRACK_NAME = 1; int TRACK_COLOR = 2; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.receiver; import android.content.BroadcastReceiver; import android.content.Context; import android.content.Intent; import com.google.android.apps.iosched.service.SessionAlarmService; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * {@link BroadcastReceiver} to reinitialize {@link android.app.AlarmManager} for all starred * session blocks. */ public class SessionAlarmReceiver extends BroadcastReceiver { public static final String TAG = makeLogTag(SessionAlarmReceiver.class); @Override public void onReceive(Context context, Intent intent) { Intent scheduleIntent = new Intent( SessionAlarmService.ACTION_SCHEDULE_ALL_STARRED_BLOCKS, null, context, SessionAlarmService.class); context.startService(scheduleIntent); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.graphics.Rect; import android.graphics.RectF; import android.view.MotionEvent; import android.view.TouchDelegate; import android.view.View; /** * {@link TouchDelegate} that gates {@link MotionEvent} instances by comparing * then against fractional dimensions of the source view. * <p> * This is particularly useful when you want to define a rectangle in terms of * the source dimensions, but when those dimensions might change due to pending * or future layout passes. * <p> * One example is catching touches that occur in the top-right quadrant of * {@code sourceParent}, and relaying them to {@code targetChild}. This could be * done with: <code> * FractionalTouchDelegate.setupDelegate(sourceParent, targetChild, new RectF(0.5f, 0f, 1f, 0.5f)); * </code> */ public class FractionalTouchDelegate extends TouchDelegate { private View mSource; private View mTarget; private RectF mSourceFraction; private Rect mScrap = new Rect(); /** Cached full dimensions of {@link #mSource}. */ private Rect mSourceFull = new Rect(); /** Cached projection of {@link #mSourceFraction} onto {@link #mSource}. */ private Rect mSourcePartial = new Rect(); private boolean mDelegateTargeted; public FractionalTouchDelegate(View source, View target, RectF sourceFraction) { super(new Rect(0, 0, 0, 0), target); mSource = source; mTarget = target; mSourceFraction = sourceFraction; } /** * Helper to create and setup a {@link FractionalTouchDelegate} between the * given {@link View}. * * @param source Larger source {@link View}, usually a parent, that will be * assigned {@link View#setTouchDelegate(TouchDelegate)}. * @param target Smaller target {@link View} which will receive * {@link MotionEvent} that land in requested fractional area. * @param sourceFraction Fractional area projected onto source {@link View} * which determines when {@link MotionEvent} will be passed to * target {@link View}. */ public static void setupDelegate(View source, View target, RectF sourceFraction) { source.setTouchDelegate(new FractionalTouchDelegate(source, target, sourceFraction)); } /** * Consider updating {@link #mSourcePartial} when {@link #mSource} * dimensions have changed. */ private void updateSourcePartial() { mSource.getHitRect(mScrap); if (!mScrap.equals(mSourceFull)) { // Copy over and calculate fractional rectangle mSourceFull.set(mScrap); final int width = mSourceFull.width(); final int height = mSourceFull.height(); mSourcePartial.left = (int) (mSourceFraction.left * width); mSourcePartial.top = (int) (mSourceFraction.top * height); mSourcePartial.right = (int) (mSourceFraction.right * width); mSourcePartial.bottom = (int) (mSourceFraction.bottom * height); } } @Override public boolean onTouchEvent(MotionEvent event) { updateSourcePartial(); // The logic below is mostly copied from the parent class, since we // can't update private mBounds variable. // http://android.git.kernel.org/?p=platform/frameworks/base.git;a=blob; // f=core/java/android/view/TouchDelegate.java;hb=eclair#l98 final Rect sourcePartial = mSourcePartial; final View target = mTarget; int x = (int)event.getX(); int y = (int)event.getY(); boolean sendToDelegate = false; boolean hit = true; boolean handled = false; switch (event.getAction()) { case MotionEvent.ACTION_DOWN: if (sourcePartial.contains(x, y)) { mDelegateTargeted = true; sendToDelegate = true; } break; case MotionEvent.ACTION_UP: case MotionEvent.ACTION_MOVE: sendToDelegate = mDelegateTargeted; if (sendToDelegate) { if (!sourcePartial.contains(x, y)) { hit = false; } } break; case MotionEvent.ACTION_CANCEL: sendToDelegate = mDelegateTargeted; mDelegateTargeted = false; break; } if (sendToDelegate) { if (hit) { event.setLocation(target.getWidth() / 2, target.getHeight() / 2); } else { event.setLocation(-1, -1); } handled = target.dispatchTouchEvent(event); } return handled; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.annotation.TargetApi; import android.app.Activity; import android.content.AsyncQueryHandler; import android.content.ContentValues; import android.content.Context; import android.content.Intent; import android.net.Uri; import android.os.Build; import android.support.v4.app.ShareCompat; import android.view.ActionProvider; import android.view.MenuItem; import android.widget.ShareActionProvider; import com.google.analytics.tracking.android.EasyTracker; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.appwidget.ScheduleWidgetProvider; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.service.ScheduleUpdaterService; import com.google.android.apps.iosched.ui.MapFragment; import com.google.android.apps.iosched.ui.SocialStreamActivity; import com.google.android.apps.iosched.ui.SocialStreamFragment; import static com.google.android.apps.iosched.util.LogUtils.LOGD; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * Helper class for dealing with common actions to take on a session. */ public final class SessionsHelper { private static final String TAG = makeLogTag(SessionsHelper.class); private final Activity mActivity; public SessionsHelper(Activity activity) { mActivity = activity; } public void startMapActivity(String roomId) { Intent intent = new Intent(mActivity.getApplicationContext(), UIUtils.getMapActivityClass(mActivity)); intent.putExtra(MapFragment.EXTRA_ROOM, roomId); mActivity.startActivity(intent); } public Intent createShareIntent(int messageTemplateResId, String title, String hashtags, String url) { ShareCompat.IntentBuilder builder = ShareCompat.IntentBuilder.from(mActivity) .setType("text/plain") .setText(mActivity.getString(messageTemplateResId, title, UIUtils.getSessionHashtagsString(hashtags), url)); return builder.getIntent(); } @TargetApi(Build.VERSION_CODES.ICE_CREAM_SANDWICH) public void tryConfigureShareMenuItem(MenuItem menuItem, int messageTemplateResId, final String title, String hashtags, String url) { if (UIUtils.hasICS()) { ActionProvider itemProvider = menuItem.getActionProvider(); ShareActionProvider provider; if (!(itemProvider instanceof ShareActionProvider)) { provider = new ShareActionProvider(mActivity); } else { provider = (ShareActionProvider) itemProvider; } provider.setShareIntent(createShareIntent(messageTemplateResId, title, hashtags, url)); provider.setOnShareTargetSelectedListener( new ShareActionProvider.OnShareTargetSelectedListener() { @Override public boolean onShareTargetSelected(ShareActionProvider source, Intent intent) { EasyTracker.getTracker().sendEvent("Session", "Shared", title, 0L); LOGD("Tracker", "Shared: " + title); return false; } }); menuItem.setActionProvider(provider); } } public void shareSession(Context context, int messageTemplateResId, String title, String hashtags, String url) { EasyTracker.getTracker().sendEvent("Session", "Shared", title, 0L); LOGD("Tracker", "Shared: " + title); context.startActivity(Intent.createChooser( createShareIntent(messageTemplateResId, title, hashtags, url), context.getString(R.string.title_share))); } public void setSessionStarred(Uri sessionUri, boolean starred, String title) { LOGD(TAG, "setSessionStarred uri=" + sessionUri + " starred=" + starred + " title=" + title); sessionUri = ScheduleContract.addCallerIsSyncAdapterParameter(sessionUri); final ContentValues values = new ContentValues(); values.put(ScheduleContract.Sessions.SESSION_STARRED, starred); AsyncQueryHandler handler = new AsyncQueryHandler(mActivity.getContentResolver()) { }; handler.startUpdate(-1, null, sessionUri, values, null, null); EasyTracker.getTracker().sendEvent( "Session", starred ? "Starred" : "Unstarred", title, 0L); // Because change listener is set to null during initialization, these // won't fire on pageview. mActivity.sendBroadcast(ScheduleWidgetProvider.getRefreshBroadcastIntent(mActivity, false)); // Sync to the cloudz. uploadStarredSession(mActivity, sessionUri, starred); } public static void uploadStarredSession(Context context, Uri sessionUri, boolean starred) { final Intent updateServerIntent = new Intent(context, ScheduleUpdaterService.class); updateServerIntent.putExtra(ScheduleUpdaterService.EXTRA_SESSION_ID, ScheduleContract.Sessions.getSessionId(sessionUri)); updateServerIntent.putExtra(ScheduleUpdaterService.EXTRA_IN_SCHEDULE, starred); context.startService(updateServerIntent); } public void startSocialStream(String hashtags) { Intent intent = new Intent(mActivity, SocialStreamActivity.class); intent.putExtra(SocialStreamFragment.EXTRA_QUERY, UIUtils.getSessionHashtagsString(hashtags)); mActivity.startActivity(intent); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import java.util.ArrayList; import java.util.Collections; /** * Provides static methods for creating {@code List} instances easily, and other * utility methods for working with lists. */ public class Lists { /** * Creates an empty {@code ArrayList} instance. * * <p><b>Note:</b> if you only need an <i>immutable</i> empty List, use * {@link Collections#emptyList} instead. * * @return a newly-created, initially-empty {@code ArrayList} */ public static <E> ArrayList<E> newArrayList() { return new ArrayList<E>(); } /** * Creates a resizable {@code ArrayList} instance containing the given * elements. * * <p><b>Note:</b> due to a bug in javac 1.5.0_06, we cannot support the * following: * * <p>{@code List<Base> list = Lists.newArrayList(sub1, sub2);} * * <p>where {@code sub1} and {@code sub2} are references to subtypes of * {@code Base}, not of {@code Base} itself. To get around this, you must * use: * * <p>{@code List<Base> list = Lists.<Base>newArrayList(sub1, sub2);} * * @param elements the elements that the list should contain, in order * @return a newly-created {@code ArrayList} containing those elements */ public static <E> ArrayList<E> newArrayList(E... elements) { int capacity = (elements.length * 110) / 100 + 5; ArrayList<E> list = new ArrayList<E>(capacity); Collections.addAll(list, elements); return list; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import com.google.android.apps.iosched.R; import android.app.AlertDialog; import android.app.Dialog; import android.content.Context; import android.content.DialogInterface; import android.content.SharedPreferences; import android.content.pm.PackageInfo; import android.content.pm.PackageManager; import android.content.res.Resources; import android.graphics.drawable.Drawable; import android.os.AsyncTask; import android.os.Bundle; import android.preference.PreferenceManager; import android.support.v4.app.DialogFragment; import android.support.v4.app.Fragment; import android.support.v4.app.FragmentActivity; import android.support.v4.app.FragmentManager; import android.support.v4.app.FragmentTransaction; import android.text.Html; import android.text.SpannableString; import android.text.SpannableStringBuilder; import android.text.method.LinkMovementMethod; import android.text.style.ClickableSpan; import android.view.LayoutInflater; import android.view.View; import android.webkit.WebView; import android.widget.TextView; /** * This is a set of helper methods for showing contextual help information in the app. */ public class HelpUtils { public static void showAbout(FragmentActivity activity) { FragmentManager fm = activity.getSupportFragmentManager(); FragmentTransaction ft = fm.beginTransaction(); Fragment prev = fm.findFragmentByTag("dialog_about"); if (prev != null) { ft.remove(prev); } ft.addToBackStack(null); new AboutDialog().show(ft, "dialog_about"); } public static class AboutDialog extends DialogFragment { private static final String VERSION_UNAVAILABLE = "N/A"; public AboutDialog() { } @Override public Dialog onCreateDialog(Bundle savedInstanceState) { // Get app version PackageManager pm = getActivity().getPackageManager(); String packageName = getActivity().getPackageName(); String versionName; try { PackageInfo info = pm.getPackageInfo(packageName, 0); versionName = info.versionName; } catch (PackageManager.NameNotFoundException e) { versionName = VERSION_UNAVAILABLE; } // Build the about body view and append the link to see OSS licenses SpannableStringBuilder aboutBody = new SpannableStringBuilder(); aboutBody.append(Html.fromHtml(getString(R.string.about_body, versionName))); SpannableString licensesLink = new SpannableString(getString(R.string.about_licenses)); licensesLink.setSpan(new ClickableSpan() { @Override public void onClick(View view) { HelpUtils.showOpenSourceLicenses(getActivity()); } }, 0, licensesLink.length(), 0); aboutBody.append("\n\n"); aboutBody.append(licensesLink); SpannableString eulaLink = new SpannableString(getString(R.string.about_eula)); eulaLink.setSpan(new ClickableSpan() { @Override public void onClick(View view) { HelpUtils.showEula(getActivity()); } }, 0, eulaLink.length(), 0); aboutBody.append("\n\n"); aboutBody.append(eulaLink); LayoutInflater layoutInflater = (LayoutInflater) getActivity().getSystemService( Context.LAYOUT_INFLATER_SERVICE); TextView aboutBodyView = (TextView) layoutInflater.inflate(R.layout.dialog_about, null); aboutBodyView.setText(aboutBody); aboutBodyView.setMovementMethod(new LinkMovementMethod()); return new AlertDialog.Builder(getActivity()) .setTitle(R.string.title_about) .setView(aboutBodyView) .setPositiveButton(R.string.ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int whichButton) { dialog.dismiss(); } } ) .create(); } } public static void showOpenSourceLicenses(FragmentActivity activity) { FragmentManager fm = activity.getSupportFragmentManager(); FragmentTransaction ft = fm.beginTransaction(); Fragment prev = fm.findFragmentByTag("dialog_licenses"); if (prev != null) { ft.remove(prev); } ft.addToBackStack(null); new OpenSourceLicensesDialog().show(ft, "dialog_licenses"); } public static class OpenSourceLicensesDialog extends DialogFragment { public OpenSourceLicensesDialog() { } @Override public Dialog onCreateDialog(Bundle savedInstanceState) { WebView webView = new WebView(getActivity()); webView.loadUrl("file:///android_asset/licenses.html"); return new AlertDialog.Builder(getActivity()) .setTitle(R.string.about_licenses) .setView(webView) .setPositiveButton(R.string.ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int whichButton) { dialog.dismiss(); } } ) .create(); } } public static void showEula(FragmentActivity activity) { FragmentManager fm = activity.getSupportFragmentManager(); FragmentTransaction ft = fm.beginTransaction(); Fragment prev = fm.findFragmentByTag("dialog_eula"); if (prev != null) { ft.remove(prev); } ft.addToBackStack(null); new EulaDialog().show(ft, "dialog_eula"); } public static class EulaDialog extends DialogFragment { public EulaDialog() { } @Override public Dialog onCreateDialog(Bundle savedInstanceState) { int padding = getResources().getDimensionPixelSize(R.dimen.content_padding_normal); TextView eulaTextView = new TextView(getActivity()); eulaTextView.setText(Html.fromHtml(getString(R.string.eula_text))); eulaTextView.setMovementMethod(LinkMovementMethod.getInstance()); eulaTextView.setPadding(padding, padding, padding, padding); return new AlertDialog.Builder(getActivity()) .setTitle(R.string.about_eula) .setView(eulaTextView) .setPositiveButton(R.string.ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int whichButton) { dialog.dismiss(); } } ) .create(); } } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ /* * Modifications: * -Imported from AOSP frameworks/base/core/java/com/android/internal/content * -Changed package name */ package com.google.android.apps.iosched.util; import android.content.ContentValues; import android.database.Cursor; import android.database.sqlite.SQLiteDatabase; import android.text.TextUtils; import java.util.ArrayList; import java.util.Arrays; import java.util.Collections; import java.util.Map; import static com.google.android.apps.iosched.util.LogUtils.LOGV; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * Helper for building selection clauses for {@link SQLiteDatabase}. Each * appended clause is combined using {@code AND}. This class is <em>not</em> * thread safe. */ public class SelectionBuilder { private static final String TAG = makeLogTag(SelectionBuilder.class); private String mTable = null; private Map<String, String> mProjectionMap = Maps.newHashMap(); private StringBuilder mSelection = new StringBuilder(); private ArrayList<String> mSelectionArgs = Lists.newArrayList(); /** * Reset any internal state, allowing this builder to be recycled. */ public SelectionBuilder reset() { mTable = null; mSelection.setLength(0); mSelectionArgs.clear(); return this; } /** * Append the given selection clause to the internal state. Each clause is * surrounded with parenthesis and combined using {@code AND}. */ public SelectionBuilder where(String selection, String... selectionArgs) { if (TextUtils.isEmpty(selection)) { if (selectionArgs != null && selectionArgs.length > 0) { throw new IllegalArgumentException( "Valid selection required when including arguments="); } // Shortcut when clause is empty return this; } if (mSelection.length() > 0) { mSelection.append(" AND "); } mSelection.append("(").append(selection).append(")"); if (selectionArgs != null) { Collections.addAll(mSelectionArgs, selectionArgs); } return this; } public SelectionBuilder table(String table) { mTable = table; return this; } private void assertTable() { if (mTable == null) { throw new IllegalStateException("Table not specified"); } } public SelectionBuilder mapToTable(String column, String table) { mProjectionMap.put(column, table + "." + column); return this; } public SelectionBuilder map(String fromColumn, String toClause) { mProjectionMap.put(fromColumn, toClause + " AS " + fromColumn); return this; } /** * Return selection string for current internal state. * * @see #getSelectionArgs() */ public String getSelection() { return mSelection.toString(); } /** * Return selection arguments for current internal state. * * @see #getSelection() */ public String[] getSelectionArgs() { return mSelectionArgs.toArray(new String[mSelectionArgs.size()]); } private void mapColumns(String[] columns) { for (int i = 0; i < columns.length; i++) { final String target = mProjectionMap.get(columns[i]); if (target != null) { columns[i] = target; } } } @Override public String toString() { return "SelectionBuilder[table=" + mTable + ", selection=" + getSelection() + ", selectionArgs=" + Arrays.toString(getSelectionArgs()) + "]"; } /** * Execute query using the current internal state as {@code WHERE} clause. */ public Cursor query(SQLiteDatabase db, String[] columns, String orderBy) { return query(db, columns, null, null, orderBy, null); } /** * Execute query using the current internal state as {@code WHERE} clause. */ public Cursor query(SQLiteDatabase db, String[] columns, String groupBy, String having, String orderBy, String limit) { assertTable(); if (columns != null) mapColumns(columns); LOGV(TAG, "query(columns=" + Arrays.toString(columns) + ") " + this); return db.query(mTable, columns, getSelection(), getSelectionArgs(), groupBy, having, orderBy, limit); } /** * Execute update using the current internal state as {@code WHERE} clause. */ public int update(SQLiteDatabase db, ContentValues values) { assertTable(); LOGV(TAG, "update() " + this); return db.update(mTable, values, getSelection(), getSelectionArgs()); } /** * Execute delete using the current internal state as {@code WHERE} clause. */ public int delete(SQLiteDatabase db) { assertTable(); LOGV(TAG, "delete() " + this); return db.delete(mTable, getSelection(), getSelectionArgs()); } }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.content.Context; import android.content.SharedPreferences; import android.preference.ListPreference; import android.preference.Preference; import android.preference.PreferenceManager; import com.google.android.apps.iosched.Config; import java.util.TimeZone; /** * Utilities and constants related to app preferences. */ public class PrefUtils { /** * Boolean preference that when checked, indicates that the user would like to see times * in their local timezone throughout the app. */ public static final String PREF_LOCAL_TIMES = "pref_local_times"; /** * Boolean preference that when checked, indicates that the user will be attending the * conference. */ public static final String PREF_ATTENDEE_AT_VENUE = "pref_attendee_at_venue"; /** * Boolean preference that when checked, indicates that the user has completed account * authentication and the initial set up flow. */ public static final String PREF_SETUP_DONE = "pref_setup_done"; /** * Integer preference that indicates what conference year the application is configured * for. Typically, if this isn't an exact match, preferences should be wiped to re-run * setup. */ public static final String PREF_CONFERENCE_YEAR = "pref_conference_year"; /** * Boolean indicating whether a user's DevSite profile is available. Defaults to true. */ public static final String PREF_DEVSITE_PROFILE_AVAILABLE = "pref_devsite_profile_available"; private static int sIsUsingLocalTime = -1; private static int sAttendeeAtVenue = -1; public static TimeZone getDisplayTimeZone(Context context) { return isUsingLocalTime(context) ? TimeZone.getDefault() : UIUtils.CONFERENCE_TIME_ZONE; } public static boolean isUsingLocalTime(Context context) { return isUsingLocalTime(context, false); } public static boolean isUsingLocalTime(Context context, boolean forceRequery) { if (sIsUsingLocalTime == -1 || forceRequery) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sIsUsingLocalTime = sp.getBoolean(PREF_LOCAL_TIMES, false) ? 1 : 0; } return sIsUsingLocalTime == 1; } public static void setUsingLocalTime(final Context context, final boolean usingLocalTime) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sp.edit().putBoolean(PREF_LOCAL_TIMES, usingLocalTime).commit(); } public static boolean isAttendeeAtVenue(final Context context) { return isAttendeeAtVenue(context, false); } public static boolean isAttendeeAtVenue(final Context context, boolean forceRequery) { if (sAttendeeAtVenue == -1 || forceRequery) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sAttendeeAtVenue = sp.getBoolean(PREF_ATTENDEE_AT_VENUE, false) ? 1 : 0; } return sAttendeeAtVenue == 1; } public static void markSetupDone(final Context context) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sp.edit().putBoolean(PREF_SETUP_DONE, true).commit(); } public static boolean isSetupDone(final Context context) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); // Check what year we're configured for int conferenceYear = sp.getInt(PREF_CONFERENCE_YEAR, 0); if (conferenceYear != Config.CONFERENCE_YEAR) { // Application is configured for a different conference year. Reset // preferences and re-run setup. sp.edit().clear().putInt(PREF_CONFERENCE_YEAR, Config.CONFERENCE_YEAR).commit(); } return sp.getBoolean(PREF_SETUP_DONE, false); } public static void setAttendeeAtVenue(final Context context, final boolean isAtVenue) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sp.edit().putBoolean(PREF_ATTENDEE_AT_VENUE, isAtVenue).commit(); } public static void markDevSiteProfileAvailable(final Context context, final boolean isAvailable) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sp.edit().putBoolean(PREF_DEVSITE_PROFILE_AVAILABLE, isAvailable).commit(); } public static boolean isDevsiteProfileAvailable(final Context context) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); return sp.getBoolean(PREF_DEVSITE_PROFILE_AVAILABLE, true); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import com.google.android.apps.iosched.BuildConfig; import android.util.Log; public class LogUtils { private static final String LOG_PREFIX = "iosched_"; private static final int LOG_PREFIX_LENGTH = LOG_PREFIX.length(); private static final int MAX_LOG_TAG_LENGTH = 23; public static String makeLogTag(String str) { if (str.length() > MAX_LOG_TAG_LENGTH - LOG_PREFIX_LENGTH) { return LOG_PREFIX + str.substring(0, MAX_LOG_TAG_LENGTH - LOG_PREFIX_LENGTH - 1); } return LOG_PREFIX + str; } /** * Don't use this when obfuscating class names! */ public static String makeLogTag(Class cls) { return makeLogTag(cls.getSimpleName()); } public static void LOGD(final String tag, String message) { //noinspection PointlessBooleanExpression,ConstantConditions if (BuildConfig.DEBUG || Log.isLoggable(tag, Log.DEBUG)) { Log.d(tag, message); } } public static void LOGD(final String tag, String message, Throwable cause) { //noinspection PointlessBooleanExpression,ConstantConditions if (BuildConfig.DEBUG || Log.isLoggable(tag, Log.DEBUG)) { Log.d(tag, message, cause); } } public static void LOGV(final String tag, String message) { //noinspection PointlessBooleanExpression,ConstantConditions if (BuildConfig.DEBUG && Log.isLoggable(tag, Log.VERBOSE)) { Log.v(tag, message); } } public static void LOGV(final String tag, String message, Throwable cause) { //noinspection PointlessBooleanExpression,ConstantConditions if (BuildConfig.DEBUG && Log.isLoggable(tag, Log.VERBOSE)) { Log.v(tag, message, cause); } } public static void LOGI(final String tag, String message) { Log.i(tag, message); } public static void LOGI(final String tag, String message, Throwable cause) { Log.i(tag, message, cause); } public static void LOGW(final String tag, String message) { Log.w(tag, message); } public static void LOGW(final String tag, String message, Throwable cause) { Log.w(tag, message, cause); } public static void LOGE(final String tag, String message) { Log.e(tag, message); } public static void LOGE(final String tag, String message, Throwable cause) { Log.e(tag, message, cause); } private LogUtils() { } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import java.util.HashMap; import java.util.LinkedHashMap; /** * Provides static methods for creating mutable {@code Maps} instances easily. */ public class Maps { /** * Creates a {@code HashMap} instance. * * @return a newly-created, initially-empty {@code HashMap} */ public static <K, V> HashMap<K, V> newHashMap() { return new HashMap<K, V>(); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.annotation.TargetApi; import android.app.Activity; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.pm.ActivityInfo; import android.content.pm.PackageInfo; import android.content.pm.PackageManager; import android.content.pm.ResolveInfo; import android.content.res.Configuration; import android.content.res.Resources; import android.graphics.*; import android.graphics.drawable.Drawable; import android.net.Uri; import android.os.AsyncTask; import android.os.Build; import android.preference.PreferenceManager; import android.text.Html; import android.text.Spannable; import android.text.SpannableStringBuilder; import android.text.TextUtils; import android.text.format.DateUtils; import android.text.method.LinkMovementMethod; import android.text.style.ForegroundColorSpan; import android.text.style.StyleSpan; import android.view.View; import android.widget.ImageView; import android.widget.TextView; import com.google.android.apps.iosched.BuildConfig; import com.google.android.apps.iosched.Config; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.provider.ScheduleContract.Blocks; import com.google.android.apps.iosched.provider.ScheduleContract.Rooms; import com.google.android.apps.iosched.ui.phone.MapActivity; import com.google.android.apps.iosched.ui.tablet.MapMultiPaneActivity; import java.io.*; import java.lang.ref.WeakReference; import java.security.MessageDigest; import java.security.NoSuchAlgorithmException; import java.util.Calendar; import java.util.Formatter; import java.util.Locale; import java.util.TimeZone; import java.util.regex.Pattern; import static com.google.android.apps.iosched.util.LogUtils.LOGE; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * An assortment of UI helpers. */ public class UIUtils { private static final String TAG = makeLogTag(UIUtils.class); /** * Time zone to use when formatting all session times. To always use the * phone local time, use {@link TimeZone#getDefault()}. */ public static final TimeZone CONFERENCE_TIME_ZONE = TimeZone.getTimeZone("America/Los_Angeles"); public static final long CONFERENCE_START_MILLIS = ParserUtils.parseTime( "2013-05-15T09:00:00.000-07:00"); public static final long CONFERENCE_END_MILLIS = ParserUtils.parseTime( "2013-05-17T16:00:00.000-07:00"); public static final String CONFERENCE_HASHTAG = "#io13"; public static final String TARGET_FORM_FACTOR_ACTIVITY_METADATA = "com.google.android.apps.iosched.meta.TARGET_FORM_FACTOR"; public static final String TARGET_FORM_FACTOR_HANDSET = "handset"; public static final String TARGET_FORM_FACTOR_TABLET = "tablet"; /** * Flags used with {@link DateUtils#formatDateRange}. */ private static final int TIME_FLAGS = DateUtils.FORMAT_SHOW_TIME | DateUtils.FORMAT_SHOW_WEEKDAY | DateUtils.FORMAT_ABBREV_WEEKDAY; /** * Regex to search for HTML escape sequences. * * <p></p>Searches for any continuous string of characters starting with an ampersand and ending with a * semicolon. (Example: &amp;amp;) */ private static final Pattern REGEX_HTML_ESCAPE = Pattern.compile(".*&\\S;.*"); /** * Used in {@link #tryTranslateHttpIntent(android.app.Activity)}. */ private static final Uri SESSION_DETAIL_WEB_URL_PREFIX = Uri.parse("https://developers.google.com/events/io/sessions/"); private static StyleSpan sBoldSpan = new StyleSpan(Typeface.BOLD); private static ForegroundColorSpan sColorSpan = new ForegroundColorSpan(0xff111111); private static CharSequence sEmptyRoomText; private static CharSequence sNowPlayingText; private static CharSequence sLivestreamNowText; private static CharSequence sLivestreamAvailableText; public static final String GOOGLE_PLUS_PACKAGE_NAME = "com.google.android.apps.plus"; public static final int ANIMATION_FADE_IN_TIME = 250; public static final String TRACK_ICONS_TAG = "tracks"; /** * Format and return the given {@link Blocks} and {@link Rooms} values using * {@link #CONFERENCE_TIME_ZONE}. */ public static String formatSessionSubtitle(String sessionTitle, long blockStart, long blockEnd, String roomName, StringBuilder recycle, Context context) { // Determine if the session is in the past long currentTimeMillis = UIUtils.getCurrentTime(context); boolean conferenceEnded = currentTimeMillis > UIUtils.CONFERENCE_END_MILLIS; boolean blockEnded = currentTimeMillis > blockEnd; if (blockEnded && !conferenceEnded) { return context.getString(R.string.session_finished); } if (sEmptyRoomText == null) { sEmptyRoomText = context.getText(R.string.unknown_room); } if (roomName == null) { return context.getString(R.string.session_subtitle, formatBlockTimeString(blockStart, blockEnd, recycle, context), sEmptyRoomText); } return context.getString(R.string.session_subtitle, formatBlockTimeString(blockStart, blockEnd, recycle, context), roomName); } /** * Format and return the given {@link Blocks} values using {@link #CONFERENCE_TIME_ZONE} * (unless local time was explicitly requested by the user). */ public static String formatBlockTimeString(long blockStart, long blockEnd, StringBuilder recycle, Context context) { if (recycle == null) { recycle = new StringBuilder(); } else { recycle.setLength(0); } Formatter formatter = new Formatter(recycle); return DateUtils.formatDateRange(context, formatter, blockStart, blockEnd, TIME_FLAGS, PrefUtils.getDisplayTimeZone(context).getID()).toString(); } public static boolean isSameDayDisplay(long time1, long time2, Context context) { TimeZone displayTimeZone = PrefUtils.getDisplayTimeZone(context); Calendar cal1 = Calendar.getInstance(displayTimeZone); Calendar cal2 = Calendar.getInstance(displayTimeZone); cal1.setTimeInMillis(time1); cal2.setTimeInMillis(time2); return cal1.get(Calendar.YEAR) == cal2.get(Calendar.YEAR) && cal1.get(Calendar.DAY_OF_YEAR) == cal2.get(Calendar.DAY_OF_YEAR); } /** * Populate the given {@link TextView} with the requested text, formatting * through {@link Html#fromHtml(String)} when applicable. Also sets * {@link TextView#setMovementMethod} so inline links are handled. */ public static void setTextMaybeHtml(TextView view, String text) { if (TextUtils.isEmpty(text)) { view.setText(""); return; } if ((text.contains("<") && text.contains(">")) || REGEX_HTML_ESCAPE.matcher(text).find()) { view.setText(Html.fromHtml(text)); view.setMovementMethod(LinkMovementMethod.getInstance()); } else { view.setText(text); } } public static void updateTimeAndLivestreamBlockUI(final Context context, long blockStart, long blockEnd, boolean hasLivestream, TextView titleView, TextView subtitleView, CharSequence subtitle) { long currentTimeMillis = getCurrentTime(context); boolean conferenceEnded = currentTimeMillis > CONFERENCE_END_MILLIS; boolean blockEnded = currentTimeMillis > blockEnd; boolean blockNow = (blockStart <= currentTimeMillis && currentTimeMillis <= blockEnd); if (titleView != null) { if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.JELLY_BEAN) { titleView.setTypeface(Typeface.create((blockEnded && !conferenceEnded) ? "sans-serif-light" : "sans-serif", Typeface.NORMAL)); } else { titleView.setTypeface(Typeface.SANS_SERIF, (blockEnded && !conferenceEnded) ? Typeface.NORMAL : Typeface.BOLD); } } if (subtitleView != null) { boolean empty = true; SpannableStringBuilder sb = new SpannableStringBuilder(); // TODO: recycle if (subtitle != null) { sb.append(subtitle); empty = false; } if (blockNow) { if (sNowPlayingText == null) { sNowPlayingText = Html.fromHtml(context.getString(R.string.now_playing_badge)); } if (!empty) { sb.append(" "); } sb.append(sNowPlayingText); if (hasLivestream) { if (sLivestreamNowText == null) { sLivestreamNowText = Html.fromHtml("&nbsp;&nbsp;" + context.getString(R.string.live_now_badge)); } sb.append(sLivestreamNowText); } } else if (hasLivestream) { if (sLivestreamAvailableText == null) { sLivestreamAvailableText = Html.fromHtml( context.getString(R.string.live_available_badge)); } if (!empty) { sb.append(" "); } sb.append(sLivestreamAvailableText); } subtitleView.setText(sb); } } /** * Given a snippet string with matching segments surrounded by curly * braces, turn those areas into bold spans, removing the curly braces. */ public static Spannable buildStyledSnippet(String snippet) { final SpannableStringBuilder builder = new SpannableStringBuilder(snippet); // Walk through string, inserting bold snippet spans int startIndex, endIndex = -1, delta = 0; while ((startIndex = snippet.indexOf('{', endIndex)) != -1) { endIndex = snippet.indexOf('}', startIndex); // Remove braces from both sides builder.delete(startIndex - delta, startIndex - delta + 1); builder.delete(endIndex - delta - 1, endIndex - delta); // Insert bold style builder.setSpan(sBoldSpan, startIndex - delta, endIndex - delta - 1, Spannable.SPAN_EXCLUSIVE_EXCLUSIVE); builder.setSpan(sColorSpan, startIndex - delta, endIndex - delta - 1, Spannable.SPAN_EXCLUSIVE_EXCLUSIVE); delta += 2; } return builder; } public static void preferPackageForIntent(Context context, Intent intent, String packageName) { PackageManager pm = context.getPackageManager(); for (ResolveInfo resolveInfo : pm.queryIntentActivities(intent, 0)) { if (resolveInfo.activityInfo.packageName.equals(packageName)) { intent.setPackage(packageName); break; } } } public static String getSessionHashtagsString(String hashtags) { if (!TextUtils.isEmpty(hashtags)) { if (!hashtags.startsWith("#")) { hashtags = "#" + hashtags; } if (hashtags.contains(CONFERENCE_HASHTAG)) { return hashtags; } return CONFERENCE_HASHTAG + " " + hashtags; } else { return CONFERENCE_HASHTAG; } } private static final int BRIGHTNESS_THRESHOLD = 130; /** * Calculate whether a color is light or dark, based on a commonly known * brightness formula. * * @see {@literal http://en.wikipedia.org/wiki/HSV_color_space%23Lightness} */ public static boolean isColorDark(int color) { return ((30 * Color.red(color) + 59 * Color.green(color) + 11 * Color.blue(color)) / 100) <= BRIGHTNESS_THRESHOLD; } /** * Create the track icon bitmap. Don't call this directly, instead use either * {@link UIUtils.TrackIconAsyncTask} or {@link UIUtils.TrackIconViewAsyncTask} to * asynchronously load the track icon. */ private static Bitmap createTrackIcon(Context context, String trackName, int trackColor) { final Resources res = context.getResources(); int iconSize = res.getDimensionPixelSize(R.dimen.track_icon_source_size); Bitmap icon = Bitmap.createBitmap(iconSize, iconSize, Bitmap.Config.ARGB_8888); Canvas canvas = new Canvas(icon); Paint paint = new Paint(); paint.setAntiAlias(true); paint.setColor(trackColor); canvas.drawCircle(iconSize / 2, iconSize / 2, iconSize / 2, paint); int iconResId = res.getIdentifier( "track_" + ParserUtils.sanitizeId(trackName), "drawable", context.getPackageName()); if (iconResId != 0) { Drawable sourceIconDrawable = res.getDrawable(iconResId); sourceIconDrawable.setBounds(0, 0, iconSize, iconSize); sourceIconDrawable.draw(canvas); } return icon; } /** * Synchronously get the track icon bitmap. Don't call this from the main thread, instead use either * {@link UIUtils.TrackIconAsyncTask} or {@link UIUtils.TrackIconViewAsyncTask} to * asynchronously load the track icon. */ public static Bitmap getTrackIconSync(Context ctx, String trackName, int trackColor) { if (TextUtils.isEmpty(trackName)) { return null; } // Find a suitable disk cache directory for the track icons and create if it doesn't // already exist. File outputDir = ImageLoader.getDiskCacheDir(ctx, TRACK_ICONS_TAG); if (!outputDir.exists()) { outputDir.mkdirs(); } // Generate a unique filename to store this track icon in using a hash function. File imageFile = new File(outputDir + File.separator + hashKeyForDisk(trackName)); Bitmap bitmap = null; // If file already exists and is readable, try and decode the bitmap from the disk. if (imageFile.exists() && imageFile.canRead()) { bitmap = BitmapFactory.decodeFile(imageFile.toString()); } // If bitmap is still null here the track icon was not found in the disk cache. if (bitmap == null) { // Create the icon using the provided track name and color. bitmap = UIUtils.createTrackIcon(ctx, trackName, trackColor); // Now write it out to disk for future use. BufferedOutputStream outputStream = null; try { outputStream = new BufferedOutputStream(new FileOutputStream(imageFile)); bitmap.compress(Bitmap.CompressFormat.PNG, 100, outputStream); } catch (FileNotFoundException e) { LOGE(TAG, "TrackIconAsyncTask - unable to open file - " + e); } finally { if (outputStream != null) { try { outputStream.close(); } catch (IOException ignored) { } } } } return bitmap; } /** * A hashing method that changes a string (like a URL) into a hash suitable for using as a * disk filename. */ private static String hashKeyForDisk(String key) { String cacheKey; try { final MessageDigest mDigest = MessageDigest.getInstance("MD5"); mDigest.update(key.getBytes()); cacheKey = bytesToHexString(mDigest.digest()); } catch (NoSuchAlgorithmException e) { cacheKey = String.valueOf(key.hashCode()); } return cacheKey; } private static String bytesToHexString(byte[] bytes) { // http://stackoverflow.com/questions/332079 StringBuilder sb = new StringBuilder(); for (int i = 0; i < bytes.length; i++) { String hex = Integer.toHexString(0xFF & bytes[i]); if (hex.length() == 1) { sb.append('0'); } sb.append(hex); } return sb.toString(); } /** * A subclass of {@link TrackIconAsyncTask} that loads the generated track icon bitmap into * the provided {@link ImageView}. This class also handles concurrency in the case the * ImageView is recycled (eg. in a ListView adapter) so that the incorrect image will not show * in a recycled view. */ public static class TrackIconViewAsyncTask extends TrackIconAsyncTask { private WeakReference<ImageView> mImageViewReference; public TrackIconViewAsyncTask(ImageView imageView, String trackName, int trackColor, BitmapCache bitmapCache) { super(trackName, trackColor, bitmapCache); // Store this AsyncTask in the tag of the ImageView so we can compare if the same task // is still running on this ImageView once processing is complete. This helps with // view recycling that takes place in a ListView type adapter. imageView.setTag(this); // If we have a BitmapCache, check if this track icon is available already. Bitmap bitmap = bitmapCache != null ? bitmapCache.getBitmapFromMemCache(trackName) : null; // If found in BitmapCache set the Bitmap directly and cancel the task. if (bitmap != null) { imageView.setImageBitmap(bitmap); cancel(true); } else { // Otherwise clear the ImageView and store a WeakReference for later use. Better // to use a WeakReference here in case the task runs long and the holding Activity // or Fragment goes away. imageView.setImageDrawable(null); mImageViewReference = new WeakReference<ImageView>(imageView); } } @TargetApi(Build.VERSION_CODES.HONEYCOMB_MR1) @Override protected void onPostExecute(Bitmap bitmap) { ImageView imageView = mImageViewReference != null ? mImageViewReference.get() : null; // If ImageView is still around, bitmap processed OK and this task is not canceled. if (imageView != null && bitmap != null && !isCancelled()) { // Ensure this task is still the same one assigned to this ImageView, if not the // view was likely recycled and a new task with a different icon is now running // on the view and we shouldn't proceed. if (this.equals(imageView.getTag())) { // On HC-MR1 run a quick fade-in animation. if (hasHoneycombMR1()) { imageView.setAlpha(0f); imageView.setImageBitmap(bitmap); imageView.animate() .alpha(1f) .setDuration(ANIMATION_FADE_IN_TIME) .setListener(null); } else { // Before HC-MR1 set the Bitmap directly. imageView.setImageBitmap(bitmap); } } } } } /** * Asynchronously load the track icon bitmap. To use, subclass and override * {@link #onPostExecute(android.graphics.Bitmap)} which passes in the generated track icon * bitmap. */ public static abstract class TrackIconAsyncTask extends AsyncTask<Context, Void, Bitmap> { private String mTrackName; private int mTrackColor; private BitmapCache mBitmapCache; public TrackIconAsyncTask(String trackName, int trackColor) { mTrackName = trackName; mTrackColor = trackColor; } public TrackIconAsyncTask(String trackName, int trackColor, BitmapCache bitmapCache) { mTrackName = trackName; mTrackColor = trackColor; mBitmapCache = bitmapCache; } @Override protected Bitmap doInBackground(Context... contexts) { Bitmap bitmap = getTrackIconSync(contexts[0], mTrackName, mTrackColor); // Store bitmap in memory cache for future use. if (bitmap != null && mBitmapCache != null) { mBitmapCache.addBitmapToCache(mTrackName, bitmap); } return bitmap; } protected abstract void onPostExecute(Bitmap bitmap); } public static boolean hasHoneycomb() { return Build.VERSION.SDK_INT >= Build.VERSION_CODES.HONEYCOMB; } public static boolean hasHoneycombMR1() { return Build.VERSION.SDK_INT >= Build.VERSION_CODES.HONEYCOMB_MR1; } public static boolean hasICS() { return Build.VERSION.SDK_INT >= Build.VERSION_CODES.ICE_CREAM_SANDWICH; } public static boolean hasJellyBeanMR1() { return Build.VERSION.SDK_INT >= Build.VERSION_CODES.JELLY_BEAN_MR1; } public static boolean isTablet(Context context) { return (context.getResources().getConfiguration().screenLayout & Configuration.SCREENLAYOUT_SIZE_MASK) >= Configuration.SCREENLAYOUT_SIZE_LARGE; } public static boolean isHoneycombTablet(Context context) { return hasHoneycomb() && isTablet(context); } // Shows whether a notification was fired for a particular session time block. In the // event that notification has not been fired yet, return false and set the bit. public static boolean isNotificationFiredForBlock(Context context, String blockId) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); final String key = String.format("notification_fired_%s", blockId); boolean fired = sp.getBoolean(key, false); sp.edit().putBoolean(key, true).commit(); return fired; } private static final long sAppLoadTime = System.currentTimeMillis(); public static long getCurrentTime(final Context context) { if (BuildConfig.DEBUG) { return context.getSharedPreferences("mock_data", Context.MODE_PRIVATE) .getLong("mock_current_time", System.currentTimeMillis()) + System.currentTimeMillis() - sAppLoadTime; // return ParserUtils.parseTime("2012-06-27T09:44:45.000-07:00") // + System.currentTimeMillis() - sAppLoadTime; } else { return System.currentTimeMillis(); } } public static boolean shouldShowLiveSessionsOnly(final Context context) { return !PrefUtils.isAttendeeAtVenue(context) && getCurrentTime(context) < CONFERENCE_END_MILLIS; } /** * Enables and disables {@linkplain android.app.Activity activities} based on their * {@link #TARGET_FORM_FACTOR_ACTIVITY_METADATA}" meta-data and the current device. * Values should be either "handset", "tablet", or not present (meaning universal). * <p> * <a href="http://stackoverflow.com/questions/13202805">Original code</a> by Dandre Allison. * @param context the current context of the device * @see #isHoneycombTablet(android.content.Context) */ public static void enableDisableActivitiesByFormFactor(Context context) { final PackageManager pm = context.getPackageManager(); boolean isTablet = isHoneycombTablet(context); try { PackageInfo pi = pm.getPackageInfo(context.getPackageName(), PackageManager.GET_ACTIVITIES | PackageManager.GET_META_DATA); if (pi == null) { LOGE(TAG, "No package info found for our own package."); return; } final ActivityInfo[] activityInfos = pi.activities; for (ActivityInfo info : activityInfos) { String targetDevice = null; if (info.metaData != null) { targetDevice = info.metaData.getString(TARGET_FORM_FACTOR_ACTIVITY_METADATA); } boolean tabletActivity = TARGET_FORM_FACTOR_TABLET.equals(targetDevice); boolean handsetActivity = TARGET_FORM_FACTOR_HANDSET.equals(targetDevice); boolean enable = !(handsetActivity && isTablet) && !(tabletActivity && !isTablet); String className = info.name; pm.setComponentEnabledSetting( new ComponentName(context, Class.forName(className)), enable ? PackageManager.COMPONENT_ENABLED_STATE_ENABLED : PackageManager.COMPONENT_ENABLED_STATE_DISABLED, PackageManager.DONT_KILL_APP); } } catch (PackageManager.NameNotFoundException e) { LOGE(TAG, "No package info found for our own package.", e); } catch (ClassNotFoundException e) { LOGE(TAG, "Activity not found within package.", e); } } public static Class getMapActivityClass(Context context) { if (UIUtils.isHoneycombTablet(context)) { return MapMultiPaneActivity.class; } return MapActivity.class; } @TargetApi(Build.VERSION_CODES.HONEYCOMB) public static void setActivatedCompat(View view, boolean activated) { if (hasHoneycomb()) { view.setActivated(activated); } } /** * If an activity's intent is for a Google I/O web URL that the app can handle * natively, this method translates the intent to the equivalent native intent. */ public static void tryTranslateHttpIntent(Activity activity) { Intent intent = activity.getIntent(); if (intent == null) { return; } Uri uri = intent.getData(); if (uri == null || TextUtils.isEmpty(uri.getPath())) { return; } String prefixPath = SESSION_DETAIL_WEB_URL_PREFIX.getPath(); String path = uri.getPath(); if (SESSION_DETAIL_WEB_URL_PREFIX.getScheme().equals(uri.getScheme()) && SESSION_DETAIL_WEB_URL_PREFIX.getHost().equals(uri.getHost()) && path.startsWith(prefixPath)) { String sessionId = path.substring(prefixPath.length()); activity.setIntent(new Intent( Intent.ACTION_VIEW, ScheduleContract.Sessions.buildSessionUri(sessionId))); } } /** * The Conference API image URLs can be absolute or relative. In the case they are relative * we should prepend the main Conference URL. * @param imageUrl A Conference API image URL * @return An absolute image URL */ public static String getConferenceImageUrl(String imageUrl) { if (!TextUtils.isEmpty(imageUrl) && !imageUrl.startsWith("http")) { return Config.CONFERENCE_IMAGE_PREFIX_URL + imageUrl; } return imageUrl; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.accounts.Account; import android.accounts.AccountManager; import android.accounts.AccountManagerCallback; import android.accounts.AccountManagerFuture; import android.app.Activity; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.os.AsyncTask; import android.os.Bundle; import android.preference.PreferenceManager; import android.text.TextUtils; import com.google.android.apps.iosched.gcm.ServerUtilities; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.ui.AccountActivity; import com.google.android.gms.auth.*; import com.google.android.gms.common.Scopes; import java.io.IOException; import static com.google.android.apps.iosched.util.LogUtils.*; public class AccountUtils { private static final String TAG = makeLogTag(AccountUtils.class); private static final String PREF_CHOSEN_ACCOUNT = "chosen_account"; private static final String PREF_AUTH_TOKEN = "auth_token"; private static final String PREF_PLUS_PROFILE_ID = "plus_profile_id"; public static final String AUTH_SCOPES[] = { Scopes.PLUS_LOGIN, "https://www.googleapis.com/auth/userinfo.email", "https://www.googleapis.com/auth/developerssite" }; static final String AUTH_TOKEN_TYPE; static { StringBuilder sb = new StringBuilder(); sb.append("oauth2:"); for (String scope : AUTH_SCOPES) { sb.append(scope); sb.append(" "); } AUTH_TOKEN_TYPE = sb.toString(); } public static boolean isAuthenticated(final Context context) { return !TextUtils.isEmpty(getChosenAccountName(context)); } public static String getChosenAccountName(final Context context) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); return sp.getString(PREF_CHOSEN_ACCOUNT, null); } public static Account getChosenAccount(final Context context) { String account = getChosenAccountName(context); if (account != null) { return new Account(account, GoogleAuthUtil.GOOGLE_ACCOUNT_TYPE); } else { return null; } } static void setChosenAccountName(final Context context, final String accountName) { LOGD(TAG, "Chose account " + accountName); SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sp.edit().putString(PREF_CHOSEN_ACCOUNT, accountName).commit(); } public static String getAuthToken(final Context context) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); return sp.getString(PREF_AUTH_TOKEN, null); } private static void setAuthToken(final Context context, final String authToken) { LOGI(TAG, "Auth token of length " + (TextUtils.isEmpty(authToken) ? 0 : authToken.length())); SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sp.edit().putString(PREF_AUTH_TOKEN, authToken).commit(); LOGD(TAG, "Auth Token: " + authToken); } static void invalidateAuthToken(final Context context) { GoogleAuthUtil.invalidateToken(context, getAuthToken(context)); setAuthToken(context, null); } public static void setPlusProfileId(final Context context, final String profileId) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sp.edit().putString(PREF_PLUS_PROFILE_ID, profileId).commit(); } public static String getPlusProfileId(final Context context) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); return sp.getString(PREF_PLUS_PROFILE_ID, null); } public static void refreshAuthToken(Context mContext) { invalidateAuthToken(mContext); tryAuthenticateWithErrorNotification(mContext, ScheduleContract.CONTENT_AUTHORITY, getChosenAccountName(mContext)); } public static interface AuthenticateCallback { public boolean shouldCancelAuthentication(); public void onAuthTokenAvailable(); public void onRecoverableException(final int code); public void onUnRecoverableException(final String errorMessage); } static void tryAuthenticateWithErrorNotification(Context context, String syncAuthority, String accountName) { try { LOGI(TAG, "Requesting new auth token (with notification)"); final String token = GoogleAuthUtil.getTokenWithNotification(context, accountName, AUTH_TOKEN_TYPE, null, syncAuthority, null); setAuthToken(context, token); setChosenAccountName(context, accountName); } catch (UserRecoverableNotifiedException e) { // Notification has already been pushed. LOGW(TAG, "User recoverable exception. Check notification.", e); } catch (GoogleAuthException e) { // This is likely unrecoverable. LOGE(TAG, "Unrecoverable authentication exception: " + e.getMessage(), e); } catch (IOException e) { LOGE(TAG, "transient error encountered: " + e.getMessage()); } } public static void tryAuthenticate(final Activity activity, final AuthenticateCallback callback, final String accountName, final int requestCode) { (new GetTokenTask(activity, callback, accountName, requestCode)).execute(); } private static class GetTokenTask extends AsyncTask <Void, Void, String> { private String mAccountName; private Activity mActivity; private AuthenticateCallback mCallback; private int mRequestCode; public GetTokenTask(Activity activity, AuthenticateCallback callback, String name, int requestCode) { mAccountName = name; mActivity = activity; mCallback = callback; mRequestCode = requestCode; } @Override protected String doInBackground(Void... params) { try { if (mCallback.shouldCancelAuthentication()) return null; final String token = GoogleAuthUtil.getToken(mActivity, mAccountName, AUTH_TOKEN_TYPE); // Persists auth token. setAuthToken(mActivity, token); setChosenAccountName(mActivity, mAccountName); return token; } catch (GooglePlayServicesAvailabilityException e) { mCallback.onRecoverableException(e.getConnectionStatusCode()); } catch (UserRecoverableAuthException e) { mActivity.startActivityForResult(e.getIntent(), mRequestCode); } catch (IOException e) { LOGE(TAG, "transient error encountered: " + e.getMessage()); mCallback.onUnRecoverableException(e.getMessage()); } catch (GoogleAuthException e) { LOGE(TAG, "transient error encountered: " + e.getMessage()); mCallback.onUnRecoverableException(e.getMessage()); } catch (RuntimeException e) { LOGE(TAG, "Error encountered: " + e.getMessage()); mCallback.onUnRecoverableException(e.getMessage()); } return null; } @Override protected void onPostExecute(String token) { super.onPostExecute(token); mCallback.onAuthTokenAvailable(); } } public static void signOut(final Context context) { // Sign out of GCM message router ServerUtilities.onSignOut(context); // Destroy auth tokens invalidateAuthToken(context); // Remove remaining application state SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sp.edit().clear().commit(); context.getContentResolver().delete(ScheduleContract.BASE_CONTENT_URI, null, null); } public static void startAuthenticationFlow(final Context context, final Intent finishIntent) { Intent loginFlowIntent = new Intent(context, AccountActivity.class); loginFlowIntent.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK); loginFlowIntent.putExtra(AccountActivity.EXTRA_FINISH_INTENT, finishIntent); context.startActivity(loginFlowIntent); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.annotation.TargetApi; import android.graphics.Bitmap; import android.os.Build; import android.os.Bundle; import android.support.v4.app.Fragment; import android.support.v4.app.FragmentManager; import android.support.v4.util.LruCache; import com.android.volley.toolbox.ImageLoader; import static com.google.android.apps.iosched.util.LogUtils.LOGD; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * This class holds our bitmap caches (memory and disk). */ public class BitmapCache implements ImageLoader.ImageCache { private static final String TAG = makeLogTag(BitmapCache.class); // Default memory cache size as a percent of device memory class private static final float DEFAULT_MEM_CACHE_PERCENT = 0.15f; private LruCache<String, Bitmap> mMemoryCache; /** * Don't instantiate this class directly, use * {@link #getInstance(android.support.v4.app.FragmentManager, float)}. * @param memCacheSize Memory cache size in KB. */ private BitmapCache(int memCacheSize) { init(memCacheSize); } /** * Find and return an existing BitmapCache stored in a {@link RetainFragment}, if not found a * new one is created using the supplied params and saved to a {@link RetainFragment}. * * @param fragmentManager The fragment manager to use when dealing with the retained fragment. * @param fragmentTag The tag of the retained fragment (should be unique for each memory cache * that needs to be retained). * @param memCacheSize Memory cache size in KB. */ public static BitmapCache getInstance(FragmentManager fragmentManager, String fragmentTag, int memCacheSize) { BitmapCache bitmapCache = null; RetainFragment mRetainFragment = null; if (fragmentManager != null) { // Search for, or create an instance of the non-UI RetainFragment mRetainFragment = getRetainFragment(fragmentManager, fragmentTag); // See if we already have a BitmapCache stored in RetainFragment bitmapCache = (BitmapCache) mRetainFragment.getObject(); } // No existing BitmapCache, create one and store it in RetainFragment if (bitmapCache == null) { bitmapCache = new BitmapCache(memCacheSize); if (mRetainFragment != null) { mRetainFragment.setObject(bitmapCache); } } return bitmapCache; } public static BitmapCache getInstance(FragmentManager fragmentManager, int memCacheSize) { return getInstance(fragmentManager, TAG, memCacheSize); } public static BitmapCache getInstance(FragmentManager fragmentManager, float memCachePercent) { return getInstance(fragmentManager, calculateMemCacheSize(memCachePercent)); } public static BitmapCache getInstance(FragmentManager fragmentManger) { return getInstance(fragmentManger, DEFAULT_MEM_CACHE_PERCENT); } /** * Initialize the cache. */ private void init(int memCacheSize) { // Set up memory cache LOGD(TAG, "Memory cache created (size = " + memCacheSize + "KB)"); mMemoryCache = new LruCache<String, Bitmap>(memCacheSize) { /** * Measure item size in kilobytes rather than units which is more practical * for a bitmap cache */ @Override protected int sizeOf(String key, Bitmap bitmap) { final int bitmapSize = getBitmapSize(bitmap) / 1024; return bitmapSize == 0 ? 1 : bitmapSize; } }; } /** * Adds a bitmap to both memory and disk cache. * @param data Unique identifier for the bitmap to store * @param bitmap The bitmap to store */ public void addBitmapToCache(String data, Bitmap bitmap) { if (data == null || bitmap == null) { return; } synchronized (mMemoryCache) { // Add to memory cache if (mMemoryCache.get(data) == null) { LOGD(TAG, "Memory cache put - " + data); mMemoryCache.put(data, bitmap); } } } /** * Get from memory cache. * * @param data Unique identifier for which item to get * @return The bitmap if found in cache, null otherwise */ public Bitmap getBitmapFromMemCache(String data) { if (data != null) { synchronized (mMemoryCache) { final Bitmap memBitmap = mMemoryCache.get(data); if (memBitmap != null) { LOGD(TAG, "Memory cache hit - " + data); return memBitmap; } } LOGD(TAG, "Memory cache miss - " + data); } return null; } /** * Clears the memory cache. */ public void clearCache() { if (mMemoryCache != null) { mMemoryCache.evictAll(); LOGD(TAG, "Memory cache cleared"); } } /** * Sets the memory cache size based on a percentage of the max available VM memory. * Eg. setting percent to 0.2 would set the memory cache to one fifth of the available * memory. Throws {@link IllegalArgumentException} if percent is < 0.05 or > .8. * memCacheSize is stored in kilobytes instead of bytes as this will eventually be passed * to construct a LruCache which takes an int in its constructor. * * This value should be chosen carefully based on a number of factors * Refer to the corresponding Android Training class for more discussion: * http://developer.android.com/training/displaying-bitmaps/ * * @param percent Percent of memory class to use to size memory cache * @return Memory cache size in KB */ public static int calculateMemCacheSize(float percent) { if (percent < 0.05f || percent > 0.8f) { throw new IllegalArgumentException("setMemCacheSizePercent - percent must be " + "between 0.05 and 0.8 (inclusive)"); } return Math.round(percent * Runtime.getRuntime().maxMemory() / 1024); } /** * Get the size in bytes of a bitmap. */ @TargetApi(Build.VERSION_CODES.HONEYCOMB_MR1) public static int getBitmapSize(Bitmap bitmap) { if (UIUtils.hasHoneycombMR1()) { return bitmap.getByteCount(); } // Pre HC-MR1 return bitmap.getRowBytes() * bitmap.getHeight(); } /** * Locate an existing instance of this Fragment or if not found, create and * add it using FragmentManager. * * @param fm The FragmentManager manager to use. * @param fragmentTag The tag of the retained fragment (should be unique for each memory * cache that needs to be retained). * @return The existing instance of the Fragment or the new instance if just * created. */ private static RetainFragment getRetainFragment(FragmentManager fm, String fragmentTag) { // Check to see if we have retained the worker fragment. RetainFragment mRetainFragment = (RetainFragment) fm.findFragmentByTag(fragmentTag); // If not retained (or first time running), we need to create and add it. if (mRetainFragment == null) { mRetainFragment = new RetainFragment(); fm.beginTransaction().add(mRetainFragment, fragmentTag).commitAllowingStateLoss(); } return mRetainFragment; } @Override public Bitmap getBitmap(String key) { return getBitmapFromMemCache(key); } @Override public void putBitmap(String key, Bitmap bitmap) { addBitmapToCache(key, bitmap); } /** * A simple non-UI Fragment that stores a single Object and is retained over configuration * changes. It will be used to retain the BitmapCache object. */ public static class RetainFragment extends Fragment { private Object mObject; /** * Empty constructor as per the Fragment documentation */ public RetainFragment() {} @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); // Make sure this Fragment is retained over a configuration change setRetainInstance(true); } /** * Store a single object in this Fragment. * * @param object The object to store */ public void setObject(Object object) { mObject = object; } /** * Get the stored object. * * @return The stored object */ public Object getObject() { return mObject; } } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.content.Context; public class TimeUtils { private static final int SECOND = 1000; private static final int MINUTE = 60 * SECOND; private static final int HOUR = 60 * MINUTE; private static final int DAY = 24 * HOUR; public static String getTimeAgo(long time, Context ctx) { // TODO: use DateUtils methods instead if (time < 1000000000000L) { // if timestamp given in seconds, convert to millis time *= 1000; } long now = UIUtils.getCurrentTime(ctx); if (time > now || time <= 0) { return null; } final long diff = now - time; if (diff < MINUTE) { return "just now"; } else if (diff < 2 * MINUTE) { return "a minute ago"; } else if (diff < 50 * MINUTE) { return diff / MINUTE + " minutes ago"; } else if (diff < 90 * MINUTE) { return "an hour ago"; } else if (diff < 24 * HOUR) { return diff / HOUR + " hours ago"; } else if (diff < 48 * HOUR) { return "yesterday"; } else { return diff / DAY + " days ago"; } } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.app.AlertDialog; import android.app.Dialog; import android.content.Context; import android.content.DialogInterface; import android.content.Intent; import android.content.SharedPreferences; import android.net.wifi.WifiConfiguration; import android.net.wifi.WifiManager; import android.os.Bundle; import android.preference.PreferenceManager; import android.provider.Settings; import android.support.v4.app.DialogFragment; import android.support.v4.app.Fragment; import android.support.v4.app.FragmentActivity; import android.support.v4.app.FragmentManager; import android.support.v4.app.FragmentTransaction; import android.text.Html; import android.text.method.LinkMovementMethod; import android.util.Log; import android.widget.TextView; import android.widget.Toast; import com.google.android.apps.iosched.Config; import com.google.android.apps.iosched.R; import java.util.List; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class WiFiUtils { // Preference key and values associated with WiFi AP configuration. public static final String PREF_WIFI_AP_CONFIG = "pref_wifi_ap_config"; public static final String WIFI_CONFIG_DONE = "done"; public static final String WIFI_CONFIG_REQUESTED = "requested"; private static final String TAG = makeLogTag(WiFiUtils.class); public static void installConferenceWiFi(final Context context) { // Create config WifiConfiguration config = new WifiConfiguration(); // Must be in double quotes to tell system this is an ASCII SSID and passphrase. config.SSID = String.format("\"%s\"", Config.WIFI_SSID); config.preSharedKey = String.format("\"%s\"", Config.WIFI_PASSPHRASE); // Store config final WifiManager wifiManager = (WifiManager) context.getSystemService(Context.WIFI_SERVICE); int netId = wifiManager.addNetwork(config); if (netId != -1) { wifiManager.enableNetwork(netId, false); boolean result = wifiManager.saveConfiguration(); if (!result) { Log.e(TAG, "Unknown error while calling WiFiManager.saveConfiguration()"); Toast.makeText(context, context.getResources().getString(R.string.wifi_install_error_message), Toast.LENGTH_SHORT).show(); } } else { Log.e(TAG, "Unknown error while calling WiFiManager.addNetwork()"); Toast.makeText(context, context.getResources().getString(R.string.wifi_install_error_message), Toast.LENGTH_SHORT).show(); } } /** * Helper method to decide whether to bypass conference WiFi setup. Return true if * WiFi AP is already configured (WiFi adapter enabled) or WiFi configuration is complete * as per shared preference. */ public static boolean shouldBypassWiFiSetup(final Context context) { final WifiManager wifiManager = (WifiManager) context.getSystemService(Context.WIFI_SERVICE); // Is WiFi on? if (wifiManager.isWifiEnabled()) { // Check for existing APs. final List<WifiConfiguration> configs = wifiManager.getConfiguredNetworks(); final String conferenceSSID = String.format("\"%s\"", Config.WIFI_SSID); for(WifiConfiguration config : configs) { if (conferenceSSID.equalsIgnoreCase(config.SSID)) return true; } } return WIFI_CONFIG_DONE.equals(getWiFiConfigStatus(context)); } public static boolean isWiFiEnabled(final Context context) { final WifiManager wifiManager = (WifiManager) context.getSystemService(Context.WIFI_SERVICE); return wifiManager.isWifiEnabled(); } public static boolean isWiFiApConfigured(final Context context) { final WifiManager wifiManager = (WifiManager) context.getSystemService(Context.WIFI_SERVICE); final List<WifiConfiguration> configs = wifiManager.getConfiguredNetworks(); if (configs == null) return false; // Check for existing APs. final String conferenceSSID = String.format("\"%s\"", Config.WIFI_SSID); for(WifiConfiguration config : configs) { if (conferenceSSID.equalsIgnoreCase(config.SSID)) return true; } return false; } // Stored preferences associated with WiFi AP configuration. public static String getWiFiConfigStatus(final Context context) { final SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); return sp.getString(PREF_WIFI_AP_CONFIG, null); } public static void setWiFiConfigStatus(final Context context, final String status) { if (!WIFI_CONFIG_DONE.equals(status) && !WIFI_CONFIG_REQUESTED.equals(status)) throw new IllegalArgumentException("Invalid WiFi Config status: " + status); final SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sp.edit().putString(PREF_WIFI_AP_CONFIG, status).commit(); } public static boolean installWiFiIfRequested(final Context context) { if (WIFI_CONFIG_REQUESTED.equals(getWiFiConfigStatus(context)) && isWiFiEnabled(context)) { installConferenceWiFi(context); if (isWiFiApConfigured(context)) { setWiFiConfigStatus(context, WiFiUtils.WIFI_CONFIG_DONE); return true; } } return false; } public static void showWiFiDialog(FragmentActivity activity) { FragmentManager fm = activity.getSupportFragmentManager(); FragmentTransaction ft = fm.beginTransaction(); Fragment prev = fm.findFragmentByTag("dialog_wifi"); if (prev != null) { ft.remove(prev); } ft.addToBackStack(null); new WiFiDialog(isWiFiEnabled(activity)).show(ft, "dialog_wifi"); } public static class WiFiDialog extends DialogFragment { private boolean mWiFiEnabled; public WiFiDialog() {} public WiFiDialog(boolean wifiEnabled) { super(); mWiFiEnabled = wifiEnabled; } @Override public Dialog onCreateDialog(Bundle savedInstanceState) { final int padding = getResources().getDimensionPixelSize(R.dimen.content_padding_normal); final TextView wifiTextView = new TextView(getActivity()); int dialogCallToActionText; int dialogPositiveButtonText; if (mWiFiEnabled) { dialogCallToActionText = R.string.calltoaction_wifi_configure; dialogPositiveButtonText = R.string.wifi_dialog_button_configure; } else { dialogCallToActionText = R.string.calltoaction_wifi_settings; dialogPositiveButtonText = R.string.wifi_dialog_button_settings; } wifiTextView.setText(Html.fromHtml(getString(R.string.description_setup_wifi_body) + getString(dialogCallToActionText))); wifiTextView.setMovementMethod(LinkMovementMethod.getInstance()); wifiTextView.setPadding(padding, padding, padding, padding); final Context context = getActivity(); return new AlertDialog.Builder(context) .setTitle(R.string.description_configure_wifi) .setView(wifiTextView) .setPositiveButton(dialogPositiveButtonText, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int whichButton) { // Attempt to configure the Wi-Fi access point. if (mWiFiEnabled) { installConferenceWiFi(context); if (WiFiUtils.isWiFiApConfigured(context)) { WiFiUtils.setWiFiConfigStatus( context, WiFiUtils.WIFI_CONFIG_DONE); } // Launch Wi-Fi settings screen for user to enable Wi-Fi. } else { WiFiUtils.setWiFiConfigStatus(context, WiFiUtils.WIFI_CONFIG_REQUESTED); final Intent wifiIntent = new Intent(Settings.ACTION_WIFI_SETTINGS); wifiIntent.addFlags( Intent.FLAG_ACTIVITY_CLEAR_WHEN_TASK_RESET); startActivity(wifiIntent); } dialog.dismiss(); } } ) .create(); } } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import com.google.android.apps.iosched.provider.ScheduleContract; import android.annotation.TargetApi; import android.app.Activity; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.net.Uri; import android.nfc.NdefMessage; import android.nfc.NdefRecord; import android.nfc.NfcAdapter; import android.os.Build; import android.os.Parcelable; import android.preference.PreferenceManager; /** * Android Beam helper methods. */ public class BeamUtils { /** * Sets this activity's Android Beam message to one representing the given session. */ @TargetApi(Build.VERSION_CODES.ICE_CREAM_SANDWICH) public static void setBeamSessionUri(Activity activity, Uri sessionUri) { if (UIUtils.hasICS()) { NfcAdapter nfcAdapter = NfcAdapter.getDefaultAdapter(activity); if (nfcAdapter == null) { // No NFC :-( return; } nfcAdapter.setNdefPushMessage(new NdefMessage( new NdefRecord[]{ new NdefRecord(NdefRecord.TNF_MIME_MEDIA, ScheduleContract.Sessions.CONTENT_ITEM_TYPE.getBytes(), new byte[0], sessionUri.toString().getBytes()) }), activity); } } /** * Checks to see if the activity's intent ({@link android.app.Activity#getIntent()}) is * an NFC intent that the app recognizes. If it is, then parse the NFC message and set the * activity's intent (using {@link Activity#setIntent(android.content.Intent)}) to something * the app can recognize (i.e. a normal {@link Intent#ACTION_VIEW} intent). */ @TargetApi(Build.VERSION_CODES.ICE_CREAM_SANDWICH) public static void tryUpdateIntentFromBeam(Activity activity) { if (UIUtils.hasICS()) { Intent originalIntent = activity.getIntent(); if (NfcAdapter.ACTION_NDEF_DISCOVERED.equals(originalIntent.getAction())) { Parcelable[] rawMsgs = originalIntent.getParcelableArrayExtra( NfcAdapter.EXTRA_NDEF_MESSAGES); NdefMessage msg = (NdefMessage) rawMsgs[0]; // Record 0 contains the MIME type, record 1 is the AAR, if present. // In iosched, AARs are not present. NdefRecord mimeRecord = msg.getRecords()[0]; if (ScheduleContract.Sessions.CONTENT_ITEM_TYPE.equals( new String(mimeRecord.getType()))) { // Re-set the activity's intent to one that represents session details. Intent sessionDetailIntent = new Intent(Intent.ACTION_VIEW, Uri.parse(new String(mimeRecord.getPayload()))); activity.setIntent(sessionDetailIntent); } } } } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.animation.Animator; import android.animation.AnimatorListenerAdapter; import android.annotation.TargetApi; import android.content.Context; import android.content.res.Resources; import android.graphics.Bitmap; import android.graphics.drawable.BitmapDrawable; import android.graphics.drawable.ColorDrawable; import android.graphics.drawable.Drawable; import android.graphics.drawable.TransitionDrawable; import android.net.http.AndroidHttpClient; import android.os.Build; import android.os.Environment; import android.support.v4.app.FragmentActivity; import android.widget.ImageView; import com.android.volley.Cache; import com.android.volley.Network; import com.android.volley.RequestQueue; import com.android.volley.VolleyError; import com.android.volley.toolbox.BasicNetwork; import com.android.volley.toolbox.DiskBasedCache; import com.android.volley.toolbox.HttpClientStack; import com.android.volley.toolbox.HurlStack; import java.io.File; import java.util.ArrayList; /** * A class that wraps up remote image loading requests using the Volley library combined with a * memory cache. An single instance of this class should be created once when your Activity or * Fragment is created, then use {@link #get(String, android.widget.ImageView)} or one of * the variations to queue the image to be fetched and loaded from the network. Loading images * in a {@link android.widget.ListView} or {@link android.widget.GridView} is also supported but * you must store the {@link com.android.volley.Request} in your ViewHolder type class and pass it * into loadImage to ensure the request is canceled as views are recycled. */ public class ImageLoader extends com.android.volley.toolbox.ImageLoader { private static final ColorDrawable transparentDrawable = new ColorDrawable( android.R.color.transparent); private static final int HALF_FADE_IN_TIME = UIUtils.ANIMATION_FADE_IN_TIME / 2; private static final String CACHE_DIR = "images"; private Resources mResources; private ArrayList<Drawable> mPlaceHolderDrawables; private boolean mFadeInImage = true; private int mMaxImageHeight = 0; private int mMaxImageWidth = 0; /** * Creates an ImageLoader with Bitmap memory cache. No default placeholder image will be shown * while the image is being fetched and loaded. */ public ImageLoader(FragmentActivity activity) { super(newRequestQueue(activity), BitmapCache.getInstance(activity.getSupportFragmentManager())); mResources = activity.getResources(); } /** * Creates an ImageLoader with Bitmap memory cache and a default placeholder image while the * image is being fetched and loaded. */ public ImageLoader(FragmentActivity activity, int defaultPlaceHolderResId) { super(newRequestQueue(activity), BitmapCache.getInstance(activity.getSupportFragmentManager())); mResources = activity.getResources(); mPlaceHolderDrawables = new ArrayList<Drawable>(1); mPlaceHolderDrawables.add(defaultPlaceHolderResId == -1 ? null : mResources.getDrawable(defaultPlaceHolderResId)); } /** * Creates an ImageLoader with Bitmap memory cache and a list of default placeholder drawables. */ public ImageLoader(FragmentActivity activity, ArrayList<Drawable> placeHolderDrawables) { super(newRequestQueue(activity), BitmapCache.getInstance(activity.getSupportFragmentManager())); mResources = activity.getResources(); mPlaceHolderDrawables = placeHolderDrawables; } /** * Starts processing requests on the {@link RequestQueue}. */ public void startProcessingQueue() { getRequestQueue().start(); } /** * Stops processing requests on the {@link RequestQueue}. */ public void stopProcessingQueue() { getRequestQueue().stop(); } public ImageLoader setFadeInImage(boolean fadeInImage) { mFadeInImage = fadeInImage; return this; } public ImageLoader setMaxImageSize(int maxImageWidth, int maxImageHeight) { mMaxImageWidth = maxImageWidth; mMaxImageHeight = maxImageHeight; return this; } public ImageLoader setMaxImageSize(int maxImageSize) { return setMaxImageSize(maxImageSize, maxImageSize); } public ImageContainer get(String requestUrl, ImageView imageView) { return get(requestUrl, imageView, 0); } public ImageContainer get(String requestUrl, ImageView imageView, int placeHolderIndex) { return get(requestUrl, imageView, mPlaceHolderDrawables.get(placeHolderIndex), mMaxImageWidth, mMaxImageHeight); } public ImageContainer get(String requestUrl, ImageView imageView, Drawable placeHolder) { return get(requestUrl, imageView, placeHolder, mMaxImageWidth, mMaxImageHeight); } public ImageContainer get(String requestUrl, ImageView imageView, Drawable placeHolder, int maxWidth, int maxHeight) { // Find any old image load request pending on this ImageView (in case this view was // recycled) ImageContainer imageContainer = imageView.getTag() != null && imageView.getTag() instanceof ImageContainer ? (ImageContainer) imageView.getTag() : null; // Find image url from prior request String recycledImageUrl = imageContainer != null ? imageContainer.getRequestUrl() : null; // If the new requestUrl is null or the new requestUrl is different to the previous // recycled requestUrl if (requestUrl == null || !requestUrl.equals(recycledImageUrl)) { if (imageContainer != null) { // Cancel previous image request imageContainer.cancelRequest(); imageView.setTag(null); } if (requestUrl != null) { // Queue new request to fetch image imageContainer = get(requestUrl, getImageListener(mResources, imageView, placeHolder, mFadeInImage), maxWidth, maxHeight); // Store request in ImageView tag imageView.setTag(imageContainer); } else { imageView.setImageDrawable(placeHolder); imageView.setTag(null); } } return imageContainer; } private static ImageListener getImageListener(final Resources resources, final ImageView imageView, final Drawable placeHolder, final boolean fadeInImage) { return new ImageListener() { @Override public void onResponse(ImageContainer response, boolean isImmediate) { imageView.setTag(null); if (response.getBitmap() != null) { setImageBitmap(imageView, response.getBitmap(), resources, fadeInImage && !isImmediate); } else { imageView.setImageDrawable(placeHolder); } } @Override public void onErrorResponse(VolleyError volleyError) { } }; } private static RequestQueue newRequestQueue(Context context) { // On HC+ use HurlStack which is based on HttpURLConnection. Otherwise fall back on // AndroidHttpClient (based on Apache DefaultHttpClient) which should no longer be used // on newer platform versions where HttpURLConnection is simply better. Network network = new BasicNetwork( UIUtils.hasHoneycomb() ? new HurlStack() : new HttpClientStack(AndroidHttpClient.newInstance( NetUtils.getUserAgent(context)))); Cache cache = new DiskBasedCache(getDiskCacheDir(context, CACHE_DIR)); RequestQueue queue = new RequestQueue(cache, network); queue.start(); return queue; } /** * Sets a {@link android.graphics.Bitmap} to an {@link android.widget.ImageView} using a * fade-in animation. If there is a {@link android.graphics.drawable.Drawable} already set on * the ImageView then use that as the image to fade from. Otherwise fade in from a transparent * Drawable. */ @TargetApi(Build.VERSION_CODES.HONEYCOMB_MR1) private static void setImageBitmap(final ImageView imageView, final Bitmap bitmap, Resources resources, boolean fadeIn) { // If we're fading in and on HC MR1+ if (fadeIn && UIUtils.hasHoneycombMR1()) { // Use ViewPropertyAnimator to run a simple fade in + fade out animation to update the // ImageView imageView.animate() .scaleY(0.95f) .scaleX(0.95f) .alpha(0f) .setDuration(imageView.getDrawable() == null ? 0 : HALF_FADE_IN_TIME) .setListener(new AnimatorListenerAdapter() { @Override public void onAnimationEnd(Animator animation) { imageView.setImageBitmap(bitmap); imageView.animate() .alpha(1f) .scaleY(1f) .scaleX(1f) .setDuration(HALF_FADE_IN_TIME) .setListener(null); } }); } else if (fadeIn) { // Otherwise use a TransitionDrawable to fade in Drawable initialDrawable; if (imageView.getDrawable() != null) { initialDrawable = imageView.getDrawable(); } else { initialDrawable = transparentDrawable; } BitmapDrawable bitmapDrawable = new BitmapDrawable(resources, bitmap); // Use TransitionDrawable to fade in final TransitionDrawable td = new TransitionDrawable(new Drawable[] { initialDrawable, bitmapDrawable }); imageView.setImageDrawable(td); td.startTransition(UIUtils.ANIMATION_FADE_IN_TIME); } else { // No fade in, just set bitmap directly imageView.setImageBitmap(bitmap); } } /** * Get a usable cache directory (external if available, internal otherwise). * * @param context The context to use * @param uniqueName A unique directory name to append to the cache dir * @return The cache dir */ public static File getDiskCacheDir(Context context, String uniqueName) { // Check if media is mounted or storage is built-in, if so, try and use external cache dir // otherwise use internal cache dir // TODO: getCacheDir() should be moved to a background thread as it attempts to create the // directory if it does not exist (no disk access should happen on the main/UI thread). final String cachePath = Environment.MEDIA_MOUNTED.equals(Environment.getExternalStorageState()) || !Environment.isExternalStorageRemovable() ? getExternalCacheDir(context).getPath() : context.getCacheDir().getPath(); return new File(cachePath + File.separator + uniqueName); } /** * Get the external app cache directory. * * @param context The context to use * @return The external cache dir */ private static File getExternalCacheDir(Context context) { // TODO: This needs to be moved to a background thread to ensure no disk access on the // main/UI thread as unfortunately getExternalCacheDir() calls mkdirs() for us (even // though the Volley library will later try and call mkdirs() as well from a background // thread). return context.getExternalCacheDir(); } /** * Interface an activity can implement to provide an ImageLoader to its children fragments. */ public interface ImageLoaderProvider { public ImageLoader getImageLoaderInstance(); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.content.Context; import android.content.pm.PackageManager; import com.google.android.apps.iosched.Config; import static com.google.android.apps.iosched.util.LogUtils.*; public class NetUtils { private static final String TAG = makeLogTag(AccountUtils.class); private static String mUserAgent = null; public static String getUserAgent(Context mContext) { if (mUserAgent == null) { mUserAgent = Config.APP_NAME; try { String packageName = mContext.getPackageName(); String version = mContext.getPackageManager().getPackageInfo(packageName, 0).versionName; mUserAgent = mUserAgent + " (" + packageName + "/" + version + ")"; LOGD(TAG, "User agent set to: " + mUserAgent); } catch (PackageManager.NameNotFoundException e) { LOGE(TAG, "Unable to find self by package name", e); } } return mUserAgent; } }
Java
package com.google.android.apps.iosched.util; import android.content.Context; import android.content.SharedPreferences; import android.graphics.Bitmap; import android.graphics.Canvas; import android.graphics.Color; import android.graphics.Paint; import android.graphics.PorterDuff; import android.graphics.PorterDuffXfermode; import android.graphics.Rect; import android.preference.PreferenceManager; import java.io.File; import java.io.FileOutputStream; import java.io.FilenameFilter; import java.io.IOException; import java.io.InputStream; import java.util.ArrayList; public class MapUtils { private static final String TILE_PATH = "maptiles"; private static final String PREF_MYLOCATION_ENABLED = "map_mylocation_enabled"; private static final String TAG = LogUtils.makeLogTag(MapUtils.class); private static float mDPI = -1.0f; private static int mLabelPadding; private static final float LABEL_OUTLINEWIDTH = 3.5f; private static final int LABEL_PADDING = 2; private static final int LABEL_TEXTSIZE = 14; private static Paint mLabelOutlinePaint = null; private static Paint mLabelTextPaint; private static void setupLabels() { float strokeWidth = LABEL_OUTLINEWIDTH * mDPI; mLabelTextPaint = new Paint(); mLabelTextPaint.setTextSize(LABEL_TEXTSIZE * mDPI); mLabelTextPaint.setColor(Color.WHITE); mLabelTextPaint.setAntiAlias(true); mLabelOutlinePaint = new Paint(mLabelTextPaint); mLabelOutlinePaint.setStyle(Paint.Style.STROKE); mLabelOutlinePaint.setColor(0x99000000); mLabelOutlinePaint.setStrokeWidth(strokeWidth); mLabelOutlinePaint.setXfermode(new PorterDuffXfermode(PorterDuff.Mode.SRC)); mLabelOutlinePaint.setStrokeJoin(Paint.Join.ROUND); mLabelOutlinePaint.setStrokeCap(Paint.Cap.ROUND); mLabelPadding = (int) Math.ceil(LABEL_PADDING * mDPI + strokeWidth); } public static Bitmap createTextLabel(String label, float dpi) { if (dpi != mDPI) { mDPI = dpi; setupLabels(); } // calculate size Rect bounds = new Rect(); mLabelTextPaint.getTextBounds(label, 0, label.length(), bounds); // calculate text size int bitmapH = Math.abs(bounds.top) + 2 * mLabelPadding; int bitmapW = bounds.right + 2 * mLabelPadding; // Create bitmap and draw text Bitmap b = Bitmap.createBitmap(bitmapW, bitmapH, Bitmap.Config.ARGB_8888); Canvas c = new Canvas(b); c.drawText(label, mLabelPadding, bitmapH - mLabelPadding, mLabelOutlinePaint); c.drawText(label, mLabelPadding, bitmapH - mLabelPadding, mLabelTextPaint); return b; } private static String[] mapTileAssets; /** * Returns true if the given tile file exists as a local asset. */ public static boolean hasTileAsset(Context context, String filename) { //cache the list of available files if (mapTileAssets == null) { try { mapTileAssets = context.getAssets().list("maptiles"); } catch (IOException e) { // no assets mapTileAssets = new String[0]; } } // search for given filename for (String s : mapTileAssets) { if (s.equals(filename)) { return true; } } return false; } /** * Copy the file from the assets to the map tiles directory if it was * shipped with the APK. */ public static boolean copyTileAsset(Context context, String filename) { if (!hasTileAsset(context, filename)) { // file does not exist as asset return false; } // copy file from asset to internal storage try { InputStream is = context.getAssets().open(TILE_PATH + File.separator + filename); File f = getTileFile(context, filename); FileOutputStream os = new FileOutputStream(f); byte[] buffer = new byte[1024]; int dataSize; while ((dataSize = is.read(buffer)) > 0) { os.write(buffer, 0, dataSize); } os.close(); } catch (IOException e) { return false; } return true; } /** * Return a {@link File} pointing to the storage location for map tiles. */ public static File getTileFile(Context context, String filename) { File folder = new File(context.getFilesDir(), TILE_PATH); if (!folder.exists()) { folder.mkdirs(); } return new File(folder, filename); } public static void removeUnusedTiles(Context mContext, final ArrayList<String> usedTiles) { // remove all files are stored in the tile path but are not used File folder = new File(mContext.getFilesDir(), TILE_PATH); File[] unused = folder.listFiles(new FilenameFilter() { @Override public boolean accept(File dir, String filename) { return !usedTiles.contains(filename); } }); for (File f : unused) { f.delete(); } } public static boolean hasTile(Context mContext, String filename) { return getTileFile(mContext, filename).exists(); } public static boolean getMyLocationEnabled(final Context context) { SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); return sp.getBoolean(PREF_MYLOCATION_ENABLED,false); } public static void setMyLocationEnabled(final Context context, final boolean enableMyLocation) { LogUtils.LOGD(TAG,"Set my location enabled: "+enableMyLocation); SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(context); sp.edit().putBoolean(PREF_MYLOCATION_ENABLED,enableMyLocation).commit(); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import java.lang.reflect.InvocationTargetException; public class ReflectionUtils { public static Object tryInvoke(Object target, String methodName, Object... args) { Class<?>[] argTypes = new Class<?>[args.length]; for (int i = 0; i < args.length; i++) { argTypes[i] = args[i].getClass(); } return tryInvoke(target, methodName, argTypes, args); } public static Object tryInvoke(Object target, String methodName, Class<?>[] argTypes, Object... args) { try { return target.getClass().getMethod(methodName, argTypes).invoke(target, args); } catch (NoSuchMethodException ignored) { } catch (IllegalAccessException ignored) { } catch (InvocationTargetException ignored) { } return null; } public static <E> E callWithDefault(Object target, String methodName, E defaultValue) { try { //noinspection unchecked return (E) target.getClass().getMethod(methodName, (Class[]) null).invoke(target); } catch (NoSuchMethodException ignored) { } catch (IllegalAccessException ignored) { } catch (InvocationTargetException ignored) { } return defaultValue; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.content.ContentProvider; import android.net.Uri; import android.text.format.Time; import java.util.regex.Pattern; /** * Various utility methods used by {@link com.google.android.apps.iosched.io.JSONHandler}. */ public class ParserUtils { /** Used to sanitize a string to be {@link Uri} safe. */ private static final Pattern sSanitizePattern = Pattern.compile("[^a-z0-9-_]"); private static final Time sTime = new Time(); /** * Sanitize the given string to be {@link Uri} safe for building * {@link ContentProvider} paths. */ public static String sanitizeId(String input) { if (input == null) { return null; } return sSanitizePattern.matcher(input.replace("+", "plus").toLowerCase()).replaceAll(""); } /** * Parse the given string as a RFC 3339 timestamp, returning the value as * milliseconds since the epoch. */ public static long parseTime(String time) { sTime.parse3339(time); return sTime.toMillis(false); } }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.util; import android.app.Activity; import android.app.Dialog; import android.content.Context; import android.content.DialogInterface; import com.google.android.gms.common.ConnectionResult; import com.google.android.gms.common.GooglePlayServicesUtil; /** * Helper for Google Play services-related operations. */ public class PlayServicesUtils { public static boolean checkGooglePlaySevices(final Activity activity) { final int googlePlayServicesCheck = GooglePlayServicesUtil.isGooglePlayServicesAvailable(activity); switch (googlePlayServicesCheck) { case ConnectionResult.SUCCESS: return true; case ConnectionResult.SERVICE_DISABLED: case ConnectionResult.SERVICE_INVALID: case ConnectionResult.SERVICE_MISSING: case ConnectionResult.SERVICE_VERSION_UPDATE_REQUIRED: Dialog dialog = GooglePlayServicesUtil.getErrorDialog(googlePlayServicesCheck, activity, 0); dialog.setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialogInterface) { activity.finish(); } }); dialog.show(); } return false; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.appwidget; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.sync.SyncHelper; import com.google.android.apps.iosched.ui.HomeActivity; import com.google.android.apps.iosched.ui.TaskStackBuilderProxyActivity; import com.google.android.apps.iosched.util.AccountUtils; import android.accounts.Account; import android.annotation.TargetApi; import android.app.PendingIntent; import android.appwidget.AppWidgetManager; import android.appwidget.AppWidgetProvider; import android.content.ComponentName; import android.content.ContentResolver; import android.content.Context; import android.content.Intent; import android.database.ContentObserver; import android.net.Uri; import android.os.Build; import android.os.Handler; import android.os.HandlerThread; import android.widget.RemoteViews; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * The app widget's AppWidgetProvider. */ @TargetApi(Build.VERSION_CODES.HONEYCOMB) public class ScheduleWidgetProvider extends AppWidgetProvider { private static final String TAG = makeLogTag(ScheduleWidgetProvider.class); private static final String REFRESH_ACTION = "com.google.android.apps.iosched.appwidget.action.REFRESH"; private static final String EXTRA_PERFORM_SYNC = "com.google.android.apps.iosched.appwidget.extra.PERFORM_SYNC"; public static Intent getRefreshBroadcastIntent(Context context, boolean performSync) { return new Intent(REFRESH_ACTION) .setComponent(new ComponentName(context, ScheduleWidgetProvider.class)) .putExtra(EXTRA_PERFORM_SYNC, performSync); } @Override public void onReceive(final Context context, Intent widgetIntent) { final String action = widgetIntent.getAction(); if (REFRESH_ACTION.equals(action)) { final boolean shouldSync = widgetIntent.getBooleanExtra(EXTRA_PERFORM_SYNC, false); // Trigger sync Account chosenAccount = AccountUtils.getChosenAccount(context); if (shouldSync && chosenAccount != null) { SyncHelper.requestManualSync(chosenAccount); } // Notify the widget that the list view needs to be updated. final AppWidgetManager mgr = AppWidgetManager.getInstance(context); final ComponentName cn = new ComponentName(context, ScheduleWidgetProvider.class); mgr.notifyAppWidgetViewDataChanged(mgr.getAppWidgetIds(cn), R.id.widget_schedule_list); } super.onReceive(context, widgetIntent); } @Override public void onUpdate(Context context, AppWidgetManager appWidgetManager, int[] appWidgetIds) { final boolean isAuthenticated = AccountUtils.isAuthenticated(context); for (int appWidgetId : appWidgetIds) { // Specify the service to provide data for the collection widget. Note that we need to // embed the appWidgetId via the data otherwise it will be ignored. final Intent intent = new Intent(context, ScheduleWidgetRemoteViewsService.class) .putExtra(AppWidgetManager.EXTRA_APPWIDGET_ID, appWidgetId); intent.setData(Uri.parse(intent.toUri(Intent.URI_INTENT_SCHEME))); final RemoteViews rv = new RemoteViews(context.getPackageName(), R.layout.widget); rv.setRemoteAdapter(appWidgetId, R.id.widget_schedule_list, intent); // Set the empty view to be displayed if the collection is empty. It must be a sibling // view of the collection view. rv.setEmptyView(R.id.widget_schedule_list, android.R.id.empty); rv.setTextViewText(android.R.id.empty, context.getResources().getString(isAuthenticated ? R.string.empty_widget_text : R.string.empty_widget_text_signed_out)); final PendingIntent refreshPendingIntent = PendingIntent.getBroadcast(context, 0, getRefreshBroadcastIntent(context, true), PendingIntent.FLAG_UPDATE_CURRENT); rv.setOnClickPendingIntent(R.id.widget_refresh_button, refreshPendingIntent); final Intent onClickIntent = TaskStackBuilderProxyActivity.getTemplate(context); final PendingIntent onClickPendingIntent = PendingIntent.getActivity(context, 0, onClickIntent, PendingIntent.FLAG_UPDATE_CURRENT); rv.setPendingIntentTemplate(R.id.widget_schedule_list, onClickPendingIntent); final Intent openAppIntent = new Intent(context, HomeActivity.class) .addFlags(Intent.FLAG_ACTIVITY_NEW_TASK); final PendingIntent openAppPendingIntent = PendingIntent.getActivity(context, 0, openAppIntent, PendingIntent.FLAG_UPDATE_CURRENT); rv.setOnClickPendingIntent(R.id.widget_logo, openAppPendingIntent); appWidgetManager.updateAppWidget(appWidgetId, rv); } super.onUpdate(context, appWidgetManager, appWidgetIds); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.appwidget; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.ui.HomeActivity; import com.google.android.apps.iosched.ui.SessionLivestreamActivity; import com.google.android.apps.iosched.ui.SimpleSectionedListAdapter; import com.google.android.apps.iosched.ui.SimpleSectionedListAdapter.Section; import com.google.android.apps.iosched.ui.TaskStackBuilderProxyActivity; import com.google.android.apps.iosched.util.AccountUtils; import com.google.android.apps.iosched.util.PrefUtils; import com.google.android.apps.iosched.util.UIUtils; import android.annotation.TargetApi; import android.content.Context; import android.content.Intent; import android.content.res.Resources; import android.database.Cursor; import android.os.Build; import android.provider.BaseColumns; import android.text.TextUtils; import android.text.format.DateUtils; import android.util.SparseBooleanArray; import android.util.SparseIntArray; import android.view.View; import android.widget.RemoteViews; import android.widget.RemoteViewsService; import java.util.ArrayList; import java.util.Formatter; import java.util.List; import java.util.Locale; import static com.google.android.apps.iosched.util.LogUtils.LOGV; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * This is the service that provides the factory to be bound to the collection service. */ @TargetApi(Build.VERSION_CODES.HONEYCOMB) public class ScheduleWidgetRemoteViewsService extends RemoteViewsService { @Override public RemoteViewsFactory onGetViewFactory(Intent intent) { return new WidgetRemoveViewsFactory(this.getApplicationContext()); } /** * This is the factory that will provide data to the collection widget. */ private static class WidgetRemoveViewsFactory implements RemoteViewsService.RemoteViewsFactory { private static final String TAG = makeLogTag(WidgetRemoveViewsFactory.class); private Context mContext; private Cursor mCursor; private SparseIntArray mPMap; private List<SimpleSectionedListAdapter.Section> mSections; private SparseBooleanArray mHeaderPositionMap; StringBuilder mBuffer = new StringBuilder(); Formatter mFormatter = new Formatter(mBuffer, Locale.getDefault()); public WidgetRemoveViewsFactory(Context context) { mContext = context; } public void onCreate() { // Since we reload the cursor in onDataSetChanged() which gets called immediately after // onCreate(), we do nothing here. } public void onDestroy() { if (mCursor != null) { mCursor.close(); } } public int getCount() { if (mCursor == null || !AccountUtils.isAuthenticated(mContext)) { return 0; } int size = mCursor.getCount() + mSections.size(); if (size < 10) { init(); size = mCursor.getCount() + mSections.size(); } LOGV(TAG, "size returned:" + size); return size; } public RemoteViews getViewAt(int position) { RemoteViews rv; boolean isSectionHeader = mHeaderPositionMap.get(position); int offset = mPMap.get(position); Intent homeIntent = new Intent(mContext, HomeActivity.class); if (isSectionHeader) { rv = new RemoteViews(mContext.getPackageName(), R.layout.list_item_schedule_header); Section section = mSections.get(offset - 1); rv.setTextViewText(R.id.list_item_schedule_header_textview, section.getTitle()); } else { int cursorPosition = position - offset; mCursor.moveToPosition(cursorPosition); rv = new RemoteViews(mContext.getPackageName(), R.layout.list_item_schedule_block_widget); final String type = mCursor.getString(BlocksQuery.BLOCK_TYPE); final String blockId = mCursor.getString(BlocksQuery.BLOCK_ID); final String blockTitle = mCursor.getString(BlocksQuery.BLOCK_TITLE); final String blockType = mCursor.getString(BlocksQuery.BLOCK_TYPE); final String blockMeta = mCursor.getString(BlocksQuery.BLOCK_META); final long blockStart = mCursor.getLong(BlocksQuery.BLOCK_START); final long blockEnd = mCursor.getLong(BlocksQuery.BLOCK_END); final Resources res = mContext.getResources(); rv.setTextViewText(R.id.block_endtime, null); if (ScheduleContract.Blocks.BLOCK_TYPE_SESSION.equals(type) || ScheduleContract.Blocks.BLOCK_TYPE_CODELAB.equals(type) || ScheduleContract.Blocks.BLOCK_TYPE_OFFICE_HOURS.equals(blockType)) { final int numStarredSessions = mCursor.getInt(BlocksQuery.NUM_STARRED_SESSIONS); final String starredSessionId = mCursor .getString(BlocksQuery.STARRED_SESSION_ID); if (numStarredSessions == 0) { // No sessions starred rv.setTextViewText(R.id.block_title, mContext.getString( R.string.schedule_empty_slot_title_template, TextUtils.isEmpty(blockTitle) ? "" : (" " + blockTitle.toLowerCase()))); rv.setTextColor(R.id.block_title, res.getColor(R.color.body_text_1_positive)); rv.setTextViewText(R.id.block_subtitle, mContext.getString( R.string.schedule_empty_slot_subtitle)); rv.setViewVisibility(R.id.extra_button, View.GONE); Intent fillIntent = TaskStackBuilderProxyActivity.getFillIntent( homeIntent, new Intent(Intent.ACTION_VIEW, ScheduleContract.Blocks .buildSessionsUri(blockId))); rv.setOnClickFillInIntent(R.id.list_item_middle_container, fillIntent); } else if (numStarredSessions == 1) { // exactly 1 session starred final String starredSessionTitle = mCursor.getString(BlocksQuery.STARRED_SESSION_TITLE); String starredSessionSubtitle = mCursor.getString(BlocksQuery.STARRED_SESSION_ROOM_NAME); if (starredSessionSubtitle == null) { starredSessionSubtitle = mContext.getString(R.string.unknown_room); } // Determine if the session is in the past long currentTimeMillis = UIUtils.getCurrentTime(mContext); boolean conferenceEnded = currentTimeMillis > UIUtils.CONFERENCE_END_MILLIS; boolean blockEnded = currentTimeMillis > blockEnd; if (blockEnded && !conferenceEnded) { starredSessionSubtitle = mContext.getString(R.string.session_finished); } rv.setTextViewText(R.id.block_title, starredSessionTitle); rv.setTextColor(R.id.block_title, res.getColor(R.color.body_text_1)); rv.setTextViewText(R.id.block_subtitle, starredSessionSubtitle); rv.setViewVisibility(R.id.extra_button, View.VISIBLE); Intent fillIntent = TaskStackBuilderProxyActivity.getFillIntent( homeIntent, new Intent(Intent.ACTION_VIEW, ScheduleContract.Sessions .buildSessionUri(starredSessionId))); rv.setOnClickFillInIntent(R.id.list_item_middle_container, fillIntent); fillIntent = TaskStackBuilderProxyActivity.getFillIntent( homeIntent, new Intent(Intent.ACTION_VIEW, ScheduleContract.Blocks .buildSessionsUri(blockId))); rv.setOnClickFillInIntent(R.id.extra_button, fillIntent); } else { // 2 or more sessions starred rv.setTextViewText(R.id.block_title, mContext.getString(R.string.schedule_conflict_title, numStarredSessions)); rv.setTextColor(R.id.block_title, res.getColor(R.color.body_text_1)); rv.setTextViewText(R.id.block_subtitle, mContext.getString(R.string.schedule_conflict_subtitle)); rv.setViewVisibility(R.id.extra_button, View.VISIBLE); Intent fillIntent = TaskStackBuilderProxyActivity.getFillIntent( homeIntent, new Intent(Intent.ACTION_VIEW, ScheduleContract.Blocks .buildStarredSessionsUri(blockId))); rv.setOnClickFillInIntent(R.id.list_item_middle_container, fillIntent); fillIntent = TaskStackBuilderProxyActivity.getFillIntent( homeIntent, new Intent(Intent.ACTION_VIEW, ScheduleContract.Blocks .buildSessionsUri(blockId))); rv.setOnClickFillInIntent(R.id.extra_button, fillIntent); } rv.setTextColor(R.id.block_subtitle, res.getColor(R.color.body_text_2)); } else if (ScheduleContract.Blocks.BLOCK_TYPE_KEYNOTE.equals(type)) { long currentTimeMillis = UIUtils.getCurrentTime(mContext); boolean past = (currentTimeMillis > blockEnd && currentTimeMillis < UIUtils.CONFERENCE_END_MILLIS); boolean present = !past && (currentTimeMillis >= blockStart); boolean canViewStream = present && UIUtils.hasHoneycomb(); final String starredSessionId = mCursor .getString(BlocksQuery.STARRED_SESSION_ID); final String starredSessionTitle = mCursor.getString(BlocksQuery.STARRED_SESSION_TITLE); rv.setTextViewText(R.id.block_title, starredSessionTitle); rv.setTextViewText(R.id.block_subtitle, res.getString(R.string.keynote_room)); rv.setTextColor(R.id.block_title, canViewStream ? res.getColor(R.color.body_text_1) : res.getColor(R.color.body_text_disabled)); rv.setTextColor(R.id.block_subtitle, canViewStream ? res.getColor(R.color.body_text_2) : res.getColor(R.color.body_text_disabled)); rv.setViewVisibility(R.id.extra_button, View.GONE); if (canViewStream) { Intent fillIntent = TaskStackBuilderProxyActivity.getFillIntent( homeIntent, new Intent(Intent.ACTION_VIEW, ScheduleContract.Sessions .buildSessionUri(starredSessionId)) .setClass(mContext, SessionLivestreamActivity.class)); rv.setOnClickFillInIntent(R.id.list_item_middle_container, fillIntent); } else { rv.setOnClickFillInIntent(R.id.list_item_middle_container, new Intent()); } } else { rv.setTextViewText(R.id.block_title, blockTitle); rv.setTextColor(R.id.block_title, res.getColor(R.color.body_text_disabled)); rv.setTextViewText(R.id.block_subtitle, blockMeta); rv.setTextColor(R.id.block_subtitle, res.getColor(R.color.body_text_disabled)); rv.setViewVisibility(R.id.extra_button, View.GONE); mBuffer.setLength(0); rv.setTextViewText(R.id.block_endtime, DateUtils.formatDateRange(mContext, mFormatter, blockEnd, blockEnd, DateUtils.FORMAT_SHOW_TIME, PrefUtils.getDisplayTimeZone(mContext).getID()).toString()); rv.setOnClickFillInIntent(R.id.list_item_middle_container, new Intent()); } mBuffer.setLength(0); rv.setTextViewText(R.id.block_time, DateUtils.formatDateRange(mContext, mFormatter, blockStart, blockStart, DateUtils.FORMAT_SHOW_TIME, PrefUtils.getDisplayTimeZone(mContext).getID()).toString()); } return rv; } public RemoteViews getLoadingView() { return null; } public int getViewTypeCount() { return 2; } public long getItemId(int position) { return position; } public boolean hasStableIds() { return true; } public void onDataSetChanged() { init(); } private void init() { if (mCursor != null) { mCursor.close(); } String liveStreamedOnlyBlocksSelection = "(" + (UIUtils.shouldShowLiveSessionsOnly(mContext) ? ScheduleContract.Blocks.BLOCK_TYPE + " NOT IN ('" + ScheduleContract.Blocks.BLOCK_TYPE_SESSION + "','" + ScheduleContract.Blocks.BLOCK_TYPE_CODELAB + "','" + ScheduleContract.Blocks.BLOCK_TYPE_OFFICE_HOURS + "','" + ScheduleContract.Blocks.BLOCK_TYPE_FOOD + "')" + " OR " + ScheduleContract.Blocks.NUM_LIVESTREAMED_SESSIONS + ">1 " : "1==1") + ")"; String onlyStarredOfficeHoursSelection = "(" + ScheduleContract.Blocks.BLOCK_TYPE + " != '" + ScheduleContract.Blocks.BLOCK_TYPE_OFFICE_HOURS + "' OR " + ScheduleContract.Blocks.NUM_STARRED_SESSIONS + ">0)"; String excludeSandbox = "("+ScheduleContract.Blocks.BLOCK_TYPE + " != '" + ScheduleContract.Blocks.BLOCK_TYPE_SANDBOX +"')"; mCursor = mContext.getContentResolver().query(ScheduleContract.Blocks.CONTENT_URI, BlocksQuery.PROJECTION, ScheduleContract.Blocks.BLOCK_END + " >= ? AND " + liveStreamedOnlyBlocksSelection + " AND " + onlyStarredOfficeHoursSelection + " AND " + excludeSandbox, new String[]{ Long.toString(UIUtils.getCurrentTime(mContext)) }, ScheduleContract.Blocks.DEFAULT_SORT); String displayTimeZone = PrefUtils.getDisplayTimeZone(mContext).getID(); mSections = new ArrayList<SimpleSectionedListAdapter.Section>(); mCursor.moveToFirst(); long previousTime = -1; long time; mPMap = new SparseIntArray(); mHeaderPositionMap = new SparseBooleanArray(); int offset = 0; int globalPosition = 0; while (!mCursor.isAfterLast()) { time = mCursor.getLong(BlocksQuery.BLOCK_START); if (!UIUtils.isSameDayDisplay(previousTime, time, mContext)) { mBuffer.setLength(0); mSections.add(new SimpleSectionedListAdapter.Section(mCursor.getPosition(), DateUtils.formatDateRange( mContext, mFormatter, time, time, DateUtils.FORMAT_ABBREV_MONTH | DateUtils.FORMAT_SHOW_DATE | DateUtils.FORMAT_SHOW_WEEKDAY, displayTimeZone).toString())); ++offset; mHeaderPositionMap.put(globalPosition, true); mPMap.put(globalPosition, offset); ++globalPosition; } mHeaderPositionMap.put(globalPosition, false); mPMap.put(globalPosition, offset); ++globalPosition; previousTime = time; mCursor.moveToNext(); } LOGV(TAG, "Leaving init()"); } } public interface BlocksQuery { String[] PROJECTION = { BaseColumns._ID, ScheduleContract.Blocks.BLOCK_ID, ScheduleContract.Blocks.BLOCK_TITLE, ScheduleContract.Blocks.BLOCK_START, ScheduleContract.Blocks.BLOCK_END, ScheduleContract.Blocks.BLOCK_TYPE, ScheduleContract.Blocks.BLOCK_META, ScheduleContract.Blocks.NUM_STARRED_SESSIONS, ScheduleContract.Blocks.NUM_LIVESTREAMED_SESSIONS, ScheduleContract.Blocks.STARRED_SESSION_ID, ScheduleContract.Blocks.STARRED_SESSION_TITLE, ScheduleContract.Blocks.STARRED_SESSION_ROOM_NAME, }; int _ID = 0; int BLOCK_ID = 1; int BLOCK_TITLE = 2; int BLOCK_START = 3; int BLOCK_END = 4; int BLOCK_TYPE = 5; int BLOCK_META = 6; int NUM_STARRED_SESSIONS = 7; int NUM_LIVESTREAMED_SESSIONS = 8; int STARRED_SESSION_ID = 9; int STARRED_SESSION_TITLE = 10; int STARRED_SESSION_ROOM_NAME = 11; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.gcm; import com.google.android.apps.iosched.Config; import com.google.android.apps.iosched.gcm.command.AnnouncementCommand; import com.google.android.apps.iosched.gcm.command.SyncCommand; import com.google.android.apps.iosched.gcm.command.SyncUserCommand; import com.google.android.apps.iosched.gcm.command.TestCommand; import com.google.android.gcm.GCMBaseIntentService; import android.content.Context; import android.content.Intent; import java.util.Collections; import java.util.HashMap; import java.util.Map; import static com.google.android.apps.iosched.util.LogUtils.LOGD; import static com.google.android.apps.iosched.util.LogUtils.LOGE; import static com.google.android.apps.iosched.util.LogUtils.LOGI; import static com.google.android.apps.iosched.util.LogUtils.LOGW; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * {@link android.app.IntentService} responsible for handling GCM messages. */ public class GCMIntentService extends GCMBaseIntentService { private static final String TAG = makeLogTag("GCM"); private static final Map<String, GCMCommand> MESSAGE_RECEIVERS; static { // Known messages and their GCM message receivers Map <String, GCMCommand> receivers = new HashMap<String, GCMCommand>(); receivers.put("test", new TestCommand()); receivers.put("announcement", new AnnouncementCommand()); receivers.put("sync_schedule", new SyncCommand()); receivers.put("sync_user", new SyncUserCommand()); MESSAGE_RECEIVERS = Collections.unmodifiableMap(receivers); } public GCMIntentService() { super(Config.GCM_SENDER_ID); } @Override protected void onRegistered(Context context, String regId) { LOGI(TAG, "Device registered: regId=" + regId); ServerUtilities.register(context, regId); } @Override protected void onUnregistered(Context context, String regId) { LOGI(TAG, "Device unregistered"); if (ServerUtilities.isRegisteredOnServer(context)) { ServerUtilities.unregister(context, regId); } else { // This callback results from the call to unregister made on // ServerUtilities when the registration to the server failed. LOGD(TAG, "Ignoring unregister callback"); } } @Override protected void onMessage(Context context, Intent intent) { String action = intent.getStringExtra("action"); String extraData = intent.getStringExtra("extraData"); if (action == null) { LOGE(TAG, "Message received without command action"); return; } action = action.toLowerCase(); GCMCommand command = MESSAGE_RECEIVERS.get(action); if (command == null) { LOGE(TAG, "Unknown command received: " + action); } else { command.execute(this, action, extraData); } } @Override public void onError(Context context, String errorId) { LOGE(TAG, "Received error: " + errorId); } @Override protected boolean onRecoverableError(Context context, String errorId) { // log message LOGW(TAG, "Received recoverable error: " + errorId); return super.onRecoverableError(context, errorId); } }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.gcm.command; import android.content.Context; import com.google.android.apps.iosched.gcm.GCMCommand; import static com.google.android.apps.iosched.util.LogUtils.LOGI; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class TestCommand extends GCMCommand { private static final String TAG = makeLogTag("TestCommand"); @Override public void execute(Context context, String type, String extraData) { LOGI(TAG, "Received GCM message: " + type); } }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.gcm.command; import android.app.NotificationManager; import android.app.PendingIntent; import android.content.Context; import android.content.Intent; import android.support.v4.app.NotificationCompat; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.gcm.GCMCommand; import com.google.android.apps.iosched.ui.HomeActivity; import static com.google.android.apps.iosched.util.LogUtils.LOGI; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class AnnouncementCommand extends GCMCommand { private static final String TAG = makeLogTag("AnnouncementCommand"); @Override public void execute(Context context, String type, String extraData) { LOGI(TAG, "Received GCM message: " + type); displayNotification(context, extraData); } private void displayNotification(Context context, String message) { LOGI(TAG, "Displaying notification: " + message); ((NotificationManager) context.getSystemService(Context.NOTIFICATION_SERVICE)) .notify(0, new NotificationCompat.Builder(context) .setWhen(System.currentTimeMillis()) .setSmallIcon(R.drawable.ic_stat_notification) .setTicker(message) .setContentTitle(context.getString(R.string.app_name)) .setContentText(message) .setContentIntent( PendingIntent.getActivity(context, 0, new Intent(context, HomeActivity.class) .setFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_SINGLE_TOP), 0)) .setAutoCancel(true) .build()); } }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.gcm.command; import android.app.AlarmManager; import android.app.PendingIntent; import android.content.Context; import android.content.Intent; import com.google.android.apps.iosched.gcm.GCMCommand; import com.google.android.apps.iosched.sync.TriggerSyncReceiver; import com.google.gson.Gson; import com.google.gson.JsonSyntaxException; import java.util.Random; import static com.google.android.apps.iosched.util.LogUtils.LOGI; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class SyncUserCommand extends GCMCommand { private static final String TAG = makeLogTag("TestCommand"); private static final int DEFAULT_TRIGGER_SYNC_DELAY = 60 * 1000; // 60 seconds private static final Random RANDOM = new Random(); @Override public void execute(Context context, String type, String extraData) { LOGI(TAG, "Received GCM message: " + type); int syncJitter; SyncData syncData = null; if (extraData != null) { try { Gson gson = new Gson(); syncData = gson.fromJson(extraData, SyncData.class); } catch (JsonSyntaxException e) { LOGI(TAG, "Error while decoding extraData: " + e.toString()); } } // TODO(trevorjohns): Make this so there's a configurable sync and jitter. // TODO(trevorjohns): Also, use superclass to reduce duplcated code between this and SyncCommand if (syncData != null && syncData.sync_jitter != 0) { syncJitter = syncData.sync_jitter; } else { syncJitter = DEFAULT_TRIGGER_SYNC_DELAY; } scheduleSync(context, syncJitter); } private void scheduleSync(Context context, int syncDelay) { // Use delay instead of jitter, since we're trying to squelch messages int jitterMillis = syncDelay; final String debugMessage = "Scheduling next sync for " + jitterMillis + "ms"; LOGI(TAG, debugMessage); ((AlarmManager) context.getSystemService(Context.ALARM_SERVICE)) .set( AlarmManager.RTC, System.currentTimeMillis() + jitterMillis, PendingIntent.getBroadcast( context, 0, new Intent(context, TriggerSyncReceiver.class), PendingIntent.FLAG_CANCEL_CURRENT)); } class SyncData { private int sync_jitter; SyncData() {} } }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.gcm.command; import android.app.AlarmManager; import android.app.PendingIntent; import android.content.Context; import android.content.Intent; import com.google.android.apps.iosched.gcm.GCMCommand; import com.google.android.apps.iosched.sync.TriggerSyncReceiver; import com.google.gson.Gson; import com.google.gson.JsonSyntaxException; import java.util.Random; import static com.google.android.apps.iosched.util.LogUtils.LOGI; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class SyncCommand extends GCMCommand { private static final String TAG = makeLogTag("SyncCommand"); private static final int DEFAULT_TRIGGER_SYNC_MAX_JITTER_MILLIS = 15 * 60 * 1000; // 15 minutes private static final Random RANDOM = new Random(); @Override public void execute(Context context, String type, String extraData) { LOGI(TAG, "Received GCM message: " + type); int syncJitter; SyncData syncData = null; if (extraData != null) { try { Gson gson = new Gson(); syncData = gson.fromJson(extraData, SyncData.class); } catch (JsonSyntaxException e) { LOGI(TAG, "Error while decoding extraData: " + e.toString()); } } if (syncData != null && syncData.sync_jitter != 0) { syncJitter = syncData.sync_jitter; } else { syncJitter = DEFAULT_TRIGGER_SYNC_MAX_JITTER_MILLIS; } scheduleSync(context, syncJitter); } private void scheduleSync(Context context, int syncJitter) { int jitterMillis = (int) (RANDOM.nextFloat() * syncJitter); final String debugMessage = "Scheduling next sync for " + jitterMillis + "ms"; LOGI(TAG, debugMessage); ((AlarmManager) context.getSystemService(Context.ALARM_SERVICE)) .set( AlarmManager.RTC, System.currentTimeMillis() + jitterMillis, PendingIntent.getBroadcast( context, 0, new Intent(context, TriggerSyncReceiver.class), PendingIntent.FLAG_CANCEL_CURRENT)); } class SyncData { private int sync_jitter; SyncData() {} } }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.gcm; import android.content.Context; public abstract class GCMCommand { public abstract void execute(Context context, String type, String extraData); }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.gcm; import android.util.Log; import com.google.android.apps.iosched.Config; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import com.google.android.apps.iosched.util.AccountUtils; import java.io.IOException; import java.io.OutputStream; import java.net.HttpURLConnection; import java.net.MalformedURLException; import java.net.URL; import java.util.*; import java.util.Map.Entry; import static com.google.android.apps.iosched.util.LogUtils.*; /** * Helper class used to communicate with the demo server. */ public final class ServerUtilities { private static final String TAG = makeLogTag("GCMs"); private static final String PREFERENCES = "com.google.android.apps.iosched.gcm"; private static final String PROPERTY_REGISTERED_TS = "registered_ts"; private static final String PROPERTY_REG_ID = "reg_id"; private static final int MAX_ATTEMPTS = 5; private static final int BACKOFF_MILLI_SECONDS = 2000; private static final Random sRandom = new Random(); /** * Register this account/device pair within the server. * * @param context Current context * @param gcmId The GCM registration ID for this device * @return whether the registration succeeded or not. */ public static boolean register(final Context context, final String gcmId) { LOGI(TAG, "registering device (gcm_id = " + gcmId + ")"); String serverUrl = Config.GCM_SERVER_URL + "/register"; String plusProfileId = AccountUtils.getPlusProfileId(context); if (plusProfileId == null) { LOGW(TAG, "Profile ID: null"); } else { LOGI(TAG, "Profile ID: " + plusProfileId); } Map<String, String> params = new HashMap<String, String>(); params.put("gcm_id", gcmId); params.put("gplus_id", plusProfileId); long backoff = BACKOFF_MILLI_SECONDS + sRandom.nextInt(1000); // Once GCM returns a registration id, we need to register it in the // demo server. As the server might be down, we will retry it a couple // times. for (int i = 1; i <= MAX_ATTEMPTS; i++) { LOGV(TAG, "Attempt #" + i + " to register"); try { post(serverUrl, params); setRegisteredOnServer(context, true, gcmId); return true; } catch (IOException e) { // Here we are simplifying and retrying on any error; in a real // application, it should retry only on unrecoverable errors // (like HTTP error code 503). LOGE(TAG, "Failed to register on attempt " + i, e); if (i == MAX_ATTEMPTS) { break; } try { LOGV(TAG, "Sleeping for " + backoff + " ms before retry"); Thread.sleep(backoff); } catch (InterruptedException e1) { // Activity finished before we complete - exit. LOGD(TAG, "Thread interrupted: abort remaining retries!"); Thread.currentThread().interrupt(); return false; } // increase backoff exponentially backoff *= 2; } } return false; } /** * Unregister this account/device pair within the server. * * @param context Current context * @param gcmId The GCM registration ID for this device */ static void unregister(final Context context, final String gcmId) { LOGI(TAG, "unregistering device (gcmId = " + gcmId + ")"); String serverUrl = Config.GCM_SERVER_URL + "/unregister"; Map<String, String> params = new HashMap<String, String>(); params.put("gcm_id", gcmId); try { post(serverUrl, params); setRegisteredOnServer(context, false, gcmId); } catch (IOException e) { // At this point the device is unregistered from GCM, but still // registered in the server. // We could try to unregister again, but it is not necessary: // if the server tries to send a message to the device, it will get // a "NotRegistered" error message and should unregister the device. LOGD(TAG, "Unable to unregister from application server", e); } finally { // Regardless of server success, clear local preferences setRegisteredOnServer(context, false, null); } } /** * Sets whether the device was successfully registered in the server side. * * @param context Current context * @param flag True if registration was successful, false otherwise * @param gcmId True if registration was successful, false otherwise */ private static void setRegisteredOnServer(Context context, boolean flag, String gcmId) { final SharedPreferences prefs = context.getSharedPreferences( PREFERENCES, Context.MODE_PRIVATE); LOGD(TAG, "Setting registered on server status as: " + flag); Editor editor = prefs.edit(); if (flag) { editor.putLong(PROPERTY_REGISTERED_TS, new Date().getTime()); editor.putString(PROPERTY_REG_ID, gcmId); } else { editor.remove(PROPERTY_REG_ID); } editor.commit(); } /** * Checks whether the device was successfully registered in the server side. * * @param context Current context * @return True if registration was successful, false otherwise */ public static boolean isRegisteredOnServer(Context context) { final SharedPreferences prefs = context.getSharedPreferences( PREFERENCES, Context.MODE_PRIVATE); // Find registration threshold Calendar cal = Calendar.getInstance(); cal.add(Calendar.DATE, -1); long yesterdayTS = cal.getTimeInMillis(); long regTS = prefs.getLong(PROPERTY_REGISTERED_TS, 0); if (regTS > yesterdayTS) { LOGV(TAG, "GCM registration current. regTS=" + regTS + " yesterdayTS=" + yesterdayTS); return true; } else { LOGV(TAG, "GCM registration expired. regTS=" + regTS + " yesterdayTS=" + yesterdayTS); return false; } } public static String getGcmId(Context context) { final SharedPreferences prefs = context.getSharedPreferences(PREFERENCES, Context.MODE_PRIVATE); return prefs.getString(PROPERTY_REG_ID, null); } /** * Unregister the current GCM ID when we sign-out * * @param context Current context */ public static void onSignOut(Context context) { String gcmId = getGcmId(context); if (gcmId != null) { unregister(context, gcmId); } } /** * Issue a POST request to the server. * * @param endpoint POST address. * @param params request parameters. * @throws java.io.IOException propagated from POST. */ private static void post(String endpoint, Map<String, String> params) throws IOException { URL url; try { url = new URL(endpoint); } catch (MalformedURLException e) { throw new IllegalArgumentException("invalid url: " + endpoint); } StringBuilder bodyBuilder = new StringBuilder(); Iterator<Entry<String, String>> iterator = params.entrySet().iterator(); // constructs the POST body using the parameters while (iterator.hasNext()) { Entry<String, String> param = iterator.next(); bodyBuilder.append(param.getKey()).append('=') .append(param.getValue()); if (iterator.hasNext()) { bodyBuilder.append('&'); } } String body = bodyBuilder.toString(); LOGV(TAG, "Posting '" + body + "' to " + url); HttpURLConnection conn = null; try { conn = (HttpURLConnection) url.openConnection(); conn.setDoOutput(true); conn.setUseCaches(false); conn.setChunkedStreamingMode(0); conn.setRequestMethod("POST"); conn.setRequestProperty("Content-Type", "application/x-www-form-urlencoded;charset=UTF-8"); conn.setRequestProperty("Content-Length", Integer.toString(body.length())); // post the request OutputStream out = conn.getOutputStream(); out.write(body.getBytes()); out.close(); // handle the response int status = conn.getResponseCode(); if (status != 200) { throw new IOException("Post failed with error code " + status); } } finally { if (conn != null) { conn.disconnect(); } } } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.gcm; import com.google.android.gcm.GCMBroadcastReceiver; import android.content.Context; /** * @author trevorjohns@google.com (Trevor Johns) */ public class GCMRedirectedBroadcastReceiver extends GCMBroadcastReceiver { /** * Gets the class name of the intent service that will handle GCM messages. * * Used to override class name, so that GCMIntentService can live in a * subpackage. */ @Override protected String getGCMIntentServiceClassName(Context context) { return GCMIntentService.class.getCanonicalName(); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.sync; import com.google.android.apps.iosched.BuildConfig; import com.google.android.apps.iosched.util.AccountUtils; import android.accounts.Account; import android.content.AbstractThreadedSyncAdapter; import android.content.ContentProviderClient; import android.content.ContentResolver; import android.content.Context; import android.content.SyncResult; import android.os.Bundle; import android.os.Handler; import android.os.Looper; import android.text.TextUtils; import android.widget.Toast; import java.io.IOException; import java.util.regex.Pattern; import static com.google.android.apps.iosched.util.LogUtils.*; /** * Sync adapter for Google I/O data */ public class SyncAdapter extends AbstractThreadedSyncAdapter { private static final String TAG = makeLogTag(SyncAdapter.class); private static final Pattern sSanitizeAccountNamePattern = Pattern.compile("(.).*?(.?)@"); private final Context mContext; private SyncHelper mSyncHelper; public SyncAdapter(Context context, boolean autoInitialize) { super(context, autoInitialize); mContext = context; //noinspection ConstantConditions,PointlessBooleanExpression if (!BuildConfig.DEBUG) { Thread.setDefaultUncaughtExceptionHandler(new Thread.UncaughtExceptionHandler() { @Override public void uncaughtException(Thread thread, Throwable throwable) { LOGE(TAG, "Uncaught sync exception, suppressing UI in release build.", throwable); } }); } } @Override public void onPerformSync(final Account account, Bundle extras, String authority, final ContentProviderClient provider, final SyncResult syncResult) { final boolean uploadOnly = extras.getBoolean(ContentResolver.SYNC_EXTRAS_UPLOAD, false); final boolean manualSync = extras.getBoolean(ContentResolver.SYNC_EXTRAS_MANUAL, false); final boolean initialize = extras.getBoolean(ContentResolver.SYNC_EXTRAS_INITIALIZE, false); final String logSanitizedAccountName = sSanitizeAccountNamePattern .matcher(account.name).replaceAll("$1...$2@"); if (uploadOnly) { return; } LOGI(TAG, "Beginning sync for account " + logSanitizedAccountName + "," + " uploadOnly=" + uploadOnly + " manualSync=" + manualSync + " initialize=" + initialize); String chosenAccountName = AccountUtils.getChosenAccountName(mContext); boolean isAccountSet = !TextUtils.isEmpty(chosenAccountName); boolean isChosenAccount = isAccountSet && chosenAccountName.equals(account.name); if (isAccountSet) { ContentResolver.setIsSyncable(account, authority, isChosenAccount ? 1 : 0); } if (!isChosenAccount) { LOGW(TAG, "Tried to sync account " + logSanitizedAccountName + " but the chosen " + "account is actually " + chosenAccountName); ++syncResult.stats.numAuthExceptions; return; } // Perform a sync using SyncHelper if (mSyncHelper == null) { mSyncHelper = new SyncHelper(mContext); } try { mSyncHelper.performSync(syncResult, SyncHelper.FLAG_SYNC_LOCAL | SyncHelper.FLAG_SYNC_REMOTE); } catch (IOException e) { ++syncResult.stats.numIoExceptions; LOGE(TAG, "Error syncing data for I/O 2013.", e); } } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.sync; import android.accounts.Account; import android.content.*; import android.database.Cursor; import android.net.ConnectivityManager; import android.os.Bundle; import android.os.RemoteException; import android.preference.PreferenceManager; import com.google.analytics.tracking.android.GAServiceManager; import com.google.android.apps.iosched.Config; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.io.*; import com.google.android.apps.iosched.io.map.model.Tile; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.util.*; import com.google.api.client.googleapis.auth.oauth2.GoogleCredential; import com.google.api.client.googleapis.json.GoogleJsonResponseException; import com.google.api.client.googleapis.services.CommonGoogleClientRequestInitializer; import com.google.api.client.http.HttpTransport; import com.google.api.client.http.javanet.NetHttpTransport; import com.google.api.client.json.JsonFactory; import com.google.api.client.json.gson.GsonFactory; import com.google.api.services.googledevelopers.Googledevelopers; import java.io.*; import java.net.HttpURLConnection; import java.util.ArrayList; import java.util.Collection; import java.util.List; import com.larvalabs.svgandroid.SVG; import com.larvalabs.svgandroid.SVGParseException; import com.larvalabs.svgandroid.SVGParser; import com.turbomanage.httpclient.BasicHttpClient; import com.turbomanage.httpclient.ConsoleRequestLogger; import com.turbomanage.httpclient.HttpResponse; import com.turbomanage.httpclient.RequestLogger; import static com.google.android.apps.iosched.util.LogUtils.*; /** * A helper class for dealing with sync and other remote persistence operations. * All operations occur on the thread they're called from, so it's best to wrap * calls in an {@link android.os.AsyncTask}, or better yet, a * {@link android.app.Service}. */ public class SyncHelper { private static final String TAG = makeLogTag(SyncHelper.class); public static final int FLAG_SYNC_LOCAL = 0x1; public static final int FLAG_SYNC_REMOTE = 0x2; private static final int LOCAL_VERSION_CURRENT = 25; private static final String LOCAL_MAPVERSION_CURRENT = "\"vlh7Ig\""; private Context mContext; public SyncHelper(Context context) { mContext = context; } public static void requestManualSync(Account mChosenAccount) { Bundle b = new Bundle(); b.putBoolean(ContentResolver.SYNC_EXTRAS_MANUAL, true); ContentResolver.requestSync( mChosenAccount, ScheduleContract.CONTENT_AUTHORITY, b); } /** * Loads conference information (sessions, rooms, tracks, speakers, etc.) * from a local static cache data and then syncs down data from the * Conference API. * * @param syncResult Optional {@link SyncResult} object to populate. * @throws IOException */ public void performSync(SyncResult syncResult, int flags) throws IOException { final SharedPreferences prefs = PreferenceManager.getDefaultSharedPreferences(mContext); final int localVersion = prefs.getInt("local_data_version", 0); // Bulk of sync work, performed by executing several fetches from // local and online sources. final ContentResolver resolver = mContext.getContentResolver(); ArrayList<ContentProviderOperation> batch = new ArrayList<ContentProviderOperation>(); LOGI(TAG, "Performing sync"); if ((flags & FLAG_SYNC_LOCAL) != 0) { final long startLocal = System.currentTimeMillis(); final boolean localParse = localVersion < LOCAL_VERSION_CURRENT; LOGD(TAG, "found localVersion=" + localVersion + " and LOCAL_VERSION_CURRENT=" + LOCAL_VERSION_CURRENT); // Only run local sync if there's a newer version of data available // than what was last locally-sync'd. if (localParse) { // Load static local data LOGI(TAG, "Local syncing rooms"); batch.addAll(new RoomsHandler(mContext).parse( JSONHandler.parseResource(mContext, R.raw.rooms))); LOGI(TAG, "Local syncing blocks"); batch.addAll(new BlocksHandler(mContext).parse( JSONHandler.parseResource(mContext, R.raw.common_slots))); LOGI(TAG, "Local syncing tracks"); batch.addAll(new TracksHandler(mContext).parse( JSONHandler.parseResource(mContext, R.raw.tracks))); LOGI(TAG, "Local syncing speakers"); batch.addAll(new SpeakersHandler(mContext).parseString( JSONHandler.parseResource(mContext, R.raw.speakers))); LOGI(TAG, "Local syncing sessions"); batch.addAll(new SessionsHandler(mContext).parseString( JSONHandler.parseResource(mContext, R.raw.sessions), JSONHandler.parseResource(mContext, R.raw.session_tracks))); LOGI(TAG, "Local syncing search suggestions"); batch.addAll(new SearchSuggestHandler(mContext).parse( JSONHandler.parseResource(mContext, R.raw.search_suggest))); LOGI(TAG, "Local syncing map"); MapPropertyHandler mapHandler = new MapPropertyHandler(mContext); batch.addAll(mapHandler.parse( JSONHandler.parseResource(mContext, R.raw.map))); //need to sync tile files before data is updated in content provider syncMapTiles(mapHandler.getTiles()); prefs.edit().putInt("local_data_version", LOCAL_VERSION_CURRENT).commit(); prefs.edit().putString("local_mapdata_version", LOCAL_MAPVERSION_CURRENT).commit(); if (syncResult != null) { ++syncResult.stats.numUpdates; // TODO: better way of indicating progress? ++syncResult.stats.numEntries; } } LOGD(TAG, "Local sync took " + (System.currentTimeMillis() - startLocal) + "ms"); try { // Apply all queued up batch operations for local data. resolver.applyBatch(ScheduleContract.CONTENT_AUTHORITY, batch); } catch (RemoteException e) { throw new RuntimeException("Problem applying batch operation", e); } catch (OperationApplicationException e) { throw new RuntimeException("Problem applying batch operation", e); } batch = new ArrayList<ContentProviderOperation>(); } if ((flags & FLAG_SYNC_REMOTE) != 0 && isOnline()) { try { Googledevelopers conferenceAPI = getConferenceAPIClient(); final long startRemote = System.currentTimeMillis(); LOGI(TAG, "Remote syncing announcements"); batch.addAll(new AnnouncementsFetcher(mContext).fetchAndParse()); LOGI(TAG, "Remote syncing speakers"); batch.addAll(new SpeakersHandler(mContext).fetchAndParse(conferenceAPI)); LOGI(TAG, "Remote syncing sessions"); batch.addAll(new SessionsHandler(mContext).fetchAndParse(conferenceAPI)); // Map sync batch.addAll(remoteSyncMapData(Config.GET_MAP_URL,prefs)); LOGD(TAG, "Remote sync took " + (System.currentTimeMillis() - startRemote) + "ms"); if (syncResult != null) { ++syncResult.stats.numUpdates; // TODO: better way of indicating progress? ++syncResult.stats.numEntries; } GAServiceManager.getInstance().dispatch(); // Sync feedback stuff LOGI(TAG, "Syncing session feedback"); batch.addAll(new FeedbackHandler(mContext).uploadNew(conferenceAPI)); } catch (GoogleJsonResponseException e) { if (e.getStatusCode() == 401) { LOGI(TAG, "Unauthorized; getting a new auth token.", e); if (syncResult != null) { ++syncResult.stats.numAuthExceptions; } AccountUtils.refreshAuthToken(mContext); } } // all other IOExceptions are thrown LOGI(TAG, "Sync complete"); } try { // Apply all queued up remaining batch operations (only remote content at this point). resolver.applyBatch(ScheduleContract.CONTENT_AUTHORITY, batch); // Update search index resolver.update(ScheduleContract.SearchIndex.CONTENT_URI, new ContentValues(), null, null); // Delete empty blocks Cursor emptyBlocksCursor = resolver.query(ScheduleContract.Blocks.CONTENT_URI, new String[]{ScheduleContract.Blocks.BLOCK_ID,ScheduleContract.Blocks.SESSIONS_COUNT}, ScheduleContract.Blocks.EMPTY_SESSIONS_SELECTION, null, null); batch = new ArrayList<ContentProviderOperation>(); int numDeletedEmptyBlocks = 0; while (emptyBlocksCursor.moveToNext()) { batch.add(ContentProviderOperation .newDelete(ScheduleContract.Blocks.buildBlockUri( emptyBlocksCursor.getString(0))) .build()); ++numDeletedEmptyBlocks; } emptyBlocksCursor.close(); resolver.applyBatch(ScheduleContract.CONTENT_AUTHORITY, batch); LOGD(TAG, "Deleted " + numDeletedEmptyBlocks + " empty session blocks."); } catch (RemoteException e) { throw new RuntimeException("Problem applying batch operation", e); } catch (OperationApplicationException e) { throw new RuntimeException("Problem applying batch operation", e); } } public void addOrRemoveSessionFromSchedule(Context context, String sessionId, boolean inSchedule) throws IOException { LOGI(TAG, "Updating session on user schedule: " + sessionId); Googledevelopers conferenceAPI = getConferenceAPIClient(); try { sendScheduleUpdate(conferenceAPI, context, sessionId, inSchedule); } catch (GoogleJsonResponseException e) { if (e.getDetails().getCode() == 401) { LOGI(TAG, "Unauthorized; getting a new auth token.", e); AccountUtils.refreshAuthToken(mContext); // Try request one more time with new credentials before giving up conferenceAPI = getConferenceAPIClient(); sendScheduleUpdate(conferenceAPI, context, sessionId, inSchedule); } } } private void sendScheduleUpdate(Googledevelopers conferenceAPI, Context context, String sessionId, boolean inSchedule) throws IOException { if (inSchedule) { conferenceAPI.users().events().sessions().update(Config.EVENT_ID, sessionId, null).execute(); } else { conferenceAPI.users().events().sessions().delete(Config.EVENT_ID, sessionId).execute(); } } private ArrayList<ContentProviderOperation> remoteSyncMapData(String urlString, SharedPreferences preferences) throws IOException { final String localVersion = preferences.getString("local_mapdata_version", null); ArrayList<ContentProviderOperation> batch = Lists.newArrayList(); BasicHttpClient httpClient = new BasicHttpClient(); httpClient.setRequestLogger(mQuietLogger); httpClient.addHeader("If-None-Match", localVersion); LOGD(TAG,"Local map version: "+localVersion); HttpResponse response = httpClient.get(urlString, null); final int status = response.getStatus(); if (status == HttpURLConnection.HTTP_OK) { // Data has been updated, otherwise would have received HTTP_NOT_MODIFIED LOGI(TAG, "Remote syncing map data"); final List<String> etag = response.getHeaders().get("ETag"); if (etag != null && etag.size() > 0) { MapPropertyHandler handler = new MapPropertyHandler(mContext); batch.addAll(handler.parse(response.getBodyAsString())); syncMapTiles(handler.getTiles()); // save new etag as version preferences.edit().putString("local_mapdata_version", etag.get(0)).commit(); } } //else: no update return batch; } private boolean isOnline() { ConnectivityManager cm = (ConnectivityManager) mContext.getSystemService( Context.CONNECTIVITY_SERVICE); return cm.getActiveNetworkInfo() != null && cm.getActiveNetworkInfo().isConnectedOrConnecting(); } /** * Synchronise the map overlay files either from the local assets (if available) or from a remote url. * * @param collection Set of tiles containing a local filename and remote url. * @throws IOException */ private void syncMapTiles(Collection<Tile> collection) throws IOException, SVGParseException { //keep track of used files, unused files are removed ArrayList<String> usedTiles = Lists.newArrayList(); for(Tile tile : collection){ final String filename = tile.filename; final String url = tile.url; usedTiles.add(filename); if (!MapUtils.hasTile(mContext, filename)) { // copy or download the tile if it is not stored yet if (MapUtils.hasTileAsset(mContext, filename)) { // file already exists as an asset, copy it MapUtils.copyTileAsset(mContext, filename); } else { // download the file File tileFile = MapUtils.getTileFile(mContext, filename); BasicHttpClient httpClient = new BasicHttpClient(); httpClient.setRequestLogger(mQuietLogger); HttpResponse httpResponse = httpClient.get(url, null); writeFile(httpResponse.getBody(), tileFile); // ensure the file is valid SVG InputStream is = new FileInputStream(tileFile); SVG svg = SVGParser.getSVGFromInputStream(is); is.close(); } } } MapUtils.removeUnusedTiles(mContext, usedTiles); } /** * Write the byte array directly to a file. * @throws IOException */ private void writeFile(byte[] data, File file) throws IOException { BufferedOutputStream bos = new BufferedOutputStream(new FileOutputStream(file, false)); bos.write(data); bos.close(); } /** * A type of ConsoleRequestLogger that does not log requests and responses. */ private RequestLogger mQuietLogger = new ConsoleRequestLogger(){ @Override public void logRequest(HttpURLConnection uc, Object content) throws IOException { } @Override public void logResponse(HttpResponse res) { } }; private Googledevelopers getConferenceAPIClient() { HttpTransport httpTransport = new NetHttpTransport(); JsonFactory jsonFactory = new GsonFactory(); GoogleCredential credential = new GoogleCredential().setAccessToken(AccountUtils.getAuthToken(mContext)); // Note: The Googledevelopers API is unique, in that it requires an API key in addition to the client // ID normally embedded an an OAuth token. Most apps will use one or the other. return new Googledevelopers.Builder(httpTransport, jsonFactory, null) .setApplicationName(NetUtils.getUserAgent(mContext)) .setGoogleClientRequestInitializer(new CommonGoogleClientRequestInitializer(Config.API_KEY)) .setHttpRequestInitializer(credential) .build(); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.sync; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.util.AccountUtils; import com.google.android.gms.auth.GoogleAuthUtil; import android.accounts.Account; import android.content.BroadcastReceiver; import android.content.ContentResolver; import android.content.Context; import android.content.Intent; import android.os.Bundle; import android.text.TextUtils; /** * A simple {@link BroadcastReceiver} that triggers a sync. This is used by the GCM code to trigger * jittered syncs using {@link android.app.AlarmManager}. */ public class TriggerSyncReceiver extends BroadcastReceiver { @Override public void onReceive(Context context, Intent intent) { String accountName = AccountUtils.getChosenAccountName(context); if (TextUtils.isEmpty(accountName)) { return; } ContentResolver.requestSync( AccountUtils.getChosenAccount(context), ScheduleContract.CONTENT_AUTHORITY, new Bundle()); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.sync; import android.app.Service; import android.content.Intent; import android.os.IBinder; /** * Service that handles sync. It simply instantiates a SyncAdapter and returns its IBinder. */ public class SyncService extends Service { private static final Object sSyncAdapterLock = new Object(); private static SyncAdapter sSyncAdapter = null; @Override public void onCreate() { synchronized (sSyncAdapterLock) { if (sSyncAdapter == null) { sSyncAdapter = new SyncAdapter(getApplicationContext(), false); } } } @Override public IBinder onBind(Intent intent) { return sSyncAdapter.getSyncAdapterBinder(); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched; public class Config { // General configuration public static final int CONFERENCE_YEAR = 2013; // OAuth 2.0 related config public static final String APP_NAME = "GoogleIO-Android"; // TODO: Add your Google API key here. public static final String API_KEY = "YOUR_API_KEY_HERE"; // Conference API-specific config public static final String EVENT_ID = "googleio2013"; public static final String CONFERENCE_IMAGE_PREFIX_URL = "https://developers.google.com"; // Announcements public static final String ANNOUNCEMENTS_PLUS_ID = "111395306401981598462"; // Static file host for the map data public static final String GET_MAP_URL = "http://2013.ioschedmap.appspot.com/map.json"; // YouTube API config // TODO: Add your YouTube API key here. public static final String YOUTUBE_API_KEY = "YOUR_API_KEY_HERE"; // YouTube share URL public static final String YOUTUBE_SHARE_URL_PREFIX = "http://youtu.be/"; // Livestream captions config public static final String PRIMARY_LIVESTREAM_CAPTIONS_URL = "http://io-captions.appspot.com/?event=e1&android=t"; public static final String SECONDARY_LIVESTREAM_CAPTIONS_URL = "http://io-captions.appspot.com/?event=e2&android=t"; public static final String PRIMARY_LIVESTREAM_TRACK = "android"; public static final String SECONDARY_LIVESTREAM_TRACK = "chrome"; // Conference public WiFi AP parameters public static final String WIFI_SSID = "Google5G"; public static final String WIFI_PASSPHRASE = "gomobileio"; // GCM config // TODO: Add your GCM information here. public static final String GCM_SERVER_URL = "https://YOUR_GCM_APP_ID_HERE.appspot.com"; public static final String GCM_SENDER_ID = "YOUR_GCM_SENDER_ID_HERE"; public static final String GCM_API_KEY = "YOUR_GCM_API_KEY_HERE"; }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import android.content.res.Resources; import android.text.Html; import android.view.LayoutInflater; import android.view.View; import android.widget.ImageView; import android.widget.TextView; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.ui.MapFragment.MarkerModel; import com.google.android.apps.iosched.ui.widget.EllipsizedTextView; import com.google.android.gms.maps.GoogleMap; import com.google.android.gms.maps.model.Marker; import java.util.HashMap; class MapInfoWindowAdapter implements GoogleMap.InfoWindowAdapter { // Common parameters private String roomTitle; private Marker mMarker; //Session private String titleCurrent, titleNext, timeNext; private boolean inProgress; //Sandbox private int sandboxColor; private int companyIcon; private String companyList; // Inflated views private View mViewSandbox = null; private View mViewSession = null; private View mViewTitleOnly = null; private LayoutInflater mInflater; private Resources mResources; private HashMap<String, MarkerModel> mMarkers; public MapInfoWindowAdapter(LayoutInflater inflater, Resources resources, HashMap<String, MarkerModel> markers) { this.mInflater = inflater; this.mResources = resources; mMarkers = markers; } @Override public View getInfoContents(Marker marker) { // render fallback if incorrect data is set or any other type // except for session or sandbox are rendered if (mMarker != null && !mMarker.getTitle().equals(marker.getTitle()) && (MapFragment.TYPE_SESSION.equals(marker.getSnippet()) || MapFragment.TYPE_SANDBOX.equals(marker.getSnippet()))) { // View will be rendered in getInfoWindow, need to return null return null; } else { return renderTitleOnly(marker); } } @Override public View getInfoWindow(Marker marker) { if (mMarker != null && mMarker.getTitle().equals(marker.getTitle())) { final String snippet = marker.getSnippet(); if (MapFragment.TYPE_SESSION.equals(snippet)) { return renderSession(marker); } else if (MapFragment.TYPE_SANDBOX.equals(snippet)) { return renderSandbox(marker); } } return null; } private View renderTitleOnly(Marker marker) { if (mViewTitleOnly == null) { mViewTitleOnly = mInflater.inflate(R.layout.map_info_titleonly, null); } TextView title = (TextView) mViewTitleOnly.findViewById(R.id.map_info_title); title.setText(mMarkers.get(marker.getTitle()).label); return mViewTitleOnly; } private View renderSession(Marker marker) { if (mViewSession == null) { mViewSession = mInflater.inflate(R.layout.map_info_session, null); } TextView roomName = (TextView) mViewSession.findViewById(R.id.map_info_roomtitle); roomName.setText(roomTitle); TextView first = (TextView) mViewSession.findViewById(R.id.map_info_session_now); TextView second = (TextView) mViewSession.findViewById(R.id.map_info_session_next); View spacer = mViewSession.findViewById(R.id.map_info_session_spacer); // default visibility first.setVisibility(View.GONE); second.setVisibility(View.GONE); spacer.setVisibility(View.GONE); if (inProgress) { // A session is in progress, show its title first.setText(Html.fromHtml(mResources.getString(R.string.map_now_playing, titleCurrent))); first.setVisibility(View.VISIBLE); } // show the next session if there is one if (titleNext != null) { second.setText(Html.fromHtml(mResources.getString(R.string.map_at, timeNext, titleNext))); second.setVisibility(View.VISIBLE); } if(!inProgress && titleNext == null){ // No session in progress or coming up second.setText(Html.fromHtml(mResources.getString(R.string.map_now_playing, mResources.getString(R.string.map_infowindow_text_empty)))); second.setVisibility(View.VISIBLE); }else if(inProgress && titleNext != null){ // Both lines are displayed, add extra padding spacer.setVisibility(View.VISIBLE); } return mViewSession; } private View renderSandbox(Marker marker) { if (mViewSandbox == null) { mViewSandbox = mInflater.inflate(R.layout.map_info_sandbox, null); } TextView titleView = (TextView) mViewSandbox.findViewById(R.id.map_info_roomtitle); titleView.setText(roomTitle); ImageView iconView = (ImageView) mViewSandbox.findViewById(R.id.map_info_icon); iconView.setImageResource(companyIcon); View rootLayout = mViewSandbox.findViewById(R.id.map_info_top); rootLayout.setBackgroundColor(this.sandboxColor); // Views EllipsizedTextView companyListView = (EllipsizedTextView) mViewSandbox.findViewById(R.id.map_info_sandbox_now); if (this.companyList != null) { companyListView.setText(Html.fromHtml(mResources.getString(R.string.map_now_sandbox, companyList))); //TODO: fix missing ellipsize } else { // No active companies companyListView.setText(Html.fromHtml(mResources.getString(R.string.map_now_sandbox, mResources.getString(R.string.map_infowindow_text_empty)))); } return mViewSandbox; } public void clearData() { this.titleCurrent = null; this.titleNext = null; this.inProgress = false; this.mMarker = null; } public void setSessionData(Marker marker, String roomTitle, String titleCurrent, String titleNext, String timeNext, boolean inProgress) { clearData(); this.titleCurrent = titleCurrent; this.titleNext = titleNext; this.timeNext = timeNext; this.inProgress = inProgress; this.mMarker = marker; this.roomTitle = roomTitle; } public void setMarker(Marker marker, String roomTitle) { clearData(); this.mMarker = marker; this.roomTitle = roomTitle; } public void setSandbox(Marker marker, String label, int color, int iconId, String companies) { clearData(); mMarker = marker; this.companyList = companies; this.roomTitle = label; this.sandboxColor = color; this.companyIcon = iconId; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import android.app.Activity; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.res.Resources; import android.database.ContentObserver; import android.database.Cursor; import android.graphics.Color; import android.net.Uri; import android.os.Bundle; import android.os.Handler; import android.preference.PreferenceManager; import android.provider.BaseColumns; import android.support.v4.app.ListFragment; import android.support.v4.app.LoaderManager; import android.support.v4.content.CursorLoader; import android.support.v4.content.Loader; import android.support.v4.widget.CursorAdapter; import android.support.v7.app.ActionBarActivity; import android.support.v7.view.ActionMode; import android.text.TextUtils; import android.text.format.DateUtils; import android.util.SparseArray; import android.view.*; import android.view.View.OnLongClickListener; import android.widget.ImageButton; import android.widget.ListView; import android.widget.TextView; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.ui.tablet.SessionsSandboxMultiPaneActivity; import com.google.android.apps.iosched.util.PrefUtils; import com.google.android.apps.iosched.util.SessionsHelper; import com.google.android.apps.iosched.util.UIUtils; import java.util.ArrayList; import java.util.Formatter; import java.util.List; import java.util.Locale; import static com.google.android.apps.iosched.util.LogUtils.LOGW; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class ScheduleFragment extends ListFragment implements LoaderManager.LoaderCallbacks<Cursor>, ActionMode.Callback { private static final String TAG = makeLogTag(ScheduleFragment.class); private static final String STATE_ACTION_MODE = "actionMode"; private SimpleSectionedListAdapter mAdapter; private MyScheduleAdapter mScheduleAdapter; private SparseArray<String> mSelectedItemData; private View mLongClickedView; private ActionMode mActionMode; private boolean mScrollToNow; private boolean mActionModeStarted = false; private Bundle mViewDestroyedInstanceState; private StringBuilder mBuffer = new StringBuilder(); private Formatter mFormatter = new Formatter(mBuffer, Locale.getDefault()); @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); mScheduleAdapter = new MyScheduleAdapter(getActivity()); mAdapter = new SimpleSectionedListAdapter(getActivity(), R.layout.list_item_schedule_header, mScheduleAdapter); setListAdapter(mAdapter); if (savedInstanceState == null) { mScrollToNow = true; } } @Override public void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); persistActionModeState(outState); } private void persistActionModeState(Bundle outState) { if (outState != null && mActionModeStarted && mSelectedItemData != null) { outState.putStringArray(STATE_ACTION_MODE, new String[]{ mSelectedItemData.get(BlocksQuery.STARRED_SESSION_ID), mSelectedItemData.get(BlocksQuery.STARRED_SESSION_TITLE), mSelectedItemData.get(BlocksQuery.STARRED_SESSION_HASHTAGS), mSelectedItemData.get(BlocksQuery.STARRED_SESSION_URL), mSelectedItemData.get(BlocksQuery.STARRED_SESSION_ROOM_ID), }); } } private void loadActionModeState(Bundle state) { if (state != null && state.containsKey(STATE_ACTION_MODE)) { mActionModeStarted = true; mActionMode = ((ActionBarActivity) getActivity()).startSupportActionMode(this); String[] data = state.getStringArray(STATE_ACTION_MODE); if (data != null) { mSelectedItemData = new SparseArray<String>(); mSelectedItemData.put(BlocksQuery.STARRED_SESSION_ID, data[0]); mSelectedItemData.put(BlocksQuery.STARRED_SESSION_TITLE, data[1]); mSelectedItemData.put(BlocksQuery.STARRED_SESSION_HASHTAGS, data[2]); mSelectedItemData.put(BlocksQuery.STARRED_SESSION_URL, data[3]); mSelectedItemData.put(BlocksQuery.STARRED_SESSION_ROOM_ID, data[4]); } } } @Override public void setMenuVisibility(boolean menuVisible) { super.setMenuVisibility(menuVisible); // Hide the action mode when the fragment becomes invisible if (!menuVisible) { if (mActionModeStarted && mActionMode != null && mSelectedItemData != null) { mViewDestroyedInstanceState = new Bundle(); persistActionModeState(mViewDestroyedInstanceState); mActionMode.finish(); } } else if (mViewDestroyedInstanceState != null) { loadActionModeState(mViewDestroyedInstanceState); mViewDestroyedInstanceState = null; } } @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { ViewGroup root = (ViewGroup) inflater.inflate( R.layout.fragment_list_with_empty_container, container, false); inflater.inflate(R.layout.empty_waiting_for_sync, (ViewGroup) root.findViewById(android.R.id.empty), true); root.setBackgroundColor(Color.WHITE); ListView listView = (ListView) root.findViewById(android.R.id.list); listView.setItemsCanFocus(true); listView.setCacheColorHint(Color.WHITE); listView.setSelector(android.R.color.transparent); return root; } @Override public void onActivityCreated(Bundle savedInstanceState) { super.onActivityCreated(savedInstanceState); loadActionModeState(savedInstanceState); // In support library r8, calling initLoader for a fragment in a FragmentPagerAdapter in // the fragment's onCreate may cause the same LoaderManager to be dealt to multiple // fragments because their mIndex is -1 (haven't been added to the activity yet). Thus, // we do this in onActivityCreated. getLoaderManager().initLoader(0, null, this); } private final SharedPreferences.OnSharedPreferenceChangeListener mPrefChangeListener = new SharedPreferences.OnSharedPreferenceChangeListener() { @Override public void onSharedPreferenceChanged(SharedPreferences sp, String key) { if (isAdded() && mAdapter != null) { if (PrefUtils.PREF_LOCAL_TIMES.equals(key)) { PrefUtils.isUsingLocalTime(getActivity(), true); // force update mAdapter.notifyDataSetInvalidated(); } else if (PrefUtils.PREF_ATTENDEE_AT_VENUE.equals(key)) { PrefUtils.isAttendeeAtVenue(getActivity(), true); // force update getLoaderManager().restartLoader(0, null, ScheduleFragment.this); } } } }; private final ContentObserver mObserver = new ContentObserver(new Handler()) { @Override public void onChange(boolean selfChange) { if (!isAdded()) { return; } getLoaderManager().restartLoader(0, null, ScheduleFragment.this); } }; @Override public void onAttach(Activity activity) { super.onAttach(activity); activity.getContentResolver().registerContentObserver( ScheduleContract.Sessions.CONTENT_URI, true, mObserver); SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(activity); sp.registerOnSharedPreferenceChangeListener(mPrefChangeListener); } @Override public void onDetach() { super.onDetach(); getActivity().getContentResolver().unregisterContentObserver(mObserver); SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(getActivity()); sp.unregisterOnSharedPreferenceChangeListener(mPrefChangeListener); } // LoaderCallbacks @Override public Loader<Cursor> onCreateLoader(int id, Bundle data) { String liveStreamedOnlyBlocksSelection = "(" + (UIUtils.shouldShowLiveSessionsOnly(getActivity()) ? ScheduleContract.Blocks.BLOCK_TYPE + " NOT IN ('" + ScheduleContract.Blocks.BLOCK_TYPE_SESSION + "','" + ScheduleContract.Blocks.BLOCK_TYPE_CODELAB + "','" + ScheduleContract.Blocks.BLOCK_TYPE_OFFICE_HOURS + "','" + ScheduleContract.Blocks.BLOCK_TYPE_FOOD + "')" + " OR " + ScheduleContract.Blocks.NUM_LIVESTREAMED_SESSIONS + ">1 " : "1==1") + ")"; String onlyStarredOfficeHoursSelection = "(" + ScheduleContract.Blocks.BLOCK_TYPE + " != '" + ScheduleContract.Blocks.BLOCK_TYPE_OFFICE_HOURS + "' OR " + ScheduleContract.Blocks.NUM_STARRED_SESSIONS + ">0)"; String excludeSandbox = "("+ScheduleContract.Blocks.BLOCK_TYPE + " != '" + ScheduleContract.Blocks.BLOCK_TYPE_SANDBOX +"')"; return new CursorLoader(getActivity(), ScheduleContract.Blocks.CONTENT_URI, BlocksQuery.PROJECTION, liveStreamedOnlyBlocksSelection + " AND " + onlyStarredOfficeHoursSelection + " AND " + excludeSandbox, null, ScheduleContract.Blocks.DEFAULT_SORT); } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) { if (!isAdded()) { return; } Context context = getActivity(); long currentTime = UIUtils.getCurrentTime(getActivity()); int firstNowPosition = ListView.INVALID_POSITION; String displayTimeZone = PrefUtils.getDisplayTimeZone(context).getID(); List<SimpleSectionedListAdapter.Section> sections = new ArrayList<SimpleSectionedListAdapter.Section>(); cursor.moveToFirst(); long previousBlockStart = -1; long blockStart, blockEnd; while (!cursor.isAfterLast()) { blockStart = cursor.getLong(BlocksQuery.BLOCK_START); blockEnd = cursor.getLong(BlocksQuery.BLOCK_END); if (!UIUtils.isSameDayDisplay(previousBlockStart, blockStart, context)) { mBuffer.setLength(0); sections.add(new SimpleSectionedListAdapter.Section(cursor.getPosition(), DateUtils.formatDateRange( context, mFormatter, blockStart, blockStart, DateUtils.FORMAT_ABBREV_MONTH | DateUtils.FORMAT_SHOW_DATE | DateUtils.FORMAT_SHOW_WEEKDAY, displayTimeZone).toString())); } if (mScrollToNow && firstNowPosition == ListView.INVALID_POSITION // if we're currently in this block, or we're not in a block // and this block is in the future, then this is the scroll position && ((blockStart < currentTime && currentTime < blockEnd) || blockStart > currentTime)) { firstNowPosition = cursor.getPosition(); } previousBlockStart = blockStart; cursor.moveToNext(); } mScheduleAdapter.swapCursor(cursor); SimpleSectionedListAdapter.Section[] dummy = new SimpleSectionedListAdapter.Section[sections.size()]; mAdapter.setSections(sections.toArray(dummy)); if (mScrollToNow && firstNowPosition != ListView.INVALID_POSITION) { firstNowPosition = mAdapter.positionToSectionedPosition(firstNowPosition); getListView().setSelectionFromTop(firstNowPosition, getResources().getDimensionPixelSize(R.dimen.list_scroll_top_offset)); mScrollToNow = false; } } @Override public void onLoaderReset(Loader<Cursor> loader) { } private class MyScheduleAdapter extends CursorAdapter { public MyScheduleAdapter(Context context) { super(context, null, 0); } @Override public View newView(Context context, Cursor cursor, ViewGroup parent) { return LayoutInflater.from(context).inflate(R.layout.list_item_schedule_block, parent, false); } @Override public void bindView(View view, Context context, final Cursor cursor) { final String type = cursor.getString(BlocksQuery.BLOCK_TYPE); final String blockId = cursor.getString(BlocksQuery.BLOCK_ID); final String blockTitle = cursor.getString(BlocksQuery.BLOCK_TITLE); final long blockStart = cursor.getLong(BlocksQuery.BLOCK_START); final long blockEnd = cursor.getLong(BlocksQuery.BLOCK_END); final String blockMeta = cursor.getString(BlocksQuery.BLOCK_META); final String blockTimeString = UIUtils.formatBlockTimeString(blockStart, blockEnd, mBuffer, context); final TextView timeView = (TextView) view.findViewById(R.id.block_time); final TextView endtimeView = (TextView) view.findViewById(R.id.block_endtime); final TextView titleView = (TextView) view.findViewById(R.id.block_title); final TextView subtitleView = (TextView) view.findViewById(R.id.block_subtitle); final ImageButton extraButton = (ImageButton) view.findViewById(R.id.extra_button); final View primaryTouchTargetView = view.findViewById(R.id.list_item_middle_container); final Resources res = getResources(); String subtitle; boolean isLiveStreamed = false; primaryTouchTargetView.setOnLongClickListener(null); primaryTouchTargetView.setSelected(false); endtimeView.setText(null); titleView.setTextColor(res.getColorStateList(R.color.body_text_1_stateful)); subtitleView.setTextColor(res.getColorStateList(R.color.body_text_2_stateful)); if (ScheduleContract.Blocks.BLOCK_TYPE_SESSION.equals(type) || ScheduleContract.Blocks.BLOCK_TYPE_CODELAB.equals(type) || ScheduleContract.Blocks.BLOCK_TYPE_OFFICE_HOURS.equals(type)) { final int numStarredSessions = cursor.getInt(BlocksQuery.NUM_STARRED_SESSIONS); final String starredSessionId = cursor.getString(BlocksQuery.STARRED_SESSION_ID); View.OnClickListener allSessionsListener = new View.OnClickListener() { @Override public void onClick(View view) { if (mActionModeStarted) { return; } final Uri sessionsUri = ScheduleContract.Blocks.buildSessionsUri(blockId); final Intent intent = new Intent(Intent.ACTION_VIEW, sessionsUri); intent.putExtra(Intent.EXTRA_TITLE, blockTimeString); startActivity(intent); } }; if (numStarredSessions == 0) { // 0 sessions starred titleView.setText(getString(R.string.schedule_empty_slot_title_template, TextUtils.isEmpty(blockTitle) ? "" : (" " + blockTitle.toLowerCase()))); titleView.setTextColor(res.getColorStateList( R.color.body_text_1_positive_stateful)); subtitle = getString(R.string.schedule_empty_slot_subtitle); extraButton.setVisibility(View.GONE); primaryTouchTargetView.setOnClickListener(allSessionsListener); primaryTouchTargetView.setEnabled(!mActionModeStarted); } else if (numStarredSessions == 1) { // exactly 1 session starred final String starredSessionTitle = cursor.getString(BlocksQuery.STARRED_SESSION_TITLE); final String starredSessionHashtags = cursor.getString(BlocksQuery.STARRED_SESSION_HASHTAGS); final String starredSessionUrl = cursor.getString(BlocksQuery.STARRED_SESSION_URL); final String starredSessionRoomId = cursor.getString(BlocksQuery.STARRED_SESSION_ROOM_ID); titleView.setText(starredSessionTitle); subtitle = cursor.getString(BlocksQuery.STARRED_SESSION_ROOM_NAME); if (subtitle == null) { subtitle = getString(R.string.unknown_room); } // Determine if the session is in the past long currentTimeMillis = UIUtils.getCurrentTime(context); boolean conferenceEnded = currentTimeMillis > UIUtils.CONFERENCE_END_MILLIS; boolean blockEnded = currentTimeMillis > blockEnd; if (blockEnded && !conferenceEnded) { subtitle = getString(R.string.session_finished); } isLiveStreamed = !TextUtils.isEmpty( cursor.getString(BlocksQuery.STARRED_SESSION_LIVESTREAM_URL)); extraButton.setVisibility(View.VISIBLE); extraButton.setOnClickListener(allSessionsListener); extraButton.setEnabled(!mActionModeStarted); if (mSelectedItemData != null && mActionModeStarted && mSelectedItemData.get(BlocksQuery.STARRED_SESSION_ID, "").equals( starredSessionId)) { primaryTouchTargetView.setSelected(true); mLongClickedView = primaryTouchTargetView; } final Runnable restartActionMode = new Runnable() { @Override public void run() { boolean currentlySelected = false; if (mActionModeStarted && mSelectedItemData != null && starredSessionId.equals(mSelectedItemData.get( BlocksQuery.STARRED_SESSION_ID))) { currentlySelected = true; } if (mActionMode != null) { mActionMode.finish(); if (currentlySelected) { return; } } mLongClickedView = primaryTouchTargetView; mSelectedItemData = new SparseArray<String>(); mSelectedItemData.put(BlocksQuery.STARRED_SESSION_ID, starredSessionId); mSelectedItemData.put(BlocksQuery.STARRED_SESSION_TITLE, starredSessionTitle); mSelectedItemData.put(BlocksQuery.STARRED_SESSION_HASHTAGS, starredSessionHashtags); mSelectedItemData.put(BlocksQuery.STARRED_SESSION_URL, starredSessionUrl); mSelectedItemData.put(BlocksQuery.STARRED_SESSION_ROOM_ID, starredSessionRoomId); mActionMode = ((ActionBarActivity) getActivity()) .startSupportActionMode(ScheduleFragment.this); primaryTouchTargetView.setSelected(true); } }; primaryTouchTargetView.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View view) { if (mActionModeStarted) { restartActionMode.run(); return; } final Uri sessionUri = ScheduleContract.Sessions.buildSessionUri( starredSessionId); final Intent intent = new Intent(Intent.ACTION_VIEW, sessionUri); intent.putExtra(SessionsSandboxMultiPaneActivity.EXTRA_MASTER_URI, ScheduleContract.Blocks.buildSessionsUri(blockId)); intent.putExtra(Intent.EXTRA_TITLE, blockTimeString); startActivity(intent); } }); primaryTouchTargetView.setOnLongClickListener(new OnLongClickListener() { @Override public boolean onLongClick(View v) { restartActionMode.run(); return true; } }); primaryTouchTargetView.setEnabled(true); } else { // 2 or more sessions starred titleView.setText(getString(R.string.schedule_conflict_title, numStarredSessions)); subtitle = getString(R.string.schedule_conflict_subtitle); extraButton.setVisibility(View.VISIBLE); extraButton.setOnClickListener(allSessionsListener); extraButton.setEnabled(!mActionModeStarted); primaryTouchTargetView.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View view) { if (mActionModeStarted) { return; } final Uri sessionsUri = ScheduleContract.Blocks .buildStarredSessionsUri( blockId); final Intent intent = new Intent(Intent.ACTION_VIEW, sessionsUri); intent.putExtra(Intent.EXTRA_TITLE, blockTimeString); startActivity(intent); } }); primaryTouchTargetView.setEnabled(!mActionModeStarted); } } else if (ScheduleContract.Blocks.BLOCK_TYPE_KEYNOTE.equals(type)) { final String starredSessionId = cursor.getString(BlocksQuery.STARRED_SESSION_ID); final String starredSessionTitle = cursor.getString(BlocksQuery.STARRED_SESSION_TITLE); long currentTimeMillis = UIUtils.getCurrentTime(context); boolean past = (currentTimeMillis > blockEnd && currentTimeMillis < UIUtils.CONFERENCE_END_MILLIS); boolean present = !past && (currentTimeMillis >= blockStart); boolean canViewStream = present && UIUtils.hasHoneycomb(); boolean enabled = canViewStream && !mActionModeStarted; isLiveStreamed = true; subtitle = getString(R.string.keynote_room); titleView.setText(starredSessionTitle); extraButton.setVisibility(View.GONE); primaryTouchTargetView.setEnabled(enabled); primaryTouchTargetView.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View view) { if (mActionModeStarted) { return; } final Uri sessionUri = ScheduleContract.Sessions.buildSessionUri( starredSessionId); Intent livestreamIntent = new Intent(Intent.ACTION_VIEW, sessionUri); livestreamIntent.setClass(getActivity(), SessionLivestreamActivity.class); startActivity(livestreamIntent); } }); } else { subtitle = blockMeta; titleView.setText(blockTitle); extraButton.setVisibility(View.GONE); primaryTouchTargetView.setEnabled(false); primaryTouchTargetView.setOnClickListener(null); mBuffer.setLength(0); endtimeView.setText(DateUtils.formatDateRange(context, mFormatter, blockEnd, blockEnd, DateUtils.FORMAT_SHOW_TIME, PrefUtils.getDisplayTimeZone(context).getID()).toString()); } mBuffer.setLength(0); timeView.setText(DateUtils.formatDateRange(context, mFormatter, blockStart, blockStart, DateUtils.FORMAT_SHOW_TIME, PrefUtils.getDisplayTimeZone(context).getID()).toString()); // Show past/present/future and livestream status for this block. UIUtils.updateTimeAndLivestreamBlockUI(context, blockStart, blockEnd, isLiveStreamed, titleView, subtitleView, subtitle); } } private interface BlocksQuery { String[] PROJECTION = { BaseColumns._ID, ScheduleContract.Blocks.BLOCK_ID, ScheduleContract.Blocks.BLOCK_TITLE, ScheduleContract.Blocks.BLOCK_START, ScheduleContract.Blocks.BLOCK_END, ScheduleContract.Blocks.BLOCK_TYPE, ScheduleContract.Blocks.BLOCK_META, ScheduleContract.Blocks.SESSIONS_COUNT, ScheduleContract.Blocks.NUM_STARRED_SESSIONS, ScheduleContract.Blocks.NUM_LIVESTREAMED_SESSIONS, ScheduleContract.Blocks.STARRED_SESSION_ID, ScheduleContract.Blocks.STARRED_SESSION_TITLE, ScheduleContract.Blocks.STARRED_SESSION_ROOM_NAME, ScheduleContract.Blocks.STARRED_SESSION_ROOM_ID, ScheduleContract.Blocks.STARRED_SESSION_HASHTAGS, ScheduleContract.Blocks.STARRED_SESSION_URL, ScheduleContract.Blocks.STARRED_SESSION_LIVESTREAM_URL, }; int _ID = 0; int BLOCK_ID = 1; int BLOCK_TITLE = 2; int BLOCK_START = 3; int BLOCK_END = 4; int BLOCK_TYPE = 5; int BLOCK_META = 6; int SESSIONS_COUNT = 7; int NUM_STARRED_SESSIONS = 8; int NUM_LIVESTREAMED_SESSIONS = 9; int STARRED_SESSION_ID = 10; int STARRED_SESSION_TITLE = 11; int STARRED_SESSION_ROOM_NAME = 12; int STARRED_SESSION_ROOM_ID = 13; int STARRED_SESSION_HASHTAGS = 14; int STARRED_SESSION_URL = 15; int STARRED_SESSION_LIVESTREAM_URL = 16; } @Override public boolean onActionItemClicked(ActionMode mode, MenuItem item) { SessionsHelper helper = new SessionsHelper(getActivity()); String title = mSelectedItemData.get(BlocksQuery.STARRED_SESSION_TITLE); String hashtags = mSelectedItemData.get(BlocksQuery.STARRED_SESSION_HASHTAGS); String url = mSelectedItemData.get(BlocksQuery.STARRED_SESSION_URL); boolean handled = false; switch (item.getItemId()) { case R.id.menu_map: String roomId = mSelectedItemData.get(BlocksQuery.STARRED_SESSION_ROOM_ID); helper.startMapActivity(roomId); handled = true; break; case R.id.menu_star: String sessionId = mSelectedItemData.get(BlocksQuery.STARRED_SESSION_ID); Uri sessionUri = ScheduleContract.Sessions.buildSessionUri(sessionId); helper.setSessionStarred(sessionUri, false, title); handled = true; break; case R.id.menu_share: // On ICS+ devices, we normally won't reach this as ShareActionProvider will handle // sharing. helper.shareSession(getActivity(), R.string.share_template, title, hashtags, url); handled = true; break; case R.id.menu_social_stream: helper.startSocialStream(hashtags); handled = true; break; default: LOGW(TAG, "Unknown action taken"); } mActionMode.finish(); return handled; } @Override public boolean onCreateActionMode(ActionMode mode, Menu menu) { MenuInflater inflater = mode.getMenuInflater(); inflater.inflate(R.menu.sessions_context, menu); MenuItem starMenuItem = menu.findItem(R.id.menu_star); starMenuItem.setTitle(R.string.description_remove_schedule); starMenuItem.setIcon(R.drawable.ic_action_remove_schedule); mAdapter.notifyDataSetChanged(); mActionModeStarted = true; return true; } @Override public void onDestroyActionMode(ActionMode mode) { mActionMode = null; if (mLongClickedView != null) { mLongClickedView.setSelected(false); } mActionModeStarted = false; mAdapter.notifyDataSetChanged(); } @Override public boolean onPrepareActionMode(ActionMode mode, Menu menu) { return false; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import android.app.Activity; import android.database.Cursor; import android.net.Uri; import android.os.Bundle; import android.os.Handler; import android.support.v4.app.ListFragment; import android.support.v4.app.LoaderManager; import android.support.v4.content.CursorLoader; import android.support.v4.content.Loader; /** * A retained, non-UI helper fragment that loads track information such as name, color, etc. */ public class TrackInfoHelperFragment extends ListFragment implements LoaderManager.LoaderCallbacks<Cursor> { /** * The track URI for which to load data. */ private static final String ARG_TRACK = "com.google.android.iosched.extra.TRACK"; private Uri mTrackUri; // To be loaded private String mTrackId; private TrackInfo mInfo = new TrackInfo(); private Handler mHandler = new Handler(); public interface Callbacks { public void onTrackInfoAvailable(String trackId, TrackInfo info); } private static Callbacks sDummyCallbacks = new Callbacks() { @Override public void onTrackInfoAvailable(String trackId, TrackInfo info) { } }; private Callbacks mCallbacks = sDummyCallbacks; public static TrackInfoHelperFragment newFromSessionUri(Uri sessionUri) { return newFromTrackUri(ScheduleContract.Sessions.buildTracksDirUri( ScheduleContract.Sessions.getSessionId(sessionUri))); } public static TrackInfoHelperFragment newFromTrackUri(Uri trackUri) { TrackInfoHelperFragment f = new TrackInfoHelperFragment(); Bundle args = new Bundle(); args.putParcelable(ARG_TRACK, trackUri); f.setArguments(args); return f; } @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setRetainInstance(true); mTrackUri = getArguments().getParcelable(ARG_TRACK); if (ScheduleContract.Tracks.ALL_TRACK_ID.equals( ScheduleContract.Tracks.getTrackId(mTrackUri))) { mTrackId = ScheduleContract.Tracks.ALL_TRACK_ID; mInfo.name = getString(R.string.all_tracks); mInfo.color = 0; mInfo.meta = ScheduleContract.Tracks.TRACK_META_NONE; mInfo.level = 1; mInfo.hashtag = ""; mCallbacks.onTrackInfoAvailable(mTrackId, mInfo); } else { getLoaderManager().initLoader(0, null, this); } } @Override public void onAttach(Activity activity) { super.onAttach(activity); if (!(activity instanceof Callbacks)) { throw new ClassCastException("Activity must implement fragment's callbacks."); } mCallbacks = (Callbacks) activity; if (mTrackId != null) { mHandler.post(new Runnable() { @Override public void run() { mCallbacks.onTrackInfoAvailable(mTrackId, mInfo); } }); } } @Override public void onDetach() { super.onDetach(); mCallbacks = sDummyCallbacks; } @Override public Loader<Cursor> onCreateLoader(int id, Bundle data) { return new CursorLoader(getActivity(), mTrackUri, TracksQuery.PROJECTION, null, null, null); } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) { try { if (!cursor.moveToFirst()) { return; } mTrackId = cursor.getString(TracksQuery.TRACK_ID); mInfo.name = cursor.getString(TracksQuery.TRACK_NAME); mInfo.color = cursor.getInt(TracksQuery.TRACK_COLOR); mInfo.trackAbstract = cursor.getString(TracksQuery.TRACK_ABSTRACT); mInfo.level = cursor.getInt(TracksQuery.TRACK_LEVEL); mInfo.meta = cursor.getInt(TracksQuery.TRACK_META); mInfo.hashtag = cursor.getString(TracksQuery.TRACK_HASHTAG); // Wrapping in a Handler.post allows users of this helper to commit fragment // transactions in the callback. new Handler().post(new Runnable() { @Override public void run() { mCallbacks.onTrackInfoAvailable(mTrackId, mInfo); } }); } finally { cursor.close(); } } @Override public void onLoaderReset(Loader<Cursor> loader) { } /** * {@link com.google.android.apps.iosched.provider.ScheduleContract.Tracks} query parameters. */ private interface TracksQuery { String[] PROJECTION = { ScheduleContract.Tracks.TRACK_ID, ScheduleContract.Tracks.TRACK_NAME, ScheduleContract.Tracks.TRACK_COLOR, ScheduleContract.Tracks.TRACK_ABSTRACT, ScheduleContract.Tracks.TRACK_LEVEL, ScheduleContract.Tracks.TRACK_META, ScheduleContract.Tracks.TRACK_HASHTAG, }; int TRACK_ID = 0; int TRACK_NAME = 1; int TRACK_COLOR = 2; int TRACK_ABSTRACT = 3; int TRACK_LEVEL = 4; int TRACK_META = 5; int TRACK_HASHTAG = 6; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import android.accounts.Account; import android.accounts.AccountManager; import android.app.Activity; import android.app.Dialog; import android.content.ContentResolver; import android.content.Context; import android.content.Intent; import android.content.IntentSender; import android.net.ConnectivityManager; import android.net.NetworkInfo; import android.os.Bundle; import android.os.Handler; import android.provider.Settings; import android.support.v4.app.Fragment; import android.support.v4.app.ListFragment; import android.support.v7.app.ActionBarActivity; import android.text.Html; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.ArrayAdapter; import android.widget.ListView; import android.widget.TextView; import android.widget.Toast; import com.google.analytics.tracking.android.EasyTracker; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.sync.SyncHelper; import com.google.android.apps.iosched.util.AccountUtils; import com.google.android.apps.iosched.util.PrefUtils; import com.google.android.apps.iosched.util.WiFiUtils; import com.google.android.gms.auth.GoogleAuthUtil; import com.google.android.gms.common.ConnectionResult; import com.google.android.gms.common.GooglePlayServicesClient; import com.google.android.gms.common.GooglePlayServicesUtil; import com.google.android.gms.common.SignInButton; import com.google.android.gms.plus.PlusClient; import com.google.android.gms.plus.model.people.Person; import java.util.Arrays; import java.util.List; import static com.google.android.apps.iosched.util.LogUtils.LOGE; import static com.google.android.apps.iosched.util.LogUtils.LOGW; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class AccountActivity extends ActionBarActivity implements AccountUtils.AuthenticateCallback, GooglePlayServicesClient.ConnectionCallbacks, GooglePlayServicesClient.OnConnectionFailedListener, PlusClient.OnPersonLoadedListener { private static final String TAG = makeLogTag(AccountActivity.class); public static final String EXTRA_FINISH_INTENT = "com.google.android.iosched.extra.FINISH_INTENT"; private static final int SETUP_ATTENDEE = 1; private static final int SETUP_WIFI = 2; private static final String KEY_CHOSEN_ACCOUNT = "chosen_account"; private static final int REQUEST_AUTHENTICATE = 100; private static final int REQUEST_RECOVER_FROM_AUTH_ERROR = 101; private static final int REQUEST_RECOVER_FROM_PLAY_SERVICES_ERROR = 102; private static final int REQUEST_PLAY_SERVICES_ERROR_DIALOG = 103; private static final String POST_AUTH_CATEGORY = "com.google.android.iosched.category.POST_AUTH"; private Account mChosenAccount; private Intent mFinishIntent; private boolean mCancelAuth = false; private boolean mAuthInProgress = false; private boolean mAuthProgressFragmentResumed = false; private boolean mCanRemoveAuthProgressFragment = false; private PlusClient mPlusClient; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_letterboxed_when_large); final Intent intent = getIntent(); if (intent.hasExtra(EXTRA_FINISH_INTENT)) { mFinishIntent = intent.getParcelableExtra(EXTRA_FINISH_INTENT); } if (savedInstanceState == null) { if (!AccountUtils.isAuthenticated(this)) { getSupportFragmentManager().beginTransaction() .add(R.id.root_container, new SignInMainFragment(), "signin_main") .commit(); } else { mChosenAccount = new Account(AccountUtils.getChosenAccountName(this), "com.google"); getSupportFragmentManager().beginTransaction() .add(R.id.root_container, SignInSetupFragment.makeFragment(SETUP_ATTENDEE), "setup_attendee") .commit(); } } else { String accountName = savedInstanceState.getString(KEY_CHOSEN_ACCOUNT); if (accountName != null) { mChosenAccount = new Account(accountName, "com.google"); mPlusClient = (new PlusClient.Builder(this, this, this)) .setAccountName(accountName) .setScopes(AccountUtils.AUTH_SCOPES) .build(); } } } @Override public void onRecoverableException(final int code) { runOnUiThread(new Runnable() { @Override public void run() { final Dialog d = GooglePlayServicesUtil.getErrorDialog( code, AccountActivity.this, REQUEST_RECOVER_FROM_PLAY_SERVICES_ERROR); d.show(); } }); } @Override public void onUnRecoverableException(final String errorMessage) { LOGW(TAG, "Encountered unrecoverable exception: " + errorMessage); } @Override protected void onSaveInstanceState(Bundle outState) { if (mChosenAccount != null) outState.putString(KEY_CHOSEN_ACCOUNT, mChosenAccount.name); super.onSaveInstanceState(outState); } @Override protected void onActivityResult(int requestCode, int resultCode, Intent data) { if (requestCode == REQUEST_AUTHENTICATE || requestCode == REQUEST_RECOVER_FROM_AUTH_ERROR || requestCode == REQUEST_PLAY_SERVICES_ERROR_DIALOG) { if (resultCode == RESULT_OK) { if (mPlusClient != null) mPlusClient.connect(); } else { if (mAuthProgressFragmentResumed) { runOnUiThread(new Runnable() { @Override public void run() { getSupportFragmentManager().popBackStack(); } }); } else { mCanRemoveAuthProgressFragment = true; } } } else { super.onActivityResult(requestCode, resultCode, data); } } @Override public void onStop() { super.onStop(); if (mAuthInProgress) mCancelAuth = true; if (mPlusClient != null) mPlusClient.disconnect(); } @Override public void onPersonLoaded(ConnectionResult connectionResult, Person person) { if (connectionResult.isSuccess()) { // Se the profile id if (person != null) { AccountUtils.setPlusProfileId(this, person.getId()); } } else { LOGE(TAG, "Got " + connectionResult.getErrorCode() + ". Could not load plus profile."); } } public static class SignInMainFragment extends Fragment { public SignInMainFragment() { } @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { ViewGroup rootView = (ViewGroup) inflater.inflate( R.layout.fragment_login_main, container, false); TextView descriptionTextView = (TextView) rootView.findViewById( R.id.sign_in_description); descriptionTextView.setText(Html.fromHtml(getString(R.string.description_sign_in_main))); SignInButton signinButtonView = (SignInButton) rootView.findViewById(R.id.sign_in_button); signinButtonView.setSize(SignInButton.SIZE_WIDE); signinButtonView.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View view) { getActivity().getSupportFragmentManager().beginTransaction() .replace(R.id.root_container, new ChooseAccountFragment(), "choose_account") .addToBackStack("signin_main") .commit(); } }); return rootView; } } public static class SignInSetupFragment extends ListFragment { private static final String ARG_SETUP_ID = "setupId"; private int mDescriptionHeaderResId = 0; private int mDescriptionBodyResId = 0; private int mSelectionResId = 0; private int mSetupId; private static final int ATCONF_DIMEN_INDEX = 1; public SignInSetupFragment() {} public static Fragment makeFragment(int setupId) { Bundle args = new Bundle(); args.putInt(ARG_SETUP_ID, setupId); SignInSetupFragment fragment = new SignInSetupFragment(); fragment.setArguments(args); return fragment; } @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setRetainInstance(true); mSetupId = getArguments().getInt(ARG_SETUP_ID); switch (mSetupId) { case SETUP_ATTENDEE: mDescriptionHeaderResId = R.string.description_setup_attendee_mode_header; mDescriptionBodyResId = R.string.description_setup_attendee_mode_body; mSelectionResId = R.array.selection_setup_attendee; break; case SETUP_WIFI: mDescriptionHeaderResId = R.string.description_setup_wifi_header; mDescriptionBodyResId = R.string.description_setup_wifi_body; mSelectionResId = R.array.selection_setup_wifi; break; default: throw new IllegalArgumentException("Undefined setup id."); } } @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { ViewGroup rootView = (ViewGroup) inflater.inflate( R.layout.fragment_login_setup, container, false); final TextView descriptionView = (TextView) rootView.findViewById( R.id.login_setup_desc); descriptionView.setText(Html.fromHtml(getString(mDescriptionHeaderResId) + getString(mDescriptionBodyResId))); return rootView; } @Override public void onResume() { super.onResume(); setListAdapter( new ArrayAdapter<String> (getActivity(), R.layout.list_item_login_option, getResources().getStringArray(mSelectionResId))); } @Override public void onListItemClick(ListView l, View v, int position, long id) { final Activity activity = getActivity(); if (mSetupId == SETUP_ATTENDEE) { if (position == 0) { // Attendee is at the conference. If WiFi AP isn't set already, go to // the WiFi set up screen. Otherwise, set up is done. PrefUtils.setAttendeeAtVenue(activity, true); PrefUtils.setUsingLocalTime(activity, false); // If WiFi has already been configured, set up is complete. Otherwise, // show the WiFi AP configuration screen. //if (WiFiUtils.shouldInstallWiFi(activity)) { if (WiFiUtils.shouldBypassWiFiSetup(activity)) { ((AccountActivity)activity).finishSetup(); } else { getFragmentManager().beginTransaction() .replace(R.id.root_container, SignInSetupFragment.makeFragment(SETUP_WIFI), "setup_wifi") .addToBackStack("setup_attendee") .commit(); } EasyTracker.getTracker() .setCustomDimension(ATCONF_DIMEN_INDEX,"conference attendee"); } else if (position == 1) { // Attendee is remote. Set up is done. PrefUtils.setAttendeeAtVenue(activity, false); PrefUtils.setUsingLocalTime(activity, true); EasyTracker.getTracker() .setCustomDimension(ATCONF_DIMEN_INDEX,"remote attendee"); ((AccountActivity)activity).finishSetup(); } } else if (mSetupId == SETUP_WIFI) { if (position == 0) { WiFiUtils.setWiFiConfigStatus(activity, WiFiUtils.WIFI_CONFIG_REQUESTED); } // Done with set up. ((AccountActivity)activity).finishSetup(); } } } public static class ChooseAccountFragment extends ListFragment { public ChooseAccountFragment() { } @Override public void onResume() { super.onResume(); reloadAccountList(); } @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { ViewGroup rootView = (ViewGroup) inflater.inflate( R.layout.fragment_login_choose_account, container, false); TextView descriptionView = (TextView) rootView.findViewById(R.id.choose_account_intro); descriptionView.setText(Html.fromHtml(getString(R.string.description_choose_account))); return rootView; } private AccountListAdapter mAccountListAdapter; private void reloadAccountList() { if (mAccountListAdapter != null) { mAccountListAdapter = null; } AccountManager am = AccountManager.get(getActivity()); Account[] accounts = am.getAccountsByType(GoogleAuthUtil.GOOGLE_ACCOUNT_TYPE); mAccountListAdapter = new AccountListAdapter(getActivity(), Arrays.asList(accounts)); setListAdapter(mAccountListAdapter); } private class AccountListAdapter extends ArrayAdapter<Account> { private static final int LAYOUT_RESOURCE = R.layout.list_item_login_option; public AccountListAdapter(Context context, List<Account> accounts) { super(context, LAYOUT_RESOURCE, accounts); } private class ViewHolder { TextView text1; } @Override public int getCount() { return super.getCount() + 1; } public View getView(int position, View convertView, ViewGroup parent) { ViewHolder holder; if (convertView == null) { convertView = getLayoutInflater(null).inflate(LAYOUT_RESOURCE, null); holder = new ViewHolder(); holder.text1 = (TextView) convertView.findViewById(android.R.id.text1); convertView.setTag(holder); } else { holder = (ViewHolder) convertView.getTag(); } if (position == getCount() - 1) { holder.text1.setText(R.string.description_add_account); } else { final Account account = getItem(position); if (account != null) { holder.text1.setText(account.name); } else { holder.text1.setText(""); } } return convertView; } } @Override public void onListItemClick(ListView l, View v, int position, long id) { if (position == mAccountListAdapter.getCount() - 1) { Intent addAccountIntent = new Intent(Settings.ACTION_ADD_ACCOUNT); addAccountIntent.putExtra(Settings.EXTRA_AUTHORITIES, new String[]{ScheduleContract.CONTENT_AUTHORITY}); startActivity(addAccountIntent); return; } AccountActivity activity = (AccountActivity) getActivity(); ConnectivityManager cm = (ConnectivityManager) activity.getSystemService(CONNECTIVITY_SERVICE); NetworkInfo activeNetwork = cm.getActiveNetworkInfo(); if (activeNetwork == null || !activeNetwork.isConnected()) { Toast.makeText(activity, R.string.no_connection_cant_login, Toast.LENGTH_SHORT).show(); return; } activity.mCancelAuth = false; activity.mChosenAccount = mAccountListAdapter.getItem(position); activity.getSupportFragmentManager().beginTransaction() .replace(R.id.root_container, new AuthProgressFragment(), "loading") .addToBackStack("choose_account") .commit(); PlusClient.Builder builder = new PlusClient.Builder(activity, activity, activity); activity.mPlusClient = builder .setScopes(AccountUtils.AUTH_SCOPES) .setAccountName(activity.mChosenAccount.name).build(); activity.mPlusClient.connect(); } } public static class AuthProgressFragment extends Fragment { private static final int TRY_AGAIN_DELAY_MILLIS = 7 * 1000; // 7 seconds private final Handler mHandler = new Handler(); public AuthProgressFragment() { } @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { ViewGroup rootView = (ViewGroup) inflater.inflate(R.layout.fragment_login_loading, container, false); final View takingAWhilePanel = rootView.findViewById(R.id.taking_a_while_panel); final View tryAgainButton = rootView.findViewById(R.id.retry_button); tryAgainButton.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View view) { getFragmentManager().popBackStack(); } }); mHandler.postDelayed(new Runnable() { @Override public void run() { if (!isAdded()) { return; } if (AccountUtils.isAuthenticated(getActivity())) { ((AccountActivity) getActivity()).onAuthTokenAvailable(); return; } takingAWhilePanel.setVisibility(View.VISIBLE); } }, TRY_AGAIN_DELAY_MILLIS); return rootView; } @Override public void onPause() { super.onPause(); ((AccountActivity) getActivity()).mAuthProgressFragmentResumed = false; } @Override public void onResume() { super.onResume(); ((AccountActivity) getActivity()).mAuthProgressFragmentResumed = true; if (((AccountActivity) getActivity()).mCanRemoveAuthProgressFragment) { ((AccountActivity) getActivity()).mCanRemoveAuthProgressFragment = false; getFragmentManager().popBackStack(); } } @Override public void onDetach() { super.onDetach(); ((AccountActivity) getActivity()).mCancelAuth = true; } } private void tryAuthenticate() { // Authenticate through the Google Play OAuth client. mAuthInProgress = true; AccountUtils.tryAuthenticate(this, this, mChosenAccount.name, REQUEST_RECOVER_FROM_AUTH_ERROR); } @Override public boolean shouldCancelAuthentication() { return mCancelAuth; } @Override public void onAuthTokenAvailable() { // Cancel progress fragment. // Create set up fragment. mAuthInProgress = false; if (mAuthProgressFragmentResumed) { getSupportFragmentManager().popBackStack(); getSupportFragmentManager().beginTransaction() .replace(R.id.root_container, SignInSetupFragment.makeFragment(SETUP_ATTENDEE), "setup_attendee") .addToBackStack("signin_main") .commit(); } } private void finishSetup() { ContentResolver.setIsSyncable(mChosenAccount, ScheduleContract.CONTENT_AUTHORITY, 1); ContentResolver.setSyncAutomatically(mChosenAccount, ScheduleContract.CONTENT_AUTHORITY, true); SyncHelper.requestManualSync(mChosenAccount); PrefUtils.markSetupDone(this); if (mFinishIntent != null) { // Ensure the finish intent is unique within the task. Otherwise, if the task was // started with this intent, and it finishes like it should, then startActivity on // the intent again won't work. mFinishIntent.addCategory(POST_AUTH_CATEGORY); startActivity(mFinishIntent); } finish(); } // Google Plus client callbacks. @Override public void onConnected(Bundle connectionHint) { // It is possible that the authenticated account doesn't have a profile. mPlusClient.loadPerson(this, "me"); tryAuthenticate(); } @Override public void onDisconnected() { } @Override public void onConnectionFailed(ConnectionResult connectionResult) { if (connectionResult.hasResolution()) { try { connectionResult.startResolutionForResult(this, REQUEST_RECOVER_FROM_AUTH_ERROR); } catch (IntentSender.SendIntentException e) { LOGE(TAG, "Internal error encountered: " + e.getMessage()); } return; } final int errorCode = connectionResult.getErrorCode(); if (GooglePlayServicesUtil.isUserRecoverableError(errorCode)) { GooglePlayServicesUtil.getErrorDialog(errorCode, this, REQUEST_PLAY_SERVICES_ERROR_DIALOG).show(); } } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import static com.google.android.apps.iosched.util.LogUtils.LOGD; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; import android.annotation.SuppressLint; import android.app.Activity; import android.app.PendingIntent; import android.content.*; import android.database.ContentObserver; import android.database.Cursor; import android.graphics.Bitmap; import android.graphics.Point; import android.location.Criteria; import android.location.Location; import android.location.LocationManager; import android.net.Uri; import android.os.Build; import android.os.Bundle; import android.os.Handler; import android.preference.PreferenceManager; import android.support.v4.app.LoaderManager; import android.support.v4.app.LoaderManager.LoaderCallbacks; import android.support.v4.content.CursorLoader; import android.support.v4.content.Loader; import android.text.format.DateUtils; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.view.ViewTreeObserver; import android.widget.Button; import android.widget.FrameLayout; import com.google.analytics.tracking.android.EasyTracker; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.util.MapUtils; import com.google.android.apps.iosched.util.ParserUtils; import com.google.android.apps.iosched.util.PrefUtils; import com.google.android.apps.iosched.util.UIUtils; import com.google.android.gms.maps.CameraUpdateFactory; import com.google.android.gms.maps.GoogleMap; import com.google.android.gms.maps.Projection; import com.google.android.gms.maps.SupportMapFragment; import com.google.android.gms.maps.model.BitmapDescriptor; import com.google.android.gms.maps.model.BitmapDescriptorFactory; import com.google.android.gms.maps.model.CameraPosition; 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.TileOverlay; import com.google.android.gms.maps.model.TileOverlayOptions; import com.google.android.gms.maps.model.TileProvider; import java.io.File; import java.io.IOException; import java.util.ArrayList; import java.util.Formatter; import java.util.HashMap; import java.util.Locale; /** * Shows a map of the conference venue. */ public class MapFragment extends SupportMapFragment implements GoogleMap.OnInfoWindowClickListener, GoogleMap.OnMarkerClickListener, GoogleMap.OnCameraChangeListener, LoaderCallbacks<Cursor> { private static final LatLng MOSCONE = new LatLng(37.78353872135503, -122.40336209535599); // Initial camera position private static final LatLng CAMERA_MOSCONE = new LatLng(37.783107, -122.403789 ); private static final float CAMERA_ZOOM = 17.75f; private static final int NUM_FLOORS = 3; // number of floors private static final int INITIAL_FLOOR = 1; /** * When specified, will automatically point the map to the requested room. */ public static final String EXTRA_ROOM = "com.google.android.iosched.extra.ROOM"; private static final String TAG = makeLogTag(MapFragment.class); // Marker types public static final String TYPE_SESSION = "session"; public static final String TYPE_LABEL = "label"; public static final String TYPE_SANDBOX = "sandbox"; public static final String TYPE_INACTIVE = "inactive"; // Tile Providers private TileProvider[] mTileProviders; private TileOverlay[] mTileOverlays; private Button[] mFloorButtons = new Button[NUM_FLOORS]; private View mFloorControls; // Markers stored by id private HashMap<String, MarkerModel> mMarkers = null; // Markers stored by floor private ArrayList<ArrayList<Marker>> mMarkersFloor = null; private boolean mOverlaysLoaded = false; private boolean mMarkersLoaded = false; private boolean mTracksLoaded = false; // Cached size of view private int mWidth, mHeight; // Padding for #centerMap private int mShiftRight = 0; private int mShiftTop = 0; // Screen DPI private float mDPI = 0; // currently displayed floor private int mFloor = -1; // Show markers at default zoom level private boolean mShowMarkers = true; // Cached tracks data private HashMap<String,TrackModel> mTracks = null; private GoogleMap mMap; private MapInfoWindowAdapter mInfoAdapter; private MyLocationManager mMyLocationManager = null; // Handler for info window queries private AsyncQueryHandler mQueryHandler; public interface Callbacks { public void onSessionRoomSelected(String roomId, String roomTitle); public void onSandboxRoomSelected(String trackId, String roomTitle); } private static Callbacks sDummyCallbacks = new Callbacks() { @Override public void onSessionRoomSelected(String roomId, String roomTitle) { } @Override public void onSandboxRoomSelected(String trackId, String roomTitle) { } }; private Callbacks mCallbacks = sDummyCallbacks; private String mHighlightedRoom = null; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); EasyTracker.getTracker().sendView("Map"); LOGD("Tracker", "Map"); clearMap(); // get DPI mDPI = getActivity().getResources().getDisplayMetrics().densityDpi / 160f; // setup the query handler to populate info windows mQueryHandler = createInfowindowHandler(getActivity().getContentResolver()); } @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { View mapView = super.onCreateView(inflater, container, savedInstanceState); View v = inflater.inflate(R.layout.fragment_map, container, false); FrameLayout layout = (FrameLayout) v.findViewById(R.id.map_container); layout.addView(mapView, 0); mFloorControls = layout.findViewById(R.id.map_floorcontrol); // setup floor button handlers mFloorButtons[0] = (Button) v.findViewById(R.id.map_floor1); mFloorButtons[1] = (Button) v.findViewById(R.id.map_floor2); mFloorButtons[2] = (Button) v.findViewById(R.id.map_floor3); for (int i = 0; i < mFloorButtons.length; i++) { final int j = i; mFloorButtons[i].setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { showFloor(j); } }); } // get the height and width of the view mapView.getViewTreeObserver().addOnGlobalLayoutListener( new ViewTreeObserver.OnGlobalLayoutListener() { @SuppressWarnings("deprecation") @SuppressLint("NewApi") @Override public void onGlobalLayout() { final View v = getView(); mHeight = v.getHeight(); mWidth = v.getWidth(); // also requires width and height enableFloors(); if (v.getViewTreeObserver().isAlive()) { // remove this layout listener if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.JELLY_BEAN) { v.getViewTreeObserver() .removeOnGlobalLayoutListener(this); } else { v.getViewTreeObserver() .removeGlobalOnLayoutListener(this); } } } }); if (mMap == null) { setupMap(true); } // load all markers LoaderManager lm = getActivity().getSupportLoaderManager(); lm.initLoader(MarkerQuery._TOKEN, null, this); // load the tile overlays lm.initLoader(OverlayQuery._TOKEN, null, this); // load tracks data lm.initLoader(TracksQuery._TOKEN, null, this); return v; } /** * Clears the map and initialises all map variables that hold markers and overlays. */ private void clearMap() { if (mMap != null) { mMap.clear(); } // setup tile provider arrays mTileProviders = new TileProvider[NUM_FLOORS]; mTileOverlays = new TileOverlay[NUM_FLOORS]; mMarkers = new HashMap<String, MarkerModel>(); mMarkersFloor = new ArrayList<ArrayList<Marker>>(); // initialise floor marker lists for (int i = 0; i < NUM_FLOORS; i++) { mMarkersFloor.add(i, new ArrayList<Marker>()); } } private void setupMap(boolean resetCamera) { mInfoAdapter = new MapInfoWindowAdapter(getLayoutInflater(null), getResources(), mMarkers); mMap = getMap(); mMap.setOnMarkerClickListener(this); mMap.setOnInfoWindowClickListener(this); mMap.setOnCameraChangeListener(this); mMap.setInfoWindowAdapter(mInfoAdapter); if (resetCamera) { mMap.moveCamera(CameraUpdateFactory.newCameraPosition(CameraPosition.fromLatLngZoom( CAMERA_MOSCONE, CAMERA_ZOOM))); } mMap.setIndoorEnabled(false); mMap.getUiSettings().setZoomControlsEnabled(false); if (MapUtils.getMyLocationEnabled(this.getActivity())) { mMyLocationManager = new MyLocationManager(); } Bundle data = getArguments(); if (data != null && data.containsKey(EXTRA_ROOM)) { mHighlightedRoom = data.getString(EXTRA_ROOM); } LOGD(TAG, "Map setup complete."); } @Override public void onAttach(Activity activity) { super.onAttach(activity); if (!(activity instanceof Callbacks)) { throw new ClassCastException( "Activity must implement fragment's callbacks."); } mCallbacks = (Callbacks) activity; activity.getContentResolver().registerContentObserver( ScheduleContract.MapMarkers.CONTENT_URI, true, mObserver); activity.getContentResolver().registerContentObserver( ScheduleContract.MapTiles.CONTENT_URI, true, mObserver); SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(activity); sp.registerOnSharedPreferenceChangeListener(mPrefChangeListener); } @Override public void onDetach() { super.onDetach(); mCallbacks = sDummyCallbacks; getActivity().getContentResolver().unregisterContentObserver(mObserver); SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(getActivity()); sp.unregisterOnSharedPreferenceChangeListener(mPrefChangeListener); } private void showFloor(int floor) { if (mFloor != floor) { if (mFloor >= 0) { // hide old overlay mTileOverlays[mFloor].setVisible(false); mFloorButtons[mFloor].setBackgroundResource(R.drawable.map_floor_button_background); mFloorButtons[mFloor].setTextColor(getResources().getColor( R.color.map_floorselect_inactive)); // hide all markers for (Marker m : mMarkersFloor.get(mFloor)) { m.setVisible(false); } } mFloor = floor; // show the floor overlay if (mTileOverlays[mFloor] != null) { mTileOverlays[mFloor].setVisible(true); } // show all markers for (Marker m : mMarkersFloor.get(mFloor)) { m.setVisible(mShowMarkers); } // mark button active mFloorButtons[mFloor] .setBackgroundResource(R.drawable.map_floor_button_active_background); mFloorButtons[mFloor].setTextColor(getResources().getColor( R.color.map_floorselect_active)); } } /** * Enable floor controls and display map features when all loaders have * finished. This ensures that only complete data for the correct floor is * shown. */ private void enableFloors() { if (mOverlaysLoaded && mMarkersLoaded && mTracksLoaded && mWidth > 0 && mHeight > 0) { mFloorControls.setVisibility(View.VISIBLE); // highlight a room if argument is set and exists, otherwise show the default floor if (mHighlightedRoom != null && mMarkers.containsKey(mHighlightedRoom)) { highlightRoom(mHighlightedRoom); mHighlightedRoom = null; } else { showFloor(INITIAL_FLOOR); mHighlightedRoom = null; } } } void addTileProvider(int floor, File f) { if (!f.exists()) { return; } TileProvider provider; try { provider = new SVGTileProvider(f, mDPI); } catch (IOException e) { LOGD(TAG, "Could not create Tile Provider."); e.printStackTrace(); return; } TileOverlayOptions tileOverlay = new TileOverlayOptions() .tileProvider(provider).visible(false); mTileProviders[floor] = provider; mTileOverlays[floor] = mMap.addTileOverlay(tileOverlay); } @Override public void onInfoWindowClick(Marker marker) { final String snippet = marker.getSnippet(); if (TYPE_SESSION.equals(snippet)) { final String roomId = marker.getTitle(); EasyTracker.getTracker().sendEvent( "Map", "infoclick", roomId, 0L); mCallbacks.onSessionRoomSelected(roomId, mMarkers.get(roomId).label); // ignore other markers } else if (TYPE_SANDBOX.equals(snippet)) { final String roomId = marker.getTitle(); MarkerModel model = mMarkers.get(roomId); EasyTracker.getTracker().sendEvent( "Map", "infoclick", roomId, 0L); mCallbacks.onSandboxRoomSelected(model.track, model.label); } } @Override public boolean onMarkerClick(Marker marker) { final String snippet = marker.getSnippet(); // get the room id String roomId = marker.getTitle(); if (TYPE_SESSION.equals(snippet)) { // ignore other markers - sandbox is just another session type EasyTracker.getTracker().sendEvent( "Map", "markerclick", roomId, 0L); final long time = UIUtils.getCurrentTime(getActivity()); Uri uri = ScheduleContract.Sessions.buildSessionsInRoomAfterUri(roomId, time); final String order = ScheduleContract.Sessions.BLOCK_START + " ASC"; mQueryHandler.startQuery(SessionAfterQuery._TOKEN, roomId, uri, SessionAfterQuery.PROJECTION, null, null, order); } else if (TYPE_SANDBOX.equals(snippet)) { // get the room id EasyTracker.getTracker().sendEvent( "Map", "markerclick", roomId, 0L); final long time = UIUtils.getCurrentTime(getActivity()); String selection = ScheduleContract.Sandbox.AT_TIME_IN_ROOM_SELECTION; Uri uri = ScheduleContract.Sandbox.CONTENT_URI; String[] selectionArgs = ScheduleContract.Sandbox.buildAtTimeInRoomSelectionArgs(time, roomId); final String order = ScheduleContract.Sandbox.COMPANY_NAME + " ASC"; mQueryHandler.startQuery(SandboxCompaniesAtQuery._TOKEN, roomId, uri, SandboxCompaniesAtQuery.PROJECTION, selection, selectionArgs, order); } // ignore other markers //centerMap(marker.getPosition()); return true; } private void centerMap(LatLng position) { // calculate the new center of the map, taking into account optional // padding Projection proj = mMap.getProjection(); Point p = proj.toScreenLocation(position); // apply padding p.x = (int) (p.x - Math.round(mWidth * 0.5)) + mShiftRight; p.y = (int) (p.y - Math.round(mHeight * 0.5)) + mShiftTop; mMap.animateCamera(CameraUpdateFactory.scrollBy(p.x, p.y)); } /** * Set the padding around centered markers. Specified in the percentage of * the screen space of the map. */ public void setCenterPadding(float xFraction, float yFraction) { int oldShiftRight = mShiftRight; int oldShiftTop = mShiftTop; mShiftRight = Math.round(xFraction * mWidth); mShiftTop = Math.round(yFraction * mWidth); // re-center the map, shift displayed map by x and y fraction if map is // ready if (mMap != null) { mMap.animateCamera(CameraUpdateFactory.scrollBy(mShiftRight - oldShiftRight, mShiftTop - oldShiftTop)); } } private void highlightRoom(String roomId) { MarkerModel m = mMarkers.get(roomId); if (m != null) { showFloor(m.floor); // explicitly show the marker before info window is shown. m.marker.setVisible(true); onMarkerClick(m.marker); centerMap(m.marker.getPosition()); } } /** * Create an {@link AsyncQueryHandler} for use with the * {@link MapInfoWindowAdapter}. */ private AsyncQueryHandler createInfowindowHandler(ContentResolver contentResolver) { return new AsyncQueryHandler(contentResolver) { StringBuilder mBuffer = new StringBuilder(); Formatter mFormatter = new Formatter(mBuffer, Locale.getDefault()); @Override protected void onQueryComplete(int token, Object cookie, Cursor cursor) { MarkerModel model = mMarkers.get(cookie); mInfoAdapter.clearData(); if (model == null || cursor == null) { // query did not complete or incorrect data was loaded return; } final long time = UIUtils.getCurrentTime(getActivity()); switch (token) { case SessionAfterQuery._TOKEN: { extractSession(cursor, model, time); } break; case SandboxCompaniesAtQuery._TOKEN: { extractSandbox(cursor, model, time); } } // update the displayed window model.marker.showInfoWindow(); } private void extractSandbox(Cursor cursor, MarkerModel model, long time) { // get tracks data from cache: icon and color TrackModel track = mTracks.get(model.track); int color = (track != null) ? track.color : 0 ; int iconResId = 0; if(track != null){ iconResId = getResources().getIdentifier( "track_" + ParserUtils.sanitizeId(track.name), "drawable", getActivity().getPackageName()); } if (cursor != null && cursor.getCount() > 0) { cursor.moveToFirst(); StringBuilder sb = new StringBuilder(); int count = 0; final int maxCompaniesDisplay = getResources().getInteger( R.integer.sandbox_company_list_max_display); while (!cursor.isAfterLast() && count < maxCompaniesDisplay) { if (sb.length() > 0) { sb.append(", "); } sb.append(cursor.getString(SandboxCompaniesAtQuery.COMPANY_NAME)); count++; cursor.moveToNext(); } if (count >= maxCompaniesDisplay && !cursor.isAfterLast()) { // Additional sandbox companies to display sb.append(", &hellip;"); } mInfoAdapter.setSandbox(model.marker, model.label, color, iconResId, sb.length() > 0 ? sb.toString() : null); }else{ // No active sandbox companies mInfoAdapter.setSandbox(model.marker, model.label, color, iconResId, null); } model.marker.showInfoWindow(); } private static final long SHOW_UPCOMING_TIME = 24 * 60 * 60 * 1000; // 24 hours private void extractSession(Cursor cursor, MarkerModel model, long time) { if (cursor != null && cursor.getCount() > 0) { cursor.moveToFirst(); String currentTitle = null; String nextTitle = null; String nextTime = null; final long blockStart = cursor.getLong(SessionAfterQuery.BLOCK_START); final long blockEnd = cursor.getLong(SessionAfterQuery.BLOCK_END); boolean inProgress = time >= blockStart && time <= blockEnd; if (inProgress) { // A session is running, display its name and optionally // the next session currentTitle = cursor.getString(SessionAfterQuery.SESSION_TITLE); //move to the next entry cursor.moveToNext(); } if (!cursor.isAfterLast()) { //There is a session coming up next, display only it if it's within 24 hours of the current time final long nextStart = cursor.getLong(SessionAfterQuery.BLOCK_START); if (nextStart < time + SHOW_UPCOMING_TIME ) { nextTitle = cursor.getString(SessionAfterQuery.SESSION_TITLE); mBuffer.setLength(0); boolean showWeekday = !DateUtils.isToday(blockStart) && !UIUtils.isSameDayDisplay(UIUtils.getCurrentTime(getActivity()), blockStart, getActivity()); nextTime = DateUtils.formatDateRange(getActivity(), mFormatter, blockStart, blockStart, DateUtils.FORMAT_SHOW_TIME | (showWeekday ? DateUtils.FORMAT_SHOW_WEEKDAY | DateUtils.FORMAT_ABBREV_WEEKDAY : 0), PrefUtils.getDisplayTimeZone(getActivity()).getID()).toString(); } } // populate the info window adapter mInfoAdapter.setSessionData(model.marker, model.label, currentTitle, nextTitle, nextTime, inProgress); } else { // No entries, display name of room only mInfoAdapter.setMarker(model.marker, model.label); } } }; } // Loaders private void onMarkerLoaderComplete(Cursor cursor) { if (cursor != null && cursor.getCount() > 0) { cursor.moveToFirst(); while (!cursor.isAfterLast()) { // get data String id = cursor.getString(MarkerQuery.MARKER_ID); int floor = cursor.getInt(MarkerQuery.MARKER_FLOOR); float lat = cursor.getFloat(MarkerQuery.MARKER_LATITUDE); float lon = cursor.getFloat(MarkerQuery.MARKER_LONGITUDE); String type = cursor.getString(MarkerQuery.MARKER_TYPE); String label = cursor.getString(MarkerQuery.MARKER_LABEL); String track = cursor.getString(MarkerQuery.MARKER_TRACK); BitmapDescriptor icon = null; if (TYPE_SESSION.equals(type)) { icon = BitmapDescriptorFactory.fromResource(R.drawable.marker_session); } else if (TYPE_SANDBOX.equals(type)) { icon = BitmapDescriptorFactory.fromResource(R.drawable.marker_sandbox); } else if (TYPE_LABEL.equals(type)) { Bitmap b = MapUtils.createTextLabel(label, mDPI); if (b != null) { icon = BitmapDescriptorFactory.fromBitmap(b); } } // add marker to map if (icon != null) { Marker m = mMap.addMarker( new MarkerOptions().position(new LatLng(lat, lon)).title(id) .snippet(type).icon(icon) .visible(false)); MarkerModel model = new MarkerModel(id, floor, type, label, track, m); mMarkersFloor.get(floor).add(m); mMarkers.put(id, model); } cursor.moveToNext(); } // no more markers to load mMarkersLoaded = true; enableFloors(); } } private void onTracksLoaderComplete(Cursor cursor){ if(cursor != null){ mTracks = new HashMap<String, TrackModel>(); cursor.moveToFirst(); while(!cursor.isAfterLast()){ final String name = cursor.getString(TracksQuery.TRACK_NAME); final String id = cursor.getString(TracksQuery.TRACK_ID); final int color = cursor.getInt(TracksQuery.TRACK_COLOR); mTracks.put(id,new TrackModel(id,name,color)); cursor.moveToNext(); } mTracksLoaded = true; enableFloors(); } } private void onOverlayLoaderComplete(Cursor cursor) { if (cursor != null && cursor.getCount() > 0) { cursor.moveToFirst(); while (!cursor.isAfterLast()) { final int floor = cursor.getInt(OverlayQuery.TILE_FLOOR); final String file = cursor.getString(OverlayQuery.TILE_FILE); File f = MapUtils.getTileFile(getActivity().getApplicationContext(), file); if (f != null) { addTileProvider(floor, f); } cursor.moveToNext(); } } mOverlaysLoaded = true; enableFloors(); } private interface MarkerQuery { int _TOKEN = 0x1; String[] PROJECTION = { ScheduleContract.MapMarkers.MARKER_ID, ScheduleContract.MapMarkers.MARKER_FLOOR, ScheduleContract.MapMarkers.MARKER_LATITUDE, ScheduleContract.MapMarkers.MARKER_LONGITUDE, ScheduleContract.MapMarkers.MARKER_TYPE, ScheduleContract.MapMarkers.MARKER_LABEL, ScheduleContract.MapMarkers.MARKER_TRACK }; int MARKER_ID = 0; int MARKER_FLOOR = 1; int MARKER_LATITUDE = 2; int MARKER_LONGITUDE = 3; int MARKER_TYPE = 4; int MARKER_LABEL = 5; int MARKER_TRACK = 6; } private interface OverlayQuery { int _TOKEN = 0x3; String[] PROJECTION = { ScheduleContract.MapTiles.TILE_FLOOR, ScheduleContract.MapTiles.TILE_FILE }; int TILE_FLOOR = 0; int TILE_FILE = 1; } private interface SessionAfterQuery { int _TOKEN = 0x5; String[] PROJECTION = { ScheduleContract.Sessions.SESSION_TITLE, ScheduleContract.Sessions.BLOCK_START, ScheduleContract.Sessions.BLOCK_END, ScheduleContract.Rooms.ROOM_NAME }; int SESSION_TITLE = 0; int BLOCK_START = 1; int BLOCK_END = 2; int ROOM_NAME = 3; } private interface SandboxCompaniesAtQuery { int _TOKEN = 0x4; String[] PROJECTION = { ScheduleContract.Sandbox.COMPANY_NAME }; int COMPANY_NAME = 0; } private interface TracksQuery { int _TOKEN = 0x6; String[] PROJECTION = { ScheduleContract.Tracks.TRACK_ID, ScheduleContract.Tracks.TRACK_NAME, ScheduleContract.Tracks.TRACK_COLOR }; int TRACK_ID = 0; int TRACK_NAME = 1; int TRACK_COLOR = 2; } @Override public Loader<Cursor> onCreateLoader(int id, Bundle data) { switch (id) { case MarkerQuery._TOKEN: { Uri uri = ScheduleContract.MapMarkers.buildMarkerUri(); return new CursorLoader(getActivity(), uri, MarkerQuery.PROJECTION, null, null, null); } case OverlayQuery._TOKEN: { Uri uri = ScheduleContract.MapTiles.buildUri(); return new CursorLoader(getActivity(), uri, OverlayQuery.PROJECTION, null, null, null); } case TracksQuery._TOKEN: { Uri uri = ScheduleContract.Tracks.CONTENT_URI; return new CursorLoader(getActivity(), uri, TracksQuery.PROJECTION, null, null, null); } } return null; } @Override public void onLoaderReset(Loader<Cursor> arg0) { } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) { if (getActivity() == null) { return; } switch (loader.getId()) { case MarkerQuery._TOKEN: onMarkerLoaderComplete(cursor); break; case OverlayQuery._TOKEN: onOverlayLoaderComplete(cursor); break; case TracksQuery._TOKEN: onTracksLoaderComplete(cursor); break; } } @Override public void onDestroy() { super.onDestroy(); if (mMyLocationManager != null) { mMyLocationManager.onDestroy(); } } @Override public void onCameraChange(CameraPosition cameraPosition) { // ensure markers have been loaded and are being displayed if (mFloor < 0) { return; } mShowMarkers = cameraPosition.zoom >= 17; for (Marker m : mMarkersFloor.get(mFloor)) { m.setVisible(mShowMarkers); } } private final SharedPreferences.OnSharedPreferenceChangeListener mPrefChangeListener = new SharedPreferences.OnSharedPreferenceChangeListener() { @Override public void onSharedPreferenceChanged(SharedPreferences sp, String key) { if(!isAdded()){ return; } boolean enableMyLocation = MapUtils.getMyLocationEnabled(MapFragment.this.getActivity()); //enable or disable location manager if (enableMyLocation && mMyLocationManager == null) { // enable location manager mMyLocationManager = new MyLocationManager(); } else if (!enableMyLocation && mMyLocationManager != null) { // disable location manager mMyLocationManager.onDestroy(); mMyLocationManager = null; } } }; private final ContentObserver mObserver = new ContentObserver(new Handler()) { @Override public void onChange(boolean selfChange) { if (!isAdded()) { return; } //clear map reload all data clearMap(); setupMap(false); // reload data from loaders LoaderManager lm = getActivity().getSupportLoaderManager(); mMarkersLoaded = false; mOverlaysLoaded = false; mTracksLoaded = false; Loader<Cursor> loader = lm.getLoader(MarkerQuery._TOKEN); if (loader != null) { loader.forceLoad(); } loader = lm.getLoader(OverlayQuery._TOKEN); if (loader != null) { loader.forceLoad(); } loader = lm.getLoader(TracksQuery._TOKEN); if (loader != null) { loader.forceLoad(); } } }; /** * Manages the display of the "My Location" layer. Ensures that the layer is * only visible when the user is within 200m of Moscone Center. */ private class MyLocationManager extends BroadcastReceiver { private static final String ACTION_PROXIMITY_ALERT = "com.google.android.apps.iosched.action.PROXIMITY_ALERT"; private static final float DISTANCE = 200; // 200 metres. private final IntentFilter mIntentFilter = new IntentFilter(ACTION_PROXIMITY_ALERT); private final LocationManager mLocationManager; public MyLocationManager() { mLocationManager = (LocationManager) getActivity().getSystemService( Context.LOCATION_SERVICE); Intent i = new Intent(); i.setAction(ACTION_PROXIMITY_ALERT); PendingIntent pendingIntent = PendingIntent.getBroadcast(getActivity() .getApplicationContext(), 0, i, 0); mLocationManager.addProximityAlert(MOSCONE.latitude, MOSCONE.longitude, DISTANCE, -1, pendingIntent); getActivity().registerReceiver(this, mIntentFilter); // The proximity alert is only fired if the user moves in/out of // range. Look at the current location to see if it is within range. checkCurrentLocation(); } @Override public void onReceive(Context context, Intent intent) { boolean inMoscone = intent.getBooleanExtra(LocationManager.KEY_PROXIMITY_ENTERING, false); mMap.setMyLocationEnabled(inMoscone); } public void checkCurrentLocation() { Criteria criteria = new Criteria(); String provider = mLocationManager.getBestProvider(criteria, false); Location lastKnownLocation = mLocationManager.getLastKnownLocation(provider); if (lastKnownLocation == null) { return; } Location moscone = new Location(lastKnownLocation.getProvider()); moscone.setLatitude(MOSCONE.latitude); moscone.setLongitude(MOSCONE.longitude); moscone.setAccuracy(1); if (moscone.distanceTo(lastKnownLocation) < DISTANCE) { mMap.setMyLocationEnabled(true); } } public void onDestroy() { getActivity().unregisterReceiver(this); } } /** * A structure to store information about a Marker. */ public static class MarkerModel { String id; int floor; String type; String label; String track = null; Marker marker; public MarkerModel(String id, int floor, String type, String label, String track, Marker marker) { this.id = id; this.floor = floor; this.type = type; this.label = label; this.marker = marker; this.track = track; } } public static class TrackModel { String id; String name; int color; public TrackModel(String id, String name, int color) { this.id = id; this.name = name; this.color = color; } } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import com.google.android.apps.iosched.R; import android.content.Intent; import android.os.Bundle; import android.support.v4.app.Fragment; /** * A {@link BaseActivity} that simply contains a single fragment. The intent used to invoke this * activity is forwarded to the fragment as arguments during fragment instantiation. Derived * activities should only need to implement {@link SimpleSinglePaneActivity#onCreatePane()}. */ public abstract class SimpleSinglePaneActivity extends BaseActivity { private Fragment mFragment; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(getContentViewResId()); if (getIntent().hasExtra(Intent.EXTRA_TITLE)) { setTitle(getIntent().getStringExtra(Intent.EXTRA_TITLE)); } final String customTitle = getIntent().getStringExtra(Intent.EXTRA_TITLE); setTitle(customTitle != null ? customTitle : getTitle()); if (savedInstanceState == null) { mFragment = onCreatePane(); mFragment.setArguments(intentToFragmentArguments(getIntent())); getSupportFragmentManager().beginTransaction() .add(R.id.root_container, mFragment, "single_pane") .commit(); } else { mFragment = getSupportFragmentManager().findFragmentByTag("single_pane"); } } protected int getContentViewResId() { return R.layout.activity_singlepane_empty; } /** * Called in <code>onCreate</code> when the fragment constituting this activity is needed. * The returned fragment's arguments will be set to the intent used to invoke this activity. */ protected abstract Fragment onCreatePane(); public Fragment getFragment() { return mFragment; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import android.app.Activity; import android.content.Context; import android.content.Intent; import android.database.ContentObserver; import android.database.Cursor; import android.database.DataSetObserver; import android.graphics.Color; import android.net.Uri; import android.os.Bundle; import android.os.Handler; import android.support.v4.app.ListFragment; import android.support.v4.app.LoaderManager; import android.support.v4.content.CursorLoader; import android.support.v4.content.Loader; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.ListView; import com.google.analytics.tracking.android.EasyTracker; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.ui.TracksAdapter.TracksQuery; import com.google.android.apps.iosched.ui.tablet.SessionsSandboxMultiPaneActivity; import com.google.android.apps.iosched.ui.tablet.TracksDropdownFragment; import com.google.android.apps.iosched.util.UIUtils; /** * A simple {@link ListFragment} that renders a list of tracks with available * sessions or sandbox companies (depending on {@link ExploreFragment#VIEW_TYPE}) using a * {@link TracksAdapter}. */ public class ExploreFragment extends ListFragment implements LoaderManager.LoaderCallbacks<Cursor> { private TracksAdapter mAdapter; private View mEmptyView; @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { ViewGroup rootView = (ViewGroup) inflater.inflate( R.layout.fragment_list_with_empty_container_inset, container, false); mEmptyView = rootView.findViewById(android.R.id.empty); inflater.inflate(R.layout.empty_waiting_for_sync, (ViewGroup) mEmptyView, true); return rootView; } @Override public void onViewCreated(final View view, Bundle savedInstanceState) { super.onViewCreated(view, savedInstanceState); view.setBackgroundColor(Color.WHITE); final ListView listView = getListView(); listView.setSelector(android.R.color.transparent); listView.setCacheColorHint(Color.WHITE); addMapHeaderView(); mAdapter = new TracksAdapter(getActivity(), false); setListAdapter(mAdapter); // Override default ListView empty-view handling listView.setEmptyView(null); mEmptyView.setVisibility(View.VISIBLE); mAdapter.registerDataSetObserver(new DataSetObserver() { @Override public void onChanged() { if (mAdapter.getCount() > 0) { mEmptyView.setVisibility(View.GONE); mAdapter.unregisterDataSetObserver(this); } } }); } private void addMapHeaderView() { ListView listView = getListView(); final Context context = listView.getContext(); View mapHeaderContainerView = LayoutInflater.from(context).inflate( R.layout.list_item_track_map, listView, false); View mapButton = mapHeaderContainerView.findViewById(R.id.map_button); mapButton.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View view) { // Launch map of conference venue EasyTracker.getTracker().sendEvent( "Explore Tab", "Click", "Map", 0L); startActivity(new Intent(context, UIUtils.getMapActivityClass(getActivity()))); } }); listView.addHeaderView(mapHeaderContainerView); listView.setHeaderDividersEnabled(false); } @Override public void onActivityCreated(Bundle savedInstanceState) { super.onActivityCreated(savedInstanceState); // As of support library r12, calling initLoader for a fragment in a FragmentPagerAdapter // in the fragment's onCreate may cause the same LoaderManager to be dealt to multiple // fragments because their mIndex is -1 (haven't been added to the activity yet). Thus, // we do this in onActivityCreated. getLoaderManager().initLoader(TracksQuery._TOKEN, null, this); } private final ContentObserver mObserver = new ContentObserver(new Handler()) { @Override public void onChange(boolean selfChange) { if (getActivity() == null) { return; } getLoaderManager().restartLoader(TracksQuery._TOKEN, null, ExploreFragment.this); } }; @Override public void onAttach(Activity activity) { super.onAttach(activity); activity.getContentResolver().registerContentObserver( ScheduleContract.Sessions.CONTENT_URI, true, mObserver); } @Override public void onDetach() { super.onDetach(); getActivity().getContentResolver().unregisterContentObserver(mObserver); } /** {@inheritDoc} */ @Override public void onListItemClick(ListView l, View v, int position, long id) { final Cursor cursor = (Cursor) mAdapter.getItem(position - 1); // - 1 to account for header String trackId = ScheduleContract.Tracks.ALL_TRACK_ID; int trackMeta = ScheduleContract.Tracks.TRACK_META_NONE; if (cursor != null) { trackId = cursor.getString(TracksAdapter.TracksQuery.TRACK_ID); trackMeta = cursor.getInt(TracksAdapter.TracksQuery.TRACK_META); } final Intent intent = new Intent(Intent.ACTION_VIEW); final Uri trackUri = ScheduleContract.Tracks.buildTrackUri(trackId); intent.setData(trackUri); if (trackMeta == ScheduleContract.Tracks.TRACK_META_SANDBOX_OFFICE_HOURS_ONLY) { intent.putExtra(SessionsSandboxMultiPaneActivity.EXTRA_DEFAULT_VIEW_TYPE, TracksDropdownFragment.VIEW_TYPE_SANDBOX); } else if (trackMeta == ScheduleContract.Tracks.TRACK_META_OFFICE_HOURS_ONLY) { intent.putExtra(SessionsSandboxMultiPaneActivity.EXTRA_DEFAULT_VIEW_TYPE, TracksDropdownFragment.VIEW_TYPE_OFFICE_HOURS); } startActivity(intent); } @Override public Loader<Cursor> onCreateLoader(int id, Bundle data) { Intent intent = BaseActivity.fragmentArgumentsToIntent(getArguments()); Uri tracksUri = intent.getData(); if (tracksUri == null) { tracksUri = ScheduleContract.Tracks.CONTENT_URI; } // Filter our tracks query to only include those with valid results String[] projection = TracksAdapter.TracksQuery.PROJECTION; String selection = null; return new CursorLoader(getActivity(), tracksUri, projection, selection, null, ScheduleContract.Tracks.DEFAULT_SORT); } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) { if (getActivity() == null) { return; } mAdapter.setHasAllItem(true); mAdapter.swapCursor(cursor); if (cursor.getCount() > 0) { mEmptyView.setVisibility(View.GONE); } } @Override public void onLoaderReset(Loader<Cursor> loader) { } }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import android.app.Activity; import android.content.Intent; import android.net.Uri; import android.nfc.NdefMessage; import android.nfc.NdefRecord; import android.nfc.NfcAdapter; import android.nfc.Tag; import android.nfc.tech.Ndef; import android.os.Bundle; import com.google.analytics.tracking.android.EasyTracker; import java.util.Arrays; import static com.google.android.apps.iosched.util.LogUtils.LOGI; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; public class NfcBadgeActivity extends Activity { private static final String TAG = makeLogTag(NfcBadgeActivity.class); private static final String ATTENDEE_URL_PREFIX = "\u0004plus.google.com/"; @Override public void onStart() { super.onStart(); EasyTracker.getInstance().activityStart(this); // Check for NFC data Intent i = getIntent(); if (NfcAdapter.ACTION_NDEF_DISCOVERED.equals(i.getAction())) { LOGI(TAG, "Badge detected"); EasyTracker.getTracker().sendEvent("NFC", "Read", "Badge", null); readTag((Tag) i.getParcelableExtra(NfcAdapter.EXTRA_TAG)); } finish(); } @Override public void onStop() { super.onStop(); EasyTracker.getInstance().activityStop(this); } @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); EasyTracker.getInstance().setContext(this); } private void readTag(Tag t) { byte[] id = t.getId(); // get NDEF tag details Ndef ndefTag = Ndef.get(t); // get NDEF message details NdefMessage ndefMesg = ndefTag.getCachedNdefMessage(); if (ndefMesg == null) { return; } NdefRecord[] ndefRecords = ndefMesg.getRecords(); if (ndefRecords == null) { return; } for (NdefRecord record : ndefRecords) { short tnf = record.getTnf(); String type = new String(record.getType()); if (tnf == NdefRecord.TNF_WELL_KNOWN && Arrays.equals(type.getBytes(), NdefRecord.RTD_URI)) { String url = new String(record.getPayload()); if (url.startsWith(ATTENDEE_URL_PREFIX)) { Intent i = new Intent(Intent.ACTION_VIEW); i.setData(Uri.parse("https://" + url.substring(1))); startActivity(i); return; } } } } }
Java
/* * Copyright 2013 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import com.google.android.apps.iosched.R; import android.content.Intent; import android.os.Bundle; import android.support.v4.app.Fragment; public class AnnouncementsActivity extends SimpleSinglePaneActivity { @Override protected Fragment onCreatePane() { setIntent(getIntent().putExtra(AnnouncementsFragment.EXTRA_ADD_VERTICAL_MARGINS, true)); return new AnnouncementsFragment(); } @Override protected int getContentViewResId() { return R.layout.activity_plus_stream; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import android.animation.Animator; import android.animation.AnimatorListenerAdapter; import android.animation.AnimatorSet; import android.animation.ObjectAnimator; import android.annotation.TargetApi; import android.content.ActivityNotFoundException; import android.content.Context; import android.content.Intent; import android.database.Cursor; import android.graphics.Rect; import android.graphics.RectF; import android.net.Uri; import android.os.Build; import android.os.Bundle; import android.os.Handler; import android.support.v4.app.Fragment; import android.support.v4.app.LoaderManager; import android.support.v4.content.CursorLoader; import android.support.v4.content.Loader; import android.text.TextUtils; import android.util.Pair; import android.view.*; import android.view.View.OnClickListener; import android.widget.FrameLayout; import android.widget.ImageView; import android.widget.LinearLayout; import android.widget.TextView; import com.google.analytics.tracking.android.EasyTracker; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.service.SessionAlarmService; import com.google.android.apps.iosched.ui.widget.ObservableScrollView; import com.google.android.apps.iosched.util.*; import com.google.android.gms.common.ConnectionResult; import com.google.android.gms.common.GooglePlayServicesClient; import com.google.android.gms.plus.PlusClient; import com.google.android.gms.plus.PlusOneButton; import java.util.ArrayList; import java.util.List; import static com.google.android.apps.iosched.util.LogUtils.LOGD; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * A fragment that shows detail information for a session, including session title, abstract, * time information, speaker photos and bios, etc. */ public class SessionDetailFragment extends Fragment implements LoaderManager.LoaderCallbacks<Cursor>, GooglePlayServicesClient.ConnectionCallbacks, GooglePlayServicesClient.OnConnectionFailedListener, ObservableScrollView.Callbacks { private static final String TAG = makeLogTag(SessionDetailFragment.class); // Set this boolean extra to true to show a variable height header public static final String EXTRA_VARIABLE_HEIGHT_HEADER = "com.google.android.iosched.extra.VARIABLE_HEIGHT_HEADER"; private Handler mHandler = new Handler(); private String mSessionId; private Uri mSessionUri; private long mSessionBlockStart; private long mSessionBlockEnd; private String mTitleString; private String mHashtags; private String mUrl; private String mRoomId; private boolean mStarred; private boolean mInitStarred; private MenuItem mStarMenuItem; private MenuItem mSocialStreamMenuItem; private MenuItem mShareMenuItem; private ViewGroup mRootView; private TextView mTitle; private TextView mSubtitle; private PlusClient mPlusClient; private PlusOneButton mPlusOneButton; private ObservableScrollView mScrollView; private CheckableLinearLayout mAddScheduleButton; private View mAddSchedulePlaceholderView; private TextView mAbstract; private TextView mRequirements; private boolean mSessionCursor = false; private boolean mSpeakersCursor = false; private boolean mHasSummaryContent = false; private boolean mVariableHeightHeader = false; private ImageLoader mImageLoader; private List<Runnable> mDeferredUiOperations = new ArrayList<Runnable>(); private StringBuilder mBuffer = new StringBuilder(); private Rect mBufferRect = new Rect(); @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); final String chosenAccountName = AccountUtils.getChosenAccountName(getActivity()); mPlusClient = new PlusClient.Builder(getActivity(), this, this) .clearScopes() .setAccountName(chosenAccountName) .build(); final Intent intent = BaseActivity.fragmentArgumentsToIntent(getArguments()); mSessionUri = intent.getData(); if (mSessionUri == null) { return; } mSessionId = ScheduleContract.Sessions.getSessionId(mSessionUri); mVariableHeightHeader = intent.getBooleanExtra(EXTRA_VARIABLE_HEIGHT_HEADER, false); LoaderManager manager = getLoaderManager(); manager.restartLoader(SessionsQuery._TOKEN, null, this); manager.restartLoader(SpeakersQuery._TOKEN, null, this); setHasOptionsMenu(true); } @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { mRootView = (ViewGroup) inflater.inflate(R.layout.fragment_session_detail, null); mTitle = (TextView) mRootView.findViewById(R.id.session_title); mSubtitle = (TextView) mRootView.findViewById(R.id.session_subtitle); // Larger target triggers plus one button mPlusOneButton = (PlusOneButton) mRootView.findViewById(R.id.plus_one_button); View headerView = mRootView.findViewById(R.id.header_session); FractionalTouchDelegate.setupDelegate(headerView, mPlusOneButton, new RectF(0.6f, 0f, 1f, 1.0f)); mAbstract = (TextView) mRootView.findViewById(R.id.session_abstract); mRequirements = (TextView) mRootView.findViewById(R.id.session_requirements); mAddScheduleButton = (CheckableLinearLayout) mRootView.findViewById(R.id.add_schedule_button); mAddScheduleButton.setOnClickListener(new OnClickListener() { @Override public void onClick(View view) { setSessionStarred(!mStarred, true); } }); mAddScheduleButton.setVisibility(View.GONE); if (mVariableHeightHeader) { ViewGroup.LayoutParams layoutParams = headerView.getLayoutParams(); layoutParams.height = ViewGroup.LayoutParams.WRAP_CONTENT; headerView.setLayoutParams(layoutParams); } setupCustomScrolling(mRootView); return mRootView; } @Override public void onActivityCreated(Bundle savedInstanceState) { super.onActivityCreated(savedInstanceState); if (getActivity() instanceof ImageLoader.ImageLoaderProvider) { mImageLoader = ((ImageLoader.ImageLoaderProvider) getActivity()).getImageLoaderInstance(); } } private void setupCustomScrolling(View rootView) { mAddSchedulePlaceholderView = rootView.findViewById( R.id.add_to_schedule_button_placeholder); if (mAddSchedulePlaceholderView == null) { mAddScheduleButton.setVisibility(View.VISIBLE); return; } mScrollView = (ObservableScrollView) rootView.findViewById(R.id.scroll_view); mScrollView.setCallbacks(this); ViewTreeObserver vto = mScrollView.getViewTreeObserver(); if (vto.isAlive()) { vto.addOnGlobalLayoutListener(mGlobalLayoutListener); } } @Override public void onDestroyView() { super.onDestroyView(); if (mScrollView == null) { return; } ViewTreeObserver vto = mScrollView.getViewTreeObserver(); if (vto.isAlive()) { vto.removeGlobalOnLayoutListener(mGlobalLayoutListener); } } private ViewTreeObserver.OnGlobalLayoutListener mGlobalLayoutListener = new ViewTreeObserver.OnGlobalLayoutListener() { @Override public void onGlobalLayout() { onScrollChanged(); mAddScheduleButton.setVisibility(View.VISIBLE); } }; @Override @TargetApi(Build.VERSION_CODES.ICE_CREAM_SANDWICH) public void onScrollChanged() { float newTop = Math.max(mAddSchedulePlaceholderView.getTop(), mScrollView.getScrollY()); FrameLayout.LayoutParams lp = (FrameLayout.LayoutParams) mAddScheduleButton.getLayoutParams(); if (UIUtils.hasICS()) { mAddScheduleButton.setTranslationY(newTop); } else { lp.gravity = Gravity.TOP | Gravity.START; // needed for earlier platform versions lp.topMargin = (int) newTop; mScrollView.requestLayout(); } mScrollView.getGlobalVisibleRect(mBufferRect); int parentLeft = mBufferRect.left; int parentRight = mBufferRect.right; if (mAddSchedulePlaceholderView.getGlobalVisibleRect(mBufferRect)) { lp.leftMargin = mBufferRect.left - parentLeft; lp.rightMargin = parentRight - mBufferRect.right; } mAddScheduleButton.setLayoutParams(lp); } @Override public void onResume() { super.onResume(); updatePlusOneButton(); } @Override public void onStart() { super.onStart(); mPlusClient.connect(); } @Override public void onStop() { super.onStop(); mPlusClient.disconnect(); if (mInitStarred != mStarred) { if (mStarred && UIUtils.getCurrentTime(getActivity()) < mSessionBlockStart) { setupNotification(); } } } @Override public void onConnected(Bundle connectionHint) { updatePlusOneButton(); } @Override public void onDisconnected() { } @Override public void onConnectionFailed(ConnectionResult connectionResult) { // Don't show an error just for the +1 button. Google Play services errors // should be caught at a higher level in the app } private void setupNotification() { // Schedule an alarm that fires a system notification when expires. final Context context = getActivity(); Intent scheduleIntent = new Intent( SessionAlarmService.ACTION_SCHEDULE_STARRED_BLOCK, null, context, SessionAlarmService.class); scheduleIntent.putExtra(SessionAlarmService.EXTRA_SESSION_START, mSessionBlockStart); scheduleIntent.putExtra(SessionAlarmService.EXTRA_SESSION_END, mSessionBlockEnd); context.startService(scheduleIntent); } /** * Handle {@link SessionsQuery} {@link Cursor}. */ private void onSessionQueryComplete(Cursor cursor) { mSessionCursor = true; if (!cursor.moveToFirst()) { if (isAdded()) { // TODO: Remove this in favor of a callbacks interface that the activity // can implement. getActivity().finish(); } return; } mTitleString = cursor.getString(SessionsQuery.TITLE); // Format time block this session occupies mSessionBlockStart = cursor.getLong(SessionsQuery.BLOCK_START); mSessionBlockEnd = cursor.getLong(SessionsQuery.BLOCK_END); String roomName = cursor.getString(SessionsQuery.ROOM_NAME); final String subtitle = UIUtils.formatSessionSubtitle( mTitleString, mSessionBlockStart, mSessionBlockEnd, roomName, mBuffer, getActivity()); mTitle.setText(mTitleString); mUrl = cursor.getString(SessionsQuery.URL); if (TextUtils.isEmpty(mUrl)) { mUrl = ""; } mHashtags = cursor.getString(SessionsQuery.HASHTAGS); if (!TextUtils.isEmpty(mHashtags)) { enableSocialStreamMenuItemDeferred(); } mRoomId = cursor.getString(SessionsQuery.ROOM_ID); setupShareMenuItemDeferred(); showStarredDeferred(mInitStarred = (cursor.getInt(SessionsQuery.STARRED) != 0), false); final String sessionAbstract = cursor.getString(SessionsQuery.ABSTRACT); if (!TextUtils.isEmpty(sessionAbstract)) { UIUtils.setTextMaybeHtml(mAbstract, sessionAbstract); mAbstract.setVisibility(View.VISIBLE); mHasSummaryContent = true; } else { mAbstract.setVisibility(View.GONE); } updatePlusOneButton(); final View requirementsBlock = mRootView.findViewById(R.id.session_requirements_block); final String sessionRequirements = cursor.getString(SessionsQuery.REQUIREMENTS); if (!TextUtils.isEmpty(sessionRequirements)) { UIUtils.setTextMaybeHtml(mRequirements, sessionRequirements); requirementsBlock.setVisibility(View.VISIBLE); mHasSummaryContent = true; } else { requirementsBlock.setVisibility(View.GONE); } // Show empty message when all data is loaded, and nothing to show if (mSpeakersCursor && !mHasSummaryContent) { mRootView.findViewById(android.R.id.empty).setVisibility(View.VISIBLE); } // Compile list of links (I/O live link, submit feedback, and normal links) ViewGroup linkContainer = (ViewGroup) mRootView.findViewById(R.id.links_container); linkContainer.removeAllViews(); final Context context = mRootView.getContext(); List<Pair<Integer, Intent>> links = new ArrayList<Pair<Integer, Intent>>(); final boolean hasLivestream = !TextUtils.isEmpty( cursor.getString(SessionsQuery.LIVESTREAM_URL)); long currentTimeMillis = UIUtils.getCurrentTime(context); if (UIUtils.hasHoneycomb() // Needs Honeycomb+ for the live stream && hasLivestream && currentTimeMillis > mSessionBlockStart && currentTimeMillis <= mSessionBlockEnd) { links.add(new Pair<Integer, Intent>( R.string.session_link_livestream, new Intent(Intent.ACTION_VIEW, mSessionUri) .setClass(context, SessionLivestreamActivity.class))); } // Add session feedback link links.add(new Pair<Integer, Intent>( R.string.session_feedback_submitlink, new Intent(Intent.ACTION_VIEW, mSessionUri, getActivity(), SessionFeedbackActivity.class) )); for (int i = 0; i < SessionsQuery.LINKS_INDICES.length; i++) { final String linkUrl = cursor.getString(SessionsQuery.LINKS_INDICES[i]); if (TextUtils.isEmpty(linkUrl)) { continue; } links.add(new Pair<Integer, Intent>( SessionsQuery.LINKS_TITLES[i], new Intent(Intent.ACTION_VIEW, Uri.parse(linkUrl)) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_WHEN_TASK_RESET) )); } // Render links if (links.size() > 0) { LayoutInflater inflater = LayoutInflater.from(context); int columns = context.getResources().getInteger(R.integer.links_columns); LinearLayout currentLinkRowView = null; for (int i = 0; i < links.size(); i++) { final Pair<Integer, Intent> link = links.get(i); // Create link view TextView linkView = (TextView) inflater.inflate(R.layout.list_item_session_link, linkContainer, false); linkView.setText(getString(link.first)); linkView.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View view) { fireLinkEvent(link.first); try { startActivity(link.second); } catch (ActivityNotFoundException ignored) { } } }); // Place it inside a container if (columns == 1) { linkContainer.addView(linkView); } else { // create a new link row if (i % columns == 0) { currentLinkRowView = (LinearLayout) inflater.inflate( R.layout.include_link_row, linkContainer, false); currentLinkRowView.setWeightSum(columns); linkContainer.addView(currentLinkRowView); } ((LinearLayout.LayoutParams) linkView.getLayoutParams()).width = 0; ((LinearLayout.LayoutParams) linkView.getLayoutParams()).weight = 1; currentLinkRowView.addView(linkView); } } mRootView.findViewById(R.id.session_links_header).setVisibility(View.VISIBLE); mRootView.findViewById(R.id.links_container).setVisibility(View.VISIBLE); } else { mRootView.findViewById(R.id.session_links_header).setVisibility(View.GONE); mRootView.findViewById(R.id.links_container).setVisibility(View.GONE); } // Show past/present/future and livestream status for this block. UIUtils.updateTimeAndLivestreamBlockUI(context, mSessionBlockStart, mSessionBlockEnd, hasLivestream, null, mSubtitle, subtitle); EasyTracker.getTracker().sendView("Session: " + mTitleString); LOGD("Tracker", "Session: " + mTitleString); } private void updatePlusOneButton() { if (mPlusOneButton == null) { return; } if (mPlusClient.isConnected() && !TextUtils.isEmpty(mUrl)) { mPlusOneButton.initialize(mPlusClient, mUrl, null); mPlusOneButton.setVisibility(View.VISIBLE); } else { mPlusOneButton.setVisibility(View.GONE); } } private void enableSocialStreamMenuItemDeferred() { mDeferredUiOperations.add(new Runnable() { @Override public void run() { mSocialStreamMenuItem.setVisible(true); } }); tryExecuteDeferredUiOperations(); } private void showStarredDeferred(final boolean starred, final boolean allowAnimate) { mDeferredUiOperations.add(new Runnable() { @Override public void run() { showStarred(starred, allowAnimate); } }); tryExecuteDeferredUiOperations(); } private void showStarred(boolean starred, boolean allowAnimate) { mStarMenuItem.setTitle(starred ? R.string.description_remove_schedule : R.string.description_add_schedule); mStarMenuItem.setIcon(starred ? R.drawable.ic_action_remove_schedule : R.drawable.ic_action_add_schedule); mStarred = starred; mAddScheduleButton.setChecked(mStarred); ImageView iconView = (ImageView) mAddScheduleButton.findViewById(R.id.add_schedule_icon); setOrAnimateIconTo(iconView, starred ? R.drawable.add_schedule_button_icon_checked : R.drawable.add_schedule_button_icon_unchecked, allowAnimate && starred); TextView textView = (TextView) mAddScheduleButton.findViewById(R.id.add_schedule_text); textView.setText(starred ? R.string.remove_from_schedule : R.string.add_to_schedule); mAddScheduleButton.setContentDescription(getString(starred ? R.string.remove_from_schedule_desc : R.string.add_to_schedule_desc)); } @TargetApi(Build.VERSION_CODES.ICE_CREAM_SANDWICH) private void setOrAnimateIconTo(final ImageView imageView, final int imageResId, boolean animate) { if (UIUtils.hasICS() && imageView.getTag() != null) { if (imageView.getTag() instanceof Animator) { Animator anim = (Animator) imageView.getTag(); anim.end(); imageView.setAlpha(1f); } } animate = animate && UIUtils.hasICS(); if (animate) { int duration = getResources().getInteger(android.R.integer.config_shortAnimTime); Animator outAnimator = ObjectAnimator.ofFloat(imageView, View.ALPHA, 0f); outAnimator.setDuration(duration / 2); outAnimator.addListener(new AnimatorListenerAdapter() { @Override public void onAnimationEnd(Animator animation) { imageView.setImageResource(imageResId); } }); AnimatorSet inAnimator = new AnimatorSet(); outAnimator.setDuration(duration); inAnimator.playTogether( ObjectAnimator.ofFloat(imageView, View.ALPHA, 1f), ObjectAnimator.ofFloat(imageView, View.SCALE_X, 0f, 1f), ObjectAnimator.ofFloat(imageView, View.SCALE_Y, 0f, 1f) ); AnimatorSet set = new AnimatorSet(); set.playSequentially(outAnimator, inAnimator); set.addListener(new AnimatorListenerAdapter() { @Override public void onAnimationEnd(Animator animation) { imageView.setTag(null); } }); imageView.setTag(set); set.start(); } else { mHandler.post(new Runnable() { @Override public void run() { imageView.setImageResource(imageResId); } }); } } private void setupShareMenuItemDeferred() { mDeferredUiOperations.add(new Runnable() { @Override public void run() { new SessionsHelper(getActivity()).tryConfigureShareMenuItem(mShareMenuItem, R.string.share_template, mTitleString, mHashtags, mUrl); } }); tryExecuteDeferredUiOperations(); } private void tryExecuteDeferredUiOperations() { if (mStarMenuItem != null && mSocialStreamMenuItem != null) { for (Runnable r : mDeferredUiOperations) { r.run(); } mDeferredUiOperations.clear(); } } private void onSpeakersQueryComplete(Cursor cursor) { mSpeakersCursor = true; final ViewGroup speakersGroup = (ViewGroup) mRootView.findViewById(R.id.session_speakers_block); // Remove all existing speakers (everything but first child, which is the header) for (int i = speakersGroup.getChildCount() - 1; i >= 1; i--) { speakersGroup.removeViewAt(i); } final LayoutInflater inflater = getActivity().getLayoutInflater(); boolean hasSpeakers = false; while (cursor.moveToNext()) { final String speakerName = cursor.getString(SpeakersQuery.SPEAKER_NAME); if (TextUtils.isEmpty(speakerName)) { continue; } final String speakerImageUrl = cursor.getString(SpeakersQuery.SPEAKER_IMAGE_URL); final String speakerCompany = cursor.getString(SpeakersQuery.SPEAKER_COMPANY); final String speakerUrl = cursor.getString(SpeakersQuery.SPEAKER_URL); final String speakerAbstract = cursor.getString(SpeakersQuery.SPEAKER_ABSTRACT); String speakerHeader = speakerName; if (!TextUtils.isEmpty(speakerCompany)) { speakerHeader += ", " + speakerCompany; } final View speakerView = inflater .inflate(R.layout.speaker_detail, speakersGroup, false); final TextView speakerHeaderView = (TextView) speakerView .findViewById(R.id.speaker_header); final ImageView speakerImageView = (ImageView) speakerView .findViewById(R.id.speaker_image); final TextView speakerAbstractView = (TextView) speakerView .findViewById(R.id.speaker_abstract); if (!TextUtils.isEmpty(speakerImageUrl) && mImageLoader != null) { mImageLoader.get(UIUtils.getConferenceImageUrl(speakerImageUrl), speakerImageView); } speakerHeaderView.setText(speakerHeader); speakerImageView.setContentDescription( getString(R.string.speaker_googleplus_profile, speakerHeader)); UIUtils.setTextMaybeHtml(speakerAbstractView, speakerAbstract); if (!TextUtils.isEmpty(speakerUrl)) { speakerImageView.setEnabled(true); speakerImageView.setOnClickListener(new OnClickListener() { @Override public void onClick(View view) { Intent speakerProfileIntent = new Intent(Intent.ACTION_VIEW, Uri.parse(speakerUrl)); speakerProfileIntent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_WHEN_TASK_RESET); UIUtils.preferPackageForIntent(getActivity(), speakerProfileIntent, UIUtils.GOOGLE_PLUS_PACKAGE_NAME); startActivity(speakerProfileIntent); } }); } else { speakerImageView.setEnabled(false); speakerImageView.setOnClickListener(null); } speakersGroup.addView(speakerView); hasSpeakers = true; mHasSummaryContent = true; } speakersGroup.setVisibility(hasSpeakers ? View.VISIBLE : View.GONE); // Show empty message when all data is loaded, and nothing to show if (mSessionCursor && !mHasSummaryContent) { mRootView.findViewById(android.R.id.empty).setVisibility(View.VISIBLE); } } @Override public void onCreateOptionsMenu(Menu menu, MenuInflater inflater) { inflater.inflate(R.menu.session_detail, menu); mStarMenuItem = menu.findItem(R.id.menu_star); mStarMenuItem.setVisible(false); // functionality taken care of by button mSocialStreamMenuItem = menu.findItem(R.id.menu_social_stream); mShareMenuItem = menu.findItem(R.id.menu_share); tryExecuteDeferredUiOperations(); } @Override public boolean onOptionsItemSelected(MenuItem item) { SessionsHelper helper = new SessionsHelper(getActivity()); switch (item.getItemId()) { case R.id.menu_map: EasyTracker.getTracker().sendEvent( "Session", "Map", mTitleString, 0L); LOGD("Tracker", "Map: " + mTitleString); helper.startMapActivity(mRoomId); return true; case R.id.menu_star: setSessionStarred(!mStarred, true); return true; case R.id.menu_share: // On ICS+ devices, we normally won't reach this as ShareActionProvider will handle // sharing. helper.shareSession(getActivity(), R.string.share_template, mTitleString, mHashtags, mUrl); return true; case R.id.menu_social_stream: EasyTracker.getTracker().sendEvent( "Session", "Stream", mTitleString, 0L); LOGD("Tracker", "Stream: " + mTitleString); helper.startSocialStream(mHashtags); return true; } return false; } @Override public void onPrepareOptionsMenu(Menu menu) { } @Override public void onDestroyOptionsMenu() { } /* * Event structure: * Category -> "Session Details" * Action -> Link Text * Label -> Session's Title * Value -> 0. */ void fireLinkEvent(int actionId) { EasyTracker.getTracker().sendEvent("Session", getString(actionId), mTitleString, 0L); LOGD("Tracker", getString(actionId) + ": " + mTitleString); } void setSessionStarred(boolean star, boolean allowAnimate) { SessionsHelper helper = new SessionsHelper(getActivity()); showStarred(star, allowAnimate); helper.setSessionStarred(mSessionUri, star, mTitleString); EasyTracker.getTracker().sendEvent( "Session", star ? "Starred" : "Unstarred", mTitleString, 0L); LOGD("Tracker", (star ? "Starred: " : "Unstarred: ") + mTitleString); } /** * {@link com.google.android.apps.iosched.provider.ScheduleContract.Sessions} query parameters. */ private interface SessionsQuery { int _TOKEN = 0x1; String[] PROJECTION = { ScheduleContract.Blocks.BLOCK_START, ScheduleContract.Blocks.BLOCK_END, ScheduleContract.Sessions.SESSION_LEVEL, ScheduleContract.Sessions.SESSION_TITLE, ScheduleContract.Sessions.SESSION_ABSTRACT, ScheduleContract.Sessions.SESSION_REQUIREMENTS, ScheduleContract.Sessions.SESSION_STARRED, ScheduleContract.Sessions.SESSION_HASHTAGS, ScheduleContract.Sessions.SESSION_URL, ScheduleContract.Sessions.SESSION_YOUTUBE_URL, ScheduleContract.Sessions.SESSION_PDF_URL, ScheduleContract.Sessions.SESSION_NOTES_URL, ScheduleContract.Sessions.SESSION_LIVESTREAM_URL, ScheduleContract.Sessions.SESSION_MODERATOR_URL, ScheduleContract.Sessions.ROOM_ID, ScheduleContract.Rooms.ROOM_NAME, }; int BLOCK_START = 0; int BLOCK_END = 1; int LEVEL = 2; int TITLE = 3; int ABSTRACT = 4; int REQUIREMENTS = 5; int STARRED = 6; int HASHTAGS = 7; int URL = 8; int YOUTUBE_URL = 9; int PDF_URL = 10; int NOTES_URL = 11; int LIVESTREAM_URL = 12; int MODERATOR_URL = 13; int ROOM_ID = 14; int ROOM_NAME = 15; int[] LINKS_INDICES = { URL, YOUTUBE_URL, MODERATOR_URL, PDF_URL, NOTES_URL, }; int[] LINKS_TITLES = { R.string.session_link_main, R.string.session_link_youtube, R.string.session_link_moderator, R.string.session_link_pdf, R.string.session_link_notes, }; } private interface SpeakersQuery { int _TOKEN = 0x3; String[] PROJECTION = { ScheduleContract.Speakers.SPEAKER_NAME, ScheduleContract.Speakers.SPEAKER_IMAGE_URL, ScheduleContract.Speakers.SPEAKER_COMPANY, ScheduleContract.Speakers.SPEAKER_ABSTRACT, ScheduleContract.Speakers.SPEAKER_URL, }; int SPEAKER_NAME = 0; int SPEAKER_IMAGE_URL = 1; int SPEAKER_COMPANY = 2; int SPEAKER_ABSTRACT = 3; int SPEAKER_URL = 4; } @Override public Loader<Cursor> onCreateLoader(int id, Bundle data) { CursorLoader loader = null; if (id == SessionsQuery._TOKEN){ loader = new CursorLoader(getActivity(), mSessionUri, SessionsQuery.PROJECTION, null, null, null); } else if (id == SpeakersQuery._TOKEN && mSessionUri != null){ Uri speakersUri = ScheduleContract.Sessions.buildSpeakersDirUri(mSessionId); loader = new CursorLoader(getActivity(), speakersUri, SpeakersQuery.PROJECTION, null, null, null); } return loader; } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) { if (!isAdded()) { return; } if (loader.getId() == SessionsQuery._TOKEN) { onSessionQueryComplete(cursor); } else if (loader.getId() == SpeakersQuery._TOKEN) { onSpeakersQueryComplete(cursor); } else { cursor.close(); } } @Override public void onLoaderReset(Loader<Cursor> loader) {} }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract.Announcements; import com.google.android.apps.iosched.util.TimeUtils; import com.google.android.apps.iosched.util.UIUtils; import android.content.ActivityNotFoundException; import android.content.Intent; import android.database.ContentObserver; import android.database.Cursor; import android.net.Uri; import android.os.Bundle; import android.os.Handler; import android.support.v4.app.Fragment; import android.support.v4.app.LoaderManager.LoaderCallbacks; import android.support.v4.content.CursorLoader; import android.support.v4.content.Loader; import android.text.format.DateUtils; import android.view.LayoutInflater; import android.view.View; import android.view.View.OnClickListener; import android.view.ViewGroup; import android.view.animation.Animation; import android.view.animation.TranslateAnimation; import android.widget.TextView; /** * A fragment used in {@link HomeActivity} that shows either a countdown, * Announcements, or 'thank you' text, at different times (before/during/after * the conference). */ public class WhatsOnFragment extends Fragment implements LoaderCallbacks<Cursor> { private static final int ANNOUNCEMENTS_LOADER_ID = 0; private static final int ANNOUNCEMENTS_CYCLE_INTERVAL_MILLIS = 6000; private Handler mHandler = new Handler(); private TextView mCountdownTextView; private ViewGroup mRootView; private View mAnnouncementView; private Cursor mAnnouncementsCursor; private String mLatestAnnouncementId; private LayoutInflater mInflater; @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { mInflater = inflater; mRootView = (ViewGroup) inflater.inflate(R.layout.fragment_whats_on, container); refresh(); return mRootView; } @Override public void onDetach() { super.onDetach(); mHandler.removeCallbacksAndMessages(null); getActivity().getContentResolver().unregisterContentObserver(mObserver); } private void refresh() { mHandler.removeCallbacksAndMessages(null); mRootView.removeAllViews(); final long currentTimeMillis = UIUtils.getCurrentTime(getActivity()); // Show Loading... and load the view corresponding to the current state if (currentTimeMillis < UIUtils.CONFERENCE_START_MILLIS) { setupBefore(); } else if (currentTimeMillis > UIUtils.CONFERENCE_END_MILLIS) { setupAfter(); } else { setupDuring(); } } private void setupBefore() { // Before conference, show countdown. mCountdownTextView = (TextView) mInflater .inflate(R.layout.whats_on_countdown, mRootView, false); mRootView.addView(mCountdownTextView); mHandler.post(mCountdownRunnable); } private void setupAfter() { // After conference, show canned text. mInflater.inflate(R.layout.whats_on_thank_you, mRootView, true); } private void setupDuring() { // Start background query to load announcements getLoaderManager().initLoader(ANNOUNCEMENTS_LOADER_ID, null, this); getActivity().getContentResolver().registerContentObserver( Announcements.CONTENT_URI, true, mObserver); } /** * Event that updates countdown timer. Posts itself again to * {@link #mHandler} to continue updating time. */ private Runnable mCountdownRunnable = new Runnable() { public void run() { int remainingSec = (int) Math.max(0, (UIUtils.CONFERENCE_START_MILLIS - UIUtils .getCurrentTime(getActivity())) / 1000); final boolean conferenceStarted = remainingSec == 0; if (conferenceStarted) { // Conference started while in countdown mode, switch modes and // bail on future countdown updates. mHandler.postDelayed(new Runnable() { public void run() { refresh(); } }, 100); return; } final int secs = remainingSec % 86400; final int days = remainingSec / 86400; final String str; if (days == 0) { str = getResources().getString( R.string.whats_on_countdown_title_0, DateUtils.formatElapsedTime(secs)); } else { str = getResources().getQuantityString( R.plurals.whats_on_countdown_title, days, days, DateUtils.formatElapsedTime(secs)); } mCountdownTextView.setText(str); // Repost ourselves to keep updating countdown mHandler.postDelayed(mCountdownRunnable, 1000); } }; @Override public Loader<Cursor> onCreateLoader(int id, Bundle args) { return new CursorLoader(getActivity(), Announcements.CONTENT_URI, AnnouncementsQuery.PROJECTION, null, null, Announcements.DEFAULT_SORT); } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) { if (getActivity() == null) { return; } if (cursor != null && cursor.getCount() > 0) { // Need to always set this because original gets unset in onLoaderReset mAnnouncementsCursor = cursor; cursor.moveToFirst(); // Only update announcements if there's a new one String latestAnnouncementId = cursor.getString(AnnouncementsQuery.ANNOUNCEMENT_ID); if (!latestAnnouncementId.equals(mLatestAnnouncementId)) { mHandler.removeCallbacks(mCycleAnnouncementsRunnable); mLatestAnnouncementId = latestAnnouncementId; showAnnouncements(); } } else { mHandler.removeCallbacks(mCycleAnnouncementsRunnable); showNoAnnouncements(); } } @Override public void onLoaderReset(Loader<Cursor> loader) { mAnnouncementsCursor = null; } /** * Show the the announcements */ private void showAnnouncements() { mAnnouncementsCursor.moveToFirst(); ViewGroup announcementsRootView = (ViewGroup) mInflater.inflate( R.layout.whats_on_announcements, mRootView, false); mAnnouncementView = announcementsRootView.findViewById(R.id.announcement_container); // Begin cycling in announcements mHandler.post(mCycleAnnouncementsRunnable); final View moreButton = announcementsRootView.findViewById(R.id.extra_button); moreButton.setOnClickListener(new OnClickListener() { @Override public void onClick(View view) { startActivity(new Intent(getActivity(), AnnouncementsActivity.class)); } }); mRootView.removeAllViews(); mRootView.addView(announcementsRootView); } private Runnable mCycleAnnouncementsRunnable = new Runnable() { @Override public void run() { // First animate the current announcement out final int animationDuration = getResources().getInteger(android.R.integer.config_shortAnimTime); final int height = mAnnouncementView.getHeight(); TranslateAnimation anim = new TranslateAnimation(0, 0, 0, height); anim.setDuration(animationDuration); anim.setAnimationListener(new Animation.AnimationListener() { @Override public void onAnimationEnd(Animation animation) { // Set the announcement data TextView titleView = (TextView) mAnnouncementView.findViewById( R.id.announcement_title); TextView agoView = (TextView) mAnnouncementView.findViewById( R.id.announcement_ago); titleView.setText(mAnnouncementsCursor.getString( AnnouncementsQuery.ANNOUNCEMENT_TITLE)); long date = mAnnouncementsCursor.getLong( AnnouncementsQuery.ANNOUNCEMENT_DATE); String when = TimeUtils.getTimeAgo(date, getActivity()); agoView.setText(when); final String url = mAnnouncementsCursor.getString( AnnouncementsQuery.ANNOUNCEMENT_URL); mAnnouncementView.setOnClickListener(new OnClickListener() { @Override public void onClick(View view) { Intent announcementIntent = new Intent(Intent.ACTION_VIEW, Uri.parse(url)); announcementIntent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_WHEN_TASK_RESET); UIUtils.preferPackageForIntent(getActivity(), announcementIntent, UIUtils.GOOGLE_PLUS_PACKAGE_NAME); try { startActivity(announcementIntent); } catch (ActivityNotFoundException ignored) { } } }); int nextPosition = (mAnnouncementsCursor.getPosition() + 1) % mAnnouncementsCursor.getCount(); mAnnouncementsCursor.moveToPosition(nextPosition); // Animate the announcement in TranslateAnimation anim = new TranslateAnimation(0, 0, height, 0); anim.setDuration(animationDuration); mAnnouncementView.startAnimation(anim); mHandler.postDelayed(mCycleAnnouncementsRunnable, ANNOUNCEMENTS_CYCLE_INTERVAL_MILLIS + animationDuration); } @Override public void onAnimationStart(Animation animation) { } @Override public void onAnimationRepeat(Animation animation) { } }); mAnnouncementView.startAnimation(anim); } }; /** * Show a placeholder message */ private void showNoAnnouncements() { mRootView.removeAllViews(); mInflater.inflate(R.layout.empty_announcements, mRootView, true); } private ContentObserver mObserver = new ContentObserver(new Handler()) { @Override public void onChange(boolean selfChange) { if (getActivity() == null) { return; } getLoaderManager().restartLoader(ANNOUNCEMENTS_LOADER_ID, null, WhatsOnFragment.this); } }; private interface AnnouncementsQuery { String[] PROJECTION = { Announcements.ANNOUNCEMENT_ID, Announcements.ANNOUNCEMENT_TITLE, Announcements.ANNOUNCEMENT_DATE, Announcements.ANNOUNCEMENT_URL, }; int ANNOUNCEMENT_ID = 0; int ANNOUNCEMENT_TITLE = 1; int ANNOUNCEMENT_DATE = 2; int ANNOUNCEMENT_URL = 3; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import android.app.Activity; import android.content.Context; import android.content.Intent; import android.database.Cursor; import android.graphics.Color; import android.net.Uri; import android.os.Bundle; import android.provider.BaseColumns; import android.support.v4.app.ListFragment; import android.support.v4.app.LoaderManager; import android.support.v4.content.CursorLoader; import android.support.v4.content.Loader; import android.support.v4.widget.CursorAdapter; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.ListView; import android.widget.TextView; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.util.UIUtils; import static com.google.android.apps.iosched.util.LogUtils.makeLogTag; /** * A {@link ListFragment} showing a list of sandbox comapnies. */ public class SandboxFragment extends ListFragment implements LoaderManager.LoaderCallbacks<Cursor> { private static final String TAG = makeLogTag(SandboxFragment.class); private static final String STATE_SELECTED_ID = "selectedId"; private Uri mSandboxUri; private CursorAdapter mAdapter; private String mSelectedCompanyId; public interface Callbacks { /** Return true to select (activate) the company in the list, false otherwise. */ public boolean onCompanySelected(String companyId); } private static Callbacks sDummyCallbacks = new Callbacks() { @Override public boolean onCompanySelected(String companyId) { return true; } }; private Callbacks mCallbacks = sDummyCallbacks; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); if (savedInstanceState != null) { mSelectedCompanyId = savedInstanceState.getString(STATE_SELECTED_ID); } } @Override public void onActivityCreated(Bundle savedInstanceState) { super.onActivityCreated(savedInstanceState); // As of support library r12, calling initLoader for a fragment in a FragmentPagerAdapter // in the fragment's onCreate may cause the same LoaderManager to be dealt to multiple // fragments because their mIndex is -1 (haven't been added to the activity yet). Thus, // we call reloadFromArguments (which calls restartLoader/initLoader) in onActivityCreated. reloadFromArguments(getArguments()); } @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { View rootView = inflater.inflate(R.layout.fragment_list_with_empty_container_inset, container, false); TextView emptyView = new TextView(getActivity(), null, R.attr.emptyText); emptyView.setText(R.string.empty_sandbox); ((ViewGroup) rootView.findViewById(android.R.id.empty)).addView(emptyView); return rootView; } void reloadFromArguments(Bundle arguments) { // Teardown from previous arguments setListAdapter(null); // Load new arguments final Intent intent = BaseActivity.fragmentArgumentsToIntent(arguments); mSandboxUri = intent.getData(); if (mSandboxUri == null) { mSandboxUri = ScheduleContract.Sandbox.CONTENT_URI; } final int sandboxQueryToken; mAdapter = new SandboxAdapter(getActivity()); sandboxQueryToken = SandboxQuery._TOKEN; setListAdapter(mAdapter); // Start background query to load sandbox getLoaderManager().initLoader(sandboxQueryToken, null, this); } public void setSelectedCompanyId(String id) { mSelectedCompanyId = id; if (mAdapter != null) { mAdapter.notifyDataSetChanged(); } } @Override public void onViewCreated(View view, Bundle savedInstanceState) { super.onViewCreated(view, savedInstanceState); view.setBackgroundColor(Color.WHITE); final ListView listView = getListView(); listView.setSelector(android.R.color.transparent); listView.setCacheColorHint(Color.WHITE); } @Override public void onAttach(Activity activity) { super.onAttach(activity); if (!(activity instanceof Callbacks)) { throw new ClassCastException("Activity must implement fragment's callbacks."); } mCallbacks = (Callbacks) activity; } @Override public void onDetach() { super.onDetach(); mCallbacks = sDummyCallbacks; } @Override public void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); if (mSelectedCompanyId != null) { outState.putString(STATE_SELECTED_ID, mSelectedCompanyId); } } /** {@inheritDoc} */ @Override public void onListItemClick(ListView l, View v, int position, long id) { final Cursor cursor = (Cursor) mAdapter.getItem(position); String companyId = cursor.getString(SandboxQuery.COMPANY_ID); if (mCallbacks.onCompanySelected(companyId)) { mSelectedCompanyId = companyId; mAdapter.notifyDataSetChanged(); } } /** * {@link CursorAdapter} that renders a {@link com.google.android.apps.iosched.ui.SandboxFragment.SandboxQuery}. */ private class SandboxAdapter extends CursorAdapter { public SandboxAdapter(Context context) { super(context, null, 0); } /** {@inheritDoc} */ @Override public View newView(Context context, Cursor cursor, ViewGroup parent) { return getActivity().getLayoutInflater().inflate(R.layout.list_item_sandbox, parent, false); } /** {@inheritDoc} */ @Override public void bindView(View view, Context context, Cursor cursor) { UIUtils.setActivatedCompat(view, cursor.getString(SandboxQuery.COMPANY_ID) .equals(mSelectedCompanyId)); ((TextView) view.findViewById(R.id.company_name)).setText( cursor.getString(SandboxQuery.NAME)); } } /** * {@link com.google.android.apps.iosched.provider.ScheduleContract.Sandbox} * query parameters. */ private interface SandboxQuery { int _TOKEN = 0x1; String[] PROJECTION = { BaseColumns._ID, ScheduleContract.Sandbox.COMPANY_ID, ScheduleContract.Sandbox.COMPANY_NAME, }; int _ID = 0; int COMPANY_ID = 1; int NAME = 2; } @Override public Loader<Cursor> onCreateLoader(int id, Bundle data) { return new CursorLoader(getActivity(), mSandboxUri, SandboxQuery.PROJECTION, null, null, ScheduleContract.Sandbox.DEFAULT_SORT); } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) { if (getActivity() == null) { return; } int token = loader.getId(); if (token == SandboxQuery._TOKEN) { mAdapter.changeCursor(cursor); } else { cursor.close(); } } @Override public void onLoaderReset(Loader<Cursor> cursor) { } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui; import android.accounts.Account; import android.annotation.TargetApi; import android.app.SearchManager; import android.content.ContentResolver; import android.content.Intent; import android.content.SyncStatusObserver; import android.os.AsyncTask; import android.os.Build; import android.os.Bundle; import android.support.v4.app.Fragment; import android.support.v4.app.FragmentManager; import android.support.v4.app.FragmentPagerAdapter; import android.support.v4.app.FragmentTransaction; import android.support.v4.view.MenuItemCompat; import android.support.v4.view.ViewPager; import android.support.v7.app.ActionBar; import android.text.TextUtils; import android.view.Menu; import android.view.MenuItem; import android.widget.SearchView; import com.google.analytics.tracking.android.EasyTracker; import com.google.android.apps.iosched.Config; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.gcm.ServerUtilities; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.sync.SyncHelper; import com.google.android.apps.iosched.util.*; import com.google.android.gcm.GCMRegistrar; import com.google.android.gms.auth.GoogleAuthUtil; import static com.google.android.apps.iosched.util.LogUtils.*; public class HomeActivity extends BaseActivity implements ActionBar.TabListener, ViewPager.OnPageChangeListener { private static final String TAG = makeLogTag(HomeActivity.class); public static final String EXTRA_DEFAULT_TAB = "com.google.android.apps.iosched.extra.DEFAULT_TAB"; public static final String TAB_EXPLORE = "explore"; private Object mSyncObserverHandle; private SocialStreamFragment mSocialStreamFragment; private ViewPager mViewPager; private Menu mOptionsMenu; private AsyncTask<Void, Void, Void> mGCMRegisterTask; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); if (isFinishing()) { return; } UIUtils.enableDisableActivitiesByFormFactor(this); setContentView(R.layout.activity_home); FragmentManager fm = getSupportFragmentManager(); mViewPager = (ViewPager) findViewById(R.id.pager); String homeScreenLabel; if (mViewPager != null) { // Phone setup mViewPager.setAdapter(new HomePagerAdapter(getSupportFragmentManager())); mViewPager.setOnPageChangeListener(this); mViewPager.setPageMarginDrawable(R.drawable.grey_border_inset_lr); mViewPager.setPageMargin(getResources() .getDimensionPixelSize(R.dimen.page_margin_width)); final ActionBar actionBar = getSupportActionBar(); actionBar.setNavigationMode(ActionBar.NAVIGATION_MODE_TABS); actionBar.addTab(actionBar.newTab() .setText(R.string.title_my_schedule) .setTabListener(this)); actionBar.addTab(actionBar.newTab() .setText(R.string.title_explore) .setTabListener(this)); actionBar.addTab(actionBar.newTab() .setText(R.string.title_stream) .setTabListener(this)); setHasTabs(); if (getIntent() != null && TAB_EXPLORE.equals(getIntent().getStringExtra(EXTRA_DEFAULT_TAB)) && savedInstanceState == null) { mViewPager.setCurrentItem(1); } homeScreenLabel = getString(R.string.title_my_schedule); } else { mSocialStreamFragment = (SocialStreamFragment) fm.findFragmentById(R.id.fragment_stream); homeScreenLabel = "Home"; } getSupportActionBar().setHomeButtonEnabled(false); EasyTracker.getTracker().sendView(homeScreenLabel); LOGD("Tracker", homeScreenLabel); // Sync data on load if (savedInstanceState == null) { registerGCMClient(); } } private void registerGCMClient() { GCMRegistrar.checkDevice(this); GCMRegistrar.checkManifest(this); final String regId = GCMRegistrar.getRegistrationId(this); if (TextUtils.isEmpty(regId)) { // Automatically registers application on startup. GCMRegistrar.register(this, Config.GCM_SENDER_ID); } else { // Device is already registered on GCM, needs to check if it is // registered on our server as well. if (ServerUtilities.isRegisteredOnServer(this)) { // Skips registration. LOGI(TAG, "Already registered on the C2DM server"); } else { // Try to register again, but not in the UI thread. // It's also necessary to cancel the thread onDestroy(), // hence the use of AsyncTask instead of a raw thread. mGCMRegisterTask = new AsyncTask<Void, Void, Void>() { @Override protected Void doInBackground(Void... params) { boolean registered = ServerUtilities.register(HomeActivity.this, regId); // At this point all attempts to register with the app // server failed, so we need to unregister the device // from GCM - the app will try to register again when // it is restarted. Note that GCM will send an // unregistered callback upon completion, but // GCMIntentService.onUnregistered() will ignore it. if (!registered) { GCMRegistrar.unregister(HomeActivity.this); } return null; } @Override protected void onPostExecute(Void result) { mGCMRegisterTask = null; } }; mGCMRegisterTask.execute(null, null, null); } } } @Override protected void onDestroy() { super.onDestroy(); if (mGCMRegisterTask != null) { mGCMRegisterTask.cancel(true); } try { GCMRegistrar.onDestroy(this); } catch (Exception e) { LOGW(TAG, "C2DM unregistration error", e); } } @Override public void onTabSelected(ActionBar.Tab tab, FragmentTransaction fragmentTransaction) { mViewPager.setCurrentItem(tab.getPosition()); } @Override public void onTabUnselected(ActionBar.Tab tab, FragmentTransaction fragmentTransaction) { } @Override public void onTabReselected(ActionBar.Tab tab, FragmentTransaction fragmentTransaction) { } @Override public void onPageScrolled(int i, float v, int i1) { } @Override public void onPageSelected(int position) { getSupportActionBar().setSelectedNavigationItem(position); int titleId = -1; switch (position) { case 0: titleId = R.string.title_my_schedule; break; case 1: titleId = R.string.title_explore; break; case 2: titleId = R.string.title_stream; break; } String title = getString(titleId); EasyTracker.getTracker().sendView(title); LOGD("Tracker", title); } @Override public void onPageScrollStateChanged(int i) { } @Override protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); // Since the pager fragments don't have known tags or IDs, the only way to persist the // reference is to use putFragment/getFragment. Remember, we're not persisting the exact // Fragment instance. This mechanism simply gives us a way to persist access to the // 'current' fragment instance for the given fragment (which changes across orientation // changes). // // The outcome of all this is that the "Refresh" menu button refreshes the stream across // orientation changes. if (mSocialStreamFragment != null) { getSupportFragmentManager().putFragment(outState, "stream_fragment", mSocialStreamFragment); } } @Override protected void onRestoreInstanceState(Bundle savedInstanceState) { super.onRestoreInstanceState(savedInstanceState); if (mSocialStreamFragment == null) { mSocialStreamFragment = (SocialStreamFragment) getSupportFragmentManager() .getFragment(savedInstanceState, "stream_fragment"); } } private class HomePagerAdapter extends FragmentPagerAdapter { public HomePagerAdapter(FragmentManager fm) { super(fm); } @Override public Fragment getItem(int position) { switch (position) { case 0: return new ScheduleFragment(); case 1: return new ExploreFragment(); case 2: return (mSocialStreamFragment = new SocialStreamFragment()); } return null; } @Override public int getCount() { return 3; } } @TargetApi(Build.VERSION_CODES.HONEYCOMB) @Override public boolean onCreateOptionsMenu(Menu menu) { super.onCreateOptionsMenu(menu); mOptionsMenu = menu; getMenuInflater().inflate(R.menu.home, menu); MenuItem searchItem = menu.findItem(R.id.menu_search); if (searchItem != null && UIUtils.hasHoneycomb()) { SearchView searchView = (SearchView) searchItem.getActionView(); if (searchView != null) { SearchManager searchManager = (SearchManager) getSystemService(SEARCH_SERVICE); searchView.setSearchableInfo(searchManager.getSearchableInfo(getComponentName())); searchView.setQueryRefinementEnabled(true); } } MenuItem wifiItem = menu.findItem(R.id.menu_wifi); if (!PrefUtils.isAttendeeAtVenue(this) || (WiFiUtils.isWiFiEnabled(this) && WiFiUtils.isWiFiApConfigured(this))) { wifiItem.setVisible(false); } return true; } @Override public boolean onOptionsItemSelected(MenuItem item) { switch (item.getItemId()) { case R.id.menu_refresh: triggerRefresh(); return true; case R.id.menu_search: if (!UIUtils.hasHoneycomb()) { startSearch(null, false, Bundle.EMPTY, false); return true; } break; case R.id.menu_about: HelpUtils.showAbout(this); return true; case R.id.menu_wifi: WiFiUtils.showWiFiDialog(this); return true; case R.id.menu_settings: startActivity(new Intent(this, SettingsActivity.class)); return true; case R.id.menu_sign_out: AccountUtils.signOut(this); finish(); return true; } return super.onOptionsItemSelected(item); } private void triggerRefresh() { SyncHelper.requestManualSync(AccountUtils.getChosenAccount(this)); if (mSocialStreamFragment != null) { mSocialStreamFragment.refresh(); } } @Override protected void onPause() { super.onPause(); if (mSyncObserverHandle != null) { ContentResolver.removeStatusChangeListener(mSyncObserverHandle); mSyncObserverHandle = null; } } @Override protected void onResume() { super.onResume(); mSyncStatusObserver.onStatusChanged(0); // Watch for sync state changes final int mask = ContentResolver.SYNC_OBSERVER_TYPE_PENDING | ContentResolver.SYNC_OBSERVER_TYPE_ACTIVE; mSyncObserverHandle = ContentResolver.addStatusChangeListener(mask, mSyncStatusObserver); // Set up conference WiFi AP if requested by user. WiFiUtils.installWiFiIfRequested(this); // Refresh options menu. Menu item visibility could be altered by user preferences. supportInvalidateOptionsMenu(); } void setRefreshActionButtonState(boolean refreshing) { if (mOptionsMenu == null) { return; } final MenuItem refreshItem = mOptionsMenu.findItem(R.id.menu_refresh); if (refreshItem != null) { if (refreshing) { MenuItemCompat.setActionView(refreshItem, R.layout.actionbar_indeterminate_progress); } else { MenuItemCompat.setActionView(refreshItem, null); } } } private SyncStatusObserver mSyncStatusObserver = new SyncStatusObserver() { @Override public void onStatusChanged(int which) { runOnUiThread(new Runnable() { @Override public void run() { String accountName = AccountUtils.getChosenAccountName(HomeActivity.this); if (TextUtils.isEmpty(accountName)) { setRefreshActionButtonState(false); return; } Account account = new Account(accountName, GoogleAuthUtil.GOOGLE_ACCOUNT_TYPE); boolean syncActive = ContentResolver.isSyncActive( account, ScheduleContract.CONTENT_AUTHORITY); boolean syncPending = ContentResolver.isSyncPending( account, ScheduleContract.CONTENT_AUTHORITY); setRefreshActionButtonState(syncActive || syncPending); } }); } }; }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui.tablet; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.ui.TracksAdapter; import com.google.android.apps.iosched.util.ParserUtils; import android.annotation.TargetApi; import android.app.Activity; import android.content.res.Resources; import android.database.Cursor; import android.graphics.Bitmap; import android.graphics.Canvas; import android.graphics.drawable.BitmapDrawable; import android.os.Build; import android.os.Bundle; import android.os.Handler; import android.support.v4.app.Fragment; import android.support.v4.app.LoaderManager; import android.support.v4.content.CursorLoader; import android.support.v4.content.Loader; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.AdapterView; import android.widget.ImageView; import android.widget.ListPopupWindow; import android.widget.PopupWindow; import android.widget.TextView; /** * A tablet-specific fragment that is a giant {@link android.widget.Spinner} * -like widget. It shows a {@link ListPopupWindow} containing a list of tracks, * using {@link TracksAdapter}. Requires API level 11 or later since * {@link ListPopupWindow} is API level 11+. */ @TargetApi(Build.VERSION_CODES.HONEYCOMB) public class TracksDropdownFragment extends Fragment implements LoaderManager.LoaderCallbacks<Cursor>, AdapterView.OnItemClickListener, PopupWindow.OnDismissListener { public static final int VIEW_TYPE_SESSIONS = 0; public static final int VIEW_TYPE_OFFICE_HOURS = 1; public static final int VIEW_TYPE_SANDBOX = 2; private static final String STATE_VIEW_TYPE = "viewType"; private static final String STATE_SELECTED_TRACK_ID = "selectedTrackId"; private TracksAdapter mAdapter; private int mViewType; private Handler mHandler = new Handler(); private ListPopupWindow mListPopupWindow; private ViewGroup mRootView; private ImageView mIcon; private TextView mTitle; private TextView mAbstract; private String mTrackId; public interface Callbacks { public void onTrackSelected(String trackId); public void onTrackNameAvailable(String trackId, String trackName); } private static Callbacks sDummyCallbacks = new Callbacks() { @Override public void onTrackSelected(String trackId) { } @Override public void onTrackNameAvailable(String trackId, String trackName) {} }; private Callbacks mCallbacks = sDummyCallbacks; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); mAdapter = new TracksAdapter(getActivity(), true); if (savedInstanceState != null) { // Since this fragment doesn't rely on fragment arguments, we must // handle state restores and saves ourselves. mViewType = savedInstanceState.getInt(STATE_VIEW_TYPE); mTrackId = savedInstanceState.getString(STATE_SELECTED_TRACK_ID); } } @Override public void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); outState.putInt(STATE_VIEW_TYPE, mViewType); outState.putString(STATE_SELECTED_TRACK_ID, mTrackId); } public String getSelectedTrackId() { return mTrackId; } public void selectTrack(String trackId) { loadTrackList(mViewType, trackId); } public void loadTrackList(int viewType) { loadTrackList(viewType, mTrackId); } public void loadTrackList(int viewType, String selectTrackId) { // Teardown from previous arguments if (mListPopupWindow != null) { mListPopupWindow.setAdapter(null); } mViewType = viewType; mTrackId = selectTrackId; // Start background query to load tracks getLoaderManager().restartLoader(TracksAdapter.TracksQuery._TOKEN, null, this); } @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { mRootView = (ViewGroup) inflater.inflate(R.layout.fragment_tracks_dropdown, null); mIcon = (ImageView) mRootView.findViewById(R.id.track_icon); mTitle = (TextView) mRootView.findViewById(R.id.track_title); mAbstract = (TextView) mRootView.findViewById(R.id.track_abstract); mRootView.setOnClickListener(new View.OnClickListener() { public void onClick(View view) { mListPopupWindow = new ListPopupWindow(getActivity()); mListPopupWindow.setAdapter(mAdapter); mListPopupWindow.setModal(true); mListPopupWindow.setContentWidth( getResources().getDimensionPixelSize(R.dimen.track_dropdown_width)); mListPopupWindow.setAnchorView(mRootView); mListPopupWindow.setOnItemClickListener(TracksDropdownFragment.this); mListPopupWindow.show(); mListPopupWindow.setOnDismissListener(TracksDropdownFragment.this); } }); return mRootView; } @Override public void onAttach(Activity activity) { super.onAttach(activity); if (!(activity instanceof Callbacks)) { throw new ClassCastException("Activity must implement fragment's callbacks."); } mCallbacks = (Callbacks) activity; } @Override public void onDetach() { super.onDetach(); mCallbacks = sDummyCallbacks; if (mListPopupWindow != null) { mListPopupWindow.dismiss(); } } /** {@inheritDoc} */ public void onItemClick(AdapterView<?> parent, View view, int position, long id) { final Cursor cursor = (Cursor) mAdapter.getItem(position); loadTrack(cursor, true); if (mListPopupWindow != null) { mListPopupWindow.dismiss(); } } public String getTrackName() { return (String) mTitle.getText(); } private void loadTrack(Cursor cursor, boolean triggerCallback) { final int trackColor; final Resources res = getResources(); if (cursor != null) { trackColor = cursor.getInt(TracksAdapter.TracksQuery.TRACK_COLOR); mTrackId = cursor.getString(TracksAdapter.TracksQuery.TRACK_ID); String trackName = cursor.getString(TracksAdapter.TracksQuery.TRACK_NAME); mTitle.setText(trackName); mAbstract.setText(cursor.getString(TracksAdapter.TracksQuery.TRACK_ABSTRACT)); int iconResId = res.getIdentifier( "track_" + ParserUtils.sanitizeId(trackName), "drawable", getActivity().getPackageName()); if (iconResId != 0) { BitmapDrawable sourceIconDrawable = (BitmapDrawable) res.getDrawable(iconResId); Bitmap icon = Bitmap.createBitmap(sourceIconDrawable.getIntrinsicWidth(), sourceIconDrawable.getIntrinsicHeight(), Bitmap.Config.ARGB_8888); Canvas canvas = new Canvas(icon); sourceIconDrawable.setBounds(0, 0, icon.getWidth(), icon.getHeight()); sourceIconDrawable.draw(canvas); BitmapDrawable iconDrawable = new BitmapDrawable(res, icon); mIcon.setImageDrawable(iconDrawable); } else { mIcon.setImageDrawable(null); } } else { trackColor = res.getColor(R.color.all_track_color); mTrackId = ScheduleContract.Tracks.ALL_TRACK_ID; mIcon.setImageDrawable(null); switch (mViewType) { case VIEW_TYPE_SESSIONS: mTitle.setText(R.string.all_tracks_sessions); mAbstract.setText(R.string.all_tracks_subtitle_sessions); break; case VIEW_TYPE_OFFICE_HOURS: mTitle.setText(R.string.all_tracks_office_hours); mAbstract.setText(R.string.all_tracks_subtitle_office_hours); break; case VIEW_TYPE_SANDBOX: mTitle.setText(R.string.all_tracks_sandbox); mAbstract.setText(R.string.all_tracks_subtitle_sandbox); break; } } mRootView.setBackgroundColor(trackColor); mCallbacks.onTrackNameAvailable(mTrackId, mTitle.getText().toString()); if (triggerCallback) { mHandler.post(new Runnable() { @Override public void run() { mCallbacks.onTrackSelected(mTrackId); } }); } } public void onDismiss() { mListPopupWindow = null; } @Override public Loader<Cursor> onCreateLoader(int id, Bundle data) { // Filter our tracks query to only include those with valid results String[] projection = TracksAdapter.TracksQuery.PROJECTION; String selection = null; switch (mViewType) { case VIEW_TYPE_SESSIONS: // Only show tracks with at least one session projection = TracksAdapter.TracksQuery.PROJECTION_WITH_SESSIONS_COUNT; selection = ScheduleContract.Tracks.SESSIONS_COUNT + ">0"; break; case VIEW_TYPE_OFFICE_HOURS: // Only show tracks with at least one office hours projection = TracksAdapter.TracksQuery.PROJECTION_WITH_OFFICE_HOURS_COUNT; selection = ScheduleContract.Tracks.OFFICE_HOURS_COUNT + ">0"; break; case VIEW_TYPE_SANDBOX: // Only show tracks with at least one company projection = TracksAdapter.TracksQuery.PROJECTION_WITH_SANDBOX_COUNT; selection = ScheduleContract.Tracks.SANDBOX_COUNT + ">0"; break; } return new CursorLoader(getActivity(), ScheduleContract.Tracks.CONTENT_URI, projection, selection, null, ScheduleContract.Tracks.DEFAULT_SORT); } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) { if (getActivity() == null || cursor == null) { return; } boolean trackLoaded = false; if (mTrackId != null) { cursor.moveToFirst(); while (!cursor.isAfterLast()) { if (mTrackId.equals(cursor.getString(TracksAdapter.TracksQuery.TRACK_ID))) { loadTrack(cursor, false); trackLoaded = true; break; } cursor.moveToNext(); } } if (!trackLoaded) { loadTrack(null, false); } mAdapter.setHasAllItem(true); mAdapter.changeCursor(cursor); } @Override public void onLoaderReset(Loader<Cursor> cusor) { } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui.tablet; import android.annotation.TargetApi; import android.app.SearchManager; import android.content.Intent; import android.net.Uri; import android.os.Build; import android.os.Bundle; import android.support.v4.app.Fragment; import android.support.v4.app.FragmentManager; import android.support.v4.widget.SlidingPaneLayout; import android.support.v7.app.ActionBar; import android.view.Menu; import android.view.MenuItem; import android.view.View; import android.view.ViewGroup; import android.widget.BaseAdapter; import android.widget.SearchView; import android.widget.SpinnerAdapter; import android.widget.TextView; import com.google.analytics.tracking.android.EasyTracker; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.ui.*; import com.google.android.apps.iosched.util.BeamUtils; import com.google.android.apps.iosched.util.ImageLoader; import com.google.android.apps.iosched.util.UIUtils; import static com.google.android.apps.iosched.util.LogUtils.LOGD; /** * A multi-pane activity, consisting of a {@link TracksDropdownFragment}, a * {@link SessionsFragment} or {@link com.google.android.apps.iosched.ui.SandboxFragment}, and {@link SessionDetailFragment} or * {@link com.google.android.apps.iosched.ui.SandboxDetailFragment}. * * This activity requires API level 11 or greater. */ @TargetApi(Build.VERSION_CODES.HONEYCOMB) public class SessionsSandboxMultiPaneActivity extends BaseActivity implements ActionBar.OnNavigationListener, SessionsFragment.Callbacks, SandboxFragment.Callbacks, SandboxDetailFragment.Callbacks, TracksDropdownFragment.Callbacks, TrackInfoHelperFragment.Callbacks, ImageLoader.ImageLoaderProvider { public static final String EXTRA_MASTER_URI = "com.google.android.apps.iosched.extra.MASTER_URI"; public static final String EXTRA_DEFAULT_VIEW_TYPE = "com.google.android.apps.iosched.extra.DEFAULT_VIEW_TYPE"; private static final String STATE_VIEW_TYPE = "view_type"; private TracksDropdownFragment mTracksDropdownFragment; private Fragment mDetailFragment; private boolean mFullUI = false; private SlidingPaneLayout mSlidingPaneLayout; private int mViewType; private boolean mInitialTabSelect = true; private ImageLoader mImageLoader; @Override protected void onCreate(Bundle savedInstanceState) { UIUtils.tryTranslateHttpIntent(this); BeamUtils.tryUpdateIntentFromBeam(this); super.onCreate(savedInstanceState); setContentView(R.layout.activity_sessions_sandbox); final FragmentManager fm = getSupportFragmentManager(); mTracksDropdownFragment = (TracksDropdownFragment) fm.findFragmentById( R.id.fragment_tracks_dropdown); mSlidingPaneLayout = (SlidingPaneLayout) findViewById(R.id.sliding_pane_layout); // Offset the left pane by its full width and left margin when collapsed // (ViewPager-like presentation) mSlidingPaneLayout.setParallaxDistance( getResources().getDimensionPixelSize(R.dimen.sliding_pane_width) + getResources().getDimensionPixelSize(R.dimen.multipane_padding)); mSlidingPaneLayout.setSliderFadeColor(getResources().getColor( R.color.sliding_pane_content_fade)); routeIntent(getIntent(), savedInstanceState != null); if (savedInstanceState != null) { if (mFullUI) { int viewType = savedInstanceState.getInt(STATE_VIEW_TYPE); getSupportActionBar().setSelectedNavigationItem(viewType); } mDetailFragment = fm.findFragmentById(R.id.fragment_container_detail); updateDetailBackground(); } // This flag prevents onTabSelected from triggering extra master pane reloads // unless it's actually being triggered by the user (and not automatically by // the system) mInitialTabSelect = false; mImageLoader = new ImageLoader(this, R.drawable.person_image_empty) .setMaxImageSize(getResources().getDimensionPixelSize(R.dimen.speaker_image_size)) .setFadeInImage(UIUtils.hasHoneycombMR1()); EasyTracker.getInstance().setContext(this); } private void routeIntent(Intent intent, boolean updateSurfaceOnly) { Uri uri = intent.getData(); if (uri == null) { return; } if (intent.hasExtra(Intent.EXTRA_TITLE)) { setTitle(intent.getStringExtra(Intent.EXTRA_TITLE)); } String mimeType = getContentResolver().getType(uri); if (ScheduleContract.Tracks.CONTENT_ITEM_TYPE.equals(mimeType)) { // Load track details showFullUI(true); if (!updateSurfaceOnly) { // TODO: don't assume the URI will contain the track ID int defaultViewType = intent.getIntExtra(EXTRA_DEFAULT_VIEW_TYPE, TracksDropdownFragment.VIEW_TYPE_SESSIONS); String selectedTrackId = ScheduleContract.Tracks.getTrackId(uri); loadTrackList(defaultViewType, selectedTrackId); getSupportActionBar().setSelectedNavigationItem(defaultViewType); onTrackSelected(selectedTrackId); mSlidingPaneLayout.openPane(); } } else if (ScheduleContract.Sessions.CONTENT_TYPE.equals(mimeType)) { // Load a session list, hiding the tracks dropdown and the tabs mViewType = TracksDropdownFragment.VIEW_TYPE_SESSIONS; showFullUI(false); if (!updateSurfaceOnly) { loadSessionList(uri, null); mSlidingPaneLayout.openPane(); } } else if (ScheduleContract.Sessions.CONTENT_ITEM_TYPE.equals(mimeType)) { // Load session details if (intent.hasExtra(EXTRA_MASTER_URI)) { mViewType = TracksDropdownFragment.VIEW_TYPE_SESSIONS; showFullUI(false); if (!updateSurfaceOnly) { loadSessionList((Uri) intent.getParcelableExtra(EXTRA_MASTER_URI), ScheduleContract.Sessions.getSessionId(uri)); loadSessionDetail(uri); } } else { mViewType = TracksDropdownFragment.VIEW_TYPE_SESSIONS; // prepare for onTrackInfo... showFullUI(true); if (!updateSurfaceOnly) { loadSessionDetail(uri); loadTrackInfoFromSessionUri(uri); } } } else if (ScheduleContract.Sandbox.CONTENT_TYPE.equals(mimeType)) { // Load a sandbox company list mViewType = TracksDropdownFragment.VIEW_TYPE_SANDBOX; showFullUI(false); if (!updateSurfaceOnly) { loadSandboxList(uri, null); mSlidingPaneLayout.openPane(); } } else if (ScheduleContract.Sandbox.CONTENT_ITEM_TYPE.equals(mimeType)) { // Load company details mViewType = TracksDropdownFragment.VIEW_TYPE_SANDBOX; showFullUI(false); if (!updateSurfaceOnly) { Uri masterUri = intent.getParcelableExtra(EXTRA_MASTER_URI); if (masterUri == null) { masterUri = ScheduleContract.Sandbox.CONTENT_URI; } loadSandboxList(masterUri, ScheduleContract.Sandbox.getCompanyId(uri)); loadSandboxDetail(uri); } } updateDetailBackground(); } private void showFullUI(boolean fullUI) { mFullUI = fullUI; final ActionBar actionBar = getSupportActionBar(); final FragmentManager fm = getSupportFragmentManager(); if (fullUI) { actionBar.setNavigationMode(ActionBar.NAVIGATION_MODE_LIST); actionBar.setDisplayShowTitleEnabled(false); actionBar.setListNavigationCallbacks(mActionBarSpinnerAdapter, this); fm.beginTransaction() .show(fm.findFragmentById(R.id.fragment_tracks_dropdown)) .commit(); } else { actionBar.setNavigationMode(ActionBar.NAVIGATION_MODE_STANDARD); actionBar.setDisplayShowTitleEnabled(true); fm.beginTransaction() .hide(fm.findFragmentById(R.id.fragment_tracks_dropdown)) .commit(); } } private SpinnerAdapter mActionBarSpinnerAdapter = new BaseAdapter() { @Override public int getCount() { return 3; } @Override public Object getItem(int position) { return position; } @Override public long getItemId(int position) { return position + 1; } private int getLabelResId(int position) { switch (position) { case TracksDropdownFragment.VIEW_TYPE_SESSIONS: return R.string.title_sessions; case TracksDropdownFragment.VIEW_TYPE_OFFICE_HOURS: return R.string.title_office_hours; case TracksDropdownFragment.VIEW_TYPE_SANDBOX: return R.string.title_sandbox; } return 0; } @Override public View getView(int position, View convertView, ViewGroup container) { if (convertView == null) { convertView = getLayoutInflater().inflate( android.R.layout.simple_spinner_item, container, false); } ((TextView) convertView.findViewById(android.R.id.text1)).setText( getLabelResId(position)); return convertView; } @Override public View getDropDownView(int position, View convertView, ViewGroup container) { if (convertView == null) { convertView = getLayoutInflater().inflate( android.R.layout.simple_spinner_dropdown_item, container, false); } ((TextView) convertView.findViewById(android.R.id.text1)).setText( getLabelResId(position)); return convertView; } }; @Override public boolean onCreateOptionsMenu(Menu menu) { super.onCreateOptionsMenu(menu); getMenuInflater().inflate(R.menu.search, menu); MenuItem searchItem = menu.findItem(R.id.menu_search); if (searchItem != null && UIUtils.hasHoneycomb()) { SearchView searchView = (SearchView) searchItem.getActionView(); if (searchView != null) { SearchManager searchManager = (SearchManager) getSystemService(SEARCH_SERVICE); searchView.setSearchableInfo(searchManager.getSearchableInfo(getComponentName())); searchView.setQueryRefinementEnabled(true); } } return true; } @Override public boolean onOptionsItemSelected(MenuItem item) { switch (item.getItemId()) { case android.R.id.home: if (mSlidingPaneLayout.isSlideable() && !mSlidingPaneLayout.isOpen()) { // If showing the detail view, pressing Up should show the master pane. mSlidingPaneLayout.openPane(); return true; } break; case R.id.menu_search: if (!UIUtils.hasHoneycomb()) { startSearch(null, false, Bundle.EMPTY, false); return true; } break; } return super.onOptionsItemSelected(item); } @Override protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); outState.putInt(STATE_VIEW_TYPE, mViewType); } @Override public boolean onNavigationItemSelected(int itemPosition, long itemId) { loadTrackList(itemPosition); // itemPosition == view type if (!mInitialTabSelect) { onTrackSelected(mTracksDropdownFragment.getSelectedTrackId()); mSlidingPaneLayout.openPane(); } return true; } private void loadTrackList(int viewType) { loadTrackList(viewType, null); } private void loadTrackList(int viewType, String selectTrackId) { if (mDetailFragment != null && mViewType != viewType) { getSupportFragmentManager().beginTransaction() .remove(mDetailFragment) .commit(); mDetailFragment = null; } mViewType = viewType; if (selectTrackId != null) { mTracksDropdownFragment.loadTrackList(viewType, selectTrackId); } else { mTracksDropdownFragment.loadTrackList(viewType); } updateDetailBackground(); } private void updateDetailBackground() { if (mDetailFragment == null) { if (TracksDropdownFragment.VIEW_TYPE_SESSIONS == mViewType || TracksDropdownFragment.VIEW_TYPE_OFFICE_HOURS == mViewType) { findViewById(R.id.fragment_container_detail).setBackgroundResource( R.drawable.grey_frame_on_white_empty_sessions); } else { findViewById(R.id.fragment_container_detail).setBackgroundResource( R.drawable.grey_frame_on_white_empty_sandbox); } } else { findViewById(R.id.fragment_container_detail).setBackgroundResource( R.drawable.grey_frame_on_white); } } private void loadSessionList(Uri sessionsUri, String selectSessionId) { SessionsFragment fragment = new SessionsFragment(); fragment.setSelectedSessionId(selectSessionId); fragment.setArguments(BaseActivity.intentToFragmentArguments( new Intent(Intent.ACTION_VIEW, sessionsUri))); getSupportFragmentManager().beginTransaction() .replace(R.id.fragment_container_master, fragment) .commit(); } private void loadSessionDetail(Uri sessionUri) { BeamUtils.setBeamSessionUri(this, sessionUri); SessionDetailFragment fragment = new SessionDetailFragment(); fragment.setArguments(BaseActivity.intentToFragmentArguments( new Intent(Intent.ACTION_VIEW, sessionUri))); getSupportFragmentManager().beginTransaction() .replace(R.id.fragment_container_detail, fragment) .commit(); mDetailFragment = fragment; updateDetailBackground(); // If loading session details in portrait, hide the master pane mSlidingPaneLayout.closePane(); } private void loadSandboxList(Uri sandboxUri, String selectCompanyId) { SandboxFragment fragment = new SandboxFragment(); fragment.setSelectedCompanyId(selectCompanyId); fragment.setArguments(BaseActivity.intentToFragmentArguments( new Intent(Intent.ACTION_VIEW, sandboxUri))); getSupportFragmentManager().beginTransaction() .replace(R.id.fragment_container_master, fragment) .commit(); } private void loadSandboxDetail(Uri companyUri) { SandboxDetailFragment fragment = new SandboxDetailFragment(); fragment.setArguments(BaseActivity.intentToFragmentArguments( new Intent(Intent.ACTION_VIEW, companyUri))); getSupportFragmentManager().beginTransaction() .replace(R.id.fragment_container_detail, fragment) .commit(); mDetailFragment = fragment; updateDetailBackground(); // If loading session details in portrait, hide the master pane mSlidingPaneLayout.closePane(); } @Override public void onTrackNameAvailable(String trackId, String trackName) { String trackType = null; switch (mViewType) { case TracksDropdownFragment.VIEW_TYPE_SESSIONS: trackType = getString(R.string.title_sessions); break; case TracksDropdownFragment.VIEW_TYPE_OFFICE_HOURS: trackType = getString(R.string.title_office_hours); break; case TracksDropdownFragment.VIEW_TYPE_SANDBOX: trackType = getString(R.string.title_sandbox); break; } EasyTracker.getTracker().sendView(trackType + ": " + getTitle()); LOGD("Tracker", trackType + ": " + mTracksDropdownFragment.getTrackName()); } @Override public void onTrackSelected(String trackId) { boolean allTracks = (ScheduleContract.Tracks.ALL_TRACK_ID.equals(trackId)); switch (mViewType) { case TracksDropdownFragment.VIEW_TYPE_SESSIONS: loadSessionList((allTracks ? ScheduleContract.Sessions.CONTENT_URI : ScheduleContract.Tracks.buildSessionsUri(trackId)) .buildUpon() .appendQueryParameter(ScheduleContract.Sessions.QUERY_PARAMETER_FILTER, ScheduleContract.Sessions.QUERY_VALUE_FILTER_SESSIONS_CODELABS_ONLY) .build(), null); break; case TracksDropdownFragment.VIEW_TYPE_OFFICE_HOURS: loadSessionList((allTracks ? ScheduleContract.Sessions.CONTENT_URI : ScheduleContract.Tracks.buildSessionsUri(trackId)) .buildUpon() .appendQueryParameter( ScheduleContract.Sessions.QUERY_PARAMETER_FILTER, ScheduleContract.Sessions.QUERY_VALUE_FILTER_OFFICE_HOURS_ONLY) .build(), null); break; case TracksDropdownFragment.VIEW_TYPE_SANDBOX: loadSandboxList(allTracks ? ScheduleContract.Sandbox.CONTENT_URI : ScheduleContract.Tracks.buildSandboxUri(trackId), null); break; } } @Override public boolean onSessionSelected(String sessionId) { loadSessionDetail(ScheduleContract.Sessions.buildSessionUri(sessionId)); return true; } @Override public boolean onCompanySelected(String companyId) { loadSandboxDetail(ScheduleContract.Sandbox.buildCompanyUri(companyId)); return true; } private TrackInfoHelperFragment mTrackInfoHelperFragment; private String mTrackInfoLoadCookie; private void loadTrackInfoFromSessionUri(Uri sessionUri) { mTrackInfoLoadCookie = ScheduleContract.Sessions.getSessionId(sessionUri); Uri trackDirUri = ScheduleContract.Sessions.buildTracksDirUri( ScheduleContract.Sessions.getSessionId(sessionUri)); android.support.v4.app.FragmentTransaction ft = getSupportFragmentManager().beginTransaction(); if (mTrackInfoHelperFragment != null) { ft.remove(mTrackInfoHelperFragment); } mTrackInfoHelperFragment = TrackInfoHelperFragment.newFromTrackUri(trackDirUri); ft.add(mTrackInfoHelperFragment, "track_info").commit(); } @Override public void onTrackInfoAvailable(String trackId, TrackInfo track) { loadTrackList(mViewType, trackId); boolean allTracks = (ScheduleContract.Tracks.ALL_TRACK_ID.equals(trackId)); switch (mViewType) { case TracksDropdownFragment.VIEW_TYPE_SESSIONS: loadSessionList((allTracks ? ScheduleContract.Sessions.CONTENT_URI : ScheduleContract.Tracks.buildSessionsUri(trackId)) .buildUpon() .appendQueryParameter(ScheduleContract.Sessions.QUERY_PARAMETER_FILTER, ScheduleContract.Sessions.QUERY_VALUE_FILTER_SESSIONS_CODELABS_ONLY) .build(), mTrackInfoLoadCookie); break; case TracksDropdownFragment.VIEW_TYPE_OFFICE_HOURS: loadSessionList((allTracks ? ScheduleContract.Sessions.CONTENT_URI : ScheduleContract.Tracks.buildSessionsUri(trackId)) .buildUpon() .appendQueryParameter( ScheduleContract.Sessions.QUERY_PARAMETER_FILTER, ScheduleContract.Sessions.QUERY_VALUE_FILTER_OFFICE_HOURS_ONLY) .build(), mTrackInfoLoadCookie); break; case TracksDropdownFragment.VIEW_TYPE_SANDBOX: loadSandboxList(allTracks ? ScheduleContract.Sandbox.CONTENT_URI : ScheduleContract.Tracks.buildSandboxUri(trackId), mTrackInfoLoadCookie); break; } } @Override public void onTrackIdAvailable(String trackId) { } @Override public ImageLoader getImageLoaderInstance() { return mImageLoader; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.android.apps.iosched.ui.tablet; import android.annotation.TargetApi; import android.app.FragmentBreadCrumbs; import android.content.Intent; import android.content.res.Configuration; import android.net.Uri; import android.os.Build; import android.os.Bundle; import android.support.v4.app.Fragment; import android.support.v4.app.FragmentManager; import android.view.Gravity; import android.view.View; import android.view.ViewGroup; import android.widget.LinearLayout; import com.google.android.apps.iosched.R; import com.google.android.apps.iosched.provider.ScheduleContract; import com.google.android.apps.iosched.ui.*; import com.google.android.apps.iosched.ui.SandboxDetailFragment; /** * A multi-pane activity, where the primary navigation pane is a * {@link MapFragment}, that shows {@link SessionsFragment}, * {@link SessionDetailFragment}, {@link com.google.android.apps.iosched.ui.SandboxFragment}, and * {@link com.google.android.apps.iosched.ui.SandboxDetailFragment} as popups. This activity requires API level 11 * or greater because of its use of {@link FragmentBreadCrumbs}. */ @TargetApi(Build.VERSION_CODES.HONEYCOMB) public class MapMultiPaneActivity extends BaseActivity implements FragmentManager.OnBackStackChangedListener, MapFragment.Callbacks, SessionsFragment.Callbacks, SandboxFragment.Callbacks, SandboxDetailFragment.Callbacks{ private boolean mPauseBackStackWatcher = false; private FragmentBreadCrumbs mFragmentBreadCrumbs; private String mSelectedRoomName; private MapFragment mMapFragment; private boolean isSessionShown = true; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_map); FragmentManager fm = getSupportFragmentManager(); fm.addOnBackStackChangedListener(this); mFragmentBreadCrumbs = (FragmentBreadCrumbs) findViewById(R.id.breadcrumbs); mFragmentBreadCrumbs.setActivity(this); mMapFragment = (MapFragment) fm.findFragmentByTag("map"); if (mMapFragment == null) { mMapFragment = new MapFragment(); mMapFragment.setArguments(intentToFragmentArguments(getIntent())); fm.beginTransaction() .add(R.id.fragment_container_map, mMapFragment, "map") .commit(); } findViewById(R.id.close_button).setOnClickListener(new View.OnClickListener() { public void onClick(View view) { clearBackStack(false); } }); updateBreadCrumbs(); onConfigurationChanged(getResources().getConfiguration()); } @Override public void onConfigurationChanged(Configuration newConfig) { super.onConfigurationChanged(newConfig); boolean landscape = (newConfig.orientation == Configuration.ORIENTATION_LANDSCAPE); LinearLayout spacerView = (LinearLayout) findViewById(R.id.map_detail_spacer); spacerView.setOrientation(landscape ? LinearLayout.HORIZONTAL : LinearLayout.VERTICAL); spacerView.setGravity(landscape ? Gravity.END : Gravity.BOTTOM); View popupView = findViewById(R.id.map_detail_popup); LinearLayout.LayoutParams popupLayoutParams = (LinearLayout.LayoutParams) popupView.getLayoutParams(); popupLayoutParams.width = landscape ? 0 : ViewGroup.LayoutParams.MATCH_PARENT; popupLayoutParams.height = landscape ? ViewGroup.LayoutParams.MATCH_PARENT : 0; popupView.setLayoutParams(popupLayoutParams); popupView.requestLayout(); updateMapPadding(); } private void clearBackStack(boolean pauseWatcher) { if (pauseWatcher) { mPauseBackStackWatcher = true; } FragmentManager fm = getSupportFragmentManager(); while (fm.getBackStackEntryCount() > 0) { fm.popBackStackImmediate(); } if (pauseWatcher) { mPauseBackStackWatcher = false; } } public void onBackStackChanged() { if (mPauseBackStackWatcher) { return; } if (getSupportFragmentManager().getBackStackEntryCount() == 0) { showDetailPane(false); } updateBreadCrumbs(); } private void showDetailPane(boolean show) { View detailPopup = findViewById(R.id.map_detail_spacer); if (show != (detailPopup.getVisibility() == View.VISIBLE)) { detailPopup.setVisibility(show ? View.VISIBLE : View.GONE); updateMapPadding(); } } private void updateMapPadding() { // Pan the map left or up depending on the orientation. boolean landscape = getResources().getConfiguration().orientation == Configuration.ORIENTATION_LANDSCAPE; boolean detailShown = findViewById(R.id.map_detail_spacer).getVisibility() == View.VISIBLE; mMapFragment.setCenterPadding( landscape ? (detailShown ? 0.25f : 0f) : 0, landscape ? 0 : (detailShown ? 0.25f : 0)); } void updateBreadCrumbs() { String detailTitle; if(isSessionShown){ detailTitle = getString(R.string.title_session_detail); }else{ detailTitle = getString(R.string.title_sandbox_detail); } if (getSupportFragmentManager().getBackStackEntryCount() >= 2) { mFragmentBreadCrumbs.setParentTitle(mSelectedRoomName, mSelectedRoomName, mFragmentBreadCrumbsClickListener); mFragmentBreadCrumbs.setTitle(detailTitle, detailTitle); } else { mFragmentBreadCrumbs.setParentTitle(null, null, null); mFragmentBreadCrumbs.setTitle(mSelectedRoomName, mSelectedRoomName); } } private View.OnClickListener mFragmentBreadCrumbsClickListener = new View.OnClickListener() { @Override public void onClick(View view) { getSupportFragmentManager().popBackStack(); } }; @Override public void onSessionRoomSelected(String roomId, String roomTitle) { // Load room details mSelectedRoomName = roomTitle; isSessionShown = true; SessionsFragment fragment = new SessionsFragment(); Uri uri = ScheduleContract.Rooms.buildSessionsDirUri(roomId); showList(fragment,uri); } @Override public void onSandboxRoomSelected(String trackId, String roomTitle) { // Load room details mSelectedRoomName = roomTitle; isSessionShown = false; Fragment fragment = new SandboxFragment(); Uri uri = ScheduleContract.Tracks.buildSandboxUri(trackId); showList(fragment,uri); } @Override public boolean onCompanySelected(String companyId) { isSessionShown = false; final Uri uri = ScheduleContract.Sandbox.buildCompanyUri(companyId); SandboxDetailFragment fragment = new SandboxDetailFragment(); showDetails(fragment,uri); return false; } @Override public boolean onSessionSelected(String sessionId) { isSessionShown = true; final Uri uri = ScheduleContract.Sessions.buildSessionUri(sessionId); SessionDetailFragment fragment = new SessionDetailFragment(); showDetails(fragment,uri); return false; } private void showList(Fragment fragment, Uri uri){ // Show the sessions in the room clearBackStack(true); showDetailPane(true); fragment.setArguments(BaseActivity.intentToFragmentArguments( new Intent(Intent.ACTION_VIEW, uri ))); getSupportFragmentManager().beginTransaction() .replace(R.id.fragment_container_detail, fragment) .addToBackStack(null) .commit(); updateBreadCrumbs(); } private void showDetails(Fragment fragment, Uri uri){ // Show the session details showDetailPane(true); Intent intent = new Intent(Intent.ACTION_VIEW,uri); intent.putExtra(SessionDetailFragment.EXTRA_VARIABLE_HEIGHT_HEADER, true); fragment.setArguments(BaseActivity.intentToFragmentArguments(intent)); getSupportFragmentManager().beginTransaction() .replace(R.id.fragment_container_detail, fragment) .addToBackStack(null) .commit(); updateBreadCrumbs(); } @Override public void onTrackIdAvailable(String trackId) { } }
Java