OSDN Git Service

Add "add alarm" menu to the DeskClock activity.
[android-x86/packages-apps-DeskClock.git] / src / com / android / deskclock / DeskClock.java
1 /*
2  * Copyright (C) 2009 The Android Open Source Project
3  *
4  * Licensed under the Apache License, Version 2.0 (the "License");
5  * you may not use this file except in compliance with the License.
6  * You may obtain a copy of the License at
7  *
8  *      http://www.apache.org/licenses/LICENSE-2.0
9  *
10  * Unless required by applicable law or agreed to in writing, software
11  * distributed under the License is distributed on an "AS IS" BASIS,
12  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13  * See the License for the specific language governing permissions and
14  * limitations under the License.
15  */
16
17 package com.android.deskclock;
18
19 import android.app.Activity;
20 import android.app.AlarmManager;
21 import android.app.AlertDialog;
22 import android.app.PendingIntent;
23 import android.content.BroadcastReceiver;
24 import android.content.Context;
25 import android.content.DialogInterface;
26 import android.content.Intent;
27 import android.content.IntentFilter;
28 import android.content.SharedPreferences;
29 import android.content.pm.PackageManager;
30 import android.content.res.Configuration;
31 import android.content.res.Resources;
32 import android.database.Cursor;
33 import android.graphics.drawable.BitmapDrawable;
34 import android.graphics.drawable.ColorDrawable;
35 import android.graphics.drawable.Drawable;
36 import android.net.Uri;
37 import android.os.Bundle;
38 import android.os.Handler;
39 import android.os.Message;
40 import android.os.SystemClock;
41 import android.os.PowerManager;
42 import android.provider.Settings;
43 import android.text.TextUtils;
44 import android.text.format.DateFormat;
45 import android.util.DisplayMetrics;
46 import android.util.Log;
47 import android.view.ContextMenu.ContextMenuInfo;
48 import android.view.ContextMenu;
49 import android.view.LayoutInflater;
50 import android.view.Menu;
51 import android.view.MenuInflater;
52 import android.view.MenuItem;
53 import android.view.View.OnClickListener;
54 import android.view.View.OnCreateContextMenuListener;
55 import android.view.View;
56 import android.view.ViewGroup;
57 import android.view.Window;
58 import android.view.WindowManager;
59 import android.view.animation.Animation;
60 import android.view.animation.AnimationUtils;
61 import android.view.animation.TranslateAnimation;
62 import android.widget.AbsoluteLayout;
63 import android.widget.AdapterView.AdapterContextMenuInfo;
64 import android.widget.AdapterView.OnItemClickListener;
65 import android.widget.AdapterView;
66 import android.widget.Button;
67 import android.widget.CheckBox;
68 import android.widget.ImageButton;
69 import android.widget.ImageView;
70 import android.widget.TextView;
71
72 import static android.os.BatteryManager.BATTERY_STATUS_CHARGING;
73 import static android.os.BatteryManager.BATTERY_STATUS_FULL;
74 import static android.os.BatteryManager.BATTERY_STATUS_UNKNOWN;
75
76 import java.io.IOException;
77 import java.io.InputStream;
78 import java.util.Calendar;
79 import java.util.Date;
80 import java.util.Locale;
81 import java.util.Random;
82
83 /**
84  * DeskClock clock view for desk docks.
85  */
86 public class DeskClock extends Activity {
87     private static final boolean DEBUG = false;
88
89     private static final String LOG_TAG = "DeskClock";
90
91     // Package ID of the music player.
92     private static final String MUSIC_PACKAGE_ID = "com.android.music";
93
94     // Alarm action for midnight (so we can update the date display).
95     private static final String ACTION_MIDNIGHT = "com.android.deskclock.MIDNIGHT";
96
97     // Interval between polls of the weather widget. Its refresh period is
98     // likely to be much longer (~3h), but we want to pick up any changes
99     // within 5 minutes.
100     private final long QUERY_WEATHER_DELAY = 5 * 60 * 1000; // 5 min
101
102     // Delay before engaging the burn-in protection mode (green-on-black).
103     private final long SCREEN_SAVER_TIMEOUT = 10 * 60 * 1000; // 10 min
104
105     // Repositioning delay in screen saver.
106     private final long SCREEN_SAVER_MOVE_DELAY = 60 * 1000; // 1 min
107
108     // Color to use for text & graphics in screen saver mode.
109     private final int SCREEN_SAVER_COLOR = 0xFF308030;
110     private final int SCREEN_SAVER_COLOR_DIM = 0xFF183018;
111
112     // Opacity of black layer between clock display and wallpaper.
113     private final float DIM_BEHIND_AMOUNT_NORMAL = 0.4f;
114     private final float DIM_BEHIND_AMOUNT_DIMMED = 0.7f; // higher contrast when display dimmed
115
116     // Internal message IDs.
117     private final int QUERY_WEATHER_DATA_MSG     = 0x1000;
118     private final int UPDATE_WEATHER_DISPLAY_MSG = 0x1001;
119     private final int SCREEN_SAVER_TIMEOUT_MSG   = 0x2000;
120     private final int SCREEN_SAVER_MOVE_MSG      = 0x2001;
121
122     // Weather widget query information.
123     private static final String GENIE_PACKAGE_ID = "com.google.android.apps.genie.geniewidget";
124     private static final String WEATHER_CONTENT_AUTHORITY = GENIE_PACKAGE_ID + ".weather";
125     private static final String WEATHER_CONTENT_PATH = "/weather/current";
126     private static final String[] WEATHER_CONTENT_COLUMNS = new String[] {
127             "location",
128             "timestamp",
129             "temperature",
130             "highTemperature",
131             "lowTemperature",
132             "iconUrl",
133             "iconResId",
134             "description",
135         };
136
137     private static final String ACTION_GENIE_REFRESH = "com.google.android.apps.genie.REFRESH";
138
139     // State variables follow.
140     private DigitalClock mTime;
141     private TextView mDate;
142
143     private TextView mNextAlarm = null;
144     private TextView mBatteryDisplay;
145
146     private TextView mWeatherCurrentTemperature;
147     private TextView mWeatherHighTemperature;
148     private TextView mWeatherLowTemperature;
149     private TextView mWeatherLocation;
150     private ImageView mWeatherIcon;
151
152     private String mWeatherCurrentTemperatureString;
153     private String mWeatherHighTemperatureString;
154     private String mWeatherLowTemperatureString;
155     private String mWeatherLocationString;
156     private Drawable mWeatherIconDrawable;
157
158     private Resources mGenieResources = null;
159
160     private boolean mDimmed = false;
161     private boolean mScreenSaverMode = false;
162
163     private String mDateFormat;
164
165     private int mBatteryLevel = -1;
166     private boolean mPluggedIn = false;
167
168     private boolean mInDock = false;
169
170     private int mIdleTimeoutEpoch = 0;
171
172     private Random mRNG;
173
174     private PendingIntent mMidnightIntent;
175
176     private final BroadcastReceiver mIntentReceiver = new BroadcastReceiver() {
177         @Override
178         public void onReceive(Context context, Intent intent) {
179             final String action = intent.getAction();
180             if (Intent.ACTION_DATE_CHANGED.equals(action)) {
181                 refreshDate();
182             } else if (Intent.ACTION_BATTERY_CHANGED.equals(action)) {
183                 handleBatteryUpdate(
184                     intent.getIntExtra("status", BATTERY_STATUS_UNKNOWN),
185                     intent.getIntExtra("level", 0));
186             }
187         }
188     };
189
190     private final Handler mHandy = new Handler() {
191         @Override
192         public void handleMessage(Message m) {
193             if (m.what == QUERY_WEATHER_DATA_MSG) {
194                 new Thread() { public void run() { queryWeatherData(); } }.start();
195                 scheduleWeatherQueryDelayed(QUERY_WEATHER_DELAY);
196             } else if (m.what == UPDATE_WEATHER_DISPLAY_MSG) {
197                 updateWeatherDisplay();
198             } else if (m.what == SCREEN_SAVER_TIMEOUT_MSG) {
199                 if (m.arg1 == mIdleTimeoutEpoch) {
200                     saveScreen();
201                 }
202             } else if (m.what == SCREEN_SAVER_MOVE_MSG) {
203                 moveScreenSaver();
204             }
205         }
206     };
207
208
209     private void moveScreenSaver() {
210         moveScreenSaverTo(-1,-1);
211     }
212     private void moveScreenSaverTo(int x, int y) {
213         if (!mScreenSaverMode) return;
214
215         final View saver_view = findViewById(R.id.saver_view);
216
217         DisplayMetrics metrics = new DisplayMetrics();
218         getWindowManager().getDefaultDisplay().getMetrics(metrics);
219
220         if (x < 0 || y < 0) {
221             int myWidth = saver_view.getMeasuredWidth();
222             int myHeight = saver_view.getMeasuredHeight();
223             x = (int)(mRNG.nextFloat()*(metrics.widthPixels - myWidth));
224             y = (int)(mRNG.nextFloat()*(metrics.heightPixels - myHeight));
225         }
226
227         if (DEBUG) Log.d(LOG_TAG, String.format("screen saver: %d: jumping to (%d,%d)",
228                 System.currentTimeMillis(), x, y));
229
230         saver_view.setLayoutParams(new AbsoluteLayout.LayoutParams(
231             ViewGroup.LayoutParams.WRAP_CONTENT,
232             ViewGroup.LayoutParams.WRAP_CONTENT,
233             x,
234             y));
235
236         // Synchronize our jumping so that it happens exactly on the second.
237         mHandy.sendEmptyMessageDelayed(SCREEN_SAVER_MOVE_MSG,
238             SCREEN_SAVER_MOVE_DELAY +
239             (1000 - (System.currentTimeMillis() % 1000)));
240     }
241
242     private void setWakeLock(boolean hold) {
243         if (DEBUG) Log.d(LOG_TAG, (hold ? "hold" : " releas") + "ing wake lock");
244         Window win = getWindow();
245         WindowManager.LayoutParams winParams = win.getAttributes();
246         winParams.flags |= WindowManager.LayoutParams.FLAG_DISMISS_KEYGUARD;
247         winParams.flags |= WindowManager.LayoutParams.FLAG_SHOW_WHEN_LOCKED;
248         winParams.flags |= WindowManager.LayoutParams.FLAG_TURN_SCREEN_ON;
249         if (hold)
250             winParams.flags |= WindowManager.LayoutParams.FLAG_KEEP_SCREEN_ON;
251         else
252             winParams.flags &= (~WindowManager.LayoutParams.FLAG_KEEP_SCREEN_ON);
253         win.setAttributes(winParams);
254     }
255
256     private void restoreScreen() {
257         if (!mScreenSaverMode) return;
258         if (DEBUG) Log.d(LOG_TAG, "restoreScreen");
259         mScreenSaverMode = false;
260         initViews();
261         doDim(false); // restores previous dim mode
262         // policy: update weather info when returning from screen saver
263         if (mPluggedIn) requestWeatherDataFetch();
264         refreshAll();
265     }
266
267     // Special screen-saver mode for OLED displays that burn in quickly
268     private void saveScreen() {
269         if (mScreenSaverMode) return;
270         if (DEBUG) Log.d(LOG_TAG, "saveScreen");
271
272         // quickly stash away the x/y of the current date
273         final View oldTimeDate = findViewById(R.id.time_date);
274         int oldLoc[] = new int[2];
275         oldTimeDate.getLocationOnScreen(oldLoc);
276
277         mScreenSaverMode = true;
278         Window win = getWindow();
279         WindowManager.LayoutParams winParams = win.getAttributes();
280         winParams.flags |= WindowManager.LayoutParams.FLAG_FULLSCREEN;
281         win.setAttributes(winParams);
282
283         // give up any internal focus before we switch layouts
284         final View focused = getCurrentFocus();
285         if (focused != null) focused.clearFocus();
286
287         setContentView(R.layout.desk_clock_saver);
288
289         mTime = (DigitalClock) findViewById(R.id.time);
290         mDate = (TextView) findViewById(R.id.date);
291         mNextAlarm = (TextView) findViewById(R.id.nextAlarm);
292
293         final int color = mDimmed ? SCREEN_SAVER_COLOR_DIM : SCREEN_SAVER_COLOR;
294
295         ((TextView)findViewById(R.id.timeDisplay)).setTextColor(color);
296         ((TextView)findViewById(R.id.am_pm)).setTextColor(color);
297         mDate.setTextColor(color);
298         mNextAlarm.setTextColor(color);
299         mNextAlarm.setCompoundDrawablesWithIntrinsicBounds(
300             getResources().getDrawable(mDimmed
301                 ? R.drawable.ic_lock_idle_alarm_saver_dim
302                 : R.drawable.ic_lock_idle_alarm_saver),
303             null, null, null);
304
305         mBatteryDisplay =
306         mWeatherCurrentTemperature =
307         mWeatherHighTemperature =
308         mWeatherLowTemperature =
309         mWeatherLocation = null;
310         mWeatherIcon = null;
311
312         refreshDate();
313         refreshAlarm();
314
315         moveScreenSaverTo(oldLoc[0], oldLoc[1]);
316     }
317
318     @Override
319     public void onUserInteraction() {
320         if (mScreenSaverMode)
321             restoreScreen();
322     }
323
324     // Tell the Genie widget to load new data from the network.
325     private void requestWeatherDataFetch() {
326         if (DEBUG) Log.d(LOG_TAG, "forcing the Genie widget to update weather now...");
327         sendBroadcast(new Intent(ACTION_GENIE_REFRESH).putExtra("requestWeather", true));
328         // update the display with any new data
329         scheduleWeatherQueryDelayed(5000);
330     }
331
332     private boolean supportsWeather() {
333         return (mGenieResources != null);
334     }
335
336     private void scheduleWeatherQueryDelayed(long delay) {
337         // cancel any existing scheduled queries
338         unscheduleWeatherQuery();
339
340         if (DEBUG) Log.d(LOG_TAG, "scheduling weather fetch message for " + delay + "ms from now");
341
342         mHandy.sendEmptyMessageDelayed(QUERY_WEATHER_DATA_MSG, delay);
343     }
344
345     private void unscheduleWeatherQuery() {
346         mHandy.removeMessages(QUERY_WEATHER_DATA_MSG);
347     }
348
349     private void queryWeatherData() {
350         // if we couldn't load the weather widget's resources, we simply
351         // assume it's not present on the device.
352         if (mGenieResources == null) return;
353
354         Uri queryUri = new Uri.Builder()
355             .scheme(android.content.ContentResolver.SCHEME_CONTENT)
356             .authority(WEATHER_CONTENT_AUTHORITY)
357             .path(WEATHER_CONTENT_PATH)
358             .appendPath(new Long(System.currentTimeMillis()).toString())
359             .build();
360
361         if (DEBUG) Log.d(LOG_TAG, "querying genie: " + queryUri);
362
363         Cursor cur;
364         try {
365             cur = managedQuery(
366                 queryUri,
367                 WEATHER_CONTENT_COLUMNS,
368                 null,
369                 null,
370                 null);
371         } catch (RuntimeException e) {
372             Log.e(LOG_TAG, "Weather query failed", e);
373             cur = null;
374         }
375
376         if (cur != null && cur.moveToFirst()) {
377             if (DEBUG) {
378                 java.lang.StringBuilder sb =
379                     new java.lang.StringBuilder("Weather query result: {");
380                 for(int i=0; i<cur.getColumnCount(); i++) {
381                     if (i>0) sb.append(", ");
382                     sb.append(cur.getColumnName(i))
383                         .append("=")
384                         .append(cur.getString(i));
385                 }
386                 sb.append("}");
387                 Log.d(LOG_TAG, sb.toString());
388             }
389
390             mWeatherIconDrawable = mGenieResources.getDrawable(cur.getInt(
391                 cur.getColumnIndexOrThrow("iconResId")));
392             mWeatherCurrentTemperatureString = String.format("%d\u00b0",
393                 (cur.getInt(cur.getColumnIndexOrThrow("temperature"))));
394             mWeatherHighTemperatureString = String.format("%d\u00b0",
395                 (cur.getInt(cur.getColumnIndexOrThrow("highTemperature"))));
396             mWeatherLowTemperatureString = String.format("%d\u00b0",
397                 (cur.getInt(cur.getColumnIndexOrThrow("lowTemperature"))));
398             mWeatherLocationString = cur.getString(
399                 cur.getColumnIndexOrThrow("location"));
400         } else {
401             Log.w(LOG_TAG, "No weather information available (cur="
402                 + cur +")");
403             mWeatherIconDrawable = null;
404             mWeatherHighTemperatureString = "";
405             mWeatherLowTemperatureString = "";
406             mWeatherLocationString = getString(R.string.weather_fetch_failure);
407         }
408
409         mHandy.sendEmptyMessage(UPDATE_WEATHER_DISPLAY_MSG);
410     }
411
412     private void refreshWeather() {
413         if (supportsWeather())
414             scheduleWeatherQueryDelayed(0);
415         updateWeatherDisplay(); // in case we have it cached
416     }
417
418     private void updateWeatherDisplay() {
419         if (mWeatherCurrentTemperature == null) return;
420
421         mWeatherCurrentTemperature.setText(mWeatherCurrentTemperatureString);
422         mWeatherHighTemperature.setText(mWeatherHighTemperatureString);
423         mWeatherLowTemperature.setText(mWeatherLowTemperatureString);
424         mWeatherLocation.setText(mWeatherLocationString);
425         mWeatherIcon.setImageDrawable(mWeatherIconDrawable);
426     }
427
428     // Adapted from KeyguardUpdateMonitor.java
429     private void handleBatteryUpdate(int plugStatus, int batteryLevel) {
430         final boolean pluggedIn = (plugStatus == BATTERY_STATUS_CHARGING || plugStatus == BATTERY_STATUS_FULL);
431         if (pluggedIn != mPluggedIn) {
432             setWakeLock(pluggedIn);
433
434             if (pluggedIn) {
435                 // policy: update weather info when attaching to power
436                 requestWeatherDataFetch();
437             }
438         }
439         if (pluggedIn != mPluggedIn || batteryLevel != mBatteryLevel) {
440             mBatteryLevel = batteryLevel;
441             mPluggedIn = pluggedIn;
442             refreshBattery();
443         }
444     }
445
446     private void refreshBattery() {
447         if (mBatteryDisplay == null) return;
448
449         if (mPluggedIn /* || mBatteryLevel < LOW_BATTERY_THRESHOLD */) {
450             mBatteryDisplay.setCompoundDrawablesWithIntrinsicBounds(
451                 0, 0, android.R.drawable.ic_lock_idle_charging, 0);
452             mBatteryDisplay.setText(
453                 getString(R.string.battery_charging_level, mBatteryLevel));
454             mBatteryDisplay.setVisibility(View.VISIBLE);
455         } else {
456             mBatteryDisplay.setVisibility(View.INVISIBLE);
457         }
458     }
459
460     private void refreshDate() {
461         final Date now = new Date();
462         if (DEBUG) Log.d(LOG_TAG, "refreshing date..." + now);
463         mDate.setText(DateFormat.format(mDateFormat, now));
464     }
465
466     private void refreshAlarm() {
467         if (mNextAlarm == null) return;
468
469         String nextAlarm = Settings.System.getString(getContentResolver(),
470                 Settings.System.NEXT_ALARM_FORMATTED);
471         if (!TextUtils.isEmpty(nextAlarm)) {
472             mNextAlarm.setText(nextAlarm);
473             //mNextAlarm.setCompoundDrawablesWithIntrinsicBounds(
474             //    android.R.drawable.ic_lock_idle_alarm, 0, 0, 0);
475             mNextAlarm.setVisibility(View.VISIBLE);
476         } else {
477             mNextAlarm.setVisibility(View.INVISIBLE);
478         }
479     }
480
481     private void refreshAll() {
482         refreshDate();
483         refreshAlarm();
484         refreshBattery();
485         refreshWeather();
486     }
487
488     private void doDim(boolean fade) {
489         View tintView = findViewById(R.id.window_tint);
490         if (tintView == null) return;
491
492         Window win = getWindow();
493         WindowManager.LayoutParams winParams = win.getAttributes();
494
495         winParams.flags |= (WindowManager.LayoutParams.FLAG_LAYOUT_IN_SCREEN);
496         winParams.flags |= (WindowManager.LayoutParams.FLAG_LAYOUT_NO_LIMITS);
497
498         // dim the wallpaper somewhat (how much is determined below)
499         winParams.flags |= (WindowManager.LayoutParams.FLAG_DIM_BEHIND);
500
501         if (mDimmed) {
502             winParams.flags |= WindowManager.LayoutParams.FLAG_FULLSCREEN;
503             winParams.dimAmount = DIM_BEHIND_AMOUNT_DIMMED;
504
505             // show the window tint
506             tintView.startAnimation(AnimationUtils.loadAnimation(this,
507                 fade ? R.anim.dim
508                      : R.anim.dim_instant));
509         } else {
510             winParams.flags &= (~WindowManager.LayoutParams.FLAG_FULLSCREEN);
511             winParams.dimAmount = DIM_BEHIND_AMOUNT_NORMAL;
512
513             // hide the window tint
514             tintView.startAnimation(AnimationUtils.loadAnimation(this,
515                 fade ? R.anim.undim
516                      : R.anim.undim_instant));
517         }
518
519         win.setAttributes(winParams);
520     }
521
522     @Override
523     public void onResume() {
524         super.onResume();
525         if (DEBUG) Log.d(LOG_TAG, "onResume");
526
527         // reload the date format in case the user has changed settings
528         // recently
529         mDateFormat = getString(com.android.internal.R.string.full_wday_month_day_no_year);
530
531         IntentFilter filter = new IntentFilter();
532         filter.addAction(Intent.ACTION_DATE_CHANGED);
533         filter.addAction(Intent.ACTION_BATTERY_CHANGED);
534         filter.addAction(ACTION_MIDNIGHT);
535
536         Calendar today = Calendar.getInstance();
537         today.add(Calendar.DATE, 1);
538         mMidnightIntent = PendingIntent.getBroadcast(this, 0, new Intent(ACTION_MIDNIGHT), 0);
539         AlarmManager am = (AlarmManager) getSystemService(Context.ALARM_SERVICE);
540         am.setRepeating(AlarmManager.RTC, today.getTimeInMillis(), AlarmManager.INTERVAL_DAY, mMidnightIntent);
541         registerReceiver(mIntentReceiver, filter);
542
543         doDim(false); // un-dim when resuming
544         restoreScreen(); // disable screen saver
545         refreshAll(); // will schedule periodic weather fetch
546
547         setWakeLock(mPluggedIn);
548
549         mIdleTimeoutEpoch++;
550         mHandy.sendMessageDelayed(
551             Message.obtain(mHandy, SCREEN_SAVER_TIMEOUT_MSG, mIdleTimeoutEpoch, 0),
552             SCREEN_SAVER_TIMEOUT);
553
554         final boolean launchedFromDock
555             = getIntent().hasCategory(Intent.CATEGORY_DESK_DOCK);
556
557         if (supportsWeather() && launchedFromDock && !mInDock) {
558             // policy: fetch weather if launched via dock connection
559             if (DEBUG) Log.d(LOG_TAG, "Device now docked; forcing weather to refresh right now");
560             requestWeatherDataFetch();
561         }
562
563         mInDock = launchedFromDock;
564     }
565
566     @Override
567     public void onPause() {
568         if (DEBUG) Log.d(LOG_TAG, "onPause");
569
570         // Turn off the screen saver. (But don't un-dim.)
571         restoreScreen();
572
573         // Other things we don't want to be doing in the background.
574         unregisterReceiver(mIntentReceiver);
575         AlarmManager am = (AlarmManager) getSystemService(Context.ALARM_SERVICE);
576         am.cancel(mMidnightIntent);
577         unscheduleWeatherQuery();
578
579         super.onPause();
580     }
581
582     @Override
583     public void onStop() {
584         if (DEBUG) Log.d(LOG_TAG, "onStop");
585
586         // Avoid situations where the user launches Alarm Clock and is
587         // surprised to find it in dim mode (because it was last used in dim
588         // mode, but that last use is long in the past).
589         mDimmed = false;
590
591         super.onStop();
592     }
593
594     private void initViews() {
595         // give up any internal focus before we switch layouts
596         final View focused = getCurrentFocus();
597         if (focused != null) focused.clearFocus();
598
599         setContentView(R.layout.desk_clock);
600
601         mTime = (DigitalClock) findViewById(R.id.time);
602         mDate = (TextView) findViewById(R.id.date);
603         mBatteryDisplay = (TextView) findViewById(R.id.battery);
604
605         mTime.getRootView().requestFocus();
606
607         mWeatherCurrentTemperature = (TextView) findViewById(R.id.weather_temperature);
608         mWeatherHighTemperature = (TextView) findViewById(R.id.weather_high_temperature);
609         mWeatherLowTemperature = (TextView) findViewById(R.id.weather_low_temperature);
610         mWeatherLocation = (TextView) findViewById(R.id.weather_location);
611         mWeatherIcon = (ImageView) findViewById(R.id.weather_icon);
612
613         final View.OnClickListener alarmClickListener = new View.OnClickListener() {
614             public void onClick(View v) {
615                 startActivity(new Intent(DeskClock.this, AlarmClock.class));
616             }
617         };
618
619         mNextAlarm = (TextView) findViewById(R.id.nextAlarm);
620         mNextAlarm.setOnClickListener(alarmClickListener);
621
622         final ImageButton alarmButton = (ImageButton) findViewById(R.id.alarm_button);
623         alarmButton.setOnClickListener(alarmClickListener);
624
625         final ImageButton galleryButton = (ImageButton) findViewById(R.id.gallery_button);
626         galleryButton.setOnClickListener(new View.OnClickListener() {
627             public void onClick(View v) {
628                 try {
629                     startActivity(new Intent(
630                         Intent.ACTION_VIEW,
631                         android.provider.MediaStore.Images.Media.EXTERNAL_CONTENT_URI)
632                             .putExtra("slideshow", true)
633                             .addFlags(Intent.FLAG_ACTIVITY_NEW_TASK|Intent.FLAG_ACTIVITY_CLEAR_TOP));
634                 } catch (android.content.ActivityNotFoundException e) {
635                     Log.e(LOG_TAG, "Couldn't launch image browser", e);
636                 }
637             }
638         });
639
640         final ImageButton musicButton = (ImageButton) findViewById(R.id.music_button);
641         musicButton.setOnClickListener(new View.OnClickListener() {
642             public void onClick(View v) {
643                 try {
644                     Intent musicAppQuery = getPackageManager()
645                         .getLaunchIntentForPackage(MUSIC_PACKAGE_ID)
646                         .addFlags(Intent.FLAG_ACTIVITY_NEW_TASK|Intent.FLAG_ACTIVITY_CLEAR_TOP);
647                     if (musicAppQuery != null) {
648                         startActivity(musicAppQuery);
649                     }
650                 } catch (android.content.ActivityNotFoundException e) {
651                     Log.e(LOG_TAG, "Couldn't launch music browser", e);
652                 }
653             }
654         });
655
656         final ImageButton homeButton = (ImageButton) findViewById(R.id.home_button);
657         homeButton.setOnClickListener(new View.OnClickListener() {
658             public void onClick(View v) {
659                 startActivity(
660                     new Intent(Intent.ACTION_MAIN)
661                         .addFlags(Intent.FLAG_ACTIVITY_NEW_TASK|Intent.FLAG_ACTIVITY_CLEAR_TOP)
662                         .addCategory(Intent.CATEGORY_HOME));
663             }
664         });
665
666         final ImageButton nightmodeButton = (ImageButton) findViewById(R.id.nightmode_button);
667         nightmodeButton.setOnClickListener(new View.OnClickListener() {
668             public void onClick(View v) {
669                 mDimmed = ! mDimmed;
670                 doDim(true);
671             }
672         });
673
674         nightmodeButton.setOnLongClickListener(new View.OnLongClickListener() {
675             public boolean onLongClick(View v) {
676                 saveScreen();
677                 return true;
678             }
679         });
680
681         final View weatherView = findViewById(R.id.weather);
682         weatherView.setOnClickListener(new View.OnClickListener() {
683             public void onClick(View v) {
684                 if (!supportsWeather()) return;
685
686                 Intent genieAppQuery = getPackageManager()
687                     .getLaunchIntentForPackage(GENIE_PACKAGE_ID)
688                     .addFlags(Intent.FLAG_ACTIVITY_NEW_TASK|Intent.FLAG_ACTIVITY_CLEAR_TOP);
689                 if (genieAppQuery != null) {
690                     startActivity(genieAppQuery);
691                 }
692             }
693         });
694     }
695
696     @Override
697     public void onConfigurationChanged(Configuration newConfig) {
698         super.onConfigurationChanged(newConfig);
699         if (!mScreenSaverMode) {
700             initViews();
701             doDim(false);
702             refreshAll();
703         }
704     }
705
706     @Override
707     public boolean onOptionsItemSelected(MenuItem item) {
708         if (item.getItemId() == R.id.menu_item_alarms) {
709             startActivity(new Intent(DeskClock.this, AlarmClock.class));
710             return true;
711         } else if (item.getItemId() == R.id.menu_item_add_alarm) {
712             AlarmClock.addNewAlarm(this);
713             return true;
714         }
715         return false;
716     }
717
718     @Override
719     public boolean onCreateOptionsMenu(Menu menu) {
720         MenuInflater inflater = getMenuInflater();
721         inflater.inflate(R.menu.desk_clock_menu, menu);
722         return true;
723     }
724
725     @Override
726     protected void onCreate(Bundle icicle) {
727         super.onCreate(icicle);
728
729         mRNG = new Random();
730
731         try {
732             mGenieResources = getPackageManager().getResourcesForApplication(GENIE_PACKAGE_ID);
733         } catch (PackageManager.NameNotFoundException e) {
734             // no weather info available
735             Log.w(LOG_TAG, "Can't find "+GENIE_PACKAGE_ID+". Weather forecast will not be available.");
736         }
737
738         initViews();
739     }
740
741 }