Джава
This example is not yet available in Java; you can take a look at the other languages.
С#
This example is not yet available in C#; you can take a look at the other languages.
PHP
<?php
/**
* Copyright 2019 Google LLC
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* https://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
namespace Google\Ads\GoogleAds\Examples\Extensions;
require __DIR__ . '/../../vendor/autoload.php';
use GetOpt\GetOpt;
use Google\Ads\GoogleAds\Examples\Utils\ArgumentNames;
use Google\Ads\GoogleAds\Examples\Utils\ArgumentParser;
use Google\Ads\GoogleAds\Lib\OAuth2TokenBuilder;
use Google\Ads\GoogleAds\Lib\V14\GoogleAdsClient;
use Google\Ads\GoogleAds\Lib\V14\GoogleAdsClientBuilder;
use Google\Ads\GoogleAds\Lib\V14\GoogleAdsException;
use Google\Ads\GoogleAds\Util\V14\ResourceNames;
use Google\Ads\GoogleAds\V14\Common\AdScheduleInfo;
use Google\Ads\GoogleAds\V14\Common\KeywordInfo;
use Google\Ads\GoogleAds\V14\Common\SitelinkFeedItem;
use Google\Ads\GoogleAds\V14\Enums\DayOfWeekEnum\DayOfWeek;
use Google\Ads\GoogleAds\V14\Enums\ExtensionTypeEnum\ExtensionType;
use Google\Ads\GoogleAds\V14\Enums\FeedItemTargetDeviceEnum\FeedItemTargetDevice;
use Google\Ads\GoogleAds\V14\Enums\KeywordMatchTypeEnum\KeywordMatchType;
use Google\Ads\GoogleAds\V14\Enums\MinuteOfHourEnum\MinuteOfHour;
use Google\Ads\GoogleAds\V14\Errors\GoogleAdsError;
use Google\Ads\GoogleAds\V14\Resources\CampaignExtensionSetting;
use Google\Ads\GoogleAds\V14\Resources\ExtensionFeedItem;
use Google\Ads\GoogleAds\V14\Services\CampaignExtensionSettingOperation;
use Google\Ads\GoogleAds\V14\Services\ExtensionFeedItemOperation;
use Google\ApiCore\ApiException;
/**
* DEPRECATION WARNING!
* THIS USAGE IS DEPRECATED AND WILL BE REMOVED IN AN UPCOMING API VERSION
* All extensions should migrate to Assets. See AddSitelinksUsingAssets.php.
*
* Adds sitelinks to a campaign. To create a campaign, run AddCampaigns.php.
*/
class AddSitelinks
{
private const CUSTOMER_ID = 'INSERT_CUSTOMER_ID_HERE';
private const CAMPAIGN_ID = 'INSERT_CAMPAIGN_ID_HERE';
public static function main()
{
// Either pass the required parameters for this example on the command line, or insert them
// into the constants above.
$options = (new ArgumentParser())->parseCommandArguments([
ArgumentNames::CUSTOMER_ID => GetOpt::REQUIRED_ARGUMENT,
ArgumentNames::CAMPAIGN_ID => GetOpt::REQUIRED_ARGUMENT
]);
// Generate a refreshable OAuth2 credential for authentication.
$oAuth2Credential = (new OAuth2TokenBuilder())->fromFile()->build();
// Construct a Google Ads client configured from a properties file and the
// OAuth2 credentials above.
$googleAdsClient = (new GoogleAdsClientBuilder())->fromFile()
->withOAuth2Credential($oAuth2Credential)
->build();
try {
self::runExample(
$googleAdsClient,
$options[ArgumentNames::CUSTOMER_ID] ?: self::CUSTOMER_ID,
$options[ArgumentNames::CAMPAIGN_ID] ?: self::CAMPAIGN_ID
);
} catch (GoogleAdsException $googleAdsException) {
printf(
"Request with ID '%s' has failed.%sGoogle Ads failure details:%s",
$googleAdsException->getRequestId(),
PHP_EOL,
PHP_EOL
);
foreach ($googleAdsException->getGoogleAdsFailure()->getErrors() as $error) {
/** @var GoogleAdsError $error */
printf(
"\t%s: %s%s",
$error->getErrorCode()->getErrorCode(),
$error->getMessage(),
PHP_EOL
);
}
exit(1);
} catch (ApiException $apiException) {
printf(
"ApiException was thrown with message '%s'.%s",
$apiException->getMessage(),
PHP_EOL
);
exit(1);
}
}
/**
* Runs the example.
*
* @param GoogleAdsClient $googleAdsClient the Google Ads API client
* @param int $customerId the client customer ID
* @param int $campaignId the campaign ID
*/
public static function runExample(
GoogleAdsClient $googleAdsClient,
int $customerId,
int $campaignId
) {
$campaignResourceName = ResourceNames::forCampaign($customerId, $campaignId);
// Creates extension feed items as sitelinks.
$extensionFeedItems =
self::createExtensionFeedItems($googleAdsClient, $customerId, $campaignResourceName);
// Creates a campaign extension setting using the previously created extension feed items.
$campaignExtensionSetting = new CampaignExtensionSetting([
'campaign' => $campaignResourceName,
'extension_type' => ExtensionType::SITELINK,
'extension_feed_items' => $extensionFeedItems
]);
// Creates the campaign extension setting operation.
$campaignExtensionSettingOperation = new CampaignExtensionSettingOperation();
$campaignExtensionSettingOperation->setCreate($campaignExtensionSetting);
// Issues a mutate request to add the campaign extension setting.
$campaignExtensionSettingServiceClient =
$googleAdsClient->getCampaignExtensionSettingServiceClient();
$response = $campaignExtensionSettingServiceClient->mutateCampaignExtensionSettings(
$customerId,
[$campaignExtensionSettingOperation]
);
// Prints the resource name of the created campaign extension setting.
/** @var CampaignExtensionSetting $addedCampaignExtensionSetting */
$addedCampaignExtensionSetting = $response->getResults()[0];
printf(
"Created a campaign extension setting with resource name: '%s'%s",
$addedCampaignExtensionSetting->getResourceName(),
PHP_EOL
);
}
/**
* Creates a list of extension feed items.
*
* @param GoogleAdsClient $googleAdsClient the Google Ads API client
* @param int $customerId the client customer ID
* @param string $campaignResourceName the resource name of the campaign to target
* @return string[] the list of extension feed items' resource names
*/
private static function createExtensionFeedItems(
GoogleAdsClient $googleAdsClient,
int $customerId,
string $campaignResourceName
) {
// Creates the first sitelink feed item.
$sitelinkFeedItem1 =
self::createSitelinkFeedItem('Store Hours', 'http://www.example.com/storehours');
// Creates an extension feed item from the sitelink feed item.
$extensionFeedItem1 = new ExtensionFeedItem([
'extension_type' => ExtensionType::SITELINK,
'sitelink_feed_item' => $sitelinkFeedItem1,
'targeted_campaign' => $campaignResourceName
]);
// Creates the second sitelink feed item.
$sitelinkFeedItem2 = self::createSitelinkFeedItem(
'Thanksgiving Specials',
'http://www.example.com/thanksgiving'
);
// Start date is set to November 20th. If it's already passed that date for this year,
// use the same date for the next year instead.
$targetYearString = date('Y');
if (strtotime('now') > strtotime('20 November')) {
$targetYearString = date('Y', strtotime('+1 year'));
}
$startTimeString = date('Y-m-d H:i:s', mktime(0, 0, 0, 11, 20, intval($targetYearString)));
// Use the same year as start time when creating end time.
$endTimeString = date('Y-m-d H:i:s', mktime(23, 59, 59, 11, 27, intval($targetYearString)));
// Targets this sitelink for United States only.
// A list of country codes can be referenced here:
// https://developers.google.com/google-ads/api/reference/data/geotargets.
$unitedStates = ResourceNames::forGeoTargetConstant(2840);
// Creates an extension feed item from the sitelink feed item.
$extensionFeedItem2 = new ExtensionFeedItem([
'extension_type' => ExtensionType::SITELINK,
'sitelink_feed_item' => $sitelinkFeedItem2,
'targeted_campaign' => $campaignResourceName,
'start_date_time' => $startTimeString,
'end_date_time' => $endTimeString,
'targeted_geo_target_constant' => $unitedStates
]);
// Creates the third sitelink feed item.
$sitelinkFeedItem3 =
self::createSitelinkFeedItem('Wifi available', 'http://www.example.com/mobile/wifi');
// Creates an extension feed item from the sitelink feed item.
$extensionFeedItem3 = new ExtensionFeedItem([
'extension_type' => ExtensionType::SITELINK,
'sitelink_feed_item' => $sitelinkFeedItem3,
'targeted_campaign' => $campaignResourceName,
'device' => FeedItemTargetDevice::MOBILE,
'targeted_keyword' => new KeywordInfo([
'text' => 'free wifi',
'match_type' => KeywordMatchType::BROAD
])
]);
// Creates the fourth sitelink feed item.
$sitelinkFeedItem4 =
self::createSitelinkFeedItem('Happy hours', 'http://www.example.com/happyhours');
// Creates an extension feed item from the sitelink feed item.
$extensionFeedItem4 = new ExtensionFeedItem([
'extension_type' => ExtensionType::SITELINK,
'sitelink_feed_item' => $sitelinkFeedItem4,
'targeted_campaign' => $campaignResourceName,
'ad_schedules' => [
self::createAdScheduleInfo(
DayOfWeek::MONDAY,
18,
MinuteOfHour::ZERO,
21,
MinuteOfHour::ZERO
),
self::createAdScheduleInfo(
DayOfWeek::TUESDAY,
18,
MinuteOfHour::ZERO,
21,
MinuteOfHour::ZERO
),
self::createAdScheduleInfo(
DayOfWeek::WEDNESDAY,
18,
MinuteOfHour::ZERO,
21,
MinuteOfHour::ZERO
),
self::createAdScheduleInfo(
DayOfWeek::THURSDAY,
18,
MinuteOfHour::ZERO,
21,
MinuteOfHour::ZERO
),
self::createAdScheduleInfo(
DayOfWeek::FRIDAY,
18,
MinuteOfHour::ZERO,
21,
MinuteOfHour::ZERO
)
]
]);
// Issues a mutate request to add the extension feed items.
$extensionFeedItemServiceClient = $googleAdsClient->getExtensionFeedItemServiceClient();
$response = $extensionFeedItemServiceClient->mutateExtensionFeedItems(
$customerId,
[
new ExtensionFeedItemOperation(['create' => $extensionFeedItem1]),
new ExtensionFeedItemOperation(['create' => $extensionFeedItem2]),
new ExtensionFeedItemOperation(['create' => $extensionFeedItem3]),
new ExtensionFeedItemOperation(['create' => $extensionFeedItem4])
]
);
// Prints some information about the created extension feed items.
printf(
"Created %d extension feed items with the following resource names:%s",
$response->getResults()->count(),
PHP_EOL
);
$createdExtensionFeedItemsResourceNames = [];
foreach ($response->getResults() as $addedExtensionFeedItem) {
/** @var ExtensionFeedItem $addedExtensionFeedItem */
$addedExtensionFeedItemResourceName = $addedExtensionFeedItem->getResourceName();
print $addedExtensionFeedItemResourceName . PHP_EOL;
$createdExtensionFeedItemsResourceNames[] = $addedExtensionFeedItemResourceName;
}
return $createdExtensionFeedItemsResourceNames;
}
/**
* Creates a new sitelink feed item with the specified attributes.
*
* @param $sitelinkText string the text of the sitelink feed item
* @param $sitelinkUrl string the URL of the sitelink feed item
* @return SitelinkFeedItem the created sitelink feed item
*/
private static function createSitelinkFeedItem(string $sitelinkText, string $sitelinkUrl)
{
return new SitelinkFeedItem(['link_text' => $sitelinkText, 'final_urls' => [$sitelinkUrl]]);
}
/**
* Creates a new ad schedule info object with the specified attributes.
*
* @param int $day the enum value of day of the week of the ad schedule info
* @param int $startHour the starting hour of the ad schedule info
* @param int $startMinute the enum value of the starting minute of the ad schedule info
* @param int $endHour the ending hour of the ad schedule info
* @param int $endMinute the enum value of ending minute of the ad schedule info
* @return AdScheduleInfo the created ad schedule info
*/
private static function createAdScheduleInfo(
int $day,
int $startHour,
int $startMinute,
int $endHour,
int $endMinute
) {
return new AdScheduleInfo([
'day_of_week' => $day,
'start_hour' => $startHour,
'start_minute' => $startMinute,
'end_hour' => $endHour,
'end_minute' => $endMinute
]);
}
}
AddSitelinks::main();
питон
#!/usr/bin/env python
# Copyright 2020 Google LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# https://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Adds sitelinks to a campaign.
To create a campaign, run add_campaigns.py.
DEPRECATION WARNING!
THIS USAGE IS DEPRECATED AND WILL BE REMOVED IN AN UPCOMING API VERSION.
All extensions should migrate to Assets. See add_sitelinks_using_assets.py
"""
import argparse
import datetime
import sys
from collections import namedtuple
from google.ads.googleads.client import GoogleAdsClient
from google.ads.googleads.errors import GoogleAdsException
_DateRange = namedtuple("_DateRange", ["start_datetime", "end_datetime"])
_date_format = "%Y-%m-%d %H:%M:%S"
def main(client, customer_id, campaign_id):
"""The main method that creates all necessary entities for the example."""
# Create an extension setting.
campaign_service = client.get_service("CampaignService")
campaign_ext_setting_service = client.get_service(
"CampaignExtensionSettingService"
)
campaign_resource_name = campaign_service.campaign_path(
customer_id, campaign_id
)
feed_item_resource_names = create_extension_feed_items(
client, customer_id, campaign_resource_name
)
campaign_ext_setting_operation = client.get_type(
"CampaignExtensionSettingOperation"
)
extension_type_enum = client.enums.ExtensionTypeEnum
campaign_ext_setting = campaign_ext_setting_operation.create
campaign_ext_setting.campaign = campaign_resource_name
campaign_ext_setting.extension_type = extension_type_enum.SITELINK
campaign_ext_setting.extension_feed_items.extend(feed_item_resource_names)
# Add campaign extension setting with site link feed items.
response = campaign_ext_setting_service.mutate_campaign_extension_settings(
customer_id=customer_id, operations=[campaign_ext_setting_operation]
)
print(
"Created CampaignExtensionSetting: "
f"'{response.results[0].resource_name}'."
)
def create_extension_feed_items(client, customer_id, campaign_resource_name):
"""Helper method that creates extension feed items.
Args:
client: a GoogleAdsClient instance.
customer_id: a str Google Ads customer ID, that the extension feed items
will be created for.
campaign_resource_name: a str resource name for the campaign that will
be tracked by the created extension feed items.
Returns:
A list containing resource names for the created extension feed items.
"""
extension_feed_item_service = client.get_service("ExtensionFeedItemService")
geo_target_constant_service = client.get_service("GeoTargetConstantService")
extension_type_enum = client.enums.ExtensionTypeEnum
feed_item_target_device_enum = client.enums.FeedItemTargetDeviceEnum
day_of_week_enum = client.enums.DayOfWeekEnum
minute_of_hour_enum = client.enums.MinuteOfHourEnum
extension_feed_item_operation1 = client.get_type(
"ExtensionFeedItemOperation"
)
extension_feed_item1 = extension_feed_item_operation1.create
extension_feed_item1.extension_type = extension_type_enum.SITELINK
extension_feed_item1.sitelink_feed_item.link_text = "Store Hours"
extension_feed_item1.targeted_campaign = campaign_resource_name
extension_feed_item1.sitelink_feed_item.final_urls.append(
"http://www.example.com/storehours"
)
extension_feed_item_operation2 = client.get_type(
"ExtensionFeedItemOperation"
)
date_range = get_thanksgiving_string_date_range()
extension_feed_item2 = extension_feed_item_operation2.create
extension_feed_item2.extension_type = extension_type_enum.SITELINK
extension_feed_item2.sitelink_feed_item.link_text = "Thanksgiving Specials"
extension_feed_item2.targeted_campaign = campaign_resource_name
extension_feed_item2.start_date_time = date_range.start_datetime
extension_feed_item2.end_date_time = date_range.end_datetime
# Targets this sitelink for the United States only.
# A list of country codes can be referenced here:
# https://developers.google.com/google-ads/api/reference/data/geotargets
united_states = geo_target_constant_service.geo_target_constant_path(2048)
extension_feed_item2.targeted_geo_target_constant = united_states
extension_feed_item2.sitelink_feed_item.final_urls.append(
"http://www.example.com/thanksgiving"
)
extension_feed_item_operation3 = client.get_type(
"ExtensionFeedItemOperation"
)
extension_feed_item3 = extension_feed_item_operation3.create
extension_feed_item3.extension_type = extension_type_enum.SITELINK
extension_feed_item3.sitelink_feed_item.link_text = "Wifi available"
extension_feed_item3.targeted_campaign = campaign_resource_name
extension_feed_item3.device = feed_item_target_device_enum.MOBILE
extension_feed_item3.sitelink_feed_item.final_urls.append(
"http://www.example.com/mobile/wifi"
)
extension_feed_item_operation4 = client.get_type(
"ExtensionFeedItemOperation"
)
extension_feed_item4 = extension_feed_item_operation4.create
extension_feed_item4.extension_type = extension_type_enum.SITELINK
extension_feed_item4.sitelink_feed_item.link_text = "Happy hours"
extension_feed_item4.targeted_campaign = campaign_resource_name
extension_feed_item4.device = feed_item_target_device_enum.MOBILE
extension_feed_item4.sitelink_feed_item.final_urls.append(
"http://www.example.com/happyhours"
)
for day_of_week in [
day_of_week_enum.MONDAY,
day_of_week_enum.TUESDAY,
day_of_week_enum.WEDNESDAY,
day_of_week_enum.THURSDAY,
day_of_week_enum.FRIDAY,
]:
ad_schedule = client.get_type("AdScheduleInfo")
populate_ad_schedule(
ad_schedule,
day_of_week,
18,
minute_of_hour_enum.ZERO,
21,
minute_of_hour_enum.ZERO,
)
extension_feed_item4.ad_schedules.append(ad_schedule)
# Add extension feed items
feed_response = extension_feed_item_service.mutate_extension_feed_items(
customer_id=customer_id,
operations=[
extension_feed_item_operation1,
extension_feed_item_operation2,
extension_feed_item_operation3,
extension_feed_item_operation4,
],
)
print("Created ExtensionFeedItems:")
for feed_item in feed_response.results:
print(f"\tResource name: {feed_item.resource_name}")
return [result.resource_name for result in feed_response.results]
def get_thanksgiving_string_date_range():
"""Retrieves a _DateRange with formatted datetime start/end strings."""
now = datetime.datetime.now()
start_dt = datetime.datetime(now.year, 11, 20, 0, 0, 0)
if start_dt < now:
# Move start_dt to next year if the current date is past November 20th.
start_dt = start_dt + datetime.timedelta(days=365)
end_dt = datetime.datetime(start_dt.year, 11, 27, 23, 59, 59)
return DateRange(
start_dt.strftime(_date_format), end_dt.strftime(_date_format)
)
def populate_ad_schedule(
ad_schedule, day_of_week, start_hour, start_minute, end_hour, end_minute
):
"""Helper method to populate a given AdScheduleInfo instance."""
ad_schedule.day_of_week = day_of_week
ad_schedule.start_hour = start_hour
ad_schedule.start_minute = start_minute
ad_schedule.end_hour = end_hour
ad_schedule.end_minute = end_minute
if __name__ == "__main__":
# GoogleAdsClient will read the google-ads.yaml configuration file in the
# home directory if none is specified.
googleads_client = GoogleAdsClient.load_from_storage(version="v14")
parser = argparse.ArgumentParser(
description="Adds sitelinks to the specified campaign."
)
# The following argument(s) should be provided to run the example.
parser.add_argument(
"-c",
"--customer_id",
type=str,
required=True,
help="The Google Ads customer ID",
)
parser.add_argument(
"-i",
"--campaign_id",
type=str,
required=True,
help="The campaign ID sitelinks will be added to.",
)
args = parser.parse_args()
try:
main(googleads_client, args.customer_id, args.campaign_id)
except GoogleAdsException as ex:
print(
f'Request with ID "{ex.request_id}" failed with status '
f'"{ex.error.code().name}" and includes the following errors:'
)
for error in ex.failure.errors:
print(f'\tError with message "{error.message}".')
if error.location:
for field_path_element in error.location.field_path_elements:
print("\t\tOn field: {field_path_element.field_name}")
sys.exit(1)
Рубин
#!/usr/bin/env ruby
# Encoding: utf-8
#
# Copyright 2020 Google LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# https://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
#
# Adds sitelinks to a campaign. To create a campaign, run add_campaigns.rb.
# DEPRECATION WARNING!
# THIS USAGE IS DEPRECATED AND WILL BE REMOVED IN AN UPCOMING API VERSION
# All extensions should migrate to Assets. See add_sitelinks_using_assets.rb.
require 'optparse'
require 'google/ads/google_ads'
require 'date'
def add_sitelinks(customer_id, campaign_id)
# GoogleAdsClient will read a config file from
# ENV['HOME']/google_ads_config.rb when called without parameters
client = Google::Ads::GoogleAds::GoogleAdsClient.new
campaign_resource_name = client.path.campaign(customer_id, campaign_id)
extension_feed_items =
create_extension_feed_items(client, customer_id, campaign_resource_name)
operation = client.operation.create_resource.campaign_extension_setting do |ces|
ces.campaign = campaign_resource_name
ces.extension_type = :SITELINK
extension_feed_items.each do |efi|
ces.extension_feed_items << efi
end
end
response = client.service.campaign_extension_setting.mutate_campaign_extension_settings(
customer_id: customer_id,
operations: [operation],
)
puts "Created a campaign extension setting with resource name '#{response.results.first.resource_name}'"
end
def create_extension_feed_items(client, customer_id, campaign_resource_name)
extension_feed_items = [
client.resource.extension_feed_item do |efi|
efi.extension_type = :SITELINK
efi.sitelink_feed_item = create_sitelink_feed_item(
client, 'Store Hours', 'http://www.example.com/storehours')
efi.targeted_campaign = campaign_resource_name
end,
client.resource.extension_feed_item do |efi|
efi.extension_type = :SITELINK
efi.sitelink_feed_item = create_sitelink_feed_item(
client, 'Thanksgiving Specials', 'http://www.example.com/thanksgiving')
efi.targeted_campaign = campaign_resource_name
today = Date.today
efi.start_date_time = DateTime.new(
today.year,
today.month,
today.day,
0,
0,
0
).strftime("%Y-%m-%d %H:%M:%S")
end_date = today + 7
efi.end_date_time = DateTime.new(
end_date.year,
end_date.month,
end_date.day,
23,
59,
59
).strftime("%Y-%m-%d %H:%M:%S")
# Targets this sitelink for United States only.
# A list of country codes can be referenced here:
# https://developers.google.com/google-ads/api/reference/data/geotargets
efi.targeted_geo_target_constant = client.path.geo_target_constant(2840)
end,
client.resource.extension_feed_item do |efi|
efi.extension_type = :SITELINK
efi.sitelink_feed_item = create_sitelink_feed_item(
client, 'Wifi available', 'http://www.example.com/wifi')
efi.targeted_campaign = campaign_resource_name
efi.device = :MOBILE
efi.targeted_keyword = client.resource.keyword_info do |ki|
ki.text = 'free wifi'
ki.match_type = :BROAD
end
end,
client.resource.extension_feed_item do |efi|
efi.extension_type = :SITELINK
efi.sitelink_feed_item = create_sitelink_feed_item(
client, 'Happy hours', 'http://www.example.com/happyhours')
efi.targeted_campaign = campaign_resource_name
efi.ad_schedules << create_ad_schedule(client, :MONDAY, 18, :ZERO, 21, :ZERO)
efi.ad_schedules << create_ad_schedule(client, :TUESDAY, 18, :ZERO, 21, :ZERO)
efi.ad_schedules << create_ad_schedule(client, :WEDNESDAY, 18, :ZERO, 21, :ZERO)
efi.ad_schedules << create_ad_schedule(client, :THURSDAY, 18, :ZERO, 21, :ZERO)
efi.ad_schedules << create_ad_schedule(client, :FRIDAY, 18, :ZERO, 21, :ZERO)
end
]
operations = extension_feed_items.map do |efi|
client.operation.create_resource.extension_feed_item(efi)
end
response = client.service.extension_feed_item.mutate_extension_feed_items(
customer_id: customer_id,
operations: operations,
)
puts "Created #{response.results.size} extension feed items with the following resource names:"
response.results.map do |result|
puts "\t#{result.resource_name}"
result.resource_name
end
end
def create_sitelink_feed_item(client, sitelink_text, sitelink_url)
client.resource.sitelink_feed_item do |sfi|
sfi.link_text = sitelink_text
sfi.final_urls << sitelink_url
end
end
def create_ad_schedule(client, day, start_hour, start_minute, end_hour, end_minute)
client.resource.ad_schedule_info do |asi|
asi.day_of_week = day
asi.start_hour = start_hour
asi.start_minute = start_minute
asi.end_hour = end_hour
asi.end_minute = end_minute
end
end
if __FILE__ == $0
options = {}
# The following parameter(s) should be provided to run the example. You can
# either specify these by changing the INSERT_XXX_ID_HERE values below, or on
# the command line.
#
# Parameters passed on the command line will override any parameters set in
# code.
#
# Running the example with -h will print the command line usage.
options[:customer_id] = 'INSERT_CUSTOMER_ID_HERE'
options[:campaign_id] = 'INSERT_CAMPAIGN_ID_HERE'
OptionParser.new do |opts|
opts.banner = sprintf('Usage: %s [options]', File.basename(__FILE__))
opts.separator ''
opts.separator 'Options:'
opts.on('-C', '--customer-id CUSTOMER-ID', String, 'Customer ID') do |v|
options[:customer_id] = v
end
opts.on('-c', '--campaign-id CAMPAIGN-ID', String, 'Campaign ID') do |v|
options[:campaign_id] = v
end
opts.separator ''
opts.separator 'Help:'
opts.on_tail('-h', '--help', 'Show this message') do
puts opts
exit
end
end.parse!
begin
add_sitelinks(options.fetch(:customer_id).tr("-", ""), options.fetch(:campaign_id))
rescue Google::Ads::GoogleAds::Errors::GoogleAdsError => e
e.failure.errors.each do |error|
STDERR.printf("Error with message: %s\n", error.message)
if error.location
error.location.field_path_elements.each do |field_path_element|
STDERR.printf("\tOn field: %s\n", field_path_element.field_name)
end
end
error.error_code.to_h.each do |k, v|
next if v == :UNSPECIFIED
STDERR.printf("\tType: %s\n\tCode: %s\n", k, v)
end
end
raise
end
end
Перл
#!/usr/bin/perl -w
#
# Copyright 2019, Google LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
#
# This example adds sitelinks to a campaign. To create a campaign, run add_campaigns.pl.
#
# DEPRECATION WARNING!
# THIS USAGE IS DEPRECATED AND WILL BE REMOVED IN AN UPCOMING API VERSION
# All extensions should migrate to Assets. See add_sitelinks_using_assets.pl
use strict;
use warnings;
use utf8;
use FindBin qw($Bin);
use lib "$Bin/../../lib";
use Google::Ads::GoogleAds::Client;
use Google::Ads::GoogleAds::Utils::GoogleAdsHelper;
use Google::Ads::GoogleAds::V14::Resources::CampaignExtensionSetting;
use Google::Ads::GoogleAds::V14::Resources::ExtensionFeedItem;
use Google::Ads::GoogleAds::V14::Common::KeywordInfo;
use Google::Ads::GoogleAds::V14::Common::SitelinkFeedItem;
use Google::Ads::GoogleAds::V14::Common::AdScheduleInfo;
use Google::Ads::GoogleAds::V14::Enums::ExtensionTypeEnum qw(SITELINK);
use Google::Ads::GoogleAds::V14::Enums::FeedItemTargetDeviceEnum qw(MOBILE);
use Google::Ads::GoogleAds::V14::Enums::KeywordMatchTypeEnum qw(BROAD);
use Google::Ads::GoogleAds::V14::Enums::DayOfWeekEnum
qw(MONDAY TUESDAY WEDNESDAY THURSDAY FRIDAY);
use Google::Ads::GoogleAds::V14::Enums::MinuteOfHourEnum qw(ZERO);
use
Google::Ads::GoogleAds::V14::Services::CampaignExtensionSettingService::CampaignExtensionSettingOperation;
use
Google::Ads::GoogleAds::V14::Services::ExtensionFeedItemService::ExtensionFeedItemOperation;
use Google::Ads::GoogleAds::V14::Utils::ResourceNames;
use Getopt::Long qw(:config auto_help);
use Pod::Usage;
use Cwd qw(abs_path);
use POSIX qw(strftime mktime);
# The following parameter(s) should be provided to run the example. You can
# either specify these by changing the INSERT_XXX_ID_HERE values below, or on
# the command line.
#
# Parameters passed on the command line will override any parameters set in
# code.
#
# Running the example with -h will print the command line usage.
my $customer_id = "INSERT_CUSTOMER_ID_HERE";
my $campaign_id = "INSERT_CAMPAIGN_ID_HERE";
sub add_sitelinks {
my ($api_client, $customer_id, $campaign_id) = @_;
my $campaign_resource_name =
Google::Ads::GoogleAds::V14::Utils::ResourceNames::campaign($customer_id,
$campaign_id);
# Create extension feed items as sitelinks.
my $extension_feed_items =
create_extension_feed_items($api_client, $customer_id,
$campaign_resource_name);
# Create a campaign extension setting.
my $campaign_extension_setting =
Google::Ads::GoogleAds::V14::Resources::CampaignExtensionSetting->new({
campaign => $campaign_resource_name,
extensionType => SITELINK,
extensionFeedItems => $extension_feed_items
});
# Create a campaign extension setting operation.
my $campaign_extension_setting_operation =
Google::Ads::GoogleAds::V14::Services::CampaignExtensionSettingService::CampaignExtensionSettingOperation
->new({
create => $campaign_extension_setting
});
# Add the campaign extension setting.
my $campaign_extension_settings_response =
$api_client->CampaignExtensionSettingService()->mutate({
customerId => $customer_id,
operations => [$campaign_extension_setting_operation]});
printf "Created campaign extension setting with resource name '%s'.\n",
$campaign_extension_settings_response->{results}[0]{resourceName};
return 1;
}
# Creates a list of extension feed items.
sub create_extension_feed_items {
my ($api_client, $customer_id, $campaign_resource_name) = @_;
my $operations = [];
my $sitelink_feed_item_1 = create_sitelink_feed_item("Store Hours",
"http://www.example.com/storehours");
# Create an extension feed item from the sitelink feed item.
my $extension_feed_item_1 =
Google::Ads::GoogleAds::V14::Resources::ExtensionFeedItem->new({
extensionType => SITELINK,
sitelinkFeedItem => $sitelink_feed_item_1,
targetedCampaign => $campaign_resource_name
});
# Create an extension feed item operation and add it to the operations list.
push @$operations,
Google::Ads::GoogleAds::V14::Services::ExtensionFeedItemService::ExtensionFeedItemOperation
->new({
create => $extension_feed_item_1
});
my $sitelink_feed_item_2 = create_sitelink_feed_item("Thanksgiving Specials",
"http://www.example.com/thanksgiving");
# Set the start_time and end_time to show the Thanksgiving specials link only
# from 20 - 27 Nov.
my ($sec, $min, $hour, $mday, $mon, $year) = localtime(time);
my $start_time = mktime(0, 0, 0, 20, 10, $year);
if ($start_time < time) {
# Move the start_time to next year if the current date is past November 20th.
$year += 1;
$start_time = mktime(0, 0, 0, 20, 10, $year);
}
# Convert to a string in the required format.
my $start_time_string = strftime("%Y-%m-%d %H:%M:%S", localtime($start_time));
# Use the same year as start_time when creating end_time.
my $end_time = mktime(59, 59, 23, 27, 10, $year);
my $end_time_string = strftime("%Y-%m-%d %H:%M:%S", localtime($end_time));
# Target this sitelink for United States only.
# A list of country codes can be referenced here:
# https://developers.google.com/google-ads/api/reference/data/geotargets
my $united_states =
Google::Ads::GoogleAds::V14::Utils::ResourceNames::geo_target_constant(
2840);
my $extension_feed_item_2 =
Google::Ads::GoogleAds::V14::Resources::ExtensionFeedItem->new({
extensionType => SITELINK,
sitelinkFeedItem => $sitelink_feed_item_2,
targetedCampaign => $campaign_resource_name,
startDateTime => $start_time_string,
endDateTime => $end_time_string,
targetedGeoTargetConstant => $united_states
});
push @$operations,
Google::Ads::GoogleAds::V14::Services::ExtensionFeedItemService::ExtensionFeedItemOperation
->new({
create => $extension_feed_item_2
});
my $sitelink_feed_item_3 = create_sitelink_feed_item("Wifi available",
"http://www.example.com/mobile/wifi");
# Set the targeted device to show the wifi details primarily for high end
# mobile users.
# Target this sitelink for the keyword "free wifi".
my $extension_feed_item_3 =
Google::Ads::GoogleAds::V14::Resources::ExtensionFeedItem->new({
extensionType => SITELINK,
sitelinkFeedItem => $sitelink_feed_item_3,
targetedCampaign => $campaign_resource_name,
device => MOBILE,
targetedKeyword => Google::Ads::GoogleAds::V14::Common::KeywordInfo->new(
{
text => "free wifi",
matchType => BROAD
})});
push @$operations,
Google::Ads::GoogleAds::V14::Services::ExtensionFeedItemService::ExtensionFeedItemOperation
->new({
create => $extension_feed_item_3
});
my $sitelink_feed_item_4 = create_sitelink_feed_item("Happy hours",
"http://www.example.com/happyhours");
# Set the feed item schedules to show the happy hours link only during Mon - Fri
# 6PM to 9PM.
my $extension_feed_item_4 =
Google::Ads::GoogleAds::V14::Resources::ExtensionFeedItem->new({
extensionType => SITELINK,
sitelinkFeedItem => $sitelink_feed_item_4,
targetedCampaign => $campaign_resource_name,
adSchedules => [
create_ad_schedule_info(MONDAY, 18, ZERO, 21, ZERO),
create_ad_schedule_info(TUESDAY, 18, ZERO, 21, ZERO),
create_ad_schedule_info(WEDNESDAY, 18, ZERO, 21, ZERO),
create_ad_schedule_info(THURSDAY, 18, ZERO, 21, ZERO),
create_ad_schedule_info(FRIDAY, 18, ZERO, 21, ZERO)]});
push @$operations,
Google::Ads::GoogleAds::V14::Services::ExtensionFeedItemService::ExtensionFeedItemOperation
->new({
create => $extension_feed_item_4
});
# Add the extension feed item.
my $extension_feed_items_response =
$api_client->ExtensionFeedItemService()->mutate({
customerId => $customer_id,
operations => $operations
});
my $extension_feed_item_results = $extension_feed_items_response->{results};
printf "Added %d extension feed items:\n",
scalar @$extension_feed_item_results;
my $resource_names = [];
foreach my $extension_feed_item_result (@$extension_feed_item_results) {
printf "\tCreated extension feed item with resource name '%s'.\n",
$extension_feed_item_result->{resourceName};
push @$resource_names, $extension_feed_item_result->{resourceName};
}
return $resource_names;
}
# Creates a new sitelink feed item with the specified attributes.
sub create_sitelink_feed_item {
my ($sitelink_text, $sitelink_url) = @_;
return Google::Ads::GoogleAds::V14::Common::SitelinkFeedItem->new({
linkText => $sitelink_text,
finalUrls => $sitelink_url
});
}
# Creates a new ad schedule info with the specified attributes.
sub create_ad_schedule_info {
my ($day, $start_hour, $start_minute, $end_hour, $end_minute) = @_;
return Google::Ads::GoogleAds::V14::Common::AdScheduleInfo->new({
dayOfWeek => $day,
startHour => $start_hour,
startMinute => $start_minute,
endHour => $end_hour,
endMinute => $end_minute
});
}
# Don't run the example if the file is being included.
if (abs_path($0) ne abs_path(__FILE__)) {
return 1;
}
# Get Google Ads Client, credentials will be read from ~/googleads.properties.
my $api_client = Google::Ads::GoogleAds::Client->new();
# By default examples are set to die on any server returned fault.
$api_client->set_die_on_faults(1);
# Parameters passed on the command line will override any parameters set in code.
GetOptions("customer_id=s" => \$customer_id, "campaign_id=i" => \$campaign_id);
# Print the help message if the parameters are not initialized in the code nor
# in the command line.
pod2usage(2) if not check_params($customer_id, $campaign_id);
# Call the example.
add_sitelinks($api_client, $customer_id =~ s/-//gr, $campaign_id);
=pod
=head1 NAME
add_sitelinks
=head1 DESCRIPTION
This example adds sitelinks to a campaign. To create a campaign, run add_campaigns.pl.
DEPRECATION WARNING!
THIS USAGE IS DEPRECATED AND WILL BE REMOVED IN AN UPCOMING API VERSION
All extensions should migrate to Assets. See add_sitelinks_using_assets.pl
=head1 SYNOPSIS
add_sitelinks.pl [options]
-help Show the help message.
-customer_id The Google Ads customer ID.
-campaign_id The campaign ID.
=cut