Dev Channel Update for Chrome OS

The Dev channel is being updated to 96.0.4652.0 (Platform version: 14244.0.0) for most Chrome OS devices.

If you find new issues, please let us know by visiting our forum or filing a bug. Interested in switching channels Find out how. You can submit feedback using ‘Report an issue...’ in the Chrome menu (3 vertical dots in the upper right corner of the browser). 

Daniel Gagnon,
Google Chrome OS

Dev Channel Update for Desktop

The Dev channel has been updated to 96.0.4655.0 for Linux and 96.0.4655.5 for Mac. Windows update is coming shortly.

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

Exploring serverless with a nebulous app: Deploy the same app to App Engine, Cloud Functions, or Cloud Run

Posted by Wesley Chun (@wescpy), Developer Advocate, Google Cloud

Banner image that shows the App Engine, Cloud Functions, and Cloud Run logos

Introduction

Google Cloud offers three distinct ways of running your code or application in a serverless way, each serving different use cases. Google App Engine, our first Cloud product, was created to give users the ability to deploy source-based web applications or mobile backends directly to the cloud without the need of thinking about servers or scaling. Cloud Functions came later for scenarios where you may not have an entire app, great for one-off utility functions or event-driven microservices. Cloud Run is our latest fully-managed serverless product that gives developers the flexibility of containers along with the convenience of serverless.

As all are serverless compute platforms, users recognize they share some similarities along with clear differences, and often, they ask:

  1. How different is deploying code to App Engine, Cloud Functions, or Cloud Run?
  2. Is it challenging to move from one to another if I feel the other may better fit my needs?

We're going to answer these questions today by sharing a unique application with you, one that can be deployed to all three platforms without changing any application code. All of the necessary changes are done in configuration.

More motivation

Another challenge for developers can be trying to learn how to use another Cloud product, such as this request, paraphrased from a user:

  1. I have a Google App Engine app
  2. I want to call the Cloud Translation API from that app

Sounds simple enough. This user went straight to the App Engine and Translation API documentation where they were able to get started with the App Engine Quickstart to get their app up and going, then found the Translation API setup page and started looking into permissions needed to access the API. However, they got stuck at the Identity and Access Management (IAM) page on roles, being overwhelmed at all the options but no clear path forward. In light of this, let's add a third question to preceding pair outlined earlier:

  1. How do you access Cloud APIs from a Cloud serverless platform?
Without knowing what that user was going to build, let's just implement a barebones translator, an "MVP" (minimally viable product) version of a simple "My Google Translate" Python Flask app using the Translation API, one of Google Cloud's AI/ML "building block" APIs. These APIs are backed by pre-trained machine learning models, giving developers with little or no background in AI/ML the ability to leverage the benefits of machine learning with only API calls.

The application

The app consists of a simple web page prompting the user for a phrase to translate from English to Spanish. The translated results along with the original phrase are presented along with an empty form for a follow-up translation if desired. While the majority of this app's deployments are in Python 3, there are still many users working on upgrading from Python 2, so some of those deployments are available to help with migration planning. Taking this into account, this app can be deployed (at least) eight different ways:
  1. Local (or hosted) Flask server (Python 2)
  2. Local (or hosted) Flask server (Python 3)
  3. Google App Engine (Python 2)
  4. Google App Engine (Python 3)
  5. Google Cloud Functions (Python 3)
  6. Google Cloud Run (Python 2 via Docker)
  7. Google Cloud Run (Python 3 via Docker)
  8. Google Cloud Run (Python 3 via Cloud Buildpacks)
The following is a brief glance at the files and which configurations they're for: Screenshot of Nebulous serverless sample app files

Nebulous serverless sample app files

Diving straight into the application, let's look at its primary function, translate():
@app.route('/', methods=['GET', 'POST'])
def translate(gcf_request=None):
local_request = gcf_request if gcf_request else request
text = translated = None
if local_request.method == 'POST':
text = local_request.form['text'].strip()
if text:
data = {
'contents': [text],
'parent': PARENT,
'target_language_code': TARGET[0],
}
rsp = TRANSLATE.translate_text(request=data)
translated = rsp.translations[0].translated_text
context = {
'orig': {'text': text, 'lc': SOURCE},
'trans': {'text': translated, 'lc': TARGET},
}
return render_template('index.html', **context)

Core component (translate()) of sample application


Some key app components:
  • Upon an initial request (GET), an HTML template is rendered featuring a simple form with an empty text field for the text to translate.
  • The form POSTs back to the app, and in this case, grabs the text to translate, sends the request to the Translation API, receives and displays the results to the user along with an empty form for another translation.
  • There is a special "ifdef" for Cloud Functions near the top to receive a request object because a web framework isn't used like you'd have with App Engine or Cloud Run, so Cloud Functions provides one for this reason.
The app runs identically whether running locally or deployed to App Engine, Cloud Functions, or Cloud Run. The magic is all in the configuration. The requirements.txt file* is used in all configurations, whether to install third-party packages locally, or to direct the Cloud Build system to automatically install those libraries during deployment. Beyond requirements.txt, things start to differ:
  1. App Engine has an app.yaml file and possibly an appengine_config.py file.
  2. Cloud Run has either a Dockerfile (Docker) or Procfile (Cloud Buildpacks), and possibly a service.yaml file.
  3. Cloud Functions, the "simplest" of the three, has no configuration outside of a package requirements file (requirements.txt, package.json, etc.).
The following is what you should expect to see after completing one translation request: Screenshot of My Google Translate (1990s Edition) in Incognito Window

"My Google Translate" MVP app (Cloud Run edition)

Next steps

The sample app can be run locally or on your own hosting server, but now you also know how to deploy it to each of Cloud's serverless platforms and what those subtle differences are. You also have a sense of the differences between each platform as well as what it takes to switch from one to another. For example, if your organization is moving to implement containerization into your software development workflow, you can migrate your existing App Engine apps to Cloud Run using Docker or using Cloud Buildpacks if you don't want to think about containers or Dockerfiles. Lastly, you now know how to access Cloud APIs from these platforms. Lastly, you now know how to access Cloud APIs from these platforms.

The user described earlier was overwhelmed at all the IAM roles and options available because this type of detail is required to provide the most security options for accessing Cloud services, but when prototyping, the fastest on-ramp is to use the default service account that comes with Cloud serverless platforms. These help you get that prototype working while allowing you to learn more about IAM roles and required permissions. Once you've progressed far enough to consider deploying to production, you can then follow the best practice of "least privileges" and create your own (user-managed) service accounts with the minimal permissions required so your application functions properly.

To dive in, the code and codelabs (free, self-paced, hands-on tutorials) for each deployment are available in its open source repository. An active Google Cloud billing account is required to deploy this application to each of our serverless platforms even though you can do all of them without incurring charges. More information can be found in the "Cost" section of the repo's README. We hope this sample app teaches you more about the similarities and differences between our plaforms, shows you how you can "shift" applications comfortably between them, and provides a light introduction to another Cloud API. Also check out my colleague's post featuring similar content for Node.js.

Now it’s even easier to get the best TV

The best TV is online over a great internet connection. Google Fiber has been upgrading our Fiber TV customers to our new TV experience since June, and now it’s even easier to get the best TV available! Customers can now get their own Chromecast with Google TV and upgraded home Wi-Fi with Google Wifi through their Google Fiber account (and also sign up for the streaming service of their choice) in just a few clicks.

Traditional TV is expensive and outdated, so we're working to upgrade our customers to streaming options, and will ultimately retire Fiber TV in all our markets. (Don't worry, current TV customers will get 90 days notice before their plan changes!) We want to make sure everyone gets the best TV for them, so we’re offering different options to meet different needs. And as always, our great customer service team is standing by to walk our customers who need extra assistance through this upgrade. We know change can be hard, and we want to make this transition as painless as possible for all our TV customers. 

We’ve already completely upgraded Fiber TV customers in Nashville, Huntsville, Salt Lake City, and Provo. Raleigh-Durham, Charlotte, and Irvine will finish their transitions by the end of September, with Austin and Atlanta following at the end of November. While we don’t have a timeline for Kansas City just yet, right now is the right time to make the switch! Everyone deserves better TV, and we’re ready to help our customers make it happen.

Posted by Liz Hsu, Director of Product Strategy





~~~~

author: Liz Hsu

title: Director of Product strategy

category: product_news

categoryimage: true

Replace your background with a video in Google Meet on Android

What’s changing

In addition to replacing your Google Meet background with a static image on web and mobile, you can now replace your background with a video. At the moment, you can select from six Google made videos such as a classroom, a party, a  beach and more — more options will be available. This feature is already available on Google Meet on web and iOS.

Use a video background to make calls more fun.


Who’s impacted

Admins and end users


Why you’d use it

Custom backgrounds can help you show more of your personality, as well to help hide your surroundings to maintain privacy.  With the option of replacing your background with video, we hope this makes your video calls more fun.


Getting started

Rollout pace

Availability

Announcing New Patch Reward Program for Tsunami Security Scanner


One year ago, we published the Tsunami security scanner with the goal of detecting high severity, actively exploited vulnerabilities with high confidence. In the last several months, the Tsunami scanner team has been working closely with our vulnerability rewards program, Bug Hunters, to further improve Tsunami's security detection capabilities.

Today, we are announcing a new experimental Patch Reward Program for the Tsunami project. Participants in the program will receive patch rewards for providing novel Tsunami detection plugins and web application fingerprints. We hope this program will allow us to quickly extend the detection capabilities of the scanner to better benefit our users and uncover more vulnerabilities in their network infrastructure.

For this launch, we will accept two types of contributions:
  • Vulnerability detection plugins: In order to expand Tsunami scanner's detection capabilities, we encourage everyone who is interested in making contributions to this project to add new vulnerabilities detection plugins. All plugin contributions will be reviewed by our panel members in Google's Vulnerability Management team and the reward amount will be determined by the severity as well as the time sensitivity of the vulnerability.
  • Web application fingerprints: Several months ago, we added new web application fingerprinting capabilities to Tsunami that detect popular off-the-shelf web applications. It achieves this goal by matching application fingerprints against a database of known web application fingerprints. More fingerprint data is needed for this approach to support more web applications. You will be rewarded with a flat amount for each application added to the database.

As with other Security Reward Programs, rewards can be donated to charity—and we'll double your donation if you choose to do so. We'll run this program in iterations so that everyone interested has the opportunity to participate.

To learn more about this program, please check out our official rules and guidelines. And if you have any questions or suggestions for the program, feel free to contact us at [email protected].

Inviting applications for Google for Startups Accelerator India Class 6

Indian Startups continue to push the bar on taking on complex challenges and building innovative solutions to drive real life impact. And we at Google see this as a real privilege to partner with them in this journey and help them to succeed at scale. We do this under our flagship program Google for Startups Accelerator (GFSA) India.  In August, we had announced our 5th class with 16 Seed to Series B startups from 8 different cities across India covering verticals like HealthTech, FinTech, Content with 43% representation by women founders.  The cohort’s program is now underway and the startups are busy addressing their technical, product and business challenges through the program, with our mentors and Google teams in active engagement with the founders and their teams.


As the 16 startups in class 5 continue their journey with the program, we are excited to now invite applications for Class 6 of Google for Startups Accelerator India



Under the program, we continue to focus on supporting startups that are innovating to solve meaningful problems focused on India and the world. As we grow the program with Class 6, we are focusing on supporting solutions that drive scalable impact, scale globally and are built on innovative approaches using AI/ML and data in healthcare, education, finance, enterprise & other spaces such as agritech, media & entertainment, gaming. 


For the 6th batch, our Applications are open until 20 October 2021, and we will select 15-20 startups that are building India-first products for the world to join. The Accelerator will continue to run as a fully digital program through the COVID season.


Startups that meet the following criteria are eligible to apply:

  • AI/ML or data startups in but not limited to healthcare, education, finance, media & entertainment, gaming and enterprise 

  • SaaS startups

  • Startups based in India

  • Preferably in the Seed to Series A/B stages


We will host a weekly virtual open forum every Friday, 4 to 5 PM, during the application phase. Startups interested to know more about the Accelerator program can join to get their questions answered. Register here to get invited to one of the sessions.


What can shortlisted Startups expect from the program: 


The selected startups will receive mentorship and support around AI/ML, Cloud, UX, Android, Web, Product Strategy and Growth. In addition to mentorship and technical project support, the accelerator provides deep dives and workshops focused on product design, customer acquisition, and founders’ leadership development. 


The program also offers access to a global network of startups and mentors/experts. As part of this program, founders outline the top challenges their startups are facing and then match them with relevant experts from Google and the industry to solve those challenges.


We are committed to bring the best of Google to Indian startups and till date we have supported 96 startups helping them to shape their product/company and partnering them in their journey to build very large and successful companies. And we can’t wait to start the next batch of startups. 



Posted by Farish CV, Program Manager, Google for Startups Accelerator, India


Strengthening the transatlantic digital space

This week, European and US leaders will convene the first meetings of the Trade and Technology Council (TTC) with the goal of renewing a transatlantic dialogue on critical global challenges and strengthening technological cooperation. As I recently wrote, we strongly support the goals of the Council and believe closer cooperation on digital, trade and economic policy will help achieve shared goals – overcoming the pandemic, achieving an equitable economic recovery, promoting the responsible use of technology, and advancing democratic norms.

The TTC has a wide-ranging agenda, with ten working groups covering a broad array of topics. While it is encouraging that both sides have agreed that all issues should be on the table, the long-term success of the forum will depend on the parties focusing and making progress on the most critical ones. To that end, here are a few that we think merit serious attention:

  • Transatlantic regulatory principles:The digital economy and the millions of jobs it supports on both sides of the Atlantic require meaningful consultation between EU and US decision makers based on shared regulatory principles. While policymakers on both sides are rightly debating new rules around technology in areas like AI, it is essential that these and other new policies governing digital markets and services are interoperable and focused on helping and protecting consumers – adhering to principles of consistent treatment, robust due process protections, and safeguards for user privacy and intellectual property.
  • Secure transatlantic cyberspace:Internet infrastructure on both sides of the Atlantic and globally is increasingly under threat as cyberattacks continue to exploit vulnerabilities targeting people, organizations, and governments. Greater coordination between European and US cybersecurity work, including building shared standards, is critical to enhanced effectiveness. We’re committed to supporting this initiative, including by partnering with government, industry and academia, and we recently pledged to invest $10 billion over the next five years to strengthen cybersecurity around the world.
  • Legal certainty on data flows: In the digital world, where every email and video conference involves the transfer of data, businesses on both sides of the Atlantic need legal certainty that such data flows can continue, subject to agreed protection of consumer privacy. The EU and US urgently need a reliable, long-term agreement on transatlantic data flows. Resolving this issue with a new Privacy Shield will enable Europe and the US to drive trust with allies and globally.  
  • Responsible use of technology:Artificial intelligence and emerging technologies are increasingly critical to the transatlantic economy and to tackling common challenges like climate change. During the pandemic, AI has been used to boost knowledge sharing, enable better prediction of health trends, and support research to develop vaccines and treatments for serious disease. But these same technologies also present new challenges and risks, as well as potential regulatory conflicts. Under the TTC, the EU and US have an opportunity to establish a common approach to AI policy and research that enables responsible AI innovation and adoption around the world. The business community has an important role to play here, which is why we created a set of AI principles that govern our responsible development of this technology and are sharing our progress in implementation.
  • Trade and technology for everyone: All too often, small businesses and workers have been an afterthought when it comes to the international trading system and the technology agenda. A smart approach to trade policy and innovation can bring them back in – and create new opportunities for workers and small businesses on both sides of the Atlantic. The EU and the US should identify access barriers, find new ways to ensure that workers get digital skills, and put digital tools and exporting technologies in the hands of small businesses. At Google, we have launched an updated version of our Market Finder tool, which enables small businesses to sell their goods and services to international markets. And we’re partnering with a range of actors – whether through the European Commission’s Pact for Skills or directly with community colleges, non-profits, and workforce boards – to make our job training programs more accessible. So far, these programs have helped over 100,000 people on each side of the Atlantic to secure new jobs.
  • An open internet that respects international human rights:We continue to believe that an open internet – one that respects human rights – benefits everyone. But the open internet is increasingly under threat. According to Freedom House, governments suspended internet access in over 20 countries in 2021 and dozens of countries pursued content rules that would impact freedom of expression. We need democracies – led by Europe and the US – to continue to stand up for internet freedom and human rights in the online space. We are committed to working with governments, multilateral and multi-stakeholder organizations, and other technology companies to advance those values.  

The historic partnership between Europe and the US faces some profound challenges, but, as in the past, we have always found opportunities to build and strengthen our partnership based on shared values and common principles. The launch of the TTC is proof that our shared values are stronger than any individual difference of opinion. We applaud this initiative and stand ready to contribute to its success.  

Postcards from Pittsburgh

Pittsburgh is an extraordinary American city. A cornerstone of the Rust Belt economy in the 19th and 20th centuries, Pittsburgh’s steel works, mines, and foundries quite literally built the country. As society shifted, so did the city. Today, Pittsburgh thrives as a hotbed of innovation and creativity, with renowned universities, tech startups and a thriving art scene built on a legacy of manufacturing.

Today, Google Arts & Culture is proud to launch Pittsburgh: Proud and Powerful alongside 15 local institutions to celebrate the city’s sports icons, local artists, up-and-coming musicians, foodie spots, and more. To get started, we invite you to get to know the city through the words of the institutions themselves. Partners include the Carnegie Museum of Art, The Pittsburgh Glass Center, The University of Pittsburgh, Carlow University Art Gallery, BOOM Concepts, Mattress Factory, Carnegie Library of Pittsburgh, The Frick, and more. There’s a little bit of something for everyone — so read on to discover what a few of Google Arts & Culture’s Pittsburgh partners love about their own city.

Image of the Cathedral of Learning

The University of Pittsburgh is home to the only “Cathedral of Learning” in the world as a monument to the creativity, innovation, and drive that helped make Pittsburgh what it is.

Pittsburgh Glass Center

The Pittsburgh Glass Center is one of the top public access glass art facilities in the U.S. Pittsburgh Glass Center offers a unique blend of visual and performance art that combines science, art, and Pittsburgh's rich history in glass.

Roberto Clemente mural

Commemorating the amazing athleticism and humanitarianism that embodied Roberto Clemente’s life, The Clemente Museum was founded by Executive Director and Curator Duane Rieder to showcase the world’s largest exhibited collection of baseball artifacts, memorabilia, and more.


The August Wilson African American Cultural Center

The August Wilson African American Cultural Center is unique because it gives voice to those who may be overlooked, but oftentimes have the most impactful lessons, this can be seen in our story that spotlights artists from around the world showing us that we have more commonalities than meets the eye. 


The Pittsburgh Cultural Trust

Since 1984, the Pittsburgh Cultural Trust has worked towards the transformation, cultural and economic development of the Cultural District, a 14-block area in downtown Pittsburgh.

Senator John Heinz History Center

The Senator John Heinz History Center, a Smithsonian Affiliate, focuses on Western Pennsylvania historyand works to demonstrate how the passion, ingenuity, and perseverance of Western Pennsylvanians helped establish a tradition of innovation like no other region in America.

The Pittsburgh Ballet

Pittsburgh Ballet Theatre’s collection on Google Arts & Culture highlights the distinct and innovative repertoirethat has defined the organization for more than 50 years.

Want to explore more? Visit g.co/explorepittsburgh, or download Google Arts & Culture’s Android or iOS app.

Abriendo caminos: New pathways for Latino-owned businesses

Ver abajo versión en español

At the United States Hispanic Chamber of Commerce, which I have the honor to lead as president and CEO, helping Latino-owned businesses succeed is at the center of our mission. Our responsibility to the more than 4.7 million Latino-owned businesses and our growing network of 260 local chambers and business associations nationwide is to pursue and advocate for inclusive economic growth and development that build shared prosperity.

We represent the fastest-growing group of entrepreneurs in the U.S., and we don’t take that responsibility lightly. The number of Latino business owners has grown by 34% over the last 10 years compared to just 1% for all other businesses, according to a recent study by the Stanford Latino Entrepreneurship Initiative, and much of this growth has been driven by Latinas. These new businesses are invigorating, highlight our potential and are what motivates me everyday.

In 2020, with the arrival of the COVID-19 pandemic, our chambers became emergency rooms for small businesses. We quickly mobilized and awarded hundreds of thousands of dollars in grants directly to Latino owners and our local chambers to provide assistance. These funds were a lifeline for Latino businesses to keep the lights on, make payroll, rent and meet other critical needs.

We also provided technical assistance, established online resource hubs in English and in Spanish and graduated more than 200 Latino-owned small businesses through our accelerator program.

Last year was also our most active year in Washington, D.C. We raised $850 billion to provide assistance for our Latino small business members. We advocated for access to the Paycheck Protection Program (PPP) for both Latino-owned businesses and 501(c) (6) Chambers of Commerce.

As we take a moment to reflect on our progress to date, we have our eyes on the future. There is no denying that the world has dramatically changed, and we need to adapt and thrive, not just to survive. And technology is driving change forward faster than ever before.

We got a glimpse of the transformational power of technology through our partnership with Google last year. We collaborated to provide extra funding and Grow with Google curriculum support to 40 of our chambers across the country. Together, we trained 10,000 Latino small businesses and the initial results and impact we've seen is truly remarkable.

Google and the United States Hispanic Chamber of Commerce share a deep commitment to economic opportunity, development and advocacy for Latinos. This is why today, we are sharing that Google will be making a $5 million investment in Latino-owned businesses and community organizations.  Together we are also unveiling a new Latino-owned attribute that will be available across Google Search, Maps and Shopping. All this is part of Google's $15 million investment in economic equity for Latinos.


Building more resilient Latino businesses


Today, we are deepening our partnership with Google with an additional investment that will allow us to create Grow with Google digital resource centers and train an additional 10,000 Latino business owners on how to use digital tools to grow their business. This work is critical to setting up Latino business owners for success for the long haul. These new skills, training and resources will help them be competitive in today's digital economy and allow us to help aspiring entrepreneurs to think digital-first. 

Google.org is also providing funding to support the Latino Community Foundation's Entrepreneurship Fund, an initiative that strengthens Latino-led small businesses and micro-entrepreneurs across California. It will directly invest in 150+ micro-entrepreneurs to support the tireless work of street vendors, cleaning services, landscapers, childcare providers and other micro-entrepreneurs. For Latino-owned businesses, running a business is often a family affair, and the Entrepreneurship Fund will increase and improve the online presence for Latino-owned small restaurants through the creation of websites and social media accounts designed and managed by youth participating in tech skills building programs.

This is in addition to Google's ongoing support of nonprofits through $3 million in donated ads to Latino organizations. This includes the Hispanic Access Foundation, which uses Google.org's support to advertise internships for Latino college students, fundraise for DACA fee scholarships, and more — all in service of enabling more Latinos in the U.S. to achieve economic success.


Identify and buy from Latino-owned businesses

Today, we are partnering with Google to unveil a Latino-owned attribute that will be available on Search, Maps and Shopping, in the coming weeks, so businesses can easily identify as Latino-owned on Google. This update builds on the Black-owned, Veteran-owned and Women-owned business attributes, and is another way people can support diverse businesses across Google’s products and platforms.


The Latino-owned attribute on Google Maps and Google Shopping.

For more than 20 years, Google has been at the forefront of democratizing access for all —  it's one of its core values. Underrepresented groups have been beneficiaries of that mission, which is still alive today. This is why we deeply believe Google's open platforms, digital training, tools and resources are critical to advancing economic equity for the Latino community.  

Today's investments and product updates will provide our members, chambers and our communities a much needed boost. We are glad to help spotlight Latino-owned businesses in a new light, showcase our resilient spirit and invoke action. We are energized by our momentum and are eager to get back to business. I believe our future is bright - and today thanks to Google, it's a little brighter.


Abriendo caminos: Nuevos caminos para las empresas de propietarios latinos

Google y la Cámara de Comercio Hispana de los Estados Unidos (United States Hispanic Chamber of Commerce) se asocian para ofrecer un atributo de propietarios latinos en Búsqueda (Search), Maps, y Shopping, además de nuevo apoyo financiero y capacitación en habilidades para propietarios de empresas latinas y organizaciones sin fines de lucro. 

En la Cámara de Comercio Hispana de los Estados Unidos, donde tengo el honor de dirigir como presidente y director ejecutivo, ayudar a las empresas latinas a tener éxito está al centro de nuestra misión. Nuestra responsabilidad con las más de 4.7 millones de empresas de propietarios latinos y nuestra creciente red de 260 cámaras locales y asociaciones comerciales en todo el país es buscar y abogar por el crecimiento y el desarrollo económico que construya la prosperidad compartida.

Representamos al grupo de emprendedores de más rápido crecimiento en los Estados Unidos y no nos tomamos esa responsabilidad a la ligera. El número de propietarios de negocios latinos ha crecido en un 34% en los últimos 10 años en comparación con solo el 1% de todos los demás negocios, según un estudio reciente de Stanford Latino Entrepreneurship Initiative, y gran parte de este crecimiento ha sido impulsado por latinas. Estos nuevos negocios son estimulantes, resaltan nuestro potencial y son lo que me motiva todos los días.

En 2020, con la llegada de la pandemia COVID-19, nuestras cámaras se convirtieron en salas de emergencia para pequeñas empresas. Rápidamente nos movilizamos y otorgamos cientos de miles de dólares en subvenciones directamente a pequeñas empresas de propietarios latinos y nuestras cámaras locales para brindar asistencia. Estos fondos fueron un salvavidas para las empresas latinas para mantener las luces encendidas, pagar nóminas, renta y satisfacer otras necesidades críticas.

También brindamos asistencia técnica, establecimos centros de recursos en línea en inglés y en español y graduamos a más de 200 pequeñas empresas latinas a través de nuestro programa acelerador de pequeñas empresas. 

El año pasado también fue nuestro año más activo en Washington, D.C. Recaudamos $850 mil millones de dólares para brindar asistencia a nuestros miembros latinos de pequeñas empresas. Abogamos por el acceso al Programa de Protección de Cheques de Pago (PPP) tanto para las empresas propiedad de latinos como para las Cámaras de Comercio 501 (c) (6).

Mientras nos tomamos un momento para reflexionar sobre nuestro progreso hasta la fecha, tenemos la mirada puesta en el futuro. No se puede negar que el mundo ha cambiado drásticamente y que necesitamos adaptarnos y prosperar, no solo para sobrevivir. Y la tecnología está impulsando el cambio más rápido que nunca.

Pudimos vislumbrar el poder transformador de la tecnología a través de nuestra asociación con Google el año pasado. Colaboramos para proporcionar financiación adicional y curriculum de Grow with Google a 40 de nuestras cámaras en todo el país. Juntos, capacitamos a 10,000 pequeñas empresas latinas y los resultados iniciales y el impacto que hemos visto son realmente notables.

Google y la Cámara de Comercio Hispana de los Estados Unidos comparten un profundo compromiso con las oportunidades económicas, desarrollo y abogacía para latinos. Es por eso que hoy compartimos que Google realizará una inversión de $5 millones de dólares en la comunidad empresarial de propietarios latinos y organizaciones comunitarias. Juntos estamos presentando un nuevo atributo de propietarios latinos que estará disponible en la Búsqueda de Google, Maps y Shopping. Todo esto es parte de la inversión de $15 millones de dólares de Google en equidad económica para latinos.


Construyendo negocios latinos más resilientes


Hoy, estamos profundizando nuestra asociación con Google con una inversión adicional que nos permitirá crear centros de recursos digitales Grow with Google y capacitar a 10,000 propietarios de negocios latinos adicionales sobre cómo usar herramientas digitales para hacer crecer su negocio. Este trabajo es fundamental para que los empresarios latinos tengan éxito a largo plazo. Estas nuevas habilidades, capacitación y recursos los ayudarán a ser competitivos en la economía digital actual y nos permitirán ayudar a los aspirantes emprendedores a pensar primero en lo digital. 

Google.org también está proporcionando fondos para apoyar el Fondo de Emprendimiento (Entrepreneurship Fund) del Latino Community Foundation, una iniciativa que fortalece a las pequeñas empresas y microempresarios liderados por latinos en todo California. Invertirá directamente en más de 150 microempresarios para apoyar el trabajo incansable de los vendedores ambulantes, servicios de limpieza, jardineros, proveedores de cuidado infantil y otros microempresarios. Para las empresas de propietarios  latinos, administrar una empresa es a menudo un asunto familiar, y el Fondo de Emprendimiento aumentará y mejorará la presencia en línea de los pequeños restaurantes de propietarios latinos a través de la creación de sitios web y cuentas de redes sociales diseñadas y administradas por jóvenes que participan en programas que forman sus habilidades tecnológicas.

Esto, en adición al apoyo continuo de Google a las organizaciones sin fines de lucro a través de $3 millones de dólares en anuncios donados a organizaciones latinas. Esto incluye la Hispanic Access Foundation

https://hispanicaccess.org/

, que utiliza el apoyo de Google.org para anunciar prácticas para estudiantes universitarios latinos, recaudar fondos para becas que cubren los costos  de DACA y más — todo al servicio de permitir que más latinos en los Estados Unidos logren el éxito económico.


Identificar y comprar en empresas de propiedad de latinos


Hoy, nos asociamos con Google para anunciar un atributo de propietarios latinos que estará disponible en la Búsqueda, Maps y Shopping en las próximas semanas, para que las empresas puedan identificarse fácilmente como propietarios latinos en Google. Esta actualización se basa en los atributos de negocios Black-owned, Veteran-owned y Women-owned; y es otra manera la gente puede apoyar a diversas empresas a través de productos y plataformas de Google.

El atributo de propietarios latinos en Google Maps y Google Shopping.

Durante más de 20 años, Google ha estado a la vanguardia de la democratización del acceso para todos —  es uno de sus valores fundamentales. Los grupos subrepresentados se han beneficiado de esa misión, la cual continúa vigente hoy. Es por eso que creemos profundamente que las plataformas abiertas, la capacitación digital, las herramientas y los recursos de Google son fundamentales para promover la equidad económica para la comunidad latina.  

Las inversiones de hoy y las actualizaciones de productos proporcionarán a nuestros miembros, cámaras y comunidades un impulso muy necesario. Nos complace ayudar a destacar las empresas de propietarios latinos bajo una nueva luz, mostrar nuestro espíritu resistente e invocar la acción. Nuestro impulso nos llena de energía y estamos ansiosos por volver al trabajo. Creo que nuestro futuro es brillante, y hoy, gracias a Google, es un poco más brillante.