8889841cfirebase/php-jwt/src/BeforeValidException.php 0000644 00000000176 15054470473 0015273 0 ustar 00
* @license http://opensource.org/licenses/BSD-3-Clause 3-clause BSD
* @link https://github.com/firebase/php-jwt
*/
class JWK
{
/**
* Parse a set of JWK keys
*
* @param array $jwks The JSON Web Key Set as an associative array
*
* @return array An associative array that represents the set of keys
*
* @throws InvalidArgumentException Provided JWK Set is empty
* @throws UnexpectedValueException Provided JWK Set was invalid
* @throws DomainException OpenSSL failure
*
* @uses parseKey
*/
public static function parseKeySet(array $jwks)
{
$keys = array();
if (!isset($jwks['keys'])) {
throw new \UnexpectedValueException('"keys" member must exist in the JWK Set');
}
if (empty($jwks['keys'])) {
throw new \InvalidArgumentException('JWK Set did not contain any keys');
}
foreach ($jwks['keys'] as $k => $v) {
$kid = isset($v['kid']) ? $v['kid'] : $k;
if ($key = self::parseKey($v)) {
$keys[$kid] = $key;
}
}
if (0 === \count($keys)) {
throw new \UnexpectedValueException('No supported algorithms found in JWK Set');
}
return $keys;
}
/**
* Parse a JWK key
*
* @param array $jwk An individual JWK
*
* @return resource|array An associative array that represents the key
*
* @throws InvalidArgumentException Provided JWK is empty
* @throws UnexpectedValueException Provided JWK was invalid
* @throws DomainException OpenSSL failure
*
* @uses createPemFromModulusAndExponent
*/
public static function parseKey(array $jwk)
{
if (empty($jwk)) {
throw new \InvalidArgumentException('JWK must not be empty');
}
if (!isset($jwk['kty'])) {
throw new \UnexpectedValueException('JWK must contain a "kty" parameter');
}
switch ($jwk['kty']) {
case 'RSA':
if (!empty($jwk['d'])) {
throw new \UnexpectedValueException('RSA private keys are not supported');
}
if (!isset($jwk['n']) || !isset($jwk['e'])) {
throw new \UnexpectedValueException('RSA keys must contain values for both "n" and "e"');
}
$pem = self::createPemFromModulusAndExponent($jwk['n'], $jwk['e']);
$publicKey = \openssl_pkey_get_public($pem);
if (\false === $publicKey) {
throw new \DomainException('OpenSSL error: ' . \openssl_error_string());
}
return $publicKey;
default:
// Currently only RSA is supported
break;
}
}
/**
* Create a public key represented in PEM format from RSA modulus and exponent information
*
* @param string $n The RSA modulus encoded in Base64
* @param string $e The RSA exponent encoded in Base64
*
* @return string The RSA public key represented in PEM format
*
* @uses encodeLength
*/
private static function createPemFromModulusAndExponent($n, $e)
{
$modulus = \Google\Site_Kit_Dependencies\Firebase\JWT\JWT::urlsafeB64Decode($n);
$publicExponent = \Google\Site_Kit_Dependencies\Firebase\JWT\JWT::urlsafeB64Decode($e);
$components = array('modulus' => \pack('Ca*a*', 2, self::encodeLength(\strlen($modulus)), $modulus), 'publicExponent' => \pack('Ca*a*', 2, self::encodeLength(\strlen($publicExponent)), $publicExponent));
$rsaPublicKey = \pack('Ca*a*a*', 48, self::encodeLength(\strlen($components['modulus']) + \strlen($components['publicExponent'])), $components['modulus'], $components['publicExponent']);
// sequence(oid(1.2.840.113549.1.1.1), null)) = rsaEncryption.
$rsaOID = \pack('H*', '300d06092a864886f70d0101010500');
// hex version of MA0GCSqGSIb3DQEBAQUA
$rsaPublicKey = \chr(0) . $rsaPublicKey;
$rsaPublicKey = \chr(3) . self::encodeLength(\strlen($rsaPublicKey)) . $rsaPublicKey;
$rsaPublicKey = \pack('Ca*a*', 48, self::encodeLength(\strlen($rsaOID . $rsaPublicKey)), $rsaOID . $rsaPublicKey);
$rsaPublicKey = "-----BEGIN PUBLIC KEY-----\r\n" . \chunk_split(\base64_encode($rsaPublicKey), 64) . '-----END PUBLIC KEY-----';
return $rsaPublicKey;
}
/**
* DER-encode the length
*
* DER supports lengths up to (2**8)**127, however, we'll only support lengths up to (2**8)**4. See
* {@link http://itu.int/ITU-T/studygroups/com17/languages/X.690-0207.pdf#p=13 X.690 paragraph 8.1.3} for more information.
*
* @param int $length
* @return string
*/
private static function encodeLength($length)
{
if ($length <= 0x7f) {
return \chr($length);
}
$temp = \ltrim(\pack('N', $length), \chr(0));
return \pack('Ca*', 0x80 | \strlen($temp), $temp);
}
}
firebase/php-jwt/src/SignatureInvalidException.php 0000644 00000000203 15054470473 0016350 0 ustar 00
* @author Anant Narayanan
* For more information about this service, see the API * Documentation *
* * @author Google, Inc. */ class AnalyticsData extends \Google\Site_Kit_Dependencies\Google\Service { /** View and manage your Google Analytics data. */ const ANALYTICS = "https://www.googleapis.com/auth/analytics"; /** See and download your Google Analytics data. */ const ANALYTICS_READONLY = "https://www.googleapis.com/auth/analytics.readonly"; public $properties; /** * Constructs the internal representation of the AnalyticsData service. * * @param Client|array $clientOrConfig The client used to deliver requests, or a * config array to pass to a new Client instance. * @param string $rootUrl The root URL used for requests to the service. */ public function __construct($clientOrConfig = [], $rootUrl = null) { parent::__construct($clientOrConfig); $this->rootUrl = $rootUrl ?: 'https://analyticsdata.googleapis.com/'; $this->servicePath = ''; $this->batchPath = 'batch'; $this->version = 'v1beta'; $this->serviceName = 'analyticsdata'; $this->properties = new \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\Resource\Properties($this, $this->serviceName, 'properties', ['methods' => ['batchRunPivotReports' => ['path' => 'v1beta/{+property}:batchRunPivotReports', 'httpMethod' => 'POST', 'parameters' => ['property' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'batchRunReports' => ['path' => 'v1beta/{+property}:batchRunReports', 'httpMethod' => 'POST', 'parameters' => ['property' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'checkCompatibility' => ['path' => 'v1beta/{+property}:checkCompatibility', 'httpMethod' => 'POST', 'parameters' => ['property' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'getMetadata' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'runPivotReport' => ['path' => 'v1beta/{+property}:runPivotReport', 'httpMethod' => 'POST', 'parameters' => ['property' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'runRealtimeReport' => ['path' => 'v1beta/{+property}:runRealtimeReport', 'httpMethod' => 'POST', 'parameters' => ['property' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'runReport' => ['path' => 'v1beta/{+property}:runReport', 'httpMethod' => 'POST', 'parameters' => ['property' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData'); google/apiclient-services/src/PeopleService/UserDefined.php 0000644 00000003744 15054470473 0020074 0 ustar 00 key = $key; } /** * @return string */ public function getKey() { return $this->key; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\UserDefined::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_UserDefined'); google/apiclient-services/src/PeopleService/BatchUpdateContactsRequest.php 0000644 00000004535 15054470473 0023132 0 ustar 00 contacts = $contacts; } /** * @return Person[] */ public function getContacts() { return $this->contacts; } /** * @param string */ public function setReadMask($readMask) { $this->readMask = $readMask; } /** * @return string */ public function getReadMask() { return $this->readMask; } /** * @param string[] */ public function setSources($sources) { $this->sources = $sources; } /** * @return string[] */ public function getSources() { return $this->sources; } /** * @param string */ public function setUpdateMask($updateMask) { $this->updateMask = $updateMask; } /** * @return string */ public function getUpdateMask() { return $this->updateMask; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchUpdateContactsRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_BatchUpdateContactsRequest'); google/apiclient-services/src/PeopleService/Skill.php 0000644 00000003307 15054470473 0016750 0 ustar 00 metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Skill::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Skill'); google/apiclient-services/src/PeopleService/GroupClientData.php 0000644 00000003017 15054470473 0020715 0 ustar 00 key = $key; } /** * @return string */ public function getKey() { return $this->key; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\GroupClientData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_GroupClientData'); google/apiclient-services/src/PeopleService/Source.php 0000644 00000005125 15054470473 0017132 0 ustar 00 etag = $etag; } /** * @return string */ public function getEtag() { return $this->etag; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param ProfileMetadata */ public function setProfileMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ProfileMetadata $profileMetadata) { $this->profileMetadata = $profileMetadata; } /** * @return ProfileMetadata */ public function getProfileMetadata() { return $this->profileMetadata; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Source::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Source'); google/apiclient-services/src/PeopleService/Locale.php 0000644 00000003312 15054470473 0017065 0 ustar 00 metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Locale::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Locale'); google/apiclient-services/src/PeopleService/Photo.php 0000644 00000003732 15054470473 0016765 0 ustar 00 default = $default; } /** * @return bool */ public function getDefault() { return $this->default; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setUrl($url) { $this->url = $url; } /** * @return string */ public function getUrl() { return $this->url; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Photo::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Photo'); google/apiclient-services/src/PeopleService/BatchDeleteContactsRequest.php 0000644 00000002631 15054470473 0023105 0 ustar 00 resourceNames = $resourceNames; } /** * @return string[] */ public function getResourceNames() { return $this->resourceNames; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchDeleteContactsRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_BatchDeleteContactsRequest'); google/apiclient-services/src/PeopleService/EmailAddress.php 0000644 00000005202 15054470473 0020223 0 ustar 00 displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setFormattedType($formattedType) { $this->formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\EmailAddress::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_EmailAddress'); google/apiclient-services/src/PeopleService/CalendarUrl.php 0000644 00000004456 15054470473 0020074 0 ustar 00 formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUrl($url) { $this->url = $url; } /** * @return string */ public function getUrl() { return $this->url; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\CalendarUrl::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_CalendarUrl'); google/apiclient-services/src/PeopleService/DomainMembership.php 0000644 00000002500 15054470473 0021107 0 ustar 00 inViewerDomain = $inViewerDomain; } /** * @return bool */ public function getInViewerDomain() { return $this->inViewerDomain; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\DomainMembership::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_DomainMembership'); google/apiclient-services/src/PeopleService/RelationshipStatus.php 0000644 00000004106 15054470473 0021535 0 ustar 00 formattedValue = $formattedValue; } /** * @return string */ public function getFormattedValue() { return $this->formattedValue; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\RelationshipStatus::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_RelationshipStatus'); google/apiclient-services/src/PeopleService/CreateContactGroupRequest.php 0000644 00000003545 15054470473 0023003 0 ustar 00 contactGroup = $contactGroup; } /** * @return ContactGroup */ public function getContactGroup() { return $this->contactGroup; } /** * @param string */ public function setReadGroupFields($readGroupFields) { $this->readGroupFields = $readGroupFields; } /** * @return string */ public function getReadGroupFields() { return $this->readGroupFields; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\CreateContactGroupRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_CreateContactGroupRequest'); google/apiclient-services/src/PeopleService/BatchGetContactGroupsResponse.php 0000644 00000003005 15054470473 0023601 0 ustar 00 responses = $responses; } /** * @return ContactGroupResponse[] */ public function getResponses() { return $this->responses; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchGetContactGroupsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_BatchGetContactGroupsResponse'); google/apiclient-services/src/PeopleService/FieldMetadata.php 0000644 00000004456 15054470473 0020364 0 ustar 00 primary = $primary; } /** * @return bool */ public function getPrimary() { return $this->primary; } /** * @param Source */ public function setSource(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Source $source) { $this->source = $source; } /** * @return Source */ public function getSource() { return $this->source; } /** * @param bool */ public function setSourcePrimary($sourcePrimary) { $this->sourcePrimary = $sourcePrimary; } /** * @return bool */ public function getSourcePrimary() { return $this->sourcePrimary; } /** * @param bool */ public function setVerified($verified) { $this->verified = $verified; } /** * @return bool */ public function getVerified() { return $this->verified; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_FieldMetadata'); google/apiclient-services/src/PeopleService/Tagline.php 0000644 00000003315 15054470473 0017254 0 ustar 00 metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Tagline::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Tagline'); google/apiclient-services/src/PeopleService/FileAs.php 0000644 00000003312 15054470473 0017031 0 ustar 00 metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FileAs::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_FileAs'); google/apiclient-services/src/PeopleService/AgeRangeType.php 0000644 00000003361 15054470473 0020205 0 ustar 00 ageRange = $ageRange; } /** * @return string */ public function getAgeRange() { return $this->ageRange; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\AgeRangeType::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_AgeRangeType'); google/apiclient-services/src/PeopleService/UpdateContactGroupRequest.php 0000644 00000004322 15054470473 0023014 0 ustar 00 contactGroup = $contactGroup; } /** * @return ContactGroup */ public function getContactGroup() { return $this->contactGroup; } /** * @param string */ public function setReadGroupFields($readGroupFields) { $this->readGroupFields = $readGroupFields; } /** * @return string */ public function getReadGroupFields() { return $this->readGroupFields; } /** * @param string */ public function setUpdateGroupFields($updateGroupFields) { $this->updateGroupFields = $updateGroupFields; } /** * @return string */ public function getUpdateGroupFields() { return $this->updateGroupFields; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\UpdateContactGroupRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_UpdateContactGroupRequest'); google/apiclient-services/src/PeopleService/BatchCreateContactsResponse.php 0000644 00000003021 15054470473 0023246 0 ustar 00 createdPeople = $createdPeople; } /** * @return PersonResponse[] */ public function getCreatedPeople() { return $this->createdPeople; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchCreateContactsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_BatchCreateContactsResponse'); google/apiclient-services/src/PeopleService/ExternalId.php 0000644 00000004471 15054470473 0017734 0 ustar 00 formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ExternalId::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ExternalId'); google/apiclient-services/src/PeopleService/Occupation.php 0000644 00000003326 15054470473 0017777 0 ustar 00 metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Occupation::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Occupation'); google/apiclient-services/src/PeopleService/ModifyContactGroupMembersResponse.php 0000644 00000004011 15054470473 0024475 0 ustar 00 canNotRemoveLastContactGroupResourceNames = $canNotRemoveLastContactGroupResourceNames; } /** * @return string[] */ public function getCanNotRemoveLastContactGroupResourceNames() { return $this->canNotRemoveLastContactGroupResourceNames; } /** * @param string[] */ public function setNotFoundResourceNames($notFoundResourceNames) { $this->notFoundResourceNames = $notFoundResourceNames; } /** * @return string[] */ public function getNotFoundResourceNames() { return $this->notFoundResourceNames; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ModifyContactGroupMembersResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ModifyContactGroupMembersResponse'); google/apiclient-services/src/PeopleService/ListDirectoryPeopleResponse.php 0000644 00000004134 15054470473 0023355 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param string */ public function setNextSyncToken($nextSyncToken) { $this->nextSyncToken = $nextSyncToken; } /** * @return string */ public function getNextSyncToken() { return $this->nextSyncToken; } /** * @param Person[] */ public function setPeople($people) { $this->people = $people; } /** * @return Person[] */ public function getPeople() { return $this->people; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ListDirectoryPeopleResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ListDirectoryPeopleResponse'); google/apiclient-services/src/PeopleService/SearchResult.php 0000644 00000002627 15054470473 0020302 0 ustar 00 person = $person; } /** * @return Person */ public function getPerson() { return $this->person; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\SearchResult::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_SearchResult'); google/apiclient-services/src/PeopleService/ListContactGroupsResponse.php 0000644 00000004732 15054470473 0023043 0 ustar 00 contactGroups = $contactGroups; } /** * @return ContactGroup[] */ public function getContactGroups() { return $this->contactGroups; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param string */ public function setNextSyncToken($nextSyncToken) { $this->nextSyncToken = $nextSyncToken; } /** * @return string */ public function getNextSyncToken() { return $this->nextSyncToken; } /** * @param int */ public function setTotalItems($totalItems) { $this->totalItems = $totalItems; } /** * @return int */ public function getTotalItems() { return $this->totalItems; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ListContactGroupsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ListContactGroupsResponse'); google/apiclient-services/src/PeopleService/BatchUpdateContactsResponse.php 0000644 00000002721 15054470473 0023273 0 ustar 00 updateResult = $updateResult; } /** * @return PersonResponse[] */ public function getUpdateResult() { return $this->updateResult; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchUpdateContactsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_BatchUpdateContactsResponse'); google/apiclient-services/src/PeopleService/Birthday.php 0000644 00000004146 15054470473 0017442 0 ustar 00 date = $date; } /** * @return Date */ public function getDate() { return $this->date; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setText($text) { $this->text = $text; } /** * @return string */ public function getText() { return $this->text; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Birthday::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Birthday'); google/apiclient-services/src/PeopleService/Resource/ContactGroupsMembers.php 0000644 00000004677 15054470473 0023602 0 ustar 00 * $peopleService = new Google\Service\PeopleService(...); * $members = $peopleService->members; * */ class ContactGroupsMembers extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Modify the members of a contact group owned by the authenticated user. The * only system contact groups that can have members added are * `contactGroups/myContacts` and `contactGroups/starred`. Other system contact * groups are deprecated and can only have contacts removed. (members.modify) * * @param string $resourceName Required. The resource name of the contact group * to modify. * @param ModifyContactGroupMembersRequest $postBody * @param array $optParams Optional parameters. * @return ModifyContactGroupMembersResponse */ public function modify($resourceName, \Google\Site_Kit_Dependencies\Google\Service\PeopleService\ModifyContactGroupMembersRequest $postBody, $optParams = []) { $params = ['resourceName' => $resourceName, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('modify', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\ModifyContactGroupMembersResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Resource\ContactGroupsMembers::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Resource_ContactGroupsMembers'); google/apiclient-services/src/PeopleService/Resource/OtherContacts.php 0000644 00000020313 15054470473 0022235 0 ustar 00 * $peopleService = new Google\Service\PeopleService(...); * $otherContacts = $peopleService->otherContacts; * */ class OtherContacts extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Copies an "Other contact" to a new contact in the user's "myContacts" group * Mutate requests for the same user should be sent sequentially to avoid * increased latency and failures. * (otherContacts.copyOtherContactToMyContactsGroup) * * @param string $resourceName Required. The resource name of the "Other * contact" to copy. * @param CopyOtherContactToMyContactsGroupRequest $postBody * @param array $optParams Optional parameters. * @return Person */ public function copyOtherContactToMyContactsGroup($resourceName, \Google\Site_Kit_Dependencies\Google\Service\PeopleService\CopyOtherContactToMyContactsGroupRequest $postBody, $optParams = []) { $params = ['resourceName' => $resourceName, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('copyOtherContactToMyContactsGroup', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\Person::class); } /** * List all "Other contacts", that is contacts that are not in a contact group. * "Other contacts" are typically auto created contacts from interactions. Sync * tokens expire 7 days after the full sync. A request with an expired sync * token will get an error with an [google.rpc.ErrorInfo](https://cloud.google.c * om/apis/design/errors#error_info) with reason "EXPIRED_SYNC_TOKEN". In the * case of such an error clients should make a full sync request without a * `sync_token`. The first page of a full sync request has an additional quota. * If the quota is exceeded, a 429 error will be returned. This quota is fixed * and can not be increased. When the `sync_token` is specified, resources * deleted since the last sync will be returned as a person with * `PersonMetadata.deleted` set to true. When the `page_token` or `sync_token` * is specified, all other request parameters must match the first call. Writes * may have a propagation delay of several minutes for sync requests. * Incremental syncs are not intended for read-after-write use cases. See * example usage at [List the user's other contacts that have * changed](/people/v1/other- * contacts#list_the_users_other_contacts_that_have_changed). * (otherContacts.listOtherContacts) * * @param array $optParams Optional parameters. * * @opt_param int pageSize Optional. The number of "Other contacts" to include * in the response. Valid values are between 1 and 1000, inclusive. Defaults to * 100 if not set or set to 0. * @opt_param string pageToken Optional. A page token, received from a previous * response `next_page_token`. Provide this to retrieve the subsequent page. * When paginating, all other parameters provided to `otherContacts.list` must * match the first call that provided the page token. * @opt_param string readMask Required. A field mask to restrict which fields on * each person are returned. Multiple fields can be specified by separating them * with commas. What values are valid depend on what ReadSourceType is used. If * READ_SOURCE_TYPE_CONTACT is used, valid values are: * emailAddresses * * metadata * names * phoneNumbers * photos If READ_SOURCE_TYPE_PROFILE is used, * valid values are: * addresses * ageRanges * biographies * birthdays * * calendarUrls * clientData * coverPhotos * emailAddresses * events * * externalIds * genders * imClients * interests * locales * locations * * memberships * metadata * miscKeywords * names * nicknames * occupations * * organizations * phoneNumbers * photos * relations * sipAddresses * skills * * urls * userDefined * @opt_param bool requestSyncToken Optional. Whether the response should return * `next_sync_token` on the last page of results. It can be used to get * incremental changes since the last request by setting it on the request * `sync_token`. More details about sync behavior at `otherContacts.list`. * @opt_param string sources Optional. A mask of what source types to return. * Defaults to READ_SOURCE_TYPE_CONTACT if not set. Possible values for this * field are: * READ_SOURCE_TYPE_CONTACT * * READ_SOURCE_TYPE_CONTACT,READ_SOURCE_TYPE_PROFILE Specifying * READ_SOURCE_TYPE_PROFILE without specifying READ_SOURCE_TYPE_CONTACT is not * permitted. * @opt_param string syncToken Optional. A sync token, received from a previous * response `next_sync_token` Provide this to retrieve only the resources * changed since the last request. When syncing, all other parameters provided * to `otherContacts.list` must match the first call that provided the sync * token. More details about sync behavior at `otherContacts.list`. * @return ListOtherContactsResponse */ public function listOtherContacts($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\ListOtherContactsResponse::class); } /** * Provides a list of contacts in the authenticated user's other contacts that * matches the search query. The query matches on a contact's `names`, * `emailAddresses`, and `phoneNumbers` fields that are from the OTHER_CONTACT * source. **IMPORTANT**: Before searching, clients should send a warmup request * with an empty query to update the cache. See * https://developers.google.com/people/v1/other- * contacts#search_the_users_other_contacts (otherContacts.search) * * @param array $optParams Optional parameters. * * @opt_param int pageSize Optional. The number of results to return. Defaults * to 10 if field is not set, or set to 0. Values greater than 30 will be capped * to 30. * @opt_param string query Required. The plain-text query for the request. The * query is used to match prefix phrases of the fields on a person. For example, * a person with name "foo name" matches queries such as "f", "fo", "foo", "foo * n", "nam", etc., but not "oo n". * @opt_param string readMask Required. A field mask to restrict which fields on * each person are returned. Multiple fields can be specified by separating them * with commas. Valid values are: * emailAddresses * metadata * names * * phoneNumbers * @return SearchResponse */ public function search($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('search', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\SearchResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Resource\OtherContacts::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Resource_OtherContacts'); google/apiclient-services/src/PeopleService/Resource/PeopleConnections.php 0000644 00000012607 15054470473 0023113 0 ustar 00 * $peopleService = new Google\Service\PeopleService(...); * $connections = $peopleService->connections; * */ class PeopleConnections extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Provides a list of the authenticated user's contacts. Sync tokens expire 7 * days after the full sync. A request with an expired sync token will get an * error with an [google.rpc.ErrorInfo](https://cloud.google.com/apis/design/err * ors#error_info) with reason "EXPIRED_SYNC_TOKEN". In the case of such an * error clients should make a full sync request without a `sync_token`. The * first page of a full sync request has an additional quota. If the quota is * exceeded, a 429 error will be returned. This quota is fixed and can not be * increased. When the `sync_token` is specified, resources deleted since the * last sync will be returned as a person with `PersonMetadata.deleted` set to * true. When the `page_token` or `sync_token` is specified, all other request * parameters must match the first call. Writes may have a propagation delay of * several minutes for sync requests. Incremental syncs are not intended for * read-after-write use cases. See example usage at [List the user's contacts * that have * changed](/people/v1/contacts#list_the_users_contacts_that_have_changed). * (connections.listPeopleConnections) * * @param string $resourceName Required. The resource name to return connections * for. Only `people/me` is valid. * @param array $optParams Optional parameters. * * @opt_param int pageSize Optional. The number of connections to include in the * response. Valid values are between 1 and 1000, inclusive. Defaults to 100 if * not set or set to 0. * @opt_param string pageToken Optional. A page token, received from a previous * response `next_page_token`. Provide this to retrieve the subsequent page. * When paginating, all other parameters provided to `people.connections.list` * must match the first call that provided the page token. * @opt_param string personFields Required. A field mask to restrict which * fields on each person are returned. Multiple fields can be specified by * separating them with commas. Valid values are: * addresses * ageRanges * * biographies * birthdays * calendarUrls * clientData * coverPhotos * * emailAddresses * events * externalIds * genders * imClients * interests * * locales * locations * memberships * metadata * miscKeywords * names * * nicknames * occupations * organizations * phoneNumbers * photos * relations * * sipAddresses * skills * urls * userDefined * @opt_param string requestMask.includeField Required. Comma-separated list of * person fields to be included in the response. Each path should start with * `person.`: for example, `person.names` or `person.photos`. * @opt_param bool requestSyncToken Optional. Whether the response should return * `next_sync_token` on the last page of results. It can be used to get * incremental changes since the last request by setting it on the request * `sync_token`. More details about sync behavior at `people.connections.list`. * @opt_param string sortOrder Optional. The order in which the connections * should be sorted. Defaults to `LAST_MODIFIED_ASCENDING`. * @opt_param string sources Optional. A mask of what source types to return. * Defaults to READ_SOURCE_TYPE_CONTACT and READ_SOURCE_TYPE_PROFILE if not set. * @opt_param string syncToken Optional. A sync token, received from a previous * response `next_sync_token` Provide this to retrieve only the resources * changed since the last request. When syncing, all other parameters provided * to `people.connections.list` must match the first call that provided the sync * token. More details about sync behavior at `people.connections.list`. * @return ListConnectionsResponse */ public function listPeopleConnections($resourceName, $optParams = []) { $params = ['resourceName' => $resourceName]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\ListConnectionsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Resource\PeopleConnections::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Resource_PeopleConnections'); google/apiclient-services/src/PeopleService/Resource/People.php 0000644 00000060470 15054470473 0020711 0 ustar 00 * $peopleService = new Google\Service\PeopleService(...); * $people = $peopleService->people; * */ class People extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Create a batch of new contacts and return the PersonResponses for the newly * Mutate requests for the same user should be sent sequentially to avoid * increased latency and failures. (people.batchCreateContacts) * * @param BatchCreateContactsRequest $postBody * @param array $optParams Optional parameters. * @return BatchCreateContactsResponse */ public function batchCreateContacts(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchCreateContactsRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchCreateContacts', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchCreateContactsResponse::class); } /** * Delete a batch of contacts. Any non-contact data will not be deleted. Mutate * requests for the same user should be sent sequentially to avoid increased * latency and failures. (people.batchDeleteContacts) * * @param BatchDeleteContactsRequest $postBody * @param array $optParams Optional parameters. * @return PeopleEmpty */ public function batchDeleteContacts(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchDeleteContactsRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchDeleteContacts', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\PeopleEmpty::class); } /** * Update a batch of contacts and return a map of resource names to * PersonResponses for the updated contacts. Mutate requests for the same user * should be sent sequentially to avoid increased latency and failures. * (people.batchUpdateContacts) * * @param BatchUpdateContactsRequest $postBody * @param array $optParams Optional parameters. * @return BatchUpdateContactsResponse */ public function batchUpdateContacts(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchUpdateContactsRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchUpdateContacts', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchUpdateContactsResponse::class); } /** * Create a new contact and return the person resource for that contact. The * request returns a 400 error if more than one field is specified on a field * that is a singleton for contact sources: * biographies * birthdays * genders * * names Mutate requests for the same user should be sent sequentially to * avoid increased latency and failures. (people.createContact) * * @param Person $postBody * @param array $optParams Optional parameters. * * @opt_param string personFields Required. A field mask to restrict which * fields on each person are returned. Multiple fields can be specified by * separating them with commas. Defaults to all fields if not set. Valid values * are: * addresses * ageRanges * biographies * birthdays * calendarUrls * * clientData * coverPhotos * emailAddresses * events * externalIds * genders * * imClients * interests * locales * locations * memberships * metadata * * miscKeywords * names * nicknames * occupations * organizations * phoneNumbers * * photos * relations * sipAddresses * skills * urls * userDefined * @opt_param string sources Optional. A mask of what source types to return. * Defaults to READ_SOURCE_TYPE_CONTACT and READ_SOURCE_TYPE_PROFILE if not set. * @return Person */ public function createContact(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Person $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('createContact', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\Person::class); } /** * Delete a contact person. Any non-contact data will not be deleted. Mutate * requests for the same user should be sent sequentially to avoid increased * latency and failures. (people.deleteContact) * * @param string $resourceName Required. The resource name of the contact to * delete. * @param array $optParams Optional parameters. * @return PeopleEmpty */ public function deleteContact($resourceName, $optParams = []) { $params = ['resourceName' => $resourceName]; $params = \array_merge($params, $optParams); return $this->call('deleteContact', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\PeopleEmpty::class); } /** * Delete a contact's photo. Mutate requests for the same user should be done * sequentially to avoid // lock contention. (people.deleteContactPhoto) * * @param string $resourceName Required. The resource name of the contact whose * photo will be deleted. * @param array $optParams Optional parameters. * * @opt_param string personFields Optional. A field mask to restrict which * fields on the person are returned. Multiple fields can be specified by * separating them with commas. Defaults to empty if not set, which will skip * the post mutate get. Valid values are: * addresses * ageRanges * biographies * * birthdays * calendarUrls * clientData * coverPhotos * emailAddresses * * events * externalIds * genders * imClients * interests * locales * locations * * memberships * metadata * miscKeywords * names * nicknames * occupations * * organizations * phoneNumbers * photos * relations * sipAddresses * skills * * urls * userDefined * @opt_param string sources Optional. A mask of what source types to return. * Defaults to READ_SOURCE_TYPE_CONTACT and READ_SOURCE_TYPE_PROFILE if not set. * @return DeleteContactPhotoResponse */ public function deleteContactPhoto($resourceName, $optParams = []) { $params = ['resourceName' => $resourceName]; $params = \array_merge($params, $optParams); return $this->call('deleteContactPhoto', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\DeleteContactPhotoResponse::class); } /** * Provides information about a person by specifying a resource name. Use * `people/me` to indicate the authenticated user. The request returns a 400 * error if 'personFields' is not specified. (people.get) * * @param string $resourceName Required. The resource name of the person to * provide information about. - To get information about the authenticated user, * specify `people/me`. - To get information about a google account, specify * `people/{account_id}`. - To get information about a contact, specify the * resource name that identifies the contact as returned by * `people.connections.list`. * @param array $optParams Optional parameters. * * @opt_param string personFields Required. A field mask to restrict which * fields on the person are returned. Multiple fields can be specified by * separating them with commas. Valid values are: * addresses * ageRanges * * biographies * birthdays * calendarUrls * clientData * coverPhotos * * emailAddresses * events * externalIds * genders * imClients * interests * * locales * locations * memberships * metadata * miscKeywords * names * * nicknames * occupations * organizations * phoneNumbers * photos * relations * * sipAddresses * skills * urls * userDefined * @opt_param string requestMask.includeField Required. Comma-separated list of * person fields to be included in the response. Each path should start with * `person.`: for example, `person.names` or `person.photos`. * @opt_param string sources Optional. A mask of what source types to return. * Defaults to READ_SOURCE_TYPE_PROFILE and READ_SOURCE_TYPE_CONTACT if not set. * @return Person */ public function get($resourceName, $optParams = []) { $params = ['resourceName' => $resourceName]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\Person::class); } /** * Provides information about a list of specific people by specifying a list of * requested resource names. Use `people/me` to indicate the authenticated user. * The request returns a 400 error if 'personFields' is not specified. * (people.getBatchGet) * * @param array $optParams Optional parameters. * * @opt_param string personFields Required. A field mask to restrict which * fields on each person are returned. Multiple fields can be specified by * separating them with commas. Valid values are: * addresses * ageRanges * * biographies * birthdays * calendarUrls * clientData * coverPhotos * * emailAddresses * events * externalIds * genders * imClients * interests * * locales * locations * memberships * metadata * miscKeywords * names * * nicknames * occupations * organizations * phoneNumbers * photos * relations * * sipAddresses * skills * urls * userDefined * @opt_param string requestMask.includeField Required. Comma-separated list of * person fields to be included in the response. Each path should start with * `person.`: for example, `person.names` or `person.photos`. * @opt_param string resourceNames Required. The resource names of the people to * provide information about. It's repeatable. The URL query parameter should be * resourceNames==&... - To get information about the authenticated user, * specify `people/me`. - To get information about a google account, specify * `people/{account_id}`. - To get information about a contact, specify the * resource name that identifies the contact as returned by * `people.connections.list`. There is a maximum of 200 resource names. * @opt_param string sources Optional. A mask of what source types to return. * Defaults to READ_SOURCE_TYPE_CONTACT and READ_SOURCE_TYPE_PROFILE if not set. * @return GetPeopleResponse */ public function getBatchGet($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('getBatchGet', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\GetPeopleResponse::class); } /** * Provides a list of domain profiles and domain contacts in the authenticated * user's domain directory. When the `sync_token` is specified, resources * deleted since the last sync will be returned as a person with * `PersonMetadata.deleted` set to true. When the `page_token` or `sync_token` * is specified, all other request parameters must match the first call. Writes * may have a propagation delay of several minutes for sync requests. * Incremental syncs are not intended for read-after-write use cases. See * example usage at [List the directory people that have * changed](/people/v1/directory#list_the_directory_people_that_have_changed). * (people.listDirectoryPeople) * * @param array $optParams Optional parameters. * * @opt_param string mergeSources Optional. Additional data to merge into the * directory sources if they are connected through verified join keys such as * email addresses or phone numbers. * @opt_param int pageSize Optional. The number of people to include in the * response. Valid values are between 1 and 1000, inclusive. Defaults to 100 if * not set or set to 0. * @opt_param string pageToken Optional. A page token, received from a previous * response `next_page_token`. Provide this to retrieve the subsequent page. * When paginating, all other parameters provided to * `people.listDirectoryPeople` must match the first call that provided the page * token. * @opt_param string readMask Required. A field mask to restrict which fields on * each person are returned. Multiple fields can be specified by separating them * with commas. Valid values are: * addresses * ageRanges * biographies * * birthdays * calendarUrls * clientData * coverPhotos * emailAddresses * events * * externalIds * genders * imClients * interests * locales * locations * * memberships * metadata * miscKeywords * names * nicknames * occupations * * organizations * phoneNumbers * photos * relations * sipAddresses * skills * * urls * userDefined * @opt_param bool requestSyncToken Optional. Whether the response should return * `next_sync_token`. It can be used to get incremental changes since the last * request by setting it on the request `sync_token`. More details about sync * behavior at `people.listDirectoryPeople`. * @opt_param string sources Required. Directory sources to return. * @opt_param string syncToken Optional. A sync token, received from a previous * response `next_sync_token` Provide this to retrieve only the resources * changed since the last request. When syncing, all other parameters provided * to `people.listDirectoryPeople` must match the first call that provided the * sync token. More details about sync behavior at `people.listDirectoryPeople`. * @return ListDirectoryPeopleResponse */ public function listDirectoryPeople($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('listDirectoryPeople', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\ListDirectoryPeopleResponse::class); } /** * Provides a list of contacts in the authenticated user's grouped contacts that * matches the search query. The query matches on a contact's `names`, * `nickNames`, `emailAddresses`, `phoneNumbers`, and `organizations` fields * that are from the CONTACT source. **IMPORTANT**: Before searching, clients * should send a warmup request with an empty query to update the cache. See * https://developers.google.com/people/v1/contacts#search_the_users_contacts * (people.searchContacts) * * @param array $optParams Optional parameters. * * @opt_param int pageSize Optional. The number of results to return. Defaults * to 10 if field is not set, or set to 0. Values greater than 30 will be capped * to 30. * @opt_param string query Required. The plain-text query for the request. The * query is used to match prefix phrases of the fields on a person. For example, * a person with name "foo name" matches queries such as "f", "fo", "foo", "foo * n", "nam", etc., but not "oo n". * @opt_param string readMask Required. A field mask to restrict which fields on * each person are returned. Multiple fields can be specified by separating them * with commas. Valid values are: * addresses * ageRanges * biographies * * birthdays * calendarUrls * clientData * coverPhotos * emailAddresses * events * * externalIds * genders * imClients * interests * locales * locations * * memberships * metadata * miscKeywords * names * nicknames * occupations * * organizations * phoneNumbers * photos * relations * sipAddresses * skills * * urls * userDefined * @opt_param string sources Optional. A mask of what source types to return. * Defaults to READ_SOURCE_TYPE_CONTACT if not set. * @return SearchResponse */ public function searchContacts($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('searchContacts', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\SearchResponse::class); } /** * Provides a list of domain profiles and domain contacts in the authenticated * user's domain directory that match the search query. * (people.searchDirectoryPeople) * * @param array $optParams Optional parameters. * * @opt_param string mergeSources Optional. Additional data to merge into the * directory sources if they are connected through verified join keys such as * email addresses or phone numbers. * @opt_param int pageSize Optional. The number of people to include in the * response. Valid values are between 1 and 500, inclusive. Defaults to 100 if * not set or set to 0. * @opt_param string pageToken Optional. A page token, received from a previous * response `next_page_token`. Provide this to retrieve the subsequent page. * When paginating, all other parameters provided to `SearchDirectoryPeople` * must match the first call that provided the page token. * @opt_param string query Required. Prefix query that matches fields in the * person. Does NOT use the read_mask for determining what fields to match. * @opt_param string readMask Required. A field mask to restrict which fields on * each person are returned. Multiple fields can be specified by separating them * with commas. Valid values are: * addresses * ageRanges * biographies * * birthdays * calendarUrls * clientData * coverPhotos * emailAddresses * events * * externalIds * genders * imClients * interests * locales * locations * * memberships * metadata * miscKeywords * names * nicknames * occupations * * organizations * phoneNumbers * photos * relations * sipAddresses * skills * * urls * userDefined * @opt_param string sources Required. Directory sources to return. * @return SearchDirectoryPeopleResponse */ public function searchDirectoryPeople($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('searchDirectoryPeople', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\SearchDirectoryPeopleResponse::class); } /** * Update contact data for an existing contact person. Any non-contact data will * not be modified. Any non-contact data in the person to update will be * ignored. All fields specified in the `update_mask` will be replaced. The * server returns a 400 error if `person.metadata.sources` is not specified for * the contact to be updated or if there is no contact source. The server * returns a 400 error with reason `"failedPrecondition"` if * `person.metadata.sources.etag` is different than the contact's etag, which * indicates the contact has changed since its data was read. Clients should get * the latest person and merge their updates into the latest person. The server * returns a 400 error if `memberships` are being updated and there are no * contact group memberships specified on the person. The server returns a 400 * error if more than one field is specified on a field that is a singleton for * contact sources: * biographies * birthdays * genders * names Mutate requests * for the same user should be sent sequentially to avoid increased latency and * failures. (people.updateContact) * * @param string $resourceName The resource name for the person, assigned by the * server. An ASCII string with a max length of 27 characters, in the form of * `people/{person_id}`. * @param Person $postBody * @param array $optParams Optional parameters. * * @opt_param string personFields Optional. A field mask to restrict which * fields on each person are returned. Multiple fields can be specified by * separating them with commas. Defaults to all fields if not set. Valid values * are: * addresses * ageRanges * biographies * birthdays * calendarUrls * * clientData * coverPhotos * emailAddresses * events * externalIds * genders * * imClients * interests * locales * locations * memberships * metadata * * miscKeywords * names * nicknames * occupations * organizations * phoneNumbers * * photos * relations * sipAddresses * skills * urls * userDefined * @opt_param string sources Optional. A mask of what source types to return. * Defaults to READ_SOURCE_TYPE_CONTACT and READ_SOURCE_TYPE_PROFILE if not set. * @opt_param string updatePersonFields Required. A field mask to restrict which * fields on the person are updated. Multiple fields can be specified by * separating them with commas. All updated fields will be replaced. Valid * values are: * addresses * biographies * birthdays * calendarUrls * clientData * * emailAddresses * events * externalIds * genders * imClients * interests * * locales * locations * memberships * miscKeywords * names * nicknames * * occupations * organizations * phoneNumbers * relations * sipAddresses * urls * * userDefined * @return Person */ public function updateContact($resourceName, \Google\Site_Kit_Dependencies\Google\Service\PeopleService\Person $postBody, $optParams = []) { $params = ['resourceName' => $resourceName, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('updateContact', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\Person::class); } /** * Update a contact's photo. Mutate requests for the same user should be sent * sequentially to avoid increased latency and failures. * (people.updateContactPhoto) * * @param string $resourceName Required. Person resource name * @param UpdateContactPhotoRequest $postBody * @param array $optParams Optional parameters. * @return UpdateContactPhotoResponse */ public function updateContactPhoto($resourceName, \Google\Site_Kit_Dependencies\Google\Service\PeopleService\UpdateContactPhotoRequest $postBody, $optParams = []) { $params = ['resourceName' => $resourceName, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('updateContactPhoto', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\UpdateContactPhotoResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Resource\People::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Resource_People'); google/apiclient-services/src/PeopleService/Resource/ContactGroups.php 0000644 00000020437 15054470473 0022257 0 ustar 00 * $peopleService = new Google\Service\PeopleService(...); * $contactGroups = $peopleService->contactGroups; * */ class ContactGroups extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Get a list of contact groups owned by the authenticated user by specifying a * list of contact group resource names. (contactGroups.batchGet) * * @param array $optParams Optional parameters. * * @opt_param string groupFields Optional. A field mask to restrict which fields * on the group are returned. Defaults to `metadata`, `groupType`, * `memberCount`, and `name` if not set or set to empty. Valid fields are: * * clientData * groupType * memberCount * metadata * name * @opt_param int maxMembers Optional. Specifies the maximum number of members * to return for each group. Defaults to 0 if not set, which will return zero * members. * @opt_param string resourceNames Required. The resource names of the contact * groups to get. There is a maximum of 200 resource names. * @return BatchGetContactGroupsResponse */ public function batchGet($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('batchGet', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchGetContactGroupsResponse::class); } /** * Create a new contact group owned by the authenticated user. Created contact * group names must be unique to the users contact groups. Attempting to create * a group with a duplicate name will return a HTTP 409 error. Mutate requests * for the same user should be sent sequentially to avoid increased latency and * failures. (contactGroups.create) * * @param CreateContactGroupRequest $postBody * @param array $optParams Optional parameters. * @return ContactGroup */ public function create(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\CreateContactGroupRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\ContactGroup::class); } /** * Delete an existing contact group owned by the authenticated user by * specifying a contact group resource name. Mutate requests for the same user * should be sent sequentially to avoid increased latency and failures. * (contactGroups.delete) * * @param string $resourceName Required. The resource name of the contact group * to delete. * @param array $optParams Optional parameters. * * @opt_param bool deleteContacts Optional. Set to true to also delete the * contacts in the specified group. * @return PeopleEmpty */ public function delete($resourceName, $optParams = []) { $params = ['resourceName' => $resourceName]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\PeopleEmpty::class); } /** * Get a specific contact group owned by the authenticated user by specifying a * contact group resource name. (contactGroups.get) * * @param string $resourceName Required. The resource name of the contact group * to get. * @param array $optParams Optional parameters. * * @opt_param string groupFields Optional. A field mask to restrict which fields * on the group are returned. Defaults to `metadata`, `groupType`, * `memberCount`, and `name` if not set or set to empty. Valid fields are: * * clientData * groupType * memberCount * metadata * name * @opt_param int maxMembers Optional. Specifies the maximum number of members * to return. Defaults to 0 if not set, which will return zero members. * @return ContactGroup */ public function get($resourceName, $optParams = []) { $params = ['resourceName' => $resourceName]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\ContactGroup::class); } /** * List all contact groups owned by the authenticated user. Members of the * contact groups are not populated. (contactGroups.listContactGroups) * * @param array $optParams Optional parameters. * * @opt_param string groupFields Optional. A field mask to restrict which fields * on the group are returned. Defaults to `metadata`, `groupType`, * `memberCount`, and `name` if not set or set to empty. Valid fields are: * * clientData * groupType * memberCount * metadata * name * @opt_param int pageSize Optional. The maximum number of resources to return. * Valid values are between 1 and 1000, inclusive. Defaults to 30 if not set or * set to 0. * @opt_param string pageToken Optional. The next_page_token value returned from * a previous call to * [ListContactGroups](/people/api/rest/v1/contactgroups/list). Requests the * next page of resources. * @opt_param string syncToken Optional. A sync token, returned by a previous * call to `contactgroups.list`. Only resources changed since the sync token was * created will be returned. * @return ListContactGroupsResponse */ public function listContactGroups($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\ListContactGroupsResponse::class); } /** * Update the name of an existing contact group owned by the authenticated user. * Updated contact group names must be unique to the users contact groups. * Attempting to create a group with a duplicate name will return a HTTP 409 * error. Mutate requests for the same user should be sent sequentially to avoid * increased latency and failures. (contactGroups.update) * * @param string $resourceName The resource name for the contact group, assigned * by the server. An ASCII string, in the form of * `contactGroups/{contact_group_id}`. * @param UpdateContactGroupRequest $postBody * @param array $optParams Optional parameters. * @return ContactGroup */ public function update($resourceName, \Google\Site_Kit_Dependencies\Google\Service\PeopleService\UpdateContactGroupRequest $postBody, $optParams = []) { $params = ['resourceName' => $resourceName, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\PeopleService\ContactGroup::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Resource\ContactGroups::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Resource_ContactGroups'); google/apiclient-services/src/PeopleService/ContactGroup.php 0000644 00000010201 15054470473 0020271 0 ustar 00 clientData = $clientData; } /** * @return GroupClientData[] */ public function getClientData() { return $this->clientData; } /** * @param string */ public function setEtag($etag) { $this->etag = $etag; } /** * @return string */ public function getEtag() { return $this->etag; } /** * @param string */ public function setFormattedName($formattedName) { $this->formattedName = $formattedName; } /** * @return string */ public function getFormattedName() { return $this->formattedName; } /** * @param string */ public function setGroupType($groupType) { $this->groupType = $groupType; } /** * @return string */ public function getGroupType() { return $this->groupType; } /** * @param int */ public function setMemberCount($memberCount) { $this->memberCount = $memberCount; } /** * @return int */ public function getMemberCount() { return $this->memberCount; } /** * @param string[] */ public function setMemberResourceNames($memberResourceNames) { $this->memberResourceNames = $memberResourceNames; } /** * @return string[] */ public function getMemberResourceNames() { return $this->memberResourceNames; } /** * @param ContactGroupMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ContactGroupMetadata $metadata) { $this->metadata = $metadata; } /** * @return ContactGroupMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setResourceName($resourceName) { $this->resourceName = $resourceName; } /** * @return string */ public function getResourceName() { return $this->resourceName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ContactGroup::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ContactGroup'); google/apiclient-services/src/PeopleService/MiscKeyword.php 0000644 00000004474 15054470473 0020140 0 ustar 00 formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\MiscKeyword::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_MiscKeyword'); google/apiclient-services/src/PeopleService/PersonMetadata.php 0000644 00000005463 15054470473 0020606 0 ustar 00 deleted = $deleted; } /** * @return bool */ public function getDeleted() { return $this->deleted; } /** * @param string[] */ public function setLinkedPeopleResourceNames($linkedPeopleResourceNames) { $this->linkedPeopleResourceNames = $linkedPeopleResourceNames; } /** * @return string[] */ public function getLinkedPeopleResourceNames() { return $this->linkedPeopleResourceNames; } /** * @param string */ public function setObjectType($objectType) { $this->objectType = $objectType; } /** * @return string */ public function getObjectType() { return $this->objectType; } /** * @param string[] */ public function setPreviousResourceNames($previousResourceNames) { $this->previousResourceNames = $previousResourceNames; } /** * @return string[] */ public function getPreviousResourceNames() { return $this->previousResourceNames; } /** * @param Source[] */ public function setSources($sources) { $this->sources = $sources; } /** * @return Source[] */ public function getSources() { return $this->sources; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\PersonMetadata::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_PersonMetadata'); google/apiclient-services/src/PeopleService/DeleteContactPhotoResponse.php 0000644 00000002701 15054470473 0023136 0 ustar 00 person = $person; } /** * @return Person */ public function getPerson() { return $this->person; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\DeleteContactPhotoResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_DeleteContactPhotoResponse'); google/apiclient-services/src/PeopleService/ClientData.php 0000644 00000003741 15054470473 0017704 0 ustar 00 key = $key; } /** * @return string */ public function getKey() { return $this->key; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ClientData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ClientData'); google/apiclient-services/src/PeopleService/PhoneNumber.php 0000644 00000005215 15054470473 0020114 0 ustar 00 canonicalForm = $canonicalForm; } /** * @return string */ public function getCanonicalForm() { return $this->canonicalForm; } /** * @param string */ public function setFormattedType($formattedType) { $this->formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\PhoneNumber::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_PhoneNumber'); google/apiclient-services/src/PeopleService/ProfileMetadata.php 0000644 00000003224 15054470473 0020731 0 ustar 00 objectType = $objectType; } /** * @return string */ public function getObjectType() { return $this->objectType; } /** * @param string[] */ public function setUserTypes($userTypes) { $this->userTypes = $userTypes; } /** * @return string[] */ public function getUserTypes() { return $this->userTypes; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ProfileMetadata::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ProfileMetadata'); google/apiclient-services/src/PeopleService/ListConnectionsResponse.php 0000644 00000005352 15054470473 0022531 0 ustar 00 connections = $connections; } /** * @return Person[] */ public function getConnections() { return $this->connections; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param string */ public function setNextSyncToken($nextSyncToken) { $this->nextSyncToken = $nextSyncToken; } /** * @return string */ public function getNextSyncToken() { return $this->nextSyncToken; } /** * @param int */ public function setTotalItems($totalItems) { $this->totalItems = $totalItems; } /** * @return int */ public function getTotalItems() { return $this->totalItems; } /** * @param int */ public function setTotalPeople($totalPeople) { $this->totalPeople = $totalPeople; } /** * @return int */ public function getTotalPeople() { return $this->totalPeople; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ListConnectionsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ListConnectionsResponse'); google/apiclient-services/src/PeopleService/BraggingRights.php 0000644 00000003342 15054470473 0020572 0 ustar 00 metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\BraggingRights::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_BraggingRights'); google/apiclient-services/src/PeopleService/ContactGroupResponse.php 0000644 00000004465 15054470473 0022027 0 ustar 00 contactGroup = $contactGroup; } /** * @return ContactGroup */ public function getContactGroup() { return $this->contactGroup; } /** * @param string */ public function setRequestedResourceName($requestedResourceName) { $this->requestedResourceName = $requestedResourceName; } /** * @return string */ public function getRequestedResourceName() { return $this->requestedResourceName; } /** * @param Status */ public function setStatus(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Status $status) { $this->status = $status; } /** * @return Status */ public function getStatus() { return $this->status; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ContactGroupResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ContactGroupResponse'); google/apiclient-services/src/PeopleService/ContactGroupMetadata.php 0000644 00000003127 15054470473 0021743 0 ustar 00 deleted = $deleted; } /** * @return bool */ public function getDeleted() { return $this->deleted; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ContactGroupMetadata::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ContactGroupMetadata'); google/apiclient-services/src/PeopleService/Relation.php 0000644 00000004472 15054470473 0017453 0 ustar 00 formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setPerson($person) { $this->person = $person; } /** * @return string */ public function getPerson() { return $this->person; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Relation::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Relation'); google/apiclient-services/src/PeopleService/CoverPhoto.php 0000644 00000003751 15054470473 0017765 0 ustar 00 default = $default; } /** * @return bool */ public function getDefault() { return $this->default; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setUrl($url) { $this->url = $url; } /** * @return string */ public function getUrl() { return $this->url; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\CoverPhoto::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_CoverPhoto'); google/apiclient-services/src/PeopleService/PeopleEmpty.php 0000644 00000001737 15054470473 0020142 0 ustar 00 results = $results; } /** * @return SearchResult[] */ public function getResults() { return $this->results; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\SearchResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_SearchResponse'); google/apiclient-services/src/PeopleService/ImClient.php 0000644 00000005743 15054470473 0017404 0 ustar 00 formattedProtocol = $formattedProtocol; } /** * @return string */ public function getFormattedProtocol() { return $this->formattedProtocol; } /** * @param string */ public function setFormattedType($formattedType) { $this->formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setProtocol($protocol) { $this->protocol = $protocol; } /** * @return string */ public function getProtocol() { return $this->protocol; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ImClient::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ImClient'); google/apiclient-services/src/PeopleService/Address.php 0000644 00000011420 15054470473 0017252 0 ustar 00 city = $city; } /** * @return string */ public function getCity() { return $this->city; } /** * @param string */ public function setCountry($country) { $this->country = $country; } /** * @return string */ public function getCountry() { return $this->country; } /** * @param string */ public function setCountryCode($countryCode) { $this->countryCode = $countryCode; } /** * @return string */ public function getCountryCode() { return $this->countryCode; } /** * @param string */ public function setExtendedAddress($extendedAddress) { $this->extendedAddress = $extendedAddress; } /** * @return string */ public function getExtendedAddress() { return $this->extendedAddress; } /** * @param string */ public function setFormattedType($formattedType) { $this->formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param string */ public function setFormattedValue($formattedValue) { $this->formattedValue = $formattedValue; } /** * @return string */ public function getFormattedValue() { return $this->formattedValue; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setPoBox($poBox) { $this->poBox = $poBox; } /** * @return string */ public function getPoBox() { return $this->poBox; } /** * @param string */ public function setPostalCode($postalCode) { $this->postalCode = $postalCode; } /** * @return string */ public function getPostalCode() { return $this->postalCode; } /** * @param string */ public function setRegion($region) { $this->region = $region; } /** * @return string */ public function getRegion() { return $this->region; } /** * @param string */ public function setStreetAddress($streetAddress) { $this->streetAddress = $streetAddress; } /** * @return string */ public function getStreetAddress() { return $this->streetAddress; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Address::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Address'); google/apiclient-services/src/PeopleService/SipAddress.php 0000644 00000004471 15054470473 0017736 0 ustar 00 formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\SipAddress::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_SipAddress'); google/apiclient-services/src/PeopleService/UpdateContactPhotoResponse.php 0000644 00000002701 15054470473 0023156 0 ustar 00 person = $person; } /** * @return Person */ public function getPerson() { return $this->person; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\UpdateContactPhotoResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_UpdateContactPhotoResponse'); google/apiclient-services/src/PeopleService/Person.php 0000644 00000040627 15054470473 0017146 0 ustar 00 addresses = $addresses; } /** * @return Address[] */ public function getAddresses() { return $this->addresses; } /** * @param string */ public function setAgeRange($ageRange) { $this->ageRange = $ageRange; } /** * @return string */ public function getAgeRange() { return $this->ageRange; } /** * @param AgeRangeType[] */ public function setAgeRanges($ageRanges) { $this->ageRanges = $ageRanges; } /** * @return AgeRangeType[] */ public function getAgeRanges() { return $this->ageRanges; } /** * @param Biography[] */ public function setBiographies($biographies) { $this->biographies = $biographies; } /** * @return Biography[] */ public function getBiographies() { return $this->biographies; } /** * @param Birthday[] */ public function setBirthdays($birthdays) { $this->birthdays = $birthdays; } /** * @return Birthday[] */ public function getBirthdays() { return $this->birthdays; } /** * @param BraggingRights[] */ public function setBraggingRights($braggingRights) { $this->braggingRights = $braggingRights; } /** * @return BraggingRights[] */ public function getBraggingRights() { return $this->braggingRights; } /** * @param CalendarUrl[] */ public function setCalendarUrls($calendarUrls) { $this->calendarUrls = $calendarUrls; } /** * @return CalendarUrl[] */ public function getCalendarUrls() { return $this->calendarUrls; } /** * @param ClientData[] */ public function setClientData($clientData) { $this->clientData = $clientData; } /** * @return ClientData[] */ public function getClientData() { return $this->clientData; } /** * @param CoverPhoto[] */ public function setCoverPhotos($coverPhotos) { $this->coverPhotos = $coverPhotos; } /** * @return CoverPhoto[] */ public function getCoverPhotos() { return $this->coverPhotos; } /** * @param EmailAddress[] */ public function setEmailAddresses($emailAddresses) { $this->emailAddresses = $emailAddresses; } /** * @return EmailAddress[] */ public function getEmailAddresses() { return $this->emailAddresses; } /** * @param string */ public function setEtag($etag) { $this->etag = $etag; } /** * @return string */ public function getEtag() { return $this->etag; } /** * @param Event[] */ public function setEvents($events) { $this->events = $events; } /** * @return Event[] */ public function getEvents() { return $this->events; } /** * @param ExternalId[] */ public function setExternalIds($externalIds) { $this->externalIds = $externalIds; } /** * @return ExternalId[] */ public function getExternalIds() { return $this->externalIds; } /** * @param FileAs[] */ public function setFileAses($fileAses) { $this->fileAses = $fileAses; } /** * @return FileAs[] */ public function getFileAses() { return $this->fileAses; } /** * @param Gender[] */ public function setGenders($genders) { $this->genders = $genders; } /** * @return Gender[] */ public function getGenders() { return $this->genders; } /** * @param ImClient[] */ public function setImClients($imClients) { $this->imClients = $imClients; } /** * @return ImClient[] */ public function getImClients() { return $this->imClients; } /** * @param Interest[] */ public function setInterests($interests) { $this->interests = $interests; } /** * @return Interest[] */ public function getInterests() { return $this->interests; } /** * @param Locale[] */ public function setLocales($locales) { $this->locales = $locales; } /** * @return Locale[] */ public function getLocales() { return $this->locales; } /** * @param Location[] */ public function setLocations($locations) { $this->locations = $locations; } /** * @return Location[] */ public function getLocations() { return $this->locations; } /** * @param Membership[] */ public function setMemberships($memberships) { $this->memberships = $memberships; } /** * @return Membership[] */ public function getMemberships() { return $this->memberships; } /** * @param PersonMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\PersonMetadata $metadata) { $this->metadata = $metadata; } /** * @return PersonMetadata */ public function getMetadata() { return $this->metadata; } /** * @param MiscKeyword[] */ public function setMiscKeywords($miscKeywords) { $this->miscKeywords = $miscKeywords; } /** * @return MiscKeyword[] */ public function getMiscKeywords() { return $this->miscKeywords; } /** * @param Name[] */ public function setNames($names) { $this->names = $names; } /** * @return Name[] */ public function getNames() { return $this->names; } /** * @param Nickname[] */ public function setNicknames($nicknames) { $this->nicknames = $nicknames; } /** * @return Nickname[] */ public function getNicknames() { return $this->nicknames; } /** * @param Occupation[] */ public function setOccupations($occupations) { $this->occupations = $occupations; } /** * @return Occupation[] */ public function getOccupations() { return $this->occupations; } /** * @param Organization[] */ public function setOrganizations($organizations) { $this->organizations = $organizations; } /** * @return Organization[] */ public function getOrganizations() { return $this->organizations; } /** * @param PhoneNumber[] */ public function setPhoneNumbers($phoneNumbers) { $this->phoneNumbers = $phoneNumbers; } /** * @return PhoneNumber[] */ public function getPhoneNumbers() { return $this->phoneNumbers; } /** * @param Photo[] */ public function setPhotos($photos) { $this->photos = $photos; } /** * @return Photo[] */ public function getPhotos() { return $this->photos; } /** * @param Relation[] */ public function setRelations($relations) { $this->relations = $relations; } /** * @return Relation[] */ public function getRelations() { return $this->relations; } /** * @param RelationshipInterest[] */ public function setRelationshipInterests($relationshipInterests) { $this->relationshipInterests = $relationshipInterests; } /** * @return RelationshipInterest[] */ public function getRelationshipInterests() { return $this->relationshipInterests; } /** * @param RelationshipStatus[] */ public function setRelationshipStatuses($relationshipStatuses) { $this->relationshipStatuses = $relationshipStatuses; } /** * @return RelationshipStatus[] */ public function getRelationshipStatuses() { return $this->relationshipStatuses; } /** * @param Residence[] */ public function setResidences($residences) { $this->residences = $residences; } /** * @return Residence[] */ public function getResidences() { return $this->residences; } /** * @param string */ public function setResourceName($resourceName) { $this->resourceName = $resourceName; } /** * @return string */ public function getResourceName() { return $this->resourceName; } /** * @param SipAddress[] */ public function setSipAddresses($sipAddresses) { $this->sipAddresses = $sipAddresses; } /** * @return SipAddress[] */ public function getSipAddresses() { return $this->sipAddresses; } /** * @param Skill[] */ public function setSkills($skills) { $this->skills = $skills; } /** * @return Skill[] */ public function getSkills() { return $this->skills; } /** * @param Tagline[] */ public function setTaglines($taglines) { $this->taglines = $taglines; } /** * @return Tagline[] */ public function getTaglines() { return $this->taglines; } /** * @param Url[] */ public function setUrls($urls) { $this->urls = $urls; } /** * @return Url[] */ public function getUrls() { return $this->urls; } /** * @param UserDefined[] */ public function setUserDefined($userDefined) { $this->userDefined = $userDefined; } /** * @return UserDefined[] */ public function getUserDefined() { return $this->userDefined; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Person::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Person'); google/apiclient-services/src/PeopleService/UpdateContactPhotoRequest.php 0000644 00000003754 15054470473 0023021 0 ustar 00 personFields = $personFields; } /** * @return string */ public function getPersonFields() { return $this->personFields; } /** * @param string */ public function setPhotoBytes($photoBytes) { $this->photoBytes = $photoBytes; } /** * @return string */ public function getPhotoBytes() { return $this->photoBytes; } /** * @param string[] */ public function setSources($sources) { $this->sources = $sources; } /** * @return string[] */ public function getSources() { return $this->sources; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\UpdateContactPhotoRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_UpdateContactPhotoRequest'); google/apiclient-services/src/PeopleService/Location.php 0000644 00000006720 15054470473 0017444 0 ustar 00 buildingId = $buildingId; } /** * @return string */ public function getBuildingId() { return $this->buildingId; } /** * @param bool */ public function setCurrent($current) { $this->current = $current; } /** * @return bool */ public function getCurrent() { return $this->current; } /** * @param string */ public function setDeskCode($deskCode) { $this->deskCode = $deskCode; } /** * @return string */ public function getDeskCode() { return $this->deskCode; } /** * @param string */ public function setFloor($floor) { $this->floor = $floor; } /** * @return string */ public function getFloor() { return $this->floor; } /** * @param string */ public function setFloorSection($floorSection) { $this->floorSection = $floorSection; } /** * @return string */ public function getFloorSection() { return $this->floorSection; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Location::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Location'); google/apiclient-services/src/PeopleService/ContactGroupMembership.php 0000644 00000003366 15054470473 0022323 0 ustar 00 contactGroupId = $contactGroupId; } /** * @return string */ public function getContactGroupId() { return $this->contactGroupId; } /** * @param string */ public function setContactGroupResourceName($contactGroupResourceName) { $this->contactGroupResourceName = $contactGroupResourceName; } /** * @return string */ public function getContactGroupResourceName() { return $this->contactGroupResourceName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ContactGroupMembership::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ContactGroupMembership'); google/apiclient-services/src/PeopleService/Date.php 0000644 00000003345 15054470473 0016551 0 ustar 00 day = $day; } /** * @return int */ public function getDay() { return $this->day; } /** * @param int */ public function setMonth($month) { $this->month = $month; } /** * @return int */ public function getMonth() { return $this->month; } /** * @param int */ public function setYear($year) { $this->year = $year; } /** * @return int */ public function getYear() { return $this->year; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Date::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Date'); google/apiclient-services/src/PeopleService/ModifyContactGroupMembersRequest.php 0000644 00000003545 15054470473 0024342 0 ustar 00 resourceNamesToAdd = $resourceNamesToAdd; } /** * @return string[] */ public function getResourceNamesToAdd() { return $this->resourceNamesToAdd; } /** * @param string[] */ public function setResourceNamesToRemove($resourceNamesToRemove) { $this->resourceNamesToRemove = $resourceNamesToRemove; } /** * @return string[] */ public function getResourceNamesToRemove() { return $this->resourceNamesToRemove; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ModifyContactGroupMembersRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ModifyContactGroupMembersRequest'); google/apiclient-services/src/PeopleService/Interest.php 0000644 00000003320 15054470473 0017462 0 ustar 00 metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Interest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Interest'); google/apiclient-services/src/PeopleService/Organization.php 0000644 00000014463 15054470473 0020343 0 ustar 00 costCenter = $costCenter; } /** * @return string */ public function getCostCenter() { return $this->costCenter; } /** * @param bool */ public function setCurrent($current) { $this->current = $current; } /** * @return bool */ public function getCurrent() { return $this->current; } /** * @param string */ public function setDepartment($department) { $this->department = $department; } /** * @return string */ public function getDepartment() { return $this->department; } /** * @param string */ public function setDomain($domain) { $this->domain = $domain; } /** * @return string */ public function getDomain() { return $this->domain; } /** * @param Date */ public function setEndDate(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Date $endDate) { $this->endDate = $endDate; } /** * @return Date */ public function getEndDate() { return $this->endDate; } /** * @param string */ public function setFormattedType($formattedType) { $this->formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param int */ public function setFullTimeEquivalentMillipercent($fullTimeEquivalentMillipercent) { $this->fullTimeEquivalentMillipercent = $fullTimeEquivalentMillipercent; } /** * @return int */ public function getFullTimeEquivalentMillipercent() { return $this->fullTimeEquivalentMillipercent; } /** * @param string */ public function setJobDescription($jobDescription) { $this->jobDescription = $jobDescription; } /** * @return string */ public function getJobDescription() { return $this->jobDescription; } /** * @param string */ public function setLocation($location) { $this->location = $location; } /** * @return string */ public function getLocation() { return $this->location; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setPhoneticName($phoneticName) { $this->phoneticName = $phoneticName; } /** * @return string */ public function getPhoneticName() { return $this->phoneticName; } /** * @param Date */ public function setStartDate(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Date $startDate) { $this->startDate = $startDate; } /** * @return Date */ public function getStartDate() { return $this->startDate; } /** * @param string */ public function setSymbol($symbol) { $this->symbol = $symbol; } /** * @return string */ public function getSymbol() { return $this->symbol; } /** * @param string */ public function setTitle($title) { $this->title = $title; } /** * @return string */ public function getTitle() { return $this->title; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Organization::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Organization'); google/apiclient-services/src/PeopleService/ListOtherContactsResponse.php 0000644 00000004701 15054470473 0023024 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param string */ public function setNextSyncToken($nextSyncToken) { $this->nextSyncToken = $nextSyncToken; } /** * @return string */ public function getNextSyncToken() { return $this->nextSyncToken; } /** * @param Person[] */ public function setOtherContacts($otherContacts) { $this->otherContacts = $otherContacts; } /** * @return Person[] */ public function getOtherContacts() { return $this->otherContacts; } /** * @param int */ public function setTotalSize($totalSize) { $this->totalSize = $totalSize; } /** * @return int */ public function getTotalSize() { return $this->totalSize; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ListOtherContactsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ListOtherContactsResponse'); google/apiclient-services/src/PeopleService/SearchDirectoryPeopleResponse.php 0000644 00000004075 15054470473 0023653 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param Person[] */ public function setPeople($people) { $this->people = $people; } /** * @return Person[] */ public function getPeople() { return $this->people; } /** * @param int */ public function setTotalSize($totalSize) { $this->totalSize = $totalSize; } /** * @return int */ public function getTotalSize() { return $this->totalSize; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\SearchDirectoryPeopleResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_SearchDirectoryPeopleResponse'); google/apiclient-services/src/PeopleService/Membership.php 0000644 00000005137 15054470473 0017770 0 ustar 00 contactGroupMembership = $contactGroupMembership; } /** * @return ContactGroupMembership */ public function getContactGroupMembership() { return $this->contactGroupMembership; } /** * @param DomainMembership */ public function setDomainMembership(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\DomainMembership $domainMembership) { $this->domainMembership = $domainMembership; } /** * @return DomainMembership */ public function getDomainMembership() { return $this->domainMembership; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Membership::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Membership'); google/apiclient-services/src/PeopleService/Nickname.php 0000644 00000003742 15054470473 0017422 0 ustar 00 metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Nickname::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Nickname'); google/apiclient-services/src/PeopleService/Gender.php 0000644 00000004545 15054470473 0017103 0 ustar 00 addressMeAs = $addressMeAs; } /** * @return string */ public function getAddressMeAs() { return $this->addressMeAs; } /** * @param string */ public function setFormattedValue($formattedValue) { $this->formattedValue = $formattedValue; } /** * @return string */ public function getFormattedValue() { return $this->formattedValue; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Gender::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Gender'); google/apiclient-services/src/PeopleService/Event.php 0000644 00000004656 15054470473 0016763 0 ustar 00 date = $date; } /** * @return Date */ public function getDate() { return $this->date; } /** * @param string */ public function setFormattedType($formattedType) { $this->formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Event::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Event'); google/apiclient-services/src/PeopleService/ContactToCreate.php 0000644 00000002730 15054470473 0020713 0 ustar 00 contactPerson = $contactPerson; } /** * @return Person */ public function getContactPerson() { return $this->contactPerson; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\ContactToCreate::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_ContactToCreate'); google/apiclient-services/src/PeopleService/RelationshipInterest.php 0000644 00000004114 15054470473 0022046 0 ustar 00 formattedValue = $formattedValue; } /** * @return string */ public function getFormattedValue() { return $this->formattedValue; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\RelationshipInterest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_RelationshipInterest'); google/apiclient-services/src/PeopleService/Name.php 0000644 00000014452 15054470473 0016555 0 ustar 00 displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setDisplayNameLastFirst($displayNameLastFirst) { $this->displayNameLastFirst = $displayNameLastFirst; } /** * @return string */ public function getDisplayNameLastFirst() { return $this->displayNameLastFirst; } /** * @param string */ public function setFamilyName($familyName) { $this->familyName = $familyName; } /** * @return string */ public function getFamilyName() { return $this->familyName; } /** * @param string */ public function setGivenName($givenName) { $this->givenName = $givenName; } /** * @return string */ public function getGivenName() { return $this->givenName; } /** * @param string */ public function setHonorificPrefix($honorificPrefix) { $this->honorificPrefix = $honorificPrefix; } /** * @return string */ public function getHonorificPrefix() { return $this->honorificPrefix; } /** * @param string */ public function setHonorificSuffix($honorificSuffix) { $this->honorificSuffix = $honorificSuffix; } /** * @return string */ public function getHonorificSuffix() { return $this->honorificSuffix; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setMiddleName($middleName) { $this->middleName = $middleName; } /** * @return string */ public function getMiddleName() { return $this->middleName; } /** * @param string */ public function setPhoneticFamilyName($phoneticFamilyName) { $this->phoneticFamilyName = $phoneticFamilyName; } /** * @return string */ public function getPhoneticFamilyName() { return $this->phoneticFamilyName; } /** * @param string */ public function setPhoneticFullName($phoneticFullName) { $this->phoneticFullName = $phoneticFullName; } /** * @return string */ public function getPhoneticFullName() { return $this->phoneticFullName; } /** * @param string */ public function setPhoneticGivenName($phoneticGivenName) { $this->phoneticGivenName = $phoneticGivenName; } /** * @return string */ public function getPhoneticGivenName() { return $this->phoneticGivenName; } /** * @param string */ public function setPhoneticHonorificPrefix($phoneticHonorificPrefix) { $this->phoneticHonorificPrefix = $phoneticHonorificPrefix; } /** * @return string */ public function getPhoneticHonorificPrefix() { return $this->phoneticHonorificPrefix; } /** * @param string */ public function setPhoneticHonorificSuffix($phoneticHonorificSuffix) { $this->phoneticHonorificSuffix = $phoneticHonorificSuffix; } /** * @return string */ public function getPhoneticHonorificSuffix() { return $this->phoneticHonorificSuffix; } /** * @param string */ public function setPhoneticMiddleName($phoneticMiddleName) { $this->phoneticMiddleName = $phoneticMiddleName; } /** * @return string */ public function getPhoneticMiddleName() { return $this->phoneticMiddleName; } /** * @param string */ public function setUnstructuredName($unstructuredName) { $this->unstructuredName = $unstructuredName; } /** * @return string */ public function getUnstructuredName() { return $this->unstructuredName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Name::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Name'); google/apiclient-services/src/PeopleService/BatchCreateContactsRequest.php 0000644 00000004076 15054470473 0023113 0 ustar 00 contacts = $contacts; } /** * @return ContactToCreate[] */ public function getContacts() { return $this->contacts; } /** * @param string */ public function setReadMask($readMask) { $this->readMask = $readMask; } /** * @return string */ public function getReadMask() { return $this->readMask; } /** * @param string[] */ public function setSources($sources) { $this->sources = $sources; } /** * @return string[] */ public function getSources() { return $this->sources; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\BatchCreateContactsRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_BatchCreateContactsRequest'); google/apiclient-services/src/PeopleService/Url.php 0000644 00000004444 15054470473 0016437 0 ustar 00 formattedType = $formattedType; } /** * @return string */ public function getFormattedType() { return $this->formattedType; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Url::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Url'); google/apiclient-services/src/PeopleService/GetPeopleResponse.php 0000644 00000002717 15054470473 0021301 0 ustar 00 responses = $responses; } /** * @return PersonResponse[] */ public function getResponses() { return $this->responses; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\GetPeopleResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_GetPeopleResponse'); google/apiclient-services/src/PeopleService/PersonResponse.php 0000644 00000005052 15054470473 0020656 0 ustar 00 httpStatusCode = $httpStatusCode; } /** * @return int */ public function getHttpStatusCode() { return $this->httpStatusCode; } /** * @param Person */ public function setPerson(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Person $person) { $this->person = $person; } /** * @return Person */ public function getPerson() { return $this->person; } /** * @param string */ public function setRequestedResourceName($requestedResourceName) { $this->requestedResourceName = $requestedResourceName; } /** * @return string */ public function getRequestedResourceName() { return $this->requestedResourceName; } /** * @param Status */ public function setStatus(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Status $status) { $this->status = $status; } /** * @return Status */ public function getStatus() { return $this->status; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\PersonResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_PersonResponse'); google/apiclient-services/src/PeopleService/CopyOtherContactToMyContactsGroupRequest.php 0000644 00000003757 15054470473 0026031 0 ustar 00 copyMask = $copyMask; } /** * @return string */ public function getCopyMask() { return $this->copyMask; } /** * @param string */ public function setReadMask($readMask) { $this->readMask = $readMask; } /** * @return string */ public function getReadMask() { return $this->readMask; } /** * @param string[] */ public function setSources($sources) { $this->sources = $sources; } /** * @return string[] */ public function getSources() { return $this->sources; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\CopyOtherContactToMyContactsGroupRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_CopyOtherContactToMyContactsGroupRequest'); google/apiclient-services/src/PeopleService/Residence.php 0000644 00000003764 15054470473 0017602 0 ustar 00 current = $current; } /** * @return bool */ public function getCurrent() { return $this->current; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Residence::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Residence'); google/apiclient-services/src/PeopleService/Biography.php 0000644 00000004026 15054470473 0017615 0 ustar 00 contentType = $contentType; } /** * @return string */ public function getContentType() { return $this->contentType; } /** * @param FieldMetadata */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\FieldMetadata $metadata) { $this->metadata = $metadata; } /** * @return FieldMetadata */ public function getMetadata() { return $this->metadata; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Biography::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Biography'); google/apiclient-services/src/PeopleService/Status.php 0000644 00000003532 15054470473 0017155 0 ustar 00 code = $code; } /** * @return int */ public function getCode() { return $this->code; } /** * @param array[] */ public function setDetails($details) { $this->details = $details; } /** * @return array[] */ public function getDetails() { return $this->details; } /** * @param string */ public function setMessage($message) { $this->message = $message; } /** * @return string */ public function getMessage() { return $this->message; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService\Status::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService_Status'); google/apiclient-services/src/PagespeedInsights/LighthouseCategoryV5.php 0000644 00000005674 15054470473 0022570 0 ustar 00 auditRefs = $auditRefs; } /** * @return AuditRefs[] */ public function getAuditRefs() { return $this->auditRefs; } /** * @param string */ public function setDescription($description) { $this->description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setManualDescription($manualDescription) { $this->manualDescription = $manualDescription; } /** * @return string */ public function getManualDescription() { return $this->manualDescription; } /** * @param array */ public function setScore($score) { $this->score = $score; } /** * @return array */ public function getScore() { return $this->score; } /** * @param string */ public function setTitle($title) { $this->title = $title; } /** * @return string */ public function getTitle() { return $this->title; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseCategoryV5::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_LighthouseCategoryV5'); google/apiclient-services/src/PagespeedInsights/Timing.php 0000644 00000002207 15054470473 0017760 0 ustar 00 total = $total; } public function getTotal() { return $this->total; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\Timing::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_Timing'); google/apiclient-services/src/PagespeedInsights/PagespeedApiPagespeedResponseV5.php 0000644 00000011134 15054470473 0024627 0 ustar 00 analysisUTCTimestamp = $analysisUTCTimestamp; } /** * @return string */ public function getAnalysisUTCTimestamp() { return $this->analysisUTCTimestamp; } /** * @param string */ public function setCaptchaResult($captchaResult) { $this->captchaResult = $captchaResult; } /** * @return string */ public function getCaptchaResult() { return $this->captchaResult; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param LighthouseResultV5 */ public function setLighthouseResult(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseResultV5 $lighthouseResult) { $this->lighthouseResult = $lighthouseResult; } /** * @return LighthouseResultV5 */ public function getLighthouseResult() { return $this->lighthouseResult; } /** * @param PagespeedApiLoadingExperienceV5 */ public function setLoadingExperience(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\PagespeedApiLoadingExperienceV5 $loadingExperience) { $this->loadingExperience = $loadingExperience; } /** * @return PagespeedApiLoadingExperienceV5 */ public function getLoadingExperience() { return $this->loadingExperience; } /** * @param PagespeedApiLoadingExperienceV5 */ public function setOriginLoadingExperience(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\PagespeedApiLoadingExperienceV5 $originLoadingExperience) { $this->originLoadingExperience = $originLoadingExperience; } /** * @return PagespeedApiLoadingExperienceV5 */ public function getOriginLoadingExperience() { return $this->originLoadingExperience; } /** * @param PagespeedVersion */ public function setVersion(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\PagespeedVersion $version) { $this->version = $version; } /** * @return PagespeedVersion */ public function getVersion() { return $this->version; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\PagespeedApiPagespeedResponseV5::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_PagespeedApiPagespeedResponseV5'); google/apiclient-services/src/PagespeedInsights/PagespeedVersion.php 0000644 00000003054 15054470473 0021775 0 ustar 00 major = $major; } /** * @return string */ public function getMajor() { return $this->major; } /** * @param string */ public function setMinor($minor) { $this->minor = $minor; } /** * @return string */ public function getMinor() { return $this->minor; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\PagespeedVersion::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_PagespeedVersion'); google/apiclient-services/src/PagespeedInsights/RendererFormattedStrings.php 0000644 00000046432 15054470473 0023527 0 ustar 00 auditGroupExpandTooltip = $auditGroupExpandTooltip; } /** * @return string */ public function getAuditGroupExpandTooltip() { return $this->auditGroupExpandTooltip; } /** * @param string */ public function setCalculatorLink($calculatorLink) { $this->calculatorLink = $calculatorLink; } /** * @return string */ public function getCalculatorLink() { return $this->calculatorLink; } /** * @param string */ public function setCrcInitialNavigation($crcInitialNavigation) { $this->crcInitialNavigation = $crcInitialNavigation; } /** * @return string */ public function getCrcInitialNavigation() { return $this->crcInitialNavigation; } /** * @param string */ public function setCrcLongestDurationLabel($crcLongestDurationLabel) { $this->crcLongestDurationLabel = $crcLongestDurationLabel; } /** * @return string */ public function getCrcLongestDurationLabel() { return $this->crcLongestDurationLabel; } /** * @param string */ public function setDropdownCopyJSON($dropdownCopyJSON) { $this->dropdownCopyJSON = $dropdownCopyJSON; } /** * @return string */ public function getDropdownCopyJSON() { return $this->dropdownCopyJSON; } /** * @param string */ public function setDropdownDarkTheme($dropdownDarkTheme) { $this->dropdownDarkTheme = $dropdownDarkTheme; } /** * @return string */ public function getDropdownDarkTheme() { return $this->dropdownDarkTheme; } /** * @param string */ public function setDropdownPrintExpanded($dropdownPrintExpanded) { $this->dropdownPrintExpanded = $dropdownPrintExpanded; } /** * @return string */ public function getDropdownPrintExpanded() { return $this->dropdownPrintExpanded; } /** * @param string */ public function setDropdownPrintSummary($dropdownPrintSummary) { $this->dropdownPrintSummary = $dropdownPrintSummary; } /** * @return string */ public function getDropdownPrintSummary() { return $this->dropdownPrintSummary; } /** * @param string */ public function setDropdownSaveGist($dropdownSaveGist) { $this->dropdownSaveGist = $dropdownSaveGist; } /** * @return string */ public function getDropdownSaveGist() { return $this->dropdownSaveGist; } /** * @param string */ public function setDropdownSaveHTML($dropdownSaveHTML) { $this->dropdownSaveHTML = $dropdownSaveHTML; } /** * @return string */ public function getDropdownSaveHTML() { return $this->dropdownSaveHTML; } /** * @param string */ public function setDropdownSaveJSON($dropdownSaveJSON) { $this->dropdownSaveJSON = $dropdownSaveJSON; } /** * @return string */ public function getDropdownSaveJSON() { return $this->dropdownSaveJSON; } /** * @param string */ public function setDropdownViewer($dropdownViewer) { $this->dropdownViewer = $dropdownViewer; } /** * @return string */ public function getDropdownViewer() { return $this->dropdownViewer; } /** * @param string */ public function setErrorLabel($errorLabel) { $this->errorLabel = $errorLabel; } /** * @return string */ public function getErrorLabel() { return $this->errorLabel; } /** * @param string */ public function setErrorMissingAuditInfo($errorMissingAuditInfo) { $this->errorMissingAuditInfo = $errorMissingAuditInfo; } /** * @return string */ public function getErrorMissingAuditInfo() { return $this->errorMissingAuditInfo; } /** * @param string */ public function setFooterIssue($footerIssue) { $this->footerIssue = $footerIssue; } /** * @return string */ public function getFooterIssue() { return $this->footerIssue; } /** * @param string */ public function setLabDataTitle($labDataTitle) { $this->labDataTitle = $labDataTitle; } /** * @return string */ public function getLabDataTitle() { return $this->labDataTitle; } /** * @param string */ public function setLsPerformanceCategoryDescription($lsPerformanceCategoryDescription) { $this->lsPerformanceCategoryDescription = $lsPerformanceCategoryDescription; } /** * @return string */ public function getLsPerformanceCategoryDescription() { return $this->lsPerformanceCategoryDescription; } /** * @param string */ public function setManualAuditsGroupTitle($manualAuditsGroupTitle) { $this->manualAuditsGroupTitle = $manualAuditsGroupTitle; } /** * @return string */ public function getManualAuditsGroupTitle() { return $this->manualAuditsGroupTitle; } /** * @param string */ public function setNotApplicableAuditsGroupTitle($notApplicableAuditsGroupTitle) { $this->notApplicableAuditsGroupTitle = $notApplicableAuditsGroupTitle; } /** * @return string */ public function getNotApplicableAuditsGroupTitle() { return $this->notApplicableAuditsGroupTitle; } /** * @param string */ public function setOpportunityResourceColumnLabel($opportunityResourceColumnLabel) { $this->opportunityResourceColumnLabel = $opportunityResourceColumnLabel; } /** * @return string */ public function getOpportunityResourceColumnLabel() { return $this->opportunityResourceColumnLabel; } /** * @param string */ public function setOpportunitySavingsColumnLabel($opportunitySavingsColumnLabel) { $this->opportunitySavingsColumnLabel = $opportunitySavingsColumnLabel; } /** * @return string */ public function getOpportunitySavingsColumnLabel() { return $this->opportunitySavingsColumnLabel; } /** * @param string */ public function setPassedAuditsGroupTitle($passedAuditsGroupTitle) { $this->passedAuditsGroupTitle = $passedAuditsGroupTitle; } /** * @return string */ public function getPassedAuditsGroupTitle() { return $this->passedAuditsGroupTitle; } /** * @param string */ public function setRuntimeDesktopEmulation($runtimeDesktopEmulation) { $this->runtimeDesktopEmulation = $runtimeDesktopEmulation; } /** * @return string */ public function getRuntimeDesktopEmulation() { return $this->runtimeDesktopEmulation; } /** * @param string */ public function setRuntimeMobileEmulation($runtimeMobileEmulation) { $this->runtimeMobileEmulation = $runtimeMobileEmulation; } /** * @return string */ public function getRuntimeMobileEmulation() { return $this->runtimeMobileEmulation; } /** * @param string */ public function setRuntimeNoEmulation($runtimeNoEmulation) { $this->runtimeNoEmulation = $runtimeNoEmulation; } /** * @return string */ public function getRuntimeNoEmulation() { return $this->runtimeNoEmulation; } /** * @param string */ public function setRuntimeSettingsAxeVersion($runtimeSettingsAxeVersion) { $this->runtimeSettingsAxeVersion = $runtimeSettingsAxeVersion; } /** * @return string */ public function getRuntimeSettingsAxeVersion() { return $this->runtimeSettingsAxeVersion; } /** * @param string */ public function setRuntimeSettingsBenchmark($runtimeSettingsBenchmark) { $this->runtimeSettingsBenchmark = $runtimeSettingsBenchmark; } /** * @return string */ public function getRuntimeSettingsBenchmark() { return $this->runtimeSettingsBenchmark; } /** * @param string */ public function setRuntimeSettingsCPUThrottling($runtimeSettingsCPUThrottling) { $this->runtimeSettingsCPUThrottling = $runtimeSettingsCPUThrottling; } /** * @return string */ public function getRuntimeSettingsCPUThrottling() { return $this->runtimeSettingsCPUThrottling; } /** * @param string */ public function setRuntimeSettingsChannel($runtimeSettingsChannel) { $this->runtimeSettingsChannel = $runtimeSettingsChannel; } /** * @return string */ public function getRuntimeSettingsChannel() { return $this->runtimeSettingsChannel; } /** * @param string */ public function setRuntimeSettingsDevice($runtimeSettingsDevice) { $this->runtimeSettingsDevice = $runtimeSettingsDevice; } /** * @return string */ public function getRuntimeSettingsDevice() { return $this->runtimeSettingsDevice; } /** * @param string */ public function setRuntimeSettingsFetchTime($runtimeSettingsFetchTime) { $this->runtimeSettingsFetchTime = $runtimeSettingsFetchTime; } /** * @return string */ public function getRuntimeSettingsFetchTime() { return $this->runtimeSettingsFetchTime; } /** * @param string */ public function setRuntimeSettingsNetworkThrottling($runtimeSettingsNetworkThrottling) { $this->runtimeSettingsNetworkThrottling = $runtimeSettingsNetworkThrottling; } /** * @return string */ public function getRuntimeSettingsNetworkThrottling() { return $this->runtimeSettingsNetworkThrottling; } /** * @param string */ public function setRuntimeSettingsTitle($runtimeSettingsTitle) { $this->runtimeSettingsTitle = $runtimeSettingsTitle; } /** * @return string */ public function getRuntimeSettingsTitle() { return $this->runtimeSettingsTitle; } /** * @param string */ public function setRuntimeSettingsUA($runtimeSettingsUA) { $this->runtimeSettingsUA = $runtimeSettingsUA; } /** * @return string */ public function getRuntimeSettingsUA() { return $this->runtimeSettingsUA; } /** * @param string */ public function setRuntimeSettingsUANetwork($runtimeSettingsUANetwork) { $this->runtimeSettingsUANetwork = $runtimeSettingsUANetwork; } /** * @return string */ public function getRuntimeSettingsUANetwork() { return $this->runtimeSettingsUANetwork; } /** * @param string */ public function setRuntimeSettingsUrl($runtimeSettingsUrl) { $this->runtimeSettingsUrl = $runtimeSettingsUrl; } /** * @return string */ public function getRuntimeSettingsUrl() { return $this->runtimeSettingsUrl; } /** * @param string */ public function setRuntimeUnknown($runtimeUnknown) { $this->runtimeUnknown = $runtimeUnknown; } /** * @return string */ public function getRuntimeUnknown() { return $this->runtimeUnknown; } /** * @param string */ public function setScorescaleLabel($scorescaleLabel) { $this->scorescaleLabel = $scorescaleLabel; } /** * @return string */ public function getScorescaleLabel() { return $this->scorescaleLabel; } /** * @param string */ public function setShowRelevantAudits($showRelevantAudits) { $this->showRelevantAudits = $showRelevantAudits; } /** * @return string */ public function getShowRelevantAudits() { return $this->showRelevantAudits; } /** * @param string */ public function setSnippetCollapseButtonLabel($snippetCollapseButtonLabel) { $this->snippetCollapseButtonLabel = $snippetCollapseButtonLabel; } /** * @return string */ public function getSnippetCollapseButtonLabel() { return $this->snippetCollapseButtonLabel; } /** * @param string */ public function setSnippetExpandButtonLabel($snippetExpandButtonLabel) { $this->snippetExpandButtonLabel = $snippetExpandButtonLabel; } /** * @return string */ public function getSnippetExpandButtonLabel() { return $this->snippetExpandButtonLabel; } /** * @param string */ public function setThirdPartyResourcesLabel($thirdPartyResourcesLabel) { $this->thirdPartyResourcesLabel = $thirdPartyResourcesLabel; } /** * @return string */ public function getThirdPartyResourcesLabel() { return $this->thirdPartyResourcesLabel; } /** * @param string */ public function setThrottlingProvided($throttlingProvided) { $this->throttlingProvided = $throttlingProvided; } /** * @return string */ public function getThrottlingProvided() { return $this->throttlingProvided; } /** * @param string */ public function setToplevelWarningsMessage($toplevelWarningsMessage) { $this->toplevelWarningsMessage = $toplevelWarningsMessage; } /** * @return string */ public function getToplevelWarningsMessage() { return $this->toplevelWarningsMessage; } /** * @param string */ public function setVarianceDisclaimer($varianceDisclaimer) { $this->varianceDisclaimer = $varianceDisclaimer; } /** * @return string */ public function getVarianceDisclaimer() { return $this->varianceDisclaimer; } /** * @param string */ public function setViewTreemapLabel($viewTreemapLabel) { $this->viewTreemapLabel = $viewTreemapLabel; } /** * @return string */ public function getViewTreemapLabel() { return $this->viewTreemapLabel; } /** * @param string */ public function setWarningAuditsGroupTitle($warningAuditsGroupTitle) { $this->warningAuditsGroupTitle = $warningAuditsGroupTitle; } /** * @return string */ public function getWarningAuditsGroupTitle() { return $this->warningAuditsGroupTitle; } /** * @param string */ public function setWarningHeader($warningHeader) { $this->warningHeader = $warningHeader; } /** * @return string */ public function getWarningHeader() { return $this->warningHeader; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\RendererFormattedStrings::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_RendererFormattedStrings'); google/apiclient-services/src/PagespeedInsights/RuntimeError.php 0000644 00000003047 15054470473 0021171 0 ustar 00 code = $code; } /** * @return string */ public function getCode() { return $this->code; } /** * @param string */ public function setMessage($message) { $this->message = $message; } /** * @return string */ public function getMessage() { return $this->message; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\RuntimeError::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_RuntimeError'); google/apiclient-services/src/PagespeedInsights/LighthouseAuditResultV5.php 0000644 00000011066 15054470473 0023250 0 ustar 00 description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param array[] */ public function setDetails($details) { $this->details = $details; } /** * @return array[] */ public function getDetails() { return $this->details; } /** * @param string */ public function setDisplayValue($displayValue) { $this->displayValue = $displayValue; } /** * @return string */ public function getDisplayValue() { return $this->displayValue; } /** * @param string */ public function setErrorMessage($errorMessage) { $this->errorMessage = $errorMessage; } /** * @return string */ public function getErrorMessage() { return $this->errorMessage; } /** * @param string */ public function setExplanation($explanation) { $this->explanation = $explanation; } /** * @return string */ public function getExplanation() { return $this->explanation; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setNumericUnit($numericUnit) { $this->numericUnit = $numericUnit; } /** * @return string */ public function getNumericUnit() { return $this->numericUnit; } public function setNumericValue($numericValue) { $this->numericValue = $numericValue; } public function getNumericValue() { return $this->numericValue; } /** * @param array */ public function setScore($score) { $this->score = $score; } /** * @return array */ public function getScore() { return $this->score; } /** * @param string */ public function setScoreDisplayMode($scoreDisplayMode) { $this->scoreDisplayMode = $scoreDisplayMode; } /** * @return string */ public function getScoreDisplayMode() { return $this->scoreDisplayMode; } /** * @param string */ public function setTitle($title) { $this->title = $title; } /** * @return string */ public function getTitle() { return $this->title; } /** * @param array */ public function setWarnings($warnings) { $this->warnings = $warnings; } /** * @return array */ public function getWarnings() { return $this->warnings; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseAuditResultV5::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_LighthouseAuditResultV5'); google/apiclient-services/src/PagespeedInsights/LighthouseResultV5.php 0000644 00000016145 15054470473 0022264 0 ustar 00 audits = $audits; } /** * @return LighthouseAuditResultV5[] */ public function getAudits() { return $this->audits; } /** * @param Categories */ public function setCategories(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\Categories $categories) { $this->categories = $categories; } /** * @return Categories */ public function getCategories() { return $this->categories; } /** * @param CategoryGroupV5[] */ public function setCategoryGroups($categoryGroups) { $this->categoryGroups = $categoryGroups; } /** * @return CategoryGroupV5[] */ public function getCategoryGroups() { return $this->categoryGroups; } /** * @param ConfigSettings */ public function setConfigSettings(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\ConfigSettings $configSettings) { $this->configSettings = $configSettings; } /** * @return ConfigSettings */ public function getConfigSettings() { return $this->configSettings; } /** * @param Environment */ public function setEnvironment(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\Environment $environment) { $this->environment = $environment; } /** * @return Environment */ public function getEnvironment() { return $this->environment; } /** * @param string */ public function setFetchTime($fetchTime) { $this->fetchTime = $fetchTime; } /** * @return string */ public function getFetchTime() { return $this->fetchTime; } /** * @param string */ public function setFinalUrl($finalUrl) { $this->finalUrl = $finalUrl; } /** * @return string */ public function getFinalUrl() { return $this->finalUrl; } /** * @param I18n */ public function setI18n(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\I18n $i18n) { $this->i18n = $i18n; } /** * @return I18n */ public function getI18n() { return $this->i18n; } /** * @param string */ public function setLighthouseVersion($lighthouseVersion) { $this->lighthouseVersion = $lighthouseVersion; } /** * @return string */ public function getLighthouseVersion() { return $this->lighthouseVersion; } /** * @param string */ public function setRequestedUrl($requestedUrl) { $this->requestedUrl = $requestedUrl; } /** * @return string */ public function getRequestedUrl() { return $this->requestedUrl; } /** * @param array[] */ public function setRunWarnings($runWarnings) { $this->runWarnings = $runWarnings; } /** * @return array[] */ public function getRunWarnings() { return $this->runWarnings; } /** * @param RuntimeError */ public function setRuntimeError(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\RuntimeError $runtimeError) { $this->runtimeError = $runtimeError; } /** * @return RuntimeError */ public function getRuntimeError() { return $this->runtimeError; } /** * @param StackPack[] */ public function setStackPacks($stackPacks) { $this->stackPacks = $stackPacks; } /** * @return StackPack[] */ public function getStackPacks() { return $this->stackPacks; } /** * @param Timing */ public function setTiming(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\Timing $timing) { $this->timing = $timing; } /** * @return Timing */ public function getTiming() { return $this->timing; } /** * @param string */ public function setUserAgent($userAgent) { $this->userAgent = $userAgent; } /** * @return string */ public function getUserAgent() { return $this->userAgent; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseResultV5::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_LighthouseResultV5'); google/apiclient-services/src/PagespeedInsights/Resource/Pagespeedapi.php 0000644 00000005126 15054470473 0022712 0 ustar 00 * $pagespeedonlineService = new Google\Service\PagespeedInsights(...); * $pagespeedapi = $pagespeedonlineService->pagespeedapi; * */ class Pagespeedapi extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Runs PageSpeed analysis on the page at the specified URL, and returns * PageSpeed scores, a list of suggestions to make that page faster, and other * information. (pagespeedapi.runpagespeed) * * @param string $url Required. The URL to fetch and analyze * @param array $optParams Optional parameters. * * @opt_param string captchaToken The captcha token passed when filling out a * captcha. * @opt_param string category A Lighthouse category to run; if none are given, * only Performance category will be run * @opt_param string locale The locale used to localize formatted results * @opt_param string strategy The analysis strategy (desktop or mobile) to use, * and desktop is the default * @opt_param string utm_campaign Campaign name for analytics. * @opt_param string utm_source Campaign source for analytics. * @return PagespeedApiPagespeedResponseV5 */ public function runpagespeed($url, $optParams = []) { $params = ['url' => $url]; $params = \array_merge($params, $optParams); return $this->call('runpagespeed', [$params], \Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\PagespeedApiPagespeedResponseV5::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\Resource\Pagespeedapi::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_Resource_Pagespeedapi'); google/apiclient-services/src/PagespeedInsights/Environment.php 0000644 00000003614 15054470473 0021040 0 ustar 00 benchmarkIndex = $benchmarkIndex; } public function getBenchmarkIndex() { return $this->benchmarkIndex; } /** * @param string */ public function setHostUserAgent($hostUserAgent) { $this->hostUserAgent = $hostUserAgent; } /** * @return string */ public function getHostUserAgent() { return $this->hostUserAgent; } /** * @param string */ public function setNetworkUserAgent($networkUserAgent) { $this->networkUserAgent = $networkUserAgent; } /** * @return string */ public function getNetworkUserAgent() { return $this->networkUserAgent; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\Environment::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_Environment'); google/apiclient-services/src/PagespeedInsights/Bucket.php 0000644 00000003256 15054470473 0017753 0 ustar 00 max = $max; } /** * @return int */ public function getMax() { return $this->max; } /** * @param int */ public function setMin($min) { $this->min = $min; } /** * @return int */ public function getMin() { return $this->min; } public function setProportion($proportion) { $this->proportion = $proportion; } public function getProportion() { return $this->proportion; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\Bucket::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_Bucket'); google/apiclient-services/src/PagespeedInsights/I18n.php 0000644 00000003153 15054470473 0017251 0 ustar 00 rendererFormattedStrings = $rendererFormattedStrings; } /** * @return RendererFormattedStrings */ public function getRendererFormattedStrings() { return $this->rendererFormattedStrings; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\I18n::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_I18n'); google/apiclient-services/src/PagespeedInsights/ConfigSettings.php 0000644 00000005100 15054470473 0021452 0 ustar 00 channel = $channel; } /** * @return string */ public function getChannel() { return $this->channel; } /** * @param string */ public function setEmulatedFormFactor($emulatedFormFactor) { $this->emulatedFormFactor = $emulatedFormFactor; } /** * @return string */ public function getEmulatedFormFactor() { return $this->emulatedFormFactor; } /** * @param string */ public function setFormFactor($formFactor) { $this->formFactor = $formFactor; } /** * @return string */ public function getFormFactor() { return $this->formFactor; } /** * @param string */ public function setLocale($locale) { $this->locale = $locale; } /** * @return string */ public function getLocale() { return $this->locale; } /** * @param array */ public function setOnlyCategories($onlyCategories) { $this->onlyCategories = $onlyCategories; } /** * @return array */ public function getOnlyCategories() { return $this->onlyCategories; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\ConfigSettings::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_ConfigSettings'); google/apiclient-services/src/PagespeedInsights/CategoryGroupV5.php 0000644 00000003123 15054470473 0021534 0 ustar 00 description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param string */ public function setTitle($title) { $this->title = $title; } /** * @return string */ public function getTitle() { return $this->title; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\CategoryGroupV5::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_CategoryGroupV5'); google/apiclient-services/src/PagespeedInsights/PagespeedApiLoadingExperienceV5.php 0000644 00000005541 15054470473 0024605 0 ustar 00 "initial_url", "originFallback" => "origin_fallback", "overallCategory" => "overall_category"]; /** * @var string */ public $id; /** * @var string */ public $initialUrl; protected $metricsType = \Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\UserPageLoadMetricV5::class; protected $metricsDataType = 'map'; /** * @var bool */ public $originFallback; /** * @var string */ public $overallCategory; /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setInitialUrl($initialUrl) { $this->initialUrl = $initialUrl; } /** * @return string */ public function getInitialUrl() { return $this->initialUrl; } /** * @param UserPageLoadMetricV5[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return UserPageLoadMetricV5[] */ public function getMetrics() { return $this->metrics; } /** * @param bool */ public function setOriginFallback($originFallback) { $this->originFallback = $originFallback; } /** * @return bool */ public function getOriginFallback() { return $this->originFallback; } /** * @param string */ public function setOverallCategory($overallCategory) { $this->overallCategory = $overallCategory; } /** * @return string */ public function getOverallCategory() { return $this->overallCategory; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\PagespeedApiLoadingExperienceV5::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_PagespeedApiLoadingExperienceV5'); google/apiclient-services/src/PagespeedInsights/Categories.php 0000644 00000007150 15054470473 0020620 0 ustar 00 "best-practices"]; protected $accessibilityType = \Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseCategoryV5::class; protected $accessibilityDataType = ''; protected $bestPracticesType = \Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseCategoryV5::class; protected $bestPracticesDataType = ''; protected $performanceType = \Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseCategoryV5::class; protected $performanceDataType = ''; protected $pwaType = \Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseCategoryV5::class; protected $pwaDataType = ''; protected $seoType = \Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseCategoryV5::class; protected $seoDataType = ''; /** * @param LighthouseCategoryV5 */ public function setAccessibility(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseCategoryV5 $accessibility) { $this->accessibility = $accessibility; } /** * @return LighthouseCategoryV5 */ public function getAccessibility() { return $this->accessibility; } /** * @param LighthouseCategoryV5 */ public function setBestPractices(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseCategoryV5 $bestPractices) { $this->bestPractices = $bestPractices; } /** * @return LighthouseCategoryV5 */ public function getBestPractices() { return $this->bestPractices; } /** * @param LighthouseCategoryV5 */ public function setPerformance(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseCategoryV5 $performance) { $this->performance = $performance; } /** * @return LighthouseCategoryV5 */ public function getPerformance() { return $this->performance; } /** * @param LighthouseCategoryV5 */ public function setPwa(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseCategoryV5 $pwa) { $this->pwa = $pwa; } /** * @return LighthouseCategoryV5 */ public function getPwa() { return $this->pwa; } /** * @param LighthouseCategoryV5 */ public function setSeo(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\LighthouseCategoryV5 $seo) { $this->seo = $seo; } /** * @return LighthouseCategoryV5 */ public function getSeo() { return $this->seo; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\Categories::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_Categories'); google/apiclient-services/src/PagespeedInsights/UserPageLoadMetricV5.php 0000644 00000005726 15054470473 0022434 0 ustar 00 category = $category; } /** * @return string */ public function getCategory() { return $this->category; } /** * @param Bucket[] */ public function setDistributions($distributions) { $this->distributions = $distributions; } /** * @return Bucket[] */ public function getDistributions() { return $this->distributions; } /** * @param string */ public function setFormFactor($formFactor) { $this->formFactor = $formFactor; } /** * @return string */ public function getFormFactor() { return $this->formFactor; } /** * @param int */ public function setMedian($median) { $this->median = $median; } /** * @return int */ public function getMedian() { return $this->median; } /** * @param string */ public function setMetricId($metricId) { $this->metricId = $metricId; } /** * @return string */ public function getMetricId() { return $this->metricId; } /** * @param int */ public function setPercentile($percentile) { $this->percentile = $percentile; } /** * @return int */ public function getPercentile() { return $this->percentile; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\UserPageLoadMetricV5::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_UserPageLoadMetricV5'); google/apiclient-services/src/PagespeedInsights/StackPack.php 0000644 00000004225 15054470473 0020377 0 ustar 00 descriptions = $descriptions; } /** * @return string[] */ public function getDescriptions() { return $this->descriptions; } /** * @param string */ public function setIconDataURL($iconDataURL) { $this->iconDataURL = $iconDataURL; } /** * @return string */ public function getIconDataURL() { return $this->iconDataURL; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setTitle($title) { $this->title = $title; } /** * @return string */ public function getTitle() { return $this->title; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\StackPack::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_StackPack'); google/apiclient-services/src/PagespeedInsights/AuditRefs.php 0000644 00000004560 15054470473 0020423 0 ustar 00 acronym = $acronym; } /** * @return string */ public function getAcronym() { return $this->acronym; } /** * @param string */ public function setGroup($group) { $this->group = $group; } /** * @return string */ public function getGroup() { return $this->group; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string[] */ public function setRelevantAudits($relevantAudits) { $this->relevantAudits = $relevantAudits; } /** * @return string[] */ public function getRelevantAudits() { return $this->relevantAudits; } public function setWeight($weight) { $this->weight = $weight; } public function getWeight() { return $this->weight; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\AuditRefs::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights_AuditRefs'); google/apiclient-services/src/Ideahub.php 0000644 00000010667 15054470473 0014475 0 ustar 00 * This is an invitation-only API. * ** For more information about this service, see the API * Documentation *
* * @author Google, Inc. */ class Ideahub extends \Google\Site_Kit_Dependencies\Google\Service { public $platforms_properties_ideaActivities; public $platforms_properties_ideaStates; public $platforms_properties_ideas; public $platforms_properties_locales; public $platforms_properties_topicStates; /** * Constructs the internal representation of the Ideahub service. * * @param Client|array $clientOrConfig The client used to deliver requests, or a * config array to pass to a new Client instance. * @param string $rootUrl The root URL used for requests to the service. */ public function __construct($clientOrConfig = [], $rootUrl = null) { parent::__construct($clientOrConfig); $this->rootUrl = $rootUrl ?: 'https://ideahub.googleapis.com/'; $this->servicePath = ''; $this->batchPath = 'batch'; $this->version = 'v1beta'; $this->serviceName = 'ideahub'; $this->platforms_properties_ideaActivities = new \Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\PlatformsPropertiesIdeaActivities($this, $this->serviceName, 'ideaActivities', ['methods' => ['create' => ['path' => 'v1beta/{+parent}/ideaActivities', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->platforms_properties_ideaStates = new \Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\PlatformsPropertiesIdeaStates($this, $this->serviceName, 'ideaStates', ['methods' => ['patch' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]]]]); $this->platforms_properties_ideas = new \Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\PlatformsPropertiesIdeas($this, $this->serviceName, 'ideas', ['methods' => ['list' => ['path' => 'v1beta/{+parent}/ideas', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'filter' => ['location' => 'query', 'type' => 'string'], 'orderBy' => ['location' => 'query', 'type' => 'string'], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]]]]); $this->platforms_properties_locales = new \Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\PlatformsPropertiesLocales($this, $this->serviceName, 'locales', ['methods' => ['list' => ['path' => 'v1beta/{+parent}/locales', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]]]]); $this->platforms_properties_topicStates = new \Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\PlatformsPropertiesTopicStates($this, $this->serviceName, 'topicStates', ['methods' => ['patch' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]]]]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub'); google/apiclient-services/src/SiteVerification.php 0000644 00000006736 15054470473 0016405 0 ustar 00 * Verifies ownership of websites or domains with Google. * ** For more information about this service, see the API * Documentation *
* * @author Google, Inc. */ class SiteVerification extends \Google\Site_Kit_Dependencies\Google\Service { /** Manage the list of sites and domains you control. */ const SITEVERIFICATION = "https://www.googleapis.com/auth/siteverification"; /** Manage your new site verifications with Google. */ const SITEVERIFICATION_VERIFY_ONLY = "https://www.googleapis.com/auth/siteverification.verify_only"; public $webResource; /** * Constructs the internal representation of the SiteVerification service. * * @param Client|array $clientOrConfig The client used to deliver requests, or a * config array to pass to a new Client instance. * @param string $rootUrl The root URL used for requests to the service. */ public function __construct($clientOrConfig = [], $rootUrl = null) { parent::__construct($clientOrConfig); $this->rootUrl = $rootUrl ?: 'https://www.googleapis.com/'; $this->servicePath = 'siteVerification/v1/'; $this->batchPath = 'batch/siteVerification/v1'; $this->version = 'v1'; $this->serviceName = 'siteVerification'; $this->webResource = new \Google\Site_Kit_Dependencies\Google\Service\SiteVerification\Resource\WebResource($this, $this->serviceName, 'webResource', ['methods' => ['delete' => ['path' => 'webResource/{id}', 'httpMethod' => 'DELETE', 'parameters' => ['id' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'webResource/{id}', 'httpMethod' => 'GET', 'parameters' => ['id' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'getToken' => ['path' => 'token', 'httpMethod' => 'POST', 'parameters' => []], 'insert' => ['path' => 'webResource', 'httpMethod' => 'POST', 'parameters' => ['verificationMethod' => ['location' => 'query', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'webResource', 'httpMethod' => 'GET', 'parameters' => []], 'patch' => ['path' => 'webResource/{id}', 'httpMethod' => 'PATCH', 'parameters' => ['id' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'webResource/{id}', 'httpMethod' => 'PUT', 'parameters' => ['id' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SiteVerification::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SiteVerification'); google/apiclient-services/src/TagManager/CreateContainerVersionRequestVersionOptions.php 0000644 00000003141 15054470473 0026036 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setNotes($notes) { $this->notes = $notes; } /** * @return string */ public function getNotes() { return $this->notes; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\CreateContainerVersionRequestVersionOptions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_CreateContainerVersionRequestVersionOptions'); google/apiclient-services/src/TagManager/ListVariablesResponse.php 0000644 00000003405 15054470473 0021415 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param Variable[] */ public function setVariable($variable) { $this->variable = $variable; } /** * @return Variable[] */ public function getVariable() { return $this->variable; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListVariablesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListVariablesResponse'); google/apiclient-services/src/TagManager/ListClientsResponse.php 0000644 00000003347 15054470473 0021113 0 ustar 00 client = $client; } /** * @return Client[] */ public function getClient() { return $this->client; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListClientsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListClientsResponse'); google/apiclient-services/src/TagManager/Tag.php 0000644 00000024564 15054470473 0015656 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string[] */ public function setBlockingRuleId($blockingRuleId) { $this->blockingRuleId = $blockingRuleId; } /** * @return string[] */ public function getBlockingRuleId() { return $this->blockingRuleId; } /** * @param string[] */ public function setBlockingTriggerId($blockingTriggerId) { $this->blockingTriggerId = $blockingTriggerId; } /** * @return string[] */ public function getBlockingTriggerId() { return $this->blockingTriggerId; } /** * @param TagConsentSetting */ public function setConsentSettings(\Google\Site_Kit_Dependencies\Google\Service\TagManager\TagConsentSetting $consentSettings) { $this->consentSettings = $consentSettings; } /** * @return TagConsentSetting */ public function getConsentSettings() { return $this->consentSettings; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param string[] */ public function setFiringRuleId($firingRuleId) { $this->firingRuleId = $firingRuleId; } /** * @return string[] */ public function getFiringRuleId() { return $this->firingRuleId; } /** * @param string[] */ public function setFiringTriggerId($firingTriggerId) { $this->firingTriggerId = $firingTriggerId; } /** * @return string[] */ public function getFiringTriggerId() { return $this->firingTriggerId; } /** * @param bool */ public function setLiveOnly($liveOnly) { $this->liveOnly = $liveOnly; } /** * @return bool */ public function getLiveOnly() { return $this->liveOnly; } /** * @param Parameter */ public function setMonitoringMetadata(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $monitoringMetadata) { $this->monitoringMetadata = $monitoringMetadata; } /** * @return Parameter */ public function getMonitoringMetadata() { return $this->monitoringMetadata; } /** * @param string */ public function setMonitoringMetadataTagNameKey($monitoringMetadataTagNameKey) { $this->monitoringMetadataTagNameKey = $monitoringMetadataTagNameKey; } /** * @return string */ public function getMonitoringMetadataTagNameKey() { return $this->monitoringMetadataTagNameKey; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setNotes($notes) { $this->notes = $notes; } /** * @return string */ public function getNotes() { return $this->notes; } /** * @param Parameter[] */ public function setParameter($parameter) { $this->parameter = $parameter; } /** * @return Parameter[] */ public function getParameter() { return $this->parameter; } /** * @param string */ public function setParentFolderId($parentFolderId) { $this->parentFolderId = $parentFolderId; } /** * @return string */ public function getParentFolderId() { return $this->parentFolderId; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param bool */ public function setPaused($paused) { $this->paused = $paused; } /** * @return bool */ public function getPaused() { return $this->paused; } /** * @param Parameter */ public function setPriority(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $priority) { $this->priority = $priority; } /** * @return Parameter */ public function getPriority() { return $this->priority; } /** * @param string */ public function setScheduleEndMs($scheduleEndMs) { $this->scheduleEndMs = $scheduleEndMs; } /** * @return string */ public function getScheduleEndMs() { return $this->scheduleEndMs; } /** * @param string */ public function setScheduleStartMs($scheduleStartMs) { $this->scheduleStartMs = $scheduleStartMs; } /** * @return string */ public function getScheduleStartMs() { return $this->scheduleStartMs; } /** * @param SetupTag[] */ public function setSetupTag($setupTag) { $this->setupTag = $setupTag; } /** * @return SetupTag[] */ public function getSetupTag() { return $this->setupTag; } /** * @param string */ public function setTagFiringOption($tagFiringOption) { $this->tagFiringOption = $tagFiringOption; } /** * @return string */ public function getTagFiringOption() { return $this->tagFiringOption; } /** * @param string */ public function setTagId($tagId) { $this->tagId = $tagId; } /** * @return string */ public function getTagId() { return $this->tagId; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param TeardownTag[] */ public function setTeardownTag($teardownTag) { $this->teardownTag = $teardownTag; } /** * @return TeardownTag[] */ public function getTeardownTag() { return $this->teardownTag; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setWorkspaceId($workspaceId) { $this->workspaceId = $workspaceId; } /** * @return string */ public function getWorkspaceId() { return $this->workspaceId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Tag::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Tag'); google/apiclient-services/src/TagManager/Condition.php 0000644 00000003256 15054470473 0017064 0 ustar 00 parameter = $parameter; } /** * @return Parameter[] */ public function getParameter() { return $this->parameter; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Condition::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Condition'); google/apiclient-services/src/TagManager/BuiltInVariable.php 0000644 00000005323 15054470473 0020147 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setWorkspaceId($workspaceId) { $this->workspaceId = $workspaceId; } /** * @return string */ public function getWorkspaceId() { return $this->workspaceId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\BuiltInVariable::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_BuiltInVariable'); google/apiclient-services/src/TagManager/RevertTagResponse.php 0000644 00000002563 15054470473 0020560 0 ustar 00 tag = $tag; } /** * @return Tag */ public function getTag() { return $this->tag; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertTagResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_RevertTagResponse'); google/apiclient-services/src/TagManager/ListContainerVersionsResponse.php 0000644 00000003705 15054470473 0023163 0 ustar 00 containerVersionHeader = $containerVersionHeader; } /** * @return ContainerVersionHeader[] */ public function getContainerVersionHeader() { return $this->containerVersionHeader; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListContainerVersionsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListContainerVersionsResponse'); google/apiclient-services/src/TagManager/Destination.php 0000644 00000006704 15054470473 0017420 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setDestinationId($destinationId) { $this->destinationId = $destinationId; } /** * @return string */ public function getDestinationId() { return $this->destinationId; } /** * @param string */ public function setDestinationLinkId($destinationLinkId) { $this->destinationLinkId = $destinationLinkId; } /** * @return string */ public function getDestinationLinkId() { return $this->destinationLinkId; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Destination::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Destination'); google/apiclient-services/src/TagManager/Trigger.php 0000644 00000035522 15054470473 0016542 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param Condition[] */ public function setAutoEventFilter($autoEventFilter) { $this->autoEventFilter = $autoEventFilter; } /** * @return Condition[] */ public function getAutoEventFilter() { return $this->autoEventFilter; } /** * @param Parameter */ public function setCheckValidation(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $checkValidation) { $this->checkValidation = $checkValidation; } /** * @return Parameter */ public function getCheckValidation() { return $this->checkValidation; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param Parameter */ public function setContinuousTimeMinMilliseconds(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $continuousTimeMinMilliseconds) { $this->continuousTimeMinMilliseconds = $continuousTimeMinMilliseconds; } /** * @return Parameter */ public function getContinuousTimeMinMilliseconds() { return $this->continuousTimeMinMilliseconds; } /** * @param Condition[] */ public function setCustomEventFilter($customEventFilter) { $this->customEventFilter = $customEventFilter; } /** * @return Condition[] */ public function getCustomEventFilter() { return $this->customEventFilter; } /** * @param Parameter */ public function setEventName(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $eventName) { $this->eventName = $eventName; } /** * @return Parameter */ public function getEventName() { return $this->eventName; } /** * @param Condition[] */ public function setFilter($filter) { $this->filter = $filter; } /** * @return Condition[] */ public function getFilter() { return $this->filter; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param Parameter */ public function setHorizontalScrollPercentageList(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $horizontalScrollPercentageList) { $this->horizontalScrollPercentageList = $horizontalScrollPercentageList; } /** * @return Parameter */ public function getHorizontalScrollPercentageList() { return $this->horizontalScrollPercentageList; } /** * @param Parameter */ public function setInterval(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $interval) { $this->interval = $interval; } /** * @return Parameter */ public function getInterval() { return $this->interval; } /** * @param Parameter */ public function setIntervalSeconds(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $intervalSeconds) { $this->intervalSeconds = $intervalSeconds; } /** * @return Parameter */ public function getIntervalSeconds() { return $this->intervalSeconds; } /** * @param Parameter */ public function setLimit(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $limit) { $this->limit = $limit; } /** * @return Parameter */ public function getLimit() { return $this->limit; } /** * @param Parameter */ public function setMaxTimerLengthSeconds(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $maxTimerLengthSeconds) { $this->maxTimerLengthSeconds = $maxTimerLengthSeconds; } /** * @return Parameter */ public function getMaxTimerLengthSeconds() { return $this->maxTimerLengthSeconds; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setNotes($notes) { $this->notes = $notes; } /** * @return string */ public function getNotes() { return $this->notes; } /** * @param Parameter[] */ public function setParameter($parameter) { $this->parameter = $parameter; } /** * @return Parameter[] */ public function getParameter() { return $this->parameter; } /** * @param string */ public function setParentFolderId($parentFolderId) { $this->parentFolderId = $parentFolderId; } /** * @return string */ public function getParentFolderId() { return $this->parentFolderId; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param Parameter */ public function setSelector(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $selector) { $this->selector = $selector; } /** * @return Parameter */ public function getSelector() { return $this->selector; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param Parameter */ public function setTotalTimeMinMilliseconds(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $totalTimeMinMilliseconds) { $this->totalTimeMinMilliseconds = $totalTimeMinMilliseconds; } /** * @return Parameter */ public function getTotalTimeMinMilliseconds() { return $this->totalTimeMinMilliseconds; } /** * @param string */ public function setTriggerId($triggerId) { $this->triggerId = $triggerId; } /** * @return string */ public function getTriggerId() { return $this->triggerId; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param Parameter */ public function setUniqueTriggerId(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $uniqueTriggerId) { $this->uniqueTriggerId = $uniqueTriggerId; } /** * @return Parameter */ public function getUniqueTriggerId() { return $this->uniqueTriggerId; } /** * @param Parameter */ public function setVerticalScrollPercentageList(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $verticalScrollPercentageList) { $this->verticalScrollPercentageList = $verticalScrollPercentageList; } /** * @return Parameter */ public function getVerticalScrollPercentageList() { return $this->verticalScrollPercentageList; } /** * @param Parameter */ public function setVisibilitySelector(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $visibilitySelector) { $this->visibilitySelector = $visibilitySelector; } /** * @return Parameter */ public function getVisibilitySelector() { return $this->visibilitySelector; } /** * @param Parameter */ public function setVisiblePercentageMax(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $visiblePercentageMax) { $this->visiblePercentageMax = $visiblePercentageMax; } /** * @return Parameter */ public function getVisiblePercentageMax() { return $this->visiblePercentageMax; } /** * @param Parameter */ public function setVisiblePercentageMin(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $visiblePercentageMin) { $this->visiblePercentageMin = $visiblePercentageMin; } /** * @return Parameter */ public function getVisiblePercentageMin() { return $this->visiblePercentageMin; } /** * @param Parameter */ public function setWaitForTags(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $waitForTags) { $this->waitForTags = $waitForTags; } /** * @return Parameter */ public function getWaitForTags() { return $this->waitForTags; } /** * @param Parameter */ public function setWaitForTagsTimeout(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $waitForTagsTimeout) { $this->waitForTagsTimeout = $waitForTagsTimeout; } /** * @return Parameter */ public function getWaitForTagsTimeout() { return $this->waitForTagsTimeout; } /** * @param string */ public function setWorkspaceId($workspaceId) { $this->workspaceId = $workspaceId; } /** * @return string */ public function getWorkspaceId() { return $this->workspaceId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Trigger::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Trigger'); google/apiclient-services/src/TagManager/ContainerVersionHeader.php 0000644 00000013165 15054470473 0021537 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setContainerVersionId($containerVersionId) { $this->containerVersionId = $containerVersionId; } /** * @return string */ public function getContainerVersionId() { return $this->containerVersionId; } /** * @param bool */ public function setDeleted($deleted) { $this->deleted = $deleted; } /** * @return bool */ public function getDeleted() { return $this->deleted; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setNumClients($numClients) { $this->numClients = $numClients; } /** * @return string */ public function getNumClients() { return $this->numClients; } /** * @param string */ public function setNumCustomTemplates($numCustomTemplates) { $this->numCustomTemplates = $numCustomTemplates; } /** * @return string */ public function getNumCustomTemplates() { return $this->numCustomTemplates; } /** * @param string */ public function setNumGtagConfigs($numGtagConfigs) { $this->numGtagConfigs = $numGtagConfigs; } /** * @return string */ public function getNumGtagConfigs() { return $this->numGtagConfigs; } /** * @param string */ public function setNumMacros($numMacros) { $this->numMacros = $numMacros; } /** * @return string */ public function getNumMacros() { return $this->numMacros; } /** * @param string */ public function setNumRules($numRules) { $this->numRules = $numRules; } /** * @return string */ public function getNumRules() { return $this->numRules; } /** * @param string */ public function setNumTags($numTags) { $this->numTags = $numTags; } /** * @return string */ public function getNumTags() { return $this->numTags; } /** * @param string */ public function setNumTriggers($numTriggers) { $this->numTriggers = $numTriggers; } /** * @return string */ public function getNumTriggers() { return $this->numTriggers; } /** * @param string */ public function setNumVariables($numVariables) { $this->numVariables = $numVariables; } /** * @return string */ public function getNumVariables() { return $this->numVariables; } /** * @param string */ public function setNumZones($numZones) { $this->numZones = $numZones; } /** * @return string */ public function getNumZones() { return $this->numZones; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersionHeader::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ContainerVersionHeader'); google/apiclient-services/src/TagManager/MergeConflict.php 0000644 00000003772 15054470473 0017662 0 ustar 00 entityInBaseVersion = $entityInBaseVersion; } /** * @return Entity */ public function getEntityInBaseVersion() { return $this->entityInBaseVersion; } /** * @param Entity */ public function setEntityInWorkspace(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Entity $entityInWorkspace) { $this->entityInWorkspace = $entityInWorkspace; } /** * @return Entity */ public function getEntityInWorkspace() { return $this->entityInWorkspace; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\MergeConflict::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_MergeConflict'); google/apiclient-services/src/TagManager/Zone.php 0000644 00000012203 15054470473 0016041 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param ZoneBoundary */ public function setBoundary(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ZoneBoundary $boundary) { $this->boundary = $boundary; } /** * @return ZoneBoundary */ public function getBoundary() { return $this->boundary; } /** * @param ZoneChildContainer[] */ public function setChildContainer($childContainer) { $this->childContainer = $childContainer; } /** * @return ZoneChildContainer[] */ public function getChildContainer() { return $this->childContainer; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setNotes($notes) { $this->notes = $notes; } /** * @return string */ public function getNotes() { return $this->notes; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param ZoneTypeRestriction */ public function setTypeRestriction(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ZoneTypeRestriction $typeRestriction) { $this->typeRestriction = $typeRestriction; } /** * @return ZoneTypeRestriction */ public function getTypeRestriction() { return $this->typeRestriction; } /** * @param string */ public function setWorkspaceId($workspaceId) { $this->workspaceId = $workspaceId; } /** * @return string */ public function getWorkspaceId() { return $this->workspaceId; } /** * @param string */ public function setZoneId($zoneId) { $this->zoneId = $zoneId; } /** * @return string */ public function getZoneId() { return $this->zoneId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Zone::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Zone'); google/apiclient-services/src/TagManager/ListEnvironmentsResponse.php 0000644 00000003462 15054470473 0022177 0 ustar 00 environment = $environment; } /** * @return Environment[] */ public function getEnvironment() { return $this->environment; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListEnvironmentsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListEnvironmentsResponse'); google/apiclient-services/src/TagManager/RevertFolderResponse.php 0000644 00000002640 15054470473 0021254 0 ustar 00 folder = $folder; } /** * @return Folder */ public function getFolder() { return $this->folder; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertFolderResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_RevertFolderResponse'); google/apiclient-services/src/TagManager/AccountAccess.php 0000644 00000002430 15054470473 0017645 0 ustar 00 permission = $permission; } /** * @return string */ public function getPermission() { return $this->permission; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\AccountAccess::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_AccountAccess'); google/apiclient-services/src/TagManager/GetWorkspaceStatusResponse.php 0000644 00000003702 15054470473 0022453 0 ustar 00 mergeConflict = $mergeConflict; } /** * @return MergeConflict[] */ public function getMergeConflict() { return $this->mergeConflict; } /** * @param Entity[] */ public function setWorkspaceChange($workspaceChange) { $this->workspaceChange = $workspaceChange; } /** * @return Entity[] */ public function getWorkspaceChange() { return $this->workspaceChange; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\GetWorkspaceStatusResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_GetWorkspaceStatusResponse'); google/apiclient-services/src/TagManager/Workspace.php 0000644 00000006606 15054470473 0017076 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setDescription($description) { $this->description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param string */ public function setWorkspaceId($workspaceId) { $this->workspaceId = $workspaceId; } /** * @return string */ public function getWorkspaceId() { return $this->workspaceId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Workspace::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Workspace'); google/apiclient-services/src/TagManager/ContainerVersion.php 0000644 00000017377 15054470473 0020437 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param BuiltInVariable[] */ public function setBuiltInVariable($builtInVariable) { $this->builtInVariable = $builtInVariable; } /** * @return BuiltInVariable[] */ public function getBuiltInVariable() { return $this->builtInVariable; } /** * @param Client[] */ public function setClient($client) { $this->client = $client; } /** * @return Client[] */ public function getClient() { return $this->client; } /** * @param Container */ public function setContainer(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Container $container) { $this->container = $container; } /** * @return Container */ public function getContainer() { return $this->container; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setContainerVersionId($containerVersionId) { $this->containerVersionId = $containerVersionId; } /** * @return string */ public function getContainerVersionId() { return $this->containerVersionId; } /** * @param CustomTemplate[] */ public function setCustomTemplate($customTemplate) { $this->customTemplate = $customTemplate; } /** * @return CustomTemplate[] */ public function getCustomTemplate() { return $this->customTemplate; } /** * @param bool */ public function setDeleted($deleted) { $this->deleted = $deleted; } /** * @return bool */ public function getDeleted() { return $this->deleted; } /** * @param string */ public function setDescription($description) { $this->description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param Folder[] */ public function setFolder($folder) { $this->folder = $folder; } /** * @return Folder[] */ public function getFolder() { return $this->folder; } /** * @param GtagConfig[] */ public function setGtagConfig($gtagConfig) { $this->gtagConfig = $gtagConfig; } /** * @return GtagConfig[] */ public function getGtagConfig() { return $this->gtagConfig; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param Tag[] */ public function setTag($tag) { $this->tag = $tag; } /** * @return Tag[] */ public function getTag() { return $this->tag; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param Trigger[] */ public function setTrigger($trigger) { $this->trigger = $trigger; } /** * @return Trigger[] */ public function getTrigger() { return $this->trigger; } /** * @param Variable[] */ public function setVariable($variable) { $this->variable = $variable; } /** * @return Variable[] */ public function getVariable() { return $this->variable; } /** * @param Zone[] */ public function setZone($zone) { $this->zone = $zone; } /** * @return Zone[] */ public function getZone() { return $this->zone; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersion::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ContainerVersion'); google/apiclient-services/src/TagManager/RevertTemplateResponse.php 0000644 00000002726 15054470473 0021621 0 ustar 00 template = $template; } /** * @return CustomTemplate */ public function getTemplate() { return $this->template; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertTemplateResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_RevertTemplateResponse'); google/apiclient-services/src/TagManager/SyncWorkspaceResponse.php 0000644 00000003717 15054470473 0021452 0 ustar 00 mergeConflict = $mergeConflict; } /** * @return MergeConflict[] */ public function getMergeConflict() { return $this->mergeConflict; } /** * @param SyncStatus */ public function setSyncStatus(\Google\Site_Kit_Dependencies\Google\Service\TagManager\SyncStatus $syncStatus) { $this->syncStatus = $syncStatus; } /** * @return SyncStatus */ public function getSyncStatus() { return $this->syncStatus; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\SyncWorkspaceResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_SyncWorkspaceResponse'); google/apiclient-services/src/TagManager/CustomTemplate.php 0000644 00000010377 15054470473 0020106 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param GalleryReference */ public function setGalleryReference(\Google\Site_Kit_Dependencies\Google\Service\TagManager\GalleryReference $galleryReference) { $this->galleryReference = $galleryReference; } /** * @return GalleryReference */ public function getGalleryReference() { return $this->galleryReference; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param string */ public function setTemplateData($templateData) { $this->templateData = $templateData; } /** * @return string */ public function getTemplateData() { return $this->templateData; } /** * @param string */ public function setTemplateId($templateId) { $this->templateId = $templateId; } /** * @return string */ public function getTemplateId() { return $this->templateId; } /** * @param string */ public function setWorkspaceId($workspaceId) { $this->workspaceId = $workspaceId; } /** * @return string */ public function getWorkspaceId() { return $this->workspaceId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\CustomTemplate::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_CustomTemplate'); google/apiclient-services/src/TagManager/RevertZoneResponse.php 0000644 00000002602 15054470473 0020752 0 ustar 00 zone = $zone; } /** * @return Zone */ public function getZone() { return $this->zone; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertZoneResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_RevertZoneResponse'); google/apiclient-services/src/TagManager/ListContainersResponse.php 0000644 00000003424 15054470473 0021613 0 ustar 00 container = $container; } /** * @return Container[] */ public function getContainer() { return $this->container; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListContainersResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListContainersResponse'); google/apiclient-services/src/TagManager/ListTagsResponse.php 0000644 00000003272 15054470473 0020405 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param Tag[] */ public function setTag($tag) { $this->tag = $tag; } /** * @return Tag[] */ public function getTag() { return $this->tag; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListTagsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListTagsResponse'); google/apiclient-services/src/TagManager/Resource/AccountsContainersWorkspaces.php 0000644 00000022155 15054470473 0024573 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $workspaces = $tagmanagerService->workspaces; * */ class AccountsContainersWorkspaces extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a Workspace. (workspaces.create) * * @param string $parent GTM parent Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param Workspace $postBody * @param array $optParams Optional parameters. * @return Workspace */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Workspace $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Workspace::class); } /** * Creates a Container Version from the entities present in the workspace, * deletes the workspace, and sets the base container version to the newly * created version. (workspaces.create_version) * * @param string $path GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param CreateContainerVersionRequestVersionOptions $postBody * @param array $optParams Optional parameters. * @return CreateContainerVersionResponse */ public function create_version($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\CreateContainerVersionRequestVersionOptions $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create_version', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\CreateContainerVersionResponse::class); } /** * Deletes a Workspace. (workspaces.delete) * * @param string $path GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a Workspace. (workspaces.get) * * @param string $path GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * @return Workspace */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Workspace::class); } /** * Finds conflicting and modified entities in the workspace. * (workspaces.getStatus) * * @param string $path GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * @return GetWorkspaceStatusResponse */ public function getStatus($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('getStatus', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\GetWorkspaceStatusResponse::class); } /** * Lists all Workspaces that belong to a GTM Container. * (workspaces.listAccountsContainersWorkspaces) * * @param string $parent GTM parent Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListWorkspacesResponse */ public function listAccountsContainersWorkspaces($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListWorkspacesResponse::class); } /** * Quick previews a workspace by creating a fake container version from all * entities in the provided workspace. (workspaces.quick_preview) * * @param string $path GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * @return QuickPreviewResponse */ public function quick_preview($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('quick_preview', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\QuickPreviewResponse::class); } /** * Resolves a merge conflict for a workspace entity by updating it to the * resolved entity passed in the request. (workspaces.resolve_conflict) * * @param string $path GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param Entity $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the entity_in_workspace in the merge conflict. */ public function resolve_conflict($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Entity $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('resolve_conflict', [$params]); } /** * Syncs a workspace to the latest container version by updating all unmodified * workspace entities and displaying conflicts for modified entities. * (workspaces.sync) * * @param string $path GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * @return SyncWorkspaceResponse */ public function sync($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('sync', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\SyncWorkspaceResponse::class); } /** * Updates a Workspace. (workspaces.update) * * @param string $path GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param Workspace $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the workspace in storage. * @return Workspace */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Workspace $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Workspace::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspaces::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersWorkspaces'); google/apiclient-services/src/TagManager/Resource/AccountsContainersWorkspacesFolders.php 0000644 00000016406 15054470473 0026114 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $folders = $tagmanagerService->folders; * */ class AccountsContainersWorkspacesFolders extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a GTM Folder. (folders.create) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param Folder $postBody * @param array $optParams Optional parameters. * @return Folder */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Folder $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Folder::class); } /** * Deletes a GTM Folder. (folders.delete) * * @param string $path GTM Folder's API relative path. Example: accounts/{accoun * t_id}/containers/{container_id}/workspaces/{workspace_id}/folders/{folder_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * List all entities in a GTM Folder. (folders.entities) * * @param string $path GTM Folder's API relative path. Example: accounts/{accoun * t_id}/containers/{container_id}/workspaces/{workspace_id}/folders/{folder_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return FolderEntities */ public function entities($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('entities', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\FolderEntities::class); } /** * Gets a GTM Folder. (folders.get) * * @param string $path GTM Folder's API relative path. Example: accounts/{accoun * t_id}/containers/{container_id}/workspaces/{workspace_id}/folders/{folder_id} * @param array $optParams Optional parameters. * @return Folder */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Folder::class); } /** * Lists all GTM Folders of a Container. * (folders.listAccountsContainersWorkspacesFolders) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListFoldersResponse */ public function listAccountsContainersWorkspacesFolders($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListFoldersResponse::class); } /** * Moves entities to a GTM Folder. (folders.move_entities_to_folder) * * @param string $path GTM Folder's API relative path. Example: accounts/{accoun * t_id}/containers/{container_id}/workspaces/{workspace_id}/folders/{folder_id} * @param Folder $postBody * @param array $optParams Optional parameters. * * @opt_param string tagId The tags to be moved to the folder. * @opt_param string triggerId The triggers to be moved to the folder. * @opt_param string variableId The variables to be moved to the folder. */ public function move_entities_to_folder($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Folder $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('move_entities_to_folder', [$params]); } /** * Reverts changes to a GTM Folder in a GTM Workspace. (folders.revert) * * @param string $path GTM Folder's API relative path. Example: accounts/{accoun * t_id}/containers/{container_id}/workspaces/{workspace_id}/folders/{folder_id} * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the tag in storage. * @return RevertFolderResponse */ public function revert($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('revert', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertFolderResponse::class); } /** * Updates a GTM Folder. (folders.update) * * @param string $path GTM Folder's API relative path. Example: accounts/{accoun * t_id}/containers/{container_id}/workspaces/{workspace_id}/folders/{folder_id} * @param Folder $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the folder in storage. * @return Folder */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Folder $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Folder::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesFolders::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersWorkspacesFolders'); google/apiclient-services/src/TagManager/Resource/AccountsContainersWorkspacesTriggers.php 0000644 00000013253 15054470473 0026301 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $triggers = $tagmanagerService->triggers; * */ class AccountsContainersWorkspacesTriggers extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a GTM Trigger. (triggers.create) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param Trigger $postBody * @param array $optParams Optional parameters. * @return Trigger */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Trigger $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Trigger::class); } /** * Deletes a GTM Trigger. (triggers.delete) * * @param string $path GTM Trigger's API relative path. Example: accounts/{accou * nt_id}/containers/{container_id}/workspaces/{workspace_id}/triggers/{trigger_ * id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a GTM Trigger. (triggers.get) * * @param string $path GTM Trigger's API relative path. Example: accounts/{accou * nt_id}/containers/{container_id}/workspaces/{workspace_id}/triggers/{trigger_ * id} * @param array $optParams Optional parameters. * @return Trigger */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Trigger::class); } /** * Lists all GTM Triggers of a Container. * (triggers.listAccountsContainersWorkspacesTriggers) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListTriggersResponse */ public function listAccountsContainersWorkspacesTriggers($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListTriggersResponse::class); } /** * Reverts changes to a GTM Trigger in a GTM Workspace. (triggers.revert) * * @param string $path GTM Trigger's API relative path. Example: accounts/{accou * nt_id}/containers/{container_id}/workspaces/{workspace_id}/triggers/{trigger_ * id} * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the trigger in storage. * @return RevertTriggerResponse */ public function revert($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('revert', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertTriggerResponse::class); } /** * Updates a GTM Trigger. (triggers.update) * * @param string $path GTM Trigger's API relative path. Example: accounts/{accou * nt_id}/containers/{container_id}/workspaces/{workspace_id}/triggers/{trigger_ * id} * @param Trigger $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the trigger in storage. * @return Trigger */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Trigger $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Trigger::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesTriggers::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersWorkspacesTriggers'); google/apiclient-services/src/TagManager/Resource/AccountsContainersWorkspacesTags.php 0000644 00000012676 15054470473 0025421 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $tags = $tagmanagerService->tags; * */ class AccountsContainersWorkspacesTags extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a GTM Tag. (tags.create) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param Tag $postBody * @param array $optParams Optional parameters. * @return Tag */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Tag $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Tag::class); } /** * Deletes a GTM Tag. (tags.delete) * * @param string $path GTM Tag's API relative path. Example: accounts/{account_i * d}/containers/{container_id}/workspaces/{workspace_id}/tags/{tag_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a GTM Tag. (tags.get) * * @param string $path GTM Tag's API relative path. Example: accounts/{account_i * d}/containers/{container_id}/workspaces/{workspace_id}/tags/{tag_id} * @param array $optParams Optional parameters. * @return Tag */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Tag::class); } /** * Lists all GTM Tags of a Container. * (tags.listAccountsContainersWorkspacesTags) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListTagsResponse */ public function listAccountsContainersWorkspacesTags($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListTagsResponse::class); } /** * Reverts changes to a GTM Tag in a GTM Workspace. (tags.revert) * * @param string $path GTM Tag's API relative path. Example: accounts/{account_i * d}/containers/{container_id}/workspaces/{workspace_id}/tags/{tag_id} * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of thetag in storage. * @return RevertTagResponse */ public function revert($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('revert', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertTagResponse::class); } /** * Updates a GTM Tag. (tags.update) * * @param string $path GTM Tag's API relative path. Example: accounts/{account_i * d}/containers/{container_id}/workspaces/{workspace_id}/tags/{tag_id} * @param Tag $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the tag in storage. * @return Tag */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Tag $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Tag::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesTags::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersWorkspacesTags'); google/apiclient-services/src/TagManager/Resource/AccountsContainersWorkspacesTemplates.php 0000644 00000013522 15054470473 0026450 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $templates = $tagmanagerService->templates; * */ class AccountsContainersWorkspacesTemplates extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a GTM Custom Template. (templates.create) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param CustomTemplate $postBody * @param array $optParams Optional parameters. * @return CustomTemplate */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\CustomTemplate $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\CustomTemplate::class); } /** * Deletes a GTM Template. (templates.delete) * * @param string $path GTM Custom Template's API relative path. Example: account * s/{account_id}/containers/{container_id}/workspaces/{workspace_id}/templates/ * {template_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a GTM Template. (templates.get) * * @param string $path GTM Custom Template's API relative path. Example: account * s/{account_id}/containers/{container_id}/workspaces/{workspace_id}/templates/ * {template_id} * @param array $optParams Optional parameters. * @return CustomTemplate */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\CustomTemplate::class); } /** * Lists all GTM Templates of a GTM container workspace. * (templates.listAccountsContainersWorkspacesTemplates) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListTemplatesResponse */ public function listAccountsContainersWorkspacesTemplates($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListTemplatesResponse::class); } /** * Reverts changes to a GTM Template in a GTM Workspace. (templates.revert) * * @param string $path GTM Custom Template's API relative path. Example: account * s/{account_id}/containers/{container_id}/workspaces/{workspace_id}/templates/ * {template_id} * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the template in storage. * @return RevertTemplateResponse */ public function revert($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('revert', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertTemplateResponse::class); } /** * Updates a GTM Template. (templates.update) * * @param string $path GTM Custom Template's API relative path. Example: account * s/{account_id}/containers/{container_id}/workspaces/{workspace_id}/templates/ * {template_id} * @param CustomTemplate $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the templates in storage. * @return CustomTemplate */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\CustomTemplate $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\CustomTemplate::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesTemplates::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersWorkspacesTemplates'); google/apiclient-services/src/TagManager/Resource/AccountsContainersWorkspacesBuiltInVariables.php 0000644 00000011052 15054470473 0027705 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $built_in_variables = $tagmanagerService->built_in_variables; * */ class AccountsContainersWorkspacesBuiltInVariables extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates one or more GTM Built-In Variables. (built_in_variables.create) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * * @opt_param string type The types of built-in variables to enable. * @return CreateBuiltInVariableResponse */ public function create($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\CreateBuiltInVariableResponse::class); } /** * Deletes one or more GTM Built-In Variables. (built_in_variables.delete) * * @param string $path GTM BuiltInVariable's API relative path. Example: account * s/{account_id}/containers/{container_id}/workspaces/{workspace_id}/built_in_v * ariables * @param array $optParams Optional parameters. * * @opt_param string type The types of built-in variables to delete. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Lists all the enabled Built-In Variables of a GTM Container. * (built_in_variables.listAccountsContainersWorkspacesBuiltInVariables) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListEnabledBuiltInVariablesResponse */ public function listAccountsContainersWorkspacesBuiltInVariables($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListEnabledBuiltInVariablesResponse::class); } /** * Reverts changes to a GTM Built-In Variables in a GTM Workspace. * (built_in_variables.revert) * * @param string $path GTM BuiltInVariable's API relative path. Example: account * s/{account_id}/containers/{container_id}/workspaces/{workspace_id}/built_in_v * ariables * @param array $optParams Optional parameters. * * @opt_param string type The type of built-in variable to revert. * @return RevertBuiltInVariableResponse */ public function revert($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('revert', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertBuiltInVariableResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesBuiltInVariables::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersWorkspacesBuiltInVariables'); google/apiclient-services/src/TagManager/Resource/AccountsContainersWorkspacesGtagConfig.php 0000644 00000011702 15054470473 0026520 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $gtag_config = $tagmanagerService->gtag_config; * */ class AccountsContainersWorkspacesGtagConfig extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a Google tag config. (gtag_config.create) * * @param string $parent Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param GtagConfig $postBody * @param array $optParams Optional parameters. * @return GtagConfig */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\GtagConfig $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\GtagConfig::class); } /** * Deletes a Google tag config. (gtag_config.delete) * * @param string $path Google tag config's API relative path. Example: accounts/ * {account_id}/containers/{container_id}/workspaces/{workspace_id}/gtag_config/ * {gtag_config_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a Google tag config. (gtag_config.get) * * @param string $path Google tag config's API relative path. Example: accounts/ * {account_id}/containers/{container_id}/workspaces/{workspace_id}/gtag_config/ * {gtag_config_id} * @param array $optParams Optional parameters. * @return GtagConfig */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\GtagConfig::class); } /** * Lists all Google tag configs in a Container. * (gtag_config.listAccountsContainersWorkspacesGtagConfig) * * @param string $parent Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListGtagConfigResponse */ public function listAccountsContainersWorkspacesGtagConfig($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListGtagConfigResponse::class); } /** * Updates a Google tag config. (gtag_config.update) * * @param string $path Google tag config's API relative path. Example: accounts/ * {account_id}/containers/{container_id}/workspaces/{workspace_id}/gtag_config/ * {gtag_config_id} * @param GtagConfig $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the config in storage. * @return GtagConfig */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\GtagConfig $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\GtagConfig::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesGtagConfig::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersWorkspacesGtagConfig'); google/apiclient-services/src/TagManager/Resource/AccountsContainersWorkspacesZones.php 0000644 00000013000 15054470473 0025577 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $zones = $tagmanagerService->zones; * */ class AccountsContainersWorkspacesZones extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a GTM Zone. (zones.create) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param Zone $postBody * @param array $optParams Optional parameters. * @return Zone */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Zone $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Zone::class); } /** * Deletes a GTM Zone. (zones.delete) * * @param string $path GTM Zone's API relative path. Example: accounts/{account_ * id}/containers/{container_id}/workspaces/{workspace_id}/zones/{zone_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a GTM Zone. (zones.get) * * @param string $path GTM Zone's API relative path. Example: accounts/{account_ * id}/containers/{container_id}/workspaces/{workspace_id}/zones/{zone_id} * @param array $optParams Optional parameters. * @return Zone */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Zone::class); } /** * Lists all GTM Zones of a GTM container workspace. * (zones.listAccountsContainersWorkspacesZones) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListZonesResponse */ public function listAccountsContainersWorkspacesZones($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListZonesResponse::class); } /** * Reverts changes to a GTM Zone in a GTM Workspace. (zones.revert) * * @param string $path GTM Zone's API relative path. Example: accounts/{account_ * id}/containers/{container_id}/workspaces/{workspace_id}/zones/{zone_id} * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the zone in storage. * @return RevertZoneResponse */ public function revert($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('revert', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertZoneResponse::class); } /** * Updates a GTM Zone. (zones.update) * * @param string $path GTM Zone's API relative path. Example: accounts/{account_ * id}/containers/{container_id}/workspaces/{workspace_id}/zones/{zone_id} * @param Zone $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the zone in storage. * @return Zone */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Zone $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Zone::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesZones::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersWorkspacesZones'); google/apiclient-services/src/TagManager/Resource/AccountsContainersWorkspacesVariables.php 0000644 00000013336 15054470473 0026425 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $variables = $tagmanagerService->variables; * */ class AccountsContainersWorkspacesVariables extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a GTM Variable. (variables.create) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param Variable $postBody * @param array $optParams Optional parameters. * @return Variable */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Variable $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Variable::class); } /** * Deletes a GTM Variable. (variables.delete) * * @param string $path GTM Variable's API relative path. Example: accounts/{acco * unt_id}/containers/{container_id}/workspaces/{workspace_id}/variables/{variab * le_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a GTM Variable. (variables.get) * * @param string $path GTM Variable's API relative path. Example: accounts/{acco * unt_id}/containers/{container_id}/workspaces/{workspace_id}/variables/{variab * le_id} * @param array $optParams Optional parameters. * @return Variable */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Variable::class); } /** * Lists all GTM Variables of a Container. * (variables.listAccountsContainersWorkspacesVariables) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListVariablesResponse */ public function listAccountsContainersWorkspacesVariables($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListVariablesResponse::class); } /** * Reverts changes to a GTM Variable in a GTM Workspace. (variables.revert) * * @param string $path GTM Variable's API relative path. Example: accounts/{acco * unt_id}/containers/{container_id}/workspaces/{workspace_id}/variables/{variab * le_id} * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the variable in storage. * @return RevertVariableResponse */ public function revert($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('revert', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertVariableResponse::class); } /** * Updates a GTM Variable. (variables.update) * * @param string $path GTM Variable's API relative path. Example: accounts/{acco * unt_id}/containers/{container_id}/workspaces/{workspace_id}/variables/{variab * le_id} * @param Variable $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the variable in storage. * @return Variable */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Variable $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Variable::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesVariables::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersWorkspacesVariables'); google/apiclient-services/src/TagManager/Resource/AccountsContainersWorkspacesClients.php 0000644 00000013146 15054470473 0026115 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $clients = $tagmanagerService->clients; * */ class AccountsContainersWorkspacesClients extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a GTM Client. (clients.create) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param Client $postBody * @param array $optParams Optional parameters. * @return Client */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Client $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Client::class); } /** * Deletes a GTM Client. (clients.delete) * * @param string $path GTM Client's API relative path. Example: accounts/{accoun * t_id}/containers/{container_id}/workspaces/{workspace_id}/clients/{client_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a GTM Client. (clients.get) * * @param string $path GTM Client's API relative path. Example: accounts/{accoun * t_id}/containers/{container_id}/workspaces/{workspace_id}/clients/{client_id} * @param array $optParams Optional parameters. * @return Client */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Client::class); } /** * Lists all GTM Clients of a GTM container workspace. * (clients.listAccountsContainersWorkspacesClients) * * @param string $parent GTM Workspace's API relative path. Example: * accounts/{account_id}/containers/{container_id}/workspaces/{workspace_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListClientsResponse */ public function listAccountsContainersWorkspacesClients($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListClientsResponse::class); } /** * Reverts changes to a GTM Client in a GTM Workspace. (clients.revert) * * @param string $path GTM Client's API relative path. Example: accounts/{accoun * t_id}/containers/{container_id}/workspaces/{workspace_id}/clients/{client_id} * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the client in storage. * @return RevertClientResponse */ public function revert($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('revert', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertClientResponse::class); } /** * Updates a GTM Client. (clients.update) * * @param string $path GTM Client's API relative path. Example: accounts/{accoun * t_id}/containers/{container_id}/workspaces/{workspace_id}/clients/{client_id} * @param Client $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the client in storage. * @return Client */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Client $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Client::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesClients::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersWorkspacesClients'); google/apiclient-services/src/TagManager/Resource/AccountsUserPermissions.php 0000644 00000011420 15054470473 0023567 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $user_permissions = $tagmanagerService->user_permissions; * */ class AccountsUserPermissions extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a user's Account & Container access. (user_permissions.create) * * @param string $parent GTM Account's API relative path. Example: * accounts/{account_id} * @param UserPermission $postBody * @param array $optParams Optional parameters. * @return UserPermission */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\UserPermission $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\UserPermission::class); } /** * Removes a user from the account, revoking access to it and all of its * containers. (user_permissions.delete) * * @param string $path GTM UserPermission's API relative path. Example: * accounts/{account_id}/user_permissions/{user_permission_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a user's Account & Container access. (user_permissions.get) * * @param string $path GTM UserPermission's API relative path. Example: * accounts/{account_id}/user_permissions/{user_permission_id} * @param array $optParams Optional parameters. * @return UserPermission */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\UserPermission::class); } /** * List all users that have access to the account along with Account and * Container user access granted to each of them. * (user_permissions.listAccountsUserPermissions) * * @param string $parent GTM Account's API relative path. Example: * accounts/{account_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListUserPermissionsResponse */ public function listAccountsUserPermissions($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListUserPermissionsResponse::class); } /** * Updates a user's Account & Container access. (user_permissions.update) * * @param string $path GTM UserPermission's API relative path. Example: * accounts/{account_id}/user_permissions/{user_permission_id} * @param UserPermission $postBody * @param array $optParams Optional parameters. * @return UserPermission */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\UserPermission $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\UserPermission::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsUserPermissions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsUserPermissions'); google/apiclient-services/src/TagManager/Resource/AccountsContainersEnvironments.php 0000644 00000013056 15054470473 0025141 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $environments = $tagmanagerService->environments; * */ class AccountsContainersEnvironments extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a GTM Environment. (environments.create) * * @param string $parent GTM Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param Environment $postBody * @param array $optParams Optional parameters. * @return Environment */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Environment $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Environment::class); } /** * Deletes a GTM Environment. (environments.delete) * * @param string $path GTM Environment's API relative path. Example: * accounts/{account_id}/containers/{container_id}/environments/{environment_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a GTM Environment. (environments.get) * * @param string $path GTM Environment's API relative path. Example: * accounts/{account_id}/containers/{container_id}/environments/{environment_id} * @param array $optParams Optional parameters. * @return Environment */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Environment::class); } /** * Lists all GTM Environments of a GTM Container. * (environments.listAccountsContainersEnvironments) * * @param string $parent GTM Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListEnvironmentsResponse */ public function listAccountsContainersEnvironments($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListEnvironmentsResponse::class); } /** * Re-generates the authorization code for a GTM Environment. * (environments.reauthorize) * * @param string $path GTM Environment's API relative path. Example: * accounts/{account_id}/containers/{container_id}/environments/{environment_id} * @param Environment $postBody * @param array $optParams Optional parameters. * @return Environment */ public function reauthorize($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Environment $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('reauthorize', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Environment::class); } /** * Updates a GTM Environment. (environments.update) * * @param string $path GTM Environment's API relative path. Example: * accounts/{account_id}/containers/{container_id}/environments/{environment_id} * @param Environment $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the environment in storage. * @return Environment */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Environment $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Environment::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersEnvironments::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersEnvironments'); google/apiclient-services/src/TagManager/Resource/AccountsContainersDestinations.php 0000644 00000007226 15054470473 0025120 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $destinations = $tagmanagerService->destinations; * */ class AccountsContainersDestinations extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Gets a Destination. (destinations.get) * * @param string $path Google Tag Destination's API relative path. Example: acco * unts/{account_id}/containers/{container_id}/destinations/{destination_link_id * } * @param array $optParams Optional parameters. * @return Destination */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Destination::class); } /** * Adds a Destination to this Container and removes it from the Container to * which it is currently linked. (destinations.link) * * @param string $parent GTM parent Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param array $optParams Optional parameters. * * @opt_param bool allowUserPermissionFeatureUpdate Must be set to true to allow * features.user_permissions to change from false to true. If this operation * causes an update but this bit is false, the operation will fail. * @opt_param string destinationId Destination ID to be linked to the current * container. * @return Destination */ public function link($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('link', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Destination::class); } /** * Lists all Destinations linked to a GTM Container. * (destinations.listAccountsContainersDestinations) * * @param string $parent GTM parent Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param array $optParams Optional parameters. * @return ListDestinationsResponse */ public function listAccountsContainersDestinations($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListDestinationsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersDestinations::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersDestinations'); google/apiclient-services/src/TagManager/Resource/AccountsContainers.php 0000644 00000020220 15054470473 0022520 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $containers = $tagmanagerService->containers; * */ class AccountsContainers extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Combines Containers. (containers.combine) * * @param string $path GTM Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param array $optParams Optional parameters. * * @opt_param bool allowUserPermissionFeatureUpdate Must be set to true to allow * features.user_permissions to change from false to true. If this operation * causes an update but this bit is false, the operation will fail. * @opt_param string containerId ID of container that will be merged into the * current container. * @opt_param string settingSource Specify the source of config setting after * combine * @return Container */ public function combine($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('combine', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Container::class); } /** * Creates a Container. (containers.create) * * @param string $parent GTM Account's API relative path. Example: * accounts/{account_id}. * @param Container $postBody * @param array $optParams Optional parameters. * @return Container */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Container $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Container::class); } /** * Deletes a Container. (containers.delete) * * @param string $path GTM Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a Container. (containers.get) * * @param string $path GTM Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param array $optParams Optional parameters. * @return Container */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Container::class); } /** * Lists all Containers that belongs to a GTM Account. * (containers.listAccountsContainers) * * @param string $parent GTM Account's API relative path. Example: * accounts/{account_id}. * @param array $optParams Optional parameters. * * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListContainersResponse */ public function listAccountsContainers($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListContainersResponse::class); } /** * Looks up a Container by destination ID. (containers.lookup) * * @param array $optParams Optional parameters. * * @opt_param string destinationId Destination ID linked to a GTM Container, * e.g. AW-123456789. Example: * accounts/containers:lookup?destination_id={destination_id}. * @return Container */ public function lookup($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('lookup', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Container::class); } /** * Move Tag ID out of a Container. (containers.move_tag_id) * * @param string $path GTM Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param array $optParams Optional parameters. * * @opt_param bool allowUserPermissionFeatureUpdate Must be set to true to allow * features.user_permissions to change from false to true. If this operation * causes an update but this bit is false, the operation will fail. * @opt_param bool copySettings Whether or not to copy tag settings from this * tag to the new tag. * @opt_param bool copyTermsOfService Must be set to true to accept all terms of * service agreements copied from the current tag to the newly created tag. If * this bit is false, the operation will fail. * @opt_param bool copyUsers Whether or not to copy users from this tag to the * new tag. * @opt_param string tagId Tag ID to be removed from the current Container. * @opt_param string tagName The name for the newly created tag. * @return Container */ public function move_tag_id($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('move_tag_id', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Container::class); } /** * Gets the tagging snippet for a Container. (containers.snippet) * * @param string $path Container snippet's API relative path. Example: * accounts/{account_id}/containers/{container_id}:snippet * @param array $optParams Optional parameters. * @return GetContainerSnippetResponse */ public function snippet($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('snippet', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\GetContainerSnippetResponse::class); } /** * Updates a Container. (containers.update) * * @param string $path GTM Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param Container $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the container in storage. * @return Container */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Container $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Container::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainers::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainers'); google/apiclient-services/src/TagManager/Resource/AccountsContainersVersions.php 0000644 00000014120 15054470473 0024253 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $versions = $tagmanagerService->versions; * */ class AccountsContainersVersions extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Deletes a Container Version. (versions.delete) * * @param string $path GTM ContainerVersion's API relative path. Example: * accounts/{account_id}/containers/{container_id}/versions/{version_id} * @param array $optParams Optional parameters. */ public function delete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a Container Version. (versions.get) * * @param string $path GTM ContainerVersion's API relative path. Example: * accounts/{account_id}/containers/{container_id}/versions/{version_id} * @param array $optParams Optional parameters. * * @opt_param string containerVersionId The GTM ContainerVersion ID. Specify * published to retrieve the currently published version. * @return ContainerVersion */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersion::class); } /** * Gets the live (i.e. published) container version (versions.live) * * @param string $parent GTM Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param array $optParams Optional parameters. * @return ContainerVersion */ public function live($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('live', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersion::class); } /** * Publishes a Container Version. (versions.publish) * * @param string $path GTM ContainerVersion's API relative path. Example: * accounts/{account_id}/containers/{container_id}/versions/{version_id} * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the container version in storage. * @return PublishContainerVersionResponse */ public function publish($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('publish', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\PublishContainerVersionResponse::class); } /** * Sets the latest version used for synchronization of workspaces when detecting * conflicts and errors. (versions.set_latest) * * @param string $path GTM ContainerVersion's API relative path. Example: * accounts/{account_id}/containers/{container_id}/versions/{version_id} * @param array $optParams Optional parameters. * @return ContainerVersion */ public function set_latest($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('set_latest', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersion::class); } /** * Undeletes a Container Version. (versions.undelete) * * @param string $path GTM ContainerVersion's API relative path. Example: * accounts/{account_id}/containers/{container_id}/versions/{version_id} * @param array $optParams Optional parameters. * @return ContainerVersion */ public function undelete($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('undelete', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersion::class); } /** * Updates a Container Version. (versions.update) * * @param string $path GTM ContainerVersion's API relative path. Example: * accounts/{account_id}/containers/{container_id}/versions/{version_id} * @param ContainerVersion $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the container version in storage. * @return ContainerVersion */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersion $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersion::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersVersions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersVersions'); google/apiclient-services/src/TagManager/Resource/AccountsContainersVersionHeaders.php 0000644 00000005655 15054470473 0025401 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $version_headers = $tagmanagerService->version_headers; * */ class AccountsContainersVersionHeaders extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Gets the latest container version header (version_headers.latest) * * @param string $parent GTM Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param array $optParams Optional parameters. * @return ContainerVersionHeader */ public function latest($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('latest', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersionHeader::class); } /** * Lists all Container Versions of a GTM Container. * (version_headers.listAccountsContainersVersionHeaders) * * @param string $parent GTM Container's API relative path. Example: * accounts/{account_id}/containers/{container_id} * @param array $optParams Optional parameters. * * @opt_param bool includeDeleted Also retrieve deleted (archived) versions when * true. * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListContainerVersionsResponse */ public function listAccountsContainersVersionHeaders($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListContainerVersionsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersVersionHeaders::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_AccountsContainersVersionHeaders'); google/apiclient-services/src/TagManager/Resource/Accounts.php 0000644 00000006404 15054470473 0020502 0 ustar 00 * $tagmanagerService = new Google\Service\TagManager(...); * $accounts = $tagmanagerService->accounts; * */ class Accounts extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Gets a GTM Account. (accounts.get) * * @param string $path GTM Account's API relative path. Example: * accounts/{account_id} * @param array $optParams Optional parameters. * @return Account */ public function get($path, $optParams = []) { $params = ['path' => $path]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Account::class); } /** * Lists all GTM Accounts that a user has access to. (accounts.listAccounts) * * @param array $optParams Optional parameters. * * @opt_param bool includeGoogleTags Also retrieve accounts associated with * Google Tag when true. * @opt_param string pageToken Continuation token for fetching the next page of * results. * @return ListAccountsResponse */ public function listAccounts($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\ListAccountsResponse::class); } /** * Updates a GTM Account. (accounts.update) * * @param string $path GTM Account's API relative path. Example: * accounts/{account_id} * @param Account $postBody * @param array $optParams Optional parameters. * * @opt_param string fingerprint When provided, this fingerprint must match the * fingerprint of the account in storage. * @return Account */ public function update($path, \Google\Site_Kit_Dependencies\Google\Service\TagManager\Account $postBody, $optParams = []) { $params = ['path' => $path, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\TagManager\Account::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\Accounts::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Resource_Accounts'); google/apiclient-services/src/TagManager/ListEnabledBuiltInVariablesResponse.php 0000644 00000003603 15054470473 0024157 0 ustar 00 builtInVariable = $builtInVariable; } /** * @return BuiltInVariable[] */ public function getBuiltInVariable() { return $this->builtInVariable; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListEnabledBuiltInVariablesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListEnabledBuiltInVariablesResponse'); google/apiclient-services/src/TagManager/Environment.php 0000644 00000013250 15054470473 0017435 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setAuthorizationCode($authorizationCode) { $this->authorizationCode = $authorizationCode; } /** * @return string */ public function getAuthorizationCode() { return $this->authorizationCode; } /** * @param string */ public function setAuthorizationTimestamp($authorizationTimestamp) { $this->authorizationTimestamp = $authorizationTimestamp; } /** * @return string */ public function getAuthorizationTimestamp() { return $this->authorizationTimestamp; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setContainerVersionId($containerVersionId) { $this->containerVersionId = $containerVersionId; } /** * @return string */ public function getContainerVersionId() { return $this->containerVersionId; } /** * @param string */ public function setDescription($description) { $this->description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param bool */ public function setEnableDebug($enableDebug) { $this->enableDebug = $enableDebug; } /** * @return bool */ public function getEnableDebug() { return $this->enableDebug; } /** * @param string */ public function setEnvironmentId($environmentId) { $this->environmentId = $environmentId; } /** * @return string */ public function getEnvironmentId() { return $this->environmentId; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUrl($url) { $this->url = $url; } /** * @return string */ public function getUrl() { return $this->url; } /** * @param string */ public function setWorkspaceId($workspaceId) { $this->workspaceId = $workspaceId; } /** * @return string */ public function getWorkspaceId() { return $this->workspaceId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Environment::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Environment'); google/apiclient-services/src/TagManager/SetupTag.php 0000644 00000003142 15054470473 0016664 0 ustar 00 stopOnSetupFailure = $stopOnSetupFailure; } /** * @return bool */ public function getStopOnSetupFailure() { return $this->stopOnSetupFailure; } /** * @param string */ public function setTagName($tagName) { $this->tagName = $tagName; } /** * @return string */ public function getTagName() { return $this->tagName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\SetupTag::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_SetupTag'); google/apiclient-services/src/TagManager/TagConsentSetting.php 0000644 00000003434 15054470473 0020537 0 ustar 00 consentStatus = $consentStatus; } /** * @return string */ public function getConsentStatus() { return $this->consentStatus; } /** * @param Parameter */ public function setConsentType(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $consentType) { $this->consentType = $consentType; } /** * @return Parameter */ public function getConsentType() { return $this->consentType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\TagConsentSetting::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_TagConsentSetting'); google/apiclient-services/src/TagManager/VariableFormatValue.php 0000644 00000006776 15054470473 0021043 0 ustar 00 caseConversionType = $caseConversionType; } /** * @return string */ public function getCaseConversionType() { return $this->caseConversionType; } /** * @param Parameter */ public function setConvertFalseToValue(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $convertFalseToValue) { $this->convertFalseToValue = $convertFalseToValue; } /** * @return Parameter */ public function getConvertFalseToValue() { return $this->convertFalseToValue; } /** * @param Parameter */ public function setConvertNullToValue(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $convertNullToValue) { $this->convertNullToValue = $convertNullToValue; } /** * @return Parameter */ public function getConvertNullToValue() { return $this->convertNullToValue; } /** * @param Parameter */ public function setConvertTrueToValue(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $convertTrueToValue) { $this->convertTrueToValue = $convertTrueToValue; } /** * @return Parameter */ public function getConvertTrueToValue() { return $this->convertTrueToValue; } /** * @param Parameter */ public function setConvertUndefinedToValue(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter $convertUndefinedToValue) { $this->convertUndefinedToValue = $convertUndefinedToValue; } /** * @return Parameter */ public function getConvertUndefinedToValue() { return $this->convertUndefinedToValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\VariableFormatValue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_VariableFormatValue'); google/apiclient-services/src/TagManager/FolderEntities.php 0000644 00000004714 15054470473 0020056 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param Tag[] */ public function setTag($tag) { $this->tag = $tag; } /** * @return Tag[] */ public function getTag() { return $this->tag; } /** * @param Trigger[] */ public function setTrigger($trigger) { $this->trigger = $trigger; } /** * @return Trigger[] */ public function getTrigger() { return $this->trigger; } /** * @param Variable[] */ public function setVariable($variable) { $this->variable = $variable; } /** * @return Variable[] */ public function getVariable() { return $this->variable; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\FolderEntities::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_FolderEntities'); google/apiclient-services/src/TagManager/SyncStatus.php 0000644 00000003115 15054470473 0017250 0 ustar 00 mergeConflict = $mergeConflict; } /** * @return bool */ public function getMergeConflict() { return $this->mergeConflict; } /** * @param bool */ public function setSyncError($syncError) { $this->syncError = $syncError; } /** * @return bool */ public function getSyncError() { return $this->syncError; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\SyncStatus::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_SyncStatus'); google/apiclient-services/src/TagManager/RevertVariableResponse.php 0000644 00000002676 15054470473 0021577 0 ustar 00 variable = $variable; } /** * @return Variable */ public function getVariable() { return $this->variable; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertVariableResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_RevertVariableResponse'); google/apiclient-services/src/TagManager/ListTemplatesResponse.php 0000644 00000003427 15054470473 0021447 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param CustomTemplate[] */ public function setTemplate($template) { $this->template = $template; } /** * @return CustomTemplate[] */ public function getTemplate() { return $this->template; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListTemplatesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListTemplatesResponse'); google/apiclient-services/src/TagManager/ListFoldersResponse.php 0000644 00000003347 15054470473 0021110 0 ustar 00 folder = $folder; } /** * @return Folder[] */ public function getFolder() { return $this->folder; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListFoldersResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListFoldersResponse'); google/apiclient-services/src/TagManager/Account.php 0000644 00000006311 15054470473 0016525 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param AccountFeatures */ public function setFeatures(\Google\Site_Kit_Dependencies\Google\Service\TagManager\AccountFeatures $features) { $this->features = $features; } /** * @return AccountFeatures */ public function getFeatures() { return $this->features; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param bool */ public function setShareData($shareData) { $this->shareData = $shareData; } /** * @return bool */ public function getShareData() { return $this->shareData; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Account::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Account'); google/apiclient-services/src/TagManager/ContainerAccess.php 0000644 00000003141 15054470473 0020173 0 ustar 00 containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setPermission($permission) { $this->permission = $permission; } /** * @return string */ public function getPermission() { return $this->permission; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerAccess::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ContainerAccess'); google/apiclient-services/src/TagManager/GtagConfig.php 0000644 00000007534 15054470473 0017151 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param string */ public function setGtagConfigId($gtagConfigId) { $this->gtagConfigId = $gtagConfigId; } /** * @return string */ public function getGtagConfigId() { return $this->gtagConfigId; } /** * @param Parameter[] */ public function setParameter($parameter) { $this->parameter = $parameter; } /** * @return Parameter[] */ public function getParameter() { return $this->parameter; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setWorkspaceId($workspaceId) { $this->workspaceId = $workspaceId; } /** * @return string */ public function getWorkspaceId() { return $this->workspaceId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\GtagConfig::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_GtagConfig'); google/apiclient-services/src/TagManager/Variable.php 0000644 00000015163 15054470473 0016663 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string[] */ public function setDisablingTriggerId($disablingTriggerId) { $this->disablingTriggerId = $disablingTriggerId; } /** * @return string[] */ public function getDisablingTriggerId() { return $this->disablingTriggerId; } /** * @param string[] */ public function setEnablingTriggerId($enablingTriggerId) { $this->enablingTriggerId = $enablingTriggerId; } /** * @return string[] */ public function getEnablingTriggerId() { return $this->enablingTriggerId; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param VariableFormatValue */ public function setFormatValue(\Google\Site_Kit_Dependencies\Google\Service\TagManager\VariableFormatValue $formatValue) { $this->formatValue = $formatValue; } /** * @return VariableFormatValue */ public function getFormatValue() { return $this->formatValue; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setNotes($notes) { $this->notes = $notes; } /** * @return string */ public function getNotes() { return $this->notes; } /** * @param Parameter[] */ public function setParameter($parameter) { $this->parameter = $parameter; } /** * @return Parameter[] */ public function getParameter() { return $this->parameter; } /** * @param string */ public function setParentFolderId($parentFolderId) { $this->parentFolderId = $parentFolderId; } /** * @return string */ public function getParentFolderId() { return $this->parentFolderId; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param string */ public function setScheduleEndMs($scheduleEndMs) { $this->scheduleEndMs = $scheduleEndMs; } /** * @return string */ public function getScheduleEndMs() { return $this->scheduleEndMs; } /** * @param string */ public function setScheduleStartMs($scheduleStartMs) { $this->scheduleStartMs = $scheduleStartMs; } /** * @return string */ public function getScheduleStartMs() { return $this->scheduleStartMs; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setVariableId($variableId) { $this->variableId = $variableId; } /** * @return string */ public function getVariableId() { return $this->variableId; } /** * @param string */ public function setWorkspaceId($workspaceId) { $this->workspaceId = $workspaceId; } /** * @return string */ public function getWorkspaceId() { return $this->workspaceId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Variable::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Variable'); google/apiclient-services/src/TagManager/ListUserPermissionsResponse.php 0000644 00000003537 15054470473 0022665 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param UserPermission[] */ public function setUserPermission($userPermission) { $this->userPermission = $userPermission; } /** * @return UserPermission[] */ public function getUserPermission() { return $this->userPermission; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListUserPermissionsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListUserPermissionsResponse'); google/apiclient-services/src/TagManager/QuickPreviewResponse.php 0000644 00000004502 15054470473 0021266 0 ustar 00 compilerError = $compilerError; } /** * @return bool */ public function getCompilerError() { return $this->compilerError; } /** * @param ContainerVersion */ public function setContainerVersion(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersion $containerVersion) { $this->containerVersion = $containerVersion; } /** * @return ContainerVersion */ public function getContainerVersion() { return $this->containerVersion; } /** * @param SyncStatus */ public function setSyncStatus(\Google\Site_Kit_Dependencies\Google\Service\TagManager\SyncStatus $syncStatus) { $this->syncStatus = $syncStatus; } /** * @return SyncStatus */ public function getSyncStatus() { return $this->syncStatus; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\QuickPreviewResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_QuickPreviewResponse'); google/apiclient-services/src/TagManager/ListWorkspacesResponse.php 0000644 00000003424 15054470473 0021627 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param Workspace[] */ public function setWorkspace($workspace) { $this->workspace = $workspace; } /** * @return Workspace[] */ public function getWorkspace() { return $this->workspace; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListWorkspacesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListWorkspacesResponse'); google/apiclient-services/src/TagManager/Container.php 0000644 00000012222 15054470473 0017051 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string[] */ public function setDomainName($domainName) { $this->domainName = $domainName; } /** * @return string[] */ public function getDomainName() { return $this->domainName; } /** * @param ContainerFeatures */ public function setFeatures(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerFeatures $features) { $this->features = $features; } /** * @return ContainerFeatures */ public function getFeatures() { return $this->features; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setNotes($notes) { $this->notes = $notes; } /** * @return string */ public function getNotes() { return $this->notes; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param string */ public function setPublicId($publicId) { $this->publicId = $publicId; } /** * @return string */ public function getPublicId() { return $this->publicId; } /** * @param string[] */ public function setTagIds($tagIds) { $this->tagIds = $tagIds; } /** * @return string[] */ public function getTagIds() { return $this->tagIds; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param string[] */ public function setTaggingServerUrls($taggingServerUrls) { $this->taggingServerUrls = $taggingServerUrls; } /** * @return string[] */ public function getTaggingServerUrls() { return $this->taggingServerUrls; } /** * @param string[] */ public function setUsageContext($usageContext) { $this->usageContext = $usageContext; } /** * @return string[] */ public function getUsageContext() { return $this->usageContext; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Container::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Container'); google/apiclient-services/src/TagManager/RevertBuiltInVariableResponse.php 0000644 00000002455 15054470473 0023061 0 ustar 00 enabled = $enabled; } /** * @return bool */ public function getEnabled() { return $this->enabled; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertBuiltInVariableResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_RevertBuiltInVariableResponse'); google/apiclient-services/src/TagManager/ListDestinationsResponse.php 0000644 00000003462 15054470473 0022154 0 ustar 00 destination = $destination; } /** * @return Destination[] */ public function getDestination() { return $this->destination; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListDestinationsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListDestinationsResponse'); google/apiclient-services/src/TagManager/RevertClientResponse.php 0000644 00000002640 15054470473 0021257 0 ustar 00 client = $client; } /** * @return Client */ public function getClient() { return $this->client; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertClientResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_RevertClientResponse'); google/apiclient-services/src/TagManager/Parameter.php 0000644 00000005016 15054470473 0017052 0 ustar 00 key = $key; } /** * @return string */ public function getKey() { return $this->key; } /** * @param Parameter[] */ public function setList($list) { $this->list = $list; } /** * @return Parameter[] */ public function getList() { return $this->list; } /** * @param Parameter[] */ public function setMap($map) { $this->map = $map; } /** * @return Parameter[] */ public function getMap() { return $this->map; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Parameter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Parameter'); google/apiclient-services/src/TagManager/Entity.php 0000644 00000006574 15054470473 0016420 0 ustar 00 changeStatus = $changeStatus; } /** * @return string */ public function getChangeStatus() { return $this->changeStatus; } /** * @param Client */ public function setClient(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Client $client) { $this->client = $client; } /** * @return Client */ public function getClient() { return $this->client; } /** * @param Folder */ public function setFolder(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Folder $folder) { $this->folder = $folder; } /** * @return Folder */ public function getFolder() { return $this->folder; } /** * @param Tag */ public function setTag(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Tag $tag) { $this->tag = $tag; } /** * @return Tag */ public function getTag() { return $this->tag; } /** * @param Trigger */ public function setTrigger(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Trigger $trigger) { $this->trigger = $trigger; } /** * @return Trigger */ public function getTrigger() { return $this->trigger; } /** * @param Variable */ public function setVariable(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Variable $variable) { $this->variable = $variable; } /** * @return Variable */ public function getVariable() { return $this->variable; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Entity::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Entity'); google/apiclient-services/src/TagManager/ListAccountsResponse.php 0000644 00000003366 15054470473 0021272 0 ustar 00 account = $account; } /** * @return Account[] */ public function getAccount() { return $this->account; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListAccountsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListAccountsResponse'); google/apiclient-services/src/TagManager/RevertTriggerResponse.php 0000644 00000002657 15054470473 0021454 0 ustar 00 trigger = $trigger; } /** * @return Trigger */ public function getTrigger() { return $this->trigger; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\RevertTriggerResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_RevertTriggerResponse'); google/apiclient-services/src/TagManager/ListTriggersResponse.php 0000644 00000003366 15054470473 0021301 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param Trigger[] */ public function setTrigger($trigger) { $this->trigger = $trigger; } /** * @return Trigger[] */ public function getTrigger() { return $this->trigger; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListTriggersResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListTriggersResponse'); google/apiclient-services/src/TagManager/PublishContainerVersionResponse.php 0000644 00000003604 15054470473 0023471 0 ustar 00 compilerError = $compilerError; } /** * @return bool */ public function getCompilerError() { return $this->compilerError; } /** * @param ContainerVersion */ public function setContainerVersion(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersion $containerVersion) { $this->containerVersion = $containerVersion; } /** * @return ContainerVersion */ public function getContainerVersion() { return $this->containerVersion; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\PublishContainerVersionResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_PublishContainerVersionResponse'); google/apiclient-services/src/TagManager/GalleryReference.php 0000644 00000005336 15054470473 0020355 0 ustar 00 host = $host; } /** * @return string */ public function getHost() { return $this->host; } /** * @param bool */ public function setIsModified($isModified) { $this->isModified = $isModified; } /** * @return bool */ public function getIsModified() { return $this->isModified; } /** * @param string */ public function setOwner($owner) { $this->owner = $owner; } /** * @return string */ public function getOwner() { return $this->owner; } /** * @param string */ public function setRepository($repository) { $this->repository = $repository; } /** * @return string */ public function getRepository() { return $this->repository; } /** * @param string */ public function setSignature($signature) { $this->signature = $signature; } /** * @return string */ public function getSignature() { return $this->signature; } /** * @param string */ public function setVersion($version) { $this->version = $version; } /** * @return string */ public function getVersion() { return $this->version; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\GalleryReference::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_GalleryReference'); google/apiclient-services/src/TagManager/CreateContainerVersionResponse.php 0000644 00000005306 15054470473 0023267 0 ustar 00 compilerError = $compilerError; } /** * @return bool */ public function getCompilerError() { return $this->compilerError; } /** * @param ContainerVersion */ public function setContainerVersion(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerVersion $containerVersion) { $this->containerVersion = $containerVersion; } /** * @return ContainerVersion */ public function getContainerVersion() { return $this->containerVersion; } /** * @param string */ public function setNewWorkspacePath($newWorkspacePath) { $this->newWorkspacePath = $newWorkspacePath; } /** * @return string */ public function getNewWorkspacePath() { return $this->newWorkspacePath; } /** * @param SyncStatus */ public function setSyncStatus(\Google\Site_Kit_Dependencies\Google\Service\TagManager\SyncStatus $syncStatus) { $this->syncStatus = $syncStatus; } /** * @return SyncStatus */ public function getSyncStatus() { return $this->syncStatus; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\CreateContainerVersionResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_CreateContainerVersionResponse'); google/apiclient-services/src/TagManager/Folder.php 0000644 00000007201 15054470473 0016343 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param string */ public function setFolderId($folderId) { $this->folderId = $folderId; } /** * @return string */ public function getFolderId() { return $this->folderId; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setNotes($notes) { $this->notes = $notes; } /** * @return string */ public function getNotes() { return $this->notes; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param string */ public function setWorkspaceId($workspaceId) { $this->workspaceId = $workspaceId; } /** * @return string */ public function getWorkspaceId() { return $this->workspaceId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Folder::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Folder'); google/apiclient-services/src/TagManager/ZoneChildContainer.php 0000644 00000003107 15054470473 0020653 0 ustar 00 nickname = $nickname; } /** * @return string */ public function getNickname() { return $this->nickname; } /** * @param string */ public function setPublicId($publicId) { $this->publicId = $publicId; } /** * @return string */ public function getPublicId() { return $this->publicId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ZoneChildContainer::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ZoneChildContainer'); google/apiclient-services/src/TagManager/ContainerFeatures.php 0000644 00000012744 15054470473 0020561 0 ustar 00 supportBuiltInVariables = $supportBuiltInVariables; } /** * @return bool */ public function getSupportBuiltInVariables() { return $this->supportBuiltInVariables; } /** * @param bool */ public function setSupportClients($supportClients) { $this->supportClients = $supportClients; } /** * @return bool */ public function getSupportClients() { return $this->supportClients; } /** * @param bool */ public function setSupportEnvironments($supportEnvironments) { $this->supportEnvironments = $supportEnvironments; } /** * @return bool */ public function getSupportEnvironments() { return $this->supportEnvironments; } /** * @param bool */ public function setSupportFolders($supportFolders) { $this->supportFolders = $supportFolders; } /** * @return bool */ public function getSupportFolders() { return $this->supportFolders; } /** * @param bool */ public function setSupportGtagConfigs($supportGtagConfigs) { $this->supportGtagConfigs = $supportGtagConfigs; } /** * @return bool */ public function getSupportGtagConfigs() { return $this->supportGtagConfigs; } /** * @param bool */ public function setSupportTags($supportTags) { $this->supportTags = $supportTags; } /** * @return bool */ public function getSupportTags() { return $this->supportTags; } /** * @param bool */ public function setSupportTemplates($supportTemplates) { $this->supportTemplates = $supportTemplates; } /** * @return bool */ public function getSupportTemplates() { return $this->supportTemplates; } /** * @param bool */ public function setSupportTriggers($supportTriggers) { $this->supportTriggers = $supportTriggers; } /** * @return bool */ public function getSupportTriggers() { return $this->supportTriggers; } /** * @param bool */ public function setSupportUserPermissions($supportUserPermissions) { $this->supportUserPermissions = $supportUserPermissions; } /** * @return bool */ public function getSupportUserPermissions() { return $this->supportUserPermissions; } /** * @param bool */ public function setSupportVariables($supportVariables) { $this->supportVariables = $supportVariables; } /** * @return bool */ public function getSupportVariables() { return $this->supportVariables; } /** * @param bool */ public function setSupportVersions($supportVersions) { $this->supportVersions = $supportVersions; } /** * @return bool */ public function getSupportVersions() { return $this->supportVersions; } /** * @param bool */ public function setSupportWorkspaces($supportWorkspaces) { $this->supportWorkspaces = $supportWorkspaces; } /** * @return bool */ public function getSupportWorkspaces() { return $this->supportWorkspaces; } /** * @param bool */ public function setSupportZones($supportZones) { $this->supportZones = $supportZones; } /** * @return bool */ public function getSupportZones() { return $this->supportZones; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ContainerFeatures::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ContainerFeatures'); google/apiclient-services/src/TagManager/UserPermission.php 0000644 00000005607 15054470473 0020127 0 ustar 00 accountAccess = $accountAccess; } /** * @return AccountAccess */ public function getAccountAccess() { return $this->accountAccess; } /** * @param string */ public function setAccountId($accountId) { $this->accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param ContainerAccess[] */ public function setContainerAccess($containerAccess) { $this->containerAccess = $containerAccess; } /** * @return ContainerAccess[] */ public function getContainerAccess() { return $this->containerAccess; } /** * @param string */ public function setEmailAddress($emailAddress) { $this->emailAddress = $emailAddress; } /** * @return string */ public function getEmailAddress() { return $this->emailAddress; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\UserPermission::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_UserPermission'); google/apiclient-services/src/TagManager/CreateBuiltInVariableResponse.php 0000644 00000003040 15054470473 0023004 0 ustar 00 builtInVariable = $builtInVariable; } /** * @return BuiltInVariable[] */ public function getBuiltInVariable() { return $this->builtInVariable; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\CreateBuiltInVariableResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_CreateBuiltInVariableResponse'); google/apiclient-services/src/TagManager/TeardownTag.php 0000644 00000003200 15054470473 0017342 0 ustar 00 stopTeardownOnFailure = $stopTeardownOnFailure; } /** * @return bool */ public function getStopTeardownOnFailure() { return $this->stopTeardownOnFailure; } /** * @param string */ public function setTagName($tagName) { $this->tagName = $tagName; } /** * @return string */ public function getTagName() { return $this->tagName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\TeardownTag::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_TeardownTag'); google/apiclient-services/src/TagManager/AccountFeatures.php 0000644 00000003413 15054470473 0020224 0 ustar 00 supportMultipleContainers = $supportMultipleContainers; } /** * @return bool */ public function getSupportMultipleContainers() { return $this->supportMultipleContainers; } /** * @param bool */ public function setSupportUserPermissions($supportUserPermissions) { $this->supportUserPermissions = $supportUserPermissions; } /** * @return bool */ public function getSupportUserPermissions() { return $this->supportUserPermissions; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\AccountFeatures::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_AccountFeatures'); google/apiclient-services/src/TagManager/ZoneTypeRestriction.php 0000644 00000003265 15054470473 0021141 0 ustar 00 enable = $enable; } /** * @return bool */ public function getEnable() { return $this->enable; } /** * @param string[] */ public function setWhitelistedTypeId($whitelistedTypeId) { $this->whitelistedTypeId = $whitelistedTypeId; } /** * @return string[] */ public function getWhitelistedTypeId() { return $this->whitelistedTypeId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ZoneTypeRestriction::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ZoneTypeRestriction'); google/apiclient-services/src/TagManager/ZoneBoundary.php 0000644 00000003540 15054470473 0017551 0 ustar 00 condition = $condition; } /** * @return Condition[] */ public function getCondition() { return $this->condition; } /** * @param string[] */ public function setCustomEvaluationTriggerId($customEvaluationTriggerId) { $this->customEvaluationTriggerId = $customEvaluationTriggerId; } /** * @return string[] */ public function getCustomEvaluationTriggerId() { return $this->customEvaluationTriggerId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ZoneBoundary::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ZoneBoundary'); google/apiclient-services/src/TagManager/GetContainerSnippetResponse.php 0000644 00000002455 15054470473 0022602 0 ustar 00 snippet = $snippet; } /** * @return string */ public function getSnippet() { return $this->snippet; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\GetContainerSnippetResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_GetContainerSnippetResponse'); google/apiclient-services/src/TagManager/ListZonesResponse.php 0000644 00000003311 15054470473 0020577 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param Zone[] */ public function setZone($zone) { $this->zone = $zone; } /** * @return Zone[] */ public function getZone() { return $this->zone; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListZonesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListZonesResponse'); google/apiclient-services/src/TagManager/Client.php 0000644 00000011734 15054470473 0016354 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setClientId($clientId) { $this->clientId = $clientId; } /** * @return string */ public function getClientId() { return $this->clientId; } /** * @param string */ public function setContainerId($containerId) { $this->containerId = $containerId; } /** * @return string */ public function getContainerId() { return $this->containerId; } /** * @param string */ public function setFingerprint($fingerprint) { $this->fingerprint = $fingerprint; } /** * @return string */ public function getFingerprint() { return $this->fingerprint; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setNotes($notes) { $this->notes = $notes; } /** * @return string */ public function getNotes() { return $this->notes; } /** * @param Parameter[] */ public function setParameter($parameter) { $this->parameter = $parameter; } /** * @return Parameter[] */ public function getParameter() { return $this->parameter; } /** * @param string */ public function setParentFolderId($parentFolderId) { $this->parentFolderId = $parentFolderId; } /** * @return string */ public function getParentFolderId() { return $this->parentFolderId; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param int */ public function setPriority($priority) { $this->priority = $priority; } /** * @return int */ public function getPriority() { return $this->priority; } /** * @param string */ public function setTagManagerUrl($tagManagerUrl) { $this->tagManagerUrl = $tagManagerUrl; } /** * @return string */ public function getTagManagerUrl() { return $this->tagManagerUrl; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setWorkspaceId($workspaceId) { $this->workspaceId = $workspaceId; } /** * @return string */ public function getWorkspaceId() { return $this->workspaceId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\Client::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_Client'); google/apiclient-services/src/TagManager/ListGtagConfigResponse.php 0000644 00000003440 15054470473 0021514 0 ustar 00 gtagConfig = $gtagConfig; } /** * @return GtagConfig[] */ public function getGtagConfig() { return $this->gtagConfig; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager\ListGtagConfigResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager_ListGtagConfigResponse'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1alphaListIdeasResponse.php 0000644 00000003364 15054470473 0025053 0 ustar 00 ideas = $ideas; } /** * @return GoogleSearchIdeahubV1alphaIdea[] */ public function getIdeas() { return $this->ideas; } public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1alphaListIdeasResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1alphaListIdeasResponse'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1betaTopicState.php 0000644 00000003551 15054470473 0023356 0 ustar 00 dismissed = $dismissed; } /** * @return bool */ public function getDismissed() { return $this->dismissed; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param bool */ public function setSaved($saved) { $this->saved = $saved; } /** * @return bool */ public function getSaved() { return $this->saved; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaTopicState::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1betaTopicState'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1alphaTopicState.php 0000644 00000003056 15054470473 0023530 0 ustar 00 dismissed = $dismissed; } public function getDismissed() { return $this->dismissed; } public function setName($name) { $this->name = $name; } public function getName() { return $this->name; } public function setSaved($saved) { $this->saved = $saved; } public function getSaved() { return $this->saved; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1alphaTopicState::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1alphaTopicState'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1betaTopic.php 0000644 00000003546 15054470473 0022361 0 ustar 00 displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setMid($mid) { $this->mid = $mid; } /** * @return string */ public function getMid() { return $this->mid; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaTopic::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1betaTopic'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1betaIdeaActivity.php 0000644 00000004676 15054470473 0023667 0 ustar 00 ideas = $ideas; } /** * @return string[] */ public function getIdeas() { return $this->ideas; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string[] */ public function setTopics($topics) { $this->topics = $topics; } /** * @return string[] */ public function getTopics() { return $this->topics; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUri($uri) { $this->uri = $uri; } /** * @return string */ public function getUri() { return $this->uri; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaIdeaActivity::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1betaIdeaActivity'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1alphaAvailableLocale.php 0000644 00000002575 15054470473 0024456 0 ustar 00 locale = $locale; } public function getLocale() { return $this->locale; } public function setName($name) { $this->name = $name; } public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1alphaAvailableLocale::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1alphaAvailableLocale'); google/apiclient-services/src/Ideahub/Resource/Platforms.php 0000644 00000002261 15054470473 0020222 0 ustar 00 * $ideahubService = new Google\Service\Ideahub(...); * $platforms = $ideahubService->platforms; * */ class Platforms extends \Google\Site_Kit_Dependencies\Google\Service\Resource { } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\Platforms::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_Resource_Platforms'); google/apiclient-services/src/Ideahub/Resource/PlatformsProperties.php 0000644 00000002322 15054470473 0022275 0 ustar 00 * $ideahubService = new Google\Service\Ideahub(...); * $properties = $ideahubService->properties; * */ class PlatformsProperties extends \Google\Site_Kit_Dependencies\Google\Service\Resource { } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\PlatformsProperties::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_Resource_PlatformsProperties'); google/apiclient-services/src/Ideahub/Resource/PlatformsPropertiesIdeaStates.php 0000644 00000004301 15054470473 0024243 0 ustar 00 * $ideahubService = new Google\Service\Ideahub(...); * $ideaStates = $ideahubService->ideaStates; * */ class PlatformsPropertiesIdeaStates extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Update an idea state resource. (ideaStates.patch) * * @param string $name Unique identifier for the idea state. Format: * platforms/{platform}/properties/{property}/ideaStates/{idea_state} * @param GoogleSearchIdeahubV1betaIdeaState $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask The list of fields to be updated. * @return GoogleSearchIdeahubV1betaIdeaState */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaIdeaState $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaIdeaState::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\PlatformsPropertiesIdeaStates::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_Resource_PlatformsPropertiesIdeaStates'); google/apiclient-services/src/Ideahub/Resource/PlatformsPropertiesLocales.php 0000644 00000005147 15054470473 0023610 0 ustar 00 * $ideahubService = new Google\Service\Ideahub(...); * $locales = $ideahubService->locales; * */ class PlatformsPropertiesLocales extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Returns which locales ideas are available in for a given Creator. * (locales.listPlatformsPropertiesLocales) * * @param string $parent Required. The web property to check idea availability * for Format: platforms/{platform}/property/{property} * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of locales to return. The service * may return fewer than this value. If unspecified, at most 100 locales will be * returned. The maximum value is 100; values above 100 will be coerced to 100. * @opt_param string pageToken A page token, received from a previous * `ListAvailableLocales` call. Provide this to retrieve the subsequent page. * When paginating, all other parameters provided to `ListAvailableLocales` must * match the call that provided the page token. * @return GoogleSearchIdeahubV1betaListAvailableLocalesResponse */ public function listPlatformsPropertiesLocales($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaListAvailableLocalesResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\PlatformsPropertiesLocales::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_Resource_PlatformsPropertiesLocales'); google/apiclient-services/src/Ideahub/Resource/Ideas.php 0000644 00000005764 15054470473 0017313 0 ustar 00 * $ideahubService = new Google\Service\Ideahub(...); * $ideas = $ideahubService->ideas; * */ class Ideas extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * List ideas for a given Creator and filter and sort options. (ideas.listIdeas) * * @param array $optParams Optional parameters. * * @opt_param string filter Allows filtering. Supported syntax: * Filter * expressions are made up of one or more restrictions. * Restrictions are * implicitly combined, as if the `AND` operator was always used. The `OR` * operator is currently unsupported. * Supported functions: - `saved(bool)`: If * set to true, fetches only saved ideas. If set to false, fetches all except * saved ideas. Can't be simultaneously used with `dismissed(bool)`. - * `dismissed(bool)`: If set to true, fetches only dismissed ideas. Can't be * simultaneously used with `saved(bool)`. The `false` value is currently * unsupported. Examples: * `saved(true)` * `saved(false)` * `dismissed(true)` * The length of this field should be no more than 500 characters. * @opt_param string orderBy Order semantics described below. * @opt_param int pageSize The maximum number of ideas per page. If unspecified, * at most 10 ideas will be returned. The maximum value is 2000; values above * 2000 will be coerced to 2000. * @opt_param string pageToken Used to fetch next page. * @opt_param string parent If defined, specifies the creator for which to * filter by. Format: publishers/{publisher}/properties/{property} * @return GoogleSearchIdeahubV1alphaListIdeasResponse */ public function listIdeas($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1alphaListIdeasResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\Ideas::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_Resource_Ideas'); google/apiclient-services/src/Ideahub/Resource/PlatformsPropertiesIdeaActivities.php 0000644 00000004263 15054470473 0025113 0 ustar 00 * $ideahubService = new Google\Service\Ideahub(...); * $ideaActivities = $ideahubService->ideaActivities; * */ class PlatformsPropertiesIdeaActivities extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates an idea activity entry. (ideaActivities.create) * * @param string $parent Required. The parent resource where this idea activity * will be created. Format: platforms/{platform}/property/{property} * @param GoogleSearchIdeahubV1betaIdeaActivity $postBody * @param array $optParams Optional parameters. * @return GoogleSearchIdeahubV1betaIdeaActivity */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaIdeaActivity $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaIdeaActivity::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\PlatformsPropertiesIdeaActivities::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_Resource_PlatformsPropertiesIdeaActivities'); google/apiclient-services/src/Ideahub/Resource/PlatformsPropertiesTopicStates.php 0000644 00000004320 15054470473 0024460 0 ustar 00 * $ideahubService = new Google\Service\Ideahub(...); * $topicStates = $ideahubService->topicStates; * */ class PlatformsPropertiesTopicStates extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Update a topic state resource. (topicStates.patch) * * @param string $name Unique identifier for the topic state. Format: * platforms/{platform}/properties/{property}/topicStates/{topic_state} * @param GoogleSearchIdeahubV1betaTopicState $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask The list of fields to be updated. * @return GoogleSearchIdeahubV1betaTopicState */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaTopicState $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaTopicState::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\PlatformsPropertiesTopicStates::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_Resource_PlatformsPropertiesTopicStates'); google/apiclient-services/src/Ideahub/Resource/PlatformsPropertiesIdeas.php 0000644 00000006172 15054470473 0023252 0 ustar 00 * $ideahubService = new Google\Service\Ideahub(...); * $ideas = $ideahubService->ideas; * */ class PlatformsPropertiesIdeas extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * List ideas for a given Creator and filter and sort options. * (ideas.listPlatformsPropertiesIdeas) * * @param string $parent Required. If defined, specifies the creator for which * to filter by. Format: publishers/{publisher}/properties/{property} * @param array $optParams Optional parameters. * * @opt_param string filter Allows filtering. Supported syntax: * Filter * expressions are made up of one or more restrictions. * Restrictions are * implicitly combined, as if the `AND` operator was always used. The `OR` * operator is currently unsupported. * Supported functions: - `saved(bool)`: If * set to true, fetches only saved ideas. If set to false, fetches all except * saved ideas. Can't be simultaneously used with `dismissed(bool)`. - * `dismissed(bool)`: If set to true, fetches only dismissed ideas. Can't be * simultaneously used with `saved(bool)`. The `false` value is currently * unsupported. Examples: * `saved(true)` * `saved(false)` * `dismissed(true)` * The length of this field should be no more than 500 characters. * @opt_param string orderBy Order semantics described below. * @opt_param int pageSize The maximum number of ideas per page. If unspecified, * at most 10 ideas will be returned. The maximum value is 2000; values above * 2000 will be coerced to 2000. * @opt_param string pageToken Used to fetch next page. * @return GoogleSearchIdeahubV1betaListIdeasResponse */ public function listPlatformsPropertiesIdeas($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaListIdeasResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\Resource\PlatformsPropertiesIdeas::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_Resource_PlatformsPropertiesIdeas'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1alphaTopic.php 0000644 00000003037 15054470473 0022526 0 ustar 00 displayName = $displayName; } public function getDisplayName() { return $this->displayName; } public function setMid($mid) { $this->mid = $mid; } public function getMid() { return $this->mid; } public function setName($name) { $this->name = $name; } public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1alphaTopic::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1alphaTopic'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1betaAvailableLocale.php 0000644 00000003126 15054470473 0024275 0 ustar 00 locale = $locale; } /** * @return string */ public function getLocale() { return $this->locale; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaAvailableLocale::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1betaAvailableLocale'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1betaListAvailableLocalesResponse.php 0000644 00000004001 15054470473 0027024 0 ustar 00 availableLocales = $availableLocales; } /** * @return GoogleSearchIdeahubV1betaAvailableLocale[] */ public function getAvailableLocales() { return $this->availableLocales; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaListAvailableLocalesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1betaListAvailableLocalesResponse'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1alphaIdeaState.php 0000644 00000003053 15054470473 0023311 0 ustar 00 dismissed = $dismissed; } public function getDismissed() { return $this->dismissed; } public function setName($name) { $this->name = $name; } public function getName() { return $this->name; } public function setSaved($saved) { $this->saved = $saved; } public function getSaved() { return $this->saved; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1alphaIdeaState::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1alphaIdeaState'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1alphaIdeaActivity.php 0000644 00000003617 15054470473 0024033 0 ustar 00 ideas = $ideas; } public function getIdeas() { return $this->ideas; } public function setName($name) { $this->name = $name; } public function getName() { return $this->name; } public function setTopics($topics) { $this->topics = $topics; } public function getTopics() { return $this->topics; } public function setType($type) { $this->type = $type; } public function getType() { return $this->type; } public function setUri($uri) { $this->uri = $uri; } public function getUri() { return $this->uri; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1alphaIdeaActivity::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1alphaIdeaActivity'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1betaIdeaState.php 0000644 00000003546 15054470473 0023146 0 ustar 00 dismissed = $dismissed; } /** * @return bool */ public function getDismissed() { return $this->dismissed; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param bool */ public function setSaved($saved) { $this->saved = $saved; } /** * @return bool */ public function getSaved() { return $this->saved; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaIdeaState::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1betaIdeaState'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1betaIdea.php 0000644 00000004024 15054470473 0022135 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setText($text) { $this->text = $text; } /** * @return string */ public function getText() { return $this->text; } /** * @param GoogleSearchIdeahubV1betaTopic[] */ public function setTopics($topics) { $this->topics = $topics; } /** * @return GoogleSearchIdeahubV1betaTopic[] */ public function getTopics() { return $this->topics; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaIdea::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1betaIdea'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1alphaIdea.php 0000644 00000003476 15054470473 0022321 0 ustar 00 name = $name; } public function getName() { return $this->name; } public function setText($text) { $this->text = $text; } public function getText() { return $this->text; } /** * @param GoogleSearchIdeahubV1alphaTopic[] */ public function setTopics($topics) { $this->topics = $topics; } /** * @return GoogleSearchIdeahubV1alphaTopic[] */ public function getTopics() { return $this->topics; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1alphaIdea::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1alphaIdea'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1alphaListAvailableLocalesResponse.php 0000644 00000003631 15054470473 0027206 0 ustar 00 availableLocales = $availableLocales; } /** * @return GoogleSearchIdeahubV1alphaAvailableLocale[] */ public function getAvailableLocales() { return $this->availableLocales; } public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1alphaListAvailableLocalesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1alphaListAvailableLocalesResponse'); google/apiclient-services/src/Ideahub/GoogleSearchIdeahubV1betaListIdeasResponse.php 0000644 00000003534 15054470473 0024700 0 ustar 00 ideas = $ideas; } /** * @return GoogleSearchIdeahubV1betaIdea[] */ public function getIdeas() { return $this->ideas; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Ideahub\GoogleSearchIdeahubV1betaListIdeasResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Ideahub_GoogleSearchIdeahubV1betaListIdeasResponse'); google/apiclient-services/src/SiteVerification/SiteVerificationWebResourceGettokenRequest.php 0000644 00000004004 15054470473 0027056 0 ustar 00 site = $site; } /** * @return SiteVerificationWebResourceGettokenRequestSite */ public function getSite() { return $this->site; } /** * @param string */ public function setVerificationMethod($verificationMethod) { $this->verificationMethod = $verificationMethod; } /** * @return string */ public function getVerificationMethod() { return $this->verificationMethod; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceGettokenRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SiteVerification_SiteVerificationWebResourceGettokenRequest'); google/apiclient-services/src/SiteVerification/SiteVerificationWebResourceResource.php 0000644 00000004270 15054470473 0025521 0 ustar 00 id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string[] */ public function setOwners($owners) { $this->owners = $owners; } /** * @return string[] */ public function getOwners() { return $this->owners; } /** * @param SiteVerificationWebResourceResourceSite */ public function setSite(\Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceResourceSite $site) { $this->site = $site; } /** * @return SiteVerificationWebResourceResourceSite */ public function getSite() { return $this->site; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceResource::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SiteVerification_SiteVerificationWebResourceResource'); google/apiclient-services/src/SiteVerification/Resource/WebResource.php 0000644 00000014276 15054470473 0022417 0 ustar 00 * $siteVerificationService = new Google\Service\SiteVerification(...); * $webResource = $siteVerificationService->webResource; * */ class WebResource extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Relinquish ownership of a website or domain. (webResource.delete) * * @param string $id The id of a verified site or domain. * @param array $optParams Optional parameters. */ public function delete($id, $optParams = []) { $params = ['id' => $id]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Get the most current data for a website or domain. (webResource.get) * * @param string $id The id of a verified site or domain. * @param array $optParams Optional parameters. * @return SiteVerificationWebResourceResource */ public function get($id, $optParams = []) { $params = ['id' => $id]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceResource::class); } /** * Get a verification token for placing on a website or domain. * (webResource.getToken) * * @param SiteVerificationWebResourceGettokenRequest $postBody * @param array $optParams Optional parameters. * @return SiteVerificationWebResourceGettokenResponse */ public function getToken(\Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceGettokenRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('getToken', [$params], \Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceGettokenResponse::class); } /** * Attempt verification of a website or domain. (webResource.insert) * * @param string $verificationMethod The method to use for verifying a site or * domain. * @param SiteVerificationWebResourceResource $postBody * @param array $optParams Optional parameters. * @return SiteVerificationWebResourceResource */ public function insert($verificationMethod, \Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceResource $postBody, $optParams = []) { $params = ['verificationMethod' => $verificationMethod, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceResource::class); } /** * Get the list of your verified websites and domains. * (webResource.listWebResource) * * @param array $optParams Optional parameters. * @return SiteVerificationWebResourceListResponse */ public function listWebResource($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceListResponse::class); } /** * Modify the list of owners for your website or domain. This method supports * patch semantics. (webResource.patch) * * @param string $id The id of a verified site or domain. * @param SiteVerificationWebResourceResource $postBody * @param array $optParams Optional parameters. * @return SiteVerificationWebResourceResource */ public function patch($id, \Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceResource $postBody, $optParams = []) { $params = ['id' => $id, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceResource::class); } /** * Modify the list of owners for your website or domain. (webResource.update) * * @param string $id The id of a verified site or domain. * @param SiteVerificationWebResourceResource $postBody * @param array $optParams Optional parameters. * @return SiteVerificationWebResourceResource */ public function update($id, \Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceResource $postBody, $optParams = []) { $params = ['id' => $id, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceResource::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SiteVerification\Resource\WebResource::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SiteVerification_Resource_WebResource'); google/apiclient-services/src/SiteVerification/SiteVerificationWebResourceGettokenResponse.php 0000644 00000003201 15054470473 0027222 0 ustar 00 method = $method; } /** * @return string */ public function getMethod() { return $this->method; } /** * @param string */ public function setToken($token) { $this->token = $token; } /** * @return string */ public function getToken() { return $this->token; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceGettokenResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SiteVerification_SiteVerificationWebResourceGettokenResponse'); google/apiclient-services/src/SiteVerification/SiteVerificationWebResourceListResponse.php 0000644 00000003070 15054470473 0026361 0 ustar 00 items = $items; } /** * @return SiteVerificationWebResourceResource[] */ public function getItems() { return $this->items; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceListResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SiteVerification_SiteVerificationWebResourceListResponse'); google/apiclient-services/src/SiteVerification/SiteVerificationWebResourceResourceSite.php 0000644 00000003212 15054470473 0026341 0 ustar 00 identifier = $identifier; } /** * @return string */ public function getIdentifier() { return $this->identifier; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceResourceSite::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SiteVerification_SiteVerificationWebResourceResourceSite'); google/apiclient-services/src/SiteVerification/SiteVerificationWebResourceGettokenRequestSite.php 0000644 00000003237 15054470473 0027712 0 ustar 00 identifier = $identifier; } /** * @return string */ public function getIdentifier() { return $this->identifier; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SiteVerification\SiteVerificationWebResourceGettokenRequestSite::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SiteVerification_SiteVerificationWebResourceGettokenRequestSite'); google/apiclient-services/src/Adsense/CustomChannel.php 0000644 00000004304 15054470473 0017250 0 ustar 00 active = $active; } /** * @return bool */ public function getActive() { return $this->active; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setReportingDimensionId($reportingDimensionId) { $this->reportingDimensionId = $reportingDimensionId; } /** * @return string */ public function getReportingDimensionId() { return $this->reportingDimensionId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\CustomChannel::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_CustomChannel'); google/apiclient-services/src/Adsense/AdUnit.php 0000644 00000005347 15054470473 0015701 0 ustar 00 contentAdsSettings = $contentAdsSettings; } /** * @return ContentAdsSettings */ public function getContentAdsSettings() { return $this->contentAdsSettings; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setReportingDimensionId($reportingDimensionId) { $this->reportingDimensionId = $reportingDimensionId; } /** * @return string */ public function getReportingDimensionId() { return $this->reportingDimensionId; } /** * @param string */ public function setState($state) { $this->state = $state; } /** * @return string */ public function getState() { return $this->state; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\AdUnit::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_AdUnit'); google/apiclient-services/src/Adsense/Cell.php 0000644 00000002321 15054470473 0015361 0 ustar 00 value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Cell::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Cell'); google/apiclient-services/src/Adsense/Payment.php 0000644 00000003604 15054470473 0016124 0 ustar 00 amount = $amount; } /** * @return string */ public function getAmount() { return $this->amount; } /** * @param Date */ public function setDate(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Date $date) { $this->date = $date; } /** * @return Date */ public function getDate() { return $this->date; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Payment::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Payment'); google/apiclient-services/src/Adsense/ListLinkedAdUnitsResponse.php 0000644 00000003366 15054470473 0021565 0 ustar 00 adUnits = $adUnits; } /** * @return AdUnit[] */ public function getAdUnits() { return $this->adUnits; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListLinkedAdUnitsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListLinkedAdUnitsResponse'); google/apiclient-services/src/Adsense/ListLinkedCustomChannelsResponse.php 0000644 00000003537 15054470473 0023144 0 ustar 00 customChannels = $customChannels; } /** * @return CustomChannel[] */ public function getCustomChannels() { return $this->customChannels; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListLinkedCustomChannelsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListLinkedCustomChannelsResponse'); google/apiclient-services/src/Adsense/AdClient.php 0000644 00000004264 15054470473 0016175 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setProductCode($productCode) { $this->productCode = $productCode; } /** * @return string */ public function getProductCode() { return $this->productCode; } /** * @param string */ public function setReportingDimensionId($reportingDimensionId) { $this->reportingDimensionId = $reportingDimensionId; } /** * @return string */ public function getReportingDimensionId() { return $this->reportingDimensionId; } /** * @param string */ public function setState($state) { $this->state = $state; } /** * @return string */ public function getState() { return $this->state; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\AdClient::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_AdClient'); google/apiclient-services/src/Adsense/ListCustomChannelsResponse.php 0000644 00000003515 15054470473 0022011 0 ustar 00 customChannels = $customChannels; } /** * @return CustomChannel[] */ public function getCustomChannels() { return $this->customChannels; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListCustomChannelsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListCustomChannelsResponse'); google/apiclient-services/src/Adsense/ListChildAccountsResponse.php 0000644 00000003402 15054470473 0021601 0 ustar 00 accounts = $accounts; } /** * @return Account[] */ public function getAccounts() { return $this->accounts; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListChildAccountsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListChildAccountsResponse'); google/apiclient-services/src/Adsense/AdsenseEmpty.php 0000644 00000001720 15054470473 0017105 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setReportingDimensionId($reportingDimensionId) { $this->reportingDimensionId = $reportingDimensionId; } /** * @return string */ public function getReportingDimensionId() { return $this->reportingDimensionId; } /** * @param string */ public function setUriPattern($uriPattern) { $this->uriPattern = $uriPattern; } /** * @return string */ public function getUriPattern() { return $this->uriPattern; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\UrlChannel::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_UrlChannel'); google/apiclient-services/src/Adsense/TimeZone.php 0000644 00000002757 15054470473 0016251 0 ustar 00 id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setVersion($version) { $this->version = $version; } /** * @return string */ public function getVersion() { return $this->version; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\TimeZone::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_TimeZone'); google/apiclient-services/src/Adsense/ListAdClientsResponse.php 0000644 00000003402 15054470473 0020724 0 ustar 00 adClients = $adClients; } /** * @return AdClient[] */ public function getAdClients() { return $this->adClients; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListAdClientsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListAdClientsResponse'); google/apiclient-services/src/Adsense/ContentAdsSettings.php 0000644 00000003006 15054470473 0020266 0 ustar 00 size = $size; } /** * @return string */ public function getSize() { return $this->size; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ContentAdsSettings::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ContentAdsSettings'); google/apiclient-services/src/Adsense/Resource/AccountsReports.php 0000644 00000021753 15054470473 0021441 0 ustar 00 * $adsenseService = new Google\Service\Adsense(...); * $reports = $adsenseService->reports; * */ class AccountsReports extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Generates an ad hoc report. (reports.generate) * * @param string $account Required. The account which owns the collection of * reports. Format: accounts/{account} * @param array $optParams Optional parameters. * * @opt_param string currencyCode The [ISO-4217 currency * code](https://en.wikipedia.org/wiki/ISO_4217) to use when reporting on * monetary metrics. Defaults to the account's currency if not set. * @opt_param string dateRange Date range of the report, if unset the range will * be considered CUSTOM. * @opt_param string dimensions Dimensions to base the report on. * @opt_param int endDate.day Day of a month. Must be from 1 to 31 and valid for * the year and month, or 0 to specify a year by itself or a year and month * where the day isn't significant. * @opt_param int endDate.month Month of a year. Must be from 1 to 12, or 0 to * specify a year without a month and day. * @opt_param int endDate.year Year of the date. Must be from 1 to 9999, or 0 to * specify a date without a year. * @opt_param string filters A list of * [filters](/adsense/management/reporting/filtering) to apply to the report. * All provided filters must match in order for the data to be included in the * report. * @opt_param string languageCode The language to use for translating report * output. If unspecified, this defaults to English ("en"). If the given * language is not supported, report output will be returned in English. The * language is specified as an [IETF BCP-47 language * code](https://en.wikipedia.org/wiki/IETF_language_tag). * @opt_param int limit The maximum number of rows of report data to return. * Reports producing more rows than the requested limit will be truncated. If * unset, this defaults to 100,000 rows for `Reports.GenerateReport` and * 1,000,000 rows for `Reports.GenerateCsvReport`, which are also the maximum * values permitted here. Report truncation can be identified (for * `Reports.GenerateReport` only) by comparing the number of rows returned to * the value returned in `total_matched_rows`. * @opt_param string metrics Required. Reporting metrics. * @opt_param string orderBy The name of a dimension or metric to sort the * resulting report on, can be prefixed with "+" to sort ascending or "-" to * sort descending. If no prefix is specified, the column is sorted ascending. * @opt_param string reportingTimeZone Timezone in which to generate the report. * If unspecified, this defaults to the account timezone. For more information, * see [changing the time zone of your * reports](https://support.google.com/adsense/answer/9830725). * @opt_param int startDate.day Day of a month. Must be from 1 to 31 and valid * for the year and month, or 0 to specify a year by itself or a year and month * where the day isn't significant. * @opt_param int startDate.month Month of a year. Must be from 1 to 12, or 0 to * specify a year without a month and day. * @opt_param int startDate.year Year of the date. Must be from 1 to 9999, or 0 * to specify a date without a year. * @return ReportResult */ public function generate($account, $optParams = []) { $params = ['account' => $account]; $params = \array_merge($params, $optParams); return $this->call('generate', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ReportResult::class); } /** * Generates a csv formatted ad hoc report. (reports.generateCsv) * * @param string $account Required. The account which owns the collection of * reports. Format: accounts/{account} * @param array $optParams Optional parameters. * * @opt_param string currencyCode The [ISO-4217 currency * code](https://en.wikipedia.org/wiki/ISO_4217) to use when reporting on * monetary metrics. Defaults to the account's currency if not set. * @opt_param string dateRange Date range of the report, if unset the range will * be considered CUSTOM. * @opt_param string dimensions Dimensions to base the report on. * @opt_param int endDate.day Day of a month. Must be from 1 to 31 and valid for * the year and month, or 0 to specify a year by itself or a year and month * where the day isn't significant. * @opt_param int endDate.month Month of a year. Must be from 1 to 12, or 0 to * specify a year without a month and day. * @opt_param int endDate.year Year of the date. Must be from 1 to 9999, or 0 to * specify a date without a year. * @opt_param string filters A list of * [filters](/adsense/management/reporting/filtering) to apply to the report. * All provided filters must match in order for the data to be included in the * report. * @opt_param string languageCode The language to use for translating report * output. If unspecified, this defaults to English ("en"). If the given * language is not supported, report output will be returned in English. The * language is specified as an [IETF BCP-47 language * code](https://en.wikipedia.org/wiki/IETF_language_tag). * @opt_param int limit The maximum number of rows of report data to return. * Reports producing more rows than the requested limit will be truncated. If * unset, this defaults to 100,000 rows for `Reports.GenerateReport` and * 1,000,000 rows for `Reports.GenerateCsvReport`, which are also the maximum * values permitted here. Report truncation can be identified (for * `Reports.GenerateReport` only) by comparing the number of rows returned to * the value returned in `total_matched_rows`. * @opt_param string metrics Required. Reporting metrics. * @opt_param string orderBy The name of a dimension or metric to sort the * resulting report on, can be prefixed with "+" to sort ascending or "-" to * sort descending. If no prefix is specified, the column is sorted ascending. * @opt_param string reportingTimeZone Timezone in which to generate the report. * If unspecified, this defaults to the account timezone. For more information, * see [changing the time zone of your * reports](https://support.google.com/adsense/answer/9830725). * @opt_param int startDate.day Day of a month. Must be from 1 to 31 and valid * for the year and month, or 0 to specify a year by itself or a year and month * where the day isn't significant. * @opt_param int startDate.month Month of a year. Must be from 1 to 12, or 0 to * specify a year without a month and day. * @opt_param int startDate.year Year of the date. Must be from 1 to 9999, or 0 * to specify a date without a year. * @return HttpBody */ public function generateCsv($account, $optParams = []) { $params = ['account' => $account]; $params = \array_merge($params, $optParams); return $this->call('generateCsv', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\HttpBody::class); } /** * Gets the saved report from the given resource name. (reports.getSaved) * * @param string $name Required. The name of the saved report to retrieve. * Format: accounts/{account}/reports/{report} * @param array $optParams Optional parameters. * @return SavedReport */ public function getSaved($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('getSaved', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\SavedReport::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsReports::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Resource_AccountsReports'); google/apiclient-services/src/Adsense/Resource/AccountsSites.php 0000644 00000005657 15054470473 0021077 0 ustar 00 * $adsenseService = new Google\Service\Adsense(...); * $sites = $adsenseService->sites; * */ class AccountsSites extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Gets information about the selected site. (sites.get) * * @param string $name Required. Name of the site. Format: * accounts/{account}/sites/{site} * @param array $optParams Optional parameters. * @return Site */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\Site::class); } /** * Lists all the sites available in an account. (sites.listAccountsSites) * * @param string $parent Required. The account which owns the collection of * sites. Format: accounts/{account} * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of sites to include in the * response, used for paging. If unspecified, at most 10000 sites will be * returned. The maximum value is 10000; values above 10000 will be coerced to * 10000. * @opt_param string pageToken A page token, received from a previous * `ListSites` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListSites` must match the call * that provided the page token. * @return ListSitesResponse */ public function listAccountsSites($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListSitesResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsSites::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Resource_AccountsSites'); google/apiclient-services/src/Adsense/Resource/AccountsAdclientsUrlchannels.php 0000644 00000006241 15054470473 0024103 0 ustar 00 * $adsenseService = new Google\Service\Adsense(...); * $urlchannels = $adsenseService->urlchannels; * */ class AccountsAdclientsUrlchannels extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Gets information about the selected url channel. (urlchannels.get) * * @param string $name Required. The name of the url channel to retrieve. * Format: accounts/{account}/adclients/{adclient}/urlchannels/{urlchannel} * @param array $optParams Optional parameters. * @return UrlChannel */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\UrlChannel::class); } /** * Lists active url channels. (urlchannels.listAccountsAdclientsUrlchannels) * * @param string $parent Required. The ad client which owns the collection of * url channels. Format: accounts/{account}/adclients/{adclient} * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of url channels to include in the * response, used for paging. If unspecified, at most 10000 url channels will be * returned. The maximum value is 10000; values above 10000 will be coerced to * 10000. * @opt_param string pageToken A page token, received from a previous * `ListUrlChannels` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListUrlChannels` must match the * call that provided the page token. * @return ListUrlChannelsResponse */ public function listAccountsAdclientsUrlchannels($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListUrlChannelsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsAdclientsUrlchannels::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Resource_AccountsAdclientsUrlchannels'); google/apiclient-services/src/Adsense/Resource/AccountsAdclients.php 0000644 00000007737 15054470473 0021717 0 ustar 00 * $adsenseService = new Google\Service\Adsense(...); * $adclients = $adsenseService->adclients; * */ class AccountsAdclients extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Gets the ad client from the given resource name. (adclients.get) * * @param string $name Required. The name of the ad client to retrieve. Format: * accounts/{account}/adclients/{adclient} * @param array $optParams Optional parameters. * @return AdClient */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\AdClient::class); } /** * Gets the AdSense code for a given ad client. This returns what was previously * known as the 'auto ad code'. This is only supported for ad clients with a * product_code of AFC. For more information, see [About the AdSense * code](https://support.google.com/adsense/answer/9274634). * (adclients.getAdcode) * * @param string $name Required. Name of the ad client for which to get the * adcode. Format: accounts/{account}/adclients/{adclient} * @param array $optParams Optional parameters. * @return AdClientAdCode */ public function getAdcode($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('getAdcode', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\AdClientAdCode::class); } /** * Lists all the ad clients available in an account. * (adclients.listAccountsAdclients) * * @param string $parent Required. The account which owns the collection of ad * clients. Format: accounts/{account} * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of ad clients to include in the * response, used for paging. If unspecified, at most 10000 ad clients will be * returned. The maximum value is 10000; values above 10000 will be coerced to * 10000. * @opt_param string pageToken A page token, received from a previous * `ListAdClients` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListAdClients` must match the * call that provided the page token. * @return ListAdClientsResponse */ public function listAccountsAdclients($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListAdClientsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsAdclients::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Resource_AccountsAdclients'); google/apiclient-services/src/Adsense/Resource/AccountsAlerts.php 0000644 00000004332 15054470473 0021227 0 ustar 00 * $adsenseService = new Google\Service\Adsense(...); * $alerts = $adsenseService->alerts; * */ class AccountsAlerts extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Lists all the alerts available in an account. (alerts.listAccountsAlerts) * * @param string $parent Required. The account which owns the collection of * alerts. Format: accounts/{account} * @param array $optParams Optional parameters. * * @opt_param string languageCode The language to use for translating alert * messages. If unspecified, this defaults to the user's display language. If * the given language is not supported, alerts will be returned in English. The * language is specified as an [IETF BCP-47 language * code](https://en.wikipedia.org/wiki/IETF_language_tag). * @return ListAlertsResponse */ public function listAccountsAlerts($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListAlertsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsAlerts::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Resource_AccountsAlerts'); google/apiclient-services/src/Adsense/Resource/AccountsAdclientsAdunits.php 0000644 00000017072 15054470473 0023240 0 ustar 00 * $adsenseService = new Google\Service\Adsense(...); * $adunits = $adsenseService->adunits; * */ class AccountsAdclientsAdunits extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates an ad unit. This method can only be used by projects enabled for the * [AdSense for Platforms](https://developers.google.com/adsense/platforms/) * product. Note that ad units can only be created for ad clients with an "AFC" * product code. For more info see the [AdClient * resource](/adsense/management/reference/rest/v2/accounts.adclients). For now, * this method can only be used to create `DISPLAY` ad units. See: * https://support.google.com/adsense/answer/9183566 (adunits.create) * * @param string $parent Required. Ad client to create an ad unit under. Format: * accounts/{account}/adclients/{adclient} * @param AdUnit $postBody * @param array $optParams Optional parameters. * @return AdUnit */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\Adsense\AdUnit $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\AdUnit::class); } /** * Gets an ad unit from a specified account and ad client. (adunits.get) * * @param string $name Required. AdUnit to get information about. Format: * accounts/{account}/adclients/{adclient}/adunits/{adunit} * @param array $optParams Optional parameters. * @return AdUnit */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\AdUnit::class); } /** * Gets the ad unit code for a given ad unit. For more information, see [About * the AdSense code](https://support.google.com/adsense/answer/9274634) and * [Where to place the ad code in your * HTML](https://support.google.com/adsense/answer/9190028). (adunits.getAdcode) * * @param string $name Required. Name of the adunit for which to get the adcode. * Format: accounts/{account}/adclients/{adclient}/adunits/{adunit} * @param array $optParams Optional parameters. * @return AdUnitAdCode */ public function getAdcode($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('getAdcode', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\AdUnitAdCode::class); } /** * Lists all ad units under a specified account and ad client. * (adunits.listAccountsAdclientsAdunits) * * @param string $parent Required. The ad client which owns the collection of ad * units. Format: accounts/{account}/adclients/{adclient} * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of ad units to include in the * response, used for paging. If unspecified, at most 10000 ad units will be * returned. The maximum value is 10000; values above 10000 will be coerced to * 10000. * @opt_param string pageToken A page token, received from a previous * `ListAdUnits` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListAdUnits` must match the * call that provided the page token. * @return ListAdUnitsResponse */ public function listAccountsAdclientsAdunits($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListAdUnitsResponse::class); } /** * Lists all the custom channels available for an ad unit. * (adunits.listLinkedCustomChannels) * * @param string $parent Required. The ad unit which owns the collection of * custom channels. Format: * accounts/{account}/adclients/{adclient}/adunits/{adunit} * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of custom channels to include in * the response, used for paging. If unspecified, at most 10000 custom channels * will be returned. The maximum value is 10000; values above 10000 will be * coerced to 10000. * @opt_param string pageToken A page token, received from a previous * `ListLinkedCustomChannels` call. Provide this to retrieve the subsequent * page. When paginating, all other parameters provided to * `ListLinkedCustomChannels` must match the call that provided the page token. * @return ListLinkedCustomChannelsResponse */ public function listLinkedCustomChannels($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('listLinkedCustomChannels', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListLinkedCustomChannelsResponse::class); } /** * Updates an ad unit. This method can only be used by projects enabled for the * [AdSense for Platforms](https://developers.google.com/adsense/platforms/) * product. For now, this method can only be used to update `DISPLAY` ad units. * See: https://support.google.com/adsense/answer/9183566 (adunits.patch) * * @param string $name Output only. Resource name of the ad unit. Format: * accounts/{account}/adclients/{adclient}/adunits/{adunit} * @param AdUnit $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask The list of fields to update. If empty, a full * update is performed. * @return AdUnit */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\Adsense\AdUnit $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\AdUnit::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsAdclientsAdunits::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Resource_AccountsAdclientsAdunits'); google/apiclient-services/src/Adsense/Resource/AccountsPayments.php 0000644 00000003611 15054470473 0021574 0 ustar 00 * $adsenseService = new Google\Service\Adsense(...); * $payments = $adsenseService->payments; * */ class AccountsPayments extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Lists all the payments available for an account. * (payments.listAccountsPayments) * * @param string $parent Required. The account which owns the collection of * payments. Format: accounts/{account} * @param array $optParams Optional parameters. * @return ListPaymentsResponse */ public function listAccountsPayments($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListPaymentsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsPayments::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Resource_AccountsPayments'); google/apiclient-services/src/Adsense/Resource/Accounts.php 0000644 00000011433 15054470473 0020054 0 ustar 00 * $adsenseService = new Google\Service\Adsense(...); * $accounts = $adsenseService->accounts; * */ class Accounts extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Gets information about the selected AdSense account. (accounts.get) * * @param string $name Required. Account to get information about. Format: * accounts/{account} * @param array $optParams Optional parameters. * @return Account */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\Account::class); } /** * Gets the ad blocking recovery tag of an account. * (accounts.getAdBlockingRecoveryTag) * * @param string $name Required. The name of the account to get the tag for. * Format: accounts/{account} * @param array $optParams Optional parameters. * @return AdBlockingRecoveryTag */ public function getAdBlockingRecoveryTag($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('getAdBlockingRecoveryTag', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\AdBlockingRecoveryTag::class); } /** * Lists all accounts available to this user. (accounts.listAccounts) * * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of accounts to include in the * response, used for paging. If unspecified, at most 10000 accounts will be * returned. The maximum value is 10000; values above 10000 will be coerced to * 10000. * @opt_param string pageToken A page token, received from a previous * `ListAccounts` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListAccounts` must match the * call that provided the page token. * @return ListAccountsResponse */ public function listAccounts($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListAccountsResponse::class); } /** * Lists all accounts directly managed by the given AdSense account. * (accounts.listChildAccounts) * * @param string $parent Required. The parent account, which owns the child * accounts. Format: accounts/{account} * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of accounts to include in the * response, used for paging. If unspecified, at most 10000 accounts will be * returned. The maximum value is 10000; values above 10000 will be coerced to * 10000. * @opt_param string pageToken A page token, received from a previous * `ListAccounts` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListAccounts` must match the * call that provided the page token. * @return ListChildAccountsResponse */ public function listChildAccounts($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('listChildAccounts', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListChildAccountsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\Accounts::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Resource_Accounts'); google/apiclient-services/src/Adsense/Resource/AccountsAdclientsCustomchannels.php 0000644 00000016401 15054470473 0024612 0 ustar 00 * $adsenseService = new Google\Service\Adsense(...); * $customchannels = $adsenseService->customchannels; * */ class AccountsAdclientsCustomchannels extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a custom channel. This method can only be used by projects enabled * for the [AdSense for * Platforms](https://developers.google.com/adsense/platforms/) product. * (customchannels.create) * * @param string $parent Required. The ad client to create a custom channel * under. Format: accounts/{account}/adclients/{adclient} * @param CustomChannel $postBody * @param array $optParams Optional parameters. * @return CustomChannel */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\Adsense\CustomChannel $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\CustomChannel::class); } /** * Deletes a custom channel. This method can only be used by projects enabled * for the [AdSense for * Platforms](https://developers.google.com/adsense/platforms/) product. * (customchannels.delete) * * @param string $name Required. Name of the custom channel to delete. Format: * accounts/{account}/adclients/{adclient}/customchannels/{customchannel} * @param array $optParams Optional parameters. * @return AdsenseEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\AdsenseEmpty::class); } /** * Gets information about the selected custom channel. (customchannels.get) * * @param string $name Required. Name of the custom channel. Format: * accounts/{account}/adclients/{adclient}/customchannels/{customchannel} * @param array $optParams Optional parameters. * @return CustomChannel */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\CustomChannel::class); } /** * Lists all the custom channels available in an ad client. * (customchannels.listAccountsAdclientsCustomchannels) * * @param string $parent Required. The ad client which owns the collection of * custom channels. Format: accounts/{account}/adclients/{adclient} * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of custom channels to include in * the response, used for paging. If unspecified, at most 10000 custom channels * will be returned. The maximum value is 10000; values above 10000 will be * coerced to 10000. * @opt_param string pageToken A page token, received from a previous * `ListCustomChannels` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListCustomChannels` must match * the call that provided the page token. * @return ListCustomChannelsResponse */ public function listAccountsAdclientsCustomchannels($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListCustomChannelsResponse::class); } /** * Lists all the ad units available for a custom channel. * (customchannels.listLinkedAdUnits) * * @param string $parent Required. The custom channel which owns the collection * of ad units. Format: * accounts/{account}/adclients/{adclient}/customchannels/{customchannel} * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of ad units to include in the * response, used for paging. If unspecified, at most 10000 ad units will be * returned. The maximum value is 10000; values above 10000 will be coerced to * 10000. * @opt_param string pageToken A page token, received from a previous * `ListLinkedAdUnits` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListLinkedAdUnits` must match * the call that provided the page token. * @return ListLinkedAdUnitsResponse */ public function listLinkedAdUnits($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('listLinkedAdUnits', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListLinkedAdUnitsResponse::class); } /** * Updates a custom channel. This method can only be used by projects enabled * for the [AdSense for * Platforms](https://developers.google.com/adsense/platforms/) product. * (customchannels.patch) * * @param string $name Output only. Resource name of the custom channel. Format: * accounts/{account}/adclients/{adclient}/customchannels/{customchannel} * @param CustomChannel $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask The list of fields to update. If empty, a full * update is performed. * @return CustomChannel */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\Adsense\CustomChannel $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\CustomChannel::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsAdclientsCustomchannels::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Resource_AccountsAdclientsCustomchannels'); google/apiclient-services/src/Adsense/Resource/AccountsReportsSaved.php 0000644 00000016474 15054470473 0022430 0 ustar 00 * $adsenseService = new Google\Service\Adsense(...); * $saved = $adsenseService->saved; * */ class AccountsReportsSaved extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Generates a saved report. (saved.generate) * * @param string $name Required. Name of the saved report. Format: * accounts/{account}/reports/{report} * @param array $optParams Optional parameters. * * @opt_param string currencyCode The [ISO-4217 currency * code](https://en.wikipedia.org/wiki/ISO_4217) to use when reporting on * monetary metrics. Defaults to the account's currency if not set. * @opt_param string dateRange Date range of the report, if unset the range will * be considered CUSTOM. * @opt_param int endDate.day Day of a month. Must be from 1 to 31 and valid for * the year and month, or 0 to specify a year by itself or a year and month * where the day isn't significant. * @opt_param int endDate.month Month of a year. Must be from 1 to 12, or 0 to * specify a year without a month and day. * @opt_param int endDate.year Year of the date. Must be from 1 to 9999, or 0 to * specify a date without a year. * @opt_param string languageCode The language to use for translating report * output. If unspecified, this defaults to English ("en"). If the given * language is not supported, report output will be returned in English. The * language is specified as an [IETF BCP-47 language * code](https://en.wikipedia.org/wiki/IETF_language_tag). * @opt_param string reportingTimeZone Timezone in which to generate the report. * If unspecified, this defaults to the account timezone. For more information, * see [changing the time zone of your * reports](https://support.google.com/adsense/answer/9830725). * @opt_param int startDate.day Day of a month. Must be from 1 to 31 and valid * for the year and month, or 0 to specify a year by itself or a year and month * where the day isn't significant. * @opt_param int startDate.month Month of a year. Must be from 1 to 12, or 0 to * specify a year without a month and day. * @opt_param int startDate.year Year of the date. Must be from 1 to 9999, or 0 * to specify a date without a year. * @return ReportResult */ public function generate($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('generate', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ReportResult::class); } /** * Generates a csv formatted saved report. (saved.generateCsv) * * @param string $name Required. Name of the saved report. Format: * accounts/{account}/reports/{report} * @param array $optParams Optional parameters. * * @opt_param string currencyCode The [ISO-4217 currency * code](https://en.wikipedia.org/wiki/ISO_4217) to use when reporting on * monetary metrics. Defaults to the account's currency if not set. * @opt_param string dateRange Date range of the report, if unset the range will * be considered CUSTOM. * @opt_param int endDate.day Day of a month. Must be from 1 to 31 and valid for * the year and month, or 0 to specify a year by itself or a year and month * where the day isn't significant. * @opt_param int endDate.month Month of a year. Must be from 1 to 12, or 0 to * specify a year without a month and day. * @opt_param int endDate.year Year of the date. Must be from 1 to 9999, or 0 to * specify a date without a year. * @opt_param string languageCode The language to use for translating report * output. If unspecified, this defaults to English ("en"). If the given * language is not supported, report output will be returned in English. The * language is specified as an [IETF BCP-47 language * code](https://en.wikipedia.org/wiki/IETF_language_tag). * @opt_param string reportingTimeZone Timezone in which to generate the report. * If unspecified, this defaults to the account timezone. For more information, * see [changing the time zone of your * reports](https://support.google.com/adsense/answer/9830725). * @opt_param int startDate.day Day of a month. Must be from 1 to 31 and valid * for the year and month, or 0 to specify a year by itself or a year and month * where the day isn't significant. * @opt_param int startDate.month Month of a year. Must be from 1 to 12, or 0 to * specify a year without a month and day. * @opt_param int startDate.year Year of the date. Must be from 1 to 9999, or 0 * to specify a date without a year. * @return HttpBody */ public function generateCsv($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('generateCsv', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\HttpBody::class); } /** * Lists saved reports. (saved.listAccountsReportsSaved) * * @param string $parent Required. The account which owns the collection of * reports. Format: accounts/{account} * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of reports to include in the * response, used for paging. If unspecified, at most 10000 reports will be * returned. The maximum value is 10000; values above 10000 will be coerced to * 10000. * @opt_param string pageToken A page token, received from a previous * `ListPayments` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListPayments` must match the * call that provided the page token. * @return ListSavedReportsResponse */ public function listAccountsReportsSaved($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Adsense\ListSavedReportsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsReportsSaved::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Resource_AccountsReportsSaved'); google/apiclient-services/src/Adsense/Alert.php 0000644 00000004064 15054470473 0015557 0 ustar 00 message = $message; } /** * @return string */ public function getMessage() { return $this->message; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setSeverity($severity) { $this->severity = $severity; } /** * @return string */ public function getSeverity() { return $this->severity; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Alert::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Alert'); google/apiclient-services/src/Adsense/AdUnitAdCode.php 0000644 00000002360 15054470473 0016731 0 ustar 00 adCode = $adCode; } /** * @return string */ public function getAdCode() { return $this->adCode; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\AdUnitAdCode::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_AdUnitAdCode'); google/apiclient-services/src/Adsense/HttpBody.php 0000644 00000003613 15054470473 0016244 0 ustar 00 contentType = $contentType; } /** * @return string */ public function getContentType() { return $this->contentType; } /** * @param string */ public function setData($data) { $this->data = $data; } /** * @return string */ public function getData() { return $this->data; } /** * @param array[] */ public function setExtensions($extensions) { $this->extensions = $extensions; } /** * @return array[] */ public function getExtensions() { return $this->extensions; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\HttpBody::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_HttpBody'); google/apiclient-services/src/Adsense/ReportResult.php 0000644 00000010042 15054470473 0017153 0 ustar 00 averages = $averages; } /** * @return Row */ public function getAverages() { return $this->averages; } /** * @param Date */ public function setEndDate(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Date $endDate) { $this->endDate = $endDate; } /** * @return Date */ public function getEndDate() { return $this->endDate; } /** * @param Header[] */ public function setHeaders($headers) { $this->headers = $headers; } /** * @return Header[] */ public function getHeaders() { return $this->headers; } /** * @param Row[] */ public function setRows($rows) { $this->rows = $rows; } /** * @return Row[] */ public function getRows() { return $this->rows; } /** * @param Date */ public function setStartDate(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Date $startDate) { $this->startDate = $startDate; } /** * @return Date */ public function getStartDate() { return $this->startDate; } /** * @param string */ public function setTotalMatchedRows($totalMatchedRows) { $this->totalMatchedRows = $totalMatchedRows; } /** * @return string */ public function getTotalMatchedRows() { return $this->totalMatchedRows; } /** * @param Row */ public function setTotals(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Row $totals) { $this->totals = $totals; } /** * @return Row */ public function getTotals() { return $this->totals; } /** * @param string[] */ public function setWarnings($warnings) { $this->warnings = $warnings; } /** * @return string[] */ public function getWarnings() { return $this->warnings; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ReportResult::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ReportResult'); google/apiclient-services/src/Adsense/Account.php 0000644 00000006322 15054470473 0016103 0 ustar 00 createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string[] */ public function setPendingTasks($pendingTasks) { $this->pendingTasks = $pendingTasks; } /** * @return string[] */ public function getPendingTasks() { return $this->pendingTasks; } /** * @param bool */ public function setPremium($premium) { $this->premium = $premium; } /** * @return bool */ public function getPremium() { return $this->premium; } /** * @param string */ public function setState($state) { $this->state = $state; } /** * @return string */ public function getState() { return $this->state; } /** * @param TimeZone */ public function setTimeZone(\Google\Site_Kit_Dependencies\Google\Service\Adsense\TimeZone $timeZone) { $this->timeZone = $timeZone; } /** * @return TimeZone */ public function getTimeZone() { return $this->timeZone; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Account::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Account'); google/apiclient-services/src/Adsense/Row.php 0000644 00000002513 15054470473 0015254 0 ustar 00 cells = $cells; } /** * @return Cell[] */ public function getCells() { return $this->cells; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Row::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Row'); google/apiclient-services/src/Adsense/AdClientAdCode.php 0000644 00000003504 15054470473 0017231 0 ustar 00 adCode = $adCode; } /** * @return string */ public function getAdCode() { return $this->adCode; } /** * @param string */ public function setAmpBody($ampBody) { $this->ampBody = $ampBody; } /** * @return string */ public function getAmpBody() { return $this->ampBody; } /** * @param string */ public function setAmpHead($ampHead) { $this->ampHead = $ampHead; } /** * @return string */ public function getAmpHead() { return $this->ampHead; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\AdClientAdCode::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_AdClientAdCode'); google/apiclient-services/src/Adsense/Date.php 0000644 00000003323 15054470473 0015362 0 ustar 00 day = $day; } /** * @return int */ public function getDay() { return $this->day; } /** * @param int */ public function setMonth($month) { $this->month = $month; } /** * @return int */ public function getMonth() { return $this->month; } /** * @param int */ public function setYear($year) { $this->year = $year; } /** * @return int */ public function getYear() { return $this->year; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Date::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Date'); google/apiclient-services/src/Adsense/AdBlockingRecoveryTag.php 0000644 00000003161 15054470473 0020655 0 ustar 00 errorProtectionCode = $errorProtectionCode; } /** * @return string */ public function getErrorProtectionCode() { return $this->errorProtectionCode; } /** * @param string */ public function setTag($tag) { $this->tag = $tag; } /** * @return string */ public function getTag() { return $this->tag; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\AdBlockingRecoveryTag::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_AdBlockingRecoveryTag'); google/apiclient-services/src/Adsense/SavedReport.php 0000644 00000002770 15054470473 0016750 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setTitle($title) { $this->title = $title; } /** * @return string */ public function getTitle() { return $this->title; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\SavedReport::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_SavedReport'); google/apiclient-services/src/Adsense/ListPaymentsResponse.php 0000644 00000002642 15054470473 0020663 0 ustar 00 payments = $payments; } /** * @return Payment[] */ public function getPayments() { return $this->payments; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListPaymentsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListPaymentsResponse'); google/apiclient-services/src/Adsense/ListAccountsResponse.php 0000644 00000003363 15054470473 0020643 0 ustar 00 accounts = $accounts; } /** * @return Account[] */ public function getAccounts() { return $this->accounts; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListAccountsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListAccountsResponse'); google/apiclient-services/src/Adsense/ListSitesResponse.php 0000644 00000003306 15054470473 0020150 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param Site[] */ public function setSites($sites) { $this->sites = $sites; } /** * @return Site[] */ public function getSites() { return $this->sites; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListSitesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListSitesResponse'); google/apiclient-services/src/Adsense/Site.php 0000644 00000004727 15054470473 0015422 0 ustar 00 autoAdsEnabled = $autoAdsEnabled; } /** * @return bool */ public function getAutoAdsEnabled() { return $this->autoAdsEnabled; } /** * @param string */ public function setDomain($domain) { $this->domain = $domain; } /** * @return string */ public function getDomain() { return $this->domain; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setReportingDimensionId($reportingDimensionId) { $this->reportingDimensionId = $reportingDimensionId; } /** * @return string */ public function getReportingDimensionId() { return $this->reportingDimensionId; } /** * @param string */ public function setState($state) { $this->state = $state; } /** * @return string */ public function getState() { return $this->state; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Site::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Site'); google/apiclient-services/src/Adsense/ListSavedReportsResponse.php 0000644 00000003457 15054470473 0021511 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param SavedReport[] */ public function setSavedReports($savedReports) { $this->savedReports = $savedReports; } /** * @return SavedReport[] */ public function getSavedReports() { return $this->savedReports; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListSavedReportsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListSavedReportsResponse'); google/apiclient-services/src/Adsense/ListAdUnitsResponse.php 0000644 00000003344 15054470473 0020432 0 ustar 00 adUnits = $adUnits; } /** * @return AdUnit[] */ public function getAdUnits() { return $this->adUnits; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListAdUnitsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListAdUnitsResponse'); google/apiclient-services/src/Adsense/Header.php 0000644 00000003454 15054470473 0015702 0 ustar 00 currencyCode = $currencyCode; } /** * @return string */ public function getCurrencyCode() { return $this->currencyCode; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\Header::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_Header'); google/apiclient-services/src/Adsense/ListUrlChannelsResponse.php 0000644 00000003440 15054470473 0021276 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param UrlChannel[] */ public function setUrlChannels($urlChannels) { $this->urlChannels = $urlChannels; } /** * @return UrlChannel[] */ public function getUrlChannels() { return $this->urlChannels; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListUrlChannelsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListUrlChannelsResponse'); google/apiclient-services/src/Adsense/ListAlertsResponse.php 0000644 00000002604 15054470473 0020313 0 ustar 00 alerts = $alerts; } /** * @return Alert[] */ public function getAlerts() { return $this->alerts; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense\ListAlertsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense_ListAlertsResponse'); google/apiclient-services/src/AnalyticsReporting/DateRangeValues.php 0000644 00000003506 15054470473 0021761 0 ustar 00 pivotValueRegions = $pivotValueRegions; } /** * @return PivotValueRegion[] */ public function getPivotValueRegions() { return $this->pivotValueRegions; } /** * @param string[] */ public function setValues($values) { $this->values = $values; } /** * @return string[] */ public function getValues() { return $this->values; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\DateRangeValues::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_DateRangeValues'); google/apiclient-services/src/AnalyticsReporting/SegmentDefinition.php 0000644 00000003015 15054470473 0022355 0 ustar 00 segmentFilters = $segmentFilters; } /** * @return SegmentFilter[] */ public function getSegmentFilters() { return $this->segmentFilters; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SegmentDefinition::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_SegmentDefinition'); google/apiclient-services/src/AnalyticsReporting/GoalSetData.php 0000644 00000002633 15054470473 0021077 0 ustar 00 goals = $goals; } /** * @return GoalData[] */ public function getGoals() { return $this->goals; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\GoalSetData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_GoalSetData'); google/apiclient-services/src/AnalyticsReporting/DimensionFilter.php 0000644 00000005106 15054470473 0022040 0 ustar 00 caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string */ public function setDimensionName($dimensionName) { $this->dimensionName = $dimensionName; } /** * @return string */ public function getDimensionName() { return $this->dimensionName; } /** * @param string[] */ public function setExpressions($expressions) { $this->expressions = $expressions; } /** * @return string[] */ public function getExpressions() { return $this->expressions; } /** * @param bool */ public function setNot($not) { $this->not = $not; } /** * @return bool */ public function getNot() { return $this->not; } /** * @param string */ public function setOperator($operator) { $this->operator = $operator; } /** * @return string */ public function getOperator() { return $this->operator; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\DimensionFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_DimensionFilter'); google/apiclient-services/src/AnalyticsReporting/EventData.php 0000644 00000005060 15054470473 0020617 0 ustar 00 eventAction = $eventAction; } /** * @return string */ public function getEventAction() { return $this->eventAction; } /** * @param string */ public function setEventCategory($eventCategory) { $this->eventCategory = $eventCategory; } /** * @return string */ public function getEventCategory() { return $this->eventCategory; } /** * @param string */ public function setEventCount($eventCount) { $this->eventCount = $eventCount; } /** * @return string */ public function getEventCount() { return $this->eventCount; } /** * @param string */ public function setEventLabel($eventLabel) { $this->eventLabel = $eventLabel; } /** * @return string */ public function getEventLabel() { return $this->eventLabel; } /** * @param string */ public function setEventValue($eventValue) { $this->eventValue = $eventValue; } /** * @return string */ public function getEventValue() { return $this->eventValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\EventData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_EventData'); google/apiclient-services/src/AnalyticsReporting/MetricFilterClause.php 0000644 00000003374 15054470473 0022500 0 ustar 00 filters = $filters; } /** * @return MetricFilter[] */ public function getFilters() { return $this->filters; } /** * @param string */ public function setOperator($operator) { $this->operator = $operator; } /** * @return string */ public function getOperator() { return $this->operator; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\MetricFilterClause::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_MetricFilterClause'); google/apiclient-services/src/AnalyticsReporting/DimensionFilterClause.php 0000644 00000003416 15054470473 0023177 0 ustar 00 filters = $filters; } /** * @return DimensionFilter[] */ public function getFilters() { return $this->filters; } /** * @param string */ public function setOperator($operator) { $this->operator = $operator; } /** * @return string */ public function getOperator() { return $this->operator; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\DimensionFilterClause::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_DimensionFilterClause'); google/apiclient-services/src/AnalyticsReporting/GetReportsResponse.php 0000644 00000004563 15054470473 0022570 0 ustar 00 queryCost = $queryCost; } /** * @return int */ public function getQueryCost() { return $this->queryCost; } /** * @param Report[] */ public function setReports($reports) { $this->reports = $reports; } /** * @return Report[] */ public function getReports() { return $this->reports; } /** * @param ResourceQuotasRemaining */ public function setResourceQuotasRemaining(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\ResourceQuotasRemaining $resourceQuotasRemaining) { $this->resourceQuotasRemaining = $resourceQuotasRemaining; } /** * @return ResourceQuotasRemaining */ public function getResourceQuotasRemaining() { return $this->resourceQuotasRemaining; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\GetReportsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_GetReportsResponse'); google/apiclient-services/src/AnalyticsReporting/CustomDimension.php 0000644 00000003043 15054470473 0022063 0 ustar 00 index = $index; } /** * @return int */ public function getIndex() { return $this->index; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\CustomDimension::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_CustomDimension'); google/apiclient-services/src/AnalyticsReporting/UserActivitySession.php 0000644 00000006032 15054470473 0022743 0 ustar 00 activities = $activities; } /** * @return Activity[] */ public function getActivities() { return $this->activities; } /** * @param string */ public function setDataSource($dataSource) { $this->dataSource = $dataSource; } /** * @return string */ public function getDataSource() { return $this->dataSource; } /** * @param string */ public function setDeviceCategory($deviceCategory) { $this->deviceCategory = $deviceCategory; } /** * @return string */ public function getDeviceCategory() { return $this->deviceCategory; } /** * @param string */ public function setPlatform($platform) { $this->platform = $platform; } /** * @return string */ public function getPlatform() { return $this->platform; } /** * @param string */ public function setSessionDate($sessionDate) { $this->sessionDate = $sessionDate; } /** * @return string */ public function getSessionDate() { return $this->sessionDate; } /** * @param string */ public function setSessionId($sessionId) { $this->sessionId = $sessionId; } /** * @return string */ public function getSessionId() { return $this->sessionId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\UserActivitySession::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_UserActivitySession'); google/apiclient-services/src/AnalyticsReporting/PivotValueRegion.php 0000644 00000002522 15054470473 0022206 0 ustar 00 values = $values; } /** * @return string[] */ public function getValues() { return $this->values; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\PivotValueRegion::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_PivotValueRegion'); google/apiclient-services/src/AnalyticsReporting/SequenceSegment.php 0000644 00000004003 15054470473 0022033 0 ustar 00 firstStepShouldMatchFirstHit = $firstStepShouldMatchFirstHit; } /** * @return bool */ public function getFirstStepShouldMatchFirstHit() { return $this->firstStepShouldMatchFirstHit; } /** * @param SegmentSequenceStep[] */ public function setSegmentSequenceSteps($segmentSequenceSteps) { $this->segmentSequenceSteps = $segmentSequenceSteps; } /** * @return SegmentSequenceStep[] */ public function getSegmentSequenceSteps() { return $this->segmentSequenceSteps; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SequenceSegment::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_SequenceSegment'); google/apiclient-services/src/AnalyticsReporting/PivotHeaderEntry.php 0000644 00000004343 15054470473 0022203 0 ustar 00 dimensionNames = $dimensionNames; } /** * @return string[] */ public function getDimensionNames() { return $this->dimensionNames; } /** * @param string[] */ public function setDimensionValues($dimensionValues) { $this->dimensionValues = $dimensionValues; } /** * @return string[] */ public function getDimensionValues() { return $this->dimensionValues; } /** * @param MetricHeaderEntry */ public function setMetric(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\MetricHeaderEntry $metric) { $this->metric = $metric; } /** * @return MetricHeaderEntry */ public function getMetric() { return $this->metric; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\PivotHeaderEntry::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_PivotHeaderEntry'); google/apiclient-services/src/AnalyticsReporting/PageviewData.php 0000644 00000003124 15054470473 0021304 0 ustar 00 pagePath = $pagePath; } /** * @return string */ public function getPagePath() { return $this->pagePath; } /** * @param string */ public function setPageTitle($pageTitle) { $this->pageTitle = $pageTitle; } /** * @return string */ public function getPageTitle() { return $this->pageTitle; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\PageviewData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_PageviewData'); google/apiclient-services/src/AnalyticsReporting/GoalData.php 0000644 00000007074 15054470473 0020427 0 ustar 00 goalCompletionLocation = $goalCompletionLocation; } /** * @return string */ public function getGoalCompletionLocation() { return $this->goalCompletionLocation; } /** * @param string */ public function setGoalCompletions($goalCompletions) { $this->goalCompletions = $goalCompletions; } /** * @return string */ public function getGoalCompletions() { return $this->goalCompletions; } /** * @param int */ public function setGoalIndex($goalIndex) { $this->goalIndex = $goalIndex; } /** * @return int */ public function getGoalIndex() { return $this->goalIndex; } /** * @param string */ public function setGoalName($goalName) { $this->goalName = $goalName; } /** * @return string */ public function getGoalName() { return $this->goalName; } /** * @param string */ public function setGoalPreviousStep1($goalPreviousStep1) { $this->goalPreviousStep1 = $goalPreviousStep1; } /** * @return string */ public function getGoalPreviousStep1() { return $this->goalPreviousStep1; } /** * @param string */ public function setGoalPreviousStep2($goalPreviousStep2) { $this->goalPreviousStep2 = $goalPreviousStep2; } /** * @return string */ public function getGoalPreviousStep2() { return $this->goalPreviousStep2; } /** * @param string */ public function setGoalPreviousStep3($goalPreviousStep3) { $this->goalPreviousStep3 = $goalPreviousStep3; } /** * @return string */ public function getGoalPreviousStep3() { return $this->goalPreviousStep3; } public function setGoalValue($goalValue) { $this->goalValue = $goalValue; } public function getGoalValue() { return $this->goalValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\GoalData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_GoalData'); google/apiclient-services/src/AnalyticsReporting/Pivot.php 0000644 00000005750 15054470473 0020053 0 ustar 00 dimensionFilterClauses = $dimensionFilterClauses; } /** * @return DimensionFilterClause[] */ public function getDimensionFilterClauses() { return $this->dimensionFilterClauses; } /** * @param Dimension[] */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return Dimension[] */ public function getDimensions() { return $this->dimensions; } /** * @param int */ public function setMaxGroupCount($maxGroupCount) { $this->maxGroupCount = $maxGroupCount; } /** * @return int */ public function getMaxGroupCount() { return $this->maxGroupCount; } /** * @param Metric[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return Metric[] */ public function getMetrics() { return $this->metrics; } /** * @param int */ public function setStartGroup($startGroup) { $this->startGroup = $startGroup; } /** * @return int */ public function getStartGroup() { return $this->startGroup; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\Pivot::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_Pivot'); google/apiclient-services/src/AnalyticsReporting/MetricHeader.php 0000644 00000003760 15054470473 0021305 0 ustar 00 metricHeaderEntries = $metricHeaderEntries; } /** * @return MetricHeaderEntry[] */ public function getMetricHeaderEntries() { return $this->metricHeaderEntries; } /** * @param PivotHeader[] */ public function setPivotHeaders($pivotHeaders) { $this->pivotHeaders = $pivotHeaders; } /** * @return PivotHeader[] */ public function getPivotHeaders() { return $this->pivotHeaders; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\MetricHeader::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_MetricHeader'); google/apiclient-services/src/AnalyticsReporting/Resource/UserActivity.php 0000644 00000004065 15054470473 0023172 0 ustar 00 * $analyticsreportingService = new Google\Service\AnalyticsReporting(...); * $userActivity = $analyticsreportingService->userActivity; * */ class UserActivity extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Returns User Activity data. (userActivity.search) * * @param SearchUserActivityRequest $postBody * @param array $optParams Optional parameters. * @return SearchUserActivityResponse */ public function search(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SearchUserActivityRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('search', [$params], \Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SearchUserActivityResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\Resource\UserActivity::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_Resource_UserActivity'); google/apiclient-services/src/AnalyticsReporting/Resource/Reports.php 0000644 00000003750 15054470473 0022175 0 ustar 00 * $analyticsreportingService = new Google\Service\AnalyticsReporting(...); * $reports = $analyticsreportingService->reports; * */ class Reports extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Returns the Analytics data. (reports.batchGet) * * @param GetReportsRequest $postBody * @param array $optParams Optional parameters. * @return GetReportsResponse */ public function batchGet(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\GetReportsRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchGet', [$params], \Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\GetReportsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\Resource\Reports::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_Resource_Reports'); google/apiclient-services/src/AnalyticsReporting/ProductData.php 0000644 00000004241 15054470473 0021156 0 ustar 00 itemRevenue = $itemRevenue; } public function getItemRevenue() { return $this->itemRevenue; } /** * @param string */ public function setProductName($productName) { $this->productName = $productName; } /** * @return string */ public function getProductName() { return $this->productName; } /** * @param string */ public function setProductQuantity($productQuantity) { $this->productQuantity = $productQuantity; } /** * @return string */ public function getProductQuantity() { return $this->productQuantity; } /** * @param string */ public function setProductSku($productSku) { $this->productSku = $productSku; } /** * @return string */ public function getProductSku() { return $this->productSku; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\ProductData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_ProductData'); google/apiclient-services/src/AnalyticsReporting/TransactionData.php 0000644 00000004110 15054470473 0022016 0 ustar 00 transactionId = $transactionId; } /** * @return string */ public function getTransactionId() { return $this->transactionId; } public function setTransactionRevenue($transactionRevenue) { $this->transactionRevenue = $transactionRevenue; } public function getTransactionRevenue() { return $this->transactionRevenue; } public function setTransactionShipping($transactionShipping) { $this->transactionShipping = $transactionShipping; } public function getTransactionShipping() { return $this->transactionShipping; } public function setTransactionTax($transactionTax) { $this->transactionTax = $transactionTax; } public function getTransactionTax() { return $this->transactionTax; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\TransactionData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_TransactionData'); google/apiclient-services/src/AnalyticsReporting/EcommerceData.php 0000644 00000005135 15054470473 0021440 0 ustar 00 actionType = $actionType; } /** * @return string */ public function getActionType() { return $this->actionType; } /** * @param string */ public function setEcommerceType($ecommerceType) { $this->ecommerceType = $ecommerceType; } /** * @return string */ public function getEcommerceType() { return $this->ecommerceType; } /** * @param ProductData[] */ public function setProducts($products) { $this->products = $products; } /** * @return ProductData[] */ public function getProducts() { return $this->products; } /** * @param TransactionData */ public function setTransaction(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\TransactionData $transaction) { $this->transaction = $transaction; } /** * @return TransactionData */ public function getTransaction() { return $this->transaction; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\EcommerceData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_EcommerceData'); google/apiclient-services/src/AnalyticsReporting/SegmentSequenceStep.php 0000644 00000003607 15054470473 0022700 0 ustar 00 matchType = $matchType; } /** * @return string */ public function getMatchType() { return $this->matchType; } /** * @param OrFiltersForSegment[] */ public function setOrFiltersForSegment($orFiltersForSegment) { $this->orFiltersForSegment = $orFiltersForSegment; } /** * @return OrFiltersForSegment[] */ public function getOrFiltersForSegment() { return $this->orFiltersForSegment; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SegmentSequenceStep::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_SegmentSequenceStep'); google/apiclient-services/src/AnalyticsReporting/ScreenviewData.php 0000644 00000004511 15054470473 0021650 0 ustar 00 appName = $appName; } /** * @return string */ public function getAppName() { return $this->appName; } /** * @param string */ public function setMobileDeviceBranding($mobileDeviceBranding) { $this->mobileDeviceBranding = $mobileDeviceBranding; } /** * @return string */ public function getMobileDeviceBranding() { return $this->mobileDeviceBranding; } /** * @param string */ public function setMobileDeviceModel($mobileDeviceModel) { $this->mobileDeviceModel = $mobileDeviceModel; } /** * @return string */ public function getMobileDeviceModel() { return $this->mobileDeviceModel; } /** * @param string */ public function setScreenName($screenName) { $this->screenName = $screenName; } /** * @return string */ public function getScreenName() { return $this->screenName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\ScreenviewData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_ScreenviewData'); google/apiclient-services/src/AnalyticsReporting/SegmentFilterClause.php 0000644 00000004565 15054470473 0022662 0 ustar 00 dimensionFilter = $dimensionFilter; } /** * @return SegmentDimensionFilter */ public function getDimensionFilter() { return $this->dimensionFilter; } /** * @param SegmentMetricFilter */ public function setMetricFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SegmentMetricFilter $metricFilter) { $this->metricFilter = $metricFilter; } /** * @return SegmentMetricFilter */ public function getMetricFilter() { return $this->metricFilter; } /** * @param bool */ public function setNot($not) { $this->not = $not; } /** * @return bool */ public function getNot() { return $this->not; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SegmentFilterClause::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_SegmentFilterClause'); google/apiclient-services/src/AnalyticsReporting/User.php 0000644 00000003013 15054470473 0017656 0 ustar 00 type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUserId($userId) { $this->userId = $userId; } /** * @return string */ public function getUserId() { return $this->userId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\User::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_User'); google/apiclient-services/src/AnalyticsReporting/ReportRow.php 0000644 00000003376 15054470473 0020717 0 ustar 00 dimensions = $dimensions; } /** * @return string[] */ public function getDimensions() { return $this->dimensions; } /** * @param DateRangeValues[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return DateRangeValues[] */ public function getMetrics() { return $this->metrics; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\ReportRow::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_ReportRow'); google/apiclient-services/src/AnalyticsReporting/PivotHeader.php 0000644 00000003650 15054470473 0021161 0 ustar 00 pivotHeaderEntries = $pivotHeaderEntries; } /** * @return PivotHeaderEntry[] */ public function getPivotHeaderEntries() { return $this->pivotHeaderEntries; } /** * @param int */ public function setTotalPivotGroupsCount($totalPivotGroupsCount) { $this->totalPivotGroupsCount = $totalPivotGroupsCount; } /** * @return int */ public function getTotalPivotGroupsCount() { return $this->totalPivotGroupsCount; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\PivotHeader::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_PivotHeader'); google/apiclient-services/src/AnalyticsReporting/CohortGroup.php 0000644 00000003362 15054470473 0021222 0 ustar 00 cohorts = $cohorts; } /** * @return Cohort[] */ public function getCohorts() { return $this->cohorts; } /** * @param bool */ public function setLifetimeValue($lifetimeValue) { $this->lifetimeValue = $lifetimeValue; } /** * @return bool */ public function getLifetimeValue() { return $this->lifetimeValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\CohortGroup::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_CohortGroup'); google/apiclient-services/src/AnalyticsReporting/GetReportsRequest.php 0000644 00000003564 15054470473 0022422 0 ustar 00 reportRequests = $reportRequests; } /** * @return ReportRequest[] */ public function getReportRequests() { return $this->reportRequests; } /** * @param bool */ public function setUseResourceQuotas($useResourceQuotas) { $this->useResourceQuotas = $useResourceQuotas; } /** * @return bool */ public function getUseResourceQuotas() { return $this->useResourceQuotas; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\GetReportsRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_GetReportsRequest'); google/apiclient-services/src/AnalyticsReporting/SearchUserActivityResponse.php 0000644 00000004517 15054470473 0024252 0 ustar 00 nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } public function setSampleRate($sampleRate) { $this->sampleRate = $sampleRate; } public function getSampleRate() { return $this->sampleRate; } /** * @param UserActivitySession[] */ public function setSessions($sessions) { $this->sessions = $sessions; } /** * @return UserActivitySession[] */ public function getSessions() { return $this->sessions; } /** * @param int */ public function setTotalRows($totalRows) { $this->totalRows = $totalRows; } /** * @return int */ public function getTotalRows() { return $this->totalRows; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SearchUserActivityResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_SearchUserActivityResponse'); google/apiclient-services/src/AnalyticsReporting/SegmentMetricFilter.php 0000644 00000005134 15054470473 0022662 0 ustar 00 comparisonValue = $comparisonValue; } /** * @return string */ public function getComparisonValue() { return $this->comparisonValue; } /** * @param string */ public function setMaxComparisonValue($maxComparisonValue) { $this->maxComparisonValue = $maxComparisonValue; } /** * @return string */ public function getMaxComparisonValue() { return $this->maxComparisonValue; } /** * @param string */ public function setMetricName($metricName) { $this->metricName = $metricName; } /** * @return string */ public function getMetricName() { return $this->metricName; } /** * @param string */ public function setOperator($operator) { $this->operator = $operator; } /** * @return string */ public function getOperator() { return $this->operator; } /** * @param string */ public function setScope($scope) { $this->scope = $scope; } /** * @return string */ public function getScope() { return $this->scope; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SegmentMetricFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_SegmentMetricFilter'); google/apiclient-services/src/AnalyticsReporting/OrderBy.php 0000644 00000003601 15054470473 0020311 0 ustar 00 fieldName = $fieldName; } /** * @return string */ public function getFieldName() { return $this->fieldName; } /** * @param string */ public function setOrderType($orderType) { $this->orderType = $orderType; } /** * @return string */ public function getOrderType() { return $this->orderType; } /** * @param string */ public function setSortOrder($sortOrder) { $this->sortOrder = $sortOrder; } /** * @return string */ public function getSortOrder() { return $this->sortOrder; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\OrderBy::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_OrderBy'); google/apiclient-services/src/AnalyticsReporting/MetricFilter.php 0000644 00000004277 15054470473 0021346 0 ustar 00 comparisonValue = $comparisonValue; } /** * @return string */ public function getComparisonValue() { return $this->comparisonValue; } /** * @param string */ public function setMetricName($metricName) { $this->metricName = $metricName; } /** * @return string */ public function getMetricName() { return $this->metricName; } /** * @param bool */ public function setNot($not) { $this->not = $not; } /** * @return bool */ public function getNot() { return $this->not; } /** * @param string */ public function setOperator($operator) { $this->operator = $operator; } /** * @return string */ public function getOperator() { return $this->operator; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\MetricFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_MetricFilter'); google/apiclient-services/src/AnalyticsReporting/SegmentFilter.php 0000644 00000004467 15054470473 0021526 0 ustar 00 not = $not; } /** * @return bool */ public function getNot() { return $this->not; } /** * @param SequenceSegment */ public function setSequenceSegment(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SequenceSegment $sequenceSegment) { $this->sequenceSegment = $sequenceSegment; } /** * @return SequenceSegment */ public function getSequenceSegment() { return $this->sequenceSegment; } /** * @param SimpleSegment */ public function setSimpleSegment(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SimpleSegment $simpleSegment) { $this->simpleSegment = $simpleSegment; } /** * @return SimpleSegment */ public function getSimpleSegment() { return $this->simpleSegment; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SegmentFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_SegmentFilter'); google/apiclient-services/src/AnalyticsReporting/OrFiltersForSegment.php 0000644 00000003133 15054470473 0022646 0 ustar 00 segmentFilterClauses = $segmentFilterClauses; } /** * @return SegmentFilterClause[] */ public function getSegmentFilterClauses() { return $this->segmentFilterClauses; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\OrFiltersForSegment::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_OrFiltersForSegment'); google/apiclient-services/src/AnalyticsReporting/SimpleSegment.php 0000644 00000003100 15054470473 0021511 0 ustar 00 orFiltersForSegment = $orFiltersForSegment; } /** * @return OrFiltersForSegment[] */ public function getOrFiltersForSegment() { return $this->orFiltersForSegment; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SimpleSegment::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_SimpleSegment'); google/apiclient-services/src/AnalyticsReporting/Dimension.php 0000644 00000003237 15054470473 0020675 0 ustar 00 histogramBuckets = $histogramBuckets; } /** * @return string[] */ public function getHistogramBuckets() { return $this->histogramBuckets; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\Dimension::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_Dimension'); google/apiclient-services/src/AnalyticsReporting/Segment.php 0000644 00000003466 15054470473 0020356 0 ustar 00 dynamicSegment = $dynamicSegment; } /** * @return DynamicSegment */ public function getDynamicSegment() { return $this->dynamicSegment; } /** * @param string */ public function setSegmentId($segmentId) { $this->segmentId = $segmentId; } /** * @return string */ public function getSegmentId() { return $this->segmentId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\Segment::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_Segment'); google/apiclient-services/src/AnalyticsReporting/ResourceQuotasRemaining.php 0000644 00000003521 15054470473 0023562 0 ustar 00 dailyQuotaTokensRemaining = $dailyQuotaTokensRemaining; } /** * @return int */ public function getDailyQuotaTokensRemaining() { return $this->dailyQuotaTokensRemaining; } /** * @param int */ public function setHourlyQuotaTokensRemaining($hourlyQuotaTokensRemaining) { $this->hourlyQuotaTokensRemaining = $hourlyQuotaTokensRemaining; } /** * @return int */ public function getHourlyQuotaTokensRemaining() { return $this->hourlyQuotaTokensRemaining; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\ResourceQuotasRemaining::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_ResourceQuotasRemaining'); google/apiclient-services/src/AnalyticsReporting/Activity.php 0000644 00000015145 15054470473 0020545 0 ustar 00 activityTime = $activityTime; } /** * @return string */ public function getActivityTime() { return $this->activityTime; } /** * @param string */ public function setActivityType($activityType) { $this->activityType = $activityType; } /** * @return string */ public function getActivityType() { return $this->activityType; } /** * @param ScreenviewData */ public function setAppview(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\ScreenviewData $appview) { $this->appview = $appview; } /** * @return ScreenviewData */ public function getAppview() { return $this->appview; } /** * @param string */ public function setCampaign($campaign) { $this->campaign = $campaign; } /** * @return string */ public function getCampaign() { return $this->campaign; } /** * @param string */ public function setChannelGrouping($channelGrouping) { $this->channelGrouping = $channelGrouping; } /** * @return string */ public function getChannelGrouping() { return $this->channelGrouping; } /** * @param CustomDimension[] */ public function setCustomDimension($customDimension) { $this->customDimension = $customDimension; } /** * @return CustomDimension[] */ public function getCustomDimension() { return $this->customDimension; } /** * @param EcommerceData */ public function setEcommerce(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\EcommerceData $ecommerce) { $this->ecommerce = $ecommerce; } /** * @return EcommerceData */ public function getEcommerce() { return $this->ecommerce; } /** * @param EventData */ public function setEvent(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\EventData $event) { $this->event = $event; } /** * @return EventData */ public function getEvent() { return $this->event; } /** * @param GoalSetData */ public function setGoals(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\GoalSetData $goals) { $this->goals = $goals; } /** * @return GoalSetData */ public function getGoals() { return $this->goals; } /** * @param string */ public function setHostname($hostname) { $this->hostname = $hostname; } /** * @return string */ public function getHostname() { return $this->hostname; } /** * @param string */ public function setKeyword($keyword) { $this->keyword = $keyword; } /** * @return string */ public function getKeyword() { return $this->keyword; } /** * @param string */ public function setLandingPagePath($landingPagePath) { $this->landingPagePath = $landingPagePath; } /** * @return string */ public function getLandingPagePath() { return $this->landingPagePath; } /** * @param string */ public function setMedium($medium) { $this->medium = $medium; } /** * @return string */ public function getMedium() { return $this->medium; } /** * @param PageviewData */ public function setPageview(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\PageviewData $pageview) { $this->pageview = $pageview; } /** * @return PageviewData */ public function getPageview() { return $this->pageview; } /** * @param string */ public function setSource($source) { $this->source = $source; } /** * @return string */ public function getSource() { return $this->source; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\Activity::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_Activity'); google/apiclient-services/src/AnalyticsReporting/DateRange.php 0000644 00000003104 15054470473 0020573 0 ustar 00 endDate = $endDate; } /** * @return string */ public function getEndDate() { return $this->endDate; } /** * @param string */ public function setStartDate($startDate) { $this->startDate = $startDate; } /** * @return string */ public function getStartDate() { return $this->startDate; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\DateRange::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_DateRange'); google/apiclient-services/src/AnalyticsReporting/SegmentDimensionFilter.php 0000644 00000006076 15054470473 0023372 0 ustar 00 caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string */ public function setDimensionName($dimensionName) { $this->dimensionName = $dimensionName; } /** * @return string */ public function getDimensionName() { return $this->dimensionName; } /** * @param string[] */ public function setExpressions($expressions) { $this->expressions = $expressions; } /** * @return string[] */ public function getExpressions() { return $this->expressions; } /** * @param string */ public function setMaxComparisonValue($maxComparisonValue) { $this->maxComparisonValue = $maxComparisonValue; } /** * @return string */ public function getMaxComparisonValue() { return $this->maxComparisonValue; } /** * @param string */ public function setMinComparisonValue($minComparisonValue) { $this->minComparisonValue = $minComparisonValue; } /** * @return string */ public function getMinComparisonValue() { return $this->minComparisonValue; } /** * @param string */ public function setOperator($operator) { $this->operator = $operator; } /** * @return string */ public function getOperator() { return $this->operator; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SegmentDimensionFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_SegmentDimensionFilter'); google/apiclient-services/src/AnalyticsReporting/ReportData.php 0000644 00000011216 15054470473 0021011 0 ustar 00 dataLastRefreshed = $dataLastRefreshed; } /** * @return string */ public function getDataLastRefreshed() { return $this->dataLastRefreshed; } /** * @param string */ public function setEmptyReason($emptyReason) { $this->emptyReason = $emptyReason; } /** * @return string */ public function getEmptyReason() { return $this->emptyReason; } /** * @param bool */ public function setIsDataGolden($isDataGolden) { $this->isDataGolden = $isDataGolden; } /** * @return bool */ public function getIsDataGolden() { return $this->isDataGolden; } /** * @param DateRangeValues[] */ public function setMaximums($maximums) { $this->maximums = $maximums; } /** * @return DateRangeValues[] */ public function getMaximums() { return $this->maximums; } /** * @param DateRangeValues[] */ public function setMinimums($minimums) { $this->minimums = $minimums; } /** * @return DateRangeValues[] */ public function getMinimums() { return $this->minimums; } /** * @param int */ public function setRowCount($rowCount) { $this->rowCount = $rowCount; } /** * @return int */ public function getRowCount() { return $this->rowCount; } /** * @param ReportRow[] */ public function setRows($rows) { $this->rows = $rows; } /** * @return ReportRow[] */ public function getRows() { return $this->rows; } /** * @param string[] */ public function setSamplesReadCounts($samplesReadCounts) { $this->samplesReadCounts = $samplesReadCounts; } /** * @return string[] */ public function getSamplesReadCounts() { return $this->samplesReadCounts; } /** * @param string[] */ public function setSamplingSpaceSizes($samplingSpaceSizes) { $this->samplingSpaceSizes = $samplingSpaceSizes; } /** * @return string[] */ public function getSamplingSpaceSizes() { return $this->samplingSpaceSizes; } /** * @param DateRangeValues[] */ public function setTotals($totals) { $this->totals = $totals; } /** * @return DateRangeValues[] */ public function getTotals() { return $this->totals; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\ReportData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_ReportData'); google/apiclient-services/src/AnalyticsReporting/Metric.php 0000644 00000003614 15054470473 0020172 0 ustar 00 alias = $alias; } /** * @return string */ public function getAlias() { return $this->alias; } /** * @param string */ public function setExpression($expression) { $this->expression = $expression; } /** * @return string */ public function getExpression() { return $this->expression; } /** * @param string */ public function setFormattingType($formattingType) { $this->formattingType = $formattingType; } /** * @return string */ public function getFormattingType() { return $this->formattingType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\Metric::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_Metric'); google/apiclient-services/src/AnalyticsReporting/ColumnHeader.php 0000644 00000003555 15054470473 0021321 0 ustar 00 dimensions = $dimensions; } /** * @return string[] */ public function getDimensions() { return $this->dimensions; } /** * @param MetricHeader */ public function setMetricHeader(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\MetricHeader $metricHeader) { $this->metricHeader = $metricHeader; } /** * @return MetricHeader */ public function getMetricHeader() { return $this->metricHeader; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\ColumnHeader::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_ColumnHeader'); google/apiclient-services/src/AnalyticsReporting/Report.php 0000644 00000004366 15054470473 0020227 0 ustar 00 columnHeader = $columnHeader; } /** * @return ColumnHeader */ public function getColumnHeader() { return $this->columnHeader; } /** * @param ReportData */ public function setData(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\ReportData $data) { $this->data = $data; } /** * @return ReportData */ public function getData() { return $this->data; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\Report::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_Report'); google/apiclient-services/src/AnalyticsReporting/Cohort.php 0000644 00000003746 15054470473 0020213 0 ustar 00 dateRange = $dateRange; } /** * @return DateRange */ public function getDateRange() { return $this->dateRange; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\Cohort::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_Cohort'); google/apiclient-services/src/AnalyticsReporting/MetricHeaderEntry.php 0000644 00000003044 15054470473 0022322 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\MetricHeaderEntry::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_MetricHeaderEntry'); google/apiclient-services/src/AnalyticsReporting/SearchUserActivityRequest.php 0000644 00000006251 15054470473 0024101 0 ustar 00 activityTypes = $activityTypes; } /** * @return string[] */ public function getActivityTypes() { return $this->activityTypes; } /** * @param DateRange */ public function setDateRange(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\DateRange $dateRange) { $this->dateRange = $dateRange; } /** * @return DateRange */ public function getDateRange() { return $this->dateRange; } /** * @param int */ public function setPageSize($pageSize) { $this->pageSize = $pageSize; } /** * @return int */ public function getPageSize() { return $this->pageSize; } /** * @param string */ public function setPageToken($pageToken) { $this->pageToken = $pageToken; } /** * @return string */ public function getPageToken() { return $this->pageToken; } /** * @param User */ public function setUser(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\User $user) { $this->user = $user; } /** * @return User */ public function getUser() { return $this->user; } /** * @param string */ public function setViewId($viewId) { $this->viewId = $viewId; } /** * @return string */ public function getViewId() { return $this->viewId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SearchUserActivityRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_SearchUserActivityRequest'); google/apiclient-services/src/AnalyticsReporting/DynamicSegment.php 0000644 00000004507 15054470473 0021660 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param SegmentDefinition */ public function setSessionSegment(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SegmentDefinition $sessionSegment) { $this->sessionSegment = $sessionSegment; } /** * @return SegmentDefinition */ public function getSessionSegment() { return $this->sessionSegment; } /** * @param SegmentDefinition */ public function setUserSegment(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\SegmentDefinition $userSegment) { $this->userSegment = $userSegment; } /** * @return SegmentDefinition */ public function getUserSegment() { return $this->userSegment; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\DynamicSegment::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_DynamicSegment'); google/apiclient-services/src/AnalyticsReporting/ReportRequest.php 0000644 00000017005 15054470473 0021572 0 ustar 00 cohortGroup = $cohortGroup; } /** * @return CohortGroup */ public function getCohortGroup() { return $this->cohortGroup; } /** * @param DateRange[] */ public function setDateRanges($dateRanges) { $this->dateRanges = $dateRanges; } /** * @return DateRange[] */ public function getDateRanges() { return $this->dateRanges; } /** * @param DimensionFilterClause[] */ public function setDimensionFilterClauses($dimensionFilterClauses) { $this->dimensionFilterClauses = $dimensionFilterClauses; } /** * @return DimensionFilterClause[] */ public function getDimensionFilterClauses() { return $this->dimensionFilterClauses; } /** * @param Dimension[] */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return Dimension[] */ public function getDimensions() { return $this->dimensions; } /** * @param string */ public function setFiltersExpression($filtersExpression) { $this->filtersExpression = $filtersExpression; } /** * @return string */ public function getFiltersExpression() { return $this->filtersExpression; } /** * @param bool */ public function setHideTotals($hideTotals) { $this->hideTotals = $hideTotals; } /** * @return bool */ public function getHideTotals() { return $this->hideTotals; } /** * @param bool */ public function setHideValueRanges($hideValueRanges) { $this->hideValueRanges = $hideValueRanges; } /** * @return bool */ public function getHideValueRanges() { return $this->hideValueRanges; } /** * @param bool */ public function setIncludeEmptyRows($includeEmptyRows) { $this->includeEmptyRows = $includeEmptyRows; } /** * @return bool */ public function getIncludeEmptyRows() { return $this->includeEmptyRows; } /** * @param MetricFilterClause[] */ public function setMetricFilterClauses($metricFilterClauses) { $this->metricFilterClauses = $metricFilterClauses; } /** * @return MetricFilterClause[] */ public function getMetricFilterClauses() { return $this->metricFilterClauses; } /** * @param Metric[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return Metric[] */ public function getMetrics() { return $this->metrics; } /** * @param OrderBy[] */ public function setOrderBys($orderBys) { $this->orderBys = $orderBys; } /** * @return OrderBy[] */ public function getOrderBys() { return $this->orderBys; } /** * @param int */ public function setPageSize($pageSize) { $this->pageSize = $pageSize; } /** * @return int */ public function getPageSize() { return $this->pageSize; } /** * @param string */ public function setPageToken($pageToken) { $this->pageToken = $pageToken; } /** * @return string */ public function getPageToken() { return $this->pageToken; } /** * @param Pivot[] */ public function setPivots($pivots) { $this->pivots = $pivots; } /** * @return Pivot[] */ public function getPivots() { return $this->pivots; } /** * @param string */ public function setSamplingLevel($samplingLevel) { $this->samplingLevel = $samplingLevel; } /** * @return string */ public function getSamplingLevel() { return $this->samplingLevel; } /** * @param Segment[] */ public function setSegments($segments) { $this->segments = $segments; } /** * @return Segment[] */ public function getSegments() { return $this->segments; } /** * @param string */ public function setViewId($viewId) { $this->viewId = $viewId; } /** * @return string */ public function getViewId() { return $this->viewId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\ReportRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting_ReportRequest'); google/apiclient-services/src/TagManager.php 0000644 00000067101 15054470473 0015135 0 ustar 00 * This API allows clients to access and modify container and tag configuration. * ** For more information about this service, see the API * Documentation *
* * @author Google, Inc. */ class TagManager extends \Google\Site_Kit_Dependencies\Google\Service { /** Delete your Google Tag Manager containers. */ const TAGMANAGER_DELETE_CONTAINERS = "https://www.googleapis.com/auth/tagmanager.delete.containers"; /** Manage your Google Tag Manager container and its subcomponents, excluding versioning and publishing. */ const TAGMANAGER_EDIT_CONTAINERS = "https://www.googleapis.com/auth/tagmanager.edit.containers"; /** Manage your Google Tag Manager container versions. */ const TAGMANAGER_EDIT_CONTAINERVERSIONS = "https://www.googleapis.com/auth/tagmanager.edit.containerversions"; /** View and manage your Google Tag Manager accounts. */ const TAGMANAGER_MANAGE_ACCOUNTS = "https://www.googleapis.com/auth/tagmanager.manage.accounts"; /** Manage user permissions of your Google Tag Manager account and container. */ const TAGMANAGER_MANAGE_USERS = "https://www.googleapis.com/auth/tagmanager.manage.users"; /** Publish your Google Tag Manager container versions. */ const TAGMANAGER_PUBLISH = "https://www.googleapis.com/auth/tagmanager.publish"; /** View your Google Tag Manager container and its subcomponents. */ const TAGMANAGER_READONLY = "https://www.googleapis.com/auth/tagmanager.readonly"; public $accounts; public $accounts_containers; public $accounts_containers_destinations; public $accounts_containers_environments; public $accounts_containers_version_headers; public $accounts_containers_versions; public $accounts_containers_workspaces; public $accounts_containers_workspaces_built_in_variables; public $accounts_containers_workspaces_clients; public $accounts_containers_workspaces_folders; public $accounts_containers_workspaces_gtag_config; public $accounts_containers_workspaces_tags; public $accounts_containers_workspaces_templates; public $accounts_containers_workspaces_triggers; public $accounts_containers_workspaces_variables; public $accounts_containers_workspaces_zones; public $accounts_user_permissions; /** * Constructs the internal representation of the TagManager service. * * @param Client|array $clientOrConfig The client used to deliver requests, or a * config array to pass to a new Client instance. * @param string $rootUrl The root URL used for requests to the service. */ public function __construct($clientOrConfig = [], $rootUrl = null) { parent::__construct($clientOrConfig); $this->rootUrl = $rootUrl ?: 'https://tagmanager.googleapis.com/'; $this->servicePath = ''; $this->batchPath = 'batch'; $this->version = 'v2'; $this->serviceName = 'tagmanager'; $this->accounts = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\Accounts($this, $this->serviceName, 'accounts', ['methods' => ['get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/accounts', 'httpMethod' => 'GET', 'parameters' => ['includeGoogleTags' => ['location' => 'query', 'type' => 'boolean'], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainers($this, $this->serviceName, 'containers', ['methods' => ['combine' => ['path' => 'tagmanager/v2/{+path}:combine', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'allowUserPermissionFeatureUpdate' => ['location' => 'query', 'type' => 'boolean'], 'containerId' => ['location' => 'query', 'type' => 'string'], 'settingSource' => ['location' => 'query', 'type' => 'string']]], 'create' => ['path' => 'tagmanager/v2/{+parent}/containers', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/containers', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'lookup' => ['path' => 'tagmanager/v2/accounts/containers:lookup', 'httpMethod' => 'GET', 'parameters' => ['destinationId' => ['location' => 'query', 'type' => 'string']]], 'move_tag_id' => ['path' => 'tagmanager/v2/{+path}:move_tag_id', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'allowUserPermissionFeatureUpdate' => ['location' => 'query', 'type' => 'boolean'], 'copySettings' => ['location' => 'query', 'type' => 'boolean'], 'copyTermsOfService' => ['location' => 'query', 'type' => 'boolean'], 'copyUsers' => ['location' => 'query', 'type' => 'boolean'], 'tagId' => ['location' => 'query', 'type' => 'string'], 'tagName' => ['location' => 'query', 'type' => 'string']]], 'snippet' => ['path' => 'tagmanager/v2/{+path}:snippet', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_destinations = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersDestinations($this, $this->serviceName, 'destinations', ['methods' => ['get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'link' => ['path' => 'tagmanager/v2/{+parent}/destinations:link', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'allowUserPermissionFeatureUpdate' => ['location' => 'query', 'type' => 'boolean'], 'destinationId' => ['location' => 'query', 'type' => 'string']]], 'list' => ['path' => 'tagmanager/v2/{+parent}/destinations', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->accounts_containers_environments = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersEnvironments($this, $this->serviceName, 'environments', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/environments', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/environments', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'reauthorize' => ['path' => 'tagmanager/v2/{+path}:reauthorize', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_version_headers = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersVersionHeaders($this, $this->serviceName, 'version_headers', ['methods' => ['latest' => ['path' => 'tagmanager/v2/{+parent}/version_headers:latest', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/version_headers', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'includeDeleted' => ['location' => 'query', 'type' => 'boolean'], 'pageToken' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_versions = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersVersions($this, $this->serviceName, 'versions', ['methods' => ['delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'containerVersionId' => ['location' => 'query', 'type' => 'string']]], 'live' => ['path' => 'tagmanager/v2/{+parent}/versions:live', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'publish' => ['path' => 'tagmanager/v2/{+path}:publish', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]], 'set_latest' => ['path' => 'tagmanager/v2/{+path}:set_latest', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'undelete' => ['path' => 'tagmanager/v2/{+path}:undelete', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_workspaces = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspaces($this, $this->serviceName, 'workspaces', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/workspaces', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'create_version' => ['path' => 'tagmanager/v2/{+path}:create_version', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'getStatus' => ['path' => 'tagmanager/v2/{+path}/status', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/workspaces', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'quick_preview' => ['path' => 'tagmanager/v2/{+path}:quick_preview', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'resolve_conflict' => ['path' => 'tagmanager/v2/{+path}:resolve_conflict', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]], 'sync' => ['path' => 'tagmanager/v2/{+path}:sync', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_workspaces_built_in_variables = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesBuiltInVariables($this, $this->serviceName, 'built_in_variables', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/built_in_variables', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'type' => ['location' => 'query', 'type' => 'string', 'repeated' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'type' => ['location' => 'query', 'type' => 'string', 'repeated' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/built_in_variables', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'revert' => ['path' => 'tagmanager/v2/{+path}/built_in_variables:revert', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'type' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_workspaces_clients = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesClients($this, $this->serviceName, 'clients', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/clients', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/clients', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'revert' => ['path' => 'tagmanager/v2/{+path}:revert', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_workspaces_folders = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesFolders($this, $this->serviceName, 'folders', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/folders', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'entities' => ['path' => 'tagmanager/v2/{+path}:entities', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/folders', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'move_entities_to_folder' => ['path' => 'tagmanager/v2/{+path}:move_entities_to_folder', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'tagId' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'triggerId' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'variableId' => ['location' => 'query', 'type' => 'string', 'repeated' => \true]]], 'revert' => ['path' => 'tagmanager/v2/{+path}:revert', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_workspaces_gtag_config = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesGtagConfig($this, $this->serviceName, 'gtag_config', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/gtag_config', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/gtag_config', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_workspaces_tags = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesTags($this, $this->serviceName, 'tags', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/tags', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/tags', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'revert' => ['path' => 'tagmanager/v2/{+path}:revert', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_workspaces_templates = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesTemplates($this, $this->serviceName, 'templates', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/templates', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/templates', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'revert' => ['path' => 'tagmanager/v2/{+path}:revert', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_workspaces_triggers = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesTriggers($this, $this->serviceName, 'triggers', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/triggers', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/triggers', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'revert' => ['path' => 'tagmanager/v2/{+path}:revert', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_workspaces_variables = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesVariables($this, $this->serviceName, 'variables', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/variables', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/variables', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'revert' => ['path' => 'tagmanager/v2/{+path}:revert', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_containers_workspaces_zones = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsContainersWorkspacesZones($this, $this->serviceName, 'zones', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/zones', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/zones', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'revert' => ['path' => 'tagmanager/v2/{+path}:revert', 'httpMethod' => 'POST', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'fingerprint' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_user_permissions = new \Google\Site_Kit_Dependencies\Google\Service\TagManager\Resource\AccountsUserPermissions($this, $this->serviceName, 'user_permissions', ['methods' => ['create' => ['path' => 'tagmanager/v2/{+parent}/user_permissions', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'DELETE', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'GET', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'tagmanager/v2/{+parent}/user_permissions', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'update' => ['path' => 'tagmanager/v2/{+path}', 'httpMethod' => 'PUT', 'parameters' => ['path' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\TagManager::class, 'Google\\Site_Kit_Dependencies\\Google_Service_TagManager'); google/apiclient-services/src/SearchConsole/MobileFriendlyIssue.php 0000644 00000002411 15054470473 0021565 0 ustar 00 rule = $rule; } /** * @return string */ public function getRule() { return $this->rule; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\MobileFriendlyIssue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_MobileFriendlyIssue'); google/apiclient-services/src/SearchConsole/InspectUrlIndexRequest.php 0000644 00000003702 15054470473 0022305 0 ustar 00 inspectionUrl = $inspectionUrl; } /** * @return string */ public function getInspectionUrl() { return $this->inspectionUrl; } /** * @param string */ public function setLanguageCode($languageCode) { $this->languageCode = $languageCode; } /** * @return string */ public function getLanguageCode() { return $this->languageCode; } /** * @param string */ public function setSiteUrl($siteUrl) { $this->siteUrl = $siteUrl; } /** * @return string */ public function getSiteUrl() { return $this->siteUrl; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\InspectUrlIndexRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_InspectUrlIndexRequest'); google/apiclient-services/src/SearchConsole/RunMobileFriendlyTestResponse.php 0000644 00000006532 15054470473 0023630 0 ustar 00 mobileFriendliness = $mobileFriendliness; } /** * @return string */ public function getMobileFriendliness() { return $this->mobileFriendliness; } /** * @param MobileFriendlyIssue[] */ public function setMobileFriendlyIssues($mobileFriendlyIssues) { $this->mobileFriendlyIssues = $mobileFriendlyIssues; } /** * @return MobileFriendlyIssue[] */ public function getMobileFriendlyIssues() { return $this->mobileFriendlyIssues; } /** * @param ResourceIssue[] */ public function setResourceIssues($resourceIssues) { $this->resourceIssues = $resourceIssues; } /** * @return ResourceIssue[] */ public function getResourceIssues() { return $this->resourceIssues; } /** * @param Image */ public function setScreenshot(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Image $screenshot) { $this->screenshot = $screenshot; } /** * @return Image */ public function getScreenshot() { return $this->screenshot; } /** * @param TestStatus */ public function setTestStatus(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\TestStatus $testStatus) { $this->testStatus = $testStatus; } /** * @return TestStatus */ public function getTestStatus() { return $this->testStatus; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\RunMobileFriendlyTestResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_RunMobileFriendlyTestResponse'); google/apiclient-services/src/SearchConsole/RunMobileFriendlyTestRequest.php 0000644 00000003204 15054470473 0023453 0 ustar 00 requestScreenshot = $requestScreenshot; } /** * @return bool */ public function getRequestScreenshot() { return $this->requestScreenshot; } /** * @param string */ public function setUrl($url) { $this->url = $url; } /** * @return string */ public function getUrl() { return $this->url; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\RunMobileFriendlyTestRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_RunMobileFriendlyTestRequest'); google/apiclient-services/src/SearchConsole/ApiDataRow.php 0000644 00000004005 15054470473 0017644 0 ustar 00 clicks = $clicks; } public function getClicks() { return $this->clicks; } public function setCtr($ctr) { $this->ctr = $ctr; } public function getCtr() { return $this->ctr; } public function setImpressions($impressions) { $this->impressions = $impressions; } public function getImpressions() { return $this->impressions; } /** * @param string[] */ public function setKeys($keys) { $this->keys = $keys; } /** * @return string[] */ public function getKeys() { return $this->keys; } public function setPosition($position) { $this->position = $position; } public function getPosition() { return $this->position; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\ApiDataRow::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_ApiDataRow'); google/apiclient-services/src/SearchConsole/UrlInspectionResult.php 0000644 00000007315 15054470473 0021655 0 ustar 00 ampResult = $ampResult; } /** * @return AmpInspectionResult */ public function getAmpResult() { return $this->ampResult; } /** * @param IndexStatusInspectionResult */ public function setIndexStatusResult(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\IndexStatusInspectionResult $indexStatusResult) { $this->indexStatusResult = $indexStatusResult; } /** * @return IndexStatusInspectionResult */ public function getIndexStatusResult() { return $this->indexStatusResult; } /** * @param string */ public function setInspectionResultLink($inspectionResultLink) { $this->inspectionResultLink = $inspectionResultLink; } /** * @return string */ public function getInspectionResultLink() { return $this->inspectionResultLink; } /** * @param MobileUsabilityInspectionResult */ public function setMobileUsabilityResult(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\MobileUsabilityInspectionResult $mobileUsabilityResult) { $this->mobileUsabilityResult = $mobileUsabilityResult; } /** * @return MobileUsabilityInspectionResult */ public function getMobileUsabilityResult() { return $this->mobileUsabilityResult; } /** * @param RichResultsInspectionResult */ public function setRichResultsResult(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\RichResultsInspectionResult $richResultsResult) { $this->richResultsResult = $richResultsResult; } /** * @return RichResultsInspectionResult */ public function getRichResultsResult() { return $this->richResultsResult; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\UrlInspectionResult::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_UrlInspectionResult'); google/apiclient-services/src/SearchConsole/ResourceIssue.php 0000644 00000003006 15054470473 0020451 0 ustar 00 blockedResource = $blockedResource; } /** * @return BlockedResource */ public function getBlockedResource() { return $this->blockedResource; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\ResourceIssue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_ResourceIssue'); google/apiclient-services/src/SearchConsole/SearchAnalyticsQueryResponse.php 0000644 00000003516 15054470473 0023501 0 ustar 00 responseAggregationType = $responseAggregationType; } /** * @return string */ public function getResponseAggregationType() { return $this->responseAggregationType; } /** * @param ApiDataRow[] */ public function setRows($rows) { $this->rows = $rows; } /** * @return ApiDataRow[] */ public function getRows() { return $this->rows; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\SearchAnalyticsQueryResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_SearchAnalyticsQueryResponse'); google/apiclient-services/src/SearchConsole/Resource/UrlTestingToolsMobileFriendlyTest.php 0000644 00000004162 15054470473 0026252 0 ustar 00 * $searchconsoleService = new Google\Service\SearchConsole(...); * $mobileFriendlyTest = $searchconsoleService->mobileFriendlyTest; * */ class UrlTestingToolsMobileFriendlyTest extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Runs Mobile-Friendly Test for a given URL. (mobileFriendlyTest.run) * * @param RunMobileFriendlyTestRequest $postBody * @param array $optParams Optional parameters. * @return RunMobileFriendlyTestResponse */ public function run(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\RunMobileFriendlyTestRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('run', [$params], \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\RunMobileFriendlyTestResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\UrlTestingToolsMobileFriendlyTest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_Resource_UrlTestingToolsMobileFriendlyTest'); google/apiclient-services/src/SearchConsole/Resource/Searchanalytics.php 0000644 00000005133 15054470473 0022560 0 ustar 00 * $searchconsoleService = new Google\Service\SearchConsole(...); * $searchanalytics = $searchconsoleService->searchanalytics; * */ class Searchanalytics extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Query your data with filters and parameters that you define. Returns zero or * more rows grouped by the row keys that you define. You must define a date * range of one or more days. When date is one of the group by values, any days * without data are omitted from the result list. If you need to know which days * have data, issue a broad date range query grouped by date for any metric, and * see which day rows are returned. (searchanalytics.query) * * @param string $siteUrl The site's URL, including protocol. For example: * `http://www.example.com/`. * @param SearchAnalyticsQueryRequest $postBody * @param array $optParams Optional parameters. * @return SearchAnalyticsQueryResponse */ public function query($siteUrl, \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\SearchAnalyticsQueryRequest $postBody, $optParams = []) { $params = ['siteUrl' => $siteUrl, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('query', [$params], \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\SearchAnalyticsQueryResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\Searchanalytics::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_Resource_Searchanalytics'); google/apiclient-services/src/SearchConsole/Resource/UrlTestingTools.php 0000644 00000002371 15054470473 0022565 0 ustar 00 * $searchconsoleService = new Google\Service\SearchConsole(...); * $urlTestingTools = $searchconsoleService->urlTestingTools; * */ class UrlTestingTools extends \Google\Site_Kit_Dependencies\Google\Service\Resource { } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\UrlTestingTools::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_Resource_UrlTestingTools'); google/apiclient-services/src/SearchConsole/Resource/UrlInspection.php 0000644 00000002355 15054470473 0022244 0 ustar 00 * $searchconsoleService = new Google\Service\SearchConsole(...); * $urlInspection = $searchconsoleService->urlInspection; * */ class UrlInspection extends \Google\Site_Kit_Dependencies\Google\Service\Resource { } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\UrlInspection::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_Resource_UrlInspection'); google/apiclient-services/src/SearchConsole/Resource/Sitemaps.php 0000644 00000010405 15054470473 0021226 0 ustar 00 * $searchconsoleService = new Google\Service\SearchConsole(...); * $sitemaps = $searchconsoleService->sitemaps; * */ class Sitemaps extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Deletes a sitemap from the Sitemaps report. Does not stop Google from * crawling this sitemap or the URLs that were previously crawled in the deleted * sitemap. (sitemaps.delete) * * @param string $siteUrl The site's URL, including protocol. For example: * `http://www.example.com/`. * @param string $feedpath The URL of the actual sitemap. For example: * `http://www.example.com/sitemap.xml`. * @param array $optParams Optional parameters. */ public function delete($siteUrl, $feedpath, $optParams = []) { $params = ['siteUrl' => $siteUrl, 'feedpath' => $feedpath]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Retrieves information about a specific sitemap. (sitemaps.get) * * @param string $siteUrl The site's URL, including protocol. For example: * `http://www.example.com/`. * @param string $feedpath The URL of the actual sitemap. For example: * `http://www.example.com/sitemap.xml`. * @param array $optParams Optional parameters. * @return WmxSitemap */ public function get($siteUrl, $feedpath, $optParams = []) { $params = ['siteUrl' => $siteUrl, 'feedpath' => $feedpath]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\WmxSitemap::class); } /** * Lists the [sitemaps-entries](/webmaster-tools/v3/sitemaps) submitted for this * site, or included in the sitemap index file (if `sitemapIndex` is specified * in the request). (sitemaps.listSitemaps) * * @param string $siteUrl The site's URL, including protocol. For example: * `http://www.example.com/`. * @param array $optParams Optional parameters. * * @opt_param string sitemapIndex A URL of a site's sitemap index. For example: * `http://www.example.com/sitemapindex.xml`. * @return SitemapsListResponse */ public function listSitemaps($siteUrl, $optParams = []) { $params = ['siteUrl' => $siteUrl]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\SitemapsListResponse::class); } /** * Submits a sitemap for a site. (sitemaps.submit) * * @param string $siteUrl The site's URL, including protocol. For example: * `http://www.example.com/`. * @param string $feedpath The URL of the actual sitemap. For example: * `http://www.example.com/sitemap.xml`. * @param array $optParams Optional parameters. */ public function submit($siteUrl, $feedpath, $optParams = []) { $params = ['siteUrl' => $siteUrl, 'feedpath' => $feedpath]; $params = \array_merge($params, $optParams); return $this->call('submit', [$params]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\Sitemaps::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_Resource_Sitemaps'); google/apiclient-services/src/SearchConsole/Resource/Sites.php 0000644 00000006437 15054470473 0020542 0 ustar 00 * $searchconsoleService = new Google\Service\SearchConsole(...); * $sites = $searchconsoleService->sites; * */ class Sites extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Adds a site to the set of the user's sites in Search Console. (sites.add) * * @param string $siteUrl The URL of the site to add. * @param array $optParams Optional parameters. */ public function add($siteUrl, $optParams = []) { $params = ['siteUrl' => $siteUrl]; $params = \array_merge($params, $optParams); return $this->call('add', [$params]); } /** * Removes a site from the set of the user's Search Console sites. * (sites.delete) * * @param string $siteUrl The URI of the property as defined in Search Console. * **Examples:** `http://www.example.com/` or `sc-domain:example.com`. * @param array $optParams Optional parameters. */ public function delete($siteUrl, $optParams = []) { $params = ['siteUrl' => $siteUrl]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Retrieves information about specific site. (sites.get) * * @param string $siteUrl The URI of the property as defined in Search Console. * **Examples:** `http://www.example.com/` or `sc-domain:example.com`. * @param array $optParams Optional parameters. * @return WmxSite */ public function get($siteUrl, $optParams = []) { $params = ['siteUrl' => $siteUrl]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\WmxSite::class); } /** * Lists the user's Search Console sites. (sites.listSites) * * @param array $optParams Optional parameters. * @return SitesListResponse */ public function listSites($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\SitesListResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\Sites::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_Resource_Sites'); google/apiclient-services/src/SearchConsole/Resource/UrlInspectionIndex.php 0000644 00000003740 15054470473 0023233 0 ustar 00 * $searchconsoleService = new Google\Service\SearchConsole(...); * $index = $searchconsoleService->index; * */ class UrlInspectionIndex extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Index inspection. (index.inspect) * * @param InspectUrlIndexRequest $postBody * @param array $optParams Optional parameters. * @return InspectUrlIndexResponse */ public function inspect(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\InspectUrlIndexRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('inspect', [$params], \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\InspectUrlIndexResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\UrlInspectionIndex::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_Resource_UrlInspectionIndex'); google/apiclient-services/src/SearchConsole/BlockedResource.php 0000644 00000002366 15054470473 0020734 0 ustar 00 url = $url; } /** * @return string */ public function getUrl() { return $this->url; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\BlockedResource::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_BlockedResource'); google/apiclient-services/src/SearchConsole/SitesListResponse.php 0000644 00000002672 15054470473 0021323 0 ustar 00 siteEntry = $siteEntry; } /** * @return WmxSite[] */ public function getSiteEntry() { return $this->siteEntry; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\SitesListResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_SitesListResponse'); google/apiclient-services/src/SearchConsole/ApiDimensionFilter.php 0000644 00000003623 15054470473 0021403 0 ustar 00 dimension = $dimension; } /** * @return string */ public function getDimension() { return $this->dimension; } /** * @param string */ public function setExpression($expression) { $this->expression = $expression; } /** * @return string */ public function getExpression() { return $this->expression; } /** * @param string */ public function setOperator($operator) { $this->operator = $operator; } /** * @return string */ public function getOperator() { return $this->operator; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\ApiDimensionFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_ApiDimensionFilter'); google/apiclient-services/src/SearchConsole/WmxSite.php 0000644 00000003131 15054470473 0017250 0 ustar 00 permissionLevel = $permissionLevel; } /** * @return string */ public function getPermissionLevel() { return $this->permissionLevel; } /** * @param string */ public function setSiteUrl($siteUrl) { $this->siteUrl = $siteUrl; } /** * @return string */ public function getSiteUrl() { return $this->siteUrl; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\WmxSite::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_WmxSite'); google/apiclient-services/src/SearchConsole/Image.php 0000644 00000003015 15054470473 0016673 0 ustar 00 data = $data; } /** * @return string */ public function getData() { return $this->data; } /** * @param string */ public function setMimeType($mimeType) { $this->mimeType = $mimeType; } /** * @return string */ public function getMimeType() { return $this->mimeType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Image::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_Image'); google/apiclient-services/src/SearchConsole/IndexStatusInspectionResult.php 0000644 00000011162 15054470473 0023361 0 ustar 00 coverageState = $coverageState; } /** * @return string */ public function getCoverageState() { return $this->coverageState; } /** * @param string */ public function setCrawledAs($crawledAs) { $this->crawledAs = $crawledAs; } /** * @return string */ public function getCrawledAs() { return $this->crawledAs; } /** * @param string */ public function setGoogleCanonical($googleCanonical) { $this->googleCanonical = $googleCanonical; } /** * @return string */ public function getGoogleCanonical() { return $this->googleCanonical; } /** * @param string */ public function setIndexingState($indexingState) { $this->indexingState = $indexingState; } /** * @return string */ public function getIndexingState() { return $this->indexingState; } /** * @param string */ public function setLastCrawlTime($lastCrawlTime) { $this->lastCrawlTime = $lastCrawlTime; } /** * @return string */ public function getLastCrawlTime() { return $this->lastCrawlTime; } /** * @param string */ public function setPageFetchState($pageFetchState) { $this->pageFetchState = $pageFetchState; } /** * @return string */ public function getPageFetchState() { return $this->pageFetchState; } /** * @param string[] */ public function setReferringUrls($referringUrls) { $this->referringUrls = $referringUrls; } /** * @return string[] */ public function getReferringUrls() { return $this->referringUrls; } /** * @param string */ public function setRobotsTxtState($robotsTxtState) { $this->robotsTxtState = $robotsTxtState; } /** * @return string */ public function getRobotsTxtState() { return $this->robotsTxtState; } /** * @param string[] */ public function setSitemap($sitemap) { $this->sitemap = $sitemap; } /** * @return string[] */ public function getSitemap() { return $this->sitemap; } /** * @param string */ public function setUserCanonical($userCanonical) { $this->userCanonical = $userCanonical; } /** * @return string */ public function getUserCanonical() { return $this->userCanonical; } /** * @param string */ public function setVerdict($verdict) { $this->verdict = $verdict; } /** * @return string */ public function getVerdict() { return $this->verdict; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\IndexStatusInspectionResult::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_IndexStatusInspectionResult'); google/apiclient-services/src/SearchConsole/SitemapsListResponse.php 0000644 00000002672 15054470473 0022021 0 ustar 00 sitemap = $sitemap; } /** * @return WmxSitemap[] */ public function getSitemap() { return $this->sitemap; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\SitemapsListResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_SitemapsListResponse'); google/apiclient-services/src/SearchConsole/AmpInspectionResult.php 0000644 00000007312 15054470473 0021625 0 ustar 00 ampIndexStatusVerdict = $ampIndexStatusVerdict; } /** * @return string */ public function getAmpIndexStatusVerdict() { return $this->ampIndexStatusVerdict; } /** * @param string */ public function setAmpUrl($ampUrl) { $this->ampUrl = $ampUrl; } /** * @return string */ public function getAmpUrl() { return $this->ampUrl; } /** * @param string */ public function setIndexingState($indexingState) { $this->indexingState = $indexingState; } /** * @return string */ public function getIndexingState() { return $this->indexingState; } /** * @param AmpIssue[] */ public function setIssues($issues) { $this->issues = $issues; } /** * @return AmpIssue[] */ public function getIssues() { return $this->issues; } /** * @param string */ public function setLastCrawlTime($lastCrawlTime) { $this->lastCrawlTime = $lastCrawlTime; } /** * @return string */ public function getLastCrawlTime() { return $this->lastCrawlTime; } /** * @param string */ public function setPageFetchState($pageFetchState) { $this->pageFetchState = $pageFetchState; } /** * @return string */ public function getPageFetchState() { return $this->pageFetchState; } /** * @param string */ public function setRobotsTxtState($robotsTxtState) { $this->robotsTxtState = $robotsTxtState; } /** * @return string */ public function getRobotsTxtState() { return $this->robotsTxtState; } /** * @param string */ public function setVerdict($verdict) { $this->verdict = $verdict; } /** * @return string */ public function getVerdict() { return $this->verdict; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\AmpInspectionResult::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_AmpInspectionResult'); google/apiclient-services/src/SearchConsole/ApiDimensionFilterGroup.php 0000644 00000003420 15054470473 0022413 0 ustar 00 filters = $filters; } /** * @return ApiDimensionFilter[] */ public function getFilters() { return $this->filters; } /** * @param string */ public function setGroupType($groupType) { $this->groupType = $groupType; } /** * @return string */ public function getGroupType() { return $this->groupType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\ApiDimensionFilterGroup::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_ApiDimensionFilterGroup'); google/apiclient-services/src/SearchConsole/WmxSitemap.php 0000644 00000007535 15054470473 0017762 0 ustar 00 contents = $contents; } /** * @return WmxSitemapContent[] */ public function getContents() { return $this->contents; } /** * @param string */ public function setErrors($errors) { $this->errors = $errors; } /** * @return string */ public function getErrors() { return $this->errors; } /** * @param bool */ public function setIsPending($isPending) { $this->isPending = $isPending; } /** * @return bool */ public function getIsPending() { return $this->isPending; } /** * @param bool */ public function setIsSitemapsIndex($isSitemapsIndex) { $this->isSitemapsIndex = $isSitemapsIndex; } /** * @return bool */ public function getIsSitemapsIndex() { return $this->isSitemapsIndex; } /** * @param string */ public function setLastDownloaded($lastDownloaded) { $this->lastDownloaded = $lastDownloaded; } /** * @return string */ public function getLastDownloaded() { return $this->lastDownloaded; } /** * @param string */ public function setLastSubmitted($lastSubmitted) { $this->lastSubmitted = $lastSubmitted; } /** * @return string */ public function getLastSubmitted() { return $this->lastSubmitted; } /** * @param string */ public function setPath($path) { $this->path = $path; } /** * @return string */ public function getPath() { return $this->path; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setWarnings($warnings) { $this->warnings = $warnings; } /** * @return string */ public function getWarnings() { return $this->warnings; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\WmxSitemap::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_WmxSitemap'); google/apiclient-services/src/SearchConsole/DetectedItems.php 0000644 00000003331 15054470473 0020375 0 ustar 00 items = $items; } /** * @return Item[] */ public function getItems() { return $this->items; } /** * @param string */ public function setRichResultType($richResultType) { $this->richResultType = $richResultType; } /** * @return string */ public function getRichResultType() { return $this->richResultType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\DetectedItems::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_DetectedItems'); google/apiclient-services/src/SearchConsole/RichResultsInspectionResult.php 0000644 00000003465 15054470473 0023364 0 ustar 00 detectedItems = $detectedItems; } /** * @return DetectedItems[] */ public function getDetectedItems() { return $this->detectedItems; } /** * @param string */ public function setVerdict($verdict) { $this->verdict = $verdict; } /** * @return string */ public function getVerdict() { return $this->verdict; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\RichResultsInspectionResult::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_RichResultsInspectionResult'); google/apiclient-services/src/SearchConsole/MobileUsabilityIssue.php 0000644 00000003604 15054470473 0021763 0 ustar 00 issueType = $issueType; } /** * @return string */ public function getIssueType() { return $this->issueType; } /** * @param string */ public function setMessage($message) { $this->message = $message; } /** * @return string */ public function getMessage() { return $this->message; } /** * @param string */ public function setSeverity($severity) { $this->severity = $severity; } /** * @return string */ public function getSeverity() { return $this->severity; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\MobileUsabilityIssue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_MobileUsabilityIssue'); google/apiclient-services/src/SearchConsole/MobileUsabilityInspectionResult.php 0000644 00000003427 15054470473 0024210 0 ustar 00 issues = $issues; } /** * @return MobileUsabilityIssue[] */ public function getIssues() { return $this->issues; } /** * @param string */ public function setVerdict($verdict) { $this->verdict = $verdict; } /** * @return string */ public function getVerdict() { return $this->verdict; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\MobileUsabilityInspectionResult::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_MobileUsabilityInspectionResult'); google/apiclient-services/src/SearchConsole/InspectUrlIndexResponse.php 0000644 00000003074 15054470473 0022455 0 ustar 00 inspectionResult = $inspectionResult; } /** * @return UrlInspectionResult */ public function getInspectionResult() { return $this->inspectionResult; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\InspectUrlIndexResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_InspectUrlIndexResponse'); google/apiclient-services/src/SearchConsole/AmpIssue.php 0000644 00000003116 15054470473 0017401 0 ustar 00 issueMessage = $issueMessage; } /** * @return string */ public function getIssueMessage() { return $this->issueMessage; } /** * @param string */ public function setSeverity($severity) { $this->severity = $severity; } /** * @return string */ public function getSeverity() { return $this->severity; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\AmpIssue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_AmpIssue'); google/apiclient-services/src/SearchConsole/SearchAnalyticsQueryRequest.php 0000644 00000010463 15054470473 0023332 0 ustar 00 aggregationType = $aggregationType; } /** * @return string */ public function getAggregationType() { return $this->aggregationType; } /** * @param string */ public function setDataState($dataState) { $this->dataState = $dataState; } /** * @return string */ public function getDataState() { return $this->dataState; } /** * @param ApiDimensionFilterGroup[] */ public function setDimensionFilterGroups($dimensionFilterGroups) { $this->dimensionFilterGroups = $dimensionFilterGroups; } /** * @return ApiDimensionFilterGroup[] */ public function getDimensionFilterGroups() { return $this->dimensionFilterGroups; } /** * @param string[] */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return string[] */ public function getDimensions() { return $this->dimensions; } /** * @param string */ public function setEndDate($endDate) { $this->endDate = $endDate; } /** * @return string */ public function getEndDate() { return $this->endDate; } /** * @param int */ public function setRowLimit($rowLimit) { $this->rowLimit = $rowLimit; } /** * @return int */ public function getRowLimit() { return $this->rowLimit; } /** * @param string */ public function setSearchType($searchType) { $this->searchType = $searchType; } /** * @return string */ public function getSearchType() { return $this->searchType; } /** * @param string */ public function setStartDate($startDate) { $this->startDate = $startDate; } /** * @return string */ public function getStartDate() { return $this->startDate; } /** * @param int */ public function setStartRow($startRow) { $this->startRow = $startRow; } /** * @return int */ public function getStartRow() { return $this->startRow; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\SearchAnalyticsQueryRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_SearchAnalyticsQueryRequest'); google/apiclient-services/src/SearchConsole/RichResultsIssue.php 0000644 00000003146 15054470473 0021136 0 ustar 00 issueMessage = $issueMessage; } /** * @return string */ public function getIssueMessage() { return $this->issueMessage; } /** * @param string */ public function setSeverity($severity) { $this->severity = $severity; } /** * @return string */ public function getSeverity() { return $this->severity; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\RichResultsIssue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_RichResultsIssue'); google/apiclient-services/src/SearchConsole/Item.php 0000644 00000003245 15054470473 0016554 0 ustar 00 issues = $issues; } /** * @return RichResultsIssue[] */ public function getIssues() { return $this->issues; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Item::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_Item'); google/apiclient-services/src/SearchConsole/WmxSitemapContent.php 0000644 00000003537 15054470473 0021313 0 ustar 00 indexed = $indexed; } /** * @return string */ public function getIndexed() { return $this->indexed; } /** * @param string */ public function setSubmitted($submitted) { $this->submitted = $submitted; } /** * @return string */ public function getSubmitted() { return $this->submitted; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\WmxSitemapContent::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_WmxSitemapContent'); google/apiclient-services/src/SearchConsole/TestStatus.php 0000644 00000003043 15054470473 0017775 0 ustar 00 details = $details; } /** * @return string */ public function getDetails() { return $this->details; } /** * @param string */ public function setStatus($status) { $this->status = $status; } /** * @return string */ public function getStatus() { return $this->status; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole\TestStatus::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole_TestStatus'); google/apiclient-services/src/Adsense.php 0000644 00000033622 15054470473 0014512 0 ustar 00 * The AdSense Management API allows publishers to access their inventory and * run earnings and performance reports. * ** For more information about this service, see the API * Documentation *
* * @author Google, Inc. */ class Adsense extends \Google\Site_Kit_Dependencies\Google\Service { /** View and manage your AdSense data. */ const ADSENSE = "https://www.googleapis.com/auth/adsense"; /** View your AdSense data. */ const ADSENSE_READONLY = "https://www.googleapis.com/auth/adsense.readonly"; public $accounts; public $accounts_adclients; public $accounts_adclients_adunits; public $accounts_adclients_customchannels; public $accounts_adclients_urlchannels; public $accounts_alerts; public $accounts_payments; public $accounts_reports; public $accounts_reports_saved; public $accounts_sites; /** * Constructs the internal representation of the Adsense service. * * @param Client|array $clientOrConfig The client used to deliver requests, or a * config array to pass to a new Client instance. * @param string $rootUrl The root URL used for requests to the service. */ public function __construct($clientOrConfig = [], $rootUrl = null) { parent::__construct($clientOrConfig); $this->rootUrl = $rootUrl ?: 'https://adsense.googleapis.com/'; $this->servicePath = ''; $this->batchPath = 'batch'; $this->version = 'v2'; $this->serviceName = 'adsense'; $this->accounts = new \Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\Accounts($this, $this->serviceName, 'accounts', ['methods' => ['get' => ['path' => 'v2/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'getAdBlockingRecoveryTag' => ['path' => 'v2/{+name}/adBlockingRecoveryTag', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v2/accounts', 'httpMethod' => 'GET', 'parameters' => ['pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'listChildAccounts' => ['path' => 'v2/{+parent}:listChildAccounts', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_adclients = new \Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsAdclients($this, $this->serviceName, 'adclients', ['methods' => ['get' => ['path' => 'v2/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'getAdcode' => ['path' => 'v2/{+name}/adcode', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v2/{+parent}/adclients', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_adclients_adunits = new \Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsAdclientsAdunits($this, $this->serviceName, 'adunits', ['methods' => ['create' => ['path' => 'v2/{+parent}/adunits', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'v2/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'getAdcode' => ['path' => 'v2/{+name}/adcode', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v2/{+parent}/adunits', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'listLinkedCustomChannels' => ['path' => 'v2/{+parent}:listLinkedCustomChannels', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'patch' => ['path' => 'v2/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_adclients_customchannels = new \Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsAdclientsCustomchannels($this, $this->serviceName, 'customchannels', ['methods' => ['create' => ['path' => 'v2/{+parent}/customchannels', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'v2/{+name}', 'httpMethod' => 'DELETE', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'v2/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v2/{+parent}/customchannels', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'listLinkedAdUnits' => ['path' => 'v2/{+parent}:listLinkedAdUnits', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'patch' => ['path' => 'v2/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_adclients_urlchannels = new \Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsAdclientsUrlchannels($this, $this->serviceName, 'urlchannels', ['methods' => ['get' => ['path' => 'v2/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v2/{+parent}/urlchannels', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_alerts = new \Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsAlerts($this, $this->serviceName, 'alerts', ['methods' => ['list' => ['path' => 'v2/{+parent}/alerts', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'languageCode' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_payments = new \Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsPayments($this, $this->serviceName, 'payments', ['methods' => ['list' => ['path' => 'v2/{+parent}/payments', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->accounts_reports = new \Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsReports($this, $this->serviceName, 'reports', ['methods' => ['generate' => ['path' => 'v2/{+account}/reports:generate', 'httpMethod' => 'GET', 'parameters' => ['account' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'currencyCode' => ['location' => 'query', 'type' => 'string'], 'dateRange' => ['location' => 'query', 'type' => 'string'], 'dimensions' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'endDate.day' => ['location' => 'query', 'type' => 'integer'], 'endDate.month' => ['location' => 'query', 'type' => 'integer'], 'endDate.year' => ['location' => 'query', 'type' => 'integer'], 'filters' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'languageCode' => ['location' => 'query', 'type' => 'string'], 'limit' => ['location' => 'query', 'type' => 'integer'], 'metrics' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'orderBy' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'reportingTimeZone' => ['location' => 'query', 'type' => 'string'], 'startDate.day' => ['location' => 'query', 'type' => 'integer'], 'startDate.month' => ['location' => 'query', 'type' => 'integer'], 'startDate.year' => ['location' => 'query', 'type' => 'integer']]], 'generateCsv' => ['path' => 'v2/{+account}/reports:generateCsv', 'httpMethod' => 'GET', 'parameters' => ['account' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'currencyCode' => ['location' => 'query', 'type' => 'string'], 'dateRange' => ['location' => 'query', 'type' => 'string'], 'dimensions' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'endDate.day' => ['location' => 'query', 'type' => 'integer'], 'endDate.month' => ['location' => 'query', 'type' => 'integer'], 'endDate.year' => ['location' => 'query', 'type' => 'integer'], 'filters' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'languageCode' => ['location' => 'query', 'type' => 'string'], 'limit' => ['location' => 'query', 'type' => 'integer'], 'metrics' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'orderBy' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'reportingTimeZone' => ['location' => 'query', 'type' => 'string'], 'startDate.day' => ['location' => 'query', 'type' => 'integer'], 'startDate.month' => ['location' => 'query', 'type' => 'integer'], 'startDate.year' => ['location' => 'query', 'type' => 'integer']]], 'getSaved' => ['path' => 'v2/{+name}/saved', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->accounts_reports_saved = new \Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsReportsSaved($this, $this->serviceName, 'saved', ['methods' => ['generate' => ['path' => 'v2/{+name}/saved:generate', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'currencyCode' => ['location' => 'query', 'type' => 'string'], 'dateRange' => ['location' => 'query', 'type' => 'string'], 'endDate.day' => ['location' => 'query', 'type' => 'integer'], 'endDate.month' => ['location' => 'query', 'type' => 'integer'], 'endDate.year' => ['location' => 'query', 'type' => 'integer'], 'languageCode' => ['location' => 'query', 'type' => 'string'], 'reportingTimeZone' => ['location' => 'query', 'type' => 'string'], 'startDate.day' => ['location' => 'query', 'type' => 'integer'], 'startDate.month' => ['location' => 'query', 'type' => 'integer'], 'startDate.year' => ['location' => 'query', 'type' => 'integer']]], 'generateCsv' => ['path' => 'v2/{+name}/saved:generateCsv', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'currencyCode' => ['location' => 'query', 'type' => 'string'], 'dateRange' => ['location' => 'query', 'type' => 'string'], 'endDate.day' => ['location' => 'query', 'type' => 'integer'], 'endDate.month' => ['location' => 'query', 'type' => 'integer'], 'endDate.year' => ['location' => 'query', 'type' => 'integer'], 'languageCode' => ['location' => 'query', 'type' => 'string'], 'reportingTimeZone' => ['location' => 'query', 'type' => 'string'], 'startDate.day' => ['location' => 'query', 'type' => 'integer'], 'startDate.month' => ['location' => 'query', 'type' => 'integer'], 'startDate.year' => ['location' => 'query', 'type' => 'integer']]], 'list' => ['path' => 'v2/{+parent}/reports/saved', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts_sites = new \Google\Site_Kit_Dependencies\Google\Service\Adsense\Resource\AccountsSites($this, $this->serviceName, 'sites', ['methods' => ['get' => ['path' => 'v2/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v2/{+parent}/sites', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]]]]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Adsense::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Adsense'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListMeasurementProtocolSecretsResponse.php 0000644 00000004327 15054470473 0034214 0 ustar 00 google/apiclient-services measurementProtocolSecrets = $measurementProtocolSecrets; } /** * @return GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret[] */ public function getMeasurementProtocolSecrets() { return $this->measurementProtocolSecrets; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListMeasurementProtocolSecretsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListMeasurementProtocolSecretsResponse'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaListDataStreamsResponse.php 0000644 00000003760 15054470473 0030712 0 ustar 00 google dataStreams = $dataStreams; } /** * @return GoogleAnalyticsAdminV1betaDataStream[] */ public function getDataStreams() { return $this->dataStreams; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListDataStreamsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaListDataStreamsResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListConversionEventsResponse.php 0000644 00000004101 15054470473 0032154 0 ustar 00 google/apiclient-services conversionEvents = $conversionEvents; } /** * @return GoogleAnalyticsAdminV1alphaConversionEvent[] */ public function getConversionEvents() { return $this->conversionEvents; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListConversionEventsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListConversionEventsResponse'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret.php0000644 00000004007 15054470473 0031451 0 ustar 00 google displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setSecretValue($secretValue) { $this->secretValue = $secretValue; } /** * @return string */ public function getSecretValue() { return $this->secretValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceSequenceFilter.php 0000644 00000004704 15054470473 0030654 0 ustar 00 google scope = $scope; } /** * @return string */ public function getScope() { return $this->scope; } /** * @param string */ public function setSequenceMaximumDuration($sequenceMaximumDuration) { $this->sequenceMaximumDuration = $sequenceMaximumDuration; } /** * @return string */ public function getSequenceMaximumDuration() { return $this->sequenceMaximumDuration; } /** * @param GoogleAnalyticsAdminV1alphaAudienceSequenceFilterAudienceSequenceStep[] */ public function setSequenceSteps($sequenceSteps) { $this->sequenceSteps = $sequenceSteps; } /** * @return GoogleAnalyticsAdminV1alphaAudienceSequenceFilterAudienceSequenceStep[] */ public function getSequenceSteps() { return $this->sequenceSteps; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceSequenceFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceSequenceFilter'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaRunAccessReportResponse.php 0000644 00000007104 15054470473 0031076 0 ustar 00 google dimensionHeaders = $dimensionHeaders; } /** * @return GoogleAnalyticsAdminV1alphaAccessDimensionHeader[] */ public function getDimensionHeaders() { return $this->dimensionHeaders; } /** * @param GoogleAnalyticsAdminV1alphaAccessMetricHeader[] */ public function setMetricHeaders($metricHeaders) { $this->metricHeaders = $metricHeaders; } /** * @return GoogleAnalyticsAdminV1alphaAccessMetricHeader[] */ public function getMetricHeaders() { return $this->metricHeaders; } /** * @param GoogleAnalyticsAdminV1alphaAccessQuota */ public function setQuota(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessQuota $quota) { $this->quota = $quota; } /** * @return GoogleAnalyticsAdminV1alphaAccessQuota */ public function getQuota() { return $this->quota; } /** * @param int */ public function setRowCount($rowCount) { $this->rowCount = $rowCount; } /** * @return int */ public function getRowCount() { return $this->rowCount; } /** * @param GoogleAnalyticsAdminV1alphaAccessRow[] */ public function setRows($rows) { $this->rows = $rows; } /** * @return GoogleAnalyticsAdminV1alphaAccessRow[] */ public function getRows() { return $this->rows; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaRunAccessReportResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaRunAccessReportResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpressionList.php 0000644 00000003476 15054470473 0033365 0 ustar 00 google/apiclient-services filterExpressions = $filterExpressions; } /** * @return GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpression[] */ public function getFilterExpressions() { return $this->filterExpressions; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpressionList::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpressionList'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessStringFilter.php0000644 00000003763 15054470473 0030121 0 ustar 00 caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string */ public function setMatchType($matchType) { $this->matchType = $matchType; } /** * @return string */ public function getMatchType() { return $this->matchType; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessStringFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessStringFilter'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterBetweenFilter.php0000644 00000005116 15054470473 0035154 0 ustar 00 google/apiclient-services fromValue = $fromValue; } /** * @return GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericValue */ public function getFromValue() { return $this->fromValue; } /** * @param GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericValue */ public function setToValue(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericValue $toValue) { $this->toValue = $toValue; } /** * @return GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericValue */ public function getToValue() { return $this->toValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterBetweenFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterBetweenFilter'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaChangeHistoryChange.php0000644 00000006346 15054470473 0030066 0 ustar 00 action = $action; } /** * @return string */ public function getAction() { return $this->action; } /** * @param string */ public function setResource($resource) { $this->resource = $resource; } /** * @return string */ public function getResource() { return $this->resource; } /** * @param GoogleAnalyticsAdminV1betaChangeHistoryChangeChangeHistoryResource */ public function setResourceAfterChange(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaChangeHistoryChangeChangeHistoryResource $resourceAfterChange) { $this->resourceAfterChange = $resourceAfterChange; } /** * @return GoogleAnalyticsAdminV1betaChangeHistoryChangeChangeHistoryResource */ public function getResourceAfterChange() { return $this->resourceAfterChange; } /** * @param GoogleAnalyticsAdminV1betaChangeHistoryChangeChangeHistoryResource */ public function setResourceBeforeChange(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaChangeHistoryChangeChangeHistoryResource $resourceBeforeChange) { $this->resourceBeforeChange = $resourceBeforeChange; } /** * @return GoogleAnalyticsAdminV1betaChangeHistoryChangeChangeHistoryResource */ public function getResourceBeforeChange() { return $this->resourceBeforeChange; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaChangeHistoryChange::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaChangeHistoryChange'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaArchiveAudienceRequest.php 0000644 00000002146 15054470473 0030666 0 ustar 00 google adsPersonalizationEnabled = $adsPersonalizationEnabled; } /** * @return bool */ public function getAdsPersonalizationEnabled() { return $this->adsPersonalizationEnabled; } /** * @param string */ public function setAdvertiserDisplayName($advertiserDisplayName) { $this->advertiserDisplayName = $advertiserDisplayName; } /** * @return string */ public function getAdvertiserDisplayName() { return $this->advertiserDisplayName; } /** * @param string */ public function setAdvertiserId($advertiserId) { $this->advertiserId = $advertiserId; } /** * @return string */ public function getAdvertiserId() { return $this->advertiserId; } /** * @param bool */ public function setCampaignDataSharingEnabled($campaignDataSharingEnabled) { $this->campaignDataSharingEnabled = $campaignDataSharingEnabled; } /** * @return bool */ public function getCampaignDataSharingEnabled() { return $this->campaignDataSharingEnabled; } /** * @param bool */ public function setCostDataSharingEnabled($costDataSharingEnabled) { $this->costDataSharingEnabled = $costDataSharingEnabled; } /** * @return bool */ public function getCostDataSharingEnabled() { return $this->costDataSharingEnabled; } /** * @param GoogleAnalyticsAdminV1alphaLinkProposalStatusDetails */ public function setLinkProposalStatusDetails(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaLinkProposalStatusDetails $linkProposalStatusDetails) { $this->linkProposalStatusDetails = $linkProposalStatusDetails; } /** * @return GoogleAnalyticsAdminV1alphaLinkProposalStatusDetails */ public function getLinkProposalStatusDetails() { return $this->linkProposalStatusDetails; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setValidationEmail($validationEmail) { $this->validationEmail = $validationEmail; } /** * @return string */ public function getValidationEmail() { return $this->validationEmail; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaExpandedDataSet.php 0000644 00000007606 15054470473 0027361 0 ustar 00 dataCollectionStartTime = $dataCollectionStartTime; } /** * @return string */ public function getDataCollectionStartTime() { return $this->dataCollectionStartTime; } /** * @param string */ public function setDescription($description) { $this->description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpression */ public function setDimensionFilterExpression(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpression $dimensionFilterExpression) { $this->dimensionFilterExpression = $dimensionFilterExpression; } /** * @return GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpression */ public function getDimensionFilterExpression() { return $this->dimensionFilterExpression; } /** * @param string[] */ public function setDimensionNames($dimensionNames) { $this->dimensionNames = $dimensionNames; } /** * @return string[] */ public function getDimensionNames() { return $this->dimensionNames; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string[] */ public function setMetricNames($metricNames) { $this->metricNames = $metricNames; } /** * @return string[] */ public function getMetricNames() { return $this->metricNames; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSet::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaExpandedDataSet'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaEnhancedMeasurementSettings.php 0000644 00000010077 15054470473 0031734 0 ustar 00 google/apiclient-services fileDownloadsEnabled = $fileDownloadsEnabled; } public function getFileDownloadsEnabled() { return $this->fileDownloadsEnabled; } public function setName($name) { $this->name = $name; } public function getName() { return $this->name; } public function setOutboundClicksEnabled($outboundClicksEnabled) { $this->outboundClicksEnabled = $outboundClicksEnabled; } public function getOutboundClicksEnabled() { return $this->outboundClicksEnabled; } public function setPageChangesEnabled($pageChangesEnabled) { $this->pageChangesEnabled = $pageChangesEnabled; } public function getPageChangesEnabled() { return $this->pageChangesEnabled; } public function setPageLoadsEnabled($pageLoadsEnabled) { $this->pageLoadsEnabled = $pageLoadsEnabled; } public function getPageLoadsEnabled() { return $this->pageLoadsEnabled; } public function setPageViewsEnabled($pageViewsEnabled) { $this->pageViewsEnabled = $pageViewsEnabled; } public function getPageViewsEnabled() { return $this->pageViewsEnabled; } public function setScrollsEnabled($scrollsEnabled) { $this->scrollsEnabled = $scrollsEnabled; } public function getScrollsEnabled() { return $this->scrollsEnabled; } public function setSearchQueryParameter($searchQueryParameter) { $this->searchQueryParameter = $searchQueryParameter; } public function getSearchQueryParameter() { return $this->searchQueryParameter; } public function setSiteSearchEnabled($siteSearchEnabled) { $this->siteSearchEnabled = $siteSearchEnabled; } public function getSiteSearchEnabled() { return $this->siteSearchEnabled; } public function setStreamEnabled($streamEnabled) { $this->streamEnabled = $streamEnabled; } public function getStreamEnabled() { return $this->streamEnabled; } public function setUriQueryParameter($uriQueryParameter) { $this->uriQueryParameter = $uriQueryParameter; } public function getUriQueryParameter() { return $this->uriQueryParameter; } public function setVideoEngagementEnabled($videoEngagementEnabled) { $this->videoEngagementEnabled = $videoEngagementEnabled; } public function getVideoEngagementEnabled() { return $this->videoEngagementEnabled; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaEnhancedMeasurementSettings::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaEnhancedMeasurementSettings'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListWebDataStreamsResponse.php 0000644 00000004043 15054470473 0031515 0 ustar 00 google/apiclient-services nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param GoogleAnalyticsAdminV1alphaWebDataStream[] */ public function setWebDataStreams($webDataStreams) { $this->webDataStreams = $webDataStreams; } /** * @return GoogleAnalyticsAdminV1alphaWebDataStream[] */ public function getWebDataStreams() { return $this->webDataStreams; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListWebDataStreamsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListWebDataStreamsResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterInListFilter.php 0000644 00000003505 15054470473 0034765 0 ustar 00 google/apiclient-services caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string[] */ public function setValues($values) { $this->values = $values; } /** * @return string[] */ public function getValues() { return $this->values; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterInListFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterInListFilter'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilter.php 0000644 00000012120 15054470473 0032465 0 ustar 00 google/apiclient-services atAnyPointInTime = $atAnyPointInTime; } /** * @return bool */ public function getAtAnyPointInTime() { return $this->atAnyPointInTime; } /** * @param GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterBetweenFilter */ public function setBetweenFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterBetweenFilter $betweenFilter) { $this->betweenFilter = $betweenFilter; } /** * @return GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterBetweenFilter */ public function getBetweenFilter() { return $this->betweenFilter; } /** * @param string */ public function setFieldName($fieldName) { $this->fieldName = $fieldName; } /** * @return string */ public function getFieldName() { return $this->fieldName; } /** * @param int */ public function setInAnyNDayPeriod($inAnyNDayPeriod) { $this->inAnyNDayPeriod = $inAnyNDayPeriod; } /** * @return int */ public function getInAnyNDayPeriod() { return $this->inAnyNDayPeriod; } /** * @param GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterInListFilter */ public function setInListFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterInListFilter $inListFilter) { $this->inListFilter = $inListFilter; } /** * @return GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterInListFilter */ public function getInListFilter() { return $this->inListFilter; } /** * @param GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericFilter */ public function setNumericFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericFilter $numericFilter) { $this->numericFilter = $numericFilter; } /** * @return GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericFilter */ public function getNumericFilter() { return $this->numericFilter; } /** * @param GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterStringFilter */ public function setStringFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterStringFilter $stringFilter) { $this->stringFilter = $stringFilter; } /** * @return GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterStringFilter */ public function getStringFilter() { return $this->stringFilter; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilter'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListDataStreamsResponse.php 0000644 00000003766 15054470473 0031072 0 ustar 00 google dataStreams = $dataStreams; } /** * @return GoogleAnalyticsAdminV1alphaDataStream[] */ public function getDataStreams() { return $this->dataStreams; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListDataStreamsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListDataStreamsResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessOrderBy.php 0000644 00000005171 15054470473 0027046 0 ustar 00 desc = $desc; } /** * @return bool */ public function getDesc() { return $this->desc; } /** * @param GoogleAnalyticsAdminV1alphaAccessOrderByDimensionOrderBy */ public function setDimension(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessOrderByDimensionOrderBy $dimension) { $this->dimension = $dimension; } /** * @return GoogleAnalyticsAdminV1alphaAccessOrderByDimensionOrderBy */ public function getDimension() { return $this->dimension; } /** * @param GoogleAnalyticsAdminV1alphaAccessOrderByMetricOrderBy */ public function setMetric(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessOrderByMetricOrderBy $metric) { $this->metric = $metric; } /** * @return GoogleAnalyticsAdminV1alphaAccessOrderByMetricOrderBy */ public function getMetric() { return $this->metric; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessOrderBy::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessOrderBy'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessFilter.php 0000644 00000007721 15054470473 0026730 0 ustar 00 betweenFilter = $betweenFilter; } /** * @return GoogleAnalyticsAdminV1alphaAccessBetweenFilter */ public function getBetweenFilter() { return $this->betweenFilter; } /** * @param string */ public function setFieldName($fieldName) { $this->fieldName = $fieldName; } /** * @return string */ public function getFieldName() { return $this->fieldName; } /** * @param GoogleAnalyticsAdminV1alphaAccessInListFilter */ public function setInListFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessInListFilter $inListFilter) { $this->inListFilter = $inListFilter; } /** * @return GoogleAnalyticsAdminV1alphaAccessInListFilter */ public function getInListFilter() { return $this->inListFilter; } /** * @param GoogleAnalyticsAdminV1alphaAccessNumericFilter */ public function setNumericFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessNumericFilter $numericFilter) { $this->numericFilter = $numericFilter; } /** * @return GoogleAnalyticsAdminV1alphaAccessNumericFilter */ public function getNumericFilter() { return $this->numericFilter; } /** * @param GoogleAnalyticsAdminV1alphaAccessStringFilter */ public function setStringFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessStringFilter $stringFilter) { $this->stringFilter = $stringFilter; } /** * @return GoogleAnalyticsAdminV1alphaAccessStringFilter */ public function getStringFilter() { return $this->stringFilter; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessFilter'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaDataSharingSettings.php0000644 00000007140 15054470473 0030110 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param bool */ public function setSharingWithGoogleAnySalesEnabled($sharingWithGoogleAnySalesEnabled) { $this->sharingWithGoogleAnySalesEnabled = $sharingWithGoogleAnySalesEnabled; } /** * @return bool */ public function getSharingWithGoogleAnySalesEnabled() { return $this->sharingWithGoogleAnySalesEnabled; } /** * @param bool */ public function setSharingWithGoogleAssignedSalesEnabled($sharingWithGoogleAssignedSalesEnabled) { $this->sharingWithGoogleAssignedSalesEnabled = $sharingWithGoogleAssignedSalesEnabled; } /** * @return bool */ public function getSharingWithGoogleAssignedSalesEnabled() { return $this->sharingWithGoogleAssignedSalesEnabled; } /** * @param bool */ public function setSharingWithGoogleProductsEnabled($sharingWithGoogleProductsEnabled) { $this->sharingWithGoogleProductsEnabled = $sharingWithGoogleProductsEnabled; } /** * @return bool */ public function getSharingWithGoogleProductsEnabled() { return $this->sharingWithGoogleProductsEnabled; } /** * @param bool */ public function setSharingWithGoogleSupportEnabled($sharingWithGoogleSupportEnabled) { $this->sharingWithGoogleSupportEnabled = $sharingWithGoogleSupportEnabled; } /** * @return bool */ public function getSharingWithGoogleSupportEnabled() { return $this->sharingWithGoogleSupportEnabled; } /** * @param bool */ public function setSharingWithOthersEnabled($sharingWithOthersEnabled) { $this->sharingWithOthersEnabled = $sharingWithOthersEnabled; } /** * @return bool */ public function getSharingWithOthersEnabled() { return $this->sharingWithOthersEnabled; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataSharingSettings::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaDataSharingSettings'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAuditUserLinksRequest.php 0000644 00000003275 15054470473 0030561 0 ustar 00 google pageSize = $pageSize; } /** * @return int */ public function getPageSize() { return $this->pageSize; } /** * @param string */ public function setPageToken($pageToken) { $this->pageToken = $pageToken; } /** * @return string */ public function getPageToken() { return $this->pageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAuditUserLinksRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAuditUserLinksRequest'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaBatchGetUserLinksResponse.php0000644 00000003223 15054470473 0031333 0 ustar 00 google userLinks = $userLinks; } /** * @return GoogleAnalyticsAdminV1alphaUserLink[] */ public function getUserLinks() { return $this->userLinks; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchGetUserLinksResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaBatchGetUserLinksResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListIosAppDataStreamsResponse.php 0000644 00000004120 15054470473 0032167 0 ustar 00 google/apiclient-services iosAppDataStreams = $iosAppDataStreams; } /** * @return GoogleAnalyticsAdminV1alphaIosAppDataStream[] */ public function getIosAppDataStreams() { return $this->iosAppDataStreams; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListIosAppDataStreamsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListIosAppDataStreamsResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaDataStream.php 0000644 00000011232 15054470473 0026376 0 ustar 00 androidAppStreamData = $androidAppStreamData; } /** * @return GoogleAnalyticsAdminV1alphaDataStreamAndroidAppStreamData */ public function getAndroidAppStreamData() { return $this->androidAppStreamData; } /** * @param string */ public function setCreateTime($createTime) { $this->createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param GoogleAnalyticsAdminV1alphaDataStreamIosAppStreamData */ public function setIosAppStreamData(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDataStreamIosAppStreamData $iosAppStreamData) { $this->iosAppStreamData = $iosAppStreamData; } /** * @return GoogleAnalyticsAdminV1alphaDataStreamIosAppStreamData */ public function getIosAppStreamData() { return $this->iosAppStreamData; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } /** * @param GoogleAnalyticsAdminV1alphaDataStreamWebStreamData */ public function setWebStreamData(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDataStreamWebStreamData $webStreamData) { $this->webStreamData = $webStreamData; } /** * @return GoogleAnalyticsAdminV1alphaDataStreamWebStreamData */ public function getWebStreamData() { return $this->webStreamData; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDataStream::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaDataStream'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessMetricValue.php 0000644 00000002560 15054470473 0027717 0 ustar 00 value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessMetricValue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessMetricValue'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaChangeHistoryEvent.php 0000644 00000006255 15054470473 0027761 0 ustar 00 actorType = $actorType; } /** * @return string */ public function getActorType() { return $this->actorType; } /** * @param string */ public function setChangeTime($changeTime) { $this->changeTime = $changeTime; } /** * @return string */ public function getChangeTime() { return $this->changeTime; } /** * @param GoogleAnalyticsAdminV1betaChangeHistoryChange[] */ public function setChanges($changes) { $this->changes = $changes; } /** * @return GoogleAnalyticsAdminV1betaChangeHistoryChange[] */ public function getChanges() { return $this->changes; } /** * @param bool */ public function setChangesFiltered($changesFiltered) { $this->changesFiltered = $changesFiltered; } /** * @return bool */ public function getChangesFiltered() { return $this->changesFiltered; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setUserActorEmail($userActorEmail) { $this->userActorEmail = $userActorEmail; } /** * @return string */ public function getUserActorEmail() { return $this->userActorEmail; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaChangeHistoryEvent::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaChangeHistoryEvent'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterStringFilter.php 0000644 00000004076 15054470473 0035035 0 ustar 00 google/apiclient-services caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string */ public function setMatchType($matchType) { $this->matchType = $matchType; } /** * @return string */ public function getMatchType() { return $this->matchType; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterStringFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterStringFilter'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaChangeHistoryChangeChangeHistoryResource.php 0000644 00000014345 15054470473 0034205 0 ustar 00 google/apiclient-services account = $account; } /** * @return GoogleAnalyticsAdminV1betaAccount */ public function getAccount() { return $this->account; } /** * @param GoogleAnalyticsAdminV1betaConversionEvent */ public function setConversionEvent(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaConversionEvent $conversionEvent) { $this->conversionEvent = $conversionEvent; } /** * @return GoogleAnalyticsAdminV1betaConversionEvent */ public function getConversionEvent() { return $this->conversionEvent; } /** * @param GoogleAnalyticsAdminV1betaDataRetentionSettings */ public function setDataRetentionSettings(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataRetentionSettings $dataRetentionSettings) { $this->dataRetentionSettings = $dataRetentionSettings; } /** * @return GoogleAnalyticsAdminV1betaDataRetentionSettings */ public function getDataRetentionSettings() { return $this->dataRetentionSettings; } /** * @param GoogleAnalyticsAdminV1betaDataStream */ public function setDataStream(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStream $dataStream) { $this->dataStream = $dataStream; } /** * @return GoogleAnalyticsAdminV1betaDataStream */ public function getDataStream() { return $this->dataStream; } /** * @param GoogleAnalyticsAdminV1betaFirebaseLink */ public function setFirebaseLink(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaFirebaseLink $firebaseLink) { $this->firebaseLink = $firebaseLink; } /** * @return GoogleAnalyticsAdminV1betaFirebaseLink */ public function getFirebaseLink() { return $this->firebaseLink; } /** * @param GoogleAnalyticsAdminV1betaGoogleAdsLink */ public function setGoogleAdsLink(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaGoogleAdsLink $googleAdsLink) { $this->googleAdsLink = $googleAdsLink; } /** * @return GoogleAnalyticsAdminV1betaGoogleAdsLink */ public function getGoogleAdsLink() { return $this->googleAdsLink; } /** * @param GoogleAnalyticsAdminV1betaMeasurementProtocolSecret */ public function setMeasurementProtocolSecret(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaMeasurementProtocolSecret $measurementProtocolSecret) { $this->measurementProtocolSecret = $measurementProtocolSecret; } /** * @return GoogleAnalyticsAdminV1betaMeasurementProtocolSecret */ public function getMeasurementProtocolSecret() { return $this->measurementProtocolSecret; } /** * @param GoogleAnalyticsAdminV1betaProperty */ public function setProperty(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProperty $property) { $this->property = $property; } /** * @return GoogleAnalyticsAdminV1betaProperty */ public function getProperty() { return $this->property; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaChangeHistoryChangeChangeHistoryResource::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaChangeHistoryChangeChangeHistoryResource'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaConversionEvent.php 0000644 00000005032 15054470473 0027327 0 ustar 00 createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param bool */ public function setCustom($custom) { $this->custom = $custom; } /** * @return bool */ public function getCustom() { return $this->custom; } /** * @param bool */ public function setDeletable($deletable) { $this->deletable = $deletable; } /** * @return bool */ public function getDeletable() { return $this->deletable; } /** * @param string */ public function setEventName($eventName) { $this->eventName = $eventName; } /** * @return string */ public function getEventName() { return $this->eventName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaConversionEvent::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaConversionEvent'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink.php 0000644 00000006457 15054470473 0032003 0 ustar 00 google/apiclient-services adsPersonalizationEnabled = $adsPersonalizationEnabled; } /** * @return bool */ public function getAdsPersonalizationEnabled() { return $this->adsPersonalizationEnabled; } /** * @param string */ public function setAdvertiserDisplayName($advertiserDisplayName) { $this->advertiserDisplayName = $advertiserDisplayName; } /** * @return string */ public function getAdvertiserDisplayName() { return $this->advertiserDisplayName; } /** * @param string */ public function setAdvertiserId($advertiserId) { $this->advertiserId = $advertiserId; } /** * @return string */ public function getAdvertiserId() { return $this->advertiserId; } /** * @param bool */ public function setCampaignDataSharingEnabled($campaignDataSharingEnabled) { $this->campaignDataSharingEnabled = $campaignDataSharingEnabled; } /** * @return bool */ public function getCampaignDataSharingEnabled() { return $this->campaignDataSharingEnabled; } /** * @param bool */ public function setCostDataSharingEnabled($costDataSharingEnabled) { $this->costDataSharingEnabled = $costDataSharingEnabled; } /** * @return bool */ public function getCostDataSharingEnabled() { return $this->costDataSharingEnabled; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaListGoogleAdsLinksResponse.php0000644 00000004035 15054470473 0031343 0 ustar 00 google googleAdsLinks = $googleAdsLinks; } /** * @return GoogleAnalyticsAdminV1betaGoogleAdsLink[] */ public function getGoogleAdsLinks() { return $this->googleAdsLinks; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListGoogleAdsLinksResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaListGoogleAdsLinksResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaListMeasurementProtocolSecretsResponse.php 0000644 00000004321 15054470473 0034034 0 ustar 00 google/apiclient-services measurementProtocolSecrets = $measurementProtocolSecrets; } /** * @return GoogleAnalyticsAdminV1betaMeasurementProtocolSecret[] */ public function getMeasurementProtocolSecrets() { return $this->measurementProtocolSecrets; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListMeasurementProtocolSecretsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaListMeasurementProtocolSecretsResponse'); GoogleAnalyticsAdminV1alphaCancelDisplayVideo360AdvertiserLinkProposalRequest.php 0000644 00000002272 15054470473 0036171 0 ustar 00 google/apiclient-services/src/GoogleAnalyticsAdmin dimensionName = $dimensionName; } /** * @return string */ public function getDimensionName() { return $this->dimensionName; } /** * @param string */ public function setOrderType($orderType) { $this->orderType = $orderType; } /** * @return string */ public function getOrderType() { return $this->orderType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessOrderByDimensionOrderBy::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessOrderByDimensionOrderBy'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaListAccountsResponse.php 0000644 00000003703 15054470473 0030256 0 ustar 00 google accounts = $accounts; } /** * @return GoogleAnalyticsAdminV1betaAccount[] */ public function getAccounts() { return $this->accounts; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListAccountsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaListAccountsResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceFilterExpressionList.php 0000644 00000003424 15054470473 0032075 0 ustar 00 google/apiclient-services filterExpressions = $filterExpressions; } /** * @return GoogleAnalyticsAdminV1alphaAudienceFilterExpression[] */ public function getFilterExpressions() { return $this->filterExpressions; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceFilterExpressionList::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceFilterExpressionList'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaDataStreamAndroidAppStreamData.php 0000644 00000003417 15054470473 0032063 0 ustar 00 google/apiclient-services firebaseAppId = $firebaseAppId; } /** * @return string */ public function getFirebaseAppId() { return $this->firebaseAppId; } /** * @param string */ public function setPackageName($packageName) { $this->packageName = $packageName; } /** * @return string */ public function getPackageName() { return $this->packageName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStreamAndroidAppStreamData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaDataStreamAndroidAppStreamData'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessNumericFilter.php 0000644 00000003721 15054470473 0030170 0 ustar 00 google operation = $operation; } /** * @return string */ public function getOperation() { return $this->operation; } /** * @param GoogleAnalyticsAdminV1alphaNumericValue */ public function setValue(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaNumericValue $value) { $this->value = $value; } /** * @return GoogleAnalyticsAdminV1alphaNumericValue */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessNumericFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessNumericFilter'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceFilterExpression.php 0000644 00000010747 15054470473 0031247 0 ustar 00 google andGroup = $andGroup; } /** * @return GoogleAnalyticsAdminV1alphaAudienceFilterExpressionList */ public function getAndGroup() { return $this->andGroup; } /** * @param GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilter */ public function setDimensionOrMetricFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilter $dimensionOrMetricFilter) { $this->dimensionOrMetricFilter = $dimensionOrMetricFilter; } /** * @return GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilter */ public function getDimensionOrMetricFilter() { return $this->dimensionOrMetricFilter; } /** * @param GoogleAnalyticsAdminV1alphaAudienceEventFilter */ public function setEventFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceEventFilter $eventFilter) { $this->eventFilter = $eventFilter; } /** * @return GoogleAnalyticsAdminV1alphaAudienceEventFilter */ public function getEventFilter() { return $this->eventFilter; } /** * @param GoogleAnalyticsAdminV1alphaAudienceFilterExpression */ public function setNotExpression(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceFilterExpression $notExpression) { $this->notExpression = $notExpression; } /** * @return GoogleAnalyticsAdminV1alphaAudienceFilterExpression */ public function getNotExpression() { return $this->notExpression; } /** * @param GoogleAnalyticsAdminV1alphaAudienceFilterExpressionList */ public function setOrGroup(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceFilterExpressionList $orGroup) { $this->orGroup = $orGroup; } /** * @return GoogleAnalyticsAdminV1alphaAudienceFilterExpressionList */ public function getOrGroup() { return $this->orGroup; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceFilterExpression::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceFilterExpression'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaGoogleAdsLink.php 0000644 00000006610 15054470473 0026665 0 ustar 00 adsPersonalizationEnabled = $adsPersonalizationEnabled; } /** * @return bool */ public function getAdsPersonalizationEnabled() { return $this->adsPersonalizationEnabled; } /** * @param bool */ public function setCanManageClients($canManageClients) { $this->canManageClients = $canManageClients; } /** * @return bool */ public function getCanManageClients() { return $this->canManageClients; } /** * @param string */ public function setCreateTime($createTime) { $this->createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setCreatorEmailAddress($creatorEmailAddress) { $this->creatorEmailAddress = $creatorEmailAddress; } /** * @return string */ public function getCreatorEmailAddress() { return $this->creatorEmailAddress; } /** * @param string */ public function setCustomerId($customerId) { $this->customerId = $customerId; } /** * @return string */ public function getCustomerId() { return $this->customerId; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaGoogleAdsLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaGoogleAdsLink'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAuditUserLink.php 0000644 00000004605 15054470473 0027102 0 ustar 00 directRoles = $directRoles; } /** * @return string[] */ public function getDirectRoles() { return $this->directRoles; } /** * @param string[] */ public function setEffectiveRoles($effectiveRoles) { $this->effectiveRoles = $effectiveRoles; } /** * @return string[] */ public function getEffectiveRoles() { return $this->effectiveRoles; } /** * @param string */ public function setEmailAddress($emailAddress) { $this->emailAddress = $emailAddress; } /** * @return string */ public function getEmailAddress() { return $this->emailAddress; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAuditUserLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAuditUserLink'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessDimensionValue.php 0000644 00000002571 15054470473 0030344 0 ustar 00 google value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessDimensionValue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessDimensionValue'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaDataRetentionSettings.php 0000644 00000004214 15054470473 0030404 0 ustar 00 google eventDataRetention = $eventDataRetention; } /** * @return string */ public function getEventDataRetention() { return $this->eventDataRetention; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param bool */ public function setResetUserDataOnNewActivity($resetUserDataOnNewActivity) { $this->resetUserDataOnNewActivity = $resetUserDataOnNewActivity; } /** * @return bool */ public function getResetUserDataOnNewActivity() { return $this->resetUserDataOnNewActivity; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataRetentionSettings::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaDataRetentionSettings'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaArchiveCustomDimensionRequest.php 0000644 00000002173 15054470473 0032271 0 ustar 00 google/apiclient-services acknowledgement = $acknowledgement; } /** * @return string */ public function getAcknowledgement() { return $this->acknowledgement; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAcknowledgeUserDataCollectionRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAcknowledgeUserDataCollectionRequest'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListSearchAds360LinksResponse.php 0000644 00000004120 15054470473 0031732 0 ustar 00 google/apiclient-services nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param GoogleAnalyticsAdminV1alphaSearchAds360Link[] */ public function setSearchAds360Links($searchAds360Links) { $this->searchAds360Links = $searchAds360Links; } /** * @return GoogleAnalyticsAdminV1alphaSearchAds360Link[] */ public function getSearchAds360Links() { return $this->searchAds360Links; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListSearchAds360LinksResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListSearchAds360LinksResponse'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaLinkProposalStatusDetails.php0000644 00000004365 15054470473 0031432 0 ustar 00 google linkProposalInitiatingProduct = $linkProposalInitiatingProduct; } /** * @return string */ public function getLinkProposalInitiatingProduct() { return $this->linkProposalInitiatingProduct; } /** * @param string */ public function setLinkProposalState($linkProposalState) { $this->linkProposalState = $linkProposalState; } /** * @return string */ public function getLinkProposalState() { return $this->linkProposalState; } /** * @param string */ public function setRequestorEmail($requestorEmail) { $this->requestorEmail = $requestorEmail; } /** * @return string */ public function getRequestorEmail() { return $this->requestorEmail; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaLinkProposalStatusDetails::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaLinkProposalStatusDetails'); GoogleAnalyticsAdminV1alphaApproveDisplayVideo360AdvertiserLinkProposalResponse.php 0000644 00000004003 15054470473 0036560 0 ustar 00 google/apiclient-services/src/GoogleAnalyticsAdmin displayVideo360AdvertiserLink = $displayVideo360AdvertiserLink; } /** * @return GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink */ public function getDisplayVideo360AdvertiserLink() { return $this->displayVideo360AdvertiserLink; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaApproveDisplayVideo360AdvertiserLinkProposalResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaApproveDisplayVideo360AdvertiserLinkProposalResponse'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaDeleteUserLinkRequest.php 0000644 00000002565 15054470473 0030533 0 ustar 00 google name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDeleteUserLinkRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaDeleteUserLinkRequest'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListAndroidAppDataStreamsResponse.php 0000644 00000004214 15054470473 0033021 0 ustar 00 google/apiclient-services androidAppDataStreams = $androidAppDataStreams; } /** * @return GoogleAnalyticsAdminV1alphaAndroidAppDataStream[] */ public function getAndroidAppDataStreams() { return $this->androidAppDataStreams; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListAndroidAppDataStreamsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListAndroidAppDataStreamsResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaProperty.php 0000644 00000012067 15054470473 0026032 0 ustar 00 account = $account; } /** * @return string */ public function getAccount() { return $this->account; } /** * @param string */ public function setCreateTime($createTime) { $this->createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setCurrencyCode($currencyCode) { $this->currencyCode = $currencyCode; } /** * @return string */ public function getCurrencyCode() { return $this->currencyCode; } /** * @param string */ public function setDeleteTime($deleteTime) { $this->deleteTime = $deleteTime; } /** * @return string */ public function getDeleteTime() { return $this->deleteTime; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setExpireTime($expireTime) { $this->expireTime = $expireTime; } /** * @return string */ public function getExpireTime() { return $this->expireTime; } /** * @param string */ public function setIndustryCategory($industryCategory) { $this->industryCategory = $industryCategory; } /** * @return string */ public function getIndustryCategory() { return $this->industryCategory; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setParent($parent) { $this->parent = $parent; } /** * @return string */ public function getParent() { return $this->parent; } /** * @param string */ public function setPropertyType($propertyType) { $this->propertyType = $propertyType; } /** * @return string */ public function getPropertyType() { return $this->propertyType; } /** * @param string */ public function setServiceLevel($serviceLevel) { $this->serviceLevel = $serviceLevel; } /** * @return string */ public function getServiceLevel() { return $this->serviceLevel; } /** * @param string */ public function setTimeZone($timeZone) { $this->timeZone = $timeZone; } /** * @return string */ public function getTimeZone() { return $this->timeZone; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProperty::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaProperty'); GoogleAnalyticsAdminV1alphaApproveDisplayVideo360AdvertiserLinkProposalRequest.php 0000644 00000002275 15054470473 0036423 0 ustar 00 google/apiclient-services/src/GoogleAnalyticsAdmin customMetrics = $customMetrics; } /** * @return GoogleAnalyticsAdminV1betaCustomMetric[] */ public function getCustomMetrics() { return $this->customMetrics; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListCustomMetricsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaListCustomMetricsResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericValue.php 0000644 00000003266 15054470473 0035020 0 ustar 00 google/apiclient-services doubleValue = $doubleValue; } public function getDoubleValue() { return $this->doubleValue; } /** * @param string */ public function setInt64Value($int64Value) { $this->int64Value = $int64Value; } /** * @return string */ public function getInt64Value() { return $this->int64Value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericValue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericValue'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaSearchChangeHistoryEventsResponse.php 0000644 00000004164 15054470473 0033101 0 ustar 00 google/apiclient-services changeHistoryEvents = $changeHistoryEvents; } /** * @return GoogleAnalyticsAdminV1alphaChangeHistoryEvent[] */ public function getChangeHistoryEvents() { return $this->changeHistoryEvents; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaSearchChangeHistoryEventsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaSearchChangeHistoryEventsResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaExpandedDataSetFilterInListFilter.php 0000644 00000003447 15054470473 0032740 0 ustar 00 google/apiclient-services caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string[] */ public function setValues($values) { $this->values = $values; } /** * @return string[] */ public function getValues() { return $this->values; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSetFilterInListFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaExpandedDataSetFilterInListFilter'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaGoogleSignalsSettings.php 0000644 00000003665 15054470473 0030563 0 ustar 00 google consent = $consent; } /** * @return string */ public function getConsent() { return $this->consent; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setState($state) { $this->state = $state; } /** * @return string */ public function getState() { return $this->state; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaGoogleSignalsSettings::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaGoogleSignalsSettings'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListFirebaseLinksResponse.php0000644 00000004024 15054470473 0031367 0 ustar 00 google firebaseLinks = $firebaseLinks; } /** * @return GoogleAnalyticsAdminV1alphaFirebaseLink[] */ public function getFirebaseLinks() { return $this->firebaseLinks; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListFirebaseLinksResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListFirebaseLinksResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaArchiveCustomDimensionRequest.php 0000644 00000002170 15054470473 0032114 0 ustar 00 google/apiclient-services accountTicketId = $accountTicketId; } /** * @return string */ public function getAccountTicketId() { return $this->accountTicketId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaProvisionAccountTicketResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaProvisionAccountTicketResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaWebDataStream.php 0000644 00000006366 15054470473 0027050 0 ustar 00 createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setDefaultUri($defaultUri) { $this->defaultUri = $defaultUri; } /** * @return string */ public function getDefaultUri() { return $this->defaultUri; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setFirebaseAppId($firebaseAppId) { $this->firebaseAppId = $firebaseAppId; } /** * @return string */ public function getFirebaseAppId() { return $this->firebaseAppId; } /** * @param string */ public function setMeasurementId($measurementId) { $this->measurementId = $measurementId; } /** * @return string */ public function getMeasurementId() { return $this->measurementId; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaWebDataStream::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaWebDataStream'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaCustomMetric.php 0000644 00000006556 15054470473 0027004 0 ustar 00 description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setMeasurementUnit($measurementUnit) { $this->measurementUnit = $measurementUnit; } /** * @return string */ public function getMeasurementUnit() { return $this->measurementUnit; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setParameterName($parameterName) { $this->parameterName = $parameterName; } /** * @return string */ public function getParameterName() { return $this->parameterName; } /** * @param string[] */ public function setRestrictedMetricType($restrictedMetricType) { $this->restrictedMetricType = $restrictedMetricType; } /** * @return string[] */ public function getRestrictedMetricType() { return $this->restrictedMetricType; } /** * @param string */ public function setScope($scope) { $this->scope = $scope; } /** * @return string */ public function getScope() { return $this->scope; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaCustomMetric::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaCustomMetric'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksRequest.php 0000644 00000003267 15054470473 0031700 0 ustar 00 google/apiclient-services requests = $requests; } /** * @return GoogleAnalyticsAdminV1alphaUpdateUserLinkRequest[] */ public function getRequests() { return $this->requests; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksRequest'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaListFirebaseLinksResponse.php 0000644 00000004016 15054470473 0031216 0 ustar 00 google firebaseLinks = $firebaseLinks; } /** * @return GoogleAnalyticsAdminV1betaFirebaseLink[] */ public function getFirebaseLinks() { return $this->firebaseLinks; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListFirebaseLinksResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaListFirebaseLinksResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaCustomMetric.php 0000644 00000006553 15054470473 0026627 0 ustar 00 description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setMeasurementUnit($measurementUnit) { $this->measurementUnit = $measurementUnit; } /** * @return string */ public function getMeasurementUnit() { return $this->measurementUnit; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setParameterName($parameterName) { $this->parameterName = $parameterName; } /** * @return string */ public function getParameterName() { return $this->parameterName; } /** * @param string[] */ public function setRestrictedMetricType($restrictedMetricType) { $this->restrictedMetricType = $restrictedMetricType; } /** * @return string[] */ public function getRestrictedMetricType() { return $this->restrictedMetricType; } /** * @param string */ public function setScope($scope) { $this->scope = $scope; } /** * @return string */ public function getScope() { return $this->scope; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomMetric::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaCustomMetric'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaSearchChangeHistoryEventsRequest.php 0000644 00000007320 15054470473 0032556 0 ustar 00 google/apiclient-services action = $action; } /** * @return string[] */ public function getAction() { return $this->action; } /** * @param string[] */ public function setActorEmail($actorEmail) { $this->actorEmail = $actorEmail; } /** * @return string[] */ public function getActorEmail() { return $this->actorEmail; } /** * @param string */ public function setEarliestChangeTime($earliestChangeTime) { $this->earliestChangeTime = $earliestChangeTime; } /** * @return string */ public function getEarliestChangeTime() { return $this->earliestChangeTime; } /** * @param string */ public function setLatestChangeTime($latestChangeTime) { $this->latestChangeTime = $latestChangeTime; } /** * @return string */ public function getLatestChangeTime() { return $this->latestChangeTime; } /** * @param int */ public function setPageSize($pageSize) { $this->pageSize = $pageSize; } /** * @return int */ public function getPageSize() { return $this->pageSize; } /** * @param string */ public function setPageToken($pageToken) { $this->pageToken = $pageToken; } /** * @return string */ public function getPageToken() { return $this->pageToken; } /** * @param string */ public function setProperty($property) { $this->property = $property; } /** * @return string */ public function getProperty() { return $this->property; } /** * @param string[] */ public function setResourceType($resourceType) { $this->resourceType = $resourceType; } /** * @return string[] */ public function getResourceType() { return $this->resourceType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaSearchChangeHistoryEventsRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaSearchChangeHistoryEventsRequest'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaDataRetentionSettings.php 0000644 00000004217 15054470473 0030561 0 ustar 00 google eventDataRetention = $eventDataRetention; } /** * @return string */ public function getEventDataRetention() { return $this->eventDataRetention; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param bool */ public function setResetUserDataOnNewActivity($resetUserDataOnNewActivity) { $this->resetUserDataOnNewActivity = $resetUserDataOnNewActivity; } /** * @return bool */ public function getResetUserDataOnNewActivity() { return $this->resetUserDataOnNewActivity; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDataRetentionSettings::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaDataRetentionSettings'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessMetric.php 0000644 00000002604 15054470473 0026721 0 ustar 00 metricName = $metricName; } /** * @return string */ public function getMetricName() { return $this->metricName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessMetric::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessMetric'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesFirebaseLinks.php 0000644 00000010576 15054470473 0025555 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $firebaseLinks = $analyticsadminService->firebaseLinks; * */ class PropertiesFirebaseLinks extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a FirebaseLink. Properties can have at most one FirebaseLink. * (firebaseLinks.create) * * @param string $parent Required. Format: properties/{property_id} Example: * properties/1234 * @param GoogleAnalyticsAdminV1betaFirebaseLink $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaFirebaseLink */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaFirebaseLink $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaFirebaseLink::class); } /** * Deletes a FirebaseLink on a property (firebaseLinks.delete) * * @param string $name Required. Format: * properties/{property_id}/firebaseLinks/{firebase_link_id} Example: * properties/1234/firebaseLinks/5678 * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lists FirebaseLinks on a property. Properties can have at most one * FirebaseLink. (firebaseLinks.listPropertiesFirebaseLinks) * * @param string $parent Required. Format: properties/{property_id} Example: * properties/1234 * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. The * service may return fewer than this value, even if there are additional pages. * If unspecified, at most 50 resources will be returned. The maximum value is * 200; (higher values will be coerced to the maximum) * @opt_param string pageToken A page token, received from a previous * `ListFirebaseLinks` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListFirebaseLinks` must match * the call that provided the page token. * @return GoogleAnalyticsAdminV1betaListFirebaseLinksResponse */ public function listPropertiesFirebaseLinks($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListFirebaseLinksResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesFirebaseLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesFirebaseLinks'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesWebDataStreams.php 0000644 00000014706 15054470473 0025701 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $webDataStreams = $analyticsadminService->webDataStreams; * */ class PropertiesWebDataStreams extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a web stream with the specified location and attributes. * (webDataStreams.create) * * @param string $parent Required. The parent resource where this web data * stream will be created. Format: properties/123 * @param GoogleAnalyticsAdminV1alphaWebDataStream $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaWebDataStream */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaWebDataStream $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaWebDataStream::class); } /** * Deletes a web stream on a property. (webDataStreams.delete) * * @param string $name Required. The name of the web data stream to delete. * Format: properties/{property_id}/webDataStreams/{stream_id} Example: * "properties/123/webDataStreams/456" * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lookup for a single WebDataStream (webDataStreams.get) * * @param string $name Required. The name of the web data stream to lookup. * Format: properties/{property_id}/webDataStreams/{stream_id} Example: * "properties/123/webDataStreams/456" * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaWebDataStream */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaWebDataStream::class); } /** * Returns child web data streams under the specified parent property. Web data * streams will be excluded if the caller does not have access. Returns an empty * list if no relevant web data streams are found. * (webDataStreams.listPropertiesWebDataStreams) * * @param string $parent Required. The name of the parent property. For example, * to list results of web streams under the property with Id 123: * "properties/123" * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200; * (higher values will be coerced to the maximum) * @opt_param string pageToken A page token, received from a previous * `ListWebDataStreams` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListWebDataStreams` must match * the call that provided the page token. * @return GoogleAnalyticsAdminV1alphaListWebDataStreamsResponse */ public function listPropertiesWebDataStreams($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListWebDataStreamsResponse::class); } /** * Updates a web stream on a property. (webDataStreams.patch) * * @param string $name Output only. Resource name of this Data Stream. Format: * properties/{property_id}/webDataStreams/{stream_id} Example: * "properties/1000/webDataStreams/2000" * @param GoogleAnalyticsAdminV1alphaWebDataStream $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Field names must be in snake case (e.g., "field_to_update"). Omitted fields * will not be updated. To replace the entire entity, use one path with the * string "*" to match all fields. * @return GoogleAnalyticsAdminV1alphaWebDataStream */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaWebDataStream $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaWebDataStream::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesWebDataStreams::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesWebDataStreams'); apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesDisplayVideo360AdvertiserLinks.php 0000644 00000015552 15054470473 0030633 0 ustar 00 google * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $displayVideo360AdvertiserLinks = $analyticsadminService->displayVideo360AdvertiserLinks; * */ class PropertiesDisplayVideo360AdvertiserLinks extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a DisplayVideo360AdvertiserLink. This can only be utilized by users * who have proper authorization both on the Google Analytics property and on * the Display & Video 360 advertiser. Users who do not have access to the * Display & Video 360 advertiser should instead seek to create a * DisplayVideo360LinkProposal. (displayVideo360AdvertiserLinks.create) * * @param string $parent Required. Example format: properties/1234 * @param GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink::class); } /** * Deletes a DisplayVideo360AdvertiserLink on a property. * (displayVideo360AdvertiserLinks.delete) * * @param string $name Required. The name of the DisplayVideo360AdvertiserLink * to delete. Example format: * properties/1234/displayVideo360AdvertiserLinks/5678 * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Look up a single DisplayVideo360AdvertiserLink * (displayVideo360AdvertiserLinks.get) * * @param string $name Required. The name of the DisplayVideo360AdvertiserLink * to get. Example format: properties/1234/displayVideo360AdvertiserLink/5678 * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink::class); } /** * Lists all DisplayVideo360AdvertiserLinks on a property. * (displayVideo360AdvertiserLinks.listPropertiesDisplayVideo360AdvertiserLinks) * * @param string $parent Required. Example format: properties/1234 * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200 * (higher values will be coerced to the maximum). * @opt_param string pageToken A page token, received from a previous * `ListDisplayVideo360AdvertiserLinks` call. Provide this to retrieve the * subsequent page. When paginating, all other parameters provided to * `ListDisplayVideo360AdvertiserLinks` must match the call that provided the * page token. * @return GoogleAnalyticsAdminV1alphaListDisplayVideo360AdvertiserLinksResponse */ public function listPropertiesDisplayVideo360AdvertiserLinks($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListDisplayVideo360AdvertiserLinksResponse::class); } /** * Updates a DisplayVideo360AdvertiserLink on a property. * (displayVideo360AdvertiserLinks.patch) * * @param string $name Output only. The resource name for this * DisplayVideo360AdvertiserLink resource. Format: * properties/{propertyId}/displayVideo360AdvertiserLinks/{linkId} Note: linkId * is not the Display & Video 360 Advertiser ID * @param GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Omitted fields will not be updated. To replace the entire entity, use one * path with the string "*" to match all fields. * @return GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesDisplayVideo360AdvertiserLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesDisplayVideo360AdvertiserLinks'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesCustomMetrics.php 0000644 00000014204 15054470473 0025625 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $customMetrics = $analyticsadminService->customMetrics; * */ class PropertiesCustomMetrics extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Archives a CustomMetric on a property. (customMetrics.archive) * * @param string $name Required. The name of the CustomMetric to archive. * Example format: properties/1234/customMetrics/5678 * @param GoogleAnalyticsAdminV1betaArchiveCustomMetricRequest $postBody * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function archive($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaArchiveCustomMetricRequest $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('archive', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Creates a CustomMetric. (customMetrics.create) * * @param string $parent Required. Example format: properties/1234 * @param GoogleAnalyticsAdminV1betaCustomMetric $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaCustomMetric */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomMetric $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomMetric::class); } /** * Lookup for a single CustomMetric. (customMetrics.get) * * @param string $name Required. The name of the CustomMetric to get. Example * format: properties/1234/customMetrics/5678 * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaCustomMetric */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomMetric::class); } /** * Lists CustomMetrics on a property. * (customMetrics.listPropertiesCustomMetrics) * * @param string $parent Required. Example format: properties/1234 * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200 * (higher values will be coerced to the maximum). * @opt_param string pageToken A page token, received from a previous * `ListCustomMetrics` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListCustomMetrics` must match * the call that provided the page token. * @return GoogleAnalyticsAdminV1betaListCustomMetricsResponse */ public function listPropertiesCustomMetrics($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListCustomMetricsResponse::class); } /** * Updates a CustomMetric on a property. (customMetrics.patch) * * @param string $name Output only. Resource name for this CustomMetric * resource. Format: properties/{property}/customMetrics/{customMetric} * @param GoogleAnalyticsAdminV1betaCustomMetric $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Omitted fields will not be updated. To replace the entire entity, use one * path with the string "*" to match all fields. * @return GoogleAnalyticsAdminV1betaCustomMetric */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomMetric $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomMetric::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesCustomMetrics::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesCustomMetrics'); src/GoogleAnalyticsAdmin/Resource/PropertiesDataStreamsMeasurementProtocolSecrets.php 0000644 00000015214 15054470473 0032440 0 ustar 00 google/apiclient-services * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $measurementProtocolSecrets = $analyticsadminService->measurementProtocolSecrets; * */ class PropertiesDataStreamsMeasurementProtocolSecrets extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a measurement protocol secret. (measurementProtocolSecrets.create) * * @param string $parent Required. The parent resource where this secret will be * created. Format: properties/{property}/dataStreams/{dataStream} * @param GoogleAnalyticsAdminV1betaMeasurementProtocolSecret $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaMeasurementProtocolSecret */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaMeasurementProtocolSecret $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaMeasurementProtocolSecret::class); } /** * Deletes target MeasurementProtocolSecret. (measurementProtocolSecrets.delete) * * @param string $name Required. The name of the MeasurementProtocolSecret to * delete. Format: properties/{property}/dataStreams/{dataStream}/measurementPro * tocolSecrets/{measurementProtocolSecret} * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lookup for a single "GA4" MeasurementProtocolSecret. * (measurementProtocolSecrets.get) * * @param string $name Required. The name of the measurement protocol secret to * lookup. Format: properties/{property}/dataStreams/{dataStream}/measurementPro * tocolSecrets/{measurementProtocolSecret} * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaMeasurementProtocolSecret */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaMeasurementProtocolSecret::class); } /** * Returns child MeasurementProtocolSecrets under the specified parent Property. * (measurementProtocolSecrets.listPropertiesDataStreamsMeasurementProtocolSecre * ts) * * @param string $parent Required. The resource name of the parent stream. * Format: * properties/{property}/dataStreams/{dataStream}/measurementProtocolSecrets * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 10 resources will be returned. The maximum value is 10. * Higher values will be coerced to the maximum. * @opt_param string pageToken A page token, received from a previous * `ListMeasurementProtocolSecrets` call. Provide this to retrieve the * subsequent page. When paginating, all other parameters provided to * `ListMeasurementProtocolSecrets` must match the call that provided the page * token. * @return GoogleAnalyticsAdminV1betaListMeasurementProtocolSecretsResponse */ public function listPropertiesDataStreamsMeasurementProtocolSecrets($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListMeasurementProtocolSecretsResponse::class); } /** * Updates a measurement protocol secret. (measurementProtocolSecrets.patch) * * @param string $name Output only. Resource name of this secret. This secret * may be a child of any type of stream. Format: properties/{property}/dataStrea * ms/{dataStream}/measurementProtocolSecrets/{measurementProtocolSecret} * @param GoogleAnalyticsAdminV1betaMeasurementProtocolSecret $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask The list of fields to be updated. Omitted fields * will not be updated. * @return GoogleAnalyticsAdminV1betaMeasurementProtocolSecret */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaMeasurementProtocolSecret $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaMeasurementProtocolSecret::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesDataStreamsMeasurementProtocolSecrets::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesDataStreamsMeasurementProtocolSecrets'); src/GoogleAnalyticsAdmin/Resource/PropertiesAndroidAppDataStreamsMeasurementProtocolSecrets.php 0000644 00000016212 15054470473 0034401 0 ustar 00 google/apiclient-services * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $measurementProtocolSecrets = $analyticsadminService->measurementProtocolSecrets; * */ class PropertiesAndroidAppDataStreamsMeasurementProtocolSecrets extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a measurement protocol secret. (measurementProtocolSecrets.create) * * @param string $parent Required. The parent resource where this secret will be * created. Any type of stream (WebDataStream, IosAppDataStream, * AndroidAppDataStream) may be a parent. Format: * properties/{property}/webDataStreams/{webDataStream} * @param GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret::class); } /** * Deletes target MeasurementProtocolSecret. (measurementProtocolSecrets.delete) * * @param string $name Required. The name of the MeasurementProtocolSecret to * delete. Format: properties/{property}/webDataStreams/{webDataStream}/measurem * entProtocolSecrets/{measurementProtocolSecret} Note: Any type of stream * (WebDataStream, IosAppDataStream, AndroidAppDataStream) may be a parent. * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lookup for a single "GA4" MeasurementProtocolSecret. * (measurementProtocolSecrets.get) * * @param string $name Required. The name of the measurement protocol secret to * lookup. Format: properties/{property}/webDataStreams/{webDataStream}/measurem * entProtocolSecrets/{measurementProtocolSecret} Note: Any type of stream * (WebDataStream, IosAppDataStream, AndroidAppDataStream) may be a parent. * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret::class); } /** * Returns child MeasurementProtocolSecrets under the specified parent Property. * (measurementProtocolSecrets.listPropertiesAndroidAppDataStreamsMeasurementPro * tocolSecrets) * * @param string $parent Required. The resource name of the parent stream. Any * type of stream (WebDataStream, IosAppDataStream, AndroidAppDataStream) may be * a parent. Format: properties/{property}/webDataStreams/{webDataStream}/measur * ementProtocolSecrets * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 10 resources will be returned. The maximum value is 10. * Higher values will be coerced to the maximum. * @opt_param string pageToken A page token, received from a previous * `ListMeasurementProtocolSecrets` call. Provide this to retrieve the * subsequent page. When paginating, all other parameters provided to * `ListMeasurementProtocolSecrets` must match the call that provided the page * token. * @return GoogleAnalyticsAdminV1alphaListMeasurementProtocolSecretsResponse */ public function listPropertiesAndroidAppDataStreamsMeasurementProtocolSecrets($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListMeasurementProtocolSecretsResponse::class); } /** * Updates a measurement protocol secret. (measurementProtocolSecrets.patch) * * @param string $name Output only. Resource name of this secret. This secret * may be a child of any type of stream. Format: properties/{property}/webDataSt * reams/{webDataStream}/measurementProtocolSecrets/{measurementProtocolSecret} * @param GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask The list of fields to be updated. Omitted fields * will not be updated. * @return GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesAndroidAppDataStreamsMeasurementProtocolSecrets::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesAndroidAppDataStreamsMeasurementProtocolSecrets'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesAudiences.php 0000644 00000014355 15054470473 0024733 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $audiences = $analyticsadminService->audiences; * */ class PropertiesAudiences extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Archives an Audience on a property. (audiences.archive) * * @param string $name Required. Example format: properties/1234/audiences/5678 * @param GoogleAnalyticsAdminV1alphaArchiveAudienceRequest $postBody * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function archive($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaArchiveAudienceRequest $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('archive', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Creates an Audience. (audiences.create) * * @param string $parent Required. Example format: properties/1234 * @param GoogleAnalyticsAdminV1alphaAudience $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaAudience */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudience $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudience::class); } /** * Lookup for a single Audience. Audiences created before 2020 may not be * supported. Default audiences will not show filter definitions. * (audiences.get) * * @param string $name Required. The name of the Audience to get. Example * format: properties/1234/audiences/5678 * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaAudience */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudience::class); } /** * Lists Audiences on a property. Audiences created before 2020 may not be * supported. Default audiences will not show filter definitions. * (audiences.listPropertiesAudiences) * * @param string $parent Required. Example format: properties/1234 * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200 * (higher values will be coerced to the maximum). * @opt_param string pageToken A page token, received from a previous * `ListAudiences` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListAudiences` must match the * call that provided the page token. * @return GoogleAnalyticsAdminV1alphaListAudiencesResponse */ public function listPropertiesAudiences($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListAudiencesResponse::class); } /** * Updates an Audience on a property. (audiences.patch) * * @param string $name Output only. The resource name for this Audience * resource. Format: properties/{propertyId}/audiences/{audienceId} * @param GoogleAnalyticsAdminV1alphaAudience $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Field names must be in snake case (e.g., "field_to_update"). Omitted fields * will not be updated. To replace the entire entity, use one path with the * string "*" to match all fields. * @return GoogleAnalyticsAdminV1alphaAudience */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudience $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudience::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesAudiences::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesAudiences'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesSearchAds360Links.php 0000644 00000014005 15054470473 0026112 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $searchAds360Links = $analyticsadminService->searchAds360Links; * */ class PropertiesSearchAds360Links extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a SearchAds360Link. (searchAds360Links.create) * * @param string $parent Required. Example format: properties/1234 * @param GoogleAnalyticsAdminV1alphaSearchAds360Link $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaSearchAds360Link */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaSearchAds360Link $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaSearchAds360Link::class); } /** * Deletes a SearchAds360Link on a property. (searchAds360Links.delete) * * @param string $name Required. The name of the SearchAds360Link to delete. * Example format: properties/1234/SearchAds360Links/5678 * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Look up a single SearchAds360Link (searchAds360Links.get) * * @param string $name Required. The name of the SearchAds360Link to get. * Example format: properties/1234/SearchAds360Link/5678 * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaSearchAds360Link */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaSearchAds360Link::class); } /** * Lists all SearchAds360Links on a property. * (searchAds360Links.listPropertiesSearchAds360Links) * * @param string $parent Required. Example format: properties/1234 * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200 * (higher values will be coerced to the maximum). * @opt_param string pageToken A page token, received from a previous * `ListSearchAds360Links` call. Provide this to retrieve the subsequent page. * When paginating, all other parameters provided to `ListSearchAds360Links` * must match the call that provided the page token. * @return GoogleAnalyticsAdminV1alphaListSearchAds360LinksResponse */ public function listPropertiesSearchAds360Links($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListSearchAds360LinksResponse::class); } /** * Updates a SearchAds360Link on a property. (searchAds360Links.patch) * * @param string $name Output only. The resource name for this SearchAds360Link * resource. Format: properties/{propertyId}/searchAds360Links/{linkId} Note: * linkId is not the Search Ads 360 advertiser ID * @param GoogleAnalyticsAdminV1alphaSearchAds360Link $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Omitted fields will not be updated. To replace the entire entity, use one * path with the string "*" to match all fields. * @return GoogleAnalyticsAdminV1alphaSearchAds360Link */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaSearchAds360Link $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaSearchAds360Link::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesSearchAds360Links::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesSearchAds360Links'); src/GoogleAnalyticsAdmin/Resource/PropertiesWebDataStreamsMeasurementProtocolSecrets.php 0000644 00000016147 15054470473 0033104 0 ustar 00 google/apiclient-services * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $measurementProtocolSecrets = $analyticsadminService->measurementProtocolSecrets; * */ class PropertiesWebDataStreamsMeasurementProtocolSecrets extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a measurement protocol secret. (measurementProtocolSecrets.create) * * @param string $parent Required. The parent resource where this secret will be * created. Any type of stream (WebDataStream, IosAppDataStream, * AndroidAppDataStream) may be a parent. Format: * properties/{property}/webDataStreams/{webDataStream} * @param GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret::class); } /** * Deletes target MeasurementProtocolSecret. (measurementProtocolSecrets.delete) * * @param string $name Required. The name of the MeasurementProtocolSecret to * delete. Format: properties/{property}/webDataStreams/{webDataStream}/measurem * entProtocolSecrets/{measurementProtocolSecret} Note: Any type of stream * (WebDataStream, IosAppDataStream, AndroidAppDataStream) may be a parent. * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lookup for a single "GA4" MeasurementProtocolSecret. * (measurementProtocolSecrets.get) * * @param string $name Required. The name of the measurement protocol secret to * lookup. Format: properties/{property}/webDataStreams/{webDataStream}/measurem * entProtocolSecrets/{measurementProtocolSecret} Note: Any type of stream * (WebDataStream, IosAppDataStream, AndroidAppDataStream) may be a parent. * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret::class); } /** * Returns child MeasurementProtocolSecrets under the specified parent Property. * (measurementProtocolSecrets.listPropertiesWebDataStreamsMeasurementProtocolSe * crets) * * @param string $parent Required. The resource name of the parent stream. Any * type of stream (WebDataStream, IosAppDataStream, AndroidAppDataStream) may be * a parent. Format: properties/{property}/webDataStreams/{webDataStream}/measur * ementProtocolSecrets * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 10 resources will be returned. The maximum value is 10. * Higher values will be coerced to the maximum. * @opt_param string pageToken A page token, received from a previous * `ListMeasurementProtocolSecrets` call. Provide this to retrieve the * subsequent page. When paginating, all other parameters provided to * `ListMeasurementProtocolSecrets` must match the call that provided the page * token. * @return GoogleAnalyticsAdminV1alphaListMeasurementProtocolSecretsResponse */ public function listPropertiesWebDataStreamsMeasurementProtocolSecrets($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListMeasurementProtocolSecretsResponse::class); } /** * Updates a measurement protocol secret. (measurementProtocolSecrets.patch) * * @param string $name Output only. Resource name of this secret. This secret * may be a child of any type of stream. Format: properties/{property}/webDataSt * reams/{webDataStream}/measurementProtocolSecrets/{measurementProtocolSecret} * @param GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask The list of fields to be updated. Omitted fields * will not be updated. * @return GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesWebDataStreamsMeasurementProtocolSecrets::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesWebDataStreamsMeasurementProtocolSecrets'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/AccountSummaries.php 0000644 00000005112 15054470473 0024227 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $accountSummaries = $analyticsadminService->accountSummaries; * */ class AccountSummaries extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Returns summaries of all accounts accessible by the caller. * (accountSummaries.listAccountSummaries) * * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of AccountSummary resources to * return. The service may return fewer than this value, even if there are * additional pages. If unspecified, at most 50 resources will be returned. The * maximum value is 200; (higher values will be coerced to the maximum) * @opt_param string pageToken A page token, received from a previous * `ListAccountSummaries` call. Provide this to retrieve the subsequent page. * When paginating, all other parameters provided to `ListAccountSummaries` must * match the call that provided the page token. * @return GoogleAnalyticsAdminV1betaListAccountSummariesResponse */ public function listAccountSummaries($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListAccountSummariesResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\AccountSummaries::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_AccountSummaries'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesCustomDimensions.php 0000644 00000014410 15054470473 0026326 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $customDimensions = $analyticsadminService->customDimensions; * */ class PropertiesCustomDimensions extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Archives a CustomDimension on a property. (customDimensions.archive) * * @param string $name Required. The name of the CustomDimension to archive. * Example format: properties/1234/customDimensions/5678 * @param GoogleAnalyticsAdminV1betaArchiveCustomDimensionRequest $postBody * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function archive($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaArchiveCustomDimensionRequest $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('archive', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Creates a CustomDimension. (customDimensions.create) * * @param string $parent Required. Example format: properties/1234 * @param GoogleAnalyticsAdminV1betaCustomDimension $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaCustomDimension */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomDimension $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomDimension::class); } /** * Lookup for a single CustomDimension. (customDimensions.get) * * @param string $name Required. The name of the CustomDimension to get. Example * format: properties/1234/customDimensions/5678 * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaCustomDimension */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomDimension::class); } /** * Lists CustomDimensions on a property. * (customDimensions.listPropertiesCustomDimensions) * * @param string $parent Required. Example format: properties/1234 * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200 * (higher values will be coerced to the maximum). * @opt_param string pageToken A page token, received from a previous * `ListCustomDimensions` call. Provide this to retrieve the subsequent page. * When paginating, all other parameters provided to `ListCustomDimensions` must * match the call that provided the page token. * @return GoogleAnalyticsAdminV1betaListCustomDimensionsResponse */ public function listPropertiesCustomDimensions($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListCustomDimensionsResponse::class); } /** * Updates a CustomDimension on a property. (customDimensions.patch) * * @param string $name Output only. Resource name for this CustomDimension * resource. Format: properties/{property}/customDimensions/{customDimension} * @param GoogleAnalyticsAdminV1betaCustomDimension $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Omitted fields will not be updated. To replace the entire entity, use one * path with the string "*" to match all fields. * @return GoogleAnalyticsAdminV1betaCustomDimension */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomDimension $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomDimension::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesCustomDimensions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesCustomDimensions'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesUserLinks.php 0000644 00000030437 15054470473 0024751 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $userLinks = $analyticsadminService->userLinks; * */ class PropertiesUserLinks extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Lists all user links on an account or property, including implicit ones that * come from effective permissions granted by groups or organization admin * roles. If a returned user link does not have direct permissions, they cannot * be removed from the account or property directly with the DeleteUserLink * command. They have to be removed from the group/etc that gives them * permissions, which is currently only usable/discoverable in the GA or GMP * UIs. (userLinks.audit) * * @param string $parent Required. Example format: accounts/1234 * @param GoogleAnalyticsAdminV1alphaAuditUserLinksRequest $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaAuditUserLinksResponse */ public function audit($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAuditUserLinksRequest $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('audit', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAuditUserLinksResponse::class); } /** * Creates information about multiple users' links to an account or property. * This method is transactional. If any UserLink cannot be created, none of the * UserLinks will be created. (userLinks.batchCreate) * * @param string $parent Required. The account or property that all user links * in the request are for. This field is required. The parent field in the * CreateUserLinkRequest messages must either be empty or match this field. * Example format: accounts/1234 * @param GoogleAnalyticsAdminV1alphaBatchCreateUserLinksRequest $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaBatchCreateUserLinksResponse */ public function batchCreate($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchCreateUserLinksRequest $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchCreate', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchCreateUserLinksResponse::class); } /** * Deletes information about multiple users' links to an account or property. * (userLinks.batchDelete) * * @param string $parent Required. The account or property that all user links * in the request are for. The parent of all values for user link names to * delete must match this field. Example format: accounts/1234 * @param GoogleAnalyticsAdminV1alphaBatchDeleteUserLinksRequest $postBody * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function batchDelete($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchDeleteUserLinksRequest $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchDelete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Gets information about multiple users' links to an account or property. * (userLinks.batchGet) * * @param string $parent Required. The account or property that all user links * in the request are for. The parent of all provided values for the 'names' * field must match this field. Example format: accounts/1234 * @param array $optParams Optional parameters. * * @opt_param string names Required. The names of the user links to retrieve. A * maximum of 1000 user links can be retrieved in a batch. Format: * accounts/{accountId}/userLinks/{userLinkId} * @return GoogleAnalyticsAdminV1alphaBatchGetUserLinksResponse */ public function batchGet($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('batchGet', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchGetUserLinksResponse::class); } /** * Updates information about multiple users' links to an account or property. * (userLinks.batchUpdate) * * @param string $parent Required. The account or property that all user links * in the request are for. The parent field in the UpdateUserLinkRequest * messages must either be empty or match this field. Example format: * accounts/1234 * @param GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksRequest $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksResponse */ public function batchUpdate($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksRequest $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchUpdate', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksResponse::class); } /** * Creates a user link on an account or property. If the user with the specified * email already has permissions on the account or property, then the user's * existing permissions will be unioned with the permissions specified in the * new UserLink. (userLinks.create) * * @param string $parent Required. Example format: accounts/1234 * @param GoogleAnalyticsAdminV1alphaUserLink $postBody * @param array $optParams Optional parameters. * * @opt_param bool notifyNewUser Optional. If set, then email the new user * notifying them that they've been granted permissions to the resource. * @return GoogleAnalyticsAdminV1alphaUserLink */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink::class); } /** * Deletes a user link on an account or property. (userLinks.delete) * * @param string $name Required. Example format: accounts/1234/userLinks/5678 * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Gets information about a user's link to an account or property. * (userLinks.get) * * @param string $name Required. Example format: accounts/1234/userLinks/5678 * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaUserLink */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink::class); } /** * Lists all user links on an account or property. * (userLinks.listPropertiesUserLinks) * * @param string $parent Required. Example format: accounts/1234 * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of user links to return. The * service may return fewer than this value. If unspecified, at most 200 user * links will be returned. The maximum value is 500; values above 500 will be * coerced to 500. * @opt_param string pageToken A page token, received from a previous * `ListUserLinks` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListUserLinks` must match the * call that provided the page token. * @return GoogleAnalyticsAdminV1alphaListUserLinksResponse */ public function listPropertiesUserLinks($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListUserLinksResponse::class); } /** * Updates a user link on an account or property. (userLinks.patch) * * @param string $name Output only. Example format: * properties/1234/userLinks/5678 * @param GoogleAnalyticsAdminV1alphaUserLink $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaUserLink */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesUserLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesUserLinks'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesIosAppDataStreams.php 0000644 00000013277 15054470473 0026361 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $iosAppDataStreams = $analyticsadminService->iosAppDataStreams; * */ class PropertiesIosAppDataStreams extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Deletes an iOS app stream on a property. (iosAppDataStreams.delete) * * @param string $name Required. The name of the iOS app data stream to delete. * Format: properties/{property_id}/iosAppDataStreams/{stream_id} Example: * "properties/123/iosAppDataStreams/456" * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lookup for a single IosAppDataStream (iosAppDataStreams.get) * * @param string $name Required. The name of the iOS app data stream to lookup. * Format: properties/{property_id}/iosAppDataStreams/{stream_id} Example: * "properties/123/iosAppDataStreams/456" * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaIosAppDataStream */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaIosAppDataStream::class); } /** * Returns child iOS app data streams under the specified parent property. iOS * app data streams will be excluded if the caller does not have access. Returns * an empty list if no relevant iOS app data streams are found. * (iosAppDataStreams.listPropertiesIosAppDataStreams) * * @param string $parent Required. The name of the parent property. For example, * to list results of app streams under the property with Id 123: * "properties/123" * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200; * (higher values will be coerced to the maximum) * @opt_param string pageToken A page token, received from a previous * `ListIosAppDataStreams` call. Provide this to retrieve the subsequent page. * When paginating, all other parameters provided to `ListIosAppDataStreams` * must match the call that provided the page token. * @return GoogleAnalyticsAdminV1alphaListIosAppDataStreamsResponse */ public function listPropertiesIosAppDataStreams($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListIosAppDataStreamsResponse::class); } /** * Updates an iOS app stream on a property. (iosAppDataStreams.patch) * * @param string $name Output only. Resource name of this Data Stream. Format: * properties/{property_id}/iosAppDataStreams/{stream_id} Example: * "properties/1000/iosAppDataStreams/2000" * @param GoogleAnalyticsAdminV1alphaIosAppDataStream $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Field names must be in snake case (e.g., "field_to_update"). Omitted fields * will not be updated. To replace the entire entity, use one path with the * string "*" to match all fields. * @return GoogleAnalyticsAdminV1alphaIosAppDataStream */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaIosAppDataStream $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaIosAppDataStream::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesIosAppDataStreams::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesIosAppDataStreams'); src/GoogleAnalyticsAdmin/Resource/PropertiesIosAppDataStreamsMeasurementProtocolSecrets.php 0000644 00000016166 15054470473 0033563 0 ustar 00 google/apiclient-services * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $measurementProtocolSecrets = $analyticsadminService->measurementProtocolSecrets; * */ class PropertiesIosAppDataStreamsMeasurementProtocolSecrets extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a measurement protocol secret. (measurementProtocolSecrets.create) * * @param string $parent Required. The parent resource where this secret will be * created. Any type of stream (WebDataStream, IosAppDataStream, * AndroidAppDataStream) may be a parent. Format: * properties/{property}/webDataStreams/{webDataStream} * @param GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret::class); } /** * Deletes target MeasurementProtocolSecret. (measurementProtocolSecrets.delete) * * @param string $name Required. The name of the MeasurementProtocolSecret to * delete. Format: properties/{property}/webDataStreams/{webDataStream}/measurem * entProtocolSecrets/{measurementProtocolSecret} Note: Any type of stream * (WebDataStream, IosAppDataStream, AndroidAppDataStream) may be a parent. * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lookup for a single "GA4" MeasurementProtocolSecret. * (measurementProtocolSecrets.get) * * @param string $name Required. The name of the measurement protocol secret to * lookup. Format: properties/{property}/webDataStreams/{webDataStream}/measurem * entProtocolSecrets/{measurementProtocolSecret} Note: Any type of stream * (WebDataStream, IosAppDataStream, AndroidAppDataStream) may be a parent. * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret::class); } /** * Returns child MeasurementProtocolSecrets under the specified parent Property. * (measurementProtocolSecrets.listPropertiesIosAppDataStreamsMeasurementProtoco * lSecrets) * * @param string $parent Required. The resource name of the parent stream. Any * type of stream (WebDataStream, IosAppDataStream, AndroidAppDataStream) may be * a parent. Format: properties/{property}/webDataStreams/{webDataStream}/measur * ementProtocolSecrets * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 10 resources will be returned. The maximum value is 10. * Higher values will be coerced to the maximum. * @opt_param string pageToken A page token, received from a previous * `ListMeasurementProtocolSecrets` call. Provide this to retrieve the * subsequent page. When paginating, all other parameters provided to * `ListMeasurementProtocolSecrets` must match the call that provided the page * token. * @return GoogleAnalyticsAdminV1alphaListMeasurementProtocolSecretsResponse */ public function listPropertiesIosAppDataStreamsMeasurementProtocolSecrets($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListMeasurementProtocolSecretsResponse::class); } /** * Updates a measurement protocol secret. (measurementProtocolSecrets.patch) * * @param string $name Output only. Resource name of this secret. This secret * may be a child of any type of stream. Format: properties/{property}/webDataSt * reams/{webDataStream}/measurementProtocolSecrets/{measurementProtocolSecret} * @param GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask The list of fields to be updated. Omitted fields * will not be updated. * @return GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesIosAppDataStreamsMeasurementProtocolSecrets::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesIosAppDataStreamsMeasurementProtocolSecrets'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/Properties.php 0000644 00000025707 15054470473 0023115 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $properties = $analyticsadminService->properties; * */ class Properties extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Acknowledges the terms of user data collection for the specified property. * This acknowledgement must be completed (either in the Google Analytics UI or * via this API) before MeasurementProtocolSecret resources may be created. * (properties.acknowledgeUserDataCollection) * * @param string $property Required. The property for which to acknowledge user * data collection. * @param GoogleAnalyticsAdminV1betaAcknowledgeUserDataCollectionRequest $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaAcknowledgeUserDataCollectionResponse */ public function acknowledgeUserDataCollection($property, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaAcknowledgeUserDataCollectionRequest $postBody, $optParams = []) { $params = ['property' => $property, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('acknowledgeUserDataCollection', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaAcknowledgeUserDataCollectionResponse::class); } /** * Creates an "GA4" property with the specified location and attributes. * (properties.create) * * @param GoogleAnalyticsAdminV1betaProperty $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaProperty */ public function create(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProperty $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProperty::class); } /** * Marks target Property as soft-deleted (ie: "trashed") and returns it. This * API does not have a method to restore soft-deleted properties. However, they * can be restored using the Trash Can UI. If the properties are not restored * before the expiration time, the Property and all child resources (eg: * GoogleAdsLinks, Streams, UserLinks) will be permanently purged. * https://support.google.com/analytics/answer/6154772 Returns an error if the * target is not found, or is not a GA4 Property. (properties.delete) * * @param string $name Required. The name of the Property to soft-delete. * Format: properties/{property_id} Example: "properties/1000" * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaProperty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProperty::class); } /** * Lookup for a single "GA4" Property. (properties.get) * * @param string $name Required. The name of the property to lookup. Format: * properties/{property_id} Example: "properties/1000" * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaProperty */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProperty::class); } /** * Returns the singleton data retention settings for this property. * (properties.getDataRetentionSettings) * * @param string $name Required. The name of the settings to lookup. Format: * properties/{property}/dataRetentionSettings Example: * "properties/1000/dataRetentionSettings" * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaDataRetentionSettings */ public function getDataRetentionSettings($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('getDataRetentionSettings', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataRetentionSettings::class); } /** * Returns child Properties under the specified parent Account. Only "GA4" * properties will be returned. Properties will be excluded if the caller does * not have access. Soft-deleted (ie: "trashed") properties are excluded by * default. Returns an empty list if no relevant properties are found. * (properties.listProperties) * * @param array $optParams Optional parameters. * * @opt_param string filter Required. An expression for filtering the results of * the request. Fields eligible for filtering are: `parent:`(The resource name * of the parent account/property) or `ancestor:`(The resource name of the * parent account) or `firebase_project:`(The id or number of the linked * firebase project). Some examples of filters: ``` | Filter | Description | * |-----------------------------|-------------------------------------------| | * parent:accounts/123 | The account with account id: 123. | | * parent:properties/123 | The property with property id: 123. | | * ancestor:accounts/123 | The account with account id: 123. | | * firebase_project:project-id | The firebase project with id: project-id. | | * firebase_project:123 | The firebase project with number: 123. | ``` * @opt_param int pageSize The maximum number of resources to return. The * service may return fewer than this value, even if there are additional pages. * If unspecified, at most 50 resources will be returned. The maximum value is * 200; (higher values will be coerced to the maximum) * @opt_param string pageToken A page token, received from a previous * `ListProperties` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListProperties` must match the * call that provided the page token. * @opt_param bool showDeleted Whether to include soft-deleted (ie: "trashed") * Properties in the results. Properties can be inspected to determine whether * they are deleted or not. * @return GoogleAnalyticsAdminV1betaListPropertiesResponse */ public function listProperties($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListPropertiesResponse::class); } /** * Updates a property. (properties.patch) * * @param string $name Output only. Resource name of this property. Format: * properties/{property_id} Example: "properties/1000" * @param GoogleAnalyticsAdminV1betaProperty $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Field names must be in snake case (e.g., "field_to_update"). Omitted fields * will not be updated. To replace the entire entity, use one path with the * string "*" to match all fields. * @return GoogleAnalyticsAdminV1betaProperty */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProperty $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProperty::class); } /** * Updates the singleton data retention settings for this property. * (properties.updateDataRetentionSettings) * * @param string $name Output only. Resource name for this DataRetentionSetting * resource. Format: properties/{property}/dataRetentionSettings * @param GoogleAnalyticsAdminV1betaDataRetentionSettings $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Field names must be in snake case (e.g., "field_to_update"). Omitted fields * will not be updated. To replace the entire entity, use one path with the * string "*" to match all fields. * @return GoogleAnalyticsAdminV1betaDataRetentionSettings */ public function updateDataRetentionSettings($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataRetentionSettings $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('updateDataRetentionSettings', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataRetentionSettings::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\Properties::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_Properties'); src/GoogleAnalyticsAdmin/Resource/PropertiesDisplayVideo360AdvertiserLinkProposals.php 0000644 00000021057 15054470473 0032350 0 ustar 00 google/apiclient-services * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $displayVideo360AdvertiserLinkProposals = $analyticsadminService->displayVideo360AdvertiserLinkProposals; * */ class PropertiesDisplayVideo360AdvertiserLinkProposals extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Approves a DisplayVideo360AdvertiserLinkProposal. The * DisplayVideo360AdvertiserLinkProposal will be deleted and a new * DisplayVideo360AdvertiserLink will be created. * (displayVideo360AdvertiserLinkProposals.approve) * * @param string $name Required. The name of the * DisplayVideo360AdvertiserLinkProposal to approve. Example format: * properties/1234/displayVideo360AdvertiserLinkProposals/5678 * @param GoogleAnalyticsAdminV1alphaApproveDisplayVideo360AdvertiserLinkProposalRequest $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaApproveDisplayVideo360AdvertiserLinkProposalResponse */ public function approve($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaApproveDisplayVideo360AdvertiserLinkProposalRequest $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('approve', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaApproveDisplayVideo360AdvertiserLinkProposalResponse::class); } /** * Cancels a DisplayVideo360AdvertiserLinkProposal. Cancelling can mean either: * - Declining a proposal initiated from Display & Video 360 - Withdrawing a * proposal initiated from Google Analytics After being cancelled, a proposal * will eventually be deleted automatically. * (displayVideo360AdvertiserLinkProposals.cancel) * * @param string $name Required. The name of the * DisplayVideo360AdvertiserLinkProposal to cancel. Example format: * properties/1234/displayVideo360AdvertiserLinkProposals/5678 * @param GoogleAnalyticsAdminV1alphaCancelDisplayVideo360AdvertiserLinkProposalRequest $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal */ public function cancel($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaCancelDisplayVideo360AdvertiserLinkProposalRequest $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('cancel', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal::class); } /** * Creates a DisplayVideo360AdvertiserLinkProposal. * (displayVideo360AdvertiserLinkProposals.create) * * @param string $parent Required. Example format: properties/1234 * @param GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal::class); } /** * Deletes a DisplayVideo360AdvertiserLinkProposal on a property. This can only * be used on cancelled proposals. * (displayVideo360AdvertiserLinkProposals.delete) * * @param string $name Required. The name of the * DisplayVideo360AdvertiserLinkProposal to delete. Example format: * properties/1234/displayVideo360AdvertiserLinkProposals/5678 * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lookup for a single DisplayVideo360AdvertiserLinkProposal. * (displayVideo360AdvertiserLinkProposals.get) * * @param string $name Required. The name of the * DisplayVideo360AdvertiserLinkProposal to get. Example format: * properties/1234/displayVideo360AdvertiserLinkProposals/5678 * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal::class); } /** * Lists DisplayVideo360AdvertiserLinkProposals on a property. (displayVideo360A * dvertiserLinkProposals.listPropertiesDisplayVideo360AdvertiserLinkProposals) * * @param string $parent Required. Example format: properties/1234 * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200 * (higher values will be coerced to the maximum). * @opt_param string pageToken A page token, received from a previous * `ListDisplayVideo360AdvertiserLinkProposals` call. Provide this to retrieve * the subsequent page. When paginating, all other parameters provided to * `ListDisplayVideo360AdvertiserLinkProposals` must match the call that * provided the page token. * @return GoogleAnalyticsAdminV1alphaListDisplayVideo360AdvertiserLinkProposalsResponse */ public function listPropertiesDisplayVideo360AdvertiserLinkProposals($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListDisplayVideo360AdvertiserLinkProposalsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesDisplayVideo360AdvertiserLinkProposals::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesDisplayVideo360AdvertiserLinkProposals'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/AccountsUserLinks.php 0000644 00000030425 15054470473 0024371 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $userLinks = $analyticsadminService->userLinks; * */ class AccountsUserLinks extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Lists all user links on an account or property, including implicit ones that * come from effective permissions granted by groups or organization admin * roles. If a returned user link does not have direct permissions, they cannot * be removed from the account or property directly with the DeleteUserLink * command. They have to be removed from the group/etc that gives them * permissions, which is currently only usable/discoverable in the GA or GMP * UIs. (userLinks.audit) * * @param string $parent Required. Example format: accounts/1234 * @param GoogleAnalyticsAdminV1alphaAuditUserLinksRequest $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaAuditUserLinksResponse */ public function audit($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAuditUserLinksRequest $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('audit', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAuditUserLinksResponse::class); } /** * Creates information about multiple users' links to an account or property. * This method is transactional. If any UserLink cannot be created, none of the * UserLinks will be created. (userLinks.batchCreate) * * @param string $parent Required. The account or property that all user links * in the request are for. This field is required. The parent field in the * CreateUserLinkRequest messages must either be empty or match this field. * Example format: accounts/1234 * @param GoogleAnalyticsAdminV1alphaBatchCreateUserLinksRequest $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaBatchCreateUserLinksResponse */ public function batchCreate($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchCreateUserLinksRequest $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchCreate', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchCreateUserLinksResponse::class); } /** * Deletes information about multiple users' links to an account or property. * (userLinks.batchDelete) * * @param string $parent Required. The account or property that all user links * in the request are for. The parent of all values for user link names to * delete must match this field. Example format: accounts/1234 * @param GoogleAnalyticsAdminV1alphaBatchDeleteUserLinksRequest $postBody * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function batchDelete($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchDeleteUserLinksRequest $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchDelete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Gets information about multiple users' links to an account or property. * (userLinks.batchGet) * * @param string $parent Required. The account or property that all user links * in the request are for. The parent of all provided values for the 'names' * field must match this field. Example format: accounts/1234 * @param array $optParams Optional parameters. * * @opt_param string names Required. The names of the user links to retrieve. A * maximum of 1000 user links can be retrieved in a batch. Format: * accounts/{accountId}/userLinks/{userLinkId} * @return GoogleAnalyticsAdminV1alphaBatchGetUserLinksResponse */ public function batchGet($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('batchGet', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchGetUserLinksResponse::class); } /** * Updates information about multiple users' links to an account or property. * (userLinks.batchUpdate) * * @param string $parent Required. The account or property that all user links * in the request are for. The parent field in the UpdateUserLinkRequest * messages must either be empty or match this field. Example format: * accounts/1234 * @param GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksRequest $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksResponse */ public function batchUpdate($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksRequest $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchUpdate', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksResponse::class); } /** * Creates a user link on an account or property. If the user with the specified * email already has permissions on the account or property, then the user's * existing permissions will be unioned with the permissions specified in the * new UserLink. (userLinks.create) * * @param string $parent Required. Example format: accounts/1234 * @param GoogleAnalyticsAdminV1alphaUserLink $postBody * @param array $optParams Optional parameters. * * @opt_param bool notifyNewUser Optional. If set, then email the new user * notifying them that they've been granted permissions to the resource. * @return GoogleAnalyticsAdminV1alphaUserLink */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink::class); } /** * Deletes a user link on an account or property. (userLinks.delete) * * @param string $name Required. Example format: accounts/1234/userLinks/5678 * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Gets information about a user's link to an account or property. * (userLinks.get) * * @param string $name Required. Example format: accounts/1234/userLinks/5678 * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaUserLink */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink::class); } /** * Lists all user links on an account or property. * (userLinks.listAccountsUserLinks) * * @param string $parent Required. Example format: accounts/1234 * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of user links to return. The * service may return fewer than this value. If unspecified, at most 200 user * links will be returned. The maximum value is 500; values above 500 will be * coerced to 500. * @opt_param string pageToken A page token, received from a previous * `ListUserLinks` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListUserLinks` must match the * call that provided the page token. * @return GoogleAnalyticsAdminV1alphaListUserLinksResponse */ public function listAccountsUserLinks($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListUserLinksResponse::class); } /** * Updates a user link on an account or property. (userLinks.patch) * * @param string $name Output only. Example format: * properties/1234/userLinks/5678 * @param GoogleAnalyticsAdminV1alphaUserLink $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaUserLink */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\AccountsUserLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_AccountsUserLinks'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesAndroidAppDataStreams.php 0000644 00000013455 15054470473 0027205 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $androidAppDataStreams = $analyticsadminService->androidAppDataStreams; * */ class PropertiesAndroidAppDataStreams extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Deletes an android app stream on a property. (androidAppDataStreams.delete) * * @param string $name Required. The name of the android app data stream to * delete. Format: properties/{property_id}/androidAppDataStreams/{stream_id} * Example: "properties/123/androidAppDataStreams/456" * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lookup for a single AndroidAppDataStream (androidAppDataStreams.get) * * @param string $name Required. The name of the android app data stream to * lookup. Format: properties/{property_id}/androidAppDataStreams/{stream_id} * Example: "properties/123/androidAppDataStreams/456" * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1alphaAndroidAppDataStream */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAndroidAppDataStream::class); } /** * Returns child android app streams under the specified parent property. * Android app streams will be excluded if the caller does not have access. * Returns an empty list if no relevant android app streams are found. * (androidAppDataStreams.listPropertiesAndroidAppDataStreams) * * @param string $parent Required. The name of the parent property. For example, * to limit results to app streams under the property with Id 123: * "properties/123" * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200; * (higher values will be coerced to the maximum) * @opt_param string pageToken A page token, received from a previous call. * Provide this to retrieve the subsequent page. When paginating, all other * parameters provided to `ListAndroidAppDataStreams` must match the call that * provided the page token. * @return GoogleAnalyticsAdminV1alphaListAndroidAppDataStreamsResponse */ public function listPropertiesAndroidAppDataStreams($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListAndroidAppDataStreamsResponse::class); } /** * Updates an android app stream on a property. (androidAppDataStreams.patch) * * @param string $name Output only. Resource name of this Data Stream. Format: * properties/{property_id}/androidAppDataStreams/{stream_id} Example: * "properties/1000/androidAppDataStreams/2000" * @param GoogleAnalyticsAdminV1alphaAndroidAppDataStream $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Field names must be in snake case (e.g., "field_to_update"). Omitted fields * will not be updated. To replace the entire entity, use one path with the * string "*" to match all fields. * @return GoogleAnalyticsAdminV1alphaAndroidAppDataStream */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAndroidAppDataStream $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAndroidAppDataStream::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesAndroidAppDataStreams::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesAndroidAppDataStreams'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesDataStreams.php 0000644 00000013357 15054470473 0025244 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $dataStreams = $analyticsadminService->dataStreams; * */ class PropertiesDataStreams extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a DataStream. (dataStreams.create) * * @param string $parent Required. Example format: properties/1234 * @param GoogleAnalyticsAdminV1betaDataStream $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaDataStream */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStream $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStream::class); } /** * Deletes a DataStream on a property. (dataStreams.delete) * * @param string $name Required. The name of the DataStream to delete. Example * format: properties/1234/dataStreams/5678 * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lookup for a single DataStream. (dataStreams.get) * * @param string $name Required. The name of the DataStream to get. Example * format: properties/1234/dataStreams/5678 * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaDataStream */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStream::class); } /** * Lists DataStreams on a property. (dataStreams.listPropertiesDataStreams) * * @param string $parent Required. Example format: properties/1234 * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200 * (higher values will be coerced to the maximum). * @opt_param string pageToken A page token, received from a previous * `ListDataStreams` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListDataStreams` must match the * call that provided the page token. * @return GoogleAnalyticsAdminV1betaListDataStreamsResponse */ public function listPropertiesDataStreams($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListDataStreamsResponse::class); } /** * Updates a DataStream on a property. (dataStreams.patch) * * @param string $name Output only. Resource name of this Data Stream. Format: * properties/{property_id}/dataStreams/{stream_id} Example: * "properties/1000/dataStreams/2000" * @param GoogleAnalyticsAdminV1betaDataStream $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Omitted fields will not be updated. To replace the entire entity, use one * path with the string "*" to match all fields. * @return GoogleAnalyticsAdminV1betaDataStream */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStream $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStream::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesDataStreams::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesDataStreams'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesGoogleAdsLinks.php 0000644 00000012366 15054470473 0025700 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $googleAdsLinks = $analyticsadminService->googleAdsLinks; * */ class PropertiesGoogleAdsLinks extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a GoogleAdsLink. (googleAdsLinks.create) * * @param string $parent Required. Example format: properties/1234 * @param GoogleAnalyticsAdminV1betaGoogleAdsLink $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaGoogleAdsLink */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaGoogleAdsLink $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaGoogleAdsLink::class); } /** * Deletes a GoogleAdsLink on a property (googleAdsLinks.delete) * * @param string $name Required. Example format: * properties/1234/googleAdsLinks/5678 * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lists GoogleAdsLinks on a property. * (googleAdsLinks.listPropertiesGoogleAdsLinks) * * @param string $parent Required. Example format: properties/1234 * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200 * (higher values will be coerced to the maximum). * @opt_param string pageToken A page token, received from a previous * `ListGoogleAdsLinks` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListGoogleAdsLinks` must match * the call that provided the page token. * @return GoogleAnalyticsAdminV1betaListGoogleAdsLinksResponse */ public function listPropertiesGoogleAdsLinks($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListGoogleAdsLinksResponse::class); } /** * Updates a GoogleAdsLink on a property (googleAdsLinks.patch) * * @param string $name Output only. Format: * properties/{propertyId}/googleAdsLinks/{googleAdsLinkId} Note: * googleAdsLinkId is not the Google Ads customer ID. * @param GoogleAnalyticsAdminV1betaGoogleAdsLink $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Field names must be in snake case (e.g., "field_to_update"). Omitted fields * will not be updated. To replace the entire entity, use one path with the * string "*" to match all fields. * @return GoogleAnalyticsAdminV1betaGoogleAdsLink */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaGoogleAdsLink $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaGoogleAdsLink::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesGoogleAdsLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesGoogleAdsLinks'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/Accounts.php 0000644 00000021642 15054470473 0022532 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $accounts = $analyticsadminService->accounts; * */ class Accounts extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Marks target Account as soft-deleted (ie: "trashed") and returns it. This API * does not have a method to restore soft-deleted accounts. However, they can be * restored using the Trash Can UI. If the accounts are not restored before the * expiration time, the account and all child resources (eg: Properties, * GoogleAdsLinks, Streams, UserLinks) will be permanently purged. * https://support.google.com/analytics/answer/6154772 Returns an error if the * target is not found. (accounts.delete) * * @param string $name Required. The name of the Account to soft-delete. Format: * accounts/{account} Example: "accounts/100" * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Lookup for a single Account. (accounts.get) * * @param string $name Required. The name of the account to lookup. Format: * accounts/{account} Example: "accounts/100" * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaAccount */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaAccount::class); } /** * Get data sharing settings on an account. Data sharing settings are * singletons. (accounts.getDataSharingSettings) * * @param string $name Required. The name of the settings to lookup. Format: * accounts/{account}/dataSharingSettings Example: * "accounts/1000/dataSharingSettings" * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaDataSharingSettings */ public function getDataSharingSettings($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('getDataSharingSettings', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataSharingSettings::class); } /** * Returns all accounts accessible by the caller. Note that these accounts might * not currently have GA4 properties. Soft-deleted (ie: "trashed") accounts are * excluded by default. Returns an empty list if no relevant accounts are found. * (accounts.listAccounts) * * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. The * service may return fewer than this value, even if there are additional pages. * If unspecified, at most 50 resources will be returned. The maximum value is * 200; (higher values will be coerced to the maximum) * @opt_param string pageToken A page token, received from a previous * `ListAccounts` call. Provide this to retrieve the subsequent page. When * paginating, all other parameters provided to `ListAccounts` must match the * call that provided the page token. * @opt_param bool showDeleted Whether to include soft-deleted (ie: "trashed") * Accounts in the results. Accounts can be inspected to determine whether they * are deleted or not. * @return GoogleAnalyticsAdminV1betaListAccountsResponse */ public function listAccounts($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListAccountsResponse::class); } /** * Updates an account. (accounts.patch) * * @param string $name Output only. Resource name of this account. Format: * accounts/{account} Example: "accounts/100" * @param GoogleAnalyticsAdminV1betaAccount $postBody * @param array $optParams Optional parameters. * * @opt_param string updateMask Required. The list of fields to be updated. * Field names must be in snake case (e.g., "field_to_update"). Omitted fields * will not be updated. To replace the entire entity, use one path with the * string "*" to match all fields. * @return GoogleAnalyticsAdminV1betaAccount */ public function patch($name, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaAccount $postBody, $optParams = []) { $params = ['name' => $name, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaAccount::class); } /** * Requests a ticket for creating an account. (accounts.provisionAccountTicket) * * @param GoogleAnalyticsAdminV1betaProvisionAccountTicketRequest $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaProvisionAccountTicketResponse */ public function provisionAccountTicket(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProvisionAccountTicketRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('provisionAccountTicket', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProvisionAccountTicketResponse::class); } /** * Searches through all changes to an account or its children given the * specified set of filters. (accounts.searchChangeHistoryEvents) * * @param string $account Required. The account resource for which to return * change history resources. * @param GoogleAnalyticsAdminV1betaSearchChangeHistoryEventsRequest $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaSearchChangeHistoryEventsResponse */ public function searchChangeHistoryEvents($account, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaSearchChangeHistoryEventsRequest $postBody, $optParams = []) { $params = ['account' => $account, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('searchChangeHistoryEvents', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaSearchChangeHistoryEventsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\Accounts::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_Accounts'); google/apiclient-services/src/GoogleAnalyticsAdmin/Resource/PropertiesConversionEvents.php 0000644 00000012340 15054470473 0026335 0 ustar 00 * $analyticsadminService = new Google\Service\GoogleAnalyticsAdmin(...); * $conversionEvents = $analyticsadminService->conversionEvents; * */ class PropertiesConversionEvents extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates a conversion event with the specified attributes. * (conversionEvents.create) * * @param string $parent Required. The resource name of the parent property * where this conversion event will be created. Format: properties/123 * @param GoogleAnalyticsAdminV1betaConversionEvent $postBody * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaConversionEvent */ public function create($parent, \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaConversionEvent $postBody, $optParams = []) { $params = ['parent' => $parent, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('create', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaConversionEvent::class); } /** * Deletes a conversion event in a property. (conversionEvents.delete) * * @param string $name Required. The resource name of the conversion event to * delete. Format: properties/{property}/conversionEvents/{conversion_event} * Example: "properties/123/conversionEvents/456" * @param array $optParams Optional parameters. * @return GoogleProtobufEmpty */ public function delete($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleProtobufEmpty::class); } /** * Retrieve a single conversion event. (conversionEvents.get) * * @param string $name Required. The resource name of the conversion event to * retrieve. Format: properties/{property}/conversionEvents/{conversion_event} * Example: "properties/123/conversionEvents/456" * @param array $optParams Optional parameters. * @return GoogleAnalyticsAdminV1betaConversionEvent */ public function get($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaConversionEvent::class); } /** * Returns a list of conversion events in the specified parent property. Returns * an empty list if no conversion events are found. * (conversionEvents.listPropertiesConversionEvents) * * @param string $parent Required. The resource name of the parent property. * Example: 'properties/123' * @param array $optParams Optional parameters. * * @opt_param int pageSize The maximum number of resources to return. If * unspecified, at most 50 resources will be returned. The maximum value is 200; * (higher values will be coerced to the maximum) * @opt_param string pageToken A page token, received from a previous * `ListConversionEvents` call. Provide this to retrieve the subsequent page. * When paginating, all other parameters provided to `ListConversionEvents` must * match the call that provided the page token. * @return GoogleAnalyticsAdminV1betaListConversionEventsResponse */ public function listPropertiesConversionEvents($parent, $optParams = []) { $params = ['parent' => $parent]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListConversionEventsResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesConversionEvents::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_Resource_PropertiesConversionEvents'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListGoogleAdsLinksResponse.php 0000644 00000004043 15054470473 0031514 0 ustar 00 google/apiclient-services googleAdsLinks = $googleAdsLinks; } /** * @return GoogleAnalyticsAdminV1alphaGoogleAdsLink[] */ public function getGoogleAdsLinks() { return $this->googleAdsLinks; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListGoogleAdsLinksResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListGoogleAdsLinksResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaConversionEvent.php 0000644 00000005035 15054470473 0027504 0 ustar 00 createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param bool */ public function setCustom($custom) { $this->custom = $custom; } /** * @return bool */ public function getCustom() { return $this->custom; } /** * @param bool */ public function setDeletable($deletable) { $this->deletable = $deletable; } /** * @return bool */ public function getDeletable() { return $this->deletable; } /** * @param string */ public function setEventName($eventName) { $this->eventName = $eventName; } /** * @return string */ public function getEventName() { return $this->eventName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaConversionEvent::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaConversionEvent'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListAccountSummariesResponse.php 0000644 00000004076 15054470473 0032137 0 ustar 00 google/apiclient-services accountSummaries = $accountSummaries; } /** * @return GoogleAnalyticsAdminV1alphaAccountSummary[] */ public function getAccountSummaries() { return $this->accountSummaries; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListAccountSummariesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListAccountSummariesResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaAcknowledgeUserDataCollectionResponse.php 0000644 00000002220 15054470473 0033524 0 ustar 00 google/apiclient-services nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param GoogleAnalyticsAdminV1alphaUserLink[] */ public function setUserLinks($userLinks) { $this->userLinks = $userLinks; } /** * @return GoogleAnalyticsAdminV1alphaUserLink[] */ public function getUserLinks() { return $this->userLinks; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListUserLinksResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListUserLinksResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaPropertySummary.php 0000644 00000004451 15054470473 0027406 0 ustar 00 displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setParent($parent) { $this->parent = $parent; } /** * @return string */ public function getParent() { return $this->parent; } /** * @param string */ public function setProperty($property) { $this->property = $property; } /** * @return string */ public function getProperty() { return $this->property; } /** * @param string */ public function setPropertyType($propertyType) { $this->propertyType = $propertyType; } /** * @return string */ public function getPropertyType() { return $this->propertyType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaPropertySummary::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaPropertySummary'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaExpandedDataSetFilterStringFilter.php 0000644 00000004040 15054470473 0032772 0 ustar 00 google/apiclient-services caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string */ public function setMatchType($matchType) { $this->matchType = $matchType; } /** * @return string */ public function getMatchType() { return $this->matchType; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSetFilterStringFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaExpandedDataSetFilterStringFilter'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListAudiencesResponse.php 0000644 00000003730 15054470473 0030551 0 ustar 00 google audiences = $audiences; } /** * @return GoogleAnalyticsAdminV1alphaAudience[] */ public function getAudiences() { return $this->audiences; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListAudiencesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListAudiencesResponse'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaListPropertiesResponse.php 0000644 00000003736 15054470473 0030641 0 ustar 00 google nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param GoogleAnalyticsAdminV1betaProperty[] */ public function setProperties($properties) { $this->properties = $properties; } /** * @return GoogleAnalyticsAdminV1betaProperty[] */ public function getProperties() { return $this->properties; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListPropertiesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaListPropertiesResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListDisplayVideo360AdvertiserLinksResponse.php 0000644 00000004423 15054470473 0034530 0 ustar 00 google/apiclient-services displayVideo360AdvertiserLinks = $displayVideo360AdvertiserLinks; } /** * @return GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink[] */ public function getDisplayVideo360AdvertiserLinks() { return $this->displayVideo360AdvertiserLinks; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListDisplayVideo360AdvertiserLinksResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListDisplayVideo360AdvertiserLinksResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessMetricHeader.php0000644 00000002626 15054470473 0030036 0 ustar 00 metricName = $metricName; } /** * @return string */ public function getMetricName() { return $this->metricName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessMetricHeader::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessMetricHeader'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaBatchCreateUserLinksResponse.php 0000644 00000003234 15054470473 0032021 0 ustar 00 google/apiclient-services userLinks = $userLinks; } /** * @return GoogleAnalyticsAdminV1alphaUserLink[] */ public function getUserLinks() { return $this->userLinks; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchCreateUserLinksResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaBatchCreateUserLinksResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaChangeHistoryChangeChangeHistoryResource.php 0000644 00000027760 15054470473 0034364 0 ustar 00 google/apiclient-services account = $account; } /** * @return GoogleAnalyticsAdminV1alphaAccount */ public function getAccount() { return $this->account; } /** * @param GoogleAnalyticsAdminV1alphaAttributionSettings */ public function setAttributionSettings(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAttributionSettings $attributionSettings) { $this->attributionSettings = $attributionSettings; } /** * @return GoogleAnalyticsAdminV1alphaAttributionSettings */ public function getAttributionSettings() { return $this->attributionSettings; } /** * @param GoogleAnalyticsAdminV1alphaConversionEvent */ public function setConversionEvent(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaConversionEvent $conversionEvent) { $this->conversionEvent = $conversionEvent; } /** * @return GoogleAnalyticsAdminV1alphaConversionEvent */ public function getConversionEvent() { return $this->conversionEvent; } /** * @param GoogleAnalyticsAdminV1alphaCustomDimension */ public function setCustomDimension(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaCustomDimension $customDimension) { $this->customDimension = $customDimension; } /** * @return GoogleAnalyticsAdminV1alphaCustomDimension */ public function getCustomDimension() { return $this->customDimension; } /** * @param GoogleAnalyticsAdminV1alphaCustomMetric */ public function setCustomMetric(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaCustomMetric $customMetric) { $this->customMetric = $customMetric; } /** * @return GoogleAnalyticsAdminV1alphaCustomMetric */ public function getCustomMetric() { return $this->customMetric; } /** * @param GoogleAnalyticsAdminV1alphaDataRetentionSettings */ public function setDataRetentionSettings(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDataRetentionSettings $dataRetentionSettings) { $this->dataRetentionSettings = $dataRetentionSettings; } /** * @return GoogleAnalyticsAdminV1alphaDataRetentionSettings */ public function getDataRetentionSettings() { return $this->dataRetentionSettings; } /** * @param GoogleAnalyticsAdminV1alphaDataStream */ public function setDataStream(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDataStream $dataStream) { $this->dataStream = $dataStream; } /** * @return GoogleAnalyticsAdminV1alphaDataStream */ public function getDataStream() { return $this->dataStream; } /** * @param GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink */ public function setDisplayVideo360AdvertiserLink(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink $displayVideo360AdvertiserLink) { $this->displayVideo360AdvertiserLink = $displayVideo360AdvertiserLink; } /** * @return GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLink */ public function getDisplayVideo360AdvertiserLink() { return $this->displayVideo360AdvertiserLink; } /** * @param GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal */ public function setDisplayVideo360AdvertiserLinkProposal(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal $displayVideo360AdvertiserLinkProposal) { $this->displayVideo360AdvertiserLinkProposal = $displayVideo360AdvertiserLinkProposal; } /** * @return GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal */ public function getDisplayVideo360AdvertiserLinkProposal() { return $this->displayVideo360AdvertiserLinkProposal; } /** * @param GoogleAnalyticsAdminV1alphaExpandedDataSet */ public function setExpandedDataSet(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSet $expandedDataSet) { $this->expandedDataSet = $expandedDataSet; } /** * @return GoogleAnalyticsAdminV1alphaExpandedDataSet */ public function getExpandedDataSet() { return $this->expandedDataSet; } /** * @param GoogleAnalyticsAdminV1alphaFirebaseLink */ public function setFirebaseLink(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaFirebaseLink $firebaseLink) { $this->firebaseLink = $firebaseLink; } /** * @return GoogleAnalyticsAdminV1alphaFirebaseLink */ public function getFirebaseLink() { return $this->firebaseLink; } /** * @param GoogleAnalyticsAdminV1alphaGoogleAdsLink */ public function setGoogleAdsLink(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaGoogleAdsLink $googleAdsLink) { $this->googleAdsLink = $googleAdsLink; } /** * @return GoogleAnalyticsAdminV1alphaGoogleAdsLink */ public function getGoogleAdsLink() { return $this->googleAdsLink; } /** * @param GoogleAnalyticsAdminV1alphaGoogleSignalsSettings */ public function setGoogleSignalsSettings(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaGoogleSignalsSettings $googleSignalsSettings) { $this->googleSignalsSettings = $googleSignalsSettings; } /** * @return GoogleAnalyticsAdminV1alphaGoogleSignalsSettings */ public function getGoogleSignalsSettings() { return $this->googleSignalsSettings; } /** * @param GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret */ public function setMeasurementProtocolSecret(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret $measurementProtocolSecret) { $this->measurementProtocolSecret = $measurementProtocolSecret; } /** * @return GoogleAnalyticsAdminV1alphaMeasurementProtocolSecret */ public function getMeasurementProtocolSecret() { return $this->measurementProtocolSecret; } /** * @param GoogleAnalyticsAdminV1alphaProperty */ public function setProperty(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaProperty $property) { $this->property = $property; } /** * @return GoogleAnalyticsAdminV1alphaProperty */ public function getProperty() { return $this->property; } /** * @param GoogleAnalyticsAdminV1alphaSearchAds360Link */ public function setSearchAds360Link(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaSearchAds360Link $searchAds360Link) { $this->searchAds360Link = $searchAds360Link; } /** * @return GoogleAnalyticsAdminV1alphaSearchAds360Link */ public function getSearchAds360Link() { return $this->searchAds360Link; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaChangeHistoryChangeChangeHistoryResource::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaChangeHistoryChangeChangeHistoryResource'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessFilterExpression.php 0000644 00000007232 15054470473 0030726 0 ustar 00 google accessFilter = $accessFilter; } /** * @return GoogleAnalyticsAdminV1alphaAccessFilter */ public function getAccessFilter() { return $this->accessFilter; } /** * @param GoogleAnalyticsAdminV1alphaAccessFilterExpressionList */ public function setAndGroup(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessFilterExpressionList $andGroup) { $this->andGroup = $andGroup; } /** * @return GoogleAnalyticsAdminV1alphaAccessFilterExpressionList */ public function getAndGroup() { return $this->andGroup; } /** * @param GoogleAnalyticsAdminV1alphaAccessFilterExpression */ public function setNotExpression(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessFilterExpression $notExpression) { $this->notExpression = $notExpression; } /** * @return GoogleAnalyticsAdminV1alphaAccessFilterExpression */ public function getNotExpression() { return $this->notExpression; } /** * @param GoogleAnalyticsAdminV1alphaAccessFilterExpressionList */ public function setOrGroup(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessFilterExpressionList $orGroup) { $this->orGroup = $orGroup; } /** * @return GoogleAnalyticsAdminV1alphaAccessFilterExpressionList */ public function getOrGroup() { return $this->orGroup; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessFilterExpression::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessFilterExpression'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaListAccountSummariesResponse.php 0000644 00000004070 15054470473 0031757 0 ustar 00 google/apiclient-services accountSummaries = $accountSummaries; } /** * @return GoogleAnalyticsAdminV1betaAccountSummary[] */ public function getAccountSummaries() { return $this->accountSummaries; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListAccountSummariesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaListAccountSummariesResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaAccount.php 0000644 00000005540 15054470473 0025600 0 ustar 00 createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param bool */ public function setDeleted($deleted) { $this->deleted = $deleted; } /** * @return bool */ public function getDeleted() { return $this->deleted; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setRegionCode($regionCode) { $this->regionCode = $regionCode; } /** * @return string */ public function getRegionCode() { return $this->regionCode; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaAccount::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaAccount'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessQuota.php 0000644 00000011024 15054470473 0026563 0 ustar 00 concurrentRequests = $concurrentRequests; } /** * @return GoogleAnalyticsAdminV1alphaAccessQuotaStatus */ public function getConcurrentRequests() { return $this->concurrentRequests; } /** * @param GoogleAnalyticsAdminV1alphaAccessQuotaStatus */ public function setServerErrorsPerProjectPerHour(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessQuotaStatus $serverErrorsPerProjectPerHour) { $this->serverErrorsPerProjectPerHour = $serverErrorsPerProjectPerHour; } /** * @return GoogleAnalyticsAdminV1alphaAccessQuotaStatus */ public function getServerErrorsPerProjectPerHour() { return $this->serverErrorsPerProjectPerHour; } /** * @param GoogleAnalyticsAdminV1alphaAccessQuotaStatus */ public function setTokensPerDay(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessQuotaStatus $tokensPerDay) { $this->tokensPerDay = $tokensPerDay; } /** * @return GoogleAnalyticsAdminV1alphaAccessQuotaStatus */ public function getTokensPerDay() { return $this->tokensPerDay; } /** * @param GoogleAnalyticsAdminV1alphaAccessQuotaStatus */ public function setTokensPerHour(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessQuotaStatus $tokensPerHour) { $this->tokensPerHour = $tokensPerHour; } /** * @return GoogleAnalyticsAdminV1alphaAccessQuotaStatus */ public function getTokensPerHour() { return $this->tokensPerHour; } /** * @param GoogleAnalyticsAdminV1alphaAccessQuotaStatus */ public function setTokensPerProjectPerHour(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessQuotaStatus $tokensPerProjectPerHour) { $this->tokensPerProjectPerHour = $tokensPerProjectPerHour; } /** * @return GoogleAnalyticsAdminV1alphaAccessQuotaStatus */ public function getTokensPerProjectPerHour() { return $this->tokensPerProjectPerHour; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessQuota::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessQuota'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaArchiveCustomMetricRequest.php0000644 00000002157 15054470473 0031417 0 ustar 00 google acknowledgement = $acknowledgement; } /** * @return string */ public function getAcknowledgement() { return $this->acknowledgement; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaAcknowledgeUserDataCollectionRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaAcknowledgeUserDataCollectionRequest'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaBatchDeleteUserLinksRequest.php 0000644 00000003267 15054470473 0031660 0 ustar 00 google/apiclient-services requests = $requests; } /** * @return GoogleAnalyticsAdminV1alphaDeleteUserLinkRequest[] */ public function getRequests() { return $this->requests; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchDeleteUserLinksRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaBatchDeleteUserLinksRequest'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceEventTrigger.php 0000644 00000003337 15054470473 0030344 0 ustar 00 google eventName = $eventName; } /** * @return string */ public function getEventName() { return $this->eventName; } /** * @param string */ public function setLogCondition($logCondition) { $this->logCondition = $logCondition; } /** * @return string */ public function getLogCondition() { return $this->logCondition; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceEventTrigger::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceEventTrigger'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaAccountSummary.php 0000644 00000005105 15054470473 0027153 0 ustar 00 account = $account; } /** * @return string */ public function getAccount() { return $this->account; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param GoogleAnalyticsAdminV1betaPropertySummary[] */ public function setPropertySummaries($propertySummaries) { $this->propertySummaries = $propertySummaries; } /** * @return GoogleAnalyticsAdminV1betaPropertySummary[] */ public function getPropertySummaries() { return $this->propertySummaries; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaAccountSummary::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaAccountSummary'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAuditUserLinksResponse.php 0000644 00000003752 15054470473 0030727 0 ustar 00 google nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param GoogleAnalyticsAdminV1alphaAuditUserLink[] */ public function setUserLinks($userLinks) { $this->userLinks = $userLinks; } /** * @return GoogleAnalyticsAdminV1alphaAuditUserLink[] */ public function getUserLinks() { return $this->userLinks; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAuditUserLinksResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAuditUserLinksResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceSequenceFilterAudienceSequenceStep.php 0000644 00000005544 15054470473 0034642 0 ustar 00 google/apiclient-services constraintDuration = $constraintDuration; } /** * @return string */ public function getConstraintDuration() { return $this->constraintDuration; } /** * @param GoogleAnalyticsAdminV1alphaAudienceFilterExpression */ public function setFilterExpression(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceFilterExpression $filterExpression) { $this->filterExpression = $filterExpression; } /** * @return GoogleAnalyticsAdminV1alphaAudienceFilterExpression */ public function getFilterExpression() { return $this->filterExpression; } /** * @param bool */ public function setImmediatelyFollows($immediatelyFollows) { $this->immediatelyFollows = $immediatelyFollows; } /** * @return bool */ public function getImmediatelyFollows() { return $this->immediatelyFollows; } /** * @param string */ public function setScope($scope) { $this->scope = $scope; } /** * @return string */ public function getScope() { return $this->scope; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceSequenceFilterAudienceSequenceStep::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceSequenceFilterAudienceSequenceStep'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleProtobufEmpty.php 0000644 00000002014 15054470473 0023130 0 ustar 00 defaultUri = $defaultUri; } /** * @return string */ public function getDefaultUri() { return $this->defaultUri; } /** * @param string */ public function setFirebaseAppId($firebaseAppId) { $this->firebaseAppId = $firebaseAppId; } /** * @return string */ public function getFirebaseAppId() { return $this->firebaseAppId; } /** * @param string */ public function setMeasurementId($measurementId) { $this->measurementId = $measurementId; } /** * @return string */ public function getMeasurementId() { return $this->measurementId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDataStreamWebStreamData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaDataStreamWebStreamData'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaUpdateUserLinkRequest.php 0000644 00000003252 15054470473 0030545 0 ustar 00 google userLink = $userLink; } /** * @return GoogleAnalyticsAdminV1alphaUserLink */ public function getUserLink() { return $this->userLink; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUpdateUserLinkRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaUpdateUserLinkRequest'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessQuotaStatus.php 0000644 00000003250 15054470473 0027771 0 ustar 00 consumed = $consumed; } /** * @return int */ public function getConsumed() { return $this->consumed; } /** * @param int */ public function setRemaining($remaining) { $this->remaining = $remaining; } /** * @return int */ public function getRemaining() { return $this->remaining; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessQuotaStatus::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessQuotaStatus'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaGoogleAdsLink.php 0000644 00000006613 15054470473 0027042 0 ustar 00 adsPersonalizationEnabled = $adsPersonalizationEnabled; } /** * @return bool */ public function getAdsPersonalizationEnabled() { return $this->adsPersonalizationEnabled; } /** * @param bool */ public function setCanManageClients($canManageClients) { $this->canManageClients = $canManageClients; } /** * @return bool */ public function getCanManageClients() { return $this->canManageClients; } /** * @param string */ public function setCreateTime($createTime) { $this->createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setCreatorEmailAddress($creatorEmailAddress) { $this->creatorEmailAddress = $creatorEmailAddress; } /** * @return string */ public function getCreatorEmailAddress() { return $this->creatorEmailAddress; } /** * @param string */ public function setCustomerId($customerId) { $this->customerId = $customerId; } /** * @return string */ public function getCustomerId() { return $this->customerId; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaGoogleAdsLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaGoogleAdsLink'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaSearchChangeHistoryEventsRequest.php 0000644 00000007323 15054470473 0032733 0 ustar 00 google/apiclient-services action = $action; } /** * @return string[] */ public function getAction() { return $this->action; } /** * @param string[] */ public function setActorEmail($actorEmail) { $this->actorEmail = $actorEmail; } /** * @return string[] */ public function getActorEmail() { return $this->actorEmail; } /** * @param string */ public function setEarliestChangeTime($earliestChangeTime) { $this->earliestChangeTime = $earliestChangeTime; } /** * @return string */ public function getEarliestChangeTime() { return $this->earliestChangeTime; } /** * @param string */ public function setLatestChangeTime($latestChangeTime) { $this->latestChangeTime = $latestChangeTime; } /** * @return string */ public function getLatestChangeTime() { return $this->latestChangeTime; } /** * @param int */ public function setPageSize($pageSize) { $this->pageSize = $pageSize; } /** * @return int */ public function getPageSize() { return $this->pageSize; } /** * @param string */ public function setPageToken($pageToken) { $this->pageToken = $pageToken; } /** * @return string */ public function getPageToken() { return $this->pageToken; } /** * @param string */ public function setProperty($property) { $this->property = $property; } /** * @return string */ public function getProperty() { return $this->property; } /** * @param string[] */ public function setResourceType($resourceType) { $this->resourceType = $resourceType; } /** * @return string[] */ public function getResourceType() { return $this->resourceType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaSearchChangeHistoryEventsRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaSearchChangeHistoryEventsRequest'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaDataStreamWebStreamData.php 0000644 00000004104 15054470473 0030551 0 ustar 00 google defaultUri = $defaultUri; } /** * @return string */ public function getDefaultUri() { return $this->defaultUri; } /** * @param string */ public function setFirebaseAppId($firebaseAppId) { $this->firebaseAppId = $firebaseAppId; } /** * @return string */ public function getFirebaseAppId() { return $this->firebaseAppId; } /** * @param string */ public function setMeasurementId($measurementId) { $this->measurementId = $measurementId; } /** * @return string */ public function getMeasurementId() { return $this->measurementId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStreamWebStreamData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaDataStreamWebStreamData'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListPropertiesResponse.php 0000644 00000003744 15054470473 0031012 0 ustar 00 google nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } /** * @param GoogleAnalyticsAdminV1alphaProperty[] */ public function setProperties($properties) { $this->properties = $properties; } /** * @return GoogleAnalyticsAdminV1alphaProperty[] */ public function getProperties() { return $this->properties; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListPropertiesResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListPropertiesResponse'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessDimensionHeader.php 0000644 00000002664 15054470473 0030463 0 ustar 00 google dimensionName = $dimensionName; } /** * @return string */ public function getDimensionName() { return $this->dimensionName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessDimensionHeader::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessDimensionHeader'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaPropertySummary.php 0000644 00000004454 15054470473 0027563 0 ustar 00 displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setParent($parent) { $this->parent = $parent; } /** * @return string */ public function getParent() { return $this->parent; } /** * @param string */ public function setProperty($property) { $this->property = $property; } /** * @return string */ public function getProperty() { return $this->property; } /** * @param string */ public function setPropertyType($propertyType) { $this->propertyType = $propertyType; } /** * @return string */ public function getPropertyType() { return $this->propertyType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaPropertySummary::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaPropertySummary'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAndroidAppDataStream.php 0000644 00000005701 15054470473 0030265 0 ustar 00 google createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setFirebaseAppId($firebaseAppId) { $this->firebaseAppId = $firebaseAppId; } /** * @return string */ public function getFirebaseAppId() { return $this->firebaseAppId; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setPackageName($packageName) { $this->packageName = $packageName; } /** * @return string */ public function getPackageName() { return $this->packageName; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAndroidAppDataStream::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAndroidAppDataStream'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceFilterClause.php 0000644 00000005342 15054470473 0030317 0 ustar 00 google clauseType = $clauseType; } /** * @return string */ public function getClauseType() { return $this->clauseType; } /** * @param GoogleAnalyticsAdminV1alphaAudienceSequenceFilter */ public function setSequenceFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceSequenceFilter $sequenceFilter) { $this->sequenceFilter = $sequenceFilter; } /** * @return GoogleAnalyticsAdminV1alphaAudienceSequenceFilter */ public function getSequenceFilter() { return $this->sequenceFilter; } /** * @param GoogleAnalyticsAdminV1alphaAudienceSimpleFilter */ public function setSimpleFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceSimpleFilter $simpleFilter) { $this->simpleFilter = $simpleFilter; } /** * @return GoogleAnalyticsAdminV1alphaAudienceSimpleFilter */ public function getSimpleFilter() { return $this->simpleFilter; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceFilterClause::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceFilterClause'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaSearchAds360Link.php 0000644 00000007231 15054470473 0027261 0 ustar 00 adsPersonalizationEnabled = $adsPersonalizationEnabled; } /** * @return bool */ public function getAdsPersonalizationEnabled() { return $this->adsPersonalizationEnabled; } /** * @param string */ public function setAdvertiserDisplayName($advertiserDisplayName) { $this->advertiserDisplayName = $advertiserDisplayName; } /** * @return string */ public function getAdvertiserDisplayName() { return $this->advertiserDisplayName; } /** * @param string */ public function setAdvertiserId($advertiserId) { $this->advertiserId = $advertiserId; } /** * @return string */ public function getAdvertiserId() { return $this->advertiserId; } /** * @param bool */ public function setCampaignDataSharingEnabled($campaignDataSharingEnabled) { $this->campaignDataSharingEnabled = $campaignDataSharingEnabled; } /** * @return bool */ public function getCampaignDataSharingEnabled() { return $this->campaignDataSharingEnabled; } /** * @param bool */ public function setCostDataSharingEnabled($costDataSharingEnabled) { $this->costDataSharingEnabled = $costDataSharingEnabled; } /** * @return bool */ public function getCostDataSharingEnabled() { return $this->costDataSharingEnabled; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param bool */ public function setSiteStatsSharingEnabled($siteStatsSharingEnabled) { $this->siteStatsSharingEnabled = $siteStatsSharingEnabled; } /** * @return bool */ public function getSiteStatsSharingEnabled() { return $this->siteStatsSharingEnabled; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaSearchAds360Link::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaSearchAds360Link'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaCreateUserLinkRequest.php 0000644 00000004425 15054470473 0030531 0 ustar 00 google notifyNewUser = $notifyNewUser; } /** * @return bool */ public function getNotifyNewUser() { return $this->notifyNewUser; } /** * @param string */ public function setParent($parent) { $this->parent = $parent; } /** * @return string */ public function getParent() { return $this->parent; } /** * @param GoogleAnalyticsAdminV1alphaUserLink */ public function setUserLink(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink $userLink) { $this->userLink = $userLink; } /** * @return GoogleAnalyticsAdminV1alphaUserLink */ public function getUserLink() { return $this->userLink; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaCreateUserLinkRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaCreateUserLinkRequest'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaCustomDimension.php 0000644 00000005771 15054470473 0027504 0 ustar 00 description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param bool */ public function setDisallowAdsPersonalization($disallowAdsPersonalization) { $this->disallowAdsPersonalization = $disallowAdsPersonalization; } /** * @return bool */ public function getDisallowAdsPersonalization() { return $this->disallowAdsPersonalization; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setParameterName($parameterName) { $this->parameterName = $parameterName; } /** * @return string */ public function getParameterName() { return $this->parameterName; } /** * @param string */ public function setScope($scope) { $this->scope = $scope; } /** * @return string */ public function getScope() { return $this->scope; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaCustomDimension::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaCustomDimension'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudience.php 0000644 00000010606 15054470473 0026072 0 ustar 00 adsPersonalizationEnabled = $adsPersonalizationEnabled; } /** * @return bool */ public function getAdsPersonalizationEnabled() { return $this->adsPersonalizationEnabled; } /** * @param string */ public function setDescription($description) { $this->description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param GoogleAnalyticsAdminV1alphaAudienceEventTrigger */ public function setEventTrigger(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceEventTrigger $eventTrigger) { $this->eventTrigger = $eventTrigger; } /** * @return GoogleAnalyticsAdminV1alphaAudienceEventTrigger */ public function getEventTrigger() { return $this->eventTrigger; } /** * @param string */ public function setExclusionDurationMode($exclusionDurationMode) { $this->exclusionDurationMode = $exclusionDurationMode; } /** * @return string */ public function getExclusionDurationMode() { return $this->exclusionDurationMode; } /** * @param GoogleAnalyticsAdminV1alphaAudienceFilterClause[] */ public function setFilterClauses($filterClauses) { $this->filterClauses = $filterClauses; } /** * @return GoogleAnalyticsAdminV1alphaAudienceFilterClause[] */ public function getFilterClauses() { return $this->filterClauses; } /** * @param int */ public function setMembershipDurationDays($membershipDurationDays) { $this->membershipDurationDays = $membershipDurationDays; } /** * @return int */ public function getMembershipDurationDays() { return $this->membershipDurationDays; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudience::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudience'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaExpandedDataSetFilter.php 0000644 00000005456 15054470473 0030451 0 ustar 00 google fieldName = $fieldName; } /** * @return string */ public function getFieldName() { return $this->fieldName; } /** * @param GoogleAnalyticsAdminV1alphaExpandedDataSetFilterInListFilter */ public function setInListFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSetFilterInListFilter $inListFilter) { $this->inListFilter = $inListFilter; } /** * @return GoogleAnalyticsAdminV1alphaExpandedDataSetFilterInListFilter */ public function getInListFilter() { return $this->inListFilter; } /** * @param GoogleAnalyticsAdminV1alphaExpandedDataSetFilterStringFilter */ public function setStringFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSetFilterStringFilter $stringFilter) { $this->stringFilter = $stringFilter; } /** * @return GoogleAnalyticsAdminV1alphaExpandedDataSetFilterStringFilter */ public function getStringFilter() { return $this->stringFilter; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSetFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaExpandedDataSetFilter'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaDataSharingSettings.php 0000644 00000007143 15054470473 0030206 0 ustar 00 google name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param bool */ public function setSharingWithGoogleAnySalesEnabled($sharingWithGoogleAnySalesEnabled) { $this->sharingWithGoogleAnySalesEnabled = $sharingWithGoogleAnySalesEnabled; } /** * @return bool */ public function getSharingWithGoogleAnySalesEnabled() { return $this->sharingWithGoogleAnySalesEnabled; } /** * @param bool */ public function setSharingWithGoogleAssignedSalesEnabled($sharingWithGoogleAssignedSalesEnabled) { $this->sharingWithGoogleAssignedSalesEnabled = $sharingWithGoogleAssignedSalesEnabled; } /** * @return bool */ public function getSharingWithGoogleAssignedSalesEnabled() { return $this->sharingWithGoogleAssignedSalesEnabled; } /** * @param bool */ public function setSharingWithGoogleProductsEnabled($sharingWithGoogleProductsEnabled) { $this->sharingWithGoogleProductsEnabled = $sharingWithGoogleProductsEnabled; } /** * @return bool */ public function getSharingWithGoogleProductsEnabled() { return $this->sharingWithGoogleProductsEnabled; } /** * @param bool */ public function setSharingWithGoogleSupportEnabled($sharingWithGoogleSupportEnabled) { $this->sharingWithGoogleSupportEnabled = $sharingWithGoogleSupportEnabled; } /** * @return bool */ public function getSharingWithGoogleSupportEnabled() { return $this->sharingWithGoogleSupportEnabled; } /** * @param bool */ public function setSharingWithOthersEnabled($sharingWithOthersEnabled) { $this->sharingWithOthersEnabled = $sharingWithOthersEnabled; } /** * @return bool */ public function getSharingWithOthersEnabled() { return $this->sharingWithOthersEnabled; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDataSharingSettings::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaDataSharingSettings'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaListCustomDimensionsResponse.php 0000644 00000004073 15054470473 0032003 0 ustar 00 google/apiclient-services customDimensions = $customDimensions; } /** * @return GoogleAnalyticsAdminV1betaCustomDimension[] */ public function getCustomDimensions() { return $this->customDimensions; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListCustomDimensionsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaListCustomDimensionsResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaDataStream.php 0000644 00000011213 15054470473 0026223 0 ustar 00 androidAppStreamData = $androidAppStreamData; } /** * @return GoogleAnalyticsAdminV1betaDataStreamAndroidAppStreamData */ public function getAndroidAppStreamData() { return $this->androidAppStreamData; } /** * @param string */ public function setCreateTime($createTime) { $this->createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param GoogleAnalyticsAdminV1betaDataStreamIosAppStreamData */ public function setIosAppStreamData(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStreamIosAppStreamData $iosAppStreamData) { $this->iosAppStreamData = $iosAppStreamData; } /** * @return GoogleAnalyticsAdminV1betaDataStreamIosAppStreamData */ public function getIosAppStreamData() { return $this->iosAppStreamData; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } /** * @param GoogleAnalyticsAdminV1betaDataStreamWebStreamData */ public function setWebStreamData(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStreamWebStreamData $webStreamData) { $this->webStreamData = $webStreamData; } /** * @return GoogleAnalyticsAdminV1betaDataStreamWebStreamData */ public function getWebStreamData() { return $this->webStreamData; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStream::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaDataStream'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAttributionSettings.php 0000644 00000005406 15054470473 0030325 0 ustar 00 google acquisitionConversionEventLookbackWindow = $acquisitionConversionEventLookbackWindow; } /** * @return string */ public function getAcquisitionConversionEventLookbackWindow() { return $this->acquisitionConversionEventLookbackWindow; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setOtherConversionEventLookbackWindow($otherConversionEventLookbackWindow) { $this->otherConversionEventLookbackWindow = $otherConversionEventLookbackWindow; } /** * @return string */ public function getOtherConversionEventLookbackWindow() { return $this->otherConversionEventLookbackWindow; } /** * @param string */ public function setReportingAttributionModel($reportingAttributionModel) { $this->reportingAttributionModel = $reportingAttributionModel; } /** * @return string */ public function getReportingAttributionModel() { return $this->reportingAttributionModel; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAttributionSettings::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAttributionSettings'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaDataStreamIosAppStreamData.php 0000644 00000003361 15054470473 0031405 0 ustar 00 google/apiclient-services bundleId = $bundleId; } /** * @return string */ public function getBundleId() { return $this->bundleId; } /** * @param string */ public function setFirebaseAppId($firebaseAppId) { $this->firebaseAppId = $firebaseAppId; } /** * @return string */ public function getFirebaseAppId() { return $this->firebaseAppId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDataStreamIosAppStreamData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaDataStreamIosAppStreamData'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaDataStreamIosAppStreamData.php0000644 00000003356 15054470473 0031237 0 ustar 00 google bundleId = $bundleId; } /** * @return string */ public function getBundleId() { return $this->bundleId; } /** * @param string */ public function setFirebaseAppId($firebaseAppId) { $this->firebaseAppId = $firebaseAppId; } /** * @return string */ public function getFirebaseAppId() { return $this->firebaseAppId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaDataStreamIosAppStreamData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaDataStreamIosAppStreamData'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaNumericValue.php 0000644 00000003131 15054470473 0026747 0 ustar 00 doubleValue = $doubleValue; } public function getDoubleValue() { return $this->doubleValue; } /** * @param string */ public function setInt64Value($int64Value) { $this->int64Value = $int64Value; } /** * @return string */ public function getInt64Value() { return $this->int64Value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaNumericValue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaNumericValue'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaBatchCreateUserLinksRequest.php 0000644 00000004011 15054470473 0031645 0 ustar 00 google/apiclient-services notifyNewUsers = $notifyNewUsers; } /** * @return bool */ public function getNotifyNewUsers() { return $this->notifyNewUsers; } /** * @param GoogleAnalyticsAdminV1alphaCreateUserLinkRequest[] */ public function setRequests($requests) { $this->requests = $requests; } /** * @return GoogleAnalyticsAdminV1alphaCreateUserLinkRequest[] */ public function getRequests() { return $this->requests; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchCreateUserLinksRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaBatchCreateUserLinksRequest'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaProvisionAccountTicketRequest.php 0000644 00000003771 15054470473 0032325 0 ustar 00 google/apiclient-services account = $account; } /** * @return GoogleAnalyticsAdminV1alphaAccount */ public function getAccount() { return $this->account; } /** * @param string */ public function setRedirectUri($redirectUri) { $this->redirectUri = $redirectUri; } /** * @return string */ public function getRedirectUri() { return $this->redirectUri; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaProvisionAccountTicketRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaProvisionAccountTicketRequest'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaFirebaseLink.php 0000644 00000003672 15054470473 0026546 0 ustar 00 createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setProject($project) { $this->project = $project; } /** * @return string */ public function getProject() { return $this->project; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaFirebaseLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaFirebaseLink'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAcknowledgeUserDataCollectionResponse.php 0000644 00000002223 15054470473 0033701 0 ustar 00 google/apiclient-services displayVideo360AdvertiserLinkProposals = $displayVideo360AdvertiserLinkProposals; } /** * @return GoogleAnalyticsAdminV1alphaDisplayVideo360AdvertiserLinkProposal[] */ public function getDisplayVideo360AdvertiserLinkProposals() { return $this->displayVideo360AdvertiserLinkProposals; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListDisplayVideo360AdvertiserLinkProposalsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListDisplayVideo360AdvertiserLinkProposalsResponse'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListCustomMetricsResponse.php0000644 00000004024 15054470473 0031447 0 ustar 00 google customMetrics = $customMetrics; } /** * @return GoogleAnalyticsAdminV1alphaCustomMetric[] */ public function getCustomMetrics() { return $this->customMetrics; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListCustomMetricsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListCustomMetricsResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListCustomDimensionsResponse.php 0000644 00000004101 15054470473 0032145 0 ustar 00 google/apiclient-services customDimensions = $customDimensions; } /** * @return GoogleAnalyticsAdminV1alphaCustomDimension[] */ public function getCustomDimensions() { return $this->customDimensions; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListCustomDimensionsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListCustomDimensionsResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaUserLink.php 0000644 00000004025 15054470473 0026107 0 ustar 00 directRoles = $directRoles; } /** * @return string[] */ public function getDirectRoles() { return $this->directRoles; } /** * @param string */ public function setEmailAddress($emailAddress) { $this->emailAddress = $emailAddress; } /** * @return string */ public function getEmailAddress() { return $this->emailAddress; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaUserLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaUserLink'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessInListFilter.php0000644 00000003372 15054470473 0030051 0 ustar 00 caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string[] */ public function setValues($values) { $this->values = $values; } /** * @return string[] */ public function getValues() { return $this->values; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessInListFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessInListFilter'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessDimension.php 0000644 00000002642 15054470473 0027425 0 ustar 00 dimensionName = $dimensionName; } /** * @return string */ public function getDimensionName() { return $this->dimensionName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessDimension::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessDimension'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaChangeHistoryChange.php 0000644 00000006361 15054470473 0030156 0 ustar 00 google action = $action; } /** * @return string */ public function getAction() { return $this->action; } /** * @param string */ public function setResource($resource) { $this->resource = $resource; } /** * @return string */ public function getResource() { return $this->resource; } /** * @param GoogleAnalyticsAdminV1alphaChangeHistoryChangeChangeHistoryResource */ public function setResourceAfterChange(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaChangeHistoryChangeChangeHistoryResource $resourceAfterChange) { $this->resourceAfterChange = $resourceAfterChange; } /** * @return GoogleAnalyticsAdminV1alphaChangeHistoryChangeChangeHistoryResource */ public function getResourceAfterChange() { return $this->resourceAfterChange; } /** * @param GoogleAnalyticsAdminV1alphaChangeHistoryChangeChangeHistoryResource */ public function setResourceBeforeChange(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaChangeHistoryChangeChangeHistoryResource $resourceBeforeChange) { $this->resourceBeforeChange = $resourceBeforeChange; } /** * @return GoogleAnalyticsAdminV1alphaChangeHistoryChangeChangeHistoryResource */ public function getResourceBeforeChange() { return $this->resourceBeforeChange; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaChangeHistoryChange::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaChangeHistoryChange'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessFilterExpressionList.php 0000644 00000003322 15054470473 0031556 0 ustar 00 google/apiclient-services expressions = $expressions; } /** * @return GoogleAnalyticsAdminV1alphaAccessFilterExpression[] */ public function getExpressions() { return $this->expressions; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessFilterExpressionList::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessFilterExpressionList'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaListConversionEventsResponse.php 0000644 00000004073 15054470473 0032012 0 ustar 00 google/apiclient-services conversionEvents = $conversionEvents; } /** * @return GoogleAnalyticsAdminV1betaConversionEvent[] */ public function getConversionEvents() { return $this->conversionEvents; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaListConversionEventsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaListConversionEventsResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaChangeHistoryEvent.php0000644 00000006263 15054470473 0030132 0 ustar 00 actorType = $actorType; } /** * @return string */ public function getActorType() { return $this->actorType; } /** * @param string */ public function setChangeTime($changeTime) { $this->changeTime = $changeTime; } /** * @return string */ public function getChangeTime() { return $this->changeTime; } /** * @param GoogleAnalyticsAdminV1alphaChangeHistoryChange[] */ public function setChanges($changes) { $this->changes = $changes; } /** * @return GoogleAnalyticsAdminV1alphaChangeHistoryChange[] */ public function getChanges() { return $this->changes; } /** * @param bool */ public function setChangesFiltered($changesFiltered) { $this->changesFiltered = $changesFiltered; } /** * @return bool */ public function getChangesFiltered() { return $this->changesFiltered; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setUserActorEmail($userActorEmail) { $this->userActorEmail = $userActorEmail; } /** * @return string */ public function getUserActorEmail() { return $this->userActorEmail; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaChangeHistoryEvent::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaChangeHistoryEvent'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessDateRange.php 0000644 00000003255 15054470473 0027333 0 ustar 00 endDate = $endDate; } /** * @return string */ public function getEndDate() { return $this->endDate; } /** * @param string */ public function setStartDate($startDate) { $this->startDate = $startDate; } /** * @return string */ public function getStartDate() { return $this->startDate; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessDateRange::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessDateRange'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccountSummary.php 0000644 00000005113 15054470473 0027324 0 ustar 00 account = $account; } /** * @return string */ public function getAccount() { return $this->account; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param GoogleAnalyticsAdminV1alphaPropertySummary[] */ public function setPropertySummaries($propertySummaries) { $this->propertySummaries = $propertySummaries; } /** * @return GoogleAnalyticsAdminV1alphaPropertySummary[] */ public function getPropertySummaries() { return $this->propertySummaries; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccountSummary::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccountSummary'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessRow.php 0000644 00000004337 15054470473 0026252 0 ustar 00 dimensionValues = $dimensionValues; } /** * @return GoogleAnalyticsAdminV1alphaAccessDimensionValue[] */ public function getDimensionValues() { return $this->dimensionValues; } /** * @param GoogleAnalyticsAdminV1alphaAccessMetricValue[] */ public function setMetricValues($metricValues) { $this->metricValues = $metricValues; } /** * @return GoogleAnalyticsAdminV1alphaAccessMetricValue[] */ public function getMetricValues() { return $this->metricValues; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessRow::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessRow'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaProvisionAccountTicketRequest.php 0000644 00000003762 15054470473 0032153 0 ustar 00 google/apiclient-services account = $account; } /** * @return GoogleAnalyticsAdminV1betaAccount */ public function getAccount() { return $this->account; } /** * @param string */ public function setRedirectUri($redirectUri) { $this->redirectUri = $redirectUri; } /** * @return string */ public function getRedirectUri() { return $this->redirectUri; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProvisionAccountTicketRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaProvisionAccountTicketRequest'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaDataStreamAndroidAppStreamData.php 0000644 00000003422 15054470473 0032231 0 ustar 00 google/apiclient-services firebaseAppId = $firebaseAppId; } /** * @return string */ public function getFirebaseAppId() { return $this->firebaseAppId; } /** * @param string */ public function setPackageName($packageName) { $this->packageName = $packageName; } /** * @return string */ public function getPackageName() { return $this->packageName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaDataStreamAndroidAppStreamData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaDataStreamAndroidAppStreamData'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaMeasurementProtocolSecret.php 0000644 00000004004 15054470473 0031274 0 ustar 00 google displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setSecretValue($secretValue) { $this->secretValue = $secretValue; } /** * @return string */ public function getSecretValue() { return $this->secretValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaMeasurementProtocolSecret::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaMeasurementProtocolSecret'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceEventFilter.php 0000644 00000004311 15054470473 0030157 0 ustar 00 google eventName = $eventName; } /** * @return string */ public function getEventName() { return $this->eventName; } /** * @param GoogleAnalyticsAdminV1alphaAudienceFilterExpression */ public function setEventParameterFilterExpression(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceFilterExpression $eventParameterFilterExpression) { $this->eventParameterFilterExpression = $eventParameterFilterExpression; } /** * @return GoogleAnalyticsAdminV1alphaAudienceFilterExpression */ public function getEventParameterFilterExpression() { return $this->eventParameterFilterExpression; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceEventFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceEventFilter'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaRunAccessReportRequest.php 0000644 00000013300 15054470473 0030723 0 ustar 00 google dateRanges = $dateRanges; } /** * @return GoogleAnalyticsAdminV1alphaAccessDateRange[] */ public function getDateRanges() { return $this->dateRanges; } /** * @param GoogleAnalyticsAdminV1alphaAccessFilterExpression */ public function setDimensionFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessFilterExpression $dimensionFilter) { $this->dimensionFilter = $dimensionFilter; } /** * @return GoogleAnalyticsAdminV1alphaAccessFilterExpression */ public function getDimensionFilter() { return $this->dimensionFilter; } /** * @param GoogleAnalyticsAdminV1alphaAccessDimension[] */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return GoogleAnalyticsAdminV1alphaAccessDimension[] */ public function getDimensions() { return $this->dimensions; } /** * @param string */ public function setLimit($limit) { $this->limit = $limit; } /** * @return string */ public function getLimit() { return $this->limit; } /** * @param GoogleAnalyticsAdminV1alphaAccessFilterExpression */ public function setMetricFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessFilterExpression $metricFilter) { $this->metricFilter = $metricFilter; } /** * @return GoogleAnalyticsAdminV1alphaAccessFilterExpression */ public function getMetricFilter() { return $this->metricFilter; } /** * @param GoogleAnalyticsAdminV1alphaAccessMetric[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return GoogleAnalyticsAdminV1alphaAccessMetric[] */ public function getMetrics() { return $this->metrics; } /** * @param string */ public function setOffset($offset) { $this->offset = $offset; } /** * @return string */ public function getOffset() { return $this->offset; } /** * @param GoogleAnalyticsAdminV1alphaAccessOrderBy[] */ public function setOrderBys($orderBys) { $this->orderBys = $orderBys; } /** * @return GoogleAnalyticsAdminV1alphaAccessOrderBy[] */ public function getOrderBys() { return $this->orderBys; } /** * @param bool */ public function setReturnEntityQuota($returnEntityQuota) { $this->returnEntityQuota = $returnEntityQuota; } /** * @return bool */ public function getReturnEntityQuota() { return $this->returnEntityQuota; } /** * @param string */ public function setTimeZone($timeZone) { $this->timeZone = $timeZone; } /** * @return string */ public function getTimeZone() { return $this->timeZone; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaRunAccessReportRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaRunAccessReportRequest'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpression.php 0000644 00000006152 15054470473 0032523 0 ustar 00 google/apiclient-services andGroup = $andGroup; } /** * @return GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpressionList */ public function getAndGroup() { return $this->andGroup; } /** * @param GoogleAnalyticsAdminV1alphaExpandedDataSetFilter */ public function setFilter(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSetFilter $filter) { $this->filter = $filter; } /** * @return GoogleAnalyticsAdminV1alphaExpandedDataSetFilter */ public function getFilter() { return $this->filter; } /** * @param GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpression */ public function setNotExpression(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpression $notExpression) { $this->notExpression = $notExpression; } /** * @return GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpression */ public function getNotExpression() { return $this->notExpression; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpression::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaExpandedDataSetFilterExpression'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaListAccountsResponse.php 0000644 00000003711 15054470473 0030427 0 ustar 00 google accounts = $accounts; } /** * @return GoogleAnalyticsAdminV1alphaAccount[] */ public function getAccounts() { return $this->accounts; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaListAccountsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaListAccountsResponse'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccount.php 0000644 00000005543 15054470473 0025755 0 ustar 00 createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param bool */ public function setDeleted($deleted) { $this->deleted = $deleted; } /** * @return bool */ public function getDeleted() { return $this->deleted; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setRegionCode($regionCode) { $this->regionCode = $regionCode; } /** * @return string */ public function getRegionCode() { return $this->regionCode; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccount::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccount'); apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessBetweenFilter.php 0000644 00000004413 15054470473 0030156 0 ustar 00 google fromValue = $fromValue; } /** * @return GoogleAnalyticsAdminV1alphaNumericValue */ public function getFromValue() { return $this->fromValue; } /** * @param GoogleAnalyticsAdminV1alphaNumericValue */ public function setToValue(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaNumericValue $toValue) { $this->toValue = $toValue; } /** * @return GoogleAnalyticsAdminV1alphaNumericValue */ public function getToValue() { return $this->toValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessBetweenFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessBetweenFilter'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaIosAppDataStream.php 0000644 00000005640 15054470473 0027520 0 ustar 00 bundleId = $bundleId; } /** * @return string */ public function getBundleId() { return $this->bundleId; } /** * @param string */ public function setCreateTime($createTime) { $this->createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setFirebaseAppId($firebaseAppId) { $this->firebaseAppId = $firebaseAppId; } /** * @return string */ public function getFirebaseAppId() { return $this->firebaseAppId; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaIosAppDataStream::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaIosAppDataStream'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaProperty.php 0000644 00000012072 15054470473 0026200 0 ustar 00 account = $account; } /** * @return string */ public function getAccount() { return $this->account; } /** * @param string */ public function setCreateTime($createTime) { $this->createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setCurrencyCode($currencyCode) { $this->currencyCode = $currencyCode; } /** * @return string */ public function getCurrencyCode() { return $this->currencyCode; } /** * @param string */ public function setDeleteTime($deleteTime) { $this->deleteTime = $deleteTime; } /** * @return string */ public function getDeleteTime() { return $this->deleteTime; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setExpireTime($expireTime) { $this->expireTime = $expireTime; } /** * @return string */ public function getExpireTime() { return $this->expireTime; } /** * @param string */ public function setIndustryCategory($industryCategory) { $this->industryCategory = $industryCategory; } /** * @return string */ public function getIndustryCategory() { return $this->industryCategory; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setParent($parent) { $this->parent = $parent; } /** * @return string */ public function getParent() { return $this->parent; } /** * @param string */ public function setPropertyType($propertyType) { $this->propertyType = $propertyType; } /** * @return string */ public function getPropertyType() { return $this->propertyType; } /** * @param string */ public function setServiceLevel($serviceLevel) { $this->serviceLevel = $serviceLevel; } /** * @return string */ public function getServiceLevel() { return $this->serviceLevel; } /** * @param string */ public function setTimeZone($timeZone) { $this->timeZone = $timeZone; } /** * @return string */ public function getTimeZone() { return $this->timeZone; } /** * @param string */ public function setUpdateTime($updateTime) { $this->updateTime = $updateTime; } /** * @return string */ public function getUpdateTime() { return $this->updateTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaProperty::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaProperty'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksResponse.php 0000644 00000003234 15054470473 0032040 0 ustar 00 google/apiclient-services userLinks = $userLinks; } /** * @return GoogleAnalyticsAdminV1alphaUserLink[] */ public function getUserLinks() { return $this->userLinks; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaBatchUpdateUserLinksResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericFilter.php0000644 00000004230 15054470473 0035161 0 ustar 00 google/apiclient-services operation = $operation; } /** * @return string */ public function getOperation() { return $this->operation; } /** * @param GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericValue */ public function setValue(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericValue $value) { $this->value = $value; } /** * @return GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericValue */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceDimensionOrMetricFilterNumericFilter'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaCustomDimension.php 0000644 00000005766 15054470473 0027336 0 ustar 00 description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param bool */ public function setDisallowAdsPersonalization($disallowAdsPersonalization) { $this->disallowAdsPersonalization = $disallowAdsPersonalization; } /** * @return bool */ public function getDisallowAdsPersonalization() { return $this->disallowAdsPersonalization; } /** * @param string */ public function setDisplayName($displayName) { $this->displayName = $displayName; } /** * @return string */ public function getDisplayName() { return $this->displayName; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setParameterName($parameterName) { $this->parameterName = $parameterName; } /** * @return string */ public function getParameterName() { return $this->parameterName; } /** * @param string */ public function setScope($scope) { $this->scope = $scope; } /** * @return string */ public function getScope() { return $this->scope; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaCustomDimension::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaCustomDimension'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaFirebaseLink.php 0000644 00000003675 15054470473 0026723 0 ustar 00 createTime = $createTime; } /** * @return string */ public function getCreateTime() { return $this->createTime; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setProject($project) { $this->project = $project; } /** * @return string */ public function getProject() { return $this->project; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaFirebaseLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaFirebaseLink'); google/apiclient-services/src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaGlobalSiteTag.php 0000644 00000003204 15054470473 0027032 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setSnippet($snippet) { $this->snippet = $snippet; } /** * @return string */ public function getSnippet() { return $this->snippet; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaGlobalSiteTag::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaGlobalSiteTag'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaProvisionAccountTicketResponse.php 0000644 00000002732 15054470473 0032315 0 ustar 00 google/apiclient-services accountTicketId = $accountTicketId; } /** * @return string */ public function getAccountTicketId() { return $this->accountTicketId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaProvisionAccountTicketResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaProvisionAccountTicketResponse'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaAccessOrderByMetricOrderBy.php 0000644 00000002656 15054470473 0031427 0 ustar 00 google/apiclient-services metricName = $metricName; } /** * @return string */ public function getMetricName() { return $this->metricName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAccessOrderByMetricOrderBy::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAccessOrderByMetricOrderBy'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1alphaArchiveCustomMetricRequest.php 0000644 00000002162 15054470473 0031565 0 ustar 00 google/apiclient-services filterExpression = $filterExpression; } /** * @return GoogleAnalyticsAdminV1alphaAudienceFilterExpression */ public function getFilterExpression() { return $this->filterExpression; } /** * @param string */ public function setScope($scope) { $this->scope = $scope; } /** * @return string */ public function getScope() { return $this->scope; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1alphaAudienceSimpleFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1alphaAudienceSimpleFilter'); src/GoogleAnalyticsAdmin/GoogleAnalyticsAdminV1betaSearchChangeHistoryEventsResponse.php 0000644 00000004156 15054470473 0032730 0 ustar 00 google/apiclient-services changeHistoryEvents = $changeHistoryEvents; } /** * @return GoogleAnalyticsAdminV1betaChangeHistoryEvent[] */ public function getChangeHistoryEvents() { return $this->changeHistoryEvents; } /** * @param string */ public function setNextPageToken($nextPageToken) { $this->nextPageToken = $nextPageToken; } /** * @return string */ public function getNextPageToken() { return $this->nextPageToken; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\GoogleAnalyticsAdminV1betaSearchChangeHistoryEventsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin_GoogleAnalyticsAdminV1betaSearchChangeHistoryEventsResponse'); google/apiclient-services/src/SearchConsole.php 0000644 00000012717 15054470473 0015662 0 ustar 00 * The Search Console API provides access to both Search Console data (verified * users only) and to public information on an URL basis (anyone) * ** For more information about this service, see the API * Documentation *
* * @author Google, Inc. */ class SearchConsole extends \Google\Site_Kit_Dependencies\Google\Service { /** View and manage Search Console data for your verified sites. */ const WEBMASTERS = "https://www.googleapis.com/auth/webmasters"; /** View Search Console data for your verified sites. */ const WEBMASTERS_READONLY = "https://www.googleapis.com/auth/webmasters.readonly"; public $searchanalytics; public $sitemaps; public $sites; public $urlInspection_index; public $urlTestingTools_mobileFriendlyTest; /** * Constructs the internal representation of the SearchConsole service. * * @param Client|array $clientOrConfig The client used to deliver requests, or a * config array to pass to a new Client instance. * @param string $rootUrl The root URL used for requests to the service. */ public function __construct($clientOrConfig = [], $rootUrl = null) { parent::__construct($clientOrConfig); $this->rootUrl = $rootUrl ?: 'https://searchconsole.googleapis.com/'; $this->servicePath = ''; $this->batchPath = 'batch'; $this->version = 'v1'; $this->serviceName = 'searchconsole'; $this->searchanalytics = new \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\Searchanalytics($this, $this->serviceName, 'searchanalytics', ['methods' => ['query' => ['path' => 'webmasters/v3/sites/{siteUrl}/searchAnalytics/query', 'httpMethod' => 'POST', 'parameters' => ['siteUrl' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->sitemaps = new \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\Sitemaps($this, $this->serviceName, 'sitemaps', ['methods' => ['delete' => ['path' => 'webmasters/v3/sites/{siteUrl}/sitemaps/{feedpath}', 'httpMethod' => 'DELETE', 'parameters' => ['siteUrl' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'feedpath' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'webmasters/v3/sites/{siteUrl}/sitemaps/{feedpath}', 'httpMethod' => 'GET', 'parameters' => ['siteUrl' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'feedpath' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'webmasters/v3/sites/{siteUrl}/sitemaps', 'httpMethod' => 'GET', 'parameters' => ['siteUrl' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'sitemapIndex' => ['location' => 'query', 'type' => 'string']]], 'submit' => ['path' => 'webmasters/v3/sites/{siteUrl}/sitemaps/{feedpath}', 'httpMethod' => 'PUT', 'parameters' => ['siteUrl' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'feedpath' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->sites = new \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\Sites($this, $this->serviceName, 'sites', ['methods' => ['add' => ['path' => 'webmasters/v3/sites/{siteUrl}', 'httpMethod' => 'PUT', 'parameters' => ['siteUrl' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'webmasters/v3/sites/{siteUrl}', 'httpMethod' => 'DELETE', 'parameters' => ['siteUrl' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'webmasters/v3/sites/{siteUrl}', 'httpMethod' => 'GET', 'parameters' => ['siteUrl' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'webmasters/v3/sites', 'httpMethod' => 'GET', 'parameters' => []]]]); $this->urlInspection_index = new \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\UrlInspectionIndex($this, $this->serviceName, 'index', ['methods' => ['inspect' => ['path' => 'v1/urlInspection/index:inspect', 'httpMethod' => 'POST', 'parameters' => []]]]); $this->urlTestingTools_mobileFriendlyTest = new \Google\Site_Kit_Dependencies\Google\Service\SearchConsole\Resource\UrlTestingToolsMobileFriendlyTest($this, $this->serviceName, 'mobileFriendlyTest', ['methods' => ['run' => ['path' => 'v1/urlTestingTools/mobileFriendlyTest:run', 'httpMethod' => 'POST', 'parameters' => []]]]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\SearchConsole::class, 'Google\\Site_Kit_Dependencies\\Google_Service_SearchConsole'); google/apiclient-services/src/AnalyticsReporting.php 0000644 00000005534 15054470473 0016752 0 ustar 00 * Accesses Analytics report data. * ** For more information about this service, see the API * Documentation *
* * @author Google, Inc. */ class AnalyticsReporting extends \Google\Site_Kit_Dependencies\Google\Service { /** View and manage your Google Analytics data. */ const ANALYTICS = "https://www.googleapis.com/auth/analytics"; /** See and download your Google Analytics data. */ const ANALYTICS_READONLY = "https://www.googleapis.com/auth/analytics.readonly"; public $reports; public $userActivity; /** * Constructs the internal representation of the AnalyticsReporting service. * * @param Client|array $clientOrConfig The client used to deliver requests, or a * config array to pass to a new Client instance. * @param string $rootUrl The root URL used for requests to the service. */ public function __construct($clientOrConfig = [], $rootUrl = null) { parent::__construct($clientOrConfig); $this->rootUrl = $rootUrl ?: 'https://analyticsreporting.googleapis.com/'; $this->servicePath = ''; $this->batchPath = 'batch'; $this->version = 'v4'; $this->serviceName = 'analyticsreporting'; $this->reports = new \Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\Resource\Reports($this, $this->serviceName, 'reports', ['methods' => ['batchGet' => ['path' => 'v4/reports:batchGet', 'httpMethod' => 'POST', 'parameters' => []]]]); $this->userActivity = new \Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting\Resource\UserActivity($this, $this->serviceName, 'userActivity', ['methods' => ['search' => ['path' => 'v4/userActivity:search', 'httpMethod' => 'POST', 'parameters' => []]]]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsReporting::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsReporting'); google/apiclient-services/src/PeopleService.php 0000644 00000027353 15054470473 0015701 0 ustar 00 * Provides access to information about profiles and contacts. * ** For more information about this service, see the API * Documentation *
* * @author Google, Inc. */ class PeopleService extends \Google\Site_Kit_Dependencies\Google\Service { /** See, edit, download, and permanently delete your contacts. */ const CONTACTS = "https://www.googleapis.com/auth/contacts"; /** See and download contact info automatically saved in your "Other contacts". */ const CONTACTS_OTHER_READONLY = "https://www.googleapis.com/auth/contacts.other.readonly"; /** See and download your contacts. */ const CONTACTS_READONLY = "https://www.googleapis.com/auth/contacts.readonly"; /** See and download your organization's GSuite directory. */ const DIRECTORY_READONLY = "https://www.googleapis.com/auth/directory.readonly"; /** View your street addresses. */ const USER_ADDRESSES_READ = "https://www.googleapis.com/auth/user.addresses.read"; /** See and download your exact date of birth. */ const USER_BIRTHDAY_READ = "https://www.googleapis.com/auth/user.birthday.read"; /** See and download all of your Google Account email addresses. */ const USER_EMAILS_READ = "https://www.googleapis.com/auth/user.emails.read"; /** See your gender. */ const USER_GENDER_READ = "https://www.googleapis.com/auth/user.gender.read"; /** See your education, work history and org info. */ const USER_ORGANIZATION_READ = "https://www.googleapis.com/auth/user.organization.read"; /** See and download your personal phone numbers. */ const USER_PHONENUMBERS_READ = "https://www.googleapis.com/auth/user.phonenumbers.read"; /** See your primary Google Account email address. */ const USERINFO_EMAIL = "https://www.googleapis.com/auth/userinfo.email"; /** See your personal info, including any personal info you've made publicly available. */ const USERINFO_PROFILE = "https://www.googleapis.com/auth/userinfo.profile"; public $contactGroups; public $contactGroups_members; public $otherContacts; public $people; public $people_connections; /** * Constructs the internal representation of the PeopleService service. * * @param Client|array $clientOrConfig The client used to deliver requests, or a * config array to pass to a new Client instance. * @param string $rootUrl The root URL used for requests to the service. */ public function __construct($clientOrConfig = [], $rootUrl = null) { parent::__construct($clientOrConfig); $this->rootUrl = $rootUrl ?: 'https://people.googleapis.com/'; $this->servicePath = ''; $this->batchPath = 'batch'; $this->version = 'v1'; $this->serviceName = 'people'; $this->contactGroups = new \Google\Site_Kit_Dependencies\Google\Service\PeopleService\Resource\ContactGroups($this, $this->serviceName, 'contactGroups', ['methods' => ['batchGet' => ['path' => 'v1/contactGroups:batchGet', 'httpMethod' => 'GET', 'parameters' => ['groupFields' => ['location' => 'query', 'type' => 'string'], 'maxMembers' => ['location' => 'query', 'type' => 'integer'], 'resourceNames' => ['location' => 'query', 'type' => 'string', 'repeated' => \true]]], 'create' => ['path' => 'v1/contactGroups', 'httpMethod' => 'POST', 'parameters' => []], 'delete' => ['path' => 'v1/{+resourceName}', 'httpMethod' => 'DELETE', 'parameters' => ['resourceName' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'deleteContacts' => ['location' => 'query', 'type' => 'boolean']]], 'get' => ['path' => 'v1/{+resourceName}', 'httpMethod' => 'GET', 'parameters' => ['resourceName' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'groupFields' => ['location' => 'query', 'type' => 'string'], 'maxMembers' => ['location' => 'query', 'type' => 'integer']]], 'list' => ['path' => 'v1/contactGroups', 'httpMethod' => 'GET', 'parameters' => ['groupFields' => ['location' => 'query', 'type' => 'string'], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string'], 'syncToken' => ['location' => 'query', 'type' => 'string']]], 'update' => ['path' => 'v1/{+resourceName}', 'httpMethod' => 'PUT', 'parameters' => ['resourceName' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->contactGroups_members = new \Google\Site_Kit_Dependencies\Google\Service\PeopleService\Resource\ContactGroupsMembers($this, $this->serviceName, 'members', ['methods' => ['modify' => ['path' => 'v1/{+resourceName}/members:modify', 'httpMethod' => 'POST', 'parameters' => ['resourceName' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->otherContacts = new \Google\Site_Kit_Dependencies\Google\Service\PeopleService\Resource\OtherContacts($this, $this->serviceName, 'otherContacts', ['methods' => ['copyOtherContactToMyContactsGroup' => ['path' => 'v1/{+resourceName}:copyOtherContactToMyContactsGroup', 'httpMethod' => 'POST', 'parameters' => ['resourceName' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v1/otherContacts', 'httpMethod' => 'GET', 'parameters' => ['pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string'], 'readMask' => ['location' => 'query', 'type' => 'string'], 'requestSyncToken' => ['location' => 'query', 'type' => 'boolean'], 'sources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'syncToken' => ['location' => 'query', 'type' => 'string']]], 'search' => ['path' => 'v1/otherContacts:search', 'httpMethod' => 'GET', 'parameters' => ['pageSize' => ['location' => 'query', 'type' => 'integer'], 'query' => ['location' => 'query', 'type' => 'string'], 'readMask' => ['location' => 'query', 'type' => 'string']]]]]); $this->people = new \Google\Site_Kit_Dependencies\Google\Service\PeopleService\Resource\People($this, $this->serviceName, 'people', ['methods' => ['batchCreateContacts' => ['path' => 'v1/people:batchCreateContacts', 'httpMethod' => 'POST', 'parameters' => []], 'batchDeleteContacts' => ['path' => 'v1/people:batchDeleteContacts', 'httpMethod' => 'POST', 'parameters' => []], 'batchUpdateContacts' => ['path' => 'v1/people:batchUpdateContacts', 'httpMethod' => 'POST', 'parameters' => []], 'createContact' => ['path' => 'v1/people:createContact', 'httpMethod' => 'POST', 'parameters' => ['personFields' => ['location' => 'query', 'type' => 'string'], 'sources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true]]], 'deleteContact' => ['path' => 'v1/{+resourceName}:deleteContact', 'httpMethod' => 'DELETE', 'parameters' => ['resourceName' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'deleteContactPhoto' => ['path' => 'v1/{+resourceName}:deleteContactPhoto', 'httpMethod' => 'DELETE', 'parameters' => ['resourceName' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'personFields' => ['location' => 'query', 'type' => 'string'], 'sources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true]]], 'get' => ['path' => 'v1/{+resourceName}', 'httpMethod' => 'GET', 'parameters' => ['resourceName' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'personFields' => ['location' => 'query', 'type' => 'string'], 'requestMask.includeField' => ['location' => 'query', 'type' => 'string'], 'sources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true]]], 'getBatchGet' => ['path' => 'v1/people:batchGet', 'httpMethod' => 'GET', 'parameters' => ['personFields' => ['location' => 'query', 'type' => 'string'], 'requestMask.includeField' => ['location' => 'query', 'type' => 'string'], 'resourceNames' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'sources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true]]], 'listDirectoryPeople' => ['path' => 'v1/people:listDirectoryPeople', 'httpMethod' => 'GET', 'parameters' => ['mergeSources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string'], 'readMask' => ['location' => 'query', 'type' => 'string'], 'requestSyncToken' => ['location' => 'query', 'type' => 'boolean'], 'sources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'syncToken' => ['location' => 'query', 'type' => 'string']]], 'searchContacts' => ['path' => 'v1/people:searchContacts', 'httpMethod' => 'GET', 'parameters' => ['pageSize' => ['location' => 'query', 'type' => 'integer'], 'query' => ['location' => 'query', 'type' => 'string'], 'readMask' => ['location' => 'query', 'type' => 'string'], 'sources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true]]], 'searchDirectoryPeople' => ['path' => 'v1/people:searchDirectoryPeople', 'httpMethod' => 'GET', 'parameters' => ['mergeSources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string'], 'query' => ['location' => 'query', 'type' => 'string'], 'readMask' => ['location' => 'query', 'type' => 'string'], 'sources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true]]], 'updateContact' => ['path' => 'v1/{+resourceName}:updateContact', 'httpMethod' => 'PATCH', 'parameters' => ['resourceName' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'personFields' => ['location' => 'query', 'type' => 'string'], 'sources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'updatePersonFields' => ['location' => 'query', 'type' => 'string']]], 'updateContactPhoto' => ['path' => 'v1/{+resourceName}:updateContactPhoto', 'httpMethod' => 'PATCH', 'parameters' => ['resourceName' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->people_connections = new \Google\Site_Kit_Dependencies\Google\Service\PeopleService\Resource\PeopleConnections($this, $this->serviceName, 'connections', ['methods' => ['list' => ['path' => 'v1/{+resourceName}/connections', 'httpMethod' => 'GET', 'parameters' => ['resourceName' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string'], 'personFields' => ['location' => 'query', 'type' => 'string'], 'requestMask.includeField' => ['location' => 'query', 'type' => 'string'], 'requestSyncToken' => ['location' => 'query', 'type' => 'boolean'], 'sortOrder' => ['location' => 'query', 'type' => 'string'], 'sources' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'syncToken' => ['location' => 'query', 'type' => 'string']]]]]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PeopleService::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PeopleService'); google/apiclient-services/src/Analytics.php 0000644 00000126364 15054470473 0015065 0 ustar 00 * Views and manages your Google Analytics data. * ** For more information about this service, see the API * Documentation *
* * @author Google, Inc. */ class Analytics extends \Google\Site_Kit_Dependencies\Google\Service { /** View and manage your Google Analytics data. */ const ANALYTICS = "https://www.googleapis.com/auth/analytics"; /** Edit Google Analytics management entities. */ const ANALYTICS_EDIT = "https://www.googleapis.com/auth/analytics.edit"; /** Manage Google Analytics Account users by email address. */ const ANALYTICS_MANAGE_USERS = "https://www.googleapis.com/auth/analytics.manage.users"; /** View Google Analytics user permissions. */ const ANALYTICS_MANAGE_USERS_READONLY = "https://www.googleapis.com/auth/analytics.manage.users.readonly"; /** Create a new Google Analytics account along with its default property and view. */ const ANALYTICS_PROVISION = "https://www.googleapis.com/auth/analytics.provision"; /** View your Google Analytics data. */ const ANALYTICS_READONLY = "https://www.googleapis.com/auth/analytics.readonly"; /** Manage Google Analytics user deletion requests. */ const ANALYTICS_USER_DELETION = "https://www.googleapis.com/auth/analytics.user.deletion"; public $data_ga; public $data_mcf; public $data_realtime; public $management_accountSummaries; public $management_accountUserLinks; public $management_accounts; public $management_clientId; public $management_customDataSources; public $management_customDimensions; public $management_customMetrics; public $management_experiments; public $management_filters; public $management_goals; public $management_profileFilterLinks; public $management_profileUserLinks; public $management_profiles; public $management_remarketingAudience; public $management_segments; public $management_unsampledReports; public $management_uploads; public $management_webPropertyAdWordsLinks; public $management_webproperties; public $management_webpropertyUserLinks; public $metadata_columns; public $provisioning; public $userDeletion_userDeletionRequest; /** * Constructs the internal representation of the Analytics service. * * @param Client|array $clientOrConfig The client used to deliver requests, or a * config array to pass to a new Client instance. * @param string $rootUrl The root URL used for requests to the service. */ public function __construct($clientOrConfig = [], $rootUrl = null) { parent::__construct($clientOrConfig); $this->rootUrl = $rootUrl ?: 'https://analytics.googleapis.com/'; $this->servicePath = 'analytics/v3/'; $this->batchPath = 'batch/analytics/v3'; $this->version = 'v3'; $this->serviceName = 'analytics'; $this->data_ga = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\DataGa($this, $this->serviceName, 'ga', ['methods' => ['get' => ['path' => 'data/ga', 'httpMethod' => 'GET', 'parameters' => ['ids' => ['location' => 'query', 'type' => 'string', 'required' => \true], 'start-date' => ['location' => 'query', 'type' => 'string', 'required' => \true], 'end-date' => ['location' => 'query', 'type' => 'string', 'required' => \true], 'metrics' => ['location' => 'query', 'type' => 'string', 'required' => \true], 'dimensions' => ['location' => 'query', 'type' => 'string'], 'filters' => ['location' => 'query', 'type' => 'string'], 'include-empty-rows' => ['location' => 'query', 'type' => 'boolean'], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'output' => ['location' => 'query', 'type' => 'string'], 'samplingLevel' => ['location' => 'query', 'type' => 'string'], 'segment' => ['location' => 'query', 'type' => 'string'], 'sort' => ['location' => 'query', 'type' => 'string'], 'start-index' => ['location' => 'query', 'type' => 'integer']]]]]); $this->data_mcf = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\DataMcf($this, $this->serviceName, 'mcf', ['methods' => ['get' => ['path' => 'data/mcf', 'httpMethod' => 'GET', 'parameters' => ['ids' => ['location' => 'query', 'type' => 'string', 'required' => \true], 'start-date' => ['location' => 'query', 'type' => 'string', 'required' => \true], 'end-date' => ['location' => 'query', 'type' => 'string', 'required' => \true], 'metrics' => ['location' => 'query', 'type' => 'string', 'required' => \true], 'dimensions' => ['location' => 'query', 'type' => 'string'], 'filters' => ['location' => 'query', 'type' => 'string'], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'samplingLevel' => ['location' => 'query', 'type' => 'string'], 'sort' => ['location' => 'query', 'type' => 'string'], 'start-index' => ['location' => 'query', 'type' => 'integer']]]]]); $this->data_realtime = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\DataRealtime($this, $this->serviceName, 'realtime', ['methods' => ['get' => ['path' => 'data/realtime', 'httpMethod' => 'GET', 'parameters' => ['ids' => ['location' => 'query', 'type' => 'string', 'required' => \true], 'metrics' => ['location' => 'query', 'type' => 'string', 'required' => \true], 'dimensions' => ['location' => 'query', 'type' => 'string'], 'filters' => ['location' => 'query', 'type' => 'string'], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'sort' => ['location' => 'query', 'type' => 'string']]]]]); $this->management_accountSummaries = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementAccountSummaries($this, $this->serviceName, 'accountSummaries', ['methods' => ['list' => ['path' => 'management/accountSummaries', 'httpMethod' => 'GET', 'parameters' => ['max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]]]]); $this->management_accountUserLinks = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementAccountUserLinks($this, $this->serviceName, 'accountUserLinks', ['methods' => ['delete' => ['path' => 'management/accounts/{accountId}/entityUserLinks/{linkId}', 'httpMethod' => 'DELETE', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'linkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/entityUserLinks', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/entityUserLinks', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'update' => ['path' => 'management/accounts/{accountId}/entityUserLinks/{linkId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'linkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->management_accounts = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementAccounts($this, $this->serviceName, 'accounts', ['methods' => ['list' => ['path' => 'management/accounts', 'httpMethod' => 'GET', 'parameters' => ['max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]]]]); $this->management_clientId = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementClientId($this, $this->serviceName, 'clientId', ['methods' => ['hashClientId' => ['path' => 'management/clientId:hashClientId', 'httpMethod' => 'POST', 'parameters' => []]]]); $this->management_customDataSources = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementCustomDataSources($this, $this->serviceName, 'customDataSources', ['methods' => ['list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customDataSources', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]]]]); $this->management_customDimensions = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementCustomDimensions($this, $this->serviceName, 'customDimensions', ['methods' => ['get' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customDimensions/{customDimensionId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'customDimensionId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customDimensions', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customDimensions', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'patch' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customDimensions/{customDimensionId}', 'httpMethod' => 'PATCH', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'customDimensionId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'ignoreCustomDataSourceLinks' => ['location' => 'query', 'type' => 'boolean']]], 'update' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customDimensions/{customDimensionId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'customDimensionId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'ignoreCustomDataSourceLinks' => ['location' => 'query', 'type' => 'boolean']]]]]); $this->management_customMetrics = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementCustomMetrics($this, $this->serviceName, 'customMetrics', ['methods' => ['get' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customMetrics/{customMetricId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'customMetricId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customMetrics', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customMetrics', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'patch' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customMetrics/{customMetricId}', 'httpMethod' => 'PATCH', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'customMetricId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'ignoreCustomDataSourceLinks' => ['location' => 'query', 'type' => 'boolean']]], 'update' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customMetrics/{customMetricId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'customMetricId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'ignoreCustomDataSourceLinks' => ['location' => 'query', 'type' => 'boolean']]]]]); $this->management_experiments = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementExperiments($this, $this->serviceName, 'experiments', ['methods' => ['delete' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/experiments/{experimentId}', 'httpMethod' => 'DELETE', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'experimentId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/experiments/{experimentId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'experimentId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/experiments', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/experiments', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'patch' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/experiments/{experimentId}', 'httpMethod' => 'PATCH', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'experimentId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/experiments/{experimentId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'experimentId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->management_filters = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementFilters($this, $this->serviceName, 'filters', ['methods' => ['delete' => ['path' => 'management/accounts/{accountId}/filters/{filterId}', 'httpMethod' => 'DELETE', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'filterId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'management/accounts/{accountId}/filters/{filterId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'filterId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/filters', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/filters', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'patch' => ['path' => 'management/accounts/{accountId}/filters/{filterId}', 'httpMethod' => 'PATCH', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'filterId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'management/accounts/{accountId}/filters/{filterId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'filterId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->management_goals = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementGoals($this, $this->serviceName, 'goals', ['methods' => ['get' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/goals/{goalId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'goalId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/goals', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/goals', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'patch' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/goals/{goalId}', 'httpMethod' => 'PATCH', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'goalId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/goals/{goalId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'goalId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->management_profileFilterLinks = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementProfileFilterLinks($this, $this->serviceName, 'profileFilterLinks', ['methods' => ['delete' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/profileFilterLinks/{linkId}', 'httpMethod' => 'DELETE', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'linkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/profileFilterLinks/{linkId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'linkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/profileFilterLinks', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/profileFilterLinks', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'patch' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/profileFilterLinks/{linkId}', 'httpMethod' => 'PATCH', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'linkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/profileFilterLinks/{linkId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'linkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->management_profileUserLinks = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementProfileUserLinks($this, $this->serviceName, 'profileUserLinks', ['methods' => ['delete' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/entityUserLinks/{linkId}', 'httpMethod' => 'DELETE', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'linkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/entityUserLinks', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/entityUserLinks', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'update' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/entityUserLinks/{linkId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'linkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->management_profiles = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementProfiles($this, $this->serviceName, 'profiles', ['methods' => ['delete' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}', 'httpMethod' => 'DELETE', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'patch' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}', 'httpMethod' => 'PATCH', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->management_remarketingAudience = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementRemarketingAudience($this, $this->serviceName, 'remarketingAudience', ['methods' => ['delete' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/remarketingAudiences/{remarketingAudienceId}', 'httpMethod' => 'DELETE', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'remarketingAudienceId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/remarketingAudiences/{remarketingAudienceId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'remarketingAudienceId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/remarketingAudiences', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/remarketingAudiences', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer'], 'type' => ['location' => 'query', 'type' => 'string']]], 'patch' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/remarketingAudiences/{remarketingAudienceId}', 'httpMethod' => 'PATCH', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'remarketingAudienceId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/remarketingAudiences/{remarketingAudienceId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'remarketingAudienceId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->management_segments = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementSegments($this, $this->serviceName, 'segments', ['methods' => ['list' => ['path' => 'management/segments', 'httpMethod' => 'GET', 'parameters' => ['max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]]]]); $this->management_unsampledReports = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementUnsampledReports($this, $this->serviceName, 'unsampledReports', ['methods' => ['delete' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/unsampledReports/{unsampledReportId}', 'httpMethod' => 'DELETE', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'unsampledReportId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/unsampledReports/{unsampledReportId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'unsampledReportId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/unsampledReports', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/profiles/{profileId}/unsampledReports', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'profileId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]]]]); $this->management_uploads = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementUploads($this, $this->serviceName, 'uploads', ['methods' => ['deleteUploadData' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customDataSources/{customDataSourceId}/deleteUploadData', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'customDataSourceId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customDataSources/{customDataSourceId}/uploads/{uploadId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'customDataSourceId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'uploadId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customDataSources/{customDataSourceId}/uploads', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'customDataSourceId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'uploadData' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/customDataSources/{customDataSourceId}/uploads', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'customDataSourceId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->management_webPropertyAdWordsLinks = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementWebPropertyAdWordsLinks($this, $this->serviceName, 'webPropertyAdWordsLinks', ['methods' => ['delete' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/entityAdWordsLinks/{webPropertyAdWordsLinkId}', 'httpMethod' => 'DELETE', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyAdWordsLinkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/entityAdWordsLinks/{webPropertyAdWordsLinkId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyAdWordsLinkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/entityAdWordsLinks', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/entityAdWordsLinks', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'patch' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/entityAdWordsLinks/{webPropertyAdWordsLinkId}', 'httpMethod' => 'PATCH', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyAdWordsLinkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/entityAdWordsLinks/{webPropertyAdWordsLinkId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyAdWordsLinkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->management_webproperties = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementWebproperties($this, $this->serviceName, 'webproperties', ['methods' => ['get' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'patch' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}', 'httpMethod' => 'PATCH', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'update' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->management_webpropertyUserLinks = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementWebpropertyUserLinks($this, $this->serviceName, 'webpropertyUserLinks', ['methods' => ['delete' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/entityUserLinks/{linkId}', 'httpMethod' => 'DELETE', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'linkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'insert' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/entityUserLinks', 'httpMethod' => 'POST', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/entityUserLinks', 'httpMethod' => 'GET', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'max-results' => ['location' => 'query', 'type' => 'integer'], 'start-index' => ['location' => 'query', 'type' => 'integer']]], 'update' => ['path' => 'management/accounts/{accountId}/webproperties/{webPropertyId}/entityUserLinks/{linkId}', 'httpMethod' => 'PUT', 'parameters' => ['accountId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'webPropertyId' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'linkId' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->metadata_columns = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\MetadataColumns($this, $this->serviceName, 'columns', ['methods' => ['list' => ['path' => 'metadata/{reportType}/columns', 'httpMethod' => 'GET', 'parameters' => ['reportType' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->provisioning = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\Provisioning($this, $this->serviceName, 'provisioning', ['methods' => ['createAccountTicket' => ['path' => 'provisioning/createAccountTicket', 'httpMethod' => 'POST', 'parameters' => []], 'createAccountTree' => ['path' => 'provisioning/createAccountTree', 'httpMethod' => 'POST', 'parameters' => []]]]); $this->userDeletion_userDeletionRequest = new \Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\UserDeletionUserDeletionRequest($this, $this->serviceName, 'userDeletionRequest', ['methods' => ['upsert' => ['path' => 'userDeletion/userDeletionRequests:upsert', 'httpMethod' => 'POST', 'parameters' => []]]]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics'); google/apiclient-services/src/AnalyticsData/InListFilter.php 0000644 00000003202 15054470473 0020210 0 ustar 00 caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string[] */ public function setValues($values) { $this->values = $values; } /** * @return string[] */ public function getValues() { return $this->values; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\InListFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_InListFilter'); google/apiclient-services/src/AnalyticsData/NumericFilter.php 0000644 00000003337 15054470473 0020421 0 ustar 00 operation = $operation; } /** * @return string */ public function getOperation() { return $this->operation; } /** * @param NumericValue */ public function setValue(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\NumericValue $value) { $this->value = $value; } /** * @return NumericValue */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\NumericFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_NumericFilter'); google/apiclient-services/src/AnalyticsData/BetweenFilter.php 0000644 00000003637 15054470473 0020413 0 ustar 00 fromValue = $fromValue; } /** * @return NumericValue */ public function getFromValue() { return $this->fromValue; } /** * @param NumericValue */ public function setToValue(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\NumericValue $toValue) { $this->toValue = $toValue; } /** * @return NumericValue */ public function getToValue() { return $this->toValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\BetweenFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_BetweenFilter'); google/apiclient-services/src/AnalyticsData/BatchRunPivotReportsResponse.php 0000644 00000003465 15054470473 0023501 0 ustar 00 kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param RunPivotReportResponse[] */ public function setPivotReports($pivotReports) { $this->pivotReports = $pivotReports; } /** * @return RunPivotReportResponse[] */ public function getPivotReports() { return $this->pivotReports; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\BatchRunPivotReportsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_BatchRunPivotReportsResponse'); google/apiclient-services/src/AnalyticsData/PivotSelection.php 0000644 00000003221 15054470473 0020610 0 ustar 00 dimensionName = $dimensionName; } /** * @return string */ public function getDimensionName() { return $this->dimensionName; } /** * @param string */ public function setDimensionValue($dimensionValue) { $this->dimensionValue = $dimensionValue; } /** * @return string */ public function getDimensionValue() { return $this->dimensionValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\PivotSelection::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_PivotSelection'); google/apiclient-services/src/AnalyticsData/BatchRunReportsResponse.php 0000644 00000003352 15054470473 0022452 0 ustar 00 kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param RunReportResponse[] */ public function setReports($reports) { $this->reports = $reports; } /** * @return RunReportResponse[] */ public function getReports() { return $this->reports; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\BatchRunReportsResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_BatchRunReportsResponse'); google/apiclient-services/src/AnalyticsData/MinuteRange.php 0000644 00000003617 15054470473 0020070 0 ustar 00 endMinutesAgo = $endMinutesAgo; } /** * @return int */ public function getEndMinutesAgo() { return $this->endMinutesAgo; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param int */ public function setStartMinutesAgo($startMinutesAgo) { $this->startMinutesAgo = $startMinutesAgo; } /** * @return int */ public function getStartMinutesAgo() { return $this->startMinutesAgo; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\MinuteRange::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_MinuteRange'); google/apiclient-services/src/AnalyticsData/CohortSpec.php 0000644 00000004752 15054470473 0017724 0 ustar 00 cohortReportSettings = $cohortReportSettings; } /** * @return CohortReportSettings */ public function getCohortReportSettings() { return $this->cohortReportSettings; } /** * @param Cohort[] */ public function setCohorts($cohorts) { $this->cohorts = $cohorts; } /** * @return Cohort[] */ public function getCohorts() { return $this->cohorts; } /** * @param CohortsRange */ public function setCohortsRange(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\CohortsRange $cohortsRange) { $this->cohortsRange = $cohortsRange; } /** * @return CohortsRange */ public function getCohortsRange() { return $this->cohortsRange; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\CohortSpec::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_CohortSpec'); google/apiclient-services/src/AnalyticsData/Filter.php 0000644 00000006421 15054470473 0017073 0 ustar 00 betweenFilter = $betweenFilter; } /** * @return BetweenFilter */ public function getBetweenFilter() { return $this->betweenFilter; } /** * @param string */ public function setFieldName($fieldName) { $this->fieldName = $fieldName; } /** * @return string */ public function getFieldName() { return $this->fieldName; } /** * @param InListFilter */ public function setInListFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\InListFilter $inListFilter) { $this->inListFilter = $inListFilter; } /** * @return InListFilter */ public function getInListFilter() { return $this->inListFilter; } /** * @param NumericFilter */ public function setNumericFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\NumericFilter $numericFilter) { $this->numericFilter = $numericFilter; } /** * @return NumericFilter */ public function getNumericFilter() { return $this->numericFilter; } /** * @param StringFilter */ public function setStringFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\StringFilter $stringFilter) { $this->stringFilter = $stringFilter; } /** * @return StringFilter */ public function getStringFilter() { return $this->stringFilter; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\Filter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_Filter'); google/apiclient-services/src/AnalyticsData/FilterExpression.php 0000644 00000005652 15054470473 0021160 0 ustar 00 andGroup = $andGroup; } /** * @return FilterExpressionList */ public function getAndGroup() { return $this->andGroup; } /** * @param Filter */ public function setFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\Filter $filter) { $this->filter = $filter; } /** * @return Filter */ public function getFilter() { return $this->filter; } /** * @param FilterExpression */ public function setNotExpression(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\FilterExpression $notExpression) { $this->notExpression = $notExpression; } /** * @return FilterExpression */ public function getNotExpression() { return $this->notExpression; } /** * @param FilterExpressionList */ public function setOrGroup(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\FilterExpressionList $orGroup) { $this->orGroup = $orGroup; } /** * @return FilterExpressionList */ public function getOrGroup() { return $this->orGroup; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\FilterExpression::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_FilterExpression'); google/apiclient-services/src/AnalyticsData/PropertyQuota.php 0000644 00000010633 15054470473 0020504 0 ustar 00 concurrentRequests = $concurrentRequests; } /** * @return QuotaStatus */ public function getConcurrentRequests() { return $this->concurrentRequests; } /** * @param QuotaStatus */ public function setPotentiallyThresholdedRequestsPerHour(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\QuotaStatus $potentiallyThresholdedRequestsPerHour) { $this->potentiallyThresholdedRequestsPerHour = $potentiallyThresholdedRequestsPerHour; } /** * @return QuotaStatus */ public function getPotentiallyThresholdedRequestsPerHour() { return $this->potentiallyThresholdedRequestsPerHour; } /** * @param QuotaStatus */ public function setServerErrorsPerProjectPerHour(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\QuotaStatus $serverErrorsPerProjectPerHour) { $this->serverErrorsPerProjectPerHour = $serverErrorsPerProjectPerHour; } /** * @return QuotaStatus */ public function getServerErrorsPerProjectPerHour() { return $this->serverErrorsPerProjectPerHour; } /** * @param QuotaStatus */ public function setTokensPerDay(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\QuotaStatus $tokensPerDay) { $this->tokensPerDay = $tokensPerDay; } /** * @return QuotaStatus */ public function getTokensPerDay() { return $this->tokensPerDay; } /** * @param QuotaStatus */ public function setTokensPerHour(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\QuotaStatus $tokensPerHour) { $this->tokensPerHour = $tokensPerHour; } /** * @return QuotaStatus */ public function getTokensPerHour() { return $this->tokensPerHour; } /** * @param QuotaStatus */ public function setTokensPerProjectPerHour(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\QuotaStatus $tokensPerProjectPerHour) { $this->tokensPerProjectPerHour = $tokensPerProjectPerHour; } /** * @return QuotaStatus */ public function getTokensPerProjectPerHour() { return $this->tokensPerProjectPerHour; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\PropertyQuota::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_PropertyQuota'); google/apiclient-services/src/AnalyticsData/NumericValue.php 0000644 00000002763 15054470473 0020252 0 ustar 00 doubleValue = $doubleValue; } public function getDoubleValue() { return $this->doubleValue; } /** * @param string */ public function setInt64Value($int64Value) { $this->int64Value = $int64Value; } /** * @return string */ public function getInt64Value() { return $this->int64Value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\NumericValue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_NumericValue'); google/apiclient-services/src/AnalyticsData/CheckCompatibilityRequest.php 0000644 00000006417 15054470473 0022773 0 ustar 00 compatibilityFilter = $compatibilityFilter; } /** * @return string */ public function getCompatibilityFilter() { return $this->compatibilityFilter; } /** * @param FilterExpression */ public function setDimensionFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\FilterExpression $dimensionFilter) { $this->dimensionFilter = $dimensionFilter; } /** * @return FilterExpression */ public function getDimensionFilter() { return $this->dimensionFilter; } /** * @param Dimension[] */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return Dimension[] */ public function getDimensions() { return $this->dimensions; } /** * @param FilterExpression */ public function setMetricFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\FilterExpression $metricFilter) { $this->metricFilter = $metricFilter; } /** * @return FilterExpression */ public function getMetricFilter() { return $this->metricFilter; } /** * @param Metric[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return Metric[] */ public function getMetrics() { return $this->metrics; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\CheckCompatibilityRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_CheckCompatibilityRequest'); google/apiclient-services/src/AnalyticsData/ConcatenateExpression.php 0000644 00000003307 15054470473 0022152 0 ustar 00 delimiter = $delimiter; } /** * @return string */ public function getDelimiter() { return $this->delimiter; } /** * @param string[] */ public function setDimensionNames($dimensionNames) { $this->dimensionNames = $dimensionNames; } /** * @return string[] */ public function getDimensionNames() { return $this->dimensionNames; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\ConcatenateExpression::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_ConcatenateExpression'); google/apiclient-services/src/AnalyticsData/RunPivotReportRequest.php 0000644 00000012702 15054470473 0022200 0 ustar 00 cohortSpec = $cohortSpec; } /** * @return CohortSpec */ public function getCohortSpec() { return $this->cohortSpec; } /** * @param string */ public function setCurrencyCode($currencyCode) { $this->currencyCode = $currencyCode; } /** * @return string */ public function getCurrencyCode() { return $this->currencyCode; } /** * @param DateRange[] */ public function setDateRanges($dateRanges) { $this->dateRanges = $dateRanges; } /** * @return DateRange[] */ public function getDateRanges() { return $this->dateRanges; } /** * @param FilterExpression */ public function setDimensionFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\FilterExpression $dimensionFilter) { $this->dimensionFilter = $dimensionFilter; } /** * @return FilterExpression */ public function getDimensionFilter() { return $this->dimensionFilter; } /** * @param Dimension[] */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return Dimension[] */ public function getDimensions() { return $this->dimensions; } /** * @param bool */ public function setKeepEmptyRows($keepEmptyRows) { $this->keepEmptyRows = $keepEmptyRows; } /** * @return bool */ public function getKeepEmptyRows() { return $this->keepEmptyRows; } /** * @param FilterExpression */ public function setMetricFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\FilterExpression $metricFilter) { $this->metricFilter = $metricFilter; } /** * @return FilterExpression */ public function getMetricFilter() { return $this->metricFilter; } /** * @param Metric[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return Metric[] */ public function getMetrics() { return $this->metrics; } /** * @param Pivot[] */ public function setPivots($pivots) { $this->pivots = $pivots; } /** * @return Pivot[] */ public function getPivots() { return $this->pivots; } /** * @param string */ public function setProperty($property) { $this->property = $property; } /** * @return string */ public function getProperty() { return $this->property; } /** * @param bool */ public function setReturnPropertyQuota($returnPropertyQuota) { $this->returnPropertyQuota = $returnPropertyQuota; } /** * @return bool */ public function getReturnPropertyQuota() { return $this->returnPropertyQuota; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunPivotReportRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_RunPivotReportRequest'); google/apiclient-services/src/AnalyticsData/DimensionExpression.php 0000644 00000004752 15054470473 0021660 0 ustar 00 concatenate = $concatenate; } /** * @return ConcatenateExpression */ public function getConcatenate() { return $this->concatenate; } /** * @param CaseExpression */ public function setLowerCase(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\CaseExpression $lowerCase) { $this->lowerCase = $lowerCase; } /** * @return CaseExpression */ public function getLowerCase() { return $this->lowerCase; } /** * @param CaseExpression */ public function setUpperCase(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\CaseExpression $upperCase) { $this->upperCase = $upperCase; } /** * @return CaseExpression */ public function getUpperCase() { return $this->upperCase; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\DimensionExpression::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_DimensionExpression'); google/apiclient-services/src/AnalyticsData/SchemaRestrictionResponse.php 0000644 00000003211 15054470473 0023005 0 ustar 00 activeMetricRestrictions = $activeMetricRestrictions; } /** * @return ActiveMetricRestriction[] */ public function getActiveMetricRestrictions() { return $this->activeMetricRestrictions; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\SchemaRestrictionResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_SchemaRestrictionResponse'); google/apiclient-services/src/AnalyticsData/CheckCompatibilityResponse.php 0000644 00000004241 15054470473 0023132 0 ustar 00 dimensionCompatibilities = $dimensionCompatibilities; } /** * @return DimensionCompatibility[] */ public function getDimensionCompatibilities() { return $this->dimensionCompatibilities; } /** * @param MetricCompatibility[] */ public function setMetricCompatibilities($metricCompatibilities) { $this->metricCompatibilities = $metricCompatibilities; } /** * @return MetricCompatibility[] */ public function getMetricCompatibilities() { return $this->metricCompatibilities; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\CheckCompatibilityResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_CheckCompatibilityResponse'); google/apiclient-services/src/AnalyticsData/Pivot.php 0000644 00000005202 15054470473 0016743 0 ustar 00 fieldNames = $fieldNames; } /** * @return string[] */ public function getFieldNames() { return $this->fieldNames; } /** * @param string */ public function setLimit($limit) { $this->limit = $limit; } /** * @return string */ public function getLimit() { return $this->limit; } /** * @param string[] */ public function setMetricAggregations($metricAggregations) { $this->metricAggregations = $metricAggregations; } /** * @return string[] */ public function getMetricAggregations() { return $this->metricAggregations; } /** * @param string */ public function setOffset($offset) { $this->offset = $offset; } /** * @return string */ public function getOffset() { return $this->offset; } /** * @param OrderBy[] */ public function setOrderBys($orderBys) { $this->orderBys = $orderBys; } /** * @return OrderBy[] */ public function getOrderBys() { return $this->orderBys; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\Pivot::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_Pivot'); google/apiclient-services/src/AnalyticsData/MetricHeader.php 0000644 00000003006 15054470473 0020176 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\MetricHeader::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_MetricHeader'); google/apiclient-services/src/AnalyticsData/Resource/Properties.php 0000644 00000031271 15054470473 0021572 0 ustar 00 * $analyticsdataService = new Google\Service\AnalyticsData(...); * $properties = $analyticsdataService->properties; * */ class Properties extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Returns multiple pivot reports in a batch. All reports must be for the same * GA4 Property. (properties.batchRunPivotReports) * * @param string $property A Google Analytics GA4 property identifier whose * events are tracked. Specified in the URL path and not the body. To learn * more, see [where to find your Property * ID](https://developers.google.com/analytics/devguides/reporting/data/v1 * /property-id). This property must be specified for the batch. The property * within RunPivotReportRequest may either be unspecified or consistent with * this property. Example: properties/1234 * @param BatchRunPivotReportsRequest $postBody * @param array $optParams Optional parameters. * @return BatchRunPivotReportsResponse */ public function batchRunPivotReports($property, \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\BatchRunPivotReportsRequest $postBody, $optParams = []) { $params = ['property' => $property, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchRunPivotReports', [$params], \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\BatchRunPivotReportsResponse::class); } /** * Returns multiple reports in a batch. All reports must be for the same GA4 * Property. (properties.batchRunReports) * * @param string $property A Google Analytics GA4 property identifier whose * events are tracked. Specified in the URL path and not the body. To learn * more, see [where to find your Property * ID](https://developers.google.com/analytics/devguides/reporting/data/v1 * /property-id). This property must be specified for the batch. The property * within RunReportRequest may either be unspecified or consistent with this * property. Example: properties/1234 * @param BatchRunReportsRequest $postBody * @param array $optParams Optional parameters. * @return BatchRunReportsResponse */ public function batchRunReports($property, \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\BatchRunReportsRequest $postBody, $optParams = []) { $params = ['property' => $property, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('batchRunReports', [$params], \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\BatchRunReportsResponse::class); } /** * This compatibility method lists dimensions and metrics that can be added to a * report request and maintain compatibility. This method fails if the request's * dimensions and metrics are incompatible. In Google Analytics, reports fail if * they request incompatible dimensions and/or metrics; in that case, you will * need to remove dimensions and/or metrics from the incompatible report until * the report is compatible. The Realtime and Core reports have different * compatibility rules. This method checks compatibility for Core reports. * (properties.checkCompatibility) * * @param string $property A Google Analytics GA4 property identifier whose * events are tracked. To learn more, see [where to find your Property * ID](https://developers.google.com/analytics/devguides/reporting/data/v1 * /property-id). `property` should be the same value as in your `runReport` * request. Example: properties/1234 Set the Property ID to 0 for compatibility * checking on dimensions and metrics common to all properties. In this special * mode, this method will not return custom dimensions and metrics. * @param CheckCompatibilityRequest $postBody * @param array $optParams Optional parameters. * @return CheckCompatibilityResponse */ public function checkCompatibility($property, \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\CheckCompatibilityRequest $postBody, $optParams = []) { $params = ['property' => $property, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('checkCompatibility', [$params], \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\CheckCompatibilityResponse::class); } /** * Returns metadata for dimensions and metrics available in reporting methods. * Used to explore the dimensions and metrics. In this method, a Google * Analytics GA4 Property Identifier is specified in the request, and the * metadata response includes Custom dimensions and metrics as well as Universal * metadata. For example if a custom metric with parameter name * `levels_unlocked` is registered to a property, the Metadata response will * contain `customEvent:levels_unlocked`. Universal metadata are dimensions and * metrics applicable to any property such as `country` and `totalUsers`. * (properties.getMetadata) * * @param string $name Required. The resource name of the metadata to retrieve. * This name field is specified in the URL path and not URL parameters. Property * is a numeric Google Analytics GA4 Property identifier. To learn more, see * [where to find your Property * ID](https://developers.google.com/analytics/devguides/reporting/data/v1 * /property-id). Example: properties/1234/metadata Set the Property ID to 0 for * dimensions and metrics common to all properties. In this special mode, this * method will not return custom dimensions and metrics. * @param array $optParams Optional parameters. * @return Metadata */ public function getMetadata($name, $optParams = []) { $params = ['name' => $name]; $params = \array_merge($params, $optParams); return $this->call('getMetadata', [$params], \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\Metadata::class); } /** * Returns a customized pivot report of your Google Analytics event data. Pivot * reports are more advanced and expressive formats than regular reports. In a * pivot report, dimensions are only visible if they are included in a pivot. * Multiple pivots can be specified to further dissect your data. * (properties.runPivotReport) * * @param string $property A Google Analytics GA4 property identifier whose * events are tracked. Specified in the URL path and not the body. To learn * more, see [where to find your Property * ID](https://developers.google.com/analytics/devguides/reporting/data/v1 * /property-id). Within a batch request, this property should either be * unspecified or consistent with the batch-level property. Example: * properties/1234 * @param RunPivotReportRequest $postBody * @param array $optParams Optional parameters. * @return RunPivotReportResponse */ public function runPivotReport($property, \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunPivotReportRequest $postBody, $optParams = []) { $params = ['property' => $property, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('runPivotReport', [$params], \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunPivotReportResponse::class); } /** * Returns a customized report of realtime event data for your property. Events * appear in realtime reports seconds after they have been sent to the Google * Analytics. Realtime reports show events and usage data for the periods of * time ranging from the present moment to 30 minutes ago (up to 60 minutes for * Google Analytics 360 properties). For a guide to constructing realtime * requests & understanding responses, see [Creating a Realtime * Report](https://developers.google.com/analytics/devguides/reporting/data/v1 * /realtime-basics). (properties.runRealtimeReport) * * @param string $property A Google Analytics GA4 property identifier whose * events are tracked. Specified in the URL path and not the body. To learn * more, see [where to find your Property * ID](https://developers.google.com/analytics/devguides/reporting/data/v1 * /property-id). Example: properties/1234 * @param RunRealtimeReportRequest $postBody * @param array $optParams Optional parameters. * @return RunRealtimeReportResponse */ public function runRealtimeReport($property, \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunRealtimeReportRequest $postBody, $optParams = []) { $params = ['property' => $property, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('runRealtimeReport', [$params], \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunRealtimeReportResponse::class); } /** * Returns a customized report of your Google Analytics event data. Reports * contain statistics derived from data collected by the Google Analytics * tracking code. The data returned from the API is as a table with columns for * the requested dimensions and metrics. Metrics are individual measurements of * user activity on your property, such as active users or event count. * Dimensions break down metrics across some common criteria, such as country or * event name. For a guide to constructing requests & understanding responses, * see [Creating a Report](https://developers.google.com/analytics/devguides/rep * orting/data/v1/basics). (properties.runReport) * * @param string $property A Google Analytics GA4 property identifier whose * events are tracked. Specified in the URL path and not the body. To learn * more, see [where to find your Property * ID](https://developers.google.com/analytics/devguides/reporting/data/v1 * /property-id). Within a batch request, this property should either be * unspecified or consistent with the batch-level property. Example: * properties/1234 * @param RunReportRequest $postBody * @param array $optParams Optional parameters. * @return RunReportResponse */ public function runReport($property, \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunReportRequest $postBody, $optParams = []) { $params = ['property' => $property, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('runReport', [$params], \Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunReportResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\Resource\Properties::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_Resource_Properties'); google/apiclient-services/src/AnalyticsData/CohortsRange.php 0000644 00000003613 15054470473 0020244 0 ustar 00 endOffset = $endOffset; } /** * @return int */ public function getEndOffset() { return $this->endOffset; } /** * @param string */ public function setGranularity($granularity) { $this->granularity = $granularity; } /** * @return string */ public function getGranularity() { return $this->granularity; } /** * @param int */ public function setStartOffset($startOffset) { $this->startOffset = $startOffset; } /** * @return int */ public function getStartOffset() { return $this->startOffset; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\CohortsRange::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_CohortsRange'); google/apiclient-services/src/AnalyticsData/PivotDimensionHeader.php 0000644 00000003016 15054470473 0021723 0 ustar 00 dimensionValues = $dimensionValues; } /** * @return DimensionValue[] */ public function getDimensionValues() { return $this->dimensionValues; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\PivotDimensionHeader::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_PivotDimensionHeader'); google/apiclient-services/src/AnalyticsData/MetricCompatibility.php 0000644 00000003535 15054470473 0021626 0 ustar 00 compatibility = $compatibility; } /** * @return string */ public function getCompatibility() { return $this->compatibility; } /** * @param MetricMetadata */ public function setMetricMetadata(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\MetricMetadata $metricMetadata) { $this->metricMetadata = $metricMetadata; } /** * @return MetricMetadata */ public function getMetricMetadata() { return $this->metricMetadata; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\MetricCompatibility::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_MetricCompatibility'); google/apiclient-services/src/AnalyticsData/PivotOrderBy.php 0000644 00000003462 15054470473 0020240 0 ustar 00 metricName = $metricName; } /** * @return string */ public function getMetricName() { return $this->metricName; } /** * @param PivotSelection[] */ public function setPivotSelections($pivotSelections) { $this->pivotSelections = $pivotSelections; } /** * @return PivotSelection[] */ public function getPivotSelections() { return $this->pivotSelections; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\PivotOrderBy::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_PivotOrderBy'); google/apiclient-services/src/AnalyticsData/DimensionOrderBy.php 0000644 00000003164 15054470473 0021063 0 ustar 00 dimensionName = $dimensionName; } /** * @return string */ public function getDimensionName() { return $this->dimensionName; } /** * @param string */ public function setOrderType($orderType) { $this->orderType = $orderType; } /** * @return string */ public function getOrderType() { return $this->orderType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\DimensionOrderBy::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_DimensionOrderBy'); google/apiclient-services/src/AnalyticsData/CohortReportSettings.php 0000644 00000002460 15054470473 0022020 0 ustar 00 accumulate = $accumulate; } /** * @return bool */ public function getAccumulate() { return $this->accumulate; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\CohortReportSettings::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_CohortReportSettings'); google/apiclient-services/src/AnalyticsData/Row.php 0000644 00000003623 15054470473 0016416 0 ustar 00 dimensionValues = $dimensionValues; } /** * @return DimensionValue[] */ public function getDimensionValues() { return $this->dimensionValues; } /** * @param MetricValue[] */ public function setMetricValues($metricValues) { $this->metricValues = $metricValues; } /** * @return MetricValue[] */ public function getMetricValues() { return $this->metricValues; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\Row::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_Row'); google/apiclient-services/src/AnalyticsData/PivotHeader.php 0000644 00000003540 15054470473 0020057 0 ustar 00 pivotDimensionHeaders = $pivotDimensionHeaders; } /** * @return PivotDimensionHeader[] */ public function getPivotDimensionHeaders() { return $this->pivotDimensionHeaders; } /** * @param int */ public function setRowCount($rowCount) { $this->rowCount = $rowCount; } /** * @return int */ public function getRowCount() { return $this->rowCount; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\PivotHeader::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_PivotHeader'); google/apiclient-services/src/AnalyticsData/Metadata.php 0000644 00000004161 15054470473 0017365 0 ustar 00 dimensions = $dimensions; } /** * @return DimensionMetadata[] */ public function getDimensions() { return $this->dimensions; } /** * @param MetricMetadata[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return MetricMetadata[] */ public function getMetrics() { return $this->metrics; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\Metadata::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_Metadata'); google/apiclient-services/src/AnalyticsData/DimensionHeader.php 0000644 00000002375 15054470473 0020710 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\DimensionHeader::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_DimensionHeader'); google/apiclient-services/src/AnalyticsData/DimensionMetadata.php 0000644 00000005676 15054470473 0021247 0 ustar 00 apiName = $apiName; } /** * @return string */ public function getApiName() { return $this->apiName; } /** * @param string */ public function setCategory($category) { $this->category = $category; } /** * @return string */ public function getCategory() { return $this->category; } /** * @param bool */ public function setCustomDefinition($customDefinition) { $this->customDefinition = $customDefinition; } /** * @return bool */ public function getCustomDefinition() { return $this->customDefinition; } /** * @param string[] */ public function setDeprecatedApiNames($deprecatedApiNames) { $this->deprecatedApiNames = $deprecatedApiNames; } /** * @return string[] */ public function getDeprecatedApiNames() { return $this->deprecatedApiNames; } /** * @param string */ public function setDescription($description) { $this->description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param string */ public function setUiName($uiName) { $this->uiName = $uiName; } /** * @return string */ public function getUiName() { return $this->uiName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\DimensionMetadata::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_DimensionMetadata'); google/apiclient-services/src/AnalyticsData/OrderBy.php 0000644 00000005152 15054470473 0017214 0 ustar 00 desc = $desc; } /** * @return bool */ public function getDesc() { return $this->desc; } /** * @param DimensionOrderBy */ public function setDimension(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\DimensionOrderBy $dimension) { $this->dimension = $dimension; } /** * @return DimensionOrderBy */ public function getDimension() { return $this->dimension; } /** * @param MetricOrderBy */ public function setMetric(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\MetricOrderBy $metric) { $this->metric = $metric; } /** * @return MetricOrderBy */ public function getMetric() { return $this->metric; } /** * @param PivotOrderBy */ public function setPivot(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\PivotOrderBy $pivot) { $this->pivot = $pivot; } /** * @return PivotOrderBy */ public function getPivot() { return $this->pivot; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\OrderBy::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_OrderBy'); google/apiclient-services/src/AnalyticsData/MetricMetadata.php 0000644 00000007541 15054470473 0020536 0 ustar 00 apiName = $apiName; } /** * @return string */ public function getApiName() { return $this->apiName; } /** * @param string[] */ public function setBlockedReasons($blockedReasons) { $this->blockedReasons = $blockedReasons; } /** * @return string[] */ public function getBlockedReasons() { return $this->blockedReasons; } /** * @param string */ public function setCategory($category) { $this->category = $category; } /** * @return string */ public function getCategory() { return $this->category; } /** * @param bool */ public function setCustomDefinition($customDefinition) { $this->customDefinition = $customDefinition; } /** * @return bool */ public function getCustomDefinition() { return $this->customDefinition; } /** * @param string[] */ public function setDeprecatedApiNames($deprecatedApiNames) { $this->deprecatedApiNames = $deprecatedApiNames; } /** * @return string[] */ public function getDeprecatedApiNames() { return $this->deprecatedApiNames; } /** * @param string */ public function setDescription($description) { $this->description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param string */ public function setExpression($expression) { $this->expression = $expression; } /** * @return string */ public function getExpression() { return $this->expression; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUiName($uiName) { $this->uiName = $uiName; } /** * @return string */ public function getUiName() { return $this->uiName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\MetricMetadata::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_MetricMetadata'); google/apiclient-services/src/AnalyticsData/FilterExpressionList.php 0000644 00000002760 15054470473 0022011 0 ustar 00 expressions = $expressions; } /** * @return FilterExpression[] */ public function getExpressions() { return $this->expressions; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\FilterExpressionList::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_FilterExpressionList'); google/apiclient-services/src/AnalyticsData/MetricOrderBy.php 0000644 00000002441 15054470473 0020356 0 ustar 00 metricName = $metricName; } /** * @return string */ public function getMetricName() { return $this->metricName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\MetricOrderBy::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_MetricOrderBy'); google/apiclient-services/src/AnalyticsData/QuotaStatus.php 0000644 00000003060 15054470473 0020137 0 ustar 00 consumed = $consumed; } /** * @return int */ public function getConsumed() { return $this->consumed; } /** * @param int */ public function setRemaining($remaining) { $this->remaining = $remaining; } /** * @return int */ public function getRemaining() { return $this->remaining; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\QuotaStatus::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_QuotaStatus'); google/apiclient-services/src/AnalyticsData/DimensionCompatibility.php 0000644 00000003612 15054470473 0022324 0 ustar 00 compatibility = $compatibility; } /** * @return string */ public function getCompatibility() { return $this->compatibility; } /** * @param DimensionMetadata */ public function setDimensionMetadata(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\DimensionMetadata $dimensionMetadata) { $this->dimensionMetadata = $dimensionMetadata; } /** * @return DimensionMetadata */ public function getDimensionMetadata() { return $this->dimensionMetadata; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\DimensionCompatibility::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_DimensionCompatibility'); google/apiclient-services/src/AnalyticsData/Dimension.php 0000644 00000003474 15054470473 0017600 0 ustar 00 dimensionExpression = $dimensionExpression; } /** * @return DimensionExpression */ public function getDimensionExpression() { return $this->dimensionExpression; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\Dimension::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_Dimension'); google/apiclient-services/src/AnalyticsData/RunReportRequest.php 0000644 00000014576 15054470473 0021171 0 ustar 00 cohortSpec = $cohortSpec; } /** * @return CohortSpec */ public function getCohortSpec() { return $this->cohortSpec; } /** * @param string */ public function setCurrencyCode($currencyCode) { $this->currencyCode = $currencyCode; } /** * @return string */ public function getCurrencyCode() { return $this->currencyCode; } /** * @param DateRange[] */ public function setDateRanges($dateRanges) { $this->dateRanges = $dateRanges; } /** * @return DateRange[] */ public function getDateRanges() { return $this->dateRanges; } /** * @param FilterExpression */ public function setDimensionFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\FilterExpression $dimensionFilter) { $this->dimensionFilter = $dimensionFilter; } /** * @return FilterExpression */ public function getDimensionFilter() { return $this->dimensionFilter; } /** * @param Dimension[] */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return Dimension[] */ public function getDimensions() { return $this->dimensions; } /** * @param bool */ public function setKeepEmptyRows($keepEmptyRows) { $this->keepEmptyRows = $keepEmptyRows; } /** * @return bool */ public function getKeepEmptyRows() { return $this->keepEmptyRows; } /** * @param string */ public function setLimit($limit) { $this->limit = $limit; } /** * @return string */ public function getLimit() { return $this->limit; } /** * @param string[] */ public function setMetricAggregations($metricAggregations) { $this->metricAggregations = $metricAggregations; } /** * @return string[] */ public function getMetricAggregations() { return $this->metricAggregations; } /** * @param FilterExpression */ public function setMetricFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\FilterExpression $metricFilter) { $this->metricFilter = $metricFilter; } /** * @return FilterExpression */ public function getMetricFilter() { return $this->metricFilter; } /** * @param Metric[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return Metric[] */ public function getMetrics() { return $this->metrics; } /** * @param string */ public function setOffset($offset) { $this->offset = $offset; } /** * @return string */ public function getOffset() { return $this->offset; } /** * @param OrderBy[] */ public function setOrderBys($orderBys) { $this->orderBys = $orderBys; } /** * @return OrderBy[] */ public function getOrderBys() { return $this->orderBys; } /** * @param string */ public function setProperty($property) { $this->property = $property; } /** * @return string */ public function getProperty() { return $this->property; } /** * @param bool */ public function setReturnPropertyQuota($returnPropertyQuota) { $this->returnPropertyQuota = $returnPropertyQuota; } /** * @return bool */ public function getReturnPropertyQuota() { return $this->returnPropertyQuota; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunReportRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_RunReportRequest'); google/apiclient-services/src/AnalyticsData/DateRange.php 0000644 00000003507 15054470473 0017502 0 ustar 00 endDate = $endDate; } /** * @return string */ public function getEndDate() { return $this->endDate; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setStartDate($startDate) { $this->startDate = $startDate; } /** * @return string */ public function getStartDate() { return $this->startDate; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\DateRange::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_DateRange'); google/apiclient-services/src/AnalyticsData/StringFilter.php 0000644 00000003573 15054470473 0020267 0 ustar 00 caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string */ public function setMatchType($matchType) { $this->matchType = $matchType; } /** * @return string */ public function getMatchType() { return $this->matchType; } /** * @param string */ public function setValue($value) { $this->value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\StringFilter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_StringFilter'); google/apiclient-services/src/AnalyticsData/MetricValue.php 0000644 00000002370 15054470473 0020065 0 ustar 00 value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\MetricValue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_MetricValue'); google/apiclient-services/src/AnalyticsData/ResponseMetaData.php 0000644 00000006501 15054470473 0021044 0 ustar 00 currencyCode = $currencyCode; } /** * @return string */ public function getCurrencyCode() { return $this->currencyCode; } /** * @param bool */ public function setDataLossFromOtherRow($dataLossFromOtherRow) { $this->dataLossFromOtherRow = $dataLossFromOtherRow; } /** * @return bool */ public function getDataLossFromOtherRow() { return $this->dataLossFromOtherRow; } /** * @param string */ public function setEmptyReason($emptyReason) { $this->emptyReason = $emptyReason; } /** * @return string */ public function getEmptyReason() { return $this->emptyReason; } /** * @param SchemaRestrictionResponse */ public function setSchemaRestrictionResponse(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\SchemaRestrictionResponse $schemaRestrictionResponse) { $this->schemaRestrictionResponse = $schemaRestrictionResponse; } /** * @return SchemaRestrictionResponse */ public function getSchemaRestrictionResponse() { return $this->schemaRestrictionResponse; } /** * @param bool */ public function setSubjectToThresholding($subjectToThresholding) { $this->subjectToThresholding = $subjectToThresholding; } /** * @return bool */ public function getSubjectToThresholding() { return $this->subjectToThresholding; } /** * @param string */ public function setTimeZone($timeZone) { $this->timeZone = $timeZone; } /** * @return string */ public function getTimeZone() { return $this->timeZone; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\ResponseMetaData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_ResponseMetaData'); google/apiclient-services/src/AnalyticsData/Metric.php 0000644 00000003515 15054470473 0017072 0 ustar 00 expression = $expression; } /** * @return string */ public function getExpression() { return $this->expression; } /** * @param bool */ public function setInvisible($invisible) { $this->invisible = $invisible; } /** * @return bool */ public function getInvisible() { return $this->invisible; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\Metric::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_Metric'); google/apiclient-services/src/AnalyticsData/ActiveMetricRestriction.php 0000644 00000003414 15054470473 0022452 0 ustar 00 metricName = $metricName; } /** * @return string */ public function getMetricName() { return $this->metricName; } /** * @param string[] */ public function setRestrictedMetricTypes($restrictedMetricTypes) { $this->restrictedMetricTypes = $restrictedMetricTypes; } /** * @return string[] */ public function getRestrictedMetricTypes() { return $this->restrictedMetricTypes; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\ActiveMetricRestriction::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_ActiveMetricRestriction'); google/apiclient-services/src/AnalyticsData/RunReportResponse.php 0000644 00000011726 15054470473 0021331 0 ustar 00 dimensionHeaders = $dimensionHeaders; } /** * @return DimensionHeader[] */ public function getDimensionHeaders() { return $this->dimensionHeaders; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param Row[] */ public function setMaximums($maximums) { $this->maximums = $maximums; } /** * @return Row[] */ public function getMaximums() { return $this->maximums; } /** * @param ResponseMetaData */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\ResponseMetaData $metadata) { $this->metadata = $metadata; } /** * @return ResponseMetaData */ public function getMetadata() { return $this->metadata; } /** * @param MetricHeader[] */ public function setMetricHeaders($metricHeaders) { $this->metricHeaders = $metricHeaders; } /** * @return MetricHeader[] */ public function getMetricHeaders() { return $this->metricHeaders; } /** * @param Row[] */ public function setMinimums($minimums) { $this->minimums = $minimums; } /** * @return Row[] */ public function getMinimums() { return $this->minimums; } /** * @param PropertyQuota */ public function setPropertyQuota(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\PropertyQuota $propertyQuota) { $this->propertyQuota = $propertyQuota; } /** * @return PropertyQuota */ public function getPropertyQuota() { return $this->propertyQuota; } /** * @param int */ public function setRowCount($rowCount) { $this->rowCount = $rowCount; } /** * @return int */ public function getRowCount() { return $this->rowCount; } /** * @param Row[] */ public function setRows($rows) { $this->rows = $rows; } /** * @return Row[] */ public function getRows() { return $this->rows; } /** * @param Row[] */ public function setTotals($totals) { $this->totals = $totals; } /** * @return Row[] */ public function getTotals() { return $this->totals; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunReportResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_RunReportResponse'); google/apiclient-services/src/AnalyticsData/RunRealtimeReportResponse.php 0000644 00000011001 15054470473 0022776 0 ustar 00 dimensionHeaders = $dimensionHeaders; } /** * @return DimensionHeader[] */ public function getDimensionHeaders() { return $this->dimensionHeaders; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param Row[] */ public function setMaximums($maximums) { $this->maximums = $maximums; } /** * @return Row[] */ public function getMaximums() { return $this->maximums; } /** * @param MetricHeader[] */ public function setMetricHeaders($metricHeaders) { $this->metricHeaders = $metricHeaders; } /** * @return MetricHeader[] */ public function getMetricHeaders() { return $this->metricHeaders; } /** * @param Row[] */ public function setMinimums($minimums) { $this->minimums = $minimums; } /** * @return Row[] */ public function getMinimums() { return $this->minimums; } /** * @param PropertyQuota */ public function setPropertyQuota(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\PropertyQuota $propertyQuota) { $this->propertyQuota = $propertyQuota; } /** * @return PropertyQuota */ public function getPropertyQuota() { return $this->propertyQuota; } /** * @param int */ public function setRowCount($rowCount) { $this->rowCount = $rowCount; } /** * @return int */ public function getRowCount() { return $this->rowCount; } /** * @param Row[] */ public function setRows($rows) { $this->rows = $rows; } /** * @return Row[] */ public function getRows() { return $this->rows; } /** * @param Row[] */ public function setTotals($totals) { $this->totals = $totals; } /** * @return Row[] */ public function getTotals() { return $this->totals; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunRealtimeReportResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_RunRealtimeReportResponse'); google/apiclient-services/src/AnalyticsData/CaseExpression.php 0000644 00000002471 15054470473 0020602 0 ustar 00 dimensionName = $dimensionName; } /** * @return string */ public function getDimensionName() { return $this->dimensionName; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\CaseExpression::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_CaseExpression'); google/apiclient-services/src/AnalyticsData/RunRealtimeReportRequest.php 0000644 00000011344 15054470473 0022642 0 ustar 00 dimensionFilter = $dimensionFilter; } /** * @return FilterExpression */ public function getDimensionFilter() { return $this->dimensionFilter; } /** * @param Dimension[] */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return Dimension[] */ public function getDimensions() { return $this->dimensions; } /** * @param string */ public function setLimit($limit) { $this->limit = $limit; } /** * @return string */ public function getLimit() { return $this->limit; } /** * @param string[] */ public function setMetricAggregations($metricAggregations) { $this->metricAggregations = $metricAggregations; } /** * @return string[] */ public function getMetricAggregations() { return $this->metricAggregations; } /** * @param FilterExpression */ public function setMetricFilter(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\FilterExpression $metricFilter) { $this->metricFilter = $metricFilter; } /** * @return FilterExpression */ public function getMetricFilter() { return $this->metricFilter; } /** * @param Metric[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return Metric[] */ public function getMetrics() { return $this->metrics; } /** * @param MinuteRange[] */ public function setMinuteRanges($minuteRanges) { $this->minuteRanges = $minuteRanges; } /** * @return MinuteRange[] */ public function getMinuteRanges() { return $this->minuteRanges; } /** * @param OrderBy[] */ public function setOrderBys($orderBys) { $this->orderBys = $orderBys; } /** * @return OrderBy[] */ public function getOrderBys() { return $this->orderBys; } /** * @param bool */ public function setReturnPropertyQuota($returnPropertyQuota) { $this->returnPropertyQuota = $returnPropertyQuota; } /** * @return bool */ public function getReturnPropertyQuota() { return $this->returnPropertyQuota; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunRealtimeReportRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_RunRealtimeReportRequest'); google/apiclient-services/src/AnalyticsData/Cohort.php 0000644 00000003760 15054470473 0017107 0 ustar 00 dateRange = $dateRange; } /** * @return DateRange */ public function getDateRange() { return $this->dateRange; } /** * @param string */ public function setDimension($dimension) { $this->dimension = $dimension; } /** * @return string */ public function getDimension() { return $this->dimension; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\Cohort::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_Cohort'); google/apiclient-services/src/AnalyticsData/RunPivotReportResponse.php 0000644 00000010623 15054470473 0022346 0 ustar 00 aggregates = $aggregates; } /** * @return Row[] */ public function getAggregates() { return $this->aggregates; } /** * @param DimensionHeader[] */ public function setDimensionHeaders($dimensionHeaders) { $this->dimensionHeaders = $dimensionHeaders; } /** * @return DimensionHeader[] */ public function getDimensionHeaders() { return $this->dimensionHeaders; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param ResponseMetaData */ public function setMetadata(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\ResponseMetaData $metadata) { $this->metadata = $metadata; } /** * @return ResponseMetaData */ public function getMetadata() { return $this->metadata; } /** * @param MetricHeader[] */ public function setMetricHeaders($metricHeaders) { $this->metricHeaders = $metricHeaders; } /** * @return MetricHeader[] */ public function getMetricHeaders() { return $this->metricHeaders; } /** * @param PivotHeader[] */ public function setPivotHeaders($pivotHeaders) { $this->pivotHeaders = $pivotHeaders; } /** * @return PivotHeader[] */ public function getPivotHeaders() { return $this->pivotHeaders; } /** * @param PropertyQuota */ public function setPropertyQuota(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\PropertyQuota $propertyQuota) { $this->propertyQuota = $propertyQuota; } /** * @return PropertyQuota */ public function getPropertyQuota() { return $this->propertyQuota; } /** * @param Row[] */ public function setRows($rows) { $this->rows = $rows; } /** * @return Row[] */ public function getRows() { return $this->rows; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\RunPivotReportResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_RunPivotReportResponse'); google/apiclient-services/src/AnalyticsData/DimensionValue.php 0000644 00000002401 15054470473 0020562 0 ustar 00 value = $value; } /** * @return string */ public function getValue() { return $this->value; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\DimensionValue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_DimensionValue'); google/apiclient-services/src/AnalyticsData/BatchRunPivotReportsRequest.php 0000644 00000002771 15054470473 0023332 0 ustar 00 requests = $requests; } /** * @return RunPivotReportRequest[] */ public function getRequests() { return $this->requests; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\BatchRunPivotReportsRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_BatchRunPivotReportsRequest'); google/apiclient-services/src/AnalyticsData/BatchRunReportsRequest.php 0000644 00000002733 15054470473 0022306 0 ustar 00 requests = $requests; } /** * @return RunReportRequest[] */ public function getRequests() { return $this->requests; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\AnalyticsData\BatchRunReportsRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_AnalyticsData_BatchRunReportsRequest'); google/apiclient-services/src/Analytics/AccountTreeResponse.php 0000644 00000005130 15054470473 0021003 0 ustar 00 account = $account; } /** * @return Account */ public function getAccount() { return $this->account; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param Profile */ public function setProfile(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Profile $profile) { $this->profile = $profile; } /** * @return Profile */ public function getProfile() { return $this->profile; } /** * @param Webproperty */ public function setWebproperty(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperty $webproperty) { $this->webproperty = $webproperty; } /** * @return Webproperty */ public function getWebproperty() { return $this->webproperty; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountTreeResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_AccountTreeResponse'); google/apiclient-services/src/Analytics/Profile.php 0000644 00000024166 15054470473 0016462 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param bool */ public function setBotFilteringEnabled($botFilteringEnabled) { $this->botFilteringEnabled = $botFilteringEnabled; } /** * @return bool */ public function getBotFilteringEnabled() { return $this->botFilteringEnabled; } /** * @param ProfileChildLink */ public function setChildLink(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileChildLink $childLink) { $this->childLink = $childLink; } /** * @return ProfileChildLink */ public function getChildLink() { return $this->childLink; } /** * @param string */ public function setCreated($created) { $this->created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param string */ public function setCurrency($currency) { $this->currency = $currency; } /** * @return string */ public function getCurrency() { return $this->currency; } /** * @param string */ public function setDefaultPage($defaultPage) { $this->defaultPage = $defaultPage; } /** * @return string */ public function getDefaultPage() { return $this->defaultPage; } /** * @param bool */ public function setECommerceTracking($eCommerceTracking) { $this->eCommerceTracking = $eCommerceTracking; } /** * @return bool */ public function getECommerceTracking() { return $this->eCommerceTracking; } /** * @param bool */ public function setEnhancedECommerceTracking($enhancedECommerceTracking) { $this->enhancedECommerceTracking = $enhancedECommerceTracking; } /** * @return bool */ public function getEnhancedECommerceTracking() { return $this->enhancedECommerceTracking; } /** * @param string */ public function setExcludeQueryParameters($excludeQueryParameters) { $this->excludeQueryParameters = $excludeQueryParameters; } /** * @return string */ public function getExcludeQueryParameters() { return $this->excludeQueryParameters; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param ProfileParentLink */ public function setParentLink(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileParentLink $parentLink) { $this->parentLink = $parentLink; } /** * @return ProfileParentLink */ public function getParentLink() { return $this->parentLink; } /** * @param ProfilePermissions */ public function setPermissions(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfilePermissions $permissions) { $this->permissions = $permissions; } /** * @return ProfilePermissions */ public function getPermissions() { return $this->permissions; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param string */ public function setSiteSearchCategoryParameters($siteSearchCategoryParameters) { $this->siteSearchCategoryParameters = $siteSearchCategoryParameters; } /** * @return string */ public function getSiteSearchCategoryParameters() { return $this->siteSearchCategoryParameters; } /** * @param string */ public function setSiteSearchQueryParameters($siteSearchQueryParameters) { $this->siteSearchQueryParameters = $siteSearchQueryParameters; } /** * @return string */ public function getSiteSearchQueryParameters() { return $this->siteSearchQueryParameters; } /** * @param bool */ public function setStarred($starred) { $this->starred = $starred; } /** * @return bool */ public function getStarred() { return $this->starred; } /** * @param bool */ public function setStripSiteSearchCategoryParameters($stripSiteSearchCategoryParameters) { $this->stripSiteSearchCategoryParameters = $stripSiteSearchCategoryParameters; } /** * @return bool */ public function getStripSiteSearchCategoryParameters() { return $this->stripSiteSearchCategoryParameters; } /** * @param bool */ public function setStripSiteSearchQueryParameters($stripSiteSearchQueryParameters) { $this->stripSiteSearchQueryParameters = $stripSiteSearchQueryParameters; } /** * @return bool */ public function getStripSiteSearchQueryParameters() { return $this->stripSiteSearchQueryParameters; } /** * @param string */ public function setTimezone($timezone) { $this->timezone = $timezone; } /** * @return string */ public function getTimezone() { return $this->timezone; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } /** * @param string */ public function setWebsiteUrl($websiteUrl) { $this->websiteUrl = $websiteUrl; } /** * @return string */ public function getWebsiteUrl() { return $this->websiteUrl; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Profile::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Profile'); google/apiclient-services/src/Analytics/UnsampledReports.php 0000644 00000007010 15054470473 0020356 0 ustar 00 items = $items; } /** * @return UnsampledReport[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReports::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_UnsampledReports'); google/apiclient-services/src/Analytics/GoalEventDetails.php 0000644 00000003560 15054470473 0020247 0 ustar 00 eventConditions = $eventConditions; } /** * @return GoalEventDetailsEventConditions[] */ public function getEventConditions() { return $this->eventConditions; } /** * @param bool */ public function setUseEventValue($useEventValue) { $this->useEventValue = $useEventValue; } /** * @return bool */ public function getUseEventValue() { return $this->useEventValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalEventDetails::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GoalEventDetails'); google/apiclient-services/src/Analytics/GaDataProfileInfo.php 0000644 00000005623 15054470473 0020335 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setProfileId($profileId) { $this->profileId = $profileId; } /** * @return string */ public function getProfileId() { return $this->profileId; } /** * @param string */ public function setProfileName($profileName) { $this->profileName = $profileName; } /** * @return string */ public function getProfileName() { return $this->profileName; } /** * @param string */ public function setTableId($tableId) { $this->tableId = $tableId; } /** * @return string */ public function getTableId() { return $this->tableId; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GaDataProfileInfo::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GaDataProfileInfo'); google/apiclient-services/src/Analytics/RemarketingAudience.php 0000644 00000014366 15054470473 0020771 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param RemarketingAudienceAudienceDefinition */ public function setAudienceDefinition(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudienceAudienceDefinition $audienceDefinition) { $this->audienceDefinition = $audienceDefinition; } /** * @return RemarketingAudienceAudienceDefinition */ public function getAudienceDefinition() { return $this->audienceDefinition; } /** * @param string */ public function setAudienceType($audienceType) { $this->audienceType = $audienceType; } /** * @return string */ public function getAudienceType() { return $this->audienceType; } /** * @param string */ public function setCreated($created) { $this->created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param string */ public function setDescription($description) { $this->description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param LinkedForeignAccount[] */ public function setLinkedAdAccounts($linkedAdAccounts) { $this->linkedAdAccounts = $linkedAdAccounts; } /** * @return LinkedForeignAccount[] */ public function getLinkedAdAccounts() { return $this->linkedAdAccounts; } /** * @param string[] */ public function setLinkedViews($linkedViews) { $this->linkedViews = $linkedViews; } /** * @return string[] */ public function getLinkedViews() { return $this->linkedViews; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param RemarketingAudienceStateBasedAudienceDefinition */ public function setStateBasedAudienceDefinition(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudienceStateBasedAudienceDefinition $stateBasedAudienceDefinition) { $this->stateBasedAudienceDefinition = $stateBasedAudienceDefinition; } /** * @return RemarketingAudienceStateBasedAudienceDefinition */ public function getStateBasedAudienceDefinition() { return $this->stateBasedAudienceDefinition; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudience::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_RemarketingAudience'); google/apiclient-services/src/Analytics/Goal.php 0000644 00000017055 15054470473 0015743 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param bool */ public function setActive($active) { $this->active = $active; } /** * @return bool */ public function getActive() { return $this->active; } /** * @param string */ public function setCreated($created) { $this->created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param GoalEventDetails */ public function setEventDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalEventDetails $eventDetails) { $this->eventDetails = $eventDetails; } /** * @return GoalEventDetails */ public function getEventDetails() { return $this->eventDetails; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param GoalParentLink */ public function setParentLink(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalParentLink $parentLink) { $this->parentLink = $parentLink; } /** * @return GoalParentLink */ public function getParentLink() { return $this->parentLink; } /** * @param string */ public function setProfileId($profileId) { $this->profileId = $profileId; } /** * @return string */ public function getProfileId() { return $this->profileId; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } /** * @param GoalUrlDestinationDetails */ public function setUrlDestinationDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalUrlDestinationDetails $urlDestinationDetails) { $this->urlDestinationDetails = $urlDestinationDetails; } /** * @return GoalUrlDestinationDetails */ public function getUrlDestinationDetails() { return $this->urlDestinationDetails; } /** * @param float */ public function setValue($value) { $this->value = $value; } /** * @return float */ public function getValue() { return $this->value; } /** * @param GoalVisitNumPagesDetails */ public function setVisitNumPagesDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalVisitNumPagesDetails $visitNumPagesDetails) { $this->visitNumPagesDetails = $visitNumPagesDetails; } /** * @return GoalVisitNumPagesDetails */ public function getVisitNumPagesDetails() { return $this->visitNumPagesDetails; } /** * @param GoalVisitTimeOnSiteDetails */ public function setVisitTimeOnSiteDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalVisitTimeOnSiteDetails $visitTimeOnSiteDetails) { $this->visitTimeOnSiteDetails = $visitTimeOnSiteDetails; } /** * @return GoalVisitTimeOnSiteDetails */ public function getVisitTimeOnSiteDetails() { return $this->visitTimeOnSiteDetails; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Goal::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Goal'); google/apiclient-services/src/Analytics/UnsampledReport.php 0000644 00000016622 15054470473 0020204 0 ustar 00 "end-date", "startDate" => "start-date"]; /** * @var string */ public $accountId; protected $cloudStorageDownloadDetailsType = \Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReportCloudStorageDownloadDetails::class; protected $cloudStorageDownloadDetailsDataType = ''; /** * @var string */ public $created; /** * @var string */ public $dimensions; /** * @var string */ public $downloadType; protected $driveDownloadDetailsType = \Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReportDriveDownloadDetails::class; protected $driveDownloadDetailsDataType = ''; /** * @var string */ public $endDate; /** * @var string */ public $filters; /** * @var string */ public $id; /** * @var string */ public $kind; /** * @var string */ public $metrics; /** * @var string */ public $profileId; /** * @var string */ public $segment; /** * @var string */ public $selfLink; /** * @var string */ public $startDate; /** * @var string */ public $status; /** * @var string */ public $title; /** * @var string */ public $updated; /** * @var string */ public $webPropertyId; /** * @param string */ public function setAccountId($accountId) { $this->accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param UnsampledReportCloudStorageDownloadDetails */ public function setCloudStorageDownloadDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReportCloudStorageDownloadDetails $cloudStorageDownloadDetails) { $this->cloudStorageDownloadDetails = $cloudStorageDownloadDetails; } /** * @return UnsampledReportCloudStorageDownloadDetails */ public function getCloudStorageDownloadDetails() { return $this->cloudStorageDownloadDetails; } /** * @param string */ public function setCreated($created) { $this->created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param string */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return string */ public function getDimensions() { return $this->dimensions; } /** * @param string */ public function setDownloadType($downloadType) { $this->downloadType = $downloadType; } /** * @return string */ public function getDownloadType() { return $this->downloadType; } /** * @param UnsampledReportDriveDownloadDetails */ public function setDriveDownloadDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReportDriveDownloadDetails $driveDownloadDetails) { $this->driveDownloadDetails = $driveDownloadDetails; } /** * @return UnsampledReportDriveDownloadDetails */ public function getDriveDownloadDetails() { return $this->driveDownloadDetails; } /** * @param string */ public function setEndDate($endDate) { $this->endDate = $endDate; } /** * @return string */ public function getEndDate() { return $this->endDate; } /** * @param string */ public function setFilters($filters) { $this->filters = $filters; } /** * @return string */ public function getFilters() { return $this->filters; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return string */ public function getMetrics() { return $this->metrics; } /** * @param string */ public function setProfileId($profileId) { $this->profileId = $profileId; } /** * @return string */ public function getProfileId() { return $this->profileId; } /** * @param string */ public function setSegment($segment) { $this->segment = $segment; } /** * @return string */ public function getSegment() { return $this->segment; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param string */ public function setStartDate($startDate) { $this->startDate = $startDate; } /** * @return string */ public function getStartDate() { return $this->startDate; } /** * @param string */ public function setStatus($status) { $this->status = $status; } /** * @return string */ public function getStatus() { return $this->status; } /** * @param string */ public function setTitle($title) { $this->title = $title; } /** * @return string */ public function getTitle() { return $this->title; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReport::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_UnsampledReport'); google/apiclient-services/src/Analytics/McfData.php 0000644 00000014272 15054470473 0016356 0 ustar 00 columnHeaders = $columnHeaders; } /** * @return McfDataColumnHeaders[] */ public function getColumnHeaders() { return $this->columnHeaders; } /** * @param bool */ public function setContainsSampledData($containsSampledData) { $this->containsSampledData = $containsSampledData; } /** * @return bool */ public function getContainsSampledData() { return $this->containsSampledData; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param McfDataProfileInfo */ public function setProfileInfo(\Google\Site_Kit_Dependencies\Google\Service\Analytics\McfDataProfileInfo $profileInfo) { $this->profileInfo = $profileInfo; } /** * @return McfDataProfileInfo */ public function getProfileInfo() { return $this->profileInfo; } /** * @param McfDataQuery */ public function setQuery(\Google\Site_Kit_Dependencies\Google\Service\Analytics\McfDataQuery $query) { $this->query = $query; } /** * @return McfDataQuery */ public function getQuery() { return $this->query; } /** * @param McfDataRows[] */ public function setRows($rows) { $this->rows = $rows; } /** * @return McfDataRows[] */ public function getRows() { return $this->rows; } /** * @param string */ public function setSampleSize($sampleSize) { $this->sampleSize = $sampleSize; } /** * @return string */ public function getSampleSize() { return $this->sampleSize; } /** * @param string */ public function setSampleSpace($sampleSpace) { $this->sampleSpace = $sampleSpace; } /** * @return string */ public function getSampleSpace() { return $this->sampleSpace; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string[] */ public function setTotalsForAllResults($totalsForAllResults) { $this->totalsForAllResults = $totalsForAllResults; } /** * @return string[] */ public function getTotalsForAllResults() { return $this->totalsForAllResults; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\McfData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_McfData'); google/apiclient-services/src/Analytics/FilterUppercaseDetails.php 0000644 00000003100 15054470473 0021446 0 ustar 00 field = $field; } /** * @return string */ public function getField() { return $this->field; } /** * @param int */ public function setFieldIndex($fieldIndex) { $this->fieldIndex = $fieldIndex; } /** * @return int */ public function getFieldIndex() { return $this->fieldIndex; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterUppercaseDetails::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_FilterUppercaseDetails'); google/apiclient-services/src/Analytics/RealtimeDataColumnHeaders.php 0000644 00000003571 15054470473 0022065 0 ustar 00 columnType = $columnType; } /** * @return string */ public function getColumnType() { return $this->columnType; } /** * @param string */ public function setDataType($dataType) { $this->dataType = $dataType; } /** * @return string */ public function getDataType() { return $this->dataType; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RealtimeDataColumnHeaders::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_RealtimeDataColumnHeaders'); google/apiclient-services/src/Analytics/GaData.php 0000644 00000015643 15054470473 0016203 0 ustar 00 columnHeaders = $columnHeaders; } /** * @return GaDataColumnHeaders[] */ public function getColumnHeaders() { return $this->columnHeaders; } /** * @param bool */ public function setContainsSampledData($containsSampledData) { $this->containsSampledData = $containsSampledData; } /** * @return bool */ public function getContainsSampledData() { return $this->containsSampledData; } /** * @param string */ public function setDataLastRefreshed($dataLastRefreshed) { $this->dataLastRefreshed = $dataLastRefreshed; } /** * @return string */ public function getDataLastRefreshed() { return $this->dataLastRefreshed; } /** * @param GaDataDataTable */ public function setDataTable(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GaDataDataTable $dataTable) { $this->dataTable = $dataTable; } /** * @return GaDataDataTable */ public function getDataTable() { return $this->dataTable; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param GaDataProfileInfo */ public function setProfileInfo(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GaDataProfileInfo $profileInfo) { $this->profileInfo = $profileInfo; } /** * @return GaDataProfileInfo */ public function getProfileInfo() { return $this->profileInfo; } /** * @param GaDataQuery */ public function setQuery(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GaDataQuery $query) { $this->query = $query; } /** * @return GaDataQuery */ public function getQuery() { return $this->query; } /** * @param string[] */ public function setRows($rows) { $this->rows = $rows; } /** * @return string[] */ public function getRows() { return $this->rows; } /** * @param string */ public function setSampleSize($sampleSize) { $this->sampleSize = $sampleSize; } /** * @return string */ public function getSampleSize() { return $this->sampleSize; } /** * @param string */ public function setSampleSpace($sampleSpace) { $this->sampleSpace = $sampleSpace; } /** * @return string */ public function getSampleSpace() { return $this->sampleSpace; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string[] */ public function setTotalsForAllResults($totalsForAllResults) { $this->totalsForAllResults = $totalsForAllResults; } /** * @return string[] */ public function getTotalsForAllResults() { return $this->totalsForAllResults; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GaData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GaData'); google/apiclient-services/src/Analytics/GoalVisitNumPagesDetails.php 0000644 00000003261 15054470473 0021722 0 ustar 00 comparisonType = $comparisonType; } /** * @return string */ public function getComparisonType() { return $this->comparisonType; } /** * @param string */ public function setComparisonValue($comparisonValue) { $this->comparisonValue = $comparisonValue; } /** * @return string */ public function getComparisonValue() { return $this->comparisonValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalVisitNumPagesDetails::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GoalVisitNumPagesDetails'); google/apiclient-services/src/Analytics/Filter.php 0000644 00000016012 15054470473 0016276 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param FilterAdvancedDetails */ public function setAdvancedDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterAdvancedDetails $advancedDetails) { $this->advancedDetails = $advancedDetails; } /** * @return FilterAdvancedDetails */ public function getAdvancedDetails() { return $this->advancedDetails; } /** * @param string */ public function setCreated($created) { $this->created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param FilterExpression */ public function setExcludeDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterExpression $excludeDetails) { $this->excludeDetails = $excludeDetails; } /** * @return FilterExpression */ public function getExcludeDetails() { return $this->excludeDetails; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param FilterExpression */ public function setIncludeDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterExpression $includeDetails) { $this->includeDetails = $includeDetails; } /** * @return FilterExpression */ public function getIncludeDetails() { return $this->includeDetails; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param FilterLowercaseDetails */ public function setLowercaseDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterLowercaseDetails $lowercaseDetails) { $this->lowercaseDetails = $lowercaseDetails; } /** * @return FilterLowercaseDetails */ public function getLowercaseDetails() { return $this->lowercaseDetails; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param FilterParentLink */ public function setParentLink(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterParentLink $parentLink) { $this->parentLink = $parentLink; } /** * @return FilterParentLink */ public function getParentLink() { return $this->parentLink; } /** * @param FilterSearchAndReplaceDetails */ public function setSearchAndReplaceDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterSearchAndReplaceDetails $searchAndReplaceDetails) { $this->searchAndReplaceDetails = $searchAndReplaceDetails; } /** * @return FilterSearchAndReplaceDetails */ public function getSearchAndReplaceDetails() { return $this->searchAndReplaceDetails; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } /** * @param FilterUppercaseDetails */ public function setUppercaseDetails(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterUppercaseDetails $uppercaseDetails) { $this->uppercaseDetails = $uppercaseDetails; } /** * @return FilterUppercaseDetails */ public function getUppercaseDetails() { return $this->uppercaseDetails; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Filter::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Filter'); google/apiclient-services/src/Analytics/FilterExpression.php 0000644 00000005437 15054470473 0020367 0 ustar 00 caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string */ public function setExpressionValue($expressionValue) { $this->expressionValue = $expressionValue; } /** * @return string */ public function getExpressionValue() { return $this->expressionValue; } /** * @param string */ public function setField($field) { $this->field = $field; } /** * @return string */ public function getField() { return $this->field; } /** * @param int */ public function setFieldIndex($fieldIndex) { $this->fieldIndex = $fieldIndex; } /** * @return int */ public function getFieldIndex() { return $this->fieldIndex; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setMatchType($matchType) { $this->matchType = $matchType; } /** * @return string */ public function getMatchType() { return $this->matchType; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterExpression::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_FilterExpression'); google/apiclient-services/src/Analytics/CustomDataSourceParentLink.php 0000644 00000003044 15054470473 0022267 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDataSourceParentLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_CustomDataSourceParentLink'); google/apiclient-services/src/Analytics/GaDataDataTable.php 0000644 00000003452 15054470473 0017740 0 ustar 00 cols = $cols; } /** * @return GaDataDataTableCols[] */ public function getCols() { return $this->cols; } /** * @param GaDataDataTableRows[] */ public function setRows($rows) { $this->rows = $rows; } /** * @return GaDataDataTableRows[] */ public function getRows() { return $this->rows; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GaDataDataTable::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GaDataDataTable'); google/apiclient-services/src/Analytics/EntityAdWordsLinkEntity.php 0000644 00000003004 15054470473 0021621 0 ustar 00 webPropertyRef = $webPropertyRef; } /** * @return WebPropertyRef */ public function getWebPropertyRef() { return $this->webPropertyRef; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLinkEntity::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_EntityAdWordsLinkEntity'); google/apiclient-services/src/Analytics/Webproperties.php 0000644 00000006763 15054470473 0017717 0 ustar 00 items = $items; } /** * @return Webproperty[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperties::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Webproperties'); google/apiclient-services/src/Analytics/FilterRef.php 0000644 00000004474 15054470473 0016744 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setHref($href) { $this->href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterRef::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_FilterRef'); google/apiclient-services/src/Analytics/Experiment.php 0000644 00000024263 15054470473 0017200 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setCreated($created) { $this->created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param string */ public function setDescription($description) { $this->description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param bool */ public function setEditableInGaUi($editableInGaUi) { $this->editableInGaUi = $editableInGaUi; } /** * @return bool */ public function getEditableInGaUi() { return $this->editableInGaUi; } /** * @param string */ public function setEndTime($endTime) { $this->endTime = $endTime; } /** * @return string */ public function getEndTime() { return $this->endTime; } /** * @param bool */ public function setEqualWeighting($equalWeighting) { $this->equalWeighting = $equalWeighting; } /** * @return bool */ public function getEqualWeighting() { return $this->equalWeighting; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param int */ public function setMinimumExperimentLengthInDays($minimumExperimentLengthInDays) { $this->minimumExperimentLengthInDays = $minimumExperimentLengthInDays; } /** * @return int */ public function getMinimumExperimentLengthInDays() { return $this->minimumExperimentLengthInDays; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setObjectiveMetric($objectiveMetric) { $this->objectiveMetric = $objectiveMetric; } /** * @return string */ public function getObjectiveMetric() { return $this->objectiveMetric; } /** * @param string */ public function setOptimizationType($optimizationType) { $this->optimizationType = $optimizationType; } /** * @return string */ public function getOptimizationType() { return $this->optimizationType; } /** * @param ExperimentParentLink */ public function setParentLink(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ExperimentParentLink $parentLink) { $this->parentLink = $parentLink; } /** * @return ExperimentParentLink */ public function getParentLink() { return $this->parentLink; } /** * @param string */ public function setProfileId($profileId) { $this->profileId = $profileId; } /** * @return string */ public function getProfileId() { return $this->profileId; } /** * @param string */ public function setReasonExperimentEnded($reasonExperimentEnded) { $this->reasonExperimentEnded = $reasonExperimentEnded; } /** * @return string */ public function getReasonExperimentEnded() { return $this->reasonExperimentEnded; } /** * @param bool */ public function setRewriteVariationUrlsAsOriginal($rewriteVariationUrlsAsOriginal) { $this->rewriteVariationUrlsAsOriginal = $rewriteVariationUrlsAsOriginal; } /** * @return bool */ public function getRewriteVariationUrlsAsOriginal() { return $this->rewriteVariationUrlsAsOriginal; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param string */ public function setServingFramework($servingFramework) { $this->servingFramework = $servingFramework; } /** * @return string */ public function getServingFramework() { return $this->servingFramework; } /** * @param string */ public function setSnippet($snippet) { $this->snippet = $snippet; } /** * @return string */ public function getSnippet() { return $this->snippet; } /** * @param string */ public function setStartTime($startTime) { $this->startTime = $startTime; } /** * @return string */ public function getStartTime() { return $this->startTime; } /** * @param string */ public function setStatus($status) { $this->status = $status; } /** * @return string */ public function getStatus() { return $this->status; } public function setTrafficCoverage($trafficCoverage) { $this->trafficCoverage = $trafficCoverage; } public function getTrafficCoverage() { return $this->trafficCoverage; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } /** * @param ExperimentVariations[] */ public function setVariations($variations) { $this->variations = $variations; } /** * @return ExperimentVariations[] */ public function getVariations() { return $this->variations; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } public function setWinnerConfidenceLevel($winnerConfidenceLevel) { $this->winnerConfidenceLevel = $winnerConfidenceLevel; } public function getWinnerConfidenceLevel() { return $this->winnerConfidenceLevel; } /** * @param bool */ public function setWinnerFound($winnerFound) { $this->winnerFound = $winnerFound; } /** * @return bool */ public function getWinnerFound() { return $this->winnerFound; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Experiment::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Experiment'); google/apiclient-services/src/Analytics/CustomMetric.php 0000644 00000013036 15054470473 0017472 0 ustar 00 "max_value", "minValue" => "min_value"]; /** * @var string */ public $accountId; /** * @var bool */ public $active; /** * @var string */ public $created; /** * @var string */ public $id; /** * @var int */ public $index; /** * @var string */ public $kind; /** * @var string */ public $maxValue; /** * @var string */ public $minValue; /** * @var string */ public $name; protected $parentLinkType = \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetricParentLink::class; protected $parentLinkDataType = ''; /** * @var string */ public $scope; /** * @var string */ public $selfLink; /** * @var string */ public $type; /** * @var string */ public $updated; /** * @var string */ public $webPropertyId; /** * @param string */ public function setAccountId($accountId) { $this->accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param bool */ public function setActive($active) { $this->active = $active; } /** * @return bool */ public function getActive() { return $this->active; } /** * @param string */ public function setCreated($created) { $this->created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param int */ public function setIndex($index) { $this->index = $index; } /** * @return int */ public function getIndex() { return $this->index; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setMaxValue($maxValue) { $this->maxValue = $maxValue; } /** * @return string */ public function getMaxValue() { return $this->maxValue; } /** * @param string */ public function setMinValue($minValue) { $this->minValue = $minValue; } /** * @return string */ public function getMinValue() { return $this->minValue; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param CustomMetricParentLink */ public function setParentLink(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetricParentLink $parentLink) { $this->parentLink = $parentLink; } /** * @return CustomMetricParentLink */ public function getParentLink() { return $this->parentLink; } /** * @param string */ public function setScope($scope) { $this->scope = $scope; } /** * @return string */ public function getScope() { return $this->scope; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetric::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_CustomMetric'); google/apiclient-services/src/Analytics/CustomMetricParentLink.php 0000644 00000003030 15054470473 0021453 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetricParentLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_CustomMetricParentLink'); google/apiclient-services/src/Analytics/GoalParentLink.php 0000644 00000003000 15054470473 0017714 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalParentLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GoalParentLink'); google/apiclient-services/src/Analytics/ProfileParentLink.php 0000644 00000003011 15054470473 0020434 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileParentLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_ProfileParentLink'); google/apiclient-services/src/Analytics/UserDeletionRequestId.php 0000644 00000003043 15054470473 0021301 0 ustar 00 type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUserId($userId) { $this->userId = $userId; } /** * @return string */ public function getUserId() { return $this->userId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UserDeletionRequestId::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_UserDeletionRequestId'); google/apiclient-services/src/Analytics/RealtimeData.php 0000644 00000010364 15054470473 0017411 0 ustar 00 columnHeaders = $columnHeaders; } /** * @return RealtimeDataColumnHeaders[] */ public function getColumnHeaders() { return $this->columnHeaders; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param RealtimeDataProfileInfo */ public function setProfileInfo(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RealtimeDataProfileInfo $profileInfo) { $this->profileInfo = $profileInfo; } /** * @return RealtimeDataProfileInfo */ public function getProfileInfo() { return $this->profileInfo; } /** * @param RealtimeDataQuery */ public function setQuery(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RealtimeDataQuery $query) { $this->query = $query; } /** * @return RealtimeDataQuery */ public function getQuery() { return $this->query; } /** * @param string[] */ public function setRows($rows) { $this->rows = $rows; } /** * @return string[] */ public function getRows() { return $this->rows; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string[] */ public function setTotalsForAllResults($totalsForAllResults) { $this->totalsForAllResults = $totalsForAllResults; } /** * @return string[] */ public function getTotalsForAllResults() { return $this->totalsForAllResults; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RealtimeData::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_RealtimeData'); google/apiclient-services/src/Analytics/GoalVisitTimeOnSiteDetails.php 0000644 00000003267 15054470473 0022231 0 ustar 00 comparisonType = $comparisonType; } /** * @return string */ public function getComparisonType() { return $this->comparisonType; } /** * @param string */ public function setComparisonValue($comparisonValue) { $this->comparisonValue = $comparisonValue; } /** * @return string */ public function getComparisonValue() { return $this->comparisonValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalVisitTimeOnSiteDetails::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GoalVisitTimeOnSiteDetails'); google/apiclient-services/src/Analytics/RemarketingAudiences.php 0000644 00000007040 15054470473 0021143 0 ustar 00 items = $items; } /** * @return RemarketingAudience[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudiences::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_RemarketingAudiences'); google/apiclient-services/src/Analytics/RealtimeDataQuery.php 0000644 00000005501 15054470473 0020434 0 ustar 00 "max-results"]; /** * @var string */ public $dimensions; /** * @var string */ public $filters; /** * @var string */ public $ids; /** * @var int */ public $maxResults; /** * @var string[] */ public $metrics; /** * @var string[] */ public $sort; /** * @param string */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return string */ public function getDimensions() { return $this->dimensions; } /** * @param string */ public function setFilters($filters) { $this->filters = $filters; } /** * @return string */ public function getFilters() { return $this->filters; } /** * @param string */ public function setIds($ids) { $this->ids = $ids; } /** * @return string */ public function getIds() { return $this->ids; } /** * @param int */ public function setMaxResults($maxResults) { $this->maxResults = $maxResults; } /** * @return int */ public function getMaxResults() { return $this->maxResults; } /** * @param string[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return string[] */ public function getMetrics() { return $this->metrics; } /** * @param string[] */ public function setSort($sort) { $this->sort = $sort; } /** * @return string[] */ public function getSort() { return $this->sort; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RealtimeDataQuery::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_RealtimeDataQuery'); google/apiclient-services/src/Analytics/Experiments.php 0000644 00000006752 15054470473 0017366 0 ustar 00 items = $items; } /** * @return Experiment[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Experiments::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Experiments'); google/apiclient-services/src/Analytics/ExperimentParentLink.php 0000644 00000003022 15054470473 0021156 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ExperimentParentLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_ExperimentParentLink'); google/apiclient-services/src/Analytics/CustomDimension.php 0000644 00000011145 15054470473 0020173 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param bool */ public function setActive($active) { $this->active = $active; } /** * @return bool */ public function getActive() { return $this->active; } /** * @param string */ public function setCreated($created) { $this->created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param int */ public function setIndex($index) { $this->index = $index; } /** * @return int */ public function getIndex() { return $this->index; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param CustomDimensionParentLink */ public function setParentLink(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimensionParentLink $parentLink) { $this->parentLink = $parentLink; } /** * @return CustomDimensionParentLink */ public function getParentLink() { return $this->parentLink; } /** * @param string */ public function setScope($scope) { $this->scope = $scope; } /** * @return string */ public function getScope() { return $this->scope; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimension::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_CustomDimension'); google/apiclient-services/src/Analytics/FilterAdvancedDetails.php 0000644 00000012216 15054470473 0021234 0 ustar 00 caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string */ public function setExtractA($extractA) { $this->extractA = $extractA; } /** * @return string */ public function getExtractA() { return $this->extractA; } /** * @param string */ public function setExtractB($extractB) { $this->extractB = $extractB; } /** * @return string */ public function getExtractB() { return $this->extractB; } /** * @param string */ public function setFieldA($fieldA) { $this->fieldA = $fieldA; } /** * @return string */ public function getFieldA() { return $this->fieldA; } /** * @param int */ public function setFieldAIndex($fieldAIndex) { $this->fieldAIndex = $fieldAIndex; } /** * @return int */ public function getFieldAIndex() { return $this->fieldAIndex; } /** * @param bool */ public function setFieldARequired($fieldARequired) { $this->fieldARequired = $fieldARequired; } /** * @return bool */ public function getFieldARequired() { return $this->fieldARequired; } /** * @param string */ public function setFieldB($fieldB) { $this->fieldB = $fieldB; } /** * @return string */ public function getFieldB() { return $this->fieldB; } /** * @param int */ public function setFieldBIndex($fieldBIndex) { $this->fieldBIndex = $fieldBIndex; } /** * @return int */ public function getFieldBIndex() { return $this->fieldBIndex; } /** * @param bool */ public function setFieldBRequired($fieldBRequired) { $this->fieldBRequired = $fieldBRequired; } /** * @return bool */ public function getFieldBRequired() { return $this->fieldBRequired; } /** * @param string */ public function setOutputConstructor($outputConstructor) { $this->outputConstructor = $outputConstructor; } /** * @return string */ public function getOutputConstructor() { return $this->outputConstructor; } /** * @param string */ public function setOutputToField($outputToField) { $this->outputToField = $outputToField; } /** * @return string */ public function getOutputToField() { return $this->outputToField; } /** * @param int */ public function setOutputToFieldIndex($outputToFieldIndex) { $this->outputToFieldIndex = $outputToFieldIndex; } /** * @return int */ public function getOutputToFieldIndex() { return $this->outputToFieldIndex; } /** * @param bool */ public function setOverrideOutputField($overrideOutputField) { $this->overrideOutputField = $overrideOutputField; } /** * @return bool */ public function getOverrideOutputField() { return $this->overrideOutputField; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterAdvancedDetails::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_FilterAdvancedDetails'); google/apiclient-services/src/Analytics/RemarketingAudienceAudienceDefinition.php 0000644 00000003122 15054470473 0024424 0 ustar 00 includeConditions = $includeConditions; } /** * @return IncludeConditions */ public function getIncludeConditions() { return $this->includeConditions; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudienceAudienceDefinition::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_RemarketingAudienceAudienceDefinition'); google/apiclient-services/src/Analytics/CustomDimensions.php 0000644 00000007010 15054470473 0020352 0 ustar 00 items = $items; } /** * @return CustomDimension[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimensions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_CustomDimensions'); google/apiclient-services/src/Analytics/UnsampledReportCloudStorageDownloadDetails.php 0000644 00000003214 15054470473 0025507 0 ustar 00 bucketId = $bucketId; } /** * @return string */ public function getBucketId() { return $this->bucketId; } /** * @param string */ public function setObjectId($objectId) { $this->objectId = $objectId; } /** * @return string */ public function getObjectId() { return $this->objectId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReportCloudStorageDownloadDetails::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_UnsampledReportCloudStorageDownloadDetails'); google/apiclient-services/src/Analytics/AccountSummaries.php 0000644 00000007005 15054470473 0020335 0 ustar 00 items = $items; } /** * @return AccountSummary[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountSummaries::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_AccountSummaries'); google/apiclient-services/src/Analytics/CustomMetrics.php 0000644 00000006766 15054470473 0017671 0 ustar 00 items = $items; } /** * @return CustomMetric[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetrics::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_CustomMetrics'); google/apiclient-services/src/Analytics/ProfileFilterLinks.php 0000644 00000007024 15054470473 0020623 0 ustar 00 items = $items; } /** * @return ProfileFilterLink[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileFilterLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_ProfileFilterLinks'); google/apiclient-services/src/Analytics/CustomDataSources.php 0000644 00000007016 15054470473 0020465 0 ustar 00 items = $items; } /** * @return CustomDataSource[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDataSources::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_CustomDataSources'); google/apiclient-services/src/Analytics/ProfileRef.php 0000644 00000006031 15054470473 0017106 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setHref($href) { $this->href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileRef::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_ProfileRef'); google/apiclient-services/src/Analytics/GoalUrlDestinationDetails.php 0000644 00000005325 15054470473 0022133 0 ustar 00 caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param bool */ public function setFirstStepRequired($firstStepRequired) { $this->firstStepRequired = $firstStepRequired; } /** * @return bool */ public function getFirstStepRequired() { return $this->firstStepRequired; } /** * @param string */ public function setMatchType($matchType) { $this->matchType = $matchType; } /** * @return string */ public function getMatchType() { return $this->matchType; } /** * @param GoalUrlDestinationDetailsSteps[] */ public function setSteps($steps) { $this->steps = $steps; } /** * @return GoalUrlDestinationDetailsSteps[] */ public function getSteps() { return $this->steps; } /** * @param string */ public function setUrl($url) { $this->url = $url; } /** * @return string */ public function getUrl() { return $this->url; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalUrlDestinationDetails::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GoalUrlDestinationDetails'); google/apiclient-services/src/Analytics/AccountChildLink.php 0000644 00000003006 15054470473 0020226 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountChildLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_AccountChildLink'); google/apiclient-services/src/Analytics/Uploads.php 0000644 00000006244 15054470473 0016466 0 ustar 00 items = $items; } /** * @return Upload[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Uploads::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Uploads'); google/apiclient-services/src/Analytics/ProfileChildLink.php 0000644 00000003006 15054470473 0020232 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileChildLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_ProfileChildLink'); google/apiclient-services/src/Analytics/GoalEventDetailsEventConditions.php 0000644 00000005111 15054470473 0023275 0 ustar 00 comparisonType = $comparisonType; } /** * @return string */ public function getComparisonType() { return $this->comparisonType; } /** * @param string */ public function setComparisonValue($comparisonValue) { $this->comparisonValue = $comparisonValue; } /** * @return string */ public function getComparisonValue() { return $this->comparisonValue; } /** * @param string */ public function setExpression($expression) { $this->expression = $expression; } /** * @return string */ public function getExpression() { return $this->expression; } /** * @param string */ public function setMatchType($matchType) { $this->matchType = $matchType; } /** * @return string */ public function getMatchType() { return $this->matchType; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalEventDetailsEventConditions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GoalEventDetailsEventConditions'); google/apiclient-services/src/Analytics/HashClientIdRequest.php 0000644 00000003574 15054470473 0020732 0 ustar 00 clientId = $clientId; } /** * @return string */ public function getClientId() { return $this->clientId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\HashClientIdRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_HashClientIdRequest'); google/apiclient-services/src/Analytics/Columns.php 0000644 00000005050 15054470473 0016471 0 ustar 00 attributeNames = $attributeNames; } /** * @return string[] */ public function getAttributeNames() { return $this->attributeNames; } /** * @param string */ public function setEtag($etag) { $this->etag = $etag; } /** * @return string */ public function getEtag() { return $this->etag; } /** * @param Column[] */ public function setItems($items) { $this->items = $items; } /** * @return Column[] */ public function getItems() { return $this->items; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Columns::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Columns'); google/apiclient-services/src/Analytics/GoalUrlDestinationDetailsSteps.php 0000644 00000003500 15054470473 0023143 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param int */ public function setNumber($number) { $this->number = $number; } /** * @return int */ public function getNumber() { return $this->number; } /** * @param string */ public function setUrl($url) { $this->url = $url; } /** * @return string */ public function getUrl() { return $this->url; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GoalUrlDestinationDetailsSteps::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GoalUrlDestinationDetailsSteps'); google/apiclient-services/src/Analytics/McfDataRowsConversionPathValue.php 0000644 00000003240 15054470473 0023102 0 ustar 00 interactionType = $interactionType; } /** * @return string */ public function getInteractionType() { return $this->interactionType; } /** * @param string */ public function setNodeValue($nodeValue) { $this->nodeValue = $nodeValue; } /** * @return string */ public function getNodeValue() { return $this->nodeValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\McfDataRowsConversionPathValue::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_McfDataRowsConversionPathValue'); google/apiclient-services/src/Analytics/Resource/MetadataColumns.php 0000644 00000003541 15054470473 0021724 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $columns = $analyticsService->columns; * */ class MetadataColumns extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Lists all columns for a report type (columns.listMetadataColumns) * * @param string $reportType Report type. Allowed Values: 'ga'. Where 'ga' * corresponds to the Core Reporting API * @param array $optParams Optional parameters. * @return Columns */ public function listMetadataColumns($reportType, $optParams = []) { $params = ['reportType' => $reportType]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Columns::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\MetadataColumns::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_MetadataColumns'); google/apiclient-services/src/Analytics/Resource/UserDeletionUserDeletionRequest.php 0000644 00000003711 15054470473 0025140 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $userDeletionRequest = $analyticsService->userDeletionRequest; * */ class UserDeletionUserDeletionRequest extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Insert or update a user deletion requests. (userDeletionRequest.upsert) * * @param UserDeletionRequest $postBody * @param array $optParams Optional parameters. * @return UserDeletionRequest */ public function upsert(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UserDeletionRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('upsert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\UserDeletionRequest::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\UserDeletionUserDeletionRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_UserDeletionUserDeletionRequest'); google/apiclient-services/src/Analytics/Resource/ManagementAccounts.php 0000644 00000004001 15054470473 0022407 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $accounts = $analyticsService->accounts; * */ class ManagementAccounts extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Lists all accounts to which the user has access. * (accounts.listManagementAccounts) * * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of accounts to include in this * response. * @opt_param int start-index An index of the first account to retrieve. Use * this parameter as a pagination mechanism along with the max-results * parameter. * @return Accounts */ public function listManagementAccounts($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Accounts::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementAccounts::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementAccounts'); google/apiclient-services/src/Analytics/Resource/ManagementExperiments.php 0000644 00000016122 15054470473 0023142 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $experiments = $analyticsService->experiments; * */ class ManagementExperiments extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Delete an experiment. (experiments.delete) * * @param string $accountId Account ID to which the experiment belongs * @param string $webPropertyId Web property ID to which the experiment belongs * @param string $profileId View (Profile) ID to which the experiment belongs * @param string $experimentId ID of the experiment to delete * @param array $optParams Optional parameters. */ public function delete($accountId, $webPropertyId, $profileId, $experimentId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'experimentId' => $experimentId]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Returns an experiment to which the user has access. (experiments.get) * * @param string $accountId Account ID to retrieve the experiment for. * @param string $webPropertyId Web property ID to retrieve the experiment for. * @param string $profileId View (Profile) ID to retrieve the experiment for. * @param string $experimentId Experiment ID to retrieve the experiment for. * @param array $optParams Optional parameters. * @return Experiment */ public function get($accountId, $webPropertyId, $profileId, $experimentId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'experimentId' => $experimentId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Experiment::class); } /** * Create a new experiment. (experiments.insert) * * @param string $accountId Account ID to create the experiment for. * @param string $webPropertyId Web property ID to create the experiment for. * @param string $profileId View (Profile) ID to create the experiment for. * @param Experiment $postBody * @param array $optParams Optional parameters. * @return Experiment */ public function insert($accountId, $webPropertyId, $profileId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Experiment $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Experiment::class); } /** * Lists experiments to which the user has access. * (experiments.listManagementExperiments) * * @param string $accountId Account ID to retrieve experiments for. * @param string $webPropertyId Web property ID to retrieve experiments for. * @param string $profileId View (Profile) ID to retrieve experiments for. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of experiments to include in * this response. * @opt_param int start-index An index of the first experiment to retrieve. Use * this parameter as a pagination mechanism along with the max-results * parameter. * @return Experiments */ public function listManagementExperiments($accountId, $webPropertyId, $profileId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Experiments::class); } /** * Update an existing experiment. This method supports patch semantics. * (experiments.patch) * * @param string $accountId Account ID of the experiment to update. * @param string $webPropertyId Web property ID of the experiment to update. * @param string $profileId View (Profile) ID of the experiment to update. * @param string $experimentId Experiment ID of the experiment to update. * @param Experiment $postBody * @param array $optParams Optional parameters. * @return Experiment */ public function patch($accountId, $webPropertyId, $profileId, $experimentId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Experiment $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'experimentId' => $experimentId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Experiment::class); } /** * Update an existing experiment. (experiments.update) * * @param string $accountId Account ID of the experiment to update. * @param string $webPropertyId Web property ID of the experiment to update. * @param string $profileId View (Profile) ID of the experiment to update. * @param string $experimentId Experiment ID of the experiment to update. * @param Experiment $postBody * @param array $optParams Optional parameters. * @return Experiment */ public function update($accountId, $webPropertyId, $profileId, $experimentId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Experiment $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'experimentId' => $experimentId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Experiment::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementExperiments::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementExperiments'); google/apiclient-services/src/Analytics/Resource/ManagementProfiles.php 0000644 00000015201 15054470473 0022417 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $profiles = $analyticsService->profiles; * */ class ManagementProfiles extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Deletes a view (profile). (profiles.delete) * * @param string $accountId Account ID to delete the view (profile) for. * @param string $webPropertyId Web property ID to delete the view (profile) * for. * @param string $profileId ID of the view (profile) to be deleted. * @param array $optParams Optional parameters. */ public function delete($accountId, $webPropertyId, $profileId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a view (profile) to which the user has access. (profiles.get) * * @param string $accountId Account ID to retrieve the view (profile) for. * @param string $webPropertyId Web property ID to retrieve the view (profile) * for. * @param string $profileId View (Profile) ID to retrieve the view (profile) * for. * @param array $optParams Optional parameters. * @return Profile */ public function get($accountId, $webPropertyId, $profileId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Profile::class); } /** * Create a new view (profile). (profiles.insert) * * @param string $accountId Account ID to create the view (profile) for. * @param string $webPropertyId Web property ID to create the view (profile) * for. * @param Profile $postBody * @param array $optParams Optional parameters. * @return Profile */ public function insert($accountId, $webPropertyId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Profile $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Profile::class); } /** * Lists views (profiles) to which the user has access. * (profiles.listManagementProfiles) * * @param string $accountId Account ID for the view (profiles) to retrieve. Can * either be a specific account ID or '~all', which refers to all the accounts * to which the user has access. * @param string $webPropertyId Web property ID for the views (profiles) to * retrieve. Can either be a specific web property ID or '~all', which refers to * all the web properties to which the user has access. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of views (profiles) to include * in this response. * @opt_param int start-index An index of the first entity to retrieve. Use this * parameter as a pagination mechanism along with the max-results parameter. * @return Profiles */ public function listManagementProfiles($accountId, $webPropertyId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Profiles::class); } /** * Updates an existing view (profile). This method supports patch semantics. * (profiles.patch) * * @param string $accountId Account ID to which the view (profile) belongs * @param string $webPropertyId Web property ID to which the view (profile) * belongs * @param string $profileId ID of the view (profile) to be updated. * @param Profile $postBody * @param array $optParams Optional parameters. * @return Profile */ public function patch($accountId, $webPropertyId, $profileId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Profile $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Profile::class); } /** * Updates an existing view (profile). (profiles.update) * * @param string $accountId Account ID to which the view (profile) belongs * @param string $webPropertyId Web property ID to which the view (profile) * belongs * @param string $profileId ID of the view (profile) to be updated. * @param Profile $postBody * @param array $optParams Optional parameters. * @return Profile */ public function update($accountId, $webPropertyId, $profileId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Profile $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Profile::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementProfiles::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementProfiles'); google/apiclient-services/src/Analytics/Resource/ManagementUnsampledReports.php 0000644 00000012730 15054470473 0024147 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $unsampledReports = $analyticsService->unsampledReports; * */ class ManagementUnsampledReports extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Deletes an unsampled report. (unsampledReports.delete) * * @param string $accountId Account ID to delete the unsampled report for. * @param string $webPropertyId Web property ID to delete the unsampled reports * for. * @param string $profileId View (Profile) ID to delete the unsampled report * for. * @param string $unsampledReportId ID of the unsampled report to be deleted. * @param array $optParams Optional parameters. */ public function delete($accountId, $webPropertyId, $profileId, $unsampledReportId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'unsampledReportId' => $unsampledReportId]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Returns a single unsampled report. (unsampledReports.get) * * @param string $accountId Account ID to retrieve unsampled report for. * @param string $webPropertyId Web property ID to retrieve unsampled reports * for. * @param string $profileId View (Profile) ID to retrieve unsampled report for. * @param string $unsampledReportId ID of the unsampled report to retrieve. * @param array $optParams Optional parameters. * @return UnsampledReport */ public function get($accountId, $webPropertyId, $profileId, $unsampledReportId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'unsampledReportId' => $unsampledReportId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReport::class); } /** * Create a new unsampled report. (unsampledReports.insert) * * @param string $accountId Account ID to create the unsampled report for. * @param string $webPropertyId Web property ID to create the unsampled report * for. * @param string $profileId View (Profile) ID to create the unsampled report * for. * @param UnsampledReport $postBody * @param array $optParams Optional parameters. * @return UnsampledReport */ public function insert($accountId, $webPropertyId, $profileId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReport $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReport::class); } /** * Lists unsampled reports to which the user has access. * (unsampledReports.listManagementUnsampledReports) * * @param string $accountId Account ID to retrieve unsampled reports for. Must * be a specific account ID, ~all is not supported. * @param string $webPropertyId Web property ID to retrieve unsampled reports * for. Must be a specific web property ID, ~all is not supported. * @param string $profileId View (Profile) ID to retrieve unsampled reports for. * Must be a specific view (profile) ID, ~all is not supported. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of unsampled reports to include * in this response. * @opt_param int start-index An index of the first unsampled report to * retrieve. Use this parameter as a pagination mechanism along with the max- * results parameter. * @return UnsampledReports */ public function listManagementUnsampledReports($accountId, $webPropertyId, $profileId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReports::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementUnsampledReports::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementUnsampledReports'); google/apiclient-services/src/Analytics/Resource/DataGa.php 0000644 00000007023 15054470473 0017763 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $ga = $analyticsService->ga; * */ class DataGa extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Returns Analytics data for a view (profile). (ga.get) * * @param string $ids Unique table ID for retrieving Analytics data. Table ID is * of the form ga:XXXX, where XXXX is the Analytics view (profile) ID. * @param string $startDate Start date for fetching Analytics data. Requests can * specify a start date formatted as YYYY-MM-DD, or as a relative date (e.g., * today, yesterday, or 7daysAgo). The default value is 7daysAgo. * @param string $endDate End date for fetching Analytics data. Request can * should specify an end date formatted as YYYY-MM-DD, or as a relative date * (e.g., today, yesterday, or 7daysAgo). The default value is yesterday. * @param string $metrics A comma-separated list of Analytics metrics. E.g., * 'ga:sessions,ga:pageviews'. At least one metric must be specified. * @param array $optParams Optional parameters. * * @opt_param string dimensions A comma-separated list of Analytics dimensions. * E.g., 'ga:browser,ga:city'. * @opt_param string filters A comma-separated list of dimension or metric * filters to be applied to Analytics data. * @opt_param bool include-empty-rows The response will include empty rows if * this parameter is set to true, the default is true * @opt_param int max-results The maximum number of entries to include in this * feed. * @opt_param string output The selected format for the response. Default format * is JSON. * @opt_param string samplingLevel The desired sampling level. * @opt_param string segment An Analytics segment to be applied to data. * @opt_param string sort A comma-separated list of dimensions or metrics that * determine the sort order for Analytics data. * @opt_param int start-index An index of the first entity to retrieve. Use this * parameter as a pagination mechanism along with the max-results parameter. * @return GaData */ public function get($ids, $startDate, $endDate, $metrics, $optParams = []) { $params = ['ids' => $ids, 'start-date' => $startDate, 'end-date' => $endDate, 'metrics' => $metrics]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\GaData::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\DataGa::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_DataGa'); google/apiclient-services/src/Analytics/Resource/ManagementCustomDataSources.php 0000644 00000004641 15054470473 0024252 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $customDataSources = $analyticsService->customDataSources; * */ class ManagementCustomDataSources extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * List custom data sources to which the user has access. * (customDataSources.listManagementCustomDataSources) * * @param string $accountId Account Id for the custom data sources to retrieve. * @param string $webPropertyId Web property Id for the custom data sources to * retrieve. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of custom data sources to * include in this response. * @opt_param int start-index A 1-based index of the first custom data source to * retrieve. Use this parameter as a pagination mechanism along with the max- * results parameter. * @return CustomDataSources */ public function listManagementCustomDataSources($accountId, $webPropertyId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDataSources::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementCustomDataSources::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementCustomDataSources'); google/apiclient-services/src/Analytics/Resource/ManagementUploads.php 0000644 00000012302 15054470473 0022242 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $uploads = $analyticsService->uploads; * */ class ManagementUploads extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Delete data associated with a previous upload. (uploads.deleteUploadData) * * @param string $accountId Account Id for the uploads to be deleted. * @param string $webPropertyId Web property Id for the uploads to be deleted. * @param string $customDataSourceId Custom data source Id for the uploads to be * deleted. * @param AnalyticsDataimportDeleteUploadDataRequest $postBody * @param array $optParams Optional parameters. */ public function deleteUploadData($accountId, $webPropertyId, $customDataSourceId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\AnalyticsDataimportDeleteUploadDataRequest $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'customDataSourceId' => $customDataSourceId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('deleteUploadData', [$params]); } /** * List uploads to which the user has access. (uploads.get) * * @param string $accountId Account Id for the upload to retrieve. * @param string $webPropertyId Web property Id for the upload to retrieve. * @param string $customDataSourceId Custom data source Id for upload to * retrieve. * @param string $uploadId Upload Id to retrieve. * @param array $optParams Optional parameters. * @return Upload */ public function get($accountId, $webPropertyId, $customDataSourceId, $uploadId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'customDataSourceId' => $customDataSourceId, 'uploadId' => $uploadId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Upload::class); } /** * List uploads to which the user has access. (uploads.listManagementUploads) * * @param string $accountId Account Id for the uploads to retrieve. * @param string $webPropertyId Web property Id for the uploads to retrieve. * @param string $customDataSourceId Custom data source Id for uploads to * retrieve. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of uploads to include in this * response. * @opt_param int start-index A 1-based index of the first upload to retrieve. * Use this parameter as a pagination mechanism along with the max-results * parameter. * @return Uploads */ public function listManagementUploads($accountId, $webPropertyId, $customDataSourceId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'customDataSourceId' => $customDataSourceId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Uploads::class); } /** * Upload data for a custom data source. (uploads.uploadData) * * @param string $accountId Account Id associated with the upload. * @param string $webPropertyId Web property UA-string associated with the * upload. * @param string $customDataSourceId Custom data source Id to which the data * being uploaded belongs. * @param array $optParams Optional parameters. * @return Upload */ public function uploadData($accountId, $webPropertyId, $customDataSourceId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'customDataSourceId' => $customDataSourceId]; $params = \array_merge($params, $optParams); return $this->call('uploadData', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Upload::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementUploads::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementUploads'); google/apiclient-services/src/Analytics/Resource/Management.php 0000644 00000002303 15054470473 0020712 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $management = $analyticsService->management; * */ class Management extends \Google\Site_Kit_Dependencies\Google\Service\Resource { } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\Management::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_Management'); google/apiclient-services/src/Analytics/Resource/ManagementCustomMetrics.php 0000644 00000014436 15054470473 0023446 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $customMetrics = $analyticsService->customMetrics; * */ class ManagementCustomMetrics extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Get a custom metric to which the user has access. (customMetrics.get) * * @param string $accountId Account ID for the custom metric to retrieve. * @param string $webPropertyId Web property ID for the custom metric to * retrieve. * @param string $customMetricId The ID of the custom metric to retrieve. * @param array $optParams Optional parameters. * @return CustomMetric */ public function get($accountId, $webPropertyId, $customMetricId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'customMetricId' => $customMetricId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetric::class); } /** * Create a new custom metric. (customMetrics.insert) * * @param string $accountId Account ID for the custom metric to create. * @param string $webPropertyId Web property ID for the custom dimension to * create. * @param CustomMetric $postBody * @param array $optParams Optional parameters. * @return CustomMetric */ public function insert($accountId, $webPropertyId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetric $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetric::class); } /** * Lists custom metrics to which the user has access. * (customMetrics.listManagementCustomMetrics) * * @param string $accountId Account ID for the custom metrics to retrieve. * @param string $webPropertyId Web property ID for the custom metrics to * retrieve. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of custom metrics to include in * this response. * @opt_param int start-index An index of the first entity to retrieve. Use this * parameter as a pagination mechanism along with the max-results parameter. * @return CustomMetrics */ public function listManagementCustomMetrics($accountId, $webPropertyId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetrics::class); } /** * Updates an existing custom metric. This method supports patch semantics. * (customMetrics.patch) * * @param string $accountId Account ID for the custom metric to update. * @param string $webPropertyId Web property ID for the custom metric to update. * @param string $customMetricId Custom metric ID for the custom metric to * update. * @param CustomMetric $postBody * @param array $optParams Optional parameters. * * @opt_param bool ignoreCustomDataSourceLinks Force the update and ignore any * warnings related to the custom metric being linked to a custom data source / * data set. * @return CustomMetric */ public function patch($accountId, $webPropertyId, $customMetricId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetric $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'customMetricId' => $customMetricId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetric::class); } /** * Updates an existing custom metric. (customMetrics.update) * * @param string $accountId Account ID for the custom metric to update. * @param string $webPropertyId Web property ID for the custom metric to update. * @param string $customMetricId Custom metric ID for the custom metric to * update. * @param CustomMetric $postBody * @param array $optParams Optional parameters. * * @opt_param bool ignoreCustomDataSourceLinks Force the update and ignore any * warnings related to the custom metric being linked to a custom data source / * data set. * @return CustomMetric */ public function update($accountId, $webPropertyId, $customMetricId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetric $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'customMetricId' => $customMetricId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomMetric::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementCustomMetrics::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementCustomMetrics'); google/apiclient-services/src/Analytics/Resource/ManagementRemarketingAudience.php 0000644 00000016274 15054470473 0024555 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $remarketingAudience = $analyticsService->remarketingAudience; * */ class ManagementRemarketingAudience extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Delete a remarketing audience. (remarketingAudience.delete) * * @param string $accountId Account ID to which the remarketing audience * belongs. * @param string $webPropertyId Web property ID to which the remarketing * audience belongs. * @param string $remarketingAudienceId The ID of the remarketing audience to * delete. * @param array $optParams Optional parameters. */ public function delete($accountId, $webPropertyId, $remarketingAudienceId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'remarketingAudienceId' => $remarketingAudienceId]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Gets a remarketing audience to which the user has access. * (remarketingAudience.get) * * @param string $accountId The account ID of the remarketing audience to * retrieve. * @param string $webPropertyId The web property ID of the remarketing audience * to retrieve. * @param string $remarketingAudienceId The ID of the remarketing audience to * retrieve. * @param array $optParams Optional parameters. * @return RemarketingAudience */ public function get($accountId, $webPropertyId, $remarketingAudienceId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'remarketingAudienceId' => $remarketingAudienceId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudience::class); } /** * Creates a new remarketing audience. (remarketingAudience.insert) * * @param string $accountId The account ID for which to create the remarketing * audience. * @param string $webPropertyId Web property ID for which to create the * remarketing audience. * @param RemarketingAudience $postBody * @param array $optParams Optional parameters. * @return RemarketingAudience */ public function insert($accountId, $webPropertyId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudience $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudience::class); } /** * Lists remarketing audiences to which the user has access. * (remarketingAudience.listManagementRemarketingAudience) * * @param string $accountId The account ID of the remarketing audiences to * retrieve. * @param string $webPropertyId The web property ID of the remarketing audiences * to retrieve. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of remarketing audiences to * include in this response. * @opt_param int start-index An index of the first entity to retrieve. Use this * parameter as a pagination mechanism along with the max-results parameter. * @opt_param string type * @return RemarketingAudiences */ public function listManagementRemarketingAudience($accountId, $webPropertyId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudiences::class); } /** * Updates an existing remarketing audience. This method supports patch * semantics. (remarketingAudience.patch) * * @param string $accountId The account ID of the remarketing audience to * update. * @param string $webPropertyId The web property ID of the remarketing audience * to update. * @param string $remarketingAudienceId The ID of the remarketing audience to * update. * @param RemarketingAudience $postBody * @param array $optParams Optional parameters. * @return RemarketingAudience */ public function patch($accountId, $webPropertyId, $remarketingAudienceId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudience $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'remarketingAudienceId' => $remarketingAudienceId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudience::class); } /** * Updates an existing remarketing audience. (remarketingAudience.update) * * @param string $accountId The account ID of the remarketing audience to * update. * @param string $webPropertyId The web property ID of the remarketing audience * to update. * @param string $remarketingAudienceId The ID of the remarketing audience to * update. * @param RemarketingAudience $postBody * @param array $optParams Optional parameters. * @return RemarketingAudience */ public function update($accountId, $webPropertyId, $remarketingAudienceId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudience $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'remarketingAudienceId' => $remarketingAudienceId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudience::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementRemarketingAudience::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementRemarketingAudience'); google/apiclient-services/src/Analytics/Resource/ManagementWebPropertyAdWordsLinks.php 0000644 00000016264 15054470473 0025415 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $webPropertyAdWordsLinks = $analyticsService->webPropertyAdWordsLinks; * */ class ManagementWebPropertyAdWordsLinks extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Deletes a web property-Google Ads link. (webPropertyAdWordsLinks.delete) * * @param string $accountId ID of the account which the given web property * belongs to. * @param string $webPropertyId Web property ID to delete the Google Ads link * for. * @param string $webPropertyAdWordsLinkId Web property Google Ads link ID. * @param array $optParams Optional parameters. */ public function delete($accountId, $webPropertyId, $webPropertyAdWordsLinkId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'webPropertyAdWordsLinkId' => $webPropertyAdWordsLinkId]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Returns a web property-Google Ads link to which the user has access. * (webPropertyAdWordsLinks.get) * * @param string $accountId ID of the account which the given web property * belongs to. * @param string $webPropertyId Web property ID to retrieve the Google Ads link * for. * @param string $webPropertyAdWordsLinkId Web property-Google Ads link ID. * @param array $optParams Optional parameters. * @return EntityAdWordsLink */ public function get($accountId, $webPropertyId, $webPropertyAdWordsLinkId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'webPropertyAdWordsLinkId' => $webPropertyAdWordsLinkId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLink::class); } /** * Creates a webProperty-Google Ads link. (webPropertyAdWordsLinks.insert) * * @param string $accountId ID of the Google Analytics account to create the * link for. * @param string $webPropertyId Web property ID to create the link for. * @param EntityAdWordsLink $postBody * @param array $optParams Optional parameters. * @return EntityAdWordsLink */ public function insert($accountId, $webPropertyId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLink::class); } /** * Lists webProperty-Google Ads links for a given web property. * (webPropertyAdWordsLinks.listManagementWebPropertyAdWordsLinks) * * @param string $accountId ID of the account which the given web property * belongs to. * @param string $webPropertyId Web property ID to retrieve the Google Ads links * for. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of webProperty-Google Ads links * to include in this response. * @opt_param int start-index An index of the first webProperty-Google Ads link * to retrieve. Use this parameter as a pagination mechanism along with the max- * results parameter. * @return EntityAdWordsLinks */ public function listManagementWebPropertyAdWordsLinks($accountId, $webPropertyId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLinks::class); } /** * Updates an existing webProperty-Google Ads link. This method supports patch * semantics. (webPropertyAdWordsLinks.patch) * * @param string $accountId ID of the account which the given web property * belongs to. * @param string $webPropertyId Web property ID to retrieve the Google Ads link * for. * @param string $webPropertyAdWordsLinkId Web property-Google Ads link ID. * @param EntityAdWordsLink $postBody * @param array $optParams Optional parameters. * @return EntityAdWordsLink */ public function patch($accountId, $webPropertyId, $webPropertyAdWordsLinkId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'webPropertyAdWordsLinkId' => $webPropertyAdWordsLinkId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLink::class); } /** * Updates an existing webProperty-Google Ads link. * (webPropertyAdWordsLinks.update) * * @param string $accountId ID of the account which the given web property * belongs to. * @param string $webPropertyId Web property ID to retrieve the Google Ads link * for. * @param string $webPropertyAdWordsLinkId Web property-Google Ads link ID. * @param EntityAdWordsLink $postBody * @param array $optParams Optional parameters. * @return EntityAdWordsLink */ public function update($accountId, $webPropertyId, $webPropertyAdWordsLinkId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'webPropertyAdWordsLinkId' => $webPropertyAdWordsLinkId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLink::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementWebPropertyAdWordsLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementWebPropertyAdWordsLinks'); google/apiclient-services/src/Analytics/Resource/ManagementProfileUserLinks.php 0000644 00000013106 15054470473 0024076 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $profileUserLinks = $analyticsService->profileUserLinks; * */ class ManagementProfileUserLinks extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Removes a user from the given view (profile). (profileUserLinks.delete) * * @param string $accountId Account ID to delete the user link for. * @param string $webPropertyId Web Property ID to delete the user link for. * @param string $profileId View (Profile) ID to delete the user link for. * @param string $linkId Link ID to delete the user link for. * @param array $optParams Optional parameters. */ public function delete($accountId, $webPropertyId, $profileId, $linkId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'linkId' => $linkId]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Adds a new user to the given view (profile). (profileUserLinks.insert) * * @param string $accountId Account ID to create the user link for. * @param string $webPropertyId Web Property ID to create the user link for. * @param string $profileId View (Profile) ID to create the user link for. * @param EntityUserLink $postBody * @param array $optParams Optional parameters. * @return EntityUserLink */ public function insert($accountId, $webPropertyId, $profileId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink::class); } /** * Lists profile-user links for a given view (profile). * (profileUserLinks.listManagementProfileUserLinks) * * @param string $accountId Account ID which the given view (profile) belongs * to. * @param string $webPropertyId Web Property ID which the given view (profile) * belongs to. Can either be a specific web property ID or '~all', which refers * to all the web properties that user has access to. * @param string $profileId View (Profile) ID to retrieve the profile-user links * for. Can either be a specific profile ID or '~all', which refers to all the * profiles that user has access to. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of profile-user links to * include in this response. * @opt_param int start-index An index of the first profile-user link to * retrieve. Use this parameter as a pagination mechanism along with the max- * results parameter. * @return EntityUserLinks */ public function listManagementProfileUserLinks($accountId, $webPropertyId, $profileId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLinks::class); } /** * Updates permissions for an existing user on the given view (profile). * (profileUserLinks.update) * * @param string $accountId Account ID to update the user link for. * @param string $webPropertyId Web Property ID to update the user link for. * @param string $profileId View (Profile ID) to update the user link for. * @param string $linkId Link ID to update the user link for. * @param EntityUserLink $postBody * @param array $optParams Optional parameters. * @return EntityUserLink */ public function update($accountId, $webPropertyId, $profileId, $linkId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'linkId' => $linkId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementProfileUserLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementProfileUserLinks'); google/apiclient-services/src/Analytics/Resource/ManagementFilters.php 0000644 00000012621 15054470473 0022247 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $filters = $analyticsService->filters; * */ class ManagementFilters extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Delete a filter. (filters.delete) * * @param string $accountId Account ID to delete the filter for. * @param string $filterId ID of the filter to be deleted. * @param array $optParams Optional parameters. * @return Filter */ public function delete($accountId, $filterId, $optParams = []) { $params = ['accountId' => $accountId, 'filterId' => $filterId]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Filter::class); } /** * Returns filters to which the user has access. (filters.get) * * @param string $accountId Account ID to retrieve filters for. * @param string $filterId Filter ID to retrieve filters for. * @param array $optParams Optional parameters. * @return Filter */ public function get($accountId, $filterId, $optParams = []) { $params = ['accountId' => $accountId, 'filterId' => $filterId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Filter::class); } /** * Create a new filter. (filters.insert) * * @param string $accountId Account ID to create filter for. * @param Filter $postBody * @param array $optParams Optional parameters. * @return Filter */ public function insert($accountId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Filter $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Filter::class); } /** * Lists all filters for an account (filters.listManagementFilters) * * @param string $accountId Account ID to retrieve filters for. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of filters to include in this * response. * @opt_param int start-index An index of the first entity to retrieve. Use this * parameter as a pagination mechanism along with the max-results parameter. * @return Filters */ public function listManagementFilters($accountId, $optParams = []) { $params = ['accountId' => $accountId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Filters::class); } /** * Updates an existing filter. This method supports patch semantics. * (filters.patch) * * @param string $accountId Account ID to which the filter belongs. * @param string $filterId ID of the filter to be updated. * @param Filter $postBody * @param array $optParams Optional parameters. * @return Filter */ public function patch($accountId, $filterId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Filter $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'filterId' => $filterId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Filter::class); } /** * Updates an existing filter. (filters.update) * * @param string $accountId Account ID to which the filter belongs. * @param string $filterId ID of the filter to be updated. * @param Filter $postBody * @param array $optParams Optional parameters. * @return Filter */ public function update($accountId, $filterId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Filter $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'filterId' => $filterId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Filter::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementFilters::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementFilters'); google/apiclient-services/src/Analytics/Resource/ManagementAccountSummaries.php 0000644 00000004327 15054470473 0024125 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $accountSummaries = $analyticsService->accountSummaries; * */ class ManagementAccountSummaries extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Lists account summaries (lightweight tree comprised of * accounts/properties/profiles) to which the user has access. * (accountSummaries.listManagementAccountSummaries) * * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of account summaries to include * in this response, where the largest acceptable value is 1000. * @opt_param int start-index An index of the first entity to retrieve. Use this * parameter as a pagination mechanism along with the max-results parameter. * @return AccountSummaries */ public function listManagementAccountSummaries($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountSummaries::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementAccountSummaries::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementAccountSummaries'); google/apiclient-services/src/Analytics/Resource/DataRealtime.php 0000644 00000004767 15054470473 0021212 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $realtime = $analyticsService->realtime; * */ class DataRealtime extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Returns real time data for a view (profile). (realtime.get) * * @param string $ids Unique table ID for retrieving real time data. Table ID is * of the form ga:XXXX, where XXXX is the Analytics view (profile) ID. * @param string $metrics A comma-separated list of real time metrics. E.g., * 'rt:activeUsers'. At least one metric must be specified. * @param array $optParams Optional parameters. * * @opt_param string dimensions A comma-separated list of real time dimensions. * E.g., 'rt:medium,rt:city'. * @opt_param string filters A comma-separated list of dimension or metric * filters to be applied to real time data. * @opt_param int max-results The maximum number of entries to include in this * feed. * @opt_param string sort A comma-separated list of dimensions or metrics that * determine the sort order for real time data. * @return RealtimeData */ public function get($ids, $metrics, $optParams = []) { $params = ['ids' => $ids, 'metrics' => $metrics]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\RealtimeData::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\DataRealtime::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_DataRealtime'); google/apiclient-services/src/Analytics/Resource/ManagementWebpropertyUserLinks.php 0000644 00000012067 15054470473 0025025 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $webpropertyUserLinks = $analyticsService->webpropertyUserLinks; * */ class ManagementWebpropertyUserLinks extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Removes a user from the given web property. (webpropertyUserLinks.delete) * * @param string $accountId Account ID to delete the user link for. * @param string $webPropertyId Web Property ID to delete the user link for. * @param string $linkId Link ID to delete the user link for. * @param array $optParams Optional parameters. */ public function delete($accountId, $webPropertyId, $linkId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'linkId' => $linkId]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Adds a new user to the given web property. (webpropertyUserLinks.insert) * * @param string $accountId Account ID to create the user link for. * @param string $webPropertyId Web Property ID to create the user link for. * @param EntityUserLink $postBody * @param array $optParams Optional parameters. * @return EntityUserLink */ public function insert($accountId, $webPropertyId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink::class); } /** * Lists webProperty-user links for a given web property. * (webpropertyUserLinks.listManagementWebpropertyUserLinks) * * @param string $accountId Account ID which the given web property belongs to. * @param string $webPropertyId Web Property ID for the webProperty-user links * to retrieve. Can either be a specific web property ID or '~all', which refers * to all the web properties that user has access to. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of webProperty-user Links to * include in this response. * @opt_param int start-index An index of the first webProperty-user link to * retrieve. Use this parameter as a pagination mechanism along with the max- * results parameter. * @return EntityUserLinks */ public function listManagementWebpropertyUserLinks($accountId, $webPropertyId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLinks::class); } /** * Updates permissions for an existing user on the given web property. * (webpropertyUserLinks.update) * * @param string $accountId Account ID to update the account-user link for. * @param string $webPropertyId Web property ID to update the account-user link * for. * @param string $linkId Link ID to update the account-user link for. * @param EntityUserLink $postBody * @param array $optParams Optional parameters. * @return EntityUserLink */ public function update($accountId, $webPropertyId, $linkId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'linkId' => $linkId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementWebpropertyUserLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementWebpropertyUserLinks'); google/apiclient-services/src/Analytics/Resource/Metadata.php 0000644 00000002267 15054470473 0020367 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $metadata = $analyticsService->metadata; * */ class Metadata extends \Google\Site_Kit_Dependencies\Google\Service\Resource { } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\Metadata::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_Metadata'); google/apiclient-services/src/Analytics/Resource/ManagementSegments.php 0000644 00000003775 15054470473 0022436 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $segments = $analyticsService->segments; * */ class ManagementSegments extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Lists segments to which the user has access. * (segments.listManagementSegments) * * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of segments to include in this * response. * @opt_param int start-index An index of the first segment to retrieve. Use * this parameter as a pagination mechanism along with the max-results * parameter. * @return Segments */ public function listManagementSegments($optParams = []) { $params = []; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Segments::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementSegments::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementSegments'); google/apiclient-services/src/Analytics/Resource/DataMcf.php 0000644 00000006456 15054470473 0020152 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $mcf = $analyticsService->mcf; * */ class DataMcf extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Returns Analytics Multi-Channel Funnels data for a view (profile). (mcf.get) * * @param string $ids Unique table ID for retrieving Analytics data. Table ID is * of the form ga:XXXX, where XXXX is the Analytics view (profile) ID. * @param string $startDate Start date for fetching Analytics data. Requests can * specify a start date formatted as YYYY-MM-DD, or as a relative date (e.g., * today, yesterday, or 7daysAgo). The default value is 7daysAgo. * @param string $endDate End date for fetching Analytics data. Requests can * specify a start date formatted as YYYY-MM-DD, or as a relative date (e.g., * today, yesterday, or 7daysAgo). The default value is 7daysAgo. * @param string $metrics A comma-separated list of Multi-Channel Funnels * metrics. E.g., 'mcf:totalConversions,mcf:totalConversionValue'. At least one * metric must be specified. * @param array $optParams Optional parameters. * * @opt_param string dimensions A comma-separated list of Multi-Channel Funnels * dimensions. E.g., 'mcf:source,mcf:medium'. * @opt_param string filters A comma-separated list of dimension or metric * filters to be applied to the Analytics data. * @opt_param int max-results The maximum number of entries to include in this * feed. * @opt_param string samplingLevel The desired sampling level. * @opt_param string sort A comma-separated list of dimensions or metrics that * determine the sort order for the Analytics data. * @opt_param int start-index An index of the first entity to retrieve. Use this * parameter as a pagination mechanism along with the max-results parameter. * @return McfData */ public function get($ids, $startDate, $endDate, $metrics, $optParams = []) { $params = ['ids' => $ids, 'start-date' => $startDate, 'end-date' => $endDate, 'metrics' => $metrics]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\McfData::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\DataMcf::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_DataMcf'); google/apiclient-services/src/Analytics/Resource/ManagementGoals.php 0000644 00000014357 15054470473 0021714 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $goals = $analyticsService->goals; * */ class ManagementGoals extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Gets a goal to which the user has access. (goals.get) * * @param string $accountId Account ID to retrieve the goal for. * @param string $webPropertyId Web property ID to retrieve the goal for. * @param string $profileId View (Profile) ID to retrieve the goal for. * @param string $goalId Goal ID to retrieve the goal for. * @param array $optParams Optional parameters. * @return Goal */ public function get($accountId, $webPropertyId, $profileId, $goalId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'goalId' => $goalId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Goal::class); } /** * Create a new goal. (goals.insert) * * @param string $accountId Account ID to create the goal for. * @param string $webPropertyId Web property ID to create the goal for. * @param string $profileId View (Profile) ID to create the goal for. * @param Goal $postBody * @param array $optParams Optional parameters. * @return Goal */ public function insert($accountId, $webPropertyId, $profileId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Goal $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Goal::class); } /** * Lists goals to which the user has access. (goals.listManagementGoals) * * @param string $accountId Account ID to retrieve goals for. Can either be a * specific account ID or '~all', which refers to all the accounts that user has * access to. * @param string $webPropertyId Web property ID to retrieve goals for. Can * either be a specific web property ID or '~all', which refers to all the web * properties that user has access to. * @param string $profileId View (Profile) ID to retrieve goals for. Can either * be a specific view (profile) ID or '~all', which refers to all the views * (profiles) that user has access to. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of goals to include in this * response. * @opt_param int start-index An index of the first goal to retrieve. Use this * parameter as a pagination mechanism along with the max-results parameter. * @return Goals */ public function listManagementGoals($accountId, $webPropertyId, $profileId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Goals::class); } /** * Updates an existing goal. This method supports patch semantics. (goals.patch) * * @param string $accountId Account ID to update the goal. * @param string $webPropertyId Web property ID to update the goal. * @param string $profileId View (Profile) ID to update the goal. * @param string $goalId Index of the goal to be updated. * @param Goal $postBody * @param array $optParams Optional parameters. * @return Goal */ public function patch($accountId, $webPropertyId, $profileId, $goalId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Goal $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'goalId' => $goalId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Goal::class); } /** * Updates an existing goal. (goals.update) * * @param string $accountId Account ID to update the goal. * @param string $webPropertyId Web property ID to update the goal. * @param string $profileId View (Profile) ID to update the goal. * @param string $goalId Index of the goal to be updated. * @param Goal $postBody * @param array $optParams Optional parameters. * @return Goal */ public function update($accountId, $webPropertyId, $profileId, $goalId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Goal $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'goalId' => $goalId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Goal::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementGoals::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementGoals'); google/apiclient-services/src/Analytics/Resource/ManagementClientId.php 0000644 00000003713 15054470473 0022334 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $clientId = $analyticsService->clientId; * */ class ManagementClientId extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Hashes the given Client ID. (clientId.hashClientId) * * @param HashClientIdRequest $postBody * @param array $optParams Optional parameters. * @return HashClientIdResponse */ public function hashClientId(\Google\Site_Kit_Dependencies\Google\Service\Analytics\HashClientIdRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('hashClientId', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\HashClientIdResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementClientId::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementClientId'); google/apiclient-services/src/Analytics/Resource/ManagementProfileFilterLinks.php 0000644 00000017045 15054470473 0024413 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $profileFilterLinks = $analyticsService->profileFilterLinks; * */ class ManagementProfileFilterLinks extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Delete a profile filter link. (profileFilterLinks.delete) * * @param string $accountId Account ID to which the profile filter link belongs. * @param string $webPropertyId Web property Id to which the profile filter link * belongs. * @param string $profileId Profile ID to which the filter link belongs. * @param string $linkId ID of the profile filter link to delete. * @param array $optParams Optional parameters. */ public function delete($accountId, $webPropertyId, $profileId, $linkId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'linkId' => $linkId]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Returns a single profile filter link. (profileFilterLinks.get) * * @param string $accountId Account ID to retrieve profile filter link for. * @param string $webPropertyId Web property Id to retrieve profile filter link * for. * @param string $profileId Profile ID to retrieve filter link for. * @param string $linkId ID of the profile filter link. * @param array $optParams Optional parameters. * @return ProfileFilterLink */ public function get($accountId, $webPropertyId, $profileId, $linkId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'linkId' => $linkId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileFilterLink::class); } /** * Create a new profile filter link. (profileFilterLinks.insert) * * @param string $accountId Account ID to create profile filter link for. * @param string $webPropertyId Web property Id to create profile filter link * for. * @param string $profileId Profile ID to create filter link for. * @param ProfileFilterLink $postBody * @param array $optParams Optional parameters. * @return ProfileFilterLink */ public function insert($accountId, $webPropertyId, $profileId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileFilterLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileFilterLink::class); } /** * Lists all profile filter links for a profile. * (profileFilterLinks.listManagementProfileFilterLinks) * * @param string $accountId Account ID to retrieve profile filter links for. * @param string $webPropertyId Web property Id for profile filter links for. * Can either be a specific web property ID or '~all', which refers to all the * web properties that user has access to. * @param string $profileId Profile ID to retrieve filter links for. Can either * be a specific profile ID or '~all', which refers to all the profiles that * user has access to. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of profile filter links to * include in this response. * @opt_param int start-index An index of the first entity to retrieve. Use this * parameter as a pagination mechanism along with the max-results parameter. * @return ProfileFilterLinks */ public function listManagementProfileFilterLinks($accountId, $webPropertyId, $profileId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileFilterLinks::class); } /** * Update an existing profile filter link. This method supports patch semantics. * (profileFilterLinks.patch) * * @param string $accountId Account ID to which profile filter link belongs. * @param string $webPropertyId Web property Id to which profile filter link * belongs * @param string $profileId Profile ID to which filter link belongs * @param string $linkId ID of the profile filter link to be updated. * @param ProfileFilterLink $postBody * @param array $optParams Optional parameters. * @return ProfileFilterLink */ public function patch($accountId, $webPropertyId, $profileId, $linkId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileFilterLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'linkId' => $linkId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileFilterLink::class); } /** * Update an existing profile filter link. (profileFilterLinks.update) * * @param string $accountId Account ID to which profile filter link belongs. * @param string $webPropertyId Web property Id to which profile filter link * belongs * @param string $profileId Profile ID to which filter link belongs * @param string $linkId ID of the profile filter link to be updated. * @param ProfileFilterLink $postBody * @param array $optParams Optional parameters. * @return ProfileFilterLink */ public function update($accountId, $webPropertyId, $profileId, $linkId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileFilterLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'profileId' => $profileId, 'linkId' => $linkId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileFilterLink::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementProfileFilterLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementProfileFilterLinks'); google/apiclient-services/src/Analytics/Resource/ManagementCustomDimensions.php 0000644 00000014757 15054470473 0024156 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $customDimensions = $analyticsService->customDimensions; * */ class ManagementCustomDimensions extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Get a custom dimension to which the user has access. (customDimensions.get) * * @param string $accountId Account ID for the custom dimension to retrieve. * @param string $webPropertyId Web property ID for the custom dimension to * retrieve. * @param string $customDimensionId The ID of the custom dimension to retrieve. * @param array $optParams Optional parameters. * @return CustomDimension */ public function get($accountId, $webPropertyId, $customDimensionId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'customDimensionId' => $customDimensionId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimension::class); } /** * Create a new custom dimension. (customDimensions.insert) * * @param string $accountId Account ID for the custom dimension to create. * @param string $webPropertyId Web property ID for the custom dimension to * create. * @param CustomDimension $postBody * @param array $optParams Optional parameters. * @return CustomDimension */ public function insert($accountId, $webPropertyId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimension $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimension::class); } /** * Lists custom dimensions to which the user has access. * (customDimensions.listManagementCustomDimensions) * * @param string $accountId Account ID for the custom dimensions to retrieve. * @param string $webPropertyId Web property ID for the custom dimensions to * retrieve. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of custom dimensions to include * in this response. * @opt_param int start-index An index of the first entity to retrieve. Use this * parameter as a pagination mechanism along with the max-results parameter. * @return CustomDimensions */ public function listManagementCustomDimensions($accountId, $webPropertyId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimensions::class); } /** * Updates an existing custom dimension. This method supports patch semantics. * (customDimensions.patch) * * @param string $accountId Account ID for the custom dimension to update. * @param string $webPropertyId Web property ID for the custom dimension to * update. * @param string $customDimensionId Custom dimension ID for the custom dimension * to update. * @param CustomDimension $postBody * @param array $optParams Optional parameters. * * @opt_param bool ignoreCustomDataSourceLinks Force the update and ignore any * warnings related to the custom dimension being linked to a custom data source * / data set. * @return CustomDimension */ public function patch($accountId, $webPropertyId, $customDimensionId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimension $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'customDimensionId' => $customDimensionId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimension::class); } /** * Updates an existing custom dimension. (customDimensions.update) * * @param string $accountId Account ID for the custom dimension to update. * @param string $webPropertyId Web property ID for the custom dimension to * update. * @param string $customDimensionId Custom dimension ID for the custom dimension * to update. * @param CustomDimension $postBody * @param array $optParams Optional parameters. * * @opt_param bool ignoreCustomDataSourceLinks Force the update and ignore any * warnings related to the custom dimension being linked to a custom data source * / data set. * @return CustomDimension */ public function update($accountId, $webPropertyId, $customDimensionId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimension $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'customDimensionId' => $customDimensionId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimension::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementCustomDimensions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementCustomDimensions'); google/apiclient-services/src/Analytics/Resource/ManagementAccountUserLinks.php 0000644 00000010456 15054470473 0024077 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $accountUserLinks = $analyticsService->accountUserLinks; * */ class ManagementAccountUserLinks extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Removes a user from the given account. (accountUserLinks.delete) * * @param string $accountId Account ID to delete the user link for. * @param string $linkId Link ID to delete the user link for. * @param array $optParams Optional parameters. */ public function delete($accountId, $linkId, $optParams = []) { $params = ['accountId' => $accountId, 'linkId' => $linkId]; $params = \array_merge($params, $optParams); return $this->call('delete', [$params]); } /** * Adds a new user to the given account. (accountUserLinks.insert) * * @param string $accountId Account ID to create the user link for. * @param EntityUserLink $postBody * @param array $optParams Optional parameters. * @return EntityUserLink */ public function insert($accountId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink::class); } /** * Lists account-user links for a given account. * (accountUserLinks.listManagementAccountUserLinks) * * @param string $accountId Account ID to retrieve the user links for. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of account-user links to * include in this response. * @opt_param int start-index An index of the first account-user link to * retrieve. Use this parameter as a pagination mechanism along with the max- * results parameter. * @return EntityUserLinks */ public function listManagementAccountUserLinks($accountId, $optParams = []) { $params = ['accountId' => $accountId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLinks::class); } /** * Updates permissions for an existing user on the given account. * (accountUserLinks.update) * * @param string $accountId Account ID to update the account-user link for. * @param string $linkId Link ID to update the account-user link for. * @param EntityUserLink $postBody * @param array $optParams Optional parameters. * @return EntityUserLink */ public function update($accountId, $linkId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'linkId' => $linkId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementAccountUserLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementAccountUserLinks'); google/apiclient-services/src/Analytics/Resource/UserDeletion.php 0000644 00000002317 15054470473 0021245 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $userDeletion = $analyticsService->userDeletion; * */ class UserDeletion extends \Google\Site_Kit_Dependencies\Google\Service\Resource { } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\UserDeletion::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_UserDeletion'); google/apiclient-services/src/Analytics/Resource/Data.php 0000644 00000002237 15054470473 0017515 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $data = $analyticsService->data; * */ class Data extends \Google\Site_Kit_Dependencies\Google\Service\Resource { } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\Data::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_Data'); google/apiclient-services/src/Analytics/Resource/Provisioning.php 0000644 00000005147 15054470473 0021335 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $provisioning = $analyticsService->provisioning; * */ class Provisioning extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Creates an account ticket. (provisioning.createAccountTicket) * * @param AccountTicket $postBody * @param array $optParams Optional parameters. * @return AccountTicket */ public function createAccountTicket(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountTicket $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('createAccountTicket', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountTicket::class); } /** * Provision account. (provisioning.createAccountTree) * * @param AccountTreeRequest $postBody * @param array $optParams Optional parameters. * @return AccountTreeResponse */ public function createAccountTree(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountTreeRequest $postBody, $optParams = []) { $params = ['postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('createAccountTree', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountTreeResponse::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\Provisioning::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_Provisioning'); google/apiclient-services/src/Analytics/Resource/ManagementWebproperties.php 0000644 00000012565 15054470473 0023500 0 ustar 00 * $analyticsService = new Google\Service\Analytics(...); * $webproperties = $analyticsService->webproperties; * */ class ManagementWebproperties extends \Google\Site_Kit_Dependencies\Google\Service\Resource { /** * Gets a web property to which the user has access. (webproperties.get) * * @param string $accountId Account ID to retrieve the web property for. * @param string $webPropertyId ID to retrieve the web property for. * @param array $optParams Optional parameters. * @return Webproperty */ public function get($accountId, $webPropertyId, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId]; $params = \array_merge($params, $optParams); return $this->call('get', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperty::class); } /** * Create a new property if the account has fewer than 20 properties. Web * properties are visible in the Google Analytics interface only if they have at * least one profile. (webproperties.insert) * * @param string $accountId Account ID to create the web property for. * @param Webproperty $postBody * @param array $optParams Optional parameters. * @return Webproperty */ public function insert($accountId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperty $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('insert', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperty::class); } /** * Lists web properties to which the user has access. * (webproperties.listManagementWebproperties) * * @param string $accountId Account ID to retrieve web properties for. Can * either be a specific account ID or '~all', which refers to all the accounts * that user has access to. * @param array $optParams Optional parameters. * * @opt_param int max-results The maximum number of web properties to include in * this response. * @opt_param int start-index An index of the first entity to retrieve. Use this * parameter as a pagination mechanism along with the max-results parameter. * @return Webproperties */ public function listManagementWebproperties($accountId, $optParams = []) { $params = ['accountId' => $accountId]; $params = \array_merge($params, $optParams); return $this->call('list', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperties::class); } /** * Updates an existing web property. This method supports patch semantics. * (webproperties.patch) * * @param string $accountId Account ID to which the web property belongs * @param string $webPropertyId Web property ID * @param Webproperty $postBody * @param array $optParams Optional parameters. * @return Webproperty */ public function patch($accountId, $webPropertyId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperty $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('patch', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperty::class); } /** * Updates an existing web property. (webproperties.update) * * @param string $accountId Account ID to which the web property belongs * @param string $webPropertyId Web property ID * @param Webproperty $postBody * @param array $optParams Optional parameters. * @return Webproperty */ public function update($accountId, $webPropertyId, \Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperty $postBody, $optParams = []) { $params = ['accountId' => $accountId, 'webPropertyId' => $webPropertyId, 'postBody' => $postBody]; $params = \array_merge($params, $optParams); return $this->call('update', [$params], \Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperty::class); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Resource\ManagementWebproperties::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Resource_ManagementWebproperties'); google/apiclient-services/src/Analytics/AdWordsAccount.php 0000644 00000003630 15054470473 0017733 0 ustar 00 autoTaggingEnabled = $autoTaggingEnabled; } /** * @return bool */ public function getAutoTaggingEnabled() { return $this->autoTaggingEnabled; } /** * @param string */ public function setCustomerId($customerId) { $this->customerId = $customerId; } /** * @return string */ public function getCustomerId() { return $this->customerId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AdWordsAccount::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_AdWordsAccount'); google/apiclient-services/src/Analytics/AccountTreeRequest.php 0000644 00000005511 15054470473 0020640 0 ustar 00 accountName = $accountName; } /** * @return string */ public function getAccountName() { return $this->accountName; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setProfileName($profileName) { $this->profileName = $profileName; } /** * @return string */ public function getProfileName() { return $this->profileName; } /** * @param string */ public function setTimezone($timezone) { $this->timezone = $timezone; } /** * @return string */ public function getTimezone() { return $this->timezone; } /** * @param string */ public function setWebpropertyName($webpropertyName) { $this->webpropertyName = $webpropertyName; } /** * @return string */ public function getWebpropertyName() { return $this->webpropertyName; } /** * @param string */ public function setWebsiteUrl($websiteUrl) { $this->websiteUrl = $websiteUrl; } /** * @return string */ public function getWebsiteUrl() { return $this->websiteUrl; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountTreeRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_AccountTreeRequest'); google/apiclient-services/src/Analytics/McfDataProfileInfo.php 0000644 00000005626 15054470473 0020516 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setProfileId($profileId) { $this->profileId = $profileId; } /** * @return string */ public function getProfileId() { return $this->profileId; } /** * @param string */ public function setProfileName($profileName) { $this->profileName = $profileName; } /** * @return string */ public function getProfileName() { return $this->profileName; } /** * @param string */ public function setTableId($tableId) { $this->tableId = $tableId; } /** * @return string */ public function getTableId() { return $this->tableId; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\McfDataProfileInfo::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_McfDataProfileInfo'); google/apiclient-services/src/Analytics/EntityUserLinks.php 0000644 00000006324 15054470473 0020172 0 ustar 00 items = $items; } /** * @return EntityUserLink[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_EntityUserLinks'); google/apiclient-services/src/Analytics/AccountTicket.php 0000644 00000006215 15054470473 0017615 0 ustar 00 account = $account; } /** * @return Account */ public function getAccount() { return $this->account; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param Profile */ public function setProfile(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Profile $profile) { $this->profile = $profile; } /** * @return Profile */ public function getProfile() { return $this->profile; } /** * @param string */ public function setRedirectUri($redirectUri) { $this->redirectUri = $redirectUri; } /** * @return string */ public function getRedirectUri() { return $this->redirectUri; } /** * @param Webproperty */ public function setWebproperty(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperty $webproperty) { $this->webproperty = $webproperty; } /** * @return Webproperty */ public function getWebproperty() { return $this->webproperty; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountTicket::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_AccountTicket'); google/apiclient-services/src/Analytics/GaDataDataTableRows.php 0000644 00000002617 15054470473 0020615 0 ustar 00 c = $c; } /** * @return GaDataDataTableRowsC[] */ public function getC() { return $this->c; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GaDataDataTableRows::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GaDataDataTableRows'); google/apiclient-services/src/Analytics/ProfilePermissions.php 0000644 00000002525 15054470473 0020711 0 ustar 00 effective = $effective; } /** * @return string[] */ public function getEffective() { return $this->effective; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfilePermissions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_ProfilePermissions'); google/apiclient-services/src/Analytics/Webproperty.php 0000644 00000017002 15054470473 0017373 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param WebpropertyChildLink */ public function setChildLink(\Google\Site_Kit_Dependencies\Google\Service\Analytics\WebpropertyChildLink $childLink) { $this->childLink = $childLink; } /** * @return WebpropertyChildLink */ public function getChildLink() { return $this->childLink; } /** * @param string */ public function setCreated($created) { $this->created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param bool */ public function setDataRetentionResetOnNewActivity($dataRetentionResetOnNewActivity) { $this->dataRetentionResetOnNewActivity = $dataRetentionResetOnNewActivity; } /** * @return bool */ public function getDataRetentionResetOnNewActivity() { return $this->dataRetentionResetOnNewActivity; } /** * @param string */ public function setDataRetentionTtl($dataRetentionTtl) { $this->dataRetentionTtl = $dataRetentionTtl; } /** * @return string */ public function getDataRetentionTtl() { return $this->dataRetentionTtl; } /** * @param string */ public function setDefaultProfileId($defaultProfileId) { $this->defaultProfileId = $defaultProfileId; } /** * @return string */ public function getDefaultProfileId() { return $this->defaultProfileId; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setIndustryVertical($industryVertical) { $this->industryVertical = $industryVertical; } /** * @return string */ public function getIndustryVertical() { return $this->industryVertical; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setLevel($level) { $this->level = $level; } /** * @return string */ public function getLevel() { return $this->level; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param WebpropertyParentLink */ public function setParentLink(\Google\Site_Kit_Dependencies\Google\Service\Analytics\WebpropertyParentLink $parentLink) { $this->parentLink = $parentLink; } /** * @return WebpropertyParentLink */ public function getParentLink() { return $this->parentLink; } /** * @param WebpropertyPermissions */ public function setPermissions(\Google\Site_Kit_Dependencies\Google\Service\Analytics\WebpropertyPermissions $permissions) { $this->permissions = $permissions; } /** * @return WebpropertyPermissions */ public function getPermissions() { return $this->permissions; } /** * @param int */ public function setProfileCount($profileCount) { $this->profileCount = $profileCount; } /** * @return int */ public function getProfileCount() { return $this->profileCount; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param bool */ public function setStarred($starred) { $this->starred = $starred; } /** * @return bool */ public function getStarred() { return $this->starred; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } /** * @param string */ public function setWebsiteUrl($websiteUrl) { $this->websiteUrl = $websiteUrl; } /** * @return string */ public function getWebsiteUrl() { return $this->websiteUrl; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Webproperty::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Webproperty'); google/apiclient-services/src/Analytics/WebPropertySummary.php 0000644 00000006740 15054470473 0020720 0 ustar 00 id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setLevel($level) { $this->level = $level; } /** * @return string */ public function getLevel() { return $this->level; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param ProfileSummary[] */ public function setProfiles($profiles) { $this->profiles = $profiles; } /** * @return ProfileSummary[] */ public function getProfiles() { return $this->profiles; } /** * @param bool */ public function setStarred($starred) { $this->starred = $starred; } /** * @return bool */ public function getStarred() { return $this->starred; } /** * @param string */ public function setWebsiteUrl($websiteUrl) { $this->websiteUrl = $websiteUrl; } /** * @return string */ public function getWebsiteUrl() { return $this->websiteUrl; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\WebPropertySummary::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_WebPropertySummary'); google/apiclient-services/src/Analytics/FilterLowercaseDetails.php 0000644 00000003100 15054470473 0021443 0 ustar 00 field = $field; } /** * @return string */ public function getField() { return $this->field; } /** * @param int */ public function setFieldIndex($fieldIndex) { $this->fieldIndex = $fieldIndex; } /** * @return int */ public function getFieldIndex() { return $this->fieldIndex; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterLowercaseDetails::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_FilterLowercaseDetails'); google/apiclient-services/src/Analytics/AccountSummary.php 0000644 00000005057 15054470473 0020032 0 ustar 00 id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param bool */ public function setStarred($starred) { $this->starred = $starred; } /** * @return bool */ public function getStarred() { return $this->starred; } /** * @param WebPropertySummary[] */ public function setWebProperties($webProperties) { $this->webProperties = $webProperties; } /** * @return WebPropertySummary[] */ public function getWebProperties() { return $this->webProperties; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountSummary::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_AccountSummary'); google/apiclient-services/src/Analytics/WebpropertyChildLink.php 0000644 00000003022 15054470473 0021152 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\WebpropertyChildLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_WebpropertyChildLink'); google/apiclient-services/src/Analytics/EntityUserLink.php 0000644 00000006337 15054470473 0020013 0 ustar 00 entity = $entity; } /** * @return EntityUserLinkEntity */ public function getEntity() { return $this->entity; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param EntityUserLinkPermissions */ public function setPermissions(\Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLinkPermissions $permissions) { $this->permissions = $permissions; } /** * @return EntityUserLinkPermissions */ public function getPermissions() { return $this->permissions; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param UserRef */ public function setUserRef(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UserRef $userRef) { $this->userRef = $userRef; } /** * @return UserRef */ public function getUserRef() { return $this->userRef; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_EntityUserLink'); google/apiclient-services/src/Analytics/Account.php 0000644 00000007576 15054470473 0016464 0 ustar 00 childLink = $childLink; } /** * @return AccountChildLink */ public function getChildLink() { return $this->childLink; } /** * @param string */ public function setCreated($created) { $this->created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param AccountPermissions */ public function setPermissions(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountPermissions $permissions) { $this->permissions = $permissions; } /** * @return AccountPermissions */ public function getPermissions() { return $this->permissions; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param bool */ public function setStarred($starred) { $this->starred = $starred; } /** * @return bool */ public function getStarred() { return $this->starred; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Account::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Account'); google/apiclient-services/src/Analytics/CustomDimensionParentLink.php 0000644 00000003041 15054470473 0022157 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDimensionParentLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_CustomDimensionParentLink'); google/apiclient-services/src/Analytics/GaDataDataTableRowsC.php 0000644 00000002353 15054470473 0020715 0 ustar 00 v = $v; } /** * @return string */ public function getV() { return $this->v; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GaDataDataTableRowsC::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GaDataDataTableRowsC'); google/apiclient-services/src/Analytics/McfDataQuery.php 0000644 00000010616 15054470473 0017402 0 ustar 00 "end-date", "maxResults" => "max-results", "startDate" => "start-date", "startIndex" => "start-index"]; /** * @var string */ public $dimensions; /** * @var string */ public $endDate; /** * @var string */ public $filters; /** * @var string */ public $ids; /** * @var int */ public $maxResults; /** * @var string[] */ public $metrics; /** * @var string */ public $samplingLevel; /** * @var string */ public $segment; /** * @var string[] */ public $sort; /** * @var string */ public $startDate; /** * @var int */ public $startIndex; /** * @param string */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return string */ public function getDimensions() { return $this->dimensions; } /** * @param string */ public function setEndDate($endDate) { $this->endDate = $endDate; } /** * @return string */ public function getEndDate() { return $this->endDate; } /** * @param string */ public function setFilters($filters) { $this->filters = $filters; } /** * @return string */ public function getFilters() { return $this->filters; } /** * @param string */ public function setIds($ids) { $this->ids = $ids; } /** * @return string */ public function getIds() { return $this->ids; } /** * @param int */ public function setMaxResults($maxResults) { $this->maxResults = $maxResults; } /** * @return int */ public function getMaxResults() { return $this->maxResults; } /** * @param string[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return string[] */ public function getMetrics() { return $this->metrics; } /** * @param string */ public function setSamplingLevel($samplingLevel) { $this->samplingLevel = $samplingLevel; } /** * @return string */ public function getSamplingLevel() { return $this->samplingLevel; } /** * @param string */ public function setSegment($segment) { $this->segment = $segment; } /** * @return string */ public function getSegment() { return $this->segment; } /** * @param string[] */ public function setSort($sort) { $this->sort = $sort; } /** * @return string[] */ public function getSort() { return $this->sort; } /** * @param string */ public function setStartDate($startDate) { $this->startDate = $startDate; } /** * @return string */ public function getStartDate() { return $this->startDate; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\McfDataQuery::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_McfDataQuery'); google/apiclient-services/src/Analytics/WebpropertyParentLink.php 0000644 00000003025 15054470473 0021363 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\WebpropertyParentLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_WebpropertyParentLink'); src/Analytics/RemarketingAudienceStateBasedAudienceDefinitionExcludeConditions.php 0000644 00000003406 15054470473 0031656 0 ustar 00 google/apiclient-services exclusionDuration = $exclusionDuration; } /** * @return string */ public function getExclusionDuration() { return $this->exclusionDuration; } /** * @param string */ public function setSegment($segment) { $this->segment = $segment; } /** * @return string */ public function getSegment() { return $this->segment; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudienceStateBasedAudienceDefinitionExcludeConditions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_RemarketingAudienceStateBasedAudienceDefinitionExcludeConditions'); google/apiclient-services/src/Analytics/CustomDataSource.php 0000644 00000014326 15054470473 0020304 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param CustomDataSourceChildLink */ public function setChildLink(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDataSourceChildLink $childLink) { $this->childLink = $childLink; } /** * @return CustomDataSourceChildLink */ public function getChildLink() { return $this->childLink; } /** * @param string */ public function setCreated($created) { $this->created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param string */ public function setDescription($description) { $this->description = $description; } /** * @return string */ public function getDescription() { return $this->description; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setImportBehavior($importBehavior) { $this->importBehavior = $importBehavior; } /** * @return string */ public function getImportBehavior() { return $this->importBehavior; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param CustomDataSourceParentLink */ public function setParentLink(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDataSourceParentLink $parentLink) { $this->parentLink = $parentLink; } /** * @return CustomDataSourceParentLink */ public function getParentLink() { return $this->parentLink; } /** * @param string[] */ public function setProfilesLinked($profilesLinked) { $this->profilesLinked = $profilesLinked; } /** * @return string[] */ public function getProfilesLinked() { return $this->profilesLinked; } /** * @param string[] */ public function setSchema($schema) { $this->schema = $schema; } /** * @return string[] */ public function getSchema() { return $this->schema; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } /** * @param string */ public function setUploadType($uploadType) { $this->uploadType = $uploadType; } /** * @return string */ public function getUploadType() { return $this->uploadType; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDataSource::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_CustomDataSource'); google/apiclient-services/src/Analytics/FilterSearchAndReplaceDetails.php 0000644 00000005073 15054470473 0022656 0 ustar 00 caseSensitive = $caseSensitive; } /** * @return bool */ public function getCaseSensitive() { return $this->caseSensitive; } /** * @param string */ public function setField($field) { $this->field = $field; } /** * @return string */ public function getField() { return $this->field; } /** * @param int */ public function setFieldIndex($fieldIndex) { $this->fieldIndex = $fieldIndex; } /** * @return int */ public function getFieldIndex() { return $this->fieldIndex; } /** * @param string */ public function setReplaceString($replaceString) { $this->replaceString = $replaceString; } /** * @return string */ public function getReplaceString() { return $this->replaceString; } /** * @param string */ public function setSearchString($searchString) { $this->searchString = $searchString; } /** * @return string */ public function getSearchString() { return $this->searchString; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterSearchAndReplaceDetails::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_FilterSearchAndReplaceDetails'); google/apiclient-services/src/Analytics/ProfileSummary.php 0000644 00000004467 15054470473 0020042 0 ustar 00 id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param bool */ public function setStarred($starred) { $this->starred = $starred; } /** * @return bool */ public function getStarred() { return $this->starred; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileSummary::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_ProfileSummary'); google/apiclient-services/src/Analytics/UnsampledReportDriveDownloadDetails.php 0000644 00000002527 15054470473 0024173 0 ustar 00 documentId = $documentId; } /** * @return string */ public function getDocumentId() { return $this->documentId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UnsampledReportDriveDownloadDetails::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_UnsampledReportDriveDownloadDetails'); google/apiclient-services/src/Analytics/AnalyticsDataimportDeleteUploadDataRequest.php 0000644 00000002765 15054470473 0025472 0 ustar 00 customDataImportUids = $customDataImportUids; } /** * @return string[] */ public function getCustomDataImportUids() { return $this->customDataImportUids; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AnalyticsDataimportDeleteUploadDataRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_AnalyticsDataimportDeleteUploadDataRequest'); google/apiclient-services/src/Analytics/EntityAdWordsLink.php 0000644 00000006571 15054470473 0020440 0 ustar 00 adWordsAccounts = $adWordsAccounts; } /** * @return AdWordsAccount[] */ public function getAdWordsAccounts() { return $this->adWordsAccounts; } /** * @param EntityAdWordsLinkEntity */ public function setEntity(\Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLinkEntity $entity) { $this->entity = $entity; } /** * @return EntityAdWordsLinkEntity */ public function getEntity() { return $this->entity; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string[] */ public function setProfileIds($profileIds) { $this->profileIds = $profileIds; } /** * @return string[] */ public function getProfileIds() { return $this->profileIds; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_EntityAdWordsLink'); google/apiclient-services/src/Analytics/Profiles.php 0000644 00000006730 15054470473 0016642 0 ustar 00 items = $items; } /** * @return Profile[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Profiles::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Profiles'); google/apiclient-services/src/Analytics/McfDataRows.php 0000644 00000003617 15054470473 0017232 0 ustar 00 conversionPathValue = $conversionPathValue; } /** * @return McfDataRowsConversionPathValue[] */ public function getConversionPathValue() { return $this->conversionPathValue; } /** * @param string */ public function setPrimitiveValue($primitiveValue) { $this->primitiveValue = $primitiveValue; } /** * @return string */ public function getPrimitiveValue() { return $this->primitiveValue; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\McfDataRows::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_McfDataRows'); google/apiclient-services/src/Analytics/WebPropertyRef.php 0000644 00000005324 15054470473 0017774 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setHref($href) { $this->href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\WebPropertyRef::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_WebPropertyRef'); google/apiclient-services/src/Analytics/Upload.php 0000644 00000006064 15054470473 0016303 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setCustomDataSourceId($customDataSourceId) { $this->customDataSourceId = $customDataSourceId; } /** * @return string */ public function getCustomDataSourceId() { return $this->customDataSourceId; } /** * @param string[] */ public function setErrors($errors) { $this->errors = $errors; } /** * @return string[] */ public function getErrors() { return $this->errors; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setStatus($status) { $this->status = $status; } /** * @return string */ public function getStatus() { return $this->status; } /** * @param string */ public function setUploadTime($uploadTime) { $this->uploadTime = $uploadTime; } /** * @return string */ public function getUploadTime() { return $this->uploadTime; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Upload::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Upload'); google/apiclient-services/src/Analytics/EntityUserLinkPermissions.php 0000644 00000003205 15054470473 0022236 0 ustar 00 effective = $effective; } /** * @return string[] */ public function getEffective() { return $this->effective; } /** * @param string[] */ public function setLocal($local) { $this->local = $local; } /** * @return string[] */ public function getLocal() { return $this->local; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLinkPermissions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_EntityUserLinkPermissions'); google/apiclient-services/src/Analytics/IncludeConditions.php 0000644 00000005061 15054470473 0020470 0 ustar 00 daysToLookBack = $daysToLookBack; } /** * @return int */ public function getDaysToLookBack() { return $this->daysToLookBack; } /** * @param bool */ public function setIsSmartList($isSmartList) { $this->isSmartList = $isSmartList; } /** * @return bool */ public function getIsSmartList() { return $this->isSmartList; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param int */ public function setMembershipDurationDays($membershipDurationDays) { $this->membershipDurationDays = $membershipDurationDays; } /** * @return int */ public function getMembershipDurationDays() { return $this->membershipDurationDays; } /** * @param string */ public function setSegment($segment) { $this->segment = $segment; } /** * @return string */ public function getSegment() { return $this->segment; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\IncludeConditions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_IncludeConditions'); google/apiclient-services/src/Analytics/Column.php 0000644 00000003434 15054470473 0016312 0 ustar 00 attributes = $attributes; } /** * @return string[] */ public function getAttributes() { return $this->attributes; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Column::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Column'); google/apiclient-services/src/Analytics/Segment.php 0000644 00000006756 15054470473 0016471 0 ustar 00 created = $created; } /** * @return string */ public function getCreated() { return $this->created; } /** * @param string */ public function setDefinition($definition) { $this->definition = $definition; } /** * @return string */ public function getDefinition() { return $this->definition; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setSegmentId($segmentId) { $this->segmentId = $segmentId; } /** * @return string */ public function getSegmentId() { return $this->segmentId; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setUpdated($updated) { $this->updated = $updated; } /** * @return string */ public function getUpdated() { return $this->updated; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Segment::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Segment'); google/apiclient-services/src/Analytics/GaDataColumnHeaders.php 0000644 00000003547 15054470473 0020655 0 ustar 00 columnType = $columnType; } /** * @return string */ public function getColumnType() { return $this->columnType; } /** * @param string */ public function setDataType($dataType) { $this->dataType = $dataType; } /** * @return string */ public function getDataType() { return $this->dataType; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GaDataColumnHeaders::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GaDataColumnHeaders'); google/apiclient-services/src/Analytics/Goals.php 0000644 00000006706 15054470473 0016127 0 ustar 00 items = $items; } /** * @return Goal[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Goals::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Goals'); google/apiclient-services/src/Analytics/AccountRef.php 0000644 00000004012 15054470473 0017077 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountRef::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_AccountRef'); google/apiclient-services/src/Analytics/GaDataDataTableCols.php 0000644 00000003432 15054470473 0020557 0 ustar 00 id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setLabel($label) { $this->label = $label; } /** * @return string */ public function getLabel() { return $this->label; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GaDataDataTableCols::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GaDataDataTableCols'); google/apiclient-services/src/Analytics/Filters.php 0000644 00000006722 15054470473 0016470 0 ustar 00 items = $items; } /** * @return Filter[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Filters::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Filters'); google/apiclient-services/src/Analytics/RealtimeDataProfileInfo.php 0000644 00000005645 15054470473 0021554 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setProfileId($profileId) { $this->profileId = $profileId; } /** * @return string */ public function getProfileId() { return $this->profileId; } /** * @param string */ public function setProfileName($profileName) { $this->profileName = $profileName; } /** * @return string */ public function getProfileName() { return $this->profileName; } /** * @param string */ public function setTableId($tableId) { $this->tableId = $tableId; } /** * @return string */ public function getTableId() { return $this->tableId; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RealtimeDataProfileInfo::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_RealtimeDataProfileInfo'); google/apiclient-services/src/Analytics/McfDataColumnHeaders.php 0000644 00000003552 15054470473 0021027 0 ustar 00 columnType = $columnType; } /** * @return string */ public function getColumnType() { return $this->columnType; } /** * @param string */ public function setDataType($dataType) { $this->dataType = $dataType; } /** * @return string */ public function getDataType() { return $this->dataType; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\McfDataColumnHeaders::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_McfDataColumnHeaders'); google/apiclient-services/src/Analytics/UserRef.php 0000644 00000003366 15054470473 0016434 0 ustar 00 email = $email; } /** * @return string */ public function getEmail() { return $this->email; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UserRef::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_UserRef'); google/apiclient-services/src/Analytics/EntityAdWordsLinks.php 0000644 00000006346 15054470473 0020623 0 ustar 00 items = $items; } /** * @return EntityAdWordsLink[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityAdWordsLinks::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_EntityAdWordsLinks'); google/apiclient-services/src/Analytics/CustomDataSourceChildLink.php 0000644 00000003041 15054470473 0022056 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\CustomDataSourceChildLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_CustomDataSourceChildLink'); google/apiclient-services/src/Analytics/ExperimentVariations.php 0000644 00000004342 15054470473 0021234 0 ustar 00 name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setStatus($status) { $this->status = $status; } /** * @return string */ public function getStatus() { return $this->status; } /** * @param string */ public function setUrl($url) { $this->url = $url; } /** * @return string */ public function getUrl() { return $this->url; } public function setWeight($weight) { $this->weight = $weight; } public function getWeight() { return $this->weight; } /** * @param bool */ public function setWon($won) { $this->won = $won; } /** * @return bool */ public function getWon() { return $this->won; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ExperimentVariations::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_ExperimentVariations'); google/apiclient-services/src/Analytics/HashClientIdResponse.php 0000644 00000004327 15054470473 0021075 0 ustar 00 clientId = $clientId; } /** * @return string */ public function getClientId() { return $this->clientId; } /** * @param string */ public function setHashedClientId($hashedClientId) { $this->hashedClientId = $hashedClientId; } /** * @return string */ public function getHashedClientId() { return $this->hashedClientId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\HashClientIdResponse::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_HashClientIdResponse'); google/apiclient-services/src/Analytics/RemarketingAudienceStateBasedAudienceDefinition.php 0000644 00000004535 15054470473 0026375 0 ustar 00 excludeConditions = $excludeConditions; } /** * @return RemarketingAudienceStateBasedAudienceDefinitionExcludeConditions */ public function getExcludeConditions() { return $this->excludeConditions; } /** * @param IncludeConditions */ public function setIncludeConditions(\Google\Site_Kit_Dependencies\Google\Service\Analytics\IncludeConditions $includeConditions) { $this->includeConditions = $includeConditions; } /** * @return IncludeConditions */ public function getIncludeConditions() { return $this->includeConditions; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\RemarketingAudienceStateBasedAudienceDefinition::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_RemarketingAudienceStateBasedAudienceDefinition'); google/apiclient-services/src/Analytics/WebpropertyPermissions.php 0000644 00000002541 15054470473 0021631 0 ustar 00 effective = $effective; } /** * @return string[] */ public function getEffective() { return $this->effective; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\WebpropertyPermissions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_WebpropertyPermissions'); google/apiclient-services/src/Analytics/ProfileFilterLink.php 0000644 00000005740 15054470473 0020443 0 ustar 00 filterRef = $filterRef; } /** * @return FilterRef */ public function getFilterRef() { return $this->filterRef; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param ProfileRef */ public function setProfileRef(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileRef $profileRef) { $this->profileRef = $profileRef; } /** * @return ProfileRef */ public function getProfileRef() { return $this->profileRef; } /** * @param int */ public function setRank($rank) { $this->rank = $rank; } /** * @return int */ public function getRank() { return $this->rank; } /** * @param string */ public function setSelfLink($selfLink) { $this->selfLink = $selfLink; } /** * @return string */ public function getSelfLink() { return $this->selfLink; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileFilterLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_ProfileFilterLink'); google/apiclient-services/src/Analytics/LinkedForeignAccount.php 0000644 00000010224 15054470473 0021105 0 ustar 00 accountId = $accountId; } /** * @return string */ public function getAccountId() { return $this->accountId; } /** * @param bool */ public function setEligibleForSearch($eligibleForSearch) { $this->eligibleForSearch = $eligibleForSearch; } /** * @return bool */ public function getEligibleForSearch() { return $this->eligibleForSearch; } /** * @param string */ public function setId($id) { $this->id = $id; } /** * @return string */ public function getId() { return $this->id; } /** * @param string */ public function setInternalWebPropertyId($internalWebPropertyId) { $this->internalWebPropertyId = $internalWebPropertyId; } /** * @return string */ public function getInternalWebPropertyId() { return $this->internalWebPropertyId; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setLinkedAccountId($linkedAccountId) { $this->linkedAccountId = $linkedAccountId; } /** * @return string */ public function getLinkedAccountId() { return $this->linkedAccountId; } /** * @param string */ public function setRemarketingAudienceId($remarketingAudienceId) { $this->remarketingAudienceId = $remarketingAudienceId; } /** * @return string */ public function getRemarketingAudienceId() { return $this->remarketingAudienceId; } /** * @param string */ public function setStatus($status) { $this->status = $status; } /** * @return string */ public function getStatus() { return $this->status; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\LinkedForeignAccount::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_LinkedForeignAccount'); google/apiclient-services/src/Analytics/AccountPermissions.php 0000644 00000002525 15054470473 0020705 0 ustar 00 effective = $effective; } /** * @return string[] */ public function getEffective() { return $this->effective; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\AccountPermissions::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_AccountPermissions'); google/apiclient-services/src/Analytics/GaDataQuery.php 0000644 00000010613 15054470473 0017221 0 ustar 00 "end-date", "maxResults" => "max-results", "startDate" => "start-date", "startIndex" => "start-index"]; /** * @var string */ public $dimensions; /** * @var string */ public $endDate; /** * @var string */ public $filters; /** * @var string */ public $ids; /** * @var int */ public $maxResults; /** * @var string[] */ public $metrics; /** * @var string */ public $samplingLevel; /** * @var string */ public $segment; /** * @var string[] */ public $sort; /** * @var string */ public $startDate; /** * @var int */ public $startIndex; /** * @param string */ public function setDimensions($dimensions) { $this->dimensions = $dimensions; } /** * @return string */ public function getDimensions() { return $this->dimensions; } /** * @param string */ public function setEndDate($endDate) { $this->endDate = $endDate; } /** * @return string */ public function getEndDate() { return $this->endDate; } /** * @param string */ public function setFilters($filters) { $this->filters = $filters; } /** * @return string */ public function getFilters() { return $this->filters; } /** * @param string */ public function setIds($ids) { $this->ids = $ids; } /** * @return string */ public function getIds() { return $this->ids; } /** * @param int */ public function setMaxResults($maxResults) { $this->maxResults = $maxResults; } /** * @return int */ public function getMaxResults() { return $this->maxResults; } /** * @param string[] */ public function setMetrics($metrics) { $this->metrics = $metrics; } /** * @return string[] */ public function getMetrics() { return $this->metrics; } /** * @param string */ public function setSamplingLevel($samplingLevel) { $this->samplingLevel = $samplingLevel; } /** * @return string */ public function getSamplingLevel() { return $this->samplingLevel; } /** * @param string */ public function setSegment($segment) { $this->segment = $segment; } /** * @return string */ public function getSegment() { return $this->segment; } /** * @param string[] */ public function setSort($sort) { $this->sort = $sort; } /** * @return string[] */ public function getSort() { return $this->sort; } /** * @param string */ public function setStartDate($startDate) { $this->startDate = $startDate; } /** * @return string */ public function getStartDate() { return $this->startDate; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\GaDataQuery::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_GaDataQuery'); google/apiclient-services/src/Analytics/Segments.php 0000644 00000006730 15054470473 0016644 0 ustar 00 items = $items; } /** * @return Segment[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Segments::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Segments'); google/apiclient-services/src/Analytics/Accounts.php 0000644 00000006730 15054470473 0016636 0 ustar 00 items = $items; } /** * @return Account[] */ public function getItems() { return $this->items; } /** * @param int */ public function setItemsPerPage($itemsPerPage) { $this->itemsPerPage = $itemsPerPage; } /** * @return int */ public function getItemsPerPage() { return $this->itemsPerPage; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setNextLink($nextLink) { $this->nextLink = $nextLink; } /** * @return string */ public function getNextLink() { return $this->nextLink; } /** * @param string */ public function setPreviousLink($previousLink) { $this->previousLink = $previousLink; } /** * @return string */ public function getPreviousLink() { return $this->previousLink; } /** * @param int */ public function setStartIndex($startIndex) { $this->startIndex = $startIndex; } /** * @return int */ public function getStartIndex() { return $this->startIndex; } /** * @param int */ public function setTotalResults($totalResults) { $this->totalResults = $totalResults; } /** * @return int */ public function getTotalResults() { return $this->totalResults; } /** * @param string */ public function setUsername($username) { $this->username = $username; } /** * @return string */ public function getUsername() { return $this->username; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\Accounts::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_Accounts'); google/apiclient-services/src/Analytics/EntityUserLinkEntity.php 0000644 00000004665 15054470473 0021212 0 ustar 00 accountRef = $accountRef; } /** * @return AccountRef */ public function getAccountRef() { return $this->accountRef; } /** * @param ProfileRef */ public function setProfileRef(\Google\Site_Kit_Dependencies\Google\Service\Analytics\ProfileRef $profileRef) { $this->profileRef = $profileRef; } /** * @return ProfileRef */ public function getProfileRef() { return $this->profileRef; } /** * @param WebPropertyRef */ public function setWebPropertyRef(\Google\Site_Kit_Dependencies\Google\Service\Analytics\WebPropertyRef $webPropertyRef) { $this->webPropertyRef = $webPropertyRef; } /** * @return WebPropertyRef */ public function getWebPropertyRef() { return $this->webPropertyRef; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\EntityUserLinkEntity::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_EntityUserLinkEntity'); google/apiclient-services/src/Analytics/UserDeletionRequest.php 0000644 00000006073 15054470473 0021032 0 ustar 00 deletionRequestTime = $deletionRequestTime; } /** * @return string */ public function getDeletionRequestTime() { return $this->deletionRequestTime; } /** * @param string */ public function setFirebaseProjectId($firebaseProjectId) { $this->firebaseProjectId = $firebaseProjectId; } /** * @return string */ public function getFirebaseProjectId() { return $this->firebaseProjectId; } /** * @param UserDeletionRequestId */ public function setId(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UserDeletionRequestId $id) { $this->id = $id; } /** * @return UserDeletionRequestId */ public function getId() { return $this->id; } /** * @param string */ public function setKind($kind) { $this->kind = $kind; } /** * @return string */ public function getKind() { return $this->kind; } /** * @param string */ public function setPropertyId($propertyId) { $this->propertyId = $propertyId; } /** * @return string */ public function getPropertyId() { return $this->propertyId; } /** * @param string */ public function setWebPropertyId($webPropertyId) { $this->webPropertyId = $webPropertyId; } /** * @return string */ public function getWebPropertyId() { return $this->webPropertyId; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\UserDeletionRequest::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_UserDeletionRequest'); google/apiclient-services/src/Analytics/FilterParentLink.php 0000644 00000003006 15054470473 0020265 0 ustar 00 href = $href; } /** * @return string */ public function getHref() { return $this->href; } /** * @param string */ public function setType($type) { $this->type = $type; } /** * @return string */ public function getType() { return $this->type; } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\Analytics\FilterParentLink::class, 'Google\\Site_Kit_Dependencies\\Google_Service_Analytics_FilterParentLink'); google/apiclient-services/src/PagespeedInsights.php 0000644 00000006105 15054470473 0016532 0 ustar 00 * The PageSpeed Insights API lets you analyze the performance of your website * with a simple API. It offers tailored suggestions for how you can optimize * your site, and lets you easily integrate PageSpeed Insights analysis into * your development tools and workflow. * ** For more information about this service, see the API * Documentation *
* * @author Google, Inc. */ class PagespeedInsights extends \Google\Site_Kit_Dependencies\Google\Service { /** Associate you with your personal info on Google. */ const OPENID = "openid"; public $pagespeedapi; /** * Constructs the internal representation of the PagespeedInsights service. * * @param Client|array $clientOrConfig The client used to deliver requests, or a * config array to pass to a new Client instance. * @param string $rootUrl The root URL used for requests to the service. */ public function __construct($clientOrConfig = [], $rootUrl = null) { parent::__construct($clientOrConfig); $this->rootUrl = $rootUrl ?: 'https://pagespeedonline.googleapis.com/'; $this->servicePath = ''; $this->batchPath = 'batch'; $this->version = 'v5'; $this->serviceName = 'pagespeedonline'; $this->pagespeedapi = new \Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights\Resource\Pagespeedapi($this, $this->serviceName, 'pagespeedapi', ['methods' => ['runpagespeed' => ['path' => 'pagespeedonline/v5/runPagespeed', 'httpMethod' => 'GET', 'parameters' => ['url' => ['location' => 'query', 'type' => 'string', 'required' => \true], 'captchaToken' => ['location' => 'query', 'type' => 'string'], 'category' => ['location' => 'query', 'type' => 'string', 'repeated' => \true], 'locale' => ['location' => 'query', 'type' => 'string'], 'strategy' => ['location' => 'query', 'type' => 'string'], 'utm_campaign' => ['location' => 'query', 'type' => 'string'], 'utm_source' => ['location' => 'query', 'type' => 'string']]]]]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\PagespeedInsights::class, 'Google\\Site_Kit_Dependencies\\Google_Service_PagespeedInsights'); google/apiclient-services/src/GoogleAnalyticsAdmin.php 0000644 00000033554 15054470473 0017171 0 ustar 00 * ** For more information about this service, see the API * Documentation *
* * @author Google, Inc. */ class GoogleAnalyticsAdmin extends \Google\Site_Kit_Dependencies\Google\Service { /** Edit Google Analytics management entities. */ const ANALYTICS_EDIT = "https://www.googleapis.com/auth/analytics.edit"; /** See and download your Google Analytics data. */ const ANALYTICS_READONLY = "https://www.googleapis.com/auth/analytics.readonly"; public $accountSummaries; public $accounts; public $properties; public $properties_conversionEvents; public $properties_customDimensions; public $properties_customMetrics; public $properties_dataStreams; public $properties_dataStreams_measurementProtocolSecrets; public $properties_firebaseLinks; public $properties_googleAdsLinks; /** * Constructs the internal representation of the GoogleAnalyticsAdmin service. * * @param Client|array $clientOrConfig The client used to deliver requests, or a * config array to pass to a new Client instance. * @param string $rootUrl The root URL used for requests to the service. */ public function __construct($clientOrConfig = [], $rootUrl = null) { parent::__construct($clientOrConfig); $this->rootUrl = $rootUrl ?: 'https://analyticsadmin.googleapis.com/'; $this->servicePath = ''; $this->batchPath = 'batch'; $this->version = 'v1beta'; $this->serviceName = 'analyticsadmin'; $this->accountSummaries = new \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\AccountSummaries($this, $this->serviceName, 'accountSummaries', ['methods' => ['list' => ['path' => 'v1beta/accountSummaries', 'httpMethod' => 'GET', 'parameters' => ['pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]]]]); $this->accounts = new \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\Accounts($this, $this->serviceName, 'accounts', ['methods' => ['delete' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'DELETE', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'getDataSharingSettings' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v1beta/accounts', 'httpMethod' => 'GET', 'parameters' => ['pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string'], 'showDeleted' => ['location' => 'query', 'type' => 'boolean']]], 'patch' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]], 'provisionAccountTicket' => ['path' => 'v1beta/accounts:provisionAccountTicket', 'httpMethod' => 'POST', 'parameters' => []], 'searchChangeHistoryEvents' => ['path' => 'v1beta/{+account}:searchChangeHistoryEvents', 'httpMethod' => 'POST', 'parameters' => ['account' => ['location' => 'path', 'type' => 'string', 'required' => \true]]]]]); $this->properties = new \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\Properties($this, $this->serviceName, 'properties', ['methods' => ['acknowledgeUserDataCollection' => ['path' => 'v1beta/{+property}:acknowledgeUserDataCollection', 'httpMethod' => 'POST', 'parameters' => ['property' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'create' => ['path' => 'v1beta/properties', 'httpMethod' => 'POST', 'parameters' => []], 'delete' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'DELETE', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'getDataRetentionSettings' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v1beta/properties', 'httpMethod' => 'GET', 'parameters' => ['filter' => ['location' => 'query', 'type' => 'string'], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string'], 'showDeleted' => ['location' => 'query', 'type' => 'boolean']]], 'patch' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]], 'updateDataRetentionSettings' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]]]]); $this->properties_conversionEvents = new \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesConversionEvents($this, $this->serviceName, 'conversionEvents', ['methods' => ['create' => ['path' => 'v1beta/{+parent}/conversionEvents', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'DELETE', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v1beta/{+parent}/conversionEvents', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]]]]); $this->properties_customDimensions = new \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesCustomDimensions($this, $this->serviceName, 'customDimensions', ['methods' => ['archive' => ['path' => 'v1beta/{+name}:archive', 'httpMethod' => 'POST', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'create' => ['path' => 'v1beta/{+parent}/customDimensions', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v1beta/{+parent}/customDimensions', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'patch' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]]]]); $this->properties_customMetrics = new \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesCustomMetrics($this, $this->serviceName, 'customMetrics', ['methods' => ['archive' => ['path' => 'v1beta/{+name}:archive', 'httpMethod' => 'POST', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'create' => ['path' => 'v1beta/{+parent}/customMetrics', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v1beta/{+parent}/customMetrics', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'patch' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]]]]); $this->properties_dataStreams = new \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesDataStreams($this, $this->serviceName, 'dataStreams', ['methods' => ['create' => ['path' => 'v1beta/{+parent}/dataStreams', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'DELETE', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v1beta/{+parent}/dataStreams', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'patch' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]]]]); $this->properties_dataStreams_measurementProtocolSecrets = new \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesDataStreamsMeasurementProtocolSecrets($this, $this->serviceName, 'measurementProtocolSecrets', ['methods' => ['create' => ['path' => 'v1beta/{+parent}/measurementProtocolSecrets', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'DELETE', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'get' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'GET', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v1beta/{+parent}/measurementProtocolSecrets', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'patch' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]]]]); $this->properties_firebaseLinks = new \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesFirebaseLinks($this, $this->serviceName, 'firebaseLinks', ['methods' => ['create' => ['path' => 'v1beta/{+parent}/firebaseLinks', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'DELETE', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v1beta/{+parent}/firebaseLinks', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]]]]); $this->properties_googleAdsLinks = new \Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin\Resource\PropertiesGoogleAdsLinks($this, $this->serviceName, 'googleAdsLinks', ['methods' => ['create' => ['path' => 'v1beta/{+parent}/googleAdsLinks', 'httpMethod' => 'POST', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'delete' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'DELETE', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true]]], 'list' => ['path' => 'v1beta/{+parent}/googleAdsLinks', 'httpMethod' => 'GET', 'parameters' => ['parent' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'pageSize' => ['location' => 'query', 'type' => 'integer'], 'pageToken' => ['location' => 'query', 'type' => 'string']]], 'patch' => ['path' => 'v1beta/{+name}', 'httpMethod' => 'PATCH', 'parameters' => ['name' => ['location' => 'path', 'type' => 'string', 'required' => \true], 'updateMask' => ['location' => 'query', 'type' => 'string']]]]]); } } // Adding a class alias for backwards compatibility with the previous class name. \class_alias(\Google\Site_Kit_Dependencies\Google\Service\GoogleAnalyticsAdmin::class, 'Google\\Site_Kit_Dependencies\\Google_Service_GoogleAnalyticsAdmin'); google/auth/renovate.json 0000644 00000000106 15054470473 0011505 0 ustar 00 { "extends": [ "config:base", ":preserveSemverRanges" ] } google/auth/autoload.php 0000644 00000002212 15054470473 0011310 0 ustar 00 3) { // Maximum class file path depth in this project is 3. $classPath = \array_slice($classPath, 0, 3); } $filePath = \dirname(__FILE__) . '/src/' . \implode('/', $classPath) . '.php'; if (\file_exists($filePath)) { require_once $filePath; } } \spl_autoload_register('oauth2client_php_autoload'); google/auth/src/HttpHandler/Guzzle7HttpHandler.php 0000644 00000001412 15054470473 0016212 0 ustar 00 client = $client; } /** * Accepts a PSR-7 Request and an array of options and returns a PSR-7 response. * * @param RequestInterface $request * @param array $options * @return ResponseInterface */ public function __invoke(\Google\Site_Kit_Dependencies\Psr\Http\Message\RequestInterface $request, array $options = []) { $response = $this->client->send($this->createGuzzle5Request($request, $options)); return $this->createPsr7Response($response); } /** * Accepts a PSR-7 request and an array of options and returns a PromiseInterface * * @param RequestInterface $request * @param array $options * @return Promise */ public function async(\Google\Site_Kit_Dependencies\Psr\Http\Message\RequestInterface $request, array $options = []) { if (!\class_exists('Google\\Site_Kit_Dependencies\\GuzzleHttp\\Promise\\Promise')) { throw new \Exception('Install guzzlehttp/promises to use async with Guzzle 5'); } $futureResponse = $this->client->send($this->createGuzzle5Request($request, ['future' => \true] + $options)); $promise = new \Google\Site_Kit_Dependencies\GuzzleHttp\Promise\Promise(function () use($futureResponse) { try { $futureResponse->wait(); } catch (\Exception $e) { // The promise is already delivered when the exception is // thrown, so don't rethrow it. } }, [$futureResponse, 'cancel']); $futureResponse->then([$promise, 'resolve'], [$promise, 'reject']); return $promise->then(function (\Google\Site_Kit_Dependencies\GuzzleHttp\Message\ResponseInterface $response) { // Adapt the Guzzle 5 Response to a PSR-7 Response. return $this->createPsr7Response($response); }, function (\Exception $e) { return new \Google\Site_Kit_Dependencies\GuzzleHttp\Promise\RejectedPromise($e); }); } private function createGuzzle5Request(\Google\Site_Kit_Dependencies\Psr\Http\Message\RequestInterface $request, array $options) { return $this->client->createRequest($request->getMethod(), $request->getUri(), \array_merge_recursive(['headers' => $request->getHeaders(), 'body' => $request->getBody()], $options)); } private function createPsr7Response(\Google\Site_Kit_Dependencies\GuzzleHttp\Message\ResponseInterface $response) { return new \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Response($response->getStatusCode(), $response->getHeaders() ?: [], $response->getBody(), $response->getProtocolVersion(), $response->getReasonPhrase()); } } google/auth/src/HttpHandler/Guzzle6HttpHandler.php 0000644 00000003734 15054470473 0016222 0 ustar 00 client = $client; } /** * Accepts a PSR-7 request and an array of options and returns a PSR-7 response. * * @param RequestInterface $request * @param array $options * @return ResponseInterface */ public function __invoke(\Google\Site_Kit_Dependencies\Psr\Http\Message\RequestInterface $request, array $options = []) { return $this->client->send($request, $options); } /** * Accepts a PSR-7 request and an array of options and returns a PromiseInterface * * @param RequestInterface $request * @param array $options * * @return \GuzzleHttp\Promise\PromiseInterface */ public function async(\Google\Site_Kit_Dependencies\Psr\Http\Message\RequestInterface $request, array $options = []) { return $this->client->sendAsync($request, $options); } } google/auth/src/Iam.php 0000644 00000006431 15054470473 0011004 0 ustar 00 httpHandler = $httpHandler ?: \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpHandlerFactory::build(\Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::getHttpClient()); } /** * Sign a string using the IAM signBlob API. * * Note that signing using IAM requires your service account to have the * `iam.serviceAccounts.signBlob` permission, part of the "Service Account * Token Creator" IAM role. * * @param string $email The service account email. * @param string $accessToken An access token from the service account. * @param string $stringToSign The string to be signed. * @param array $delegates [optional] A list of service account emails to * add to the delegate chain. If omitted, the value of `$email` will * be used. * @return string The signed string, base64-encoded. */ public function signBlob($email, $accessToken, $stringToSign, array $delegates = []) { $httpHandler = $this->httpHandler; $name = \sprintf(self::SERVICE_ACCOUNT_NAME, $email); $uri = self::IAM_API_ROOT . '/' . \sprintf(self::SIGN_BLOB_PATH, $name); if ($delegates) { foreach ($delegates as &$delegate) { $delegate = \sprintf(self::SERVICE_ACCOUNT_NAME, $delegate); } } else { $delegates = [$name]; } $body = ['delegates' => $delegates, 'payload' => \base64_encode($stringToSign)]; $headers = ['Authorization' => 'Bearer ' . $accessToken]; $request = new \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Request('POST', $uri, $headers, \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Utils::streamFor(\json_encode($body))); $res = $httpHandler($request); $body = \json_decode((string) $res->getBody(), \true); return $body['signedBlob']; } } google/auth/src/GetQuotaProjectInterface.php 0000644 00000001717 15054470473 0015201 0 ustar 00 quotaProject = (string) $jsonKey['quota_project_id']; } $this->auth = new \Google\Site_Kit_Dependencies\Google\Auth\OAuth2(['issuer' => $jsonKey['client_email'], 'sub' => $jsonKey['client_email'], 'signingAlgorithm' => 'RS256', 'signingKey' => $jsonKey['private_key'], 'scope' => $scope]); $this->projectId = isset($jsonKey['project_id']) ? $jsonKey['project_id'] : null; } /** * Updates metadata with the authorization token. * * @param array $metadata metadata hashmap * @param string $authUri optional auth uri * @param callable $httpHandler callback which delivers psr7 request * @return array updated metadata hashmap */ public function updateMetadata($metadata, $authUri = null, callable $httpHandler = null) { $scope = $this->auth->getScope(); if (empty($authUri) && empty($scope)) { return $metadata; } $this->auth->setAudience($authUri); return parent::updateMetadata($metadata, $authUri, $httpHandler); } /** * Implements FetchAuthTokenInterface#fetchAuthToken. * * @param callable $httpHandler * * @return array|void A set of auth related metadata, containing the * following keys: * - access_token (string) */ public function fetchAuthToken(callable $httpHandler = null) { $audience = $this->auth->getAudience(); $scope = $this->auth->getScope(); if (empty($audience) && empty($scope)) { return null; } if (!empty($audience) && !empty($scope)) { throw new \UnexpectedValueException('Cannot sign both audience and scope in JwtAccess'); } $access_token = $this->auth->toJwt(); // Set the self-signed access token in OAuth2 for getLastReceivedToken $this->auth->setAccessToken($access_token); return array('access_token' => $access_token); } /** * @return string */ public function getCacheKey() { return $this->auth->getCacheKey(); } /** * @return array */ public function getLastReceivedToken() { return $this->auth->getLastReceivedToken(); } /** * Get the project ID from the service account keyfile. * * Returns null if the project ID does not exist in the keyfile. * * @param callable $httpHandler Not used by this credentials type. * @return string|null */ public function getProjectId(callable $httpHandler = null) { return $this->projectId; } /** * Get the client name from the keyfile. * * In this case, it returns the keyfile's client_email key. * * @param callable $httpHandler Not used by this credentials type. * @return string */ public function getClientName(callable $httpHandler = null) { return $this->auth->getIssuer(); } /** * Get the quota project used for this API request * * @return string|null */ public function getQuotaProject() { return $this->quotaProject; } } google/auth/src/Credentials/ServiceAccountCredentials.php 0000644 00000024507 15054470473 0017632 0 ustar 00 push($middleware); * * $client = new Client([ * 'handler' => $stack, * 'base_uri' => 'https://www.googleapis.com/taskqueue/v1beta2/projects/', * 'auth' => 'google_auth' // authorize all requests * ]); * * $res = $client->get('myproject/taskqueues/myqueue'); */ class ServiceAccountCredentials extends \Google\Site_Kit_Dependencies\Google\Auth\CredentialsLoader implements \Google\Site_Kit_Dependencies\Google\Auth\GetQuotaProjectInterface, \Google\Site_Kit_Dependencies\Google\Auth\SignBlobInterface, \Google\Site_Kit_Dependencies\Google\Auth\ProjectIdProviderInterface { use ServiceAccountSignerTrait; /** * The OAuth2 instance used to conduct authorization. * * @var OAuth2 */ protected $auth; /** * The quota project associated with the JSON credentials * * @var string */ protected $quotaProject; /* * @var string|null */ protected $projectId; /* * @var array|null */ private $lastReceivedJwtAccessToken; /* * @var bool */ private $useJwtAccessWithScope = \false; /* * @var ServiceAccountJwtAccessCredentials|null */ private $jwtAccessCredentials; /** * Create a new ServiceAccountCredentials. * * @param string|array $scope the scope of the access request, expressed * either as an Array or as a space-delimited String. * @param string|array $jsonKey JSON credential file path or JSON credentials * as an associative array * @param string $sub an email address account to impersonate, in situations when * the service account has been delegated domain wide access. * @param string $targetAudience The audience for the ID token. */ public function __construct($scope, $jsonKey, $sub = null, $targetAudience = null) { if (\is_string($jsonKey)) { if (!\file_exists($jsonKey)) { throw new \InvalidArgumentException('file does not exist'); } $jsonKeyStream = \file_get_contents($jsonKey); if (!($jsonKey = \json_decode($jsonKeyStream, \true))) { throw new \LogicException('invalid json for auth config'); } } if (!\array_key_exists('client_email', $jsonKey)) { throw new \InvalidArgumentException('json key is missing the client_email field'); } if (!\array_key_exists('private_key', $jsonKey)) { throw new \InvalidArgumentException('json key is missing the private_key field'); } if (\array_key_exists('quota_project_id', $jsonKey)) { $this->quotaProject = (string) $jsonKey['quota_project_id']; } if ($scope && $targetAudience) { throw new \InvalidArgumentException('Scope and targetAudience cannot both be supplied'); } $additionalClaims = []; if ($targetAudience) { $additionalClaims = ['target_audience' => $targetAudience]; } $this->auth = new \Google\Site_Kit_Dependencies\Google\Auth\OAuth2(['audience' => self::TOKEN_CREDENTIAL_URI, 'issuer' => $jsonKey['client_email'], 'scope' => $scope, 'signingAlgorithm' => 'RS256', 'signingKey' => $jsonKey['private_key'], 'sub' => $sub, 'tokenCredentialUri' => self::TOKEN_CREDENTIAL_URI, 'additionalClaims' => $additionalClaims]); $this->projectId = isset($jsonKey['project_id']) ? $jsonKey['project_id'] : null; } /** * When called, the ServiceAccountCredentials will use an instance of * ServiceAccountJwtAccessCredentials to fetch (self-sign) an access token * even when only scopes are supplied. Otherwise, * ServiceAccountJwtAccessCredentials is only called when no scopes and an * authUrl (audience) is suppled. */ public function useJwtAccessWithScope() { $this->useJwtAccessWithScope = \true; } /** * @param callable $httpHandler * * @return array A set of auth related metadata, containing the following * keys: * - access_token (string) * - expires_in (int) * - token_type (string) */ public function fetchAuthToken(callable $httpHandler = null) { if ($this->useSelfSignedJwt()) { $jwtCreds = $this->createJwtAccessCredentials(); $accessToken = $jwtCreds->fetchAuthToken($httpHandler); if ($lastReceivedToken = $jwtCreds->getLastReceivedToken()) { // Keep self-signed JWTs in memory as the last received token $this->lastReceivedJwtAccessToken = $lastReceivedToken; } return $accessToken; } return $this->auth->fetchAuthToken($httpHandler); } /** * @return string */ public function getCacheKey() { $key = $this->auth->getIssuer() . ':' . $this->auth->getCacheKey(); if ($sub = $this->auth->getSub()) { $key .= ':' . $sub; } return $key; } /** * @return array */ public function getLastReceivedToken() { // If self-signed JWTs are being used, fetch the last received token // from memory. Else, fetch it from OAuth2 return $this->useSelfSignedJwt() ? $this->lastReceivedJwtAccessToken : $this->auth->getLastReceivedToken(); } /** * Get the project ID from the service account keyfile. * * Returns null if the project ID does not exist in the keyfile. * * @param callable $httpHandler Not used by this credentials type. * @return string|null */ public function getProjectId(callable $httpHandler = null) { return $this->projectId; } /** * Updates metadata with the authorization token. * * @param array $metadata metadata hashmap * @param string $authUri optional auth uri * @param callable $httpHandler callback which delivers psr7 request * @return array updated metadata hashmap */ public function updateMetadata($metadata, $authUri = null, callable $httpHandler = null) { // scope exists. use oauth implementation if (!$this->useSelfSignedJwt()) { return parent::updateMetadata($metadata, $authUri, $httpHandler); } $jwtCreds = $this->createJwtAccessCredentials(); if ($this->auth->getScope()) { // Prefer user-provided "scope" to "audience" $updatedMetadata = $jwtCreds->updateMetadata($metadata, null, $httpHandler); } else { $updatedMetadata = $jwtCreds->updateMetadata($metadata, $authUri, $httpHandler); } if ($lastReceivedToken = $jwtCreds->getLastReceivedToken()) { // Keep self-signed JWTs in memory as the last received token $this->lastReceivedJwtAccessToken = $lastReceivedToken; } return $updatedMetadata; } private function createJwtAccessCredentials() { if (!$this->jwtAccessCredentials) { // Create credentials for self-signing a JWT (JwtAccess) $credJson = array('private_key' => $this->auth->getSigningKey(), 'client_email' => $this->auth->getIssuer()); $this->jwtAccessCredentials = new \Google\Site_Kit_Dependencies\Google\Auth\Credentials\ServiceAccountJwtAccessCredentials($credJson, $this->auth->getScope()); } return $this->jwtAccessCredentials; } /** * @param string $sub an email address account to impersonate, in situations when * the service account has been delegated domain wide access. */ public function setSub($sub) { $this->auth->setSub($sub); } /** * Get the client name from the keyfile. * * In this case, it returns the keyfile's client_email key. * * @param callable $httpHandler Not used by this credentials type. * @return string */ public function getClientName(callable $httpHandler = null) { return $this->auth->getIssuer(); } /** * Get the quota project used for this API request * * @return string|null */ public function getQuotaProject() { return $this->quotaProject; } private function useSelfSignedJwt() { // If claims are set, this call is for "id_tokens" if ($this->auth->getAdditionalClaims()) { return \false; } // When true, ServiceAccountCredentials will always use JwtAccess for access tokens if ($this->useJwtAccessWithScope) { return \true; } return \is_null($this->auth->getScope()); } } google/auth/src/Credentials/AppIdentityCredentials.php 0000644 00000016147 15054470473 0017150 0 ustar 00 push($middleware); * * $client = new Client([ * 'handler' => $stack, * 'base_uri' => 'https://www.googleapis.com/books/v1', * 'auth' => 'google_auth' * ]); * * $res = $client->get('volumes?q=Henry+David+Thoreau&country=US'); * ``` */ class AppIdentityCredentials extends \Google\Site_Kit_Dependencies\Google\Auth\CredentialsLoader implements \Google\Site_Kit_Dependencies\Google\Auth\SignBlobInterface, \Google\Site_Kit_Dependencies\Google\Auth\ProjectIdProviderInterface { /** * Result of fetchAuthToken. * * @var array */ protected $lastReceivedToken; /** * Array of OAuth2 scopes to be requested. * * @var array */ private $scope; /** * @var string */ private $clientName; /** * @param array $scope One or more scopes. */ public function __construct($scope = array()) { $this->scope = $scope; } /** * Determines if this an App Engine instance, by accessing the * SERVER_SOFTWARE environment variable (prod) or the APPENGINE_RUNTIME * environment variable (dev). * * @return bool true if this an App Engine Instance, false otherwise */ public static function onAppEngine() { $appEngineProduction = isset($_SERVER['SERVER_SOFTWARE']) && 0 === \strpos($_SERVER['SERVER_SOFTWARE'], 'Google App Engine'); if ($appEngineProduction) { return \true; } $appEngineDevAppServer = isset($_SERVER['APPENGINE_RUNTIME']) && $_SERVER['APPENGINE_RUNTIME'] == 'php'; if ($appEngineDevAppServer) { return \true; } return \false; } /** * Implements FetchAuthTokenInterface#fetchAuthToken. * * Fetches the auth tokens using the AppIdentityService if available. * As the AppIdentityService uses protobufs to fetch the access token, * the GuzzleHttp\ClientInterface instance passed in will not be used. * * @param callable $httpHandler callback which delivers psr7 request * @return array A set of auth related metadata, containing the following * keys: * - access_token (string) * - expiration_time (string) */ public function fetchAuthToken(callable $httpHandler = null) { try { $this->checkAppEngineContext(); } catch (\Exception $e) { return []; } // AppIdentityService expects an array when multiple scopes are supplied $scope = \is_array($this->scope) ? $this->scope : \explode(' ', $this->scope); $token = \Google\Site_Kit_Dependencies\google\appengine\api\app_identity\AppIdentityService::getAccessToken($scope); $this->lastReceivedToken = $token; return $token; } /** * Sign a string using AppIdentityService. * * @param string $stringToSign The string to sign. * @param bool $forceOpenSsl [optional] Does not apply to this credentials * type. * @return string The signature, base64-encoded. * @throws \Exception If AppEngine SDK or mock is not available. */ public function signBlob($stringToSign, $forceOpenSsl = \false) { $this->checkAppEngineContext(); return \base64_encode(\Google\Site_Kit_Dependencies\google\appengine\api\app_identity\AppIdentityService::signForApp($stringToSign)['signature']); } /** * Get the project ID from AppIdentityService. * * Returns null if AppIdentityService is unavailable. * * @param callable $httpHandler Not used by this type. * @return string|null */ public function getProjectId(callable $httpHander = null) { try { $this->checkAppEngineContext(); } catch (\Exception $e) { return null; } return \Google\Site_Kit_Dependencies\google\appengine\api\app_identity\AppIdentityService::getApplicationId(); } /** * Get the client name from AppIdentityService. * * Subsequent calls to this method will return a cached value. * * @param callable $httpHandler Not used in this implementation. * @return string * @throws \Exception If AppEngine SDK or mock is not available. */ public function getClientName(callable $httpHandler = null) { $this->checkAppEngineContext(); if (!$this->clientName) { $this->clientName = \Google\Site_Kit_Dependencies\google\appengine\api\app_identity\AppIdentityService::getServiceAccountName(); } return $this->clientName; } /** * @return array|null */ public function getLastReceivedToken() { if ($this->lastReceivedToken) { return ['access_token' => $this->lastReceivedToken['access_token'], 'expires_at' => $this->lastReceivedToken['expiration_time']]; } return null; } /** * Caching is handled by the underlying AppIdentityService, return empty string * to prevent caching. * * @return string */ public function getCacheKey() { return ''; } private function checkAppEngineContext() { if (!self::onAppEngine() || !\class_exists('Google\\Site_Kit_Dependencies\\google\\appengine\\api\\app_identity\\AppIdentityService')) { throw new \Exception('This class must be run in App Engine, or you must include the AppIdentityService ' . 'mock class defined in tests/mocks/AppIdentityService.php'); } } } google/auth/src/Credentials/GCECredentials.php 0000644 00000041530 15054470473 0015306 0 ustar 00 push($middleware); * * $client = new Client([ * 'handler' => $stack, * 'base_uri' => 'https://www.googleapis.com/taskqueue/v1beta2/projects/', * 'auth' => 'google_auth' * ]); * * $res = $client->get('myproject/taskqueues/myqueue'); */ class GCECredentials extends \Google\Site_Kit_Dependencies\Google\Auth\CredentialsLoader implements \Google\Site_Kit_Dependencies\Google\Auth\SignBlobInterface, \Google\Site_Kit_Dependencies\Google\Auth\ProjectIdProviderInterface, \Google\Site_Kit_Dependencies\Google\Auth\GetQuotaProjectInterface { // phpcs:disable const cacheKey = 'GOOGLE_AUTH_PHP_GCE'; // phpcs:enable /** * The metadata IP address on appengine instances. * * The IP is used instead of the domain 'metadata' to avoid slow responses * when not on Compute Engine. */ const METADATA_IP = '169.254.169.254'; /** * The metadata path of the default token. */ const TOKEN_URI_PATH = 'v1/instance/service-accounts/default/token'; /** * The metadata path of the default id token. */ const ID_TOKEN_URI_PATH = 'v1/instance/service-accounts/default/identity'; /** * The metadata path of the client ID. */ const CLIENT_ID_URI_PATH = 'v1/instance/service-accounts/default/email'; /** * The metadata path of the project ID. */ const PROJECT_ID_URI_PATH = 'v1/project/project-id'; /** * The header whose presence indicates GCE presence. */ const FLAVOR_HEADER = 'Metadata-Flavor'; /** * Note: the explicit `timeout` and `tries` below is a workaround. The underlying * issue is that resolving an unknown host on some networks will take * 20-30 seconds; making this timeout short fixes the issue, but * could lead to false negatives in the event that we are on GCE, but * the metadata resolution was particularly slow. The latter case is * "unlikely" since the expected 4-nines time is about 0.5 seconds. * This allows us to limit the total ping maximum timeout to 1.5 seconds * for developer desktop scenarios. */ const MAX_COMPUTE_PING_TRIES = 3; const COMPUTE_PING_CONNECTION_TIMEOUT_S = 0.5; /** * Flag used to ensure that the onGCE test is only done once;. * * @var bool */ private $hasCheckedOnGce = \false; /** * Flag that stores the value of the onGCE check. * * @var bool */ private $isOnGce = \false; /** * Result of fetchAuthToken. */ protected $lastReceivedToken; /** * @var string|null */ private $clientName; /** * @var string|null */ private $projectId; /** * @var Iam|null */ private $iam; /** * @var string */ private $tokenUri; /** * @var string */ private $targetAudience; /** * @var string|null */ private $quotaProject; /** * @var string|null */ private $serviceAccountIdentity; /** * @param Iam $iam [optional] An IAM instance. * @param string|array $scope [optional] the scope of the access request, * expressed either as an array or as a space-delimited string. * @param string $targetAudience [optional] The audience for the ID token. * @param string $quotaProject [optional] Specifies a project to bill for access * charges associated with the request. * @param string $serviceAccountIdentity [optional] Specify a service * account identity name to use instead of "default". */ public function __construct(\Google\Site_Kit_Dependencies\Google\Auth\Iam $iam = null, $scope = null, $targetAudience = null, $quotaProject = null, $serviceAccountIdentity = null) { $this->iam = $iam; if ($scope && $targetAudience) { throw new \InvalidArgumentException('Scope and targetAudience cannot both be supplied'); } $tokenUri = self::getTokenUri($serviceAccountIdentity); if ($scope) { if (\is_string($scope)) { $scope = \explode(' ', $scope); } $scope = \implode(',', $scope); $tokenUri = $tokenUri . '?scopes=' . $scope; } elseif ($targetAudience) { $tokenUri = self::getIdTokenUri($serviceAccountIdentity); $tokenUri = $tokenUri . '?audience=' . $targetAudience; $this->targetAudience = $targetAudience; } $this->tokenUri = $tokenUri; $this->quotaProject = $quotaProject; $this->serviceAccountIdentity = $serviceAccountIdentity; } /** * The full uri for accessing the default token. * * @param string $serviceAccountIdentity [optional] Specify a service * account identity name to use instead of "default". * @return string */ public static function getTokenUri($serviceAccountIdentity = null) { $base = 'http://' . self::METADATA_IP . '/computeMetadata/'; $base .= self::TOKEN_URI_PATH; if ($serviceAccountIdentity) { return \str_replace('/default/', '/' . $serviceAccountIdentity . '/', $base); } return $base; } /** * The full uri for accessing the default service account. * * @param string $serviceAccountIdentity [optional] Specify a service * account identity name to use instead of "default". * @return string */ public static function getClientNameUri($serviceAccountIdentity = null) { $base = 'http://' . self::METADATA_IP . '/computeMetadata/'; $base .= self::CLIENT_ID_URI_PATH; if ($serviceAccountIdentity) { return \str_replace('/default/', '/' . $serviceAccountIdentity . '/', $base); } return $base; } /** * The full uri for accesesing the default identity token. * * @param string $serviceAccountIdentity [optional] Specify a service * account identity name to use instead of "default". * @return string */ private static function getIdTokenUri($serviceAccountIdentity = null) { $base = 'http://' . self::METADATA_IP . '/computeMetadata/'; $base .= self::ID_TOKEN_URI_PATH; if ($serviceAccountIdentity) { return \str_replace('/default/', '/' . $serviceAccountIdentity . '/', $base); } return $base; } /** * The full uri for accessing the default project ID. * * @return string */ private static function getProjectIdUri() { $base = 'http://' . self::METADATA_IP . '/computeMetadata/'; return $base . self::PROJECT_ID_URI_PATH; } /** * Determines if this an App Engine Flexible instance, by accessing the * GAE_INSTANCE environment variable. * * @return bool true if this an App Engine Flexible Instance, false otherwise */ public static function onAppEngineFlexible() { return \substr(\getenv('GAE_INSTANCE'), 0, 4) === 'aef-'; } /** * Determines if this a GCE instance, by accessing the expected metadata * host. * If $httpHandler is not specified a the default HttpHandler is used. * * @param callable $httpHandler callback which delivers psr7 request * @return bool True if this a GCEInstance, false otherwise */ public static function onGce(callable $httpHandler = null) { $httpHandler = $httpHandler ?: \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpHandlerFactory::build(\Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::getHttpClient()); $checkUri = 'http://' . self::METADATA_IP; for ($i = 1; $i <= self::MAX_COMPUTE_PING_TRIES; $i++) { try { // Comment from: oauth2client/client.py // // Note: the explicit `timeout` below is a workaround. The underlying // issue is that resolving an unknown host on some networks will take // 20-30 seconds; making this timeout short fixes the issue, but // could lead to false negatives in the event that we are on GCE, but // the metadata resolution was particularly slow. The latter case is // "unlikely". $resp = $httpHandler(new \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Request('GET', $checkUri, [self::FLAVOR_HEADER => 'Google']), ['timeout' => self::COMPUTE_PING_CONNECTION_TIMEOUT_S]); return $resp->getHeaderLine(self::FLAVOR_HEADER) == 'Google'; } catch (\Google\Site_Kit_Dependencies\GuzzleHttp\Exception\ClientException $e) { } catch (\Google\Site_Kit_Dependencies\GuzzleHttp\Exception\ServerException $e) { } catch (\Google\Site_Kit_Dependencies\GuzzleHttp\Exception\RequestException $e) { } catch (\Google\Site_Kit_Dependencies\GuzzleHttp\Exception\ConnectException $e) { } } return \false; } /** * Implements FetchAuthTokenInterface#fetchAuthToken. * * Fetches the auth tokens from the GCE metadata host if it is available. * If $httpHandler is not specified a the default HttpHandler is used. * * @param callable $httpHandler callback which delivers psr7 request * * @return array A set of auth related metadata, based on the token type. * * Access tokens have the following keys: * - access_token (string) * - expires_in (int) * - token_type (string) * ID tokens have the following keys: * - id_token (string) * * @throws \Exception */ public function fetchAuthToken(callable $httpHandler = null) { $httpHandler = $httpHandler ?: \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpHandlerFactory::build(\Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::getHttpClient()); if (!$this->hasCheckedOnGce) { $this->isOnGce = self::onGce($httpHandler); $this->hasCheckedOnGce = \true; } if (!$this->isOnGce) { return array(); // return an empty array with no access token } $response = $this->getFromMetadata($httpHandler, $this->tokenUri); if ($this->targetAudience) { return ['id_token' => $response]; } if (null === ($json = \json_decode($response, \true))) { throw new \Exception('Invalid JSON response'); } $json['expires_at'] = \time() + $json['expires_in']; // store this so we can retrieve it later $this->lastReceivedToken = $json; return $json; } /** * @return string */ public function getCacheKey() { return self::cacheKey; } /** * @return array|null */ public function getLastReceivedToken() { if ($this->lastReceivedToken) { return ['access_token' => $this->lastReceivedToken['access_token'], 'expires_at' => $this->lastReceivedToken['expires_at']]; } return null; } /** * Get the client name from GCE metadata. * * Subsequent calls will return a cached value. * * @param callable $httpHandler callback which delivers psr7 request * @return string */ public function getClientName(callable $httpHandler = null) { if ($this->clientName) { return $this->clientName; } $httpHandler = $httpHandler ?: \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpHandlerFactory::build(\Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::getHttpClient()); if (!$this->hasCheckedOnGce) { $this->isOnGce = self::onGce($httpHandler); $this->hasCheckedOnGce = \true; } if (!$this->isOnGce) { return ''; } $this->clientName = $this->getFromMetadata($httpHandler, self::getClientNameUri($this->serviceAccountIdentity)); return $this->clientName; } /** * Sign a string using the default service account private key. * * This implementation uses IAM's signBlob API. * * @see https://cloud.google.com/iam/credentials/reference/rest/v1/projects.serviceAccounts/signBlob SignBlob * * @param string $stringToSign The string to sign. * @param bool $forceOpenSsl [optional] Does not apply to this credentials * type. * @param string $accessToken The access token to use to sign the blob. If * provided, saves a call to the metadata server for a new access * token. **Defaults to** `null`. * @return string */ public function signBlob($stringToSign, $forceOpenSsl = \false, $accessToken = null) { $httpHandler = \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpHandlerFactory::build(\Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::getHttpClient()); // Providing a signer is useful for testing, but it's undocumented // because it's not something a user would generally need to do. $signer = $this->iam ?: new \Google\Site_Kit_Dependencies\Google\Auth\Iam($httpHandler); $email = $this->getClientName($httpHandler); if (\is_null($accessToken)) { $previousToken = $this->getLastReceivedToken(); $accessToken = $previousToken ? $previousToken['access_token'] : $this->fetchAuthToken($httpHandler)['access_token']; } return $signer->signBlob($email, $accessToken, $stringToSign); } /** * Fetch the default Project ID from compute engine. * * Returns null if called outside GCE. * * @param callable $httpHandler Callback which delivers psr7 request * @return string|null */ public function getProjectId(callable $httpHandler = null) { if ($this->projectId) { return $this->projectId; } $httpHandler = $httpHandler ?: \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpHandlerFactory::build(\Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::getHttpClient()); if (!$this->hasCheckedOnGce) { $this->isOnGce = self::onGce($httpHandler); $this->hasCheckedOnGce = \true; } if (!$this->isOnGce) { return null; } $this->projectId = $this->getFromMetadata($httpHandler, self::getProjectIdUri()); return $this->projectId; } /** * Fetch the value of a GCE metadata server URI. * * @param callable $httpHandler An HTTP Handler to deliver PSR7 requests. * @param string $uri The metadata URI. * @return string */ private function getFromMetadata(callable $httpHandler, $uri) { $resp = $httpHandler(new \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Request('GET', $uri, [self::FLAVOR_HEADER => 'Google'])); return (string) $resp->getBody(); } /** * Get the quota project used for this API request * * @return string|null */ public function getQuotaProject() { return $this->quotaProject; } } google/auth/src/Credentials/IAMCredentials.php 0000644 00000004575 15054470473 0015326 0 ustar 00 selector = $selector; $this->token = $token; } /** * export a callback function which updates runtime metadata. * * @return array updateMetadata function */ public function getUpdateMetadataFunc() { return array($this, 'updateMetadata'); } /** * Updates metadata with the appropriate header metadata. * * @param array $metadata metadata hashmap * @param string $unusedAuthUri optional auth uri * @param callable $httpHandler callback which delivers psr7 request * Note: this param is unused here, only included here for * consistency with other credentials class * * @return array updated metadata hashmap */ public function updateMetadata($metadata, $unusedAuthUri = null, callable $httpHandler = null) { $metadata_copy = $metadata; $metadata_copy[self::SELECTOR_KEY] = $this->selector; $metadata_copy[self::TOKEN_KEY] = $this->token; return $metadata_copy; } } google/auth/src/Credentials/InsecureCredentials.php 0000644 00000003612 15054470473 0016464 0 ustar 00 '']; /** * Fetches the auth token. In this case it returns an empty string. * * @param callable $httpHandler * @return array A set of auth related metadata, containing the following * keys: * - access_token (string) */ public function fetchAuthToken(callable $httpHandler = null) { return $this->token; } /** * Returns the cache key. In this case it returns a null value, disabling * caching. * * @return string|null */ public function getCacheKey() { return null; } /** * Fetches the last received token. In this case, it returns the same empty string * auth token. * * @return array */ public function getLastReceivedToken() { return $this->token; } } google/auth/src/Credentials/UserRefreshCredentials.php 0000644 00000010222 15054470473 0017137 0 ustar 00 auth = new \Google\Site_Kit_Dependencies\Google\Auth\OAuth2(['clientId' => $jsonKey['client_id'], 'clientSecret' => $jsonKey['client_secret'], 'refresh_token' => $jsonKey['refresh_token'], 'scope' => $scope, 'tokenCredentialUri' => self::TOKEN_CREDENTIAL_URI]); if (\array_key_exists('quota_project_id', $jsonKey)) { $this->quotaProject = (string) $jsonKey['quota_project_id']; } } /** * @param callable $httpHandler * * @return array A set of auth related metadata, containing the following * keys: * - access_token (string) * - expires_in (int) * - scope (string) * - token_type (string) * - id_token (string) */ public function fetchAuthToken(callable $httpHandler = null) { return $this->auth->fetchAuthToken($httpHandler); } /** * @return string */ public function getCacheKey() { return $this->auth->getClientId() . ':' . $this->auth->getCacheKey(); } /** * @return array */ public function getLastReceivedToken() { return $this->auth->getLastReceivedToken(); } /** * Get the quota project used for this API request * * @return string|null */ public function getQuotaProject() { return $this->quotaProject; } } google/auth/src/SignBlobInterface.php 0000644 00000003102 15054470473 0013606 0 ustar 00 fetcher = $fetcher; $this->cache = $cache; $this->cacheConfig = \array_merge(['lifetime' => 1500, 'prefix' => ''], (array) $cacheConfig); } /** * Implements FetchAuthTokenInterface#fetchAuthToken. * * Checks the cache for a valid auth token and fetches the auth tokens * from the supplied fetcher. * * @param callable $httpHandler callback which delivers psr7 request * @return array the response * @throws \Exception */ public function fetchAuthToken(callable $httpHandler = null) { if ($cached = $this->fetchAuthTokenFromCache()) { return $cached; } $auth_token = $this->fetcher->fetchAuthToken($httpHandler); $this->saveAuthTokenInCache($auth_token); return $auth_token; } /** * @return string */ public function getCacheKey() { return $this->getFullCacheKey($this->fetcher->getCacheKey()); } /** * @return array|null */ public function getLastReceivedToken() { return $this->fetcher->getLastReceivedToken(); } /** * Get the client name from the fetcher. * * @param callable $httpHandler An HTTP handler to deliver PSR7 requests. * @return string */ public function getClientName(callable $httpHandler = null) { if (!$this->fetcher instanceof \Google\Site_Kit_Dependencies\Google\Auth\SignBlobInterface) { throw new \RuntimeException('Credentials fetcher does not implement ' . 'Google\\Auth\\SignBlobInterface'); } return $this->fetcher->getClientName($httpHandler); } /** * Sign a blob using the fetcher. * * @param string $stringToSign The string to sign. * @param bool $forceOpenSsl Require use of OpenSSL for local signing. Does * not apply to signing done using external services. **Defaults to** * `false`. * @return string The resulting signature. * @throws \RuntimeException If the fetcher does not implement * `Google\Auth\SignBlobInterface`. */ public function signBlob($stringToSign, $forceOpenSsl = \false) { if (!$this->fetcher instanceof \Google\Site_Kit_Dependencies\Google\Auth\SignBlobInterface) { throw new \RuntimeException('Credentials fetcher does not implement ' . 'Google\\Auth\\SignBlobInterface'); } // Pass the access token from cache to GCECredentials for signing a blob. // This saves a call to the metadata server when a cached token exists. if ($this->fetcher instanceof \Google\Site_Kit_Dependencies\Google\Auth\Credentials\GCECredentials) { $cached = $this->fetchAuthTokenFromCache(); $accessToken = isset($cached['access_token']) ? $cached['access_token'] : null; return $this->fetcher->signBlob($stringToSign, $forceOpenSsl, $accessToken); } return $this->fetcher->signBlob($stringToSign, $forceOpenSsl); } /** * Get the quota project used for this API request from the credentials * fetcher. * * @return string|null */ public function getQuotaProject() { if ($this->fetcher instanceof \Google\Site_Kit_Dependencies\Google\Auth\GetQuotaProjectInterface) { return $this->fetcher->getQuotaProject(); } } /* * Get the Project ID from the fetcher. * * @param callable $httpHandler Callback which delivers psr7 request * @return string|null * @throws \RuntimeException If the fetcher does not implement * `Google\Auth\ProvidesProjectIdInterface`. */ public function getProjectId(callable $httpHandler = null) { if (!$this->fetcher instanceof \Google\Site_Kit_Dependencies\Google\Auth\ProjectIdProviderInterface) { throw new \RuntimeException('Credentials fetcher does not implement ' . 'Google\\Auth\\ProvidesProjectIdInterface'); } return $this->fetcher->getProjectId($httpHandler); } /** * Updates metadata with the authorization token. * * @param array $metadata metadata hashmap * @param string $authUri optional auth uri * @param callable $httpHandler callback which delivers psr7 request * @return array updated metadata hashmap * @throws \RuntimeException If the fetcher does not implement * `Google\Auth\UpdateMetadataInterface`. */ public function updateMetadata($metadata, $authUri = null, callable $httpHandler = null) { if (!$this->fetcher instanceof \Google\Site_Kit_Dependencies\Google\Auth\UpdateMetadataInterface) { throw new \RuntimeException('Credentials fetcher does not implement ' . 'Google\\Auth\\UpdateMetadataInterface'); } $cached = $this->fetchAuthTokenFromCache($authUri); if ($cached) { // Set the access token in the `Authorization` metadata header so // the downstream call to updateMetadata know they don't need to // fetch another token. if (isset($cached['access_token'])) { $metadata[self::AUTH_METADATA_KEY] = ['Bearer ' . $cached['access_token']]; } } $newMetadata = $this->fetcher->updateMetadata($metadata, $authUri, $httpHandler); if (!$cached && ($token = $this->fetcher->getLastReceivedToken())) { $this->saveAuthTokenInCache($token, $authUri); } return $newMetadata; } private function fetchAuthTokenFromCache($authUri = null) { // Use the cached value if its available. // // TODO: correct caching; update the call to setCachedValue to set the expiry // to the value returned with the auth token. // // TODO: correct caching; enable the cache to be cleared. // if $authUri is set, use it as the cache key $cacheKey = $authUri ? $this->getFullCacheKey($authUri) : $this->fetcher->getCacheKey(); $cached = $this->getCachedValue($cacheKey); if (\is_array($cached)) { if (empty($cached['expires_at'])) { // If there is no expiration data, assume token is not expired. // (for JwtAccess and ID tokens) return $cached; } if (\time() < $cached['expires_at']) { // access token is not expired return $cached; } } return null; } private function saveAuthTokenInCache($authToken, $authUri = null) { if (isset($authToken['access_token']) || isset($authToken['id_token'])) { // if $authUri is set, use it as the cache key $cacheKey = $authUri ? $this->getFullCacheKey($authUri) : $this->fetcher->getCacheKey(); $this->setCachedValue($cacheKey, $authToken); } } } google/auth/src/CredentialsLoader.php 0000644 00000024756 15054470473 0013674 0 ustar 00 setDefaultOption('auth', 'google_auth'); $subscriber = new \Google\Site_Kit_Dependencies\Google\Auth\Subscriber\AuthTokenSubscriber($fetcher, $httpHandler, $tokenCallback); $client->getEmitter()->attach($subscriber); return $client; } $middleware = new \Google\Site_Kit_Dependencies\Google\Auth\Middleware\AuthTokenMiddleware($fetcher, $httpHandler, $tokenCallback); $stack = \Google\Site_Kit_Dependencies\GuzzleHttp\HandlerStack::create(); $stack->push($middleware); return new \Google\Site_Kit_Dependencies\GuzzleHttp\Client(['handler' => $stack, 'auth' => 'google_auth'] + $httpClientOptions); } /** * Create a new instance of InsecureCredentials. * * @return InsecureCredentials */ public static function makeInsecureCredentials() { return new \Google\Site_Kit_Dependencies\Google\Auth\Credentials\InsecureCredentials(); } /** * export a callback function which updates runtime metadata. * * @return array updateMetadata function * @deprecated */ public function getUpdateMetadataFunc() { return array($this, 'updateMetadata'); } /** * Updates metadata with the authorization token. * * @param array $metadata metadata hashmap * @param string $authUri optional auth uri * @param callable $httpHandler callback which delivers psr7 request * @return array updated metadata hashmap */ public function updateMetadata($metadata, $authUri = null, callable $httpHandler = null) { if (isset($metadata[self::AUTH_METADATA_KEY])) { // Auth metadata has already been set return $metadata; } $result = $this->fetchAuthToken($httpHandler); if (!isset($result['access_token'])) { return $metadata; } $metadata_copy = $metadata; $metadata_copy[self::AUTH_METADATA_KEY] = array('Bearer ' . $result['access_token']); return $metadata_copy; } /** * Gets a callable which returns the default device certification. * * @throws UnexpectedValueException * @return callable|null */ public static function getDefaultClientCertSource() { if (!($clientCertSourceJson = self::loadDefaultClientCertSourceFile())) { return null; } $clientCertSourceCmd = $clientCertSourceJson['cert_provider_command']; return function () use($clientCertSourceCmd) { $cmd = \array_map('escapeshellarg', $clientCertSourceCmd); \exec(\implode(' ', $cmd), $output, $returnVar); if (0 === $returnVar) { return \implode(\PHP_EOL, $output); } throw new \RuntimeException('"cert_provider_command" failed with a nonzero exit code'); }; } /** * Determines whether or not the default device certificate should be loaded. * * @return bool */ public static function shouldLoadClientCertSource() { return \filter_var(\getenv(self::MTLS_CERT_ENV_VAR), \FILTER_VALIDATE_BOOLEAN); } private static function loadDefaultClientCertSourceFile() { $rootEnv = self::isOnWindows() ? 'APPDATA' : 'HOME'; $path = \sprintf('%s/%s', \getenv($rootEnv), self::MTLS_WELL_KNOWN_PATH); if (!\file_exists($path)) { return null; } $jsonKey = \file_get_contents($path); $clientCertSourceJson = \json_decode($jsonKey, \true); if (!$clientCertSourceJson) { throw new \UnexpectedValueException('Invalid client cert source JSON'); } if (!isset($clientCertSourceJson['cert_provider_command'])) { throw new \UnexpectedValueException('cert source requires "cert_provider_command"'); } if (!\is_array($clientCertSourceJson['cert_provider_command'])) { throw new \UnexpectedValueException('cert source expects "cert_provider_command" to be an array'); } return $clientCertSourceJson; } } google/auth/src/CacheTrait.php 0000644 00000004222 15054470473 0012301 0 ustar 00 cache)) { return; } $key = $this->getFullCacheKey($k); if (\is_null($key)) { return; } $cacheItem = $this->cache->getItem($key); if ($cacheItem->isHit()) { return $cacheItem->get(); } } /** * Saves the value in the cache when that is available. */ private function setCachedValue($k, $v) { if (\is_null($this->cache)) { return; } $key = $this->getFullCacheKey($k); if (\is_null($key)) { return; } $cacheItem = $this->cache->getItem($key); $cacheItem->set($v); $cacheItem->expiresAfter($this->cacheConfig['lifetime']); return $this->cache->save($cacheItem); } private function getFullCacheKey($key) { if (\is_null($key)) { return; } $key = $this->cacheConfig['prefix'] . $key; // ensure we do not have illegal characters $key = \preg_replace('|[^a-zA-Z0-9_\\.!]|', '', $key); // Hash keys if they exceed $maxKeyLength (defaults to 64) if ($this->maxKeyLength && \strlen($key) > $this->maxKeyLength) { $key = \substr(\hash('sha256', $key), 0, $this->maxKeyLength); } return $key; } } google/auth/src/OAuth2.php 0000644 00000107760 15054470473 0011407 0 ustar 00 self::DEFAULT_EXPIRY_SECONDS, 'extensionParams' => [], 'authorizationUri' => null, 'redirectUri' => null, 'tokenCredentialUri' => null, 'state' => null, 'username' => null, 'password' => null, 'clientId' => null, 'clientSecret' => null, 'issuer' => null, 'sub' => null, 'audience' => null, 'signingKey' => null, 'signingKeyId' => null, 'signingAlgorithm' => null, 'scope' => null, 'additionalClaims' => []], $config); $this->setAuthorizationUri($opts['authorizationUri']); $this->setRedirectUri($opts['redirectUri']); $this->setTokenCredentialUri($opts['tokenCredentialUri']); $this->setState($opts['state']); $this->setUsername($opts['username']); $this->setPassword($opts['password']); $this->setClientId($opts['clientId']); $this->setClientSecret($opts['clientSecret']); $this->setIssuer($opts['issuer']); $this->setSub($opts['sub']); $this->setExpiry($opts['expiry']); $this->setAudience($opts['audience']); $this->setSigningKey($opts['signingKey']); $this->setSigningKeyId($opts['signingKeyId']); $this->setSigningAlgorithm($opts['signingAlgorithm']); $this->setScope($opts['scope']); $this->setExtensionParams($opts['extensionParams']); $this->setAdditionalClaims($opts['additionalClaims']); $this->updateToken($opts); } /** * Verifies the idToken if present. * * - if none is present, return null * - if present, but invalid, raises DomainException. * - otherwise returns the payload in the idtoken as a PHP object. * * The behavior of this method varies depending on the version of * `firebase/php-jwt` you are using. In versions lower than 3.0.0, if * `$publicKey` is null, the key is decoded without being verified. In * newer versions, if a public key is not given, this method will throw an * `\InvalidArgumentException`. * * @param string $publicKey The public key to use to authenticate the token * @param array $allowed_algs List of supported verification algorithms * @throws \DomainException if the token is missing an audience. * @throws \DomainException if the audience does not match the one set in * the OAuth2 class instance. * @throws \UnexpectedValueException If the token is invalid * @throws SignatureInvalidException If the signature is invalid. * @throws BeforeValidException If the token is not yet valid. * @throws ExpiredException If the token has expired. * @return null|object */ public function verifyIdToken($publicKey = null, $allowed_algs = array()) { $idToken = $this->getIdToken(); if (\is_null($idToken)) { return null; } $resp = $this->jwtDecode($idToken, $publicKey, $allowed_algs); if (!\property_exists($resp, 'aud')) { throw new \DomainException('No audience found the id token'); } if ($resp->aud != $this->getAudience()) { throw new \DomainException('Wrong audience present in the id token'); } return $resp; } /** * Obtains the encoded jwt from the instance data. * * @param array $config array optional configuration parameters * @return string */ public function toJwt(array $config = []) { if (\is_null($this->getSigningKey())) { throw new \DomainException('No signing key available'); } if (\is_null($this->getSigningAlgorithm())) { throw new \DomainException('No signing algorithm specified'); } $now = \time(); $opts = \array_merge(['skew' => self::DEFAULT_SKEW_SECONDS], $config); $assertion = ['iss' => $this->getIssuer(), 'exp' => $now + $this->getExpiry(), 'iat' => $now - $opts['skew']]; foreach ($assertion as $k => $v) { if (\is_null($v)) { throw new \DomainException($k . ' should not be null'); } } if (!\is_null($this->getAudience())) { $assertion['aud'] = $this->getAudience(); } if (!\is_null($this->getScope())) { $assertion['scope'] = $this->getScope(); } if (empty($assertion['scope']) && empty($assertion['aud'])) { throw new \DomainException('one of scope or aud should not be null'); } if (!\is_null($this->getSub())) { $assertion['sub'] = $this->getSub(); } $assertion += $this->getAdditionalClaims(); return $this->jwtEncode($assertion, $this->getSigningKey(), $this->getSigningAlgorithm(), $this->getSigningKeyId()); } /** * Generates a request for token credentials. * * @return RequestInterface the authorization Url. */ public function generateCredentialsRequest() { $uri = $this->getTokenCredentialUri(); if (\is_null($uri)) { throw new \DomainException('No token credential URI was set.'); } $grantType = $this->getGrantType(); $params = array('grant_type' => $grantType); switch ($grantType) { case 'authorization_code': $params['code'] = $this->getCode(); $params['redirect_uri'] = $this->getRedirectUri(); $this->addClientCredentials($params); break; case 'password': $params['username'] = $this->getUsername(); $params['password'] = $this->getPassword(); $this->addClientCredentials($params); break; case 'refresh_token': $params['refresh_token'] = $this->getRefreshToken(); $this->addClientCredentials($params); break; case self::JWT_URN: $params['assertion'] = $this->toJwt(); break; default: if (!\is_null($this->getRedirectUri())) { # Grant type was supposed to be 'authorization_code', as there # is a redirect URI. throw new \DomainException('Missing authorization code'); } unset($params['grant_type']); if (!\is_null($grantType)) { $params['grant_type'] = $grantType; } $params = \array_merge($params, $this->getExtensionParams()); } $headers = ['Cache-Control' => 'no-store', 'Content-Type' => 'application/x-www-form-urlencoded']; return new \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Request('POST', $uri, $headers, \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Query::build($params)); } /** * Fetches the auth tokens based on the current state. * * @param callable $httpHandler callback which delivers psr7 request * @return array the response */ public function fetchAuthToken(callable $httpHandler = null) { if (\is_null($httpHandler)) { $httpHandler = \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpHandlerFactory::build(\Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::getHttpClient()); } $response = $httpHandler($this->generateCredentialsRequest()); $credentials = $this->parseTokenResponse($response); $this->updateToken($credentials); return $credentials; } /** * Obtains a key that can used to cache the results of #fetchAuthToken. * * The key is derived from the scopes. * * @return string a key that may be used to cache the auth token. */ public function getCacheKey() { if (\is_array($this->scope)) { return \implode(':', $this->scope); } if ($this->audience) { return $this->audience; } // If scope has not set, return null to indicate no caching. return null; } /** * Parses the fetched tokens. * * @param ResponseInterface $resp the response. * @return array the tokens parsed from the response body. * @throws \Exception */ public function parseTokenResponse(\Google\Site_Kit_Dependencies\Psr\Http\Message\ResponseInterface $resp) { $body = (string) $resp->getBody(); if ($resp->hasHeader('Content-Type') && $resp->getHeaderLine('Content-Type') == 'application/x-www-form-urlencoded') { $res = array(); \parse_str($body, $res); return $res; } // Assume it's JSON; if it's not throw an exception if (null === ($res = \json_decode($body, \true))) { throw new \Exception('Invalid JSON response'); } return $res; } /** * Updates an OAuth 2.0 client. * * Example: * ``` * $oauth->updateToken([ * 'refresh_token' => 'n4E9O119d', * 'access_token' => 'FJQbwq9', * 'expires_in' => 3600 * ]); * ``` * * @param array $config * The configuration parameters related to the token. * * - refresh_token * The refresh token associated with the access token * to be refreshed. * * - access_token * The current access token for this client. * * - id_token * The current ID token for this client. * * - expires_in * The time in seconds until access token expiration. * * - expires_at * The time as an integer number of seconds since the Epoch * * - issued_at * The timestamp that the token was issued at. */ public function updateToken(array $config) { $opts = \array_merge(['extensionParams' => [], 'access_token' => null, 'id_token' => null, 'expires_in' => null, 'expires_at' => null, 'issued_at' => null], $config); $this->setExpiresAt($opts['expires_at']); $this->setExpiresIn($opts['expires_in']); // By default, the token is issued at `Time.now` when `expiresIn` is set, // but this can be used to supply a more precise time. if (!\is_null($opts['issued_at'])) { $this->setIssuedAt($opts['issued_at']); } $this->setAccessToken($opts['access_token']); $this->setIdToken($opts['id_token']); // The refresh token should only be updated if a value is explicitly // passed in, as some access token responses do not include a refresh // token. if (\array_key_exists('refresh_token', $opts)) { $this->setRefreshToken($opts['refresh_token']); } } /** * Builds the authorization Uri that the user should be redirected to. * * @param array $config configuration options that customize the return url * @return UriInterface the authorization Url. * @throws InvalidArgumentException */ public function buildFullAuthorizationUri(array $config = []) { if (\is_null($this->getAuthorizationUri())) { throw new \InvalidArgumentException('requires an authorizationUri to have been set'); } $params = \array_merge(['response_type' => 'code', 'access_type' => 'offline', 'client_id' => $this->clientId, 'redirect_uri' => $this->redirectUri, 'state' => $this->state, 'scope' => $this->getScope()], $config); // Validate the auth_params if (\is_null($params['client_id'])) { throw new \InvalidArgumentException('missing the required client identifier'); } if (\is_null($params['redirect_uri'])) { throw new \InvalidArgumentException('missing the required redirect URI'); } if (!empty($params['prompt']) && !empty($params['approval_prompt'])) { throw new \InvalidArgumentException('prompt and approval_prompt are mutually exclusive'); } // Construct the uri object; return it if it is valid. $result = clone $this->authorizationUri; $existingParams = \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Query::parse($result->getQuery()); $result = $result->withQuery(\Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Query::build(\array_merge($existingParams, $params))); if ($result->getScheme() != 'https') { throw new \InvalidArgumentException('Authorization endpoint must be protected by TLS'); } return $result; } /** * Sets the authorization server's HTTP endpoint capable of authenticating * the end-user and obtaining authorization. * * @param string $uri */ public function setAuthorizationUri($uri) { $this->authorizationUri = $this->coerceUri($uri); } /** * Gets the authorization server's HTTP endpoint capable of authenticating * the end-user and obtaining authorization. * * @return UriInterface */ public function getAuthorizationUri() { return $this->authorizationUri; } /** * Gets the authorization server's HTTP endpoint capable of issuing tokens * and refreshing expired tokens. * * @return string */ public function getTokenCredentialUri() { return $this->tokenCredentialUri; } /** * Sets the authorization server's HTTP endpoint capable of issuing tokens * and refreshing expired tokens. * * @param string $uri */ public function setTokenCredentialUri($uri) { $this->tokenCredentialUri = $this->coerceUri($uri); } /** * Gets the redirection URI used in the initial request. * * @return string */ public function getRedirectUri() { return $this->redirectUri; } /** * Sets the redirection URI used in the initial request. * * @param string $uri */ public function setRedirectUri($uri) { if (\is_null($uri)) { $this->redirectUri = null; return; } // redirect URI must be absolute if (!$this->isAbsoluteUri($uri)) { // "postmessage" is a reserved URI string in Google-land // @see https://developers.google.com/identity/sign-in/web/server-side-flow if ('postmessage' !== (string) $uri) { throw new \InvalidArgumentException('Redirect URI must be absolute'); } } $this->redirectUri = (string) $uri; } /** * Gets the scope of the access requests as a space-delimited String. * * @return string */ public function getScope() { if (\is_null($this->scope)) { return $this->scope; } return \implode(' ', $this->scope); } /** * Sets the scope of the access request, expressed either as an Array or as * a space-delimited String. * * @param string|array $scope * @throws InvalidArgumentException */ public function setScope($scope) { if (\is_null($scope)) { $this->scope = null; } elseif (\is_string($scope)) { $this->scope = \explode(' ', $scope); } elseif (\is_array($scope)) { foreach ($scope as $s) { $pos = \strpos($s, ' '); if ($pos !== \false) { throw new \InvalidArgumentException('array scope values should not contain spaces'); } } $this->scope = $scope; } else { throw new \InvalidArgumentException('scopes should be a string or array of strings'); } } /** * Gets the current grant type. * * @return string */ public function getGrantType() { if (!\is_null($this->grantType)) { return $this->grantType; } // Returns the inferred grant type, based on the current object instance // state. if (!\is_null($this->code)) { return 'authorization_code'; } if (!\is_null($this->refreshToken)) { return 'refresh_token'; } if (!\is_null($this->username) && !\is_null($this->password)) { return 'password'; } if (!\is_null($this->issuer) && !\is_null($this->signingKey)) { return self::JWT_URN; } return null; } /** * Sets the current grant type. * * @param $grantType * @throws InvalidArgumentException */ public function setGrantType($grantType) { if (\in_array($grantType, self::$knownGrantTypes)) { $this->grantType = $grantType; } else { // validate URI if (!$this->isAbsoluteUri($grantType)) { throw new \InvalidArgumentException('invalid grant type'); } $this->grantType = (string) $grantType; } } /** * Gets an arbitrary string designed to allow the client to maintain state. * * @return string */ public function getState() { return $this->state; } /** * Sets an arbitrary string designed to allow the client to maintain state. * * @param string $state */ public function setState($state) { $this->state = $state; } /** * Gets the authorization code issued to this client. */ public function getCode() { return $this->code; } /** * Sets the authorization code issued to this client. * * @param string $code */ public function setCode($code) { $this->code = $code; } /** * Gets the resource owner's username. */ public function getUsername() { return $this->username; } /** * Sets the resource owner's username. * * @param string $username */ public function setUsername($username) { $this->username = $username; } /** * Gets the resource owner's password. */ public function getPassword() { return $this->password; } /** * Sets the resource owner's password. * * @param $password */ public function setPassword($password) { $this->password = $password; } /** * Sets a unique identifier issued to the client to identify itself to the * authorization server. */ public function getClientId() { return $this->clientId; } /** * Sets a unique identifier issued to the client to identify itself to the * authorization server. * * @param $clientId */ public function setClientId($clientId) { $this->clientId = $clientId; } /** * Gets a shared symmetric secret issued by the authorization server, which * is used to authenticate the client. */ public function getClientSecret() { return $this->clientSecret; } /** * Sets a shared symmetric secret issued by the authorization server, which * is used to authenticate the client. * * @param $clientSecret */ public function setClientSecret($clientSecret) { $this->clientSecret = $clientSecret; } /** * Gets the Issuer ID when using assertion profile. */ public function getIssuer() { return $this->issuer; } /** * Sets the Issuer ID when using assertion profile. * * @param string $issuer */ public function setIssuer($issuer) { $this->issuer = $issuer; } /** * Gets the target sub when issuing assertions. */ public function getSub() { return $this->sub; } /** * Sets the target sub when issuing assertions. * * @param string $sub */ public function setSub($sub) { $this->sub = $sub; } /** * Gets the target audience when issuing assertions. */ public function getAudience() { return $this->audience; } /** * Sets the target audience when issuing assertions. * * @param string $audience */ public function setAudience($audience) { $this->audience = $audience; } /** * Gets the signing key when using an assertion profile. */ public function getSigningKey() { return $this->signingKey; } /** * Sets the signing key when using an assertion profile. * * @param string $signingKey */ public function setSigningKey($signingKey) { $this->signingKey = $signingKey; } /** * Gets the signing key id when using an assertion profile. * * @return string */ public function getSigningKeyId() { return $this->signingKeyId; } /** * Sets the signing key id when using an assertion profile. * * @param string $signingKeyId */ public function setSigningKeyId($signingKeyId) { $this->signingKeyId = $signingKeyId; } /** * Gets the signing algorithm when using an assertion profile. * * @return string */ public function getSigningAlgorithm() { return $this->signingAlgorithm; } /** * Sets the signing algorithm when using an assertion profile. * * @param string $signingAlgorithm */ public function setSigningAlgorithm($signingAlgorithm) { if (\is_null($signingAlgorithm)) { $this->signingAlgorithm = null; } elseif (!\in_array($signingAlgorithm, self::$knownSigningAlgorithms)) { throw new \InvalidArgumentException('unknown signing algorithm'); } else { $this->signingAlgorithm = $signingAlgorithm; } } /** * Gets the set of parameters used by extension when using an extension * grant type. */ public function getExtensionParams() { return $this->extensionParams; } /** * Sets the set of parameters used by extension when using an extension * grant type. * * @param $extensionParams */ public function setExtensionParams($extensionParams) { $this->extensionParams = $extensionParams; } /** * Gets the number of seconds assertions are valid for. */ public function getExpiry() { return $this->expiry; } /** * Sets the number of seconds assertions are valid for. * * @param int $expiry */ public function setExpiry($expiry) { $this->expiry = $expiry; } /** * Gets the lifetime of the access token in seconds. */ public function getExpiresIn() { return $this->expiresIn; } /** * Sets the lifetime of the access token in seconds. * * @param int $expiresIn */ public function setExpiresIn($expiresIn) { if (\is_null($expiresIn)) { $this->expiresIn = null; $this->issuedAt = null; } else { $this->issuedAt = \time(); $this->expiresIn = (int) $expiresIn; } } /** * Gets the time the current access token expires at. * * @return int */ public function getExpiresAt() { if (!\is_null($this->expiresAt)) { return $this->expiresAt; } if (!\is_null($this->issuedAt) && !\is_null($this->expiresIn)) { return $this->issuedAt + $this->expiresIn; } return null; } /** * Returns true if the acccess token has expired. * * @return bool */ public function isExpired() { $expiration = $this->getExpiresAt(); $now = \time(); return !\is_null($expiration) && $now >= $expiration; } /** * Sets the time the current access token expires at. * * @param int $expiresAt */ public function setExpiresAt($expiresAt) { $this->expiresAt = $expiresAt; } /** * Gets the time the current access token was issued at. */ public function getIssuedAt() { return $this->issuedAt; } /** * Sets the time the current access token was issued at. * * @param int $issuedAt */ public function setIssuedAt($issuedAt) { $this->issuedAt = $issuedAt; } /** * Gets the current access token. */ public function getAccessToken() { return $this->accessToken; } /** * Sets the current access token. * * @param string $accessToken */ public function setAccessToken($accessToken) { $this->accessToken = $accessToken; } /** * Gets the current ID token. */ public function getIdToken() { return $this->idToken; } /** * Sets the current ID token. * * @param $idToken */ public function setIdToken($idToken) { $this->idToken = $idToken; } /** * Gets the refresh token associated with the current access token. */ public function getRefreshToken() { return $this->refreshToken; } /** * Sets the refresh token associated with the current access token. * * @param $refreshToken */ public function setRefreshToken($refreshToken) { $this->refreshToken = $refreshToken; } /** * Sets additional claims to be included in the JWT token * * @param array $additionalClaims */ public function setAdditionalClaims(array $additionalClaims) { $this->additionalClaims = $additionalClaims; } /** * Gets the additional claims to be included in the JWT token. * * @return array */ public function getAdditionalClaims() { return $this->additionalClaims; } /** * The expiration of the last received token. * * @return array|null */ public function getLastReceivedToken() { if ($token = $this->getAccessToken()) { // the bare necessity of an auth token $authToken = ['access_token' => $token, 'expires_at' => $this->getExpiresAt()]; } elseif ($idToken = $this->getIdToken()) { $authToken = ['id_token' => $idToken, 'expires_at' => $this->getExpiresAt()]; } else { return null; } if ($expiresIn = $this->getExpiresIn()) { $authToken['expires_in'] = $expiresIn; } if ($issuedAt = $this->getIssuedAt()) { $authToken['issued_at'] = $issuedAt; } if ($refreshToken = $this->getRefreshToken()) { $authToken['refresh_token'] = $refreshToken; } return $authToken; } /** * Get the client ID. * * Alias of {@see Google\Auth\OAuth2::getClientId()}. * * @param callable $httpHandler * @return string * @access private */ public function getClientName(callable $httpHandler = null) { return $this->getClientId(); } /** * @todo handle uri as array * * @param string $uri * @return null|UriInterface */ private function coerceUri($uri) { if (\is_null($uri)) { return; } return \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Utils::uriFor($uri); } /** * @param string $idToken * @param string|array|null $publicKey * @param array $allowedAlgs * @return object */ private function jwtDecode($idToken, $publicKey, $allowedAlgs) { if (\class_exists('Google\\Site_Kit_Dependencies\\Firebase\\JWT\\JWT')) { return \Google\Site_Kit_Dependencies\Firebase\JWT\JWT::decode($idToken, $publicKey, $allowedAlgs); } return \Google\Site_Kit_Dependencies\JWT::decode($idToken, $publicKey, $allowedAlgs); } private function jwtEncode($assertion, $signingKey, $signingAlgorithm, $signingKeyId = null) { if (\class_exists('Google\\Site_Kit_Dependencies\\Firebase\\JWT\\JWT')) { return \Google\Site_Kit_Dependencies\Firebase\JWT\JWT::encode($assertion, $signingKey, $signingAlgorithm, $signingKeyId); } return \Google\Site_Kit_Dependencies\JWT::encode($assertion, $signingKey, $signingAlgorithm, $signingKeyId); } /** * Determines if the URI is absolute based on its scheme and host or path * (RFC 3986). * * @param string $uri * @return bool */ private function isAbsoluteUri($uri) { $uri = $this->coerceUri($uri); return $uri->getScheme() && ($uri->getHost() || $uri->getPath()); } /** * @param array $params * @return array */ private function addClientCredentials(&$params) { $clientId = $this->getClientId(); $clientSecret = $this->getClientSecret(); if ($clientId && $clientSecret) { $params['client_id'] = $clientId; $params['client_secret'] = $clientSecret; } return $params; } } google/auth/src/FetchAuthTokenInterface.php 0000644 00000003207 15054470473 0014771 0 ustar 00 getItems([$key])); } /** * {@inheritdoc} */ public function getItems(array $keys = []) { $items = []; foreach ($keys as $key) { $items[$key] = $this->hasItem($key) ? clone $this->items[$key] : new \Google\Site_Kit_Dependencies\Google\Auth\Cache\Item($key); } return $items; } /** * {@inheritdoc} */ public function hasItem($key) { $this->isValidKey($key); return isset($this->items[$key]) && $this->items[$key]->isHit(); } /** * {@inheritdoc} */ public function clear() { $this->items = []; $this->deferredItems = []; return \true; } /** * {@inheritdoc} */ public function deleteItem($key) { return $this->deleteItems([$key]); } /** * {@inheritdoc} */ public function deleteItems(array $keys) { \array_walk($keys, [$this, 'isValidKey']); foreach ($keys as $key) { unset($this->items[$key]); } return \true; } /** * {@inheritdoc} */ public function save(\Google\Site_Kit_Dependencies\Psr\Cache\CacheItemInterface $item) { $this->items[$item->getKey()] = $item; return \true; } /** * {@inheritdoc} */ public function saveDeferred(\Google\Site_Kit_Dependencies\Psr\Cache\CacheItemInterface $item) { $this->deferredItems[$item->getKey()] = $item; return \true; } /** * {@inheritdoc} */ public function commit() { foreach ($this->deferredItems as $item) { $this->save($item); } $this->deferredItems = []; return \true; } /** * Determines if the provided key is valid. * * @param string $key * @return bool * @throws InvalidArgumentException */ private function isValidKey($key) { $invalidCharacters = '{}()/\\\\@:'; if (!\is_string($key) || \preg_match("#[{$invalidCharacters}]#", $key)) { throw new \Google\Site_Kit_Dependencies\Google\Auth\Cache\InvalidArgumentException('The provided key is not valid: ' . \var_export($key, \true)); } return \true; } } google/auth/src/Cache/InvalidArgumentException.php 0000644 00000001612 15054470473 0016245 0 ustar 00 options = $options + ['variableKey' => self::VAR_KEY, 'proj' => self::DEFAULT_PROJ, 'memsize' => self::DEFAULT_MEMSIZE, 'perm' => self::DEFAULT_PERM]; $this->items = []; $this->deferredItems = []; $this->sysvKey = \ftok(__FILE__, $this->options['proj']); } public function getItem($key) { $this->loadItems(); return \current($this->getItems([$key])); } /** * {@inheritdoc} */ public function getItems(array $keys = []) { $this->loadItems(); $items = []; foreach ($keys as $key) { $items[$key] = $this->hasItem($key) ? clone $this->items[$key] : new \Google\Site_Kit_Dependencies\Google\Auth\Cache\Item($key); } return $items; } /** * {@inheritdoc} */ public function hasItem($key) { $this->loadItems(); return isset($this->items[$key]) && $this->items[$key]->isHit(); } /** * {@inheritdoc} */ public function clear() { $this->items = []; $this->deferredItems = []; return $this->saveCurrentItems(); } /** * {@inheritdoc} */ public function deleteItem($key) { return $this->deleteItems([$key]); } /** * {@inheritdoc} */ public function deleteItems(array $keys) { if (!$this->hasLoadedItems) { $this->loadItems(); } foreach ($keys as $key) { unset($this->items[$key]); } return $this->saveCurrentItems(); } /** * {@inheritdoc} */ public function save(\Google\Site_Kit_Dependencies\Psr\Cache\CacheItemInterface $item) { if (!$this->hasLoadedItems) { $this->loadItems(); } $this->items[$item->getKey()] = $item; return $this->saveCurrentItems(); } /** * {@inheritdoc} */ public function saveDeferred(\Google\Site_Kit_Dependencies\Psr\Cache\CacheItemInterface $item) { $this->deferredItems[$item->getKey()] = $item; return \true; } /** * {@inheritdoc} */ public function commit() { foreach ($this->deferredItems as $item) { if ($this->save($item) === \false) { return \false; } } $this->deferredItems = []; return \true; } /** * Save the current items. * * @return bool true when success, false upon failure */ private function saveCurrentItems() { $shmid = \shm_attach($this->sysvKey, $this->options['memsize'], $this->options['perm']); if ($shmid !== \false) { $ret = \shm_put_var($shmid, $this->options['variableKey'], $this->items); \shm_detach($shmid); return $ret; } return \false; } /** * Load the items from the shared memory. * * @return bool true when success, false upon failure */ private function loadItems() { $shmid = \shm_attach($this->sysvKey, $this->options['memsize'], $this->options['perm']); if ($shmid !== \false) { $data = @\shm_get_var($shmid, $this->options['variableKey']); if (!empty($data)) { $this->items = $data; } else { $this->items = []; } \shm_detach($shmid); $this->hasLoadedItems = \true; return \true; } return \false; } } google/auth/src/Cache/Item.php 0000644 00000010254 15054470473 0012175 0 ustar 00 key = $key; } /** * {@inheritdoc} */ public function getKey() { return $this->key; } /** * {@inheritdoc} */ public function get() { return $this->isHit() ? $this->value : null; } /** * {@inheritdoc} */ public function isHit() { if (!$this->isHit) { return \false; } if ($this->expiration === null) { return \true; } return $this->currentTime()->getTimestamp() < $this->expiration->getTimestamp(); } /** * {@inheritdoc} */ public function set($value) { $this->isHit = \true; $this->value = $value; return $this; } /** * {@inheritdoc} */ public function expiresAt($expiration) { if ($this->isValidExpiration($expiration)) { $this->expiration = $expiration; return $this; } $implementationMessage = \interface_exists('DateTimeInterface') ? 'implement interface DateTimeInterface' : 'be an instance of DateTime'; $error = \sprintf('Argument 1 passed to %s::expiresAt() must %s, %s given', \get_class($this), $implementationMessage, \gettype($expiration)); $this->handleError($error); } /** * {@inheritdoc} */ public function expiresAfter($time) { if (\is_int($time)) { $this->expiration = $this->currentTime()->add(new \DateInterval("PT{$time}S")); } elseif ($time instanceof \DateInterval) { $this->expiration = $this->currentTime()->add($time); } elseif ($time === null) { $this->expiration = $time; } else { $message = 'Argument 1 passed to %s::expiresAfter() must be an ' . 'instance of DateInterval or of the type integer, %s given'; $error = \sprintf($message, \get_class($this), \gettype($time)); $this->handleError($error); } return $this; } /** * Handles an error. * * @param string $error * @throws \TypeError */ private function handleError($error) { if (\class_exists('TypeError')) { throw new \TypeError($error); } \trigger_error($error, \E_USER_ERROR); } /** * Determines if an expiration is valid based on the rules defined by PSR6. * * @param mixed $expiration * @return bool */ private function isValidExpiration($expiration) { if ($expiration === null) { return \true; } // We test for two types here due to the fact the DateTimeInterface // was not introduced until PHP 5.5. Checking for the DateTime type as // well allows us to support 5.4. if ($expiration instanceof \DateTimeInterface) { return \true; } if ($expiration instanceof \DateTime) { return \true; } return \false; } protected function currentTime() { return new \DateTime('now', new \DateTimeZone('UTC')); } } google/auth/src/ApplicationDefaultCredentials.php 0000644 00000034333 15054470473 0016226 0 ustar 00 push($middleware); * * $client = new Client([ * 'handler' => $stack, * 'base_uri' => 'https://www.googleapis.com/taskqueue/v1beta2/projects/', * 'auth' => 'google_auth' // authorize all requests * ]); * * $res = $client->get('myproject/taskqueues/myqueue'); * ``` */ class ApplicationDefaultCredentials { /** * Obtains an AuthTokenSubscriber that uses the default FetchAuthTokenInterface * implementation to use in this environment. * * If supplied, $scope is used to in creating the credentials instance if * this does not fallback to the compute engine defaults. * * @param string|array scope the scope of the access request, expressed * either as an Array or as a space-delimited String. * @param callable $httpHandler callback which delivers psr7 request * @param array $cacheConfig configuration for the cache when it's present * @param CacheItemPoolInterface $cache A cache implementation, may be * provided if you have one already available for use. * @return AuthTokenSubscriber * @throws DomainException if no implementation can be obtained. */ public static function getSubscriber($scope = null, callable $httpHandler = null, array $cacheConfig = null, \Google\Site_Kit_Dependencies\Psr\Cache\CacheItemPoolInterface $cache = null) { $creds = self::getCredentials($scope, $httpHandler, $cacheConfig, $cache); return new \Google\Site_Kit_Dependencies\Google\Auth\Subscriber\AuthTokenSubscriber($creds, $httpHandler); } /** * Obtains an AuthTokenMiddleware that uses the default FetchAuthTokenInterface * implementation to use in this environment. * * If supplied, $scope is used to in creating the credentials instance if * this does not fallback to the compute engine defaults. * * @param string|array scope the scope of the access request, expressed * either as an Array or as a space-delimited String. * @param callable $httpHandler callback which delivers psr7 request * @param array $cacheConfig configuration for the cache when it's present * @param CacheItemPoolInterface $cache A cache implementation, may be * provided if you have one already available for use. * @param string $quotaProject specifies a project to bill for access * charges associated with the request. * @return AuthTokenMiddleware * @throws DomainException if no implementation can be obtained. */ public static function getMiddleware($scope = null, callable $httpHandler = null, array $cacheConfig = null, \Google\Site_Kit_Dependencies\Psr\Cache\CacheItemPoolInterface $cache = null, $quotaProject = null) { $creds = self::getCredentials($scope, $httpHandler, $cacheConfig, $cache, $quotaProject); return new \Google\Site_Kit_Dependencies\Google\Auth\Middleware\AuthTokenMiddleware($creds, $httpHandler); } /** * Obtains the default FetchAuthTokenInterface implementation to use * in this environment. * * @param string|array $scope the scope of the access request, expressed * either as an Array or as a space-delimited String. * @param callable $httpHandler callback which delivers psr7 request * @param array $cacheConfig configuration for the cache when it's present * @param CacheItemPoolInterface $cache A cache implementation, may be * provided if you have one already available for use. * @param string $quotaProject specifies a project to bill for access * charges associated with the request. * @param string|array $defaultScope The default scope to use if no * user-defined scopes exist, expressed either as an Array or as a * space-delimited string. * * @return CredentialsLoader * @throws DomainException if no implementation can be obtained. */ public static function getCredentials($scope = null, callable $httpHandler = null, array $cacheConfig = null, \Google\Site_Kit_Dependencies\Psr\Cache\CacheItemPoolInterface $cache = null, $quotaProject = null, $defaultScope = null) { $creds = null; $jsonKey = \Google\Site_Kit_Dependencies\Google\Auth\CredentialsLoader::fromEnv() ?: \Google\Site_Kit_Dependencies\Google\Auth\CredentialsLoader::fromWellKnownFile(); $anyScope = $scope ?: $defaultScope; if (!$httpHandler) { if (!($client = \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::getHttpClient())) { $client = new \Google\Site_Kit_Dependencies\GuzzleHttp\Client(); \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::setHttpClient($client); } $httpHandler = \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpHandlerFactory::build($client); } if (!\is_null($jsonKey)) { if ($quotaProject) { $jsonKey['quota_project_id'] = $quotaProject; } $creds = \Google\Site_Kit_Dependencies\Google\Auth\CredentialsLoader::makeCredentials($scope, $jsonKey, $defaultScope); } elseif (\Google\Site_Kit_Dependencies\Google\Auth\Credentials\AppIdentityCredentials::onAppEngine() && !\Google\Site_Kit_Dependencies\Google\Auth\Credentials\GCECredentials::onAppEngineFlexible()) { $creds = new \Google\Site_Kit_Dependencies\Google\Auth\Credentials\AppIdentityCredentials($anyScope); } elseif (self::onGce($httpHandler, $cacheConfig, $cache)) { $creds = new \Google\Site_Kit_Dependencies\Google\Auth\Credentials\GCECredentials(null, $anyScope, null, $quotaProject); } if (\is_null($creds)) { throw new \DomainException(self::notFound()); } if (!\is_null($cache)) { $creds = new \Google\Site_Kit_Dependencies\Google\Auth\FetchAuthTokenCache($creds, $cacheConfig, $cache); } return $creds; } /** * Obtains an AuthTokenMiddleware which will fetch an ID token to use in the * Authorization header. The middleware is configured with the default * FetchAuthTokenInterface implementation to use in this environment. * * If supplied, $targetAudience is used to set the "aud" on the resulting * ID token. * * @param string $targetAudience The audience for the ID token. * @param callable $httpHandler callback which delivers psr7 request * @param array $cacheConfig configuration for the cache when it's present * @param CacheItemPoolInterface $cache A cache implementation, may be * provided if you have one already available for use. * @return AuthTokenMiddleware * @throws DomainException if no implementation can be obtained. */ public static function getIdTokenMiddleware($targetAudience, callable $httpHandler = null, array $cacheConfig = null, \Google\Site_Kit_Dependencies\Psr\Cache\CacheItemPoolInterface $cache = null) { $creds = self::getIdTokenCredentials($targetAudience, $httpHandler, $cacheConfig, $cache); return new \Google\Site_Kit_Dependencies\Google\Auth\Middleware\AuthTokenMiddleware($creds, $httpHandler); } /** * Obtains an ProxyAuthTokenMiddleware which will fetch an ID token to use in the * Authorization header. The middleware is configured with the default * FetchAuthTokenInterface implementation to use in this environment. * * If supplied, $targetAudience is used to set the "aud" on the resulting * ID token. * * @param string $targetAudience The audience for the ID token. * @param callable $httpHandler callback which delivers psr7 request * @param array $cacheConfig configuration for the cache when it's present * @param CacheItemPoolInterface $cache A cache implementation, may be * provided if you have one already available for use. * @return ProxyAuthTokenMiddleware * @throws DomainException if no implementation can be obtained. */ public static function getProxyIdTokenMiddleware($targetAudience, callable $httpHandler = null, array $cacheConfig = null, \Google\Site_Kit_Dependencies\Psr\Cache\CacheItemPoolInterface $cache = null) { $creds = self::getIdTokenCredentials($targetAudience, $httpHandler, $cacheConfig, $cache); return new \Google\Site_Kit_Dependencies\Google\Auth\Middleware\ProxyAuthTokenMiddleware($creds, $httpHandler); } /** * Obtains the default FetchAuthTokenInterface implementation to use * in this environment, configured with a $targetAudience for fetching an ID * token. * * @param string $targetAudience The audience for the ID token. * @param callable $httpHandler callback which delivers psr7 request * @param array $cacheConfig configuration for the cache when it's present * @param CacheItemPoolInterface $cache A cache implementation, may be * provided if you have one already available for use. * @return CredentialsLoader * @throws DomainException if no implementation can be obtained. * @throws InvalidArgumentException if JSON "type" key is invalid */ public static function getIdTokenCredentials($targetAudience, callable $httpHandler = null, array $cacheConfig = null, \Google\Site_Kit_Dependencies\Psr\Cache\CacheItemPoolInterface $cache = null) { $creds = null; $jsonKey = \Google\Site_Kit_Dependencies\Google\Auth\CredentialsLoader::fromEnv() ?: \Google\Site_Kit_Dependencies\Google\Auth\CredentialsLoader::fromWellKnownFile(); if (!$httpHandler) { if (!($client = \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::getHttpClient())) { $client = new \Google\Site_Kit_Dependencies\GuzzleHttp\Client(); \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::setHttpClient($client); } $httpHandler = \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpHandlerFactory::build($client); } if (!\is_null($jsonKey)) { if (!\array_key_exists('type', $jsonKey)) { throw new \InvalidArgumentException('json key is missing the type field'); } if ($jsonKey['type'] == 'authorized_user') { throw new \InvalidArgumentException('ID tokens are not supported for end user credentials'); } if ($jsonKey['type'] != 'service_account') { throw new \InvalidArgumentException('invalid value in the type field'); } $creds = new \Google\Site_Kit_Dependencies\Google\Auth\Credentials\ServiceAccountCredentials(null, $jsonKey, null, $targetAudience); } elseif (self::onGce($httpHandler, $cacheConfig, $cache)) { $creds = new \Google\Site_Kit_Dependencies\Google\Auth\Credentials\GCECredentials(null, null, $targetAudience); } if (\is_null($creds)) { throw new \DomainException(self::notFound()); } if (!\is_null($cache)) { $creds = new \Google\Site_Kit_Dependencies\Google\Auth\FetchAuthTokenCache($creds, $cacheConfig, $cache); } return $creds; } private static function notFound() { $msg = 'Could not load the default credentials. Browse to '; $msg .= 'https://developers.google.com'; $msg .= '/accounts/docs/application-default-credentials'; $msg .= ' for more information'; return $msg; } private static function onGce(callable $httpHandler = null, array $cacheConfig = null, \Google\Site_Kit_Dependencies\Psr\Cache\CacheItemPoolInterface $cache = null) { $gceCacheConfig = []; foreach (['lifetime', 'prefix'] as $key) { if (isset($cacheConfig['gce_' . $key])) { $gceCacheConfig[$key] = $cacheConfig['gce_' . $key]; } } return (new \Google\Site_Kit_Dependencies\Google\Auth\GCECache($gceCacheConfig, $cache))->onGce($httpHandler); } } google/auth/src/GCECache.php 0000644 00000005147 15054470473 0011623 0 ustar 00 cache = $cache; $this->cacheConfig = \array_merge(['lifetime' => 1500, 'prefix' => ''], (array) $cacheConfig); } /** * Caches the result of onGce so the metadata server is not called multiple * times. * * @param callable $httpHandler callback which delivers psr7 request * @return bool True if this a GCEInstance, false otherwise */ public function onGce(callable $httpHandler = null) { if (\is_null($this->cache)) { return \Google\Site_Kit_Dependencies\Google\Auth\Credentials\GCECredentials::onGce($httpHandler); } $cacheKey = self::GCE_CACHE_KEY; $onGce = $this->getCachedValue($cacheKey); if (\is_null($onGce)) { $onGce = \Google\Site_Kit_Dependencies\Google\Auth\Credentials\GCECredentials::onGce($httpHandler); $this->setCachedValue($cacheKey, $onGce); } return $onGce; } } google/auth/src/AccessToken.php 0000644 00000044110 15054470473 0012474 0 ustar 00 httpHandler = $httpHandler ?: \Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpHandlerFactory::build(\Google\Site_Kit_Dependencies\Google\Auth\HttpHandler\HttpClientCache::getHttpClient()); $this->cache = $cache ?: new \Google\Site_Kit_Dependencies\Google\Auth\Cache\MemoryCacheItemPool(); } /** * Verifies an id token and returns the authenticated apiLoginTicket. * Throws an exception if the id token is not valid. * The audience parameter can be used to control which id tokens are * accepted. By default, the id token must have been issued to this OAuth2 client. * * @param string $token The JSON Web Token to be verified. * @param array $options [optional] Configuration options. * @param string $options.audience The indended recipient of the token. * @param string $options.issuer The intended issuer of the token. * @param string $options.cacheKey The cache key of the cached certs. Defaults to * the sha1 of $certsLocation if provided, otherwise is set to * "federated_signon_certs_v3". * @param string $options.certsLocation The location (remote or local) from which * to retrieve certificates, if not cached. This value should only be * provided in limited circumstances in which you are sure of the * behavior. * @param bool $options.throwException Whether the function should throw an * exception if the verification fails. This is useful for * determining the reason verification failed. * @return array|bool the token payload, if successful, or false if not. * @throws InvalidArgumentException If certs could not be retrieved from a local file. * @throws InvalidArgumentException If received certs are in an invalid format. * @throws InvalidArgumentException If the cert alg is not supported. * @throws RuntimeException If certs could not be retrieved from a remote location. * @throws UnexpectedValueException If the token issuer does not match. * @throws UnexpectedValueException If the token audience does not match. */ public function verify($token, array $options = []) { $audience = isset($options['audience']) ? $options['audience'] : null; $issuer = isset($options['issuer']) ? $options['issuer'] : null; $certsLocation = isset($options['certsLocation']) ? $options['certsLocation'] : self::FEDERATED_SIGNON_CERT_URL; $cacheKey = isset($options['cacheKey']) ? $options['cacheKey'] : $this->getCacheKeyFromCertLocation($certsLocation); $throwException = isset($options['throwException']) ? $options['throwException'] : \false; // for backwards compatibility // Check signature against each available cert. $certs = $this->getCerts($certsLocation, $cacheKey, $options); $alg = $this->determineAlg($certs); if (!\in_array($alg, ['RS256', 'ES256'])) { throw new \InvalidArgumentException('unrecognized "alg" in certs, expected ES256 or RS256'); } try { if ($alg == 'RS256') { return $this->verifyRs256($token, $certs, $audience, $issuer); } return $this->verifyEs256($token, $certs, $audience, $issuer); } catch (\Google\Site_Kit_Dependencies\Firebase\JWT\ExpiredException $e) { // firebase/php-jwt 3+ } catch (\Google\Site_Kit_Dependencies\ExpiredException $e) { // firebase/php-jwt 2 } catch (\Google\Site_Kit_Dependencies\Firebase\JWT\SignatureInvalidException $e) { // firebase/php-jwt 3+ } catch (\Google\Site_Kit_Dependencies\SignatureInvalidException $e) { // firebase/php-jwt 2 } catch (\Google\Site_Kit_Dependencies\SimpleJWT\InvalidTokenException $e) { // simplejwt } catch (\Google\Site_Kit_Dependencies\Google\Auth\DomainException $e) { } catch (\InvalidArgumentException $e) { } catch (\UnexpectedValueException $e) { } if ($throwException) { throw $e; } return \false; } /** * Identifies the expected algorithm to verify by looking at the "alg" key * of the provided certs. * * @param array $certs Certificate array according to the JWK spec (see * https://tools.ietf.org/html/rfc7517). * @return string The expected algorithm, such as "ES256" or "RS256". */ private function determineAlg(array $certs) { $alg = null; foreach ($certs as $cert) { if (empty($cert['alg'])) { throw new \InvalidArgumentException('certs expects "alg" to be set'); } $alg = $alg ?: $cert['alg']; if ($alg != $cert['alg']) { throw new \InvalidArgumentException('More than one alg detected in certs'); } } return $alg; } /** * Verifies an ES256-signed JWT. * * @param string $token The JSON Web Token to be verified. * @param array $certs Certificate array according to the JWK spec (see * https://tools.ietf.org/html/rfc7517). * @param string|null $audience If set, returns false if the provided * audience does not match the "aud" claim on the JWT. * @param string|null $issuer If set, returns false if the provided * issuer does not match the "iss" claim on the JWT. * @return array|bool the token payload, if successful, or false if not. */ private function verifyEs256($token, array $certs, $audience = null, $issuer = null) { $this->checkSimpleJwt(); $jwkset = new \Google\Site_Kit_Dependencies\SimpleJWT\Keys\KeySet(); foreach ($certs as $cert) { $jwkset->add(\Google\Site_Kit_Dependencies\SimpleJWT\Keys\KeyFactory::create($cert, 'php')); } // Validate the signature using the key set and ES256 algorithm. $jwt = $this->callSimpleJwtDecode([$token, $jwkset, 'ES256']); $payload = $jwt->getClaims(); if (isset($payload['aud'])) { if ($audience && $payload['aud'] != $audience) { throw new \UnexpectedValueException('Audience does not match'); } } // @see https://cloud.google.com/iap/docs/signed-headers-howto#verifying_the_jwt_payload $issuer = $issuer ?: self::IAP_ISSUER; if (!isset($payload['iss']) || $payload['iss'] !== $issuer) { throw new \UnexpectedValueException('Issuer does not match'); } return $payload; } /** * Verifies an RS256-signed JWT. * * @param string $token The JSON Web Token to be verified. * @param array $certs Certificate array according to the JWK spec (see * https://tools.ietf.org/html/rfc7517). * @param string|null $audience If set, returns false if the provided * audience does not match the "aud" claim on the JWT. * @param string|null $issuer If set, returns false if the provided * issuer does not match the "iss" claim on the JWT. * @return array|bool the token payload, if successful, or false if not. */ private function verifyRs256($token, array $certs, $audience = null, $issuer = null) { $this->checkAndInitializePhpsec(); $keys = []; foreach ($certs as $cert) { if (empty($cert['kid'])) { throw new \InvalidArgumentException('certs expects "kid" to be set'); } if (empty($cert['n']) || empty($cert['e'])) { throw new \InvalidArgumentException('RSA certs expects "n" and "e" to be set'); } $rsa = new \Google\Site_Kit_Dependencies\phpseclib\Crypt\RSA(); $rsa->loadKey(['n' => new \Google\Site_Kit_Dependencies\phpseclib\Math\BigInteger($this->callJwtStatic('urlsafeB64Decode', [$cert['n']]), 256), 'e' => new \Google\Site_Kit_Dependencies\phpseclib\Math\BigInteger($this->callJwtStatic('urlsafeB64Decode', [$cert['e']]), 256)]); // create an array of key IDs to certs for the JWT library $keys[$cert['kid']] = $rsa->getPublicKey(); } $payload = $this->callJwtStatic('decode', [$token, $keys, ['RS256']]); if (\property_exists($payload, 'aud')) { if ($audience && $payload->aud != $audience) { throw new \UnexpectedValueException('Audience does not match'); } } // support HTTP and HTTPS issuers // @see https://developers.google.com/identity/sign-in/web/backend-auth $issuers = $issuer ? [$issuer] : [self::OAUTH2_ISSUER, self::OAUTH2_ISSUER_HTTPS]; if (!isset($payload->iss) || !\in_array($payload->iss, $issuers)) { throw new \UnexpectedValueException('Issuer does not match'); } return (array) $payload; } /** * Revoke an OAuth2 access token or refresh token. This method will revoke the current access * token, if a token isn't provided. * * @param string|array $token The token (access token or a refresh token) that should be revoked. * @param array $options [optional] Configuration options. * @return bool Returns True if the revocation was successful, otherwise False. */ public function revoke($token, array $options = []) { if (\is_array($token)) { if (isset($token['refresh_token'])) { $token = $token['refresh_token']; } else { $token = $token['access_token']; } } $body = \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Utils::streamFor(\http_build_query(['token' => $token])); $request = new \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Request('POST', self::OAUTH2_REVOKE_URI, ['Cache-Control' => 'no-store', 'Content-Type' => 'application/x-www-form-urlencoded'], $body); $httpHandler = $this->httpHandler; $response = $httpHandler($request, $options); return $response->getStatusCode() == 200; } /** * Gets federated sign-on certificates to use for verifying identity tokens. * Returns certs as array structure, where keys are key ids, and values * are PEM encoded certificates. * * @param string $location The location from which to retrieve certs. * @param string $cacheKey The key under which to cache the retrieved certs. * @param array $options [optional] Configuration options. * @return array * @throws InvalidArgumentException If received certs are in an invalid format. */ private function getCerts($location, $cacheKey, array $options = []) { $cacheItem = $this->cache->getItem($cacheKey); $certs = $cacheItem ? $cacheItem->get() : null; $gotNewCerts = \false; if (!$certs) { $certs = $this->retrieveCertsFromLocation($location, $options); $gotNewCerts = \true; } if (!isset($certs['keys'])) { if ($location !== self::IAP_CERT_URL) { throw new \InvalidArgumentException('federated sign-on certs expects "keys" to be set'); } throw new \InvalidArgumentException('certs expects "keys" to be set'); } // Push caching off until after verifying certs are in a valid format. // Don't want to cache bad data. if ($gotNewCerts) { $cacheItem->expiresAt(new \DateTime('+1 hour')); $cacheItem->set($certs); $this->cache->save($cacheItem); } return $certs['keys']; } /** * Retrieve and cache a certificates file. * * @param $url string location * @param array $options [optional] Configuration options. * @return array certificates * @throws InvalidArgumentException If certs could not be retrieved from a local file. * @throws RuntimeException If certs could not be retrieved from a remote location. */ private function retrieveCertsFromLocation($url, array $options = []) { // If we're retrieving a local file, just grab it. if (\strpos($url, 'http') !== 0) { if (!\file_exists($url)) { throw new \InvalidArgumentException(\sprintf('Failed to retrieve verification certificates from path: %s.', $url)); } return \json_decode(\file_get_contents($url), \true); } $httpHandler = $this->httpHandler; $response = $httpHandler(new \Google\Site_Kit_Dependencies\GuzzleHttp\Psr7\Request('GET', $url), $options); if ($response->getStatusCode() == 200) { return \json_decode((string) $response->getBody(), \true); } throw new \RuntimeException(\sprintf('Failed to retrieve verification certificates: "%s".', $response->getBody()->getContents()), $response->getStatusCode()); } private function checkAndInitializePhpsec() { // @codeCoverageIgnoreStart if (!\class_exists('Google\\Site_Kit_Dependencies\\phpseclib\\Crypt\\RSA')) { throw new \RuntimeException('Please require phpseclib/phpseclib v2 to use this utility.'); } // @codeCoverageIgnoreEnd $this->setPhpsecConstants(); } private function checkSimpleJwt() { // @codeCoverageIgnoreStart if (!\class_exists('Google\\Site_Kit_Dependencies\\SimpleJWT\\JWT')) { throw new \RuntimeException('Please require kelvinmo/simplejwt ^0.2 to use this utility.'); } // @codeCoverageIgnoreEnd } /** * phpseclib calls "phpinfo" by default, which requires special * whitelisting in the AppEngine VM environment. This function * sets constants to bypass the need for phpseclib to check phpinfo * * @see phpseclib/Math/BigInteger * @see https://github.com/GoogleCloudPlatform/getting-started-php/issues/85 * @codeCoverageIgnore */ private function setPhpsecConstants() { if (\filter_var(\getenv('GAE_VM'), \FILTER_VALIDATE_BOOLEAN)) { if (!\defined('Google\\Site_Kit_Dependencies\\MATH_BIGINTEGER_OPENSSL_ENABLED')) { \define('Google\\Site_Kit_Dependencies\\MATH_BIGINTEGER_OPENSSL_ENABLED', \true); } if (!\defined('Google\\Site_Kit_Dependencies\\CRYPT_RSA_MODE')) { \define('Google\\Site_Kit_Dependencies\\CRYPT_RSA_MODE', \Google\Site_Kit_Dependencies\phpseclib\Crypt\RSA::MODE_OPENSSL); } } } /** * Provide a hook to mock calls to the JWT static methods. * * @param string $method * @param array $args * @return mixed */ protected function callJwtStatic($method, array $args = []) { $class = \class_exists('Google\\Site_Kit_Dependencies\\Firebase\\JWT\\JWT') ? 'Firebase\\JWT\\JWT' : 'JWT'; return \call_user_func_array([$class, $method], $args); } /** * Provide a hook to mock calls to the JWT static methods. * * @param array $args * @return mixed */ protected function callSimpleJwtDecode(array $args = []) { return \call_user_func_array(['SimpleJWT\\JWT', 'decode'], $args); } /** * Generate a cache key based on the cert location using sha1 with the * exception of using "federated_signon_certs_v3" to preserve BC. * * @param string $certsLocation * @return string */ private function getCacheKeyFromCertLocation($certsLocation) { $key = $certsLocation === self::FEDERATED_SIGNON_CERT_URL ? 'federated_signon_certs_v3' : \sha1($certsLocation); return 'google_auth_certs_cache|' . $key; } } google/auth/src/Middleware/AuthTokenMiddleware.php 0000644 00000011142 15054470473 0016246 0 ustar 00 ' */ class AuthTokenMiddleware { /** * @var callback */ private $httpHandler; /** * @var FetchAuthTokenInterface */ private $fetcher; /** * @var callable */ private $tokenCallback; /** * Creates a new AuthTokenMiddleware. * * @param FetchAuthTokenInterface $fetcher is used to fetch the auth token * @param callable $httpHandler (optional) callback which delivers psr7 request * @param callable $tokenCallback (optional) function to be called when a new token is fetched. */ public function __construct(\Google\Site_Kit_Dependencies\Google\Auth\FetchAuthTokenInterface $fetcher, callable $httpHandler = null, callable $tokenCallback = null) { $this->fetcher = $fetcher; $this->httpHandler = $httpHandler; $this->tokenCallback = $tokenCallback; } /** * Updates the request with an Authorization header when auth is 'google_auth'. * * use Google\Auth\Middleware\AuthTokenMiddleware; * use Google\Auth\OAuth2; * use GuzzleHttp\Client; * use GuzzleHttp\HandlerStack; * * $config = [..