Decisiveness in Imitation Learning for Robots

Despite considerable progress in robot learning over the past several years, some policies for robotic agents can still struggle to decisively choose actions when trying to imitate precise or complex behaviors. Consider a task in which a robot tries to slide a block across a table to precisely position it into a slot. There are many possible ways to solve this task, each requiring precise movements and corrections. The robot must commit to just one of these options, but must also be capable of changing plans each time the block ends up sliding farther than expected. Although one might expect such a task to be easy, that is often not the case for modern learning-based robots, which often learn behavior that expert observers describe as indecisive or imprecise.

Example of a baseline explicit behavior cloning model struggling on a task where the robot needs to slide a block across a table and then precisely insert it into a fixture.

To encourage robots to be more decisive, researchers often utilize a discretized action space, which forces the robot to choose option A or option B, without oscillating between options. For example, discretization was a key element of our recent Transporter Networks architecture, and is also inherent in many notable achievements by game-playing agents, such as AlphaGo, AlphaStar, and OpenAI’s Dota bot. But discretization brings its own limitations — for robots that operate in the spatially continuous real world, there are at least two downsides to discretization: (i) it limits precision, and (ii) it triggers the curse of dimensionality, since considering discretizations along many different dimensions can dramatically increase memory and compute requirements. Related to this, in 3D computer vision much recent progress has been powered by continuous, rather than discretized, representations.

With the goal of learning decisive policies without the drawbacks of discretization, today we announce our open source implementation of Implicit Behavioral Cloning (Implicit BC), which is a new, simple approach to imitation learning and was presented last week at CoRL 2021. We found that Implicit BC achieves strong results on both simulated benchmark tasks and on real-world robotic tasks that demand precise and decisive behavior. This includes achieving state-of-the-art (SOTA) results on human-expert tasks from our team’s recent benchmark for offline reinforcement learning, D4RL. On six out of seven of these tasks, Implicit BC outperforms the best previous method for offline RL, Conservative Q Learning. Interestingly, Implicit BC achieves these results without requiring any reward information, i.e., it can use relatively simple supervised learning rather than more-complex reinforcement learning.

Implicit Behavioral Cloning
Our approach is a type of behavior cloning, which is arguably the simplest way for robots to learn new skills from demonstrations. In behavior cloning, an agent learns how to mimic an expert’s behavior using standard supervised learning. Traditionally, behavior cloning involves training an explicit neural network (shown below, left), which takes in observations and outputs expert actions.

The key idea behind Implicit BC is to instead train a neural network to take in both observations and actions, and output a single number that is low for expert actions and high for non-expert actions (below, right), turning behavioral cloning into an energy-based modeling problem. After training, the Implicit BC policy generates actions by finding the action input that has the lowest score for a given observation.

Depiction of the difference between explicit (left) and implicit (right) policies. In the implicit policy, the “argmin” means the action that, when paired with a particular observation, minimizes the value of the energy function.

To train Implicit BC models, we use an InfoNCE loss, which trains the network to output low energy for expert actions in the dataset, and high energy for all others (see below). It is interesting to note that this idea of using models that take in both observations and actions is common in reinforcement learning, but not so in supervised policy learning.

Animation of how implicit models can fit discontinuities — in this case, training an implicit model to fit a step (Heaviside) function. Left: 2D plot fitting the black (X) training points — the colors represent the values of the energies (blue is low, brown is high). Middle: 3D plot of the energy model during training. Right: Training loss curve.

Once trained, we find that implicit models are particularly good at precisely modeling discontinuities (above) on which prior explicit models struggle (as in the first figure of this post), resulting in policies that are newly capable of switching decisively between different behaviors.

But why do conventional explicit models struggle? Modern neural networks almost always use continuous activation functions — for example, Tensorflow, Jax, and PyTorch all only ship with continuous activation functions. In attempting to fit discontinuous data, explicit networks built with these activation functions cannot represent discontinuities, so must draw continuous curves between data points. A key aspect of implicit models is that they gain the ability to represent sharp discontinuities, even though the network itself is composed only of continuous layers.

We also establish theoretical foundations for this aspect, specifically a notion of universal approximation. This proves the class of functions that implicit neural networks can represent, which can help justify and guide future research.

Examples of fitting discontinuous functions, for implicit models (top) compared to explicit models (bottom). The red highlighted insets show that implicit models represent discontinuities (a) and (b) while the explicit models must draw continuous lines (c) and (d) in between the discontinuities.

One challenge faced by our initial attempts at this approach was “high action dimensionality”, which means that a robot must decide how to coordinate many motors all at the same time. To scale to high action dimensionality, we use either autoregressive models or Langevin dynamics.

Highlights
In our experiments, we found Implicit BC does particularly well in the real world, including an order of magnitude (10x) better on the 1mm-precision slide-then-insert task compared to a baseline explicit BC model. On this task the implicit model does several consecutive precise adjustments (below) before sliding the block into place. This task demands multiple elements of decisiveness: there are many different possible solutions due to the symmetry of the block and the arbitrary ordering of push maneuvers, and the robot needs to discontinuously decide when the block has been pushed far “enough” before switching to slide it in a different direction. This is in contrast to the indecisiveness that is often associated with continuous-controlled robots.

Example task of sliding a block across a table and precisely inserting it into a slot. These are autonomous behaviors of our Implicit BC policies, using only images (from the shown camera) as input.
A diverse set of different strategies for accomplishing this task. These are autonomous behaviors from our Implicit BC policies, using only images as input.

In another challenging task, the robot needs to sort blocks by color, which presents a large number of possible solutions due to the arbitrary ordering of sorting. On this task the explicit models are customarily indecisive, while implicit models perform considerably better.

Comparison of implicit (left) and explicit (right) BC models on a challenging continuous multi-item sorting task. (4x speed)

In our testing, implicit BC models can also exhibit robust reactive behavior, even when we try to interfere with the robot, despite the model never seeing human hands.

Robust behavior of the implicit BC model despite interfering with the robot.

Overall, we find that Implicit BC policies can achieve strong results compared to state of the art offline reinforcement learning methods across several different task domains. These results include tasks that, challengingly, have either a low number of demonstrations (as few as 19), high observation dimensionality with image-based observations, and/or high action dimensionality up to 30 — which is a large number of actuators to have on a robot.

Policy learning results of Implicit BC compared to baselines across several domains.

Conclusion
Despite its limitations, behavioral cloning with supervised learning remains one of the simplest ways for robots to learn from examples of human behaviors. As we showed here, replacing explicit policies with implicit policies when doing behavioral cloning allows robots to overcome the "struggle of decisiveness", enabling them to imitate much more complex and precise behaviors. While the focus of our results here was on robot learning, the ability of implicit functions to model sharp discontinuities and multimodal labels may have broader interest in other application domains of machine learning as well.

Acknowledgements
Pete and Corey summarized research performed together with other co-authors: Andy Zeng, Oscar Ramirez, Ayzaan Wahid, Laura Downs, Adrian Wong, Johnny Lee, Igor Mordatch, and Jonathan Tompson. The authors would also like to thank Vikas Sindwhani for project direction advice; Steve Xu, Robert Baruch, Arnab Bose for robot software infrastructure; Jake Varley, Alexa Greenberg for ML infrastructure; and Kamyar Ghasemipour, Jon Barron, Eric Jang, Stephen Tu, Sumeet Singh, Jean-Jacques Slotine, Anirudha Majumdar, Vincent Vanhoucke for helpful feedback and discussions.

Source: Google AI Blog


How this Googler celebrates Native American Heritage Month all year

When I was growing up, my Misho (my grandfather) was the chief of our tribe (Prairie Band Potawatomi) and would often tell my brother and me stories and tales sacred to our Indigenous history. When I was in second grade, I asked my Misho to come into my class to tell his stories for show and tell. I was immensely proud of him, and grateful for the opportunity to share my culture with my classmates. But after he left, my classmates started calling me names like “Pocahontas,” and war-whooping at me on the playground. After that, I didn’t mention my tribe or Native affiliation to classmates or colleagues again until I was in my 20s.

An older man with brown skin and white hair and a mustache in a pale blue button down short sleeve shirt (Cheryl’s Misho) is holding a younger girl (Cheryl) with brown hair and white skin, in a white short, puffy sleeved shirt. They are both smiling at the camera (Misho with a closed mouth smile, Cheryl with a tooth-smile).

Cheryl and her Misho

When I got pregnant, I realized I wanted to reconnect with my culture. I wanted my son to know about the powerful, strong history of the Prairie Band Potawatomi, and about his family and my Misho. I threw myself into trying to learn the language, the history and our stories again. I bought my son children’s books written by Indigenous authors, and watched every film and movie I could about Indigenous culture — even if it wasn’t about the Potawatomi.

As part of reconnecting with my heritage, I also joined Google’s Aboriginal and Indigenous Network (GAIN) to stay up to date on any native-focused events at work. I’d been a member of other employee resource groups at Google before, like Women@ and Pride@, but I wanted to find a group of other Native and Indigenous people. I was thrilled to discover GAIN and see that there were not only other Indigenous Googlers like me, but that there were enough of them to organize their own group.

During this time reconnecting to my heritage, I watched a film about the Murdered and Missing Indigenous Women (MMIW) movement. According to the United States Department of Justice’s Missing and Murdered Indigenous Persons (MMIP) Initiative, “American Indian and Alaska Native people suffer from unacceptable and disproportionately high levels of violence, which can have lasting impacts on families and communities.” In Australia and Canada, Aboriginal and First National Australian women are six times more likely to be victims of homicide than non-Native women. In the U.S., a Task Force was recently created with the purpose of working with tribal governments and developing protocols for the cases of missing and murdered Indigenous peoples, among other things. I remember feeling completely gutted after listening to the stories of Indigenous women disappearing from their Indian reservation, never to be seen again. This is particularly traumatic for many Indigenous tribes as funeral drum and burial ceremonies are critical for the spirit to move on to the afterlife, and for those of us behind to mourn.

After seeing that film, I reached out to GAIN leadership and asked what we could do to raise awareness for MMIW. The next thing I knew, we had a working group of more than a dozen people raising awareness and resources for MMIW organizations. We’ve even held 10 events with Googlers, including panels with Black and Indigenous women to discuss the intersectionality of murdered and missing women of color, began a podcast listening group, held a 5K run and hosted other fundraising and awareness events. This experience has made me feel more connected to my tribe and my culture. It’s empowered me to share more of my whole self at work — I’ve introduced colleagues to my language, for instance, and I’ve felt like I have a space to identify as Native American. I’m proud to be a member of GAIN, and appreciate how much they help to raise awareness not only about Indigenous culture but also MMIW.

There is a saying in the Indigenous community about MMIW: When an Indigenous woman goes missing, she goes missing twice — first her body vanishes and then her story.” With help from Googlers and GAIN, and through the work of MMIW organizations and their volunteers, I hope these Indigenous women, girls and two-spirit peoples do not go missing forever. You don’t have to be a Googler to take part: You can educate yourself about MMIW, look into policies meant to address this issue, or find ways to support organizations that advocate for MMIW. These missing people are not just faces on missing posters. They’re family — and we are all connected.

A Matter of Impact: November updates from Google.org

COP26 wrapped up last week, and world leaders and industry experts headed home with commitments made to work together to further reduce emissions. You can learn more about Google’s commitments in this blog post.

Even for climate negotiators, transparent and trustworthy data around emissions can be hard to come by. Historically, there has been a limited push to build the kind of data sets and models needed to create a shared fact base for everyone. So we asked ourselves: How can we help advocates, citizens, governments and businesses take action on climate, faster?

We believe philanthropic dollars can play a critical role in creating important public goods, like transparent data sets and accessible digital tools, that might not otherwise exist. The world urgently needs a solid foundation of data and tools to monitor and verify our progress to make better decisions. That’s why much of our sustainability-related philanthropy is now focused on funding the creation and organization of data and the tools to make this data easily usable.

Three of our grantees launched tools around COP26 that are examples of this in action. Climate TRACE, the world’s first independent, comprehensive, near-real time greenhouse gas (GHG) monitoring platform uses large-scale data and AI models to provide neutral, accurate data for everyone. On the small business side, the work of Normative is hugely promising. They’re building out emissions estimates for SMBs and helping companies automatically compile detailed carbon reports so that they have actionable data to make better decisions around reducing their footprint. And for consumers, there’s Open Food Facts, an open-access food products database where users can see the eco-score of food products with a simple scan of the barcode from a mobile device.

We’re proud to support these organizations and look forward to more opportunities to combine philanthropic funding with technology to help everyone take action on climate change.

In case you missed it 

Here’s recent progress our grantees have made to close these data gaps.

  • BlueConduit is mapping out lead pipes across the U.S, for remediation.
  • Open Food Facts expanded to 50 countries — you’ll hear more on that from their co-founder Pierre Slamich below.
  • Normative debuted their Industry CO2 Insights carbon emissions accounting engine for small businesses at COP26.
  • Restor launched an open data platform built on Google Earth Engine that allows anyone to select an area around the world and analyze its restoration potential.
  • Dark Matter Labs launched their first version of TreesAI (Trees As Infrastructure), an open source platform to make it easy to map, monitor and forecast ecosystem services. The tool helps local authorities attract funds to develop and maintain urban nature-focused tools to fight climate change.
  • Climate TRACE, supported by $8 million in funding from Google.org and a team of Google.org Fellows, talked about their emissions tracking project in this video.

Hear from one of our grantees: Open Food Facts

Pierre Slamich is the co-founder of Open Food Facts, a collaborative effort to create a worldwide database of food products, thanks to mobile apps that also empower citizens to make more informed food choices. Last spring, Open Food Facts received a $1.3 million Google.org grant and support from a team of 11 Google.org Fellows.

A few words with a Google.org Fellow: Astrid Weber

Astrid Weber is a UX Manager on the Google Assistant team and currently working with Normative for a six month Fellowship.

Assign SSO profile to organizational units or groups with the SAML Partial SSO feature, now generally available

What’s changing

Earlier this year, we announced a beta for assigning SSO profiles to organizational units or groups. This feature is now generally available and allows admins to specify groups or organizational units (OUs) to authenticate a subset of your users using Google.

Who’s impacted

Admins

Why it’s important

Currently, when you configure SSO with a third-party identity provider, the setting applies to your entire domain. However, there are some instances where you may want a subset of your users, such as vendors or contractors, to authenticate with Google instead. The Partial SSO feature gives you the flexibility to specify the authentication method for various users in your organization as needed.


Getting started



  • End users: No action required.

Rollout pace


Availability

  • Available to Google Workspace Business Starter, Business Standard, Business Plus, Enterprise Essentials, Enterprise Standard, Enterprise Plus, Education Fundamentals, Education Plus, Frontline, and Nonprofits, as well as G Suite Basic and Business customers
  • Available to all Cloud Identity customers
  • Not available to Google Workspace Essentials customers

Resources


Dev Channel Update for Desktop

 The Dev channel has been updated to 98.0.4710.4 for Windows, Mac and Linux

A partial list of changes is available in the log. Interested in switching release channels? Find out how. If you find a new issue, please let us know by filing a bug. The community help forum is also a great place to reach out for help or learn about common issues.


Srinivas Sista

Google Chrome

Women of color creators share their journeys to success

Women of color are doing incredible things online. They are creating educational and inspiring content, and making their marks as influencers in fashion and beauty, health and wellness, business, and more. They’re making a living building their brands and presenting their authentic selves . And they’re creating strong communities around their shared experiences.

Today, on Women’s Entrepreneurship Day, we’re launching The Conversation — a new YouTube series to share and celebrate the experiences of women of color creators. Each interview will feature a new woman of color creator talking about her background and journey, including her struggles and successes. Guests will share how they’ve built brands that resonate with others, and how they’ve turned their passions into full-time careers. They’ll also discuss how gender, race and culture have influenced their paths, the ups and downs of getting to where they are today, and what they hope to share with the world. No topic is off the table, including how to handle haters and overcome creator burnout.

Our first episode features creator Tyla-Lauren Gilmore. In 2015, after many years of straightening her hair, Tyla-Lauren decided to embrace her natural curls. She began documenting her personal transformation on Instagram and YouTube, and almost immediately, other women took notice. Today, more than 150,000 subscribers follow her beauty and lifestyle posts across her social media channels. Tyla-Lauren continues to share her personal stories in the hopes of inspiring other women to embrace their natural beauty and feel comfortable in their own skin.

Tyla-Lauren poses for the camera wearing a white button-down shirt and stylish glasses frames.

Tyla-Lauren Gilmore is the first creator featured in The Conversation.

Next month, we’ll hear from beauty and style influencer, fashion model and creative director Hannah Mussette. Hannah started creating content at the age of 12. Now, at 21, she’s a popular social media personality sharing modeling, fashion, makeup and hair care tips on YouTube and Instagram, and inviting candid discussions on topics such as self-care and social justice. She also co-founded a line of hair care products for natural Black hair called JuMu. The youngest creator interviewed in our series, Hannah shares what it’s been like to grow up online in front of an audience that supports and occasionally scrutinizes her content, which has evolved over the nine years she's been posting.

Hannah Musette walks on a sidewalk in front of a grey tiled wall. She has waist-length braids and is wearing a white shirt, baggy black pants, and a purse.

Hannah Musette is a fashion model and influencer who started creating YouTube videos in high school

The goal of The Conversation is to pull back the curtain on creators like Tyla-Lauren and Hannah so you can get to know the women behind the brands. Visit the Google for Creators YouTube channel to watch the first episode of The Conversation, and share what you thought in the comments.

A new literacy tool promoting inclusive LGBTQ+ language

Imagine living your truth, but not being able to tell anyone. That was my experience as a young queer person in small-town Alabama. Twenty years ago, nobody, including LGBTQ+ people, had the language we have today to talk about queerness or gender outside the binary. Coded language made it even more difficult to learn about the LGBTQ+ community, much less learn about myself. Even when I felt safe (mostly in anonymous chat rooms), I found it nearly impossible to talk about what I was going through.

It wasn’t until my college professor, Cliff Simon, shared his story that I first heard someone use terms like “gay” and “lesbian” without shame or judgement. Cliff’s story proved to me that I could be happy, and it’s the reason I came out — and ultimately, my inspiration to start VideoOut, an LGBTQ+ education and advocacy nonprofit.

As the population of openly LGBTQ+ people increases around the world, VideoOut aims to shepherd people from a place of limited exposure to a place of expanded understanding.

The left column displays letters in alphabetical order. In the middle, phrases like "Demisexual, Dip, Dysphoria, Femme" appear.

LGBTQ inclusive language glossary and definitions

I’m queer trans nonbinary. Not long ago, queer was a derogatory word — it’s what the bullies used when they weaponized their language against me. As attitudes and society evolved, so did our language and our understanding of the power words have to uplift or disparage people.

This year, VideoOut launched The LGBTQ+ Learning Project. It includes multiple phases, including a comprehensive educational resource and live community events that ladder up to our long term goal of building a museum on the National Mall. The Google News Initiative has supported us every step of the way during the first phase – the LGBTQ+ Language and Media Literacy Program.

Partnering with the GNI gave VideoOut the opportunity to work with a team of PhD linguists from the LGBTQ+ community to research the origin, evolution and current usage of 100 words and phrases that range from clinical terminology, like HRT and dysphoria, to slang terms used in niche communities like drag and ballroom. We will continue to expand the data visualization, designed by Polygraph, and employGoogle Trends technology to show the popularity of search terms over time.

This tool guides journalists through the complex world of LGBTQ+ vernacular. It shows who should be credited when using words that belong to marginalized communities. Most importantly, it arms reporters with knowledge, helping them to use LGBTQ+ terminology respectfully and accurately.

The program aims to inform people who are less familiar with the LGBTQ+ community, with the hopes of warming attitudes and fostering allyship. To that end, we’ve partnered with Men’s Health magazine to help contextualize the research and data in the program. We hope to reach a new audience and model how sharing information makes the most impact when it’s done across lines of difference.

The tool will be accessible through the Men’s Health website.

Queer and trans people are not new, but increasingly people are beginning to feel safe about living authentically. According to a recent Gallup poll, “One in six [U.S.] adults in Generation Z identifies as LGBT.” At the same time, a GLAAD report found 45% of non-LGBTQ+ people in the U.S. say they’re confused by the different number of terms to describe individuals who comprise the LGBTQ+ community.

Thanks to the efforts of queer and trans people on the forefront of the liberation movement, things are better now than they have ever been — but they are still fragile. The news media can help. Journalists can reference this tool to ensure they are using language appropriately. They can also interact with members of the community in their process. For example, if there is a story written about trans rights, VideoOut believes the writer should interview trans people, particularly ones who are active in the movement for trans rights.

The LGBTQ+ Language and Media Literacy Program is more than a glossary, though at its simplest, it can function that way. It’s a way to understand the LGBTQ+ community, and hopefully, it will transform the way journalists — and all of us — write and talk about LGBTQ+ people.

#AndroidDevSummit ‘21: 3 things to know for Modern Android Development

Posted by Florina Muntenescu, Developer Relations Engineer

From updates to Jetpack libraries, more guidance on using Kotlin coroutines and Flow in your android app and new versions of Android Studio, here are the top 3 things you should know:

#1 Jetpack feature updates

We’ve been working to add the features you’ve been asking us for in a lot of Jetpack libraries, here are a few highlights:

  • Navigation brings multiple backstacks support—no code update needed, just make sure you use the latest version.
  • WorkManager, our recommended solution for persistent work, makes it easier to handle Android 12 background restrictions, adding support for expedited jobs
  • Room adds auto-migration and multi-map relations.
  • DataStore, our coroutines based replacement for SharedPreferences, has reached 1.0.
  • Macrobenchmark, a tool to measure and improve startup and frame performance, added simplified and more accurate frame timing, and compatibility back to Android M

But if you want to deep dive, you should really check out: WorkManager - back to the foreground - where you’ll learn all about the latest APIs and features.

#2 Kotlin and Flow usage

Coroutines are the recommended solution for asynchronous work and Kotlin Flow is the obvious choice for managing streams of data in Android apps. To learn how to use Flows in practice, check out this Android Dev Summit session:

The talk also covers important things like how to stop collecting from the UI when it’s not needed, using the newly stable lifecycle-aware coroutines APIs: repeatOnLifecycle and flowWithLifecycle.

#3 Android Studio and LiveEdit for Jetpack Compose

In the Android Studio world, Arctic Fox is stable, Bumblebee is in Beta and Chipmunk is in Canary, all of them bringing a bunch of new features for Jetpack Compose and Material You, developer productivity and 12L and large screens.

The What’s new in Android Studio talk is a must see, especially the sneak peek demo of LiveEdit. LiveEdit is a generalization of live editing of literals, where you get to edit more general scenarios than just constants and strings: you can comment out parts of the UI, reorder composable calls and see the result on the phone in milliseconds. But, we want to make sure that this feature is really right before we include it in Android Studio, so stay tuned for it in the next releases.

You want more? Then sit back, relax and watch the full Modern Android Development playlist.

GNI continues to work towards supporting Canadian journalism of all sizes




When we launched the Google News Initiative in 2018 with a mission of helping to create a sustainable landscape for journalism, the news industry and the world were in very different places. Now, more than three years later, we are reflecting back on what we’ve accomplished together with Canadian news organizations, nonprofits and journalists while at the same time deepening our commitment to helping newsrooms solve challenges. 



Reporters and editors around the country told us that using technology to build digital journalism skills to adjust to the digital age and combating misinformation are critical priorities. That’s why we’ve expanded our News Lab trainings in Canada and have committed to training 5,000 journalists over the next three years on digital skills for the newsroom.



The COVID-19 pandemic has placed increasing pressure on the business side of newsrooms, impacting their ability to cover essential stories for their communities. That led us to create the Journalism Emergency Relief Fund, putting much-needed funding of $1.5 million into the hands of over 230 local Canadian newsrooms. The COVID-19 pandemic was also the impetus for the Support Local News campaign in the U.S. and Canada, which encouraged people to support their local paper. 



In 2019, we held our first North American Innovation Challenge which supported four Canadian news organizations in understanding their communities and developing new publishing business models. And we’ve just announced the winners from our third North American Innovation Challenge, out of the 25 projects selected, 7 are with Canadian newsrooms. Winners include Energeticcity.ca, a local news organization in Northern BC, which will focus on helping rural media operators connect with their audiences, and Metroland, which will address the deficiency in news coverage of and for Indigenous people in Ontario. 



Throughout, we strive to ensure that our work touches a diverse group of publishers and audiences. We have recently announced the Global News Equity Fund, a multi-million dollar commitment to driving transformational change with a focus on diversity and equity. The fund will provide direct financial support to news organizations that are owned by or serve underrepresented communities around the world, and it is our hope that it builds upon our existing work of supporting underrepresented publishers and communities. 



We also developed the GNI Ad Transformation Lab, a program to support Canadian and American publishers serving underrepresented communities in their transition to digital. The first round of the Lab helped 28 Black and Latino publishers advance their digital businesses and build digital advertising capabilities required to achieve growth today. The application for the 2022 Ad Transformation Lab is now live. The application window will close on Monday, November 29 at 11:59 p.m. EST. We encourage news organizations and publishers who serve diverse and underrepresented communities in the United States and Canada to apply.



We recently made a conscious effort to broaden our support to focus on local and emerging news organizations. Publishers have shared with us that adapting their business models to digital is immensely difficult. So together with industry associations and thought leaders worldwide we are bringing the Digital Growth Program to Canada to help news organizations accelerate growth in advertising and reader revenue and strengthen their core foundations in audience development, product and data. The feedback we received from partners also encouraged us to grow our investment in our audience insight tools, including our recently launched, News Consumer Insights.



Additionally, we are supporting aspiring news entrepreneurs through efforts like our Startups Boot Camp, an 8 week program in partnership with LION publishing designed to help participants with hands-on coaching and support to launch or develop a news offering. Applications have just closed for this upcoming all-Canadian cohort, and we cannot wait to see the news products that this group brings to market. 



We’ve also just announced The Data-Driven Reporting Project, a partnership between the GNI and the Medill School of Journalism, Media, Integrated Marketing Communications at Northwestern University. Medill will run The Data-Driven Reporting Project, which aims to address the inequality of resources for local newsrooms and freelancers when doing essential data-driven, investigative reporting. The project is committed to awarding $2 million to journalists working on document-based investigative projects that serve local and underrepresented communities throughout the United States and Canada. Learn more on how and when you can apply.



This is just a snapshot of our work. Over the last three years we’ve accomplished a lot, but there’s much more to do. Achieving a healthy, sustainable and diverse news industry isn’t something Google or any single entity can or should do alone. This is a shared responsibility across publishers, companies, governments, civic society and more. Today we remain as committed as we’ve always been to playing our role in supporting Canadian newsrooms of all sizes for years to come. 



Mladen Raickovic, Head of Global Partnerships, Google Canada

Crime reporting gets a boost in readers: A GNI Journey

Editor’s Note from Ludovic Blecher, Head of Google News Initiative Innovation: The GNI Innovation Challengeprogram is designed to stimulate forward-thinking ideas for the news industry. The story below by Amos Gelb, publisher of D.C. Witness and Baltimore Witness, is part of an innovator seriessharing inspiring stories and learnings from funded projects.

Violent crime is surging across America while cities scramble to reform their criminal justice systems. This is especially difficult because there is no single American criminal justice system. Every jurisdiction has its own practices, methods and even laws. What they all have in common, however, is a lack of reliable, up-to-date information that could drive local change by providing transparency and accountability.

Starting in 2015, D.C. Witness developed a new approach to criminal justice journalism to try to address this issue. Traditional crime reporting can give an incomplete and warped view of what’s really going on, often based on only the most salacious cases. Instead, D.C. Witness reports on every step of every homicide from act to judicial resolution. This offers a distinct perspective across the entire criminal justice landscape.

Since launch, the D.C. Witness team reported on more than 1,300 homicide cases in Washington, D.C., wrote stories and gathered data. The journalism was strong, but the website was clunky and the data a mess. The result: D.C. Witness was having little impact.

The team realized they needed a better way to manage and present the data. But this would require resources beyond the existing budget. So D.C. Witness applied for support from the Google News Initiative Innovation Challenge. D.C. Witness was selected by the GNI with the goal of reengineering their systems. The result was nothing short of a reincarnation.

The GNI process, which requires drawing up detailed project milestones, forced D.C. Witness to tear everything down, reviewing how each process worked, how and why. The team realized they were getting in their own way. They’d committed the cardinal journalist sin of falling in love with their own work, losing sight of its potential value and the audience it served.

Further proof came almost immediately after the database and website were relaunched. As court activity has picked up after the peak of the pandemic, D.C. Witness’s audience has been using new functions developed to provide readers with better, customized case information.

Data and reporting work on violence reduction programs called “violence interrupters” was also effective. D.C. politicians were promoting the programs, boosting funding by $10 million, but there had been neither evaluation nor oversight. The GNI-remade platform enabled D.C. Witness to provide the first public data showing the programs were not working as claimed, dispersing rather than reducing homicides. The resulting public outrage brought critical scrutiny.

This picture shows computer screengrabs from the Baltimore Witness website. There are four different images: 1. A street scene with the heading Delivering Transparency, 2. A page called features, 3. A page called daily news and 4. A yellow button which says special features, court calendar, interactive map, timeline and data playground.

The Baltimore Witness’s website

Having realized the impact that making the data visible was having, the team launched a second website out of Baltimore, MD. There, the court that dealt with violent felonies routinely held back crucial public case information. In response to Baltimore Witness reporting, the court changed its procedures making more information accessible to the public.

The new website has also brought success in viewership with its audience growing 50% month-over-month since its launch.

While GNI helped D.C. (and now Baltimore) Witness better understand how they can reach people and serve their communities, this is just the beginning for the reporting teams. Now, D.C. Witness and Baltimore Witness can focus on maximizing their impact for everyone’s benefit.