Pages

Showing posts with label a. Show all posts
Showing posts with label a. Show all posts

Thursday, March 12, 2015

Running a Positive Retrospective and avoiding a gripe session

A few times recently Ive been asked about retrospectives - specifically how to keep them from becoming a gripe session. Here are a few things that Ive found effective:

1. Start with the positive 

While we certainly want to talk about and address any issues, I like to talk about the positive things that have occurred during the last period before we delve into things we might want to change. I havent yet been involved in a retrospective where the list of positive things wasnt long. This helps set the tone for the rest of the retrospective.

2. Wording matters 

I still have strong memories of watching Linda Rising run a retrospective for the Agile Vancouver organizing team in 2010. The words she chose as facilitator were powerful in keeping the retrospective positive yet useful. Instead of writing down "what went well", participants were asked to complete the phrase "it was great because..." (see the full quote and story at the link above). Instead of writing down "what didnt go well", they were reminded that no process is perfect and to write down "what they would do differently the next time". This simple re-wording of the phrases is powerful.

3. Every voice is heard 

If youve met me in person or even just through this blog, you probably know my passion for silent brainstorming. Generating in silence and discussing out loud isnt just a great way to get more ideas on the table, it is also a fantastic way to make sure every voice is heard. Weve all been at retrospectives where one or more people with loud voices carry the conversation and the ideas. That isnt fun and doesnt encourage a positive atmosphere.

4. Build up Trust 

Using the 3 things above have shown themselves to be important in building up trust but sometimes you need to go a little farther. With new teams Ive found that walking through Norm Kerths prime directive can be a helpful way to eliminate blame from the discssion. They dont even have to believe the prime directive is true, they just have to act as if it is true for the period of the retrospective. I have found this pattern to be important to building up trust over time.

5. Do the (small) change

Finally, the point of all of this is to find ways to improve. If your team is having positive discussions about change and then doesnt follow through, the retrospectives become a waste of time. One simple way to make sure the change happens is to put the action items into your backlog and then start off the next retrospective by reviewing them to see if they were done and if they were helpful.

All the best in making your retrospectives more powerful by making them a positive experience. Feel free to add your tips in the comments.

Subscribe to Winnipeg Agilist by Email
Read more »

Wednesday, March 11, 2015

Guest Post Integrating with Google Drive via a Chrome Web Store App

This post is prepared by Nina Gorbunova, Teamlab Office Marketing Manager

About Teamlab Personal
Teamlab Personal is a suite of online document editors free for individual use. Weve recently implemented two way integration with Google Drive and would like to share our experience.

Why Google Drive integration
Many of our users connect Google Drive to Teamlab, and we wanted to reach more by being in the Chrome Web Store. The availability of Google Drive SDK and Google Drive API helped us fit it all together. We thought: if a user can connect a Google Drive account to Teamlab Personal, why not build a return path? In the eyes of users, it is an enhancement of their Drive accounts. They get an opportunity to process documents using high formatting quality in browser and to make one more step away from desktop apps.

Integration goals
From the technical side, here is what we wanted to do:
  • Integrate Teamlab editors and viewers with Google Drive.
  • Provide co-editing opportunities.
  • Enable file conversion and creating new files in the common Office Open XML format.
  • Enable users to login with Google to use Teamlab Personal.
Five steps to achieve two-way integration
  1. We registered with Google’s developer console, added our project and connected the Drive API and Drive SDK to the app.
  2. Then we needed to decide what scopes our app needed to access the Google Drive API. We chose the minimal set, ample for us to access the files to edit without trespassing the user’s privacy (most users are not likely to provide full access to 3rd party apps)

  3. Because we work with traditional office apps, we chose docx, xlsx and pptx formats as default file extensions for our app. We also added secondary formats: ppt, pps, odp, doc, odt, rtf, txt, xls, csv, ods, mht, html, htm, fb2, epub, pdf, djvu.
  4. The current listing for the pre-existing app, we modified the code and added the following to the manifest: "container" : "GOOGLE_DRIVE","api_console_project_id" : "YOUR_APP_ID". Once a user installs Teamlab Personal app from Chrome Web Store, it automatically connects to their Google Drive account.
  5. Finally, Teamlab Personal uses OAuth 2.0 for authorization and file access. The application processes requests for creating and opening files.
How it works
As soon as youve installed Teamlab Personal from the Chrome Web Store, the integration automatically activates. Now, you can choose the Teamlab icon when creating new and editing the existing documents.


If the user selects the Teamlab editor as the default, .docx, .xlsx and .pptx files are opened in Teamlab automatically. For other documents, we create a copy in Office Open XML format which will be saved on Drive alongside the original.

Requests processing at personal.teamlab.com

When a file is opened or created on Google Drive using the Teamlab Personal application, the handler gets the request with the following parameters: "ids" ("folderId" if case of file creation), "action", "userId" and "code". The "code" parameter is used to get the authentication token via OAuth 2.0 protocol (with the help of the request to https://accounts.google.com/o/oauth2/token with the "client_id", "client_secret", "redirect_ur parameters", and the additional "grant_type=authorization_code" parameter from the developer console). The received token is used in the subsequent requests. The "ids" parameter is the file to be opened identifier which is sent to the https://www.googleapis.com/drive/v2/files/ address in JSON format. The returned "mimeType" and "downloadUrl" are used to get the file content. Thats all what is needed to open the document file in Office Open XML format (.docx, .xlsx or .pptx) in Teamlab.

Files in other formats are converted to the corresponding Office Open XML format and a copy is saved to the Drive folder prior to opening. In this case the "downloadUrl" is used to get the original file. The file is saved with the help of the POST request to the https://www.googleapis.com/upload/drive/v2/files address. In this request the "ContentType" is set as "multipart/related; boundary=boundary" and the request body contains the file information placed before the main request content.

Request code:

string CreateFile(Stream content, string fileName, string mimeType, string folderId, string accessToken){
var bytes = Encoding.UTF8.GetBytes(
"
--boundary
Content-Type: application/json; charset=UTF-8

{"title":""
+ fileName + "","parents":[{"id":"" + folderId + ""}]}"
+ "
--boundary
Content-Type: " + mimeType + "

");

var tmpStream = new MemoryStream();
tmpStream.Write(bytes, 0, bytes.Length);
content.CopyTo(tmpStream);

bytes = Encoding.UTF8.GetBytes("
--boundary--
");
tmpStream.Write(bytes, 0, bytes.Length);

var request = WebRequest.Create("https://www.googleapis.com/upload/drive/v2/files?uploadType=multipart");
request.Method = "POST";
request.Headers.Add("Authorization", "Bearer " + accessToken);
request.ContentType = "multipart/related; boundary=boundary";
request.ContentLength = tmpStream.Length;

var buffer = new byte[2048];
int readed;
tmpStream.Seek(0, SeekOrigin.Begin);
while ((readed = tmpStream.Read(buffer, 0, 2048)) > 0) {
request.GetRequestStream().Write(buffer, 0, readed);
}
return request.GetResponse().GetResponseStream();
}

Conclusion
The "Works with Google Drive" label does its magic indeed. We strongly recommend other developers build a Chrome Web Store app, as the results are clear and valuable. We had a high jump in installs (see the graph below) after we completed our integration. Teamlab Personal website traffic doubled and we received more than enough of users’ feedback – great impact for further development.

Google Chrome Web Store Impressions&Installations Statistics. Launch - April.

About the author
Nina started her career at Teamlab in 2011 as an intern. She is now a Senior Marketing Manager at Teamlab Office.
Read more »

Monday, March 9, 2015

Building SaaSy Voice a test application for the Apps Marketplace

As we build out a new platform and APIs for developers, we find it helpful to create our own applications to try it out. It helps us validate and influence the design based on direct experience using the APIs. In the case of the Google Apps Marketplace, we needed a real application to integrate with Google Apps. We decided to build SaaSy Voice -- a web-application for handling the phone system for small and medium businesses. For the call features we used Twilio, a cloud based voice communications provider.

Why did we decide to build SaaSy Voice? Voice applications are fun and allowed us to experiment not only with our APIs, but with Twilio’s voice APIs. Learning new APIs and creatively mashing them up with Google technologies is one of the many reasons we love our jobs in Developer Relations.

The first step in launching our application on the Google Apps Marketplace was to build the core business logic. This was simple. We wanted to allow companies to buy a new phone number for their business, assign extensions to their employees, and allow for voicemail or call forwarding to existing numbers. We wanted simple management functionality for administrators to manage extensions and view call activity for their company. In just a few days we built the core application in PHP with a MySQL database and spiced up the design a bit by using free CSS templates.

The next, and very important step, for our application was to integrate with Google Apps. We started with single sign-on integration using OpenID. Allowing users to quickly access their voicemail using their existing Google Apps account is a great user experience and a common feature of apps in the Google Apps Marketplace. We used Janrain’s PHP OpenID library with the Google Apps discovery extensions to integrate OpenID very quickly.

Our integration with Google Apps wasn’t complete with just single sign-on though, as we were aware that many other integrations with Google Apps could improve application provisioning for administrators and day-to-day effectiveness for end-users.

Here was our initial list of most helpful integrations:

Make the signup process easier. Instead of manually entering employee information by hand or implementing a cumbersome bulk import process, the application simply connects to Google Apps and automatically retrieves the list of users in the domain. Administrators can easily choose which of their users to assign extensions to. (Provisioning API)

Integrate with a user’s existing contact data to allow employees to see who called them. Showing rich contact information inline with voice mails makes it easier to reply to messages by phone or e-mail. (Contacts API)

Export voicemail logs and analyze them in a form business users are comfortable with: the spreadsheet. The application automatically creates spreadsheets in Google Docs where logs can be easily filtered, sorted and visualized. (Documents List API)


Integrate voicemail activity into Gmail. Business users often spend much of their day in their e-mail inbox. Instead of requiring users to open a new window to review voicemails, the gadget integrates a simple list view of recent voicemails and allows them to play messages without leaving their e-mail. (Gmail Sidebar Gadgets)


Integrating with a business’ contacts, docs, e-mail and company directory makes the application much easier for both administrators and employees, saving valuable time. Of course, there are plenty of other ways to improve the efficiency of SaaSy Voice users that we have yet to develop.

To name a few:
  • E-mail voicemail messages to users as they arrive. Using Gmail Contextual Gadgets, we can embed a voicemail player right below the e-mail to allow a user to listen to their message right away.
  • Create a Gmail Contextual Gadget that gives a one-click option for calling the user who e-mailed you. When you click the ‘call’ button, the sender is called on their phone number stored in the user contacts and you’re connected immediately using your company phone number.
Since SaaSy Voice provisions a new phone number for each company using the service, it costs money. We don’t want to go poor when lots of anxious developers try it out and also don’t want to start a new business right now, so it’s not currently published in the Apps Marketplace. However, there’s an application similar to SaaSy Voice which recently launched in the Apps Marketplace. It’s called Ginza Phone and their developers have thought of a few other great Google Apps integrations like using the Google Calendar API to look up a user’s free/busy schedule to determine how to best route calls.

These are just a few of examples of how integration can improve the productivity of users, and the possibilities are endless. We’ve heard from customers and vendors alike that Google Apps users love integrated applications. We look forward to hearing about the great integrations you build -- let us know what you’re doing via Tweeting/Buzzing with #AppsIntegrations.

You can learn more about how we built SaaSy Voice, you may wish to watch our Google I/O session on Integrating your app with the Google Apps Marketplace.

Read more »

Tuesday, March 3, 2015

How to Make a PowerPoint Legal Sized

This tutorial is pretty easy, but not as easy as you would think.  In theory, if I change the paper size in one area of the document, shouldnt everything sync and know that my document is legal sized?  Unfortunately, thats not the case!  Either way, its pretty easy to do (and very helpful when you make your own classroom items!







You can download this tutorial as a PDF by clicking this picture!
https://drive.google.com/file/d/0B4WPihx63tTnTF9EYmtRX2w3UTA/edit?usp=sharing
Note: This tutorial is hosted on Google Drive.  To save it from there, just open the file and click File > Download to save onto your computer!

For next weeks poll, Ill add the option to recolor an image in PowerPoint.  Be sure to vote for whatever choice you want to win!  Also, be sure to add any other ideas you want me to write about on my Technology Tuesday form!


Read more »

What Did They Say! Wednesday! A Linky Party!

I think I could write a novel with all of the funny things my kids say each week!  But... since I dont know a publisher Ill do another linky party instead!

What Did They Say!?

<div align="center"><a href="http://aturntolearn.blogspot.com/" title="What Did They Say!?"><img src="http://4.bp.blogspot.com/-OIhmtxluCS0/ULwEfazkl1I/AAAAAAAADpM/MMMzxm23B0Y/s320/What+Did+They+Say+Wednesday.png" alt="What Did They Say!?" style="border:none;" /></a></div>

This is possibly a story that only tech geeks will appreciate, so it obviously made my day!!


In class we were reviewing words with "w" at the beginning and one student said "windows."  Another student excitedly calls out: "I have Windows 7!"

I wanted to reply with "I do too and I love it so much more than I liked Vista!"  I honestly dont think he would have understood that response though!


Now... its time to share your cute kids story from this week!

Rules for the Linky Party:

  1. Share a story that one of your kids said on your blog!  If you dont have a blog, leave a comment with your story!
  2. Use the HTML code at the top of this post to link back to the post!
  3. Comment on the two blog posts before yours!


);


Read more »

Sunday, March 1, 2015

A Freebie to Celebrate!

Since I finally figured out how to add the button to follow me and I have my first four followers, I figured Id celebrate a bit by posting a free game!  Click any of the pictures to take you to my TPT store to download it!




 

To my new followers - thank you for following my new blog!   Enjoy the freebie!  Let me know if you like it!


 Check out some other free items through this linky!

You can also check out other Easter themed freebies on these linkies!



Read more »

How to Make a Photo Mosaic

I have to admit I am obsessed with these photo mosaics.  Ive given them as gifts for bridal showers, birthdays, and Christmas!  I also made one with all of the pictures from my wedding and had it printed on canvas and its hanging up in my living room looking absolutely fantastic!  Do you want to know the best part of all!?  Theyre actually SUPER easy to make! 



I gave one of these as a gift to a coworker this Christmas and another coworkers first reaction was, "So youre making a tutorial for that, right!?"  So here it is... I added this option to the poll just for her... and it won the poll this week!



First things first, download the program here:

http://www.andreaplanet.com/andreamosaic/

Now its time to play along.  I promise its much easier than it looks!






Here are two versions of the mosaic for you to see close up.

This one has 1500 tiles:

This one has 5000 tiles:

All of your settings will depend largely in part on what pictures you use, so be sure to play around with the settings!

You can download this tutorial as a PDF by clicking this picture!
https://drive.google.com/file/d/0B4WPihx63tTnRDNoM3kwR0JNM0U/edit?usp=sharing
Note: This tutorial is hosted on Google Drive.  To save it from there, just open the file and click File > Download to save onto your computer!

 Ive been playing around recently with using Smart Notebook files on other types of interactive white boards, and I figured Id offer help for one of the whiteboards on the poll: How to open a Smart Notebook File on a Mimio board!

Read more »

Friday, February 27, 2015

Recapping a Smashing 2012!



Alhamdulillah, 2012 was an exciting year with many inspiring learning adventures and memories! For those of you who missed some of them, or are new to ZaidLearn, here is a compilation of the learning adventures and ideas explored in 2012. The compilation is organized into themes, rather than just a bunch of links archived according to chronological order. 
  

IMU WEBINAR SERIES



The IMU Webinar Learning Series was conceptualized late 2011 and launched early 2012. This initiative’s mission is to connect inspiring and exceptional educators around the world to share their knowledge, best practices, experiences and wisdom related to learning and e-Learning to educators attending online from IMU, Malaysia and around the world. Anyone is free to attend the live webinar (web conferencing) sessions, and all the sessions are recorded, and made available online as Open Educational Resources (OER).

14 webinars have been successfully completed since it was launched, and it has attracted some world renowned learning experts to share their knowledge and experiences on various topics.  
  1. Facebook for Learning and Teaching? (Zaid Alsagoff)
  2. Web Conferencing for Teaching, Learning and Meetings (Zaid Alsagoff and Fareeza Marican)
  3. How to Become a Rapid E-Learning Pro (Tom Kuhlmann) 
  4. Facilitating a Massive Open Online Course (Stephen Downes)  
  5. Games, Gamification and the Need for Engaging Learners (Karl Kapp)  
  6. From Tinkering to Tottering to Totally Extreme Learning (Curtis Bonk)  
  7. e-Learning in Malaysian Institutions of Higher Learning: Lessons Learnt, Issues & Challenges (Prof. Amin)  
  8. Social Learning Revolution (Jane Hart)  
  9. Using Technogogy for Engaging & Effective Learning (Prof. Rozhan)  
  10. 10 Ways to Be a Better Learner (Jeff Cobb)  
  11. Instructional Design for the Real World (Jane Bozarth) 
  12. Social Media & Mobile Technology: Learning in a Digital Age (Steve Wheeler)  
  13. Your Brain on Graphics (Connie Malamed)  
  14. Authenticity & WizIQ (Nellie Deutsch)

I simply cant put into words how much I have learned by interacting with all these great learning minds, and organizing this online webinar series with IMUs e-Learning Team (Fareeza, Hasnain and Frashad...Who is now with Sime Darby). Also, it is inspiring to know that my boss Prof. Jai Mohan will always try to attend the webinar sessions, wherever he may be.

While the webinars were awesome, I had most fun trying to persuade many of these learning giants to do a webinar for this series, and some were really hard to convince (and a few impossible ones, too). For example, to convince Curtis Bonk was no easy task, and I had to use tactics unheard of in the Academic world to make that happen.



Also, we did experience some hurdles and bloopers during the webinar series, which are today unforgettable learning memories. For example, one speaker didnt turn up for the webinar session due to a miscommunication, and this can certainly happen when the talk is scheduled on different days due to time differences. 

So, please always send multiple e-mail reminders (e.g. 24 hours and 2 hours before) to ensure that the speakers dont forget the event. Remember, experts are always busy, and often forgetful even with Calendar reminders.  

 

OPEN EDUCATIONAL RESOURCES (OER)


I really have to thank Tan Sri Emeritus Prof Dr Gajaraj Dhanarajan and Prof Mohandas Balakrishna Menon foremost for convincing me to conduct OER workshops. First, Tan Sri Gajaraj asked me late 2011 to write an OER chapter with him, which I declined. But then early 2012, Prof. Mohandas persuaded me to conduct an OER Workshop at Wawasan Open University (I had been recommended to him by Tan Sri Gajaraj). 

Before this, I have for several years been exploring OER in my talks and workshops, but never conducted a workshop dedicated to OER. I suppose, this focused exploration into OER, helped me rediscover my passion for OER (which started in 2005). And since April 2012, I have given 2 talks and facilitated 4 (2-day) workshops on OER in various places. 

So, I must be doing something right here.

Talks
  • OER Talk (at UKM)
  • OER TAlk (at MEIPTA)

Workshops
  • The OER Workshop (at WOU)
  • The OER Workshop (at USM)
  • The OER Workshop II (at USM) 
  • The OER Workshop (at IMU)

Interestingly, there are already 3 more OER workshops in the pipeline for 2013 (including two in Saudi Arabia).



LEARNING INNOVATION TALKS (LIT)

Learning Innovation Talks (LIT) is the first real innovation to spark out of the Learning Innovation Circle (LIC).


    The idea behind LIT was to organize 2-3 events per year, whereby educators could get together to share their learning and teaching innovations with one another in a more informal, relaxed, learning enriched, and innovative manner compared to traditional conferences and seminars.

    There is no fixed format, and it is up to the organizer to explore and innovate how sharing and learning should take place. The first two LIT rounds were held at University of Malaya (7 March), and Taylor’s University (20 November) respectively.
     
    My LITs
    • Using Twitter to Transform Classroom Learning (Round 1)
    •  Gamifying Classroom Learning (Round 2)

    The 3rd LIT event will be organized by the International Medical University (IMU), and is tentatively scheduled to happen sometime in April 2013. This LIT will be hosted fully online, and it will be interesting to see how this innovation unfolds.


    21st CENTURY EDUCATOR

    I gave a talk exploring The DNA of a 21st Century Educator at the Annual Teaching and Learning Seminar 2012 at USM (26th June). Based on feedback, it was very well received. Then, I gave the talk at IMU, but hardly anyone turned up for this particular session. So, I thought, maybe I should not talk about this topic anymore. 

    Then I uploaded my presentation slides to SlideShare, and it became Top Presentations of the day (3 are selected everyday among thousands) within hours, and WOW-LY it received 15,000+ views in 2 days.  Hmm, perhaps I should talk about this and explore this even more. 

    On the 4th October (2012), I also gave the evolving 21st Century Educator talk at the Institut Pendidikan Guru Kampus Bahasa Melayu (Kuala Lumpur).


    DNA of a 21st Century Educator (v3) from Zaid Alsagoff

    My Talks
    • The DNA of a 21st Century Educator  at USM
    • DNA of a 21st Century Educator at IPGKB  

    Whatever happens regarding this particular talk, I really enjoyed researching and exploring this area, so why stop here?



    SOCIAL MEDIA

    As usual, I did conduct Social Media related talks and workshops during 2012, too. Most interestingly,  I  facilitated two 2-day Using Facebook & Twitter for Learning & Teaching workshops at the National Center for E-learning and Distance Learning (NCeL), Riyadh (Saudi Arabia), from 6-9 May (Male and Female). 

    Talks
    • Empowering Personal Learning Environments at USM!  
    • Using Social Media for Research at APAME Convention 2012

    Using Social Media for Research from Zaid Alsagoff

    Workshops
    • 2 Using Facebook & Twitter For Learning & Teaching Workshops at NCeL (Saudi Arabia) 
    • Facebook for Learning at Unirazak 
    • Twitter for Learning at Unirazak
    • Blogging for Learning at Unirazak

    ARTICLES & IDEAS

    Besides giving talks and workshops, I did manage to explore some ideas and discover some sizzling learning resources during 2012. Here they are:
    • Move Aside TEDx, Here Comes The Learning Innovation Talks (LIT)!  
    • Rediscovering Curt Bonks Extreme Learning World!
    • Gamify to Amplify the Learning Experience!  
    • Are You a Learning Gladiator? Creating a Master List!  
    • The Best Quick Reference Guides to Web 2.0 on the Planet...Period!  
    • From Flipped to Gamified Classroom Learning!  
    • A Juicy Collection of Blooms Digital Taxonomies!
    •  The Autism Revolution: Chronic, Persistent & Changeable Features (Martha Hebert) 

     
    2013?

    So, what have I planned for 2013? Seriously, planning is not my strongest point. I work best, when I let learning take its natural flow. 

    Though, I have finally decided to take that PhD pill, and will Insya-Allah embark on my PhD with OUM in 2013. Since many people I know cannot stop calling me either Doctor or Professor, it is about time I officially embark on becoming one. Focus area? OER!

    While I focused on designing sizzling learning experiences in 2012, I want to focus on designing more authentic and engaging assessment in 2013. If we want real change in the learning process and mindset of learners, we have to rethink and transform assessment. We have to stop kidding ourselves believing that essay and tick-your-answer questions alone are going to prepare students to become successful citizens and workers in a 21st century world.

    We also know that assessment and exams drive students to study and learn, so why not use them to truly transform students learning for the better?

    However, my first mission in 2013 is to prepare and facilitate an iPad for Learning & Teaching workshop on the 9th January (IMU staff only). Why iPads? Why not? :)
    Read more »

    IMU Student Blogging Project to Promote a Healthy Lifestyle!


    "Every blog has a story behind it."
    - Teenage Advisor


    THE STORY
    In late October 2010, Sheba DMani, the coordinator (facilitator) for the A Critical and Reflective Response to Media (Medical Humanities Selective) course (at IMU) explored with me the idea of assigning students to work in groups to develop blogs addressing important issues and promoting a healthy lifestyle.

    Of course that made me excited, as I have been promoting the usage of web 2.0 and social media for learning ever since I joined IMU (June 2009). And having already been through one cycle assisting Prof. Khoo Suan Phaik with her students project using Google Sites, I was quite confident it would be an inspiring and valuable learning experience.

    Interestingly, both these inspiring lecturers are not exactly IT-savvy, but they were willing and open to explore possibilities, and with a bit of assistance they managed to get through both projects successfully without too much hassle. As todays Y-generation (Most IMU students) is already quite IT-savvy, you dont exactly need to train them, but instead explore and empower them with creative ideas and possibilities.



    A CRITICAL & REFLECTIVE RESPONSE TO MEDIA
    This module facilitated by Sheba DMani focuses on connections between media and health within socio-cultural contexts. Media in the form of text and graphic presented through visual and audio modes from magazines, television and internet will be explored. These may include advertisements, films and music videos related to themes on health and healthcare. Students will approach these media texts through critical interpretation, reflective thinking and creative presentations. Upon completing this course, students will have learned that the media constructs views of the real world and that these views have been mediated to provide filtered and partial meaning of health belief and behaviour.



    THE PROJECT & EVALUATION PROCESS
    So, instead of writing a group assignment (using Microsoft Word/PowerPoint) to impress the lecturer, students were assigned to create a blog and promote their mission to the world. Surely that is more inspiring and exciting, right?

    The students were assigned randomly into groups (consisting of 10 or less) and had three weeks (29 Nov-17 Dec) to prepare the blog, before presenting their project to the class and a selected group of evaluators. The blogs purpose was to promote health information to a specific audience (i.e. children, teenagers, adults, special needs and pregnant women).

    The blogs would be evaluated based on their originality and creativity (title, tag-line, content, etc.), and the blog had to include at least 3 articles/columns and/or editorials that convey messages on the chosen topic. Finally, each blog had to include at least one video or audio message developed by the group.

    Strong emphasis was given on originality, and students were reminded the importance of avoiding plagiarism and dealing with risk communication. In other words, it is important to acknowledge and appreciate authors and sources (re)used to develop the content for the blogs.

    Overall, the blogs were assessed for accuracy and relevance of information, creativity, interactive features and the use of media techniques. To make it more exciting and competitive, each group did not make their blogs available to the other groups (or public) before their group presentation on the 16th December (2010).

    Each group was given 30 minutes to present and defend their blog on the 16 December. Interestingly, Assoc. Prof. Dr. SriKumar Chakravarthi (IMU lecturer) whom was one of the evaluators was in India during this period, but still managed to watch and participate in the evaluation process using Skype. In addition to getting feedback from other class mates and evaluators, students voted for their favorite blog (using the Moodle poll feature) after the group presentation.

    So, what was my role besides being one of the evaluators? As Sheba DMani is not too familiar with blogging, I handled a Q&A session on creating a blog with the students on the 3rd December. No, I didnt present any PowerPoint slides! I simply came to class, asked them relevant questions, and explored possibilities from this awesome list of free learning tools they could use to create or reuse sizzling content for their blogs.

    So, how much did this project cost? In terms of technology, all the online tools they used to spread their message to the world cost.... ZERO! Not bad!



    STUDENT LEARNING OUTPUT?


    Nutrition 101 in Pregnancy
    "Healthy foods for a healthy baby"

    This blog aims to guide pregnant women through the process of making a positive change in the diet. It discusses and explores nutrition tips, delicious recipes, common myths, pregnancy tips and no-nos, useful links, and a few cool widgets, including the Weekly Pregnancy Calendar. Overall, the blog is well-designed providing the user with a visually soothing and user-friendly navigation experience, which is certainly a requirement for any pregnant woman.

    The project team (Amelia, Melisa, Moushini, Natasha, Ray, Shahira, and Sharon) did a great collaborative effort. Congratulations!

    In one word: Wonderful!




    Teen Advisor
    "Teenage Life is Never Black & White"

    This blog focuses on adolescent issues aimed at the teenage population of 13-19. It explores in an emotionally creative, but informative way common youth challenges such as alcohol, drugs, relationships (family/friends/girlfriend/boyfriend), stress and smoking.

    To really connect with the youth in an inspiring and engaging way, this hard working project team mashed-up their own original graphics, directed and recorded a short Abstinence Educational Video, set up a Facebook page, and used Xtranormal to create this cool animated video:




    In one word: AWESOME!




    Pink Awareness
    "BIG or small, We Save them All"

    This blog aims to provide a one stop avenue for information on breast cancer in an easy way to understand. Its combination of stylish (pink) and interactive design, easy navigation, and relevant topics makes it a great place to discover more about breast cancer, which include symptoms, risk factors, preventive measures, test and diagnosis, and alternative medicine. In addition to developing a great website, the project team (Qi Quan, Melody, Wern Ching, Shariffa and Praveena) developed a very informative Breast Self-Examination video...




    In one word: INSPIRING!




    Understanding Asperger’s Syndrome

    This blog focuses on Aspergers Syndrome, which is often misunderstood among people. Aspergers Syndrome is an autism spectrum disorder that is characterized by significant difficulties in social interaction, along with restricted and repetitive patterns of behavior and interests. The project team has done a good job in designing and structuring the few (identified), but relevant issues regarding this disability, which include helping people to recognize it, statistics and epidemiology, books and resources, and famous people with it. Did you know that Albert Einstein had Aspergers Syndrome? Now you know!

    In one word: INTERESTING!




    An Apple a Day Keeps the Doctor Away

    "Dont Forget to Brush Your Teeth"

    This blog provides some useful tips on how to take care of your health, including brushing your teeth, eating oranges and carrots, and washing your hands. The highlight of this blog has to be the creatively designed video developed by the project team (view contributors), entitled "The story of Bluey and Pinky.

    In one word: CREATIVE!




    LESSONS LEARNED
    From my experience working with students involved in projects requiring them to develop a website (using web 2.0), often complain that it is time consuming and that it requires a lot of work. But by knowing that their work will continue to live on (more meaning), and that they are publishing it to the world (instead of only to the lecturer), they are willing to take up the challenge and put in a greater effort. In other words, their motivation often goes beyond grades, and that is very exciting and encouraging.

    Though, we still have to work on their fair use or reuse of external content and graphics, and teach them proper online referencing procedures, which is something we have to continue to work on. It is alright to quote and reuse (if permission is given), but we must appreciate and recognize other peoples work. As such we have already setup a site for IMU staff and students (only) exploring project based learning (in the e-learning portal), including proper online referencing procedures.

    Although, our e-learning portal (using Moodle) is wonderful for uploading and organizing course content, linking online resources, online discussions, assignment submissions, online quizzes, and so on, we should also encourage and empower students to use other web 2.0 and social media tools for creating creative content and informal learning. For example, several lecturers from the School of Pharmacy use Facebook for communicating online with their students, and have experimented with conducting Problem-Based Learning (PBL) sessions using Facebook Groups.

    I have noticed that some Universities in Malaysia ban the usage of Facebook and YouTube at their campuses, and use the excuse that they encourage poor learning/working habits and clog up their network (bandwidth) for other usages. That might be true, but if staff and students learn how to discipline themselves using such tools (no choice!), they will actually have access to some of the most amazing learning resources on the planet (for free), and be able to interact with experts and students from all over the world through Facebook groups/pages (e.g. Harvard University - Facebook). I cant think of a better investment for learning than boosting the network (bandwidth) to support online learning in all forms. The Internet is the heart, blood circulation, and oxygen of learning in the 21st century.

    More importantly, today more than ever, it is critical to encourage students to nurture their communication, collaboration, creative and analytical skills using the web and multimedia tools. Increasingly in the future, people in organizations will be working and collaborating online using the cloud, so it is important to encourage and necessary to prepare our students for this new world.

    Also, it is important to highlight here that the quality of the students output (results) at this stage is not as important as empowering their passionate and inquiring mindset to explore possibilities and ideas, and continuously reflect, learn and improve from these learning experiences. In short, focus more on the learning process than the output (results). Results will come as they learn. Some are early bloomers, others are late bloomers, and that is something we should never forget.

    Can you imagine hiring a graduate that cannot communicate and collaborate online? Try asking that same question in four years time :)

    Read more »

    Thursday, February 26, 2015

    How To Close a Document or a Browser Quickly!

    So... you know that moment when youre sitting at your computer promising your husband that youre doing work and he looks over and sees you shoe shopping?  Well... this quick little trick is just what you need if that happens to you all to frequently!

    This tip is also great if you constantly open up programs on your Mac to find a million windows open from the last time you used the program!



    Its a nice, simple trick... I hope you can find some use for it!
    Read more »

    Wednesday, February 25, 2015

    How to Make a One Page Folding Book!

    I recently realized that its been a while since I posted a tutorial on how to make a specific product, so it was no surprise to me that this was a winner on the poll!  So, here it is... how to make a one page folding book!


    This took more than half (and nearly 3/4) of the votes on the poll... wow!

    Now for the tutorial:







     You can download this tutorial as a PDF by clicking this picture!
    https://drive.google.com/file/d/0B4WPihx63tTnVFBncjBjNlh5ZU0/edit?usp=sharing
    Note: This tutorial is hosted on Google Drive.  To save it from there, just open the file and click File > Download to save onto your computer!

    For next weeks poll, Im actually going to gear towards middle/high school students and teachers, as well as even college students by adding the option "How to easily make a bibliography (MLA -or- APA)."  I hope I can blog about this option before teachers start year end research projects with their students!!!!

    PS: This was a request from my "Technology Tuesday" request form.  I read it over every week and try to pick from those options for upcoming tutorials, so be sure to leave me a note if theres anything you want to learn how to do!!!

    Read more »