diff --git a/HTTPS配置指南.md b/HTTPS配置指南.md new file mode 100644 index 0000000..35dd952 --- /dev/null +++ b/HTTPS配置指南.md @@ -0,0 +1,316 @@ +# 微信小程序 HTTPS 后端接口配置指南 + +## 一、准备工作 + +### 1. 确认您已有: +- ✅ 域名(已备案,如果使用国内服务器) +- ✅ 服务器(云服务器,如阿里云、腾讯云等) +- ✅ 后端代码(Flask/FastAPI/Django 等) + +## 二、获取 SSL 证书 + +### 方案一:免费证书(推荐) + +#### 1. 使用 Let's Encrypt(免费,3个月有效期,可自动续期) + +**安装 Certbot:** +```bash +# Ubuntu/Debian +sudo apt-get update +sudo apt-get install certbot + +# CentOS +sudo yum install certbot +``` + +**获取证书:** +```bash +# 方式1:自动验证(需要80端口开放) +sudo certbot certonly --standalone -d yourdomain.com -d www.yourdomain.com + +# 方式2:手动验证(如果80端口被占用) +sudo certbot certonly --manual -d yourdomain.com +``` + +**证书位置:** +- 证书文件:`/etc/letsencrypt/live/yourdomain.com/fullchain.pem` +- 私钥文件:`/etc/letsencrypt/live/yourdomain.com/privkey.pem` + +#### 2. 使用阿里云/腾讯云免费证书 + +**阿里云:** +1. 登录阿里云控制台 +2. 进入「SSL证书」→「免费证书」 +3. 申请证书,填写域名信息 +4. 完成DNS验证或文件验证 +5. 下载证书(选择对应服务器类型) + +**腾讯云:** +1. 登录腾讯云控制台 +2. 进入「SSL证书」→「我的证书」→「申请免费证书」 +3. 填写域名信息并验证 +4. 下载证书 + +### 方案二:付费证书 +- 阿里云、腾讯云、华为云等都有付费证书服务 +- 通常提供1年有效期,自动续期服务 + +## 三、配置后端服务器 + +### Flask 示例 + +```python +from flask import Flask, jsonify +from flask_cors import CORS +import ssl + +app = Flask(__name__) +CORS(app) # 允许跨域请求 + +@app.route('/api/test', methods=['GET']) +def test(): + return jsonify({'message': 'Hello from HTTPS API'}) + +if __name__ == '__main__': + # 使用 SSL 证书启动 + context = ssl.SSLContext(ssl.PROTOCOL_TLS_SERVER) + context.load_cert_chain( + '/etc/letsencrypt/live/yourdomain.com/fullchain.pem', + '/etc/letsencrypt/live/yourdomain.com/privkey.pem' + ) + + app.run( + host='0.0.0.0', + port=443, + ssl_context=context, + debug=False + ) +``` + +### FastAPI 示例 + +```python +from fastapi import FastAPI +from fastapi.middleware.cors import CORSMiddleware +import uvicorn + +app = FastAPI() + +# 配置 CORS,允许微信小程序访问 +app.add_middleware( + CORSMiddleware, + allow_origins=["*"], # 生产环境建议指定域名 + allow_credentials=True, + allow_methods=["*"], + allow_headers=["*"], +) + +@app.get("/api/test") +async def test(): + return {"message": "Hello from HTTPS API"} + +if __name__ == "__main__": + uvicorn.run( + app, + host="0.0.0.0", + port=443, + ssl_keyfile="/etc/letsencrypt/live/yourdomain.com/privkey.pem", + ssl_certfile="/etc/letsencrypt/live/yourdomain.com/fullchain.pem" + ) +``` + +### 使用 Nginx 反向代理(推荐) + +**安装 Nginx:** +```bash +# Ubuntu/Debian +sudo apt-get install nginx + +# CentOS +sudo yum install nginx +``` + +**配置 Nginx:** +编辑 `/etc/nginx/sites-available/default` 或创建新配置文件: + +```nginx +server { + listen 80; + server_name yourdomain.com www.yourdomain.com; + + # 重定向 HTTP 到 HTTPS + return 301 https://$server_name$request_uri; +} + +server { + listen 443 ssl http2; + server_name yourdomain.com www.yourdomain.com; + + # SSL 证书配置 + ssl_certificate /etc/letsencrypt/live/yourdomain.com/fullchain.pem; + ssl_certificate_key /etc/letsencrypt/live/yourdomain.com/privkey.pem; + + # SSL 优化配置 + ssl_protocols TLSv1.2 TLSv1.3; + ssl_ciphers HIGH:!aNULL:!MD5; + ssl_prefer_server_ciphers on; + + # 反向代理到后端应用 + location / { + proxy_pass http://127.0.0.1:8000; # 您的后端应用端口 + proxy_set_header Host $host; + proxy_set_header X-Real-IP $remote_addr; + proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for; + proxy_set_header X-Forwarded-Proto $scheme; + } + + # API 接口 + location /api/ { + proxy_pass http://127.0.0.1:8000; + proxy_set_header Host $host; + proxy_set_header X-Real-IP $remote_addr; + proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for; + proxy_set_header X-Forwarded-Proto $scheme; + } +} +``` + +**测试并重启 Nginx:** +```bash +sudo nginx -t # 测试配置 +sudo systemctl restart nginx # 重启服务 +``` + +## 四、域名解析配置 + +### 1. 添加 A 记录 +在您的域名 DNS 管理后台添加: +- **记录类型**:A +- **主机记录**:@ 或 www +- **记录值**:您的服务器公网 IP +- **TTL**:600(或默认) + +### 2. 验证解析 +```bash +# 检查域名解析 +ping yourdomain.com +nslookup yourdomain.com +``` + +## 五、防火墙配置 + +### 开放必要端口 +```bash +# Ubuntu/Debian (ufw) +sudo ufw allow 80/tcp +sudo ufw allow 443/tcp +sudo ufw allow 22/tcp # SSH +sudo ufw enable + +# CentOS (firewalld) +sudo firewall-cmd --permanent --add-service=http +sudo firewall-cmd --permanent --add-service=https +sudo firewall-cmd --reload +``` + +## 六、微信小程序配置 + +### 1. 在小程序后台配置服务器域名 + +1. 登录[微信公众平台](https://mp.weixin.qq.com/) +2. 进入「开发」→「开发管理」→「开发设置」 +3. 在「服务器域名」中配置: + - **request合法域名**:`https://yourdomain.com` + - **uploadFile合法域名**:`https://yourdomain.com`(如果需要上传文件) + - **downloadFile合法域名**:`https://yourdomain.com`(如果需要下载文件) + +### 2. 小程序代码示例 + +```javascript +// app.js 或页面中 +wx.request({ + url: 'https://yourdomain.com/api/test', + method: 'GET', + header: { + 'content-type': 'application/json' + }, + success: function(res) { + console.log(res.data); + }, + fail: function(err) { + console.error(err); + } +}); +``` + +## 七、证书自动续期(Let's Encrypt) + +Let's Encrypt 证书有效期3个月,需要设置自动续期: + +```bash +# 测试续期 +sudo certbot renew --dry-run + +# 设置自动续期(crontab) +sudo crontab -e + +# 添加以下行(每月1号凌晨3点检查续期) +0 3 1 * * certbot renew --quiet && systemctl reload nginx +``` + +## 八、常见问题 + +### 1. 证书验证失败 +- 确保域名已正确解析到服务器 +- 确保80端口开放(Let's Encrypt验证需要) +- 检查防火墙设置 + +### 2. 小程序无法访问接口 +- 检查域名是否在小程序后台配置 +- 确认接口返回的 Content-Type 正确 +- 检查服务器 CORS 配置 + +### 3. 证书过期 +- 设置自动续期任务 +- 定期检查证书有效期:`sudo certbot certificates` + +### 4. 混合内容错误 +- 确保所有资源都使用 HTTPS +- 检查 API 返回的链接是否为 HTTPS + +## 九、安全建议 + +1. **使用强密码和密钥** +2. **定期更新系统和依赖** +3. **配置适当的 CORS 策略**(生产环境不要使用 `allow_origins=["*"]`) +4. **使用 HTTPS 强制重定向** +5. **配置安全响应头**(HSTS 等) +6. **定期备份证书和配置** + +## 十、测试 HTTPS + +```bash +# 使用 curl 测试 +curl https://yourdomain.com/api/test + +# 使用浏览器访问 +# https://yourdomain.com/api/test + +# 检查 SSL 配置 +# https://www.ssllabs.com/ssltest/analyze.html?d=yourdomain.com +``` + +--- + +## 快速检查清单 + +- [ ] 域名已解析到服务器 IP +- [ ] SSL 证书已获取并配置 +- [ ] 后端服务已配置 HTTPS +- [ ] 防火墙端口已开放(80, 443) +- [ ] Nginx 配置正确并重启 +- [ ] 小程序后台已配置服务器域名 +- [ ] 测试接口可以正常访问 +- [ ] 证书自动续期已配置 + +完成以上步骤后,您的微信小程序就可以通过 HTTPS 访问后端接口了! diff --git a/README_HTTPS.md b/README_HTTPS.md new file mode 100644 index 0000000..b8cdc70 --- /dev/null +++ b/README_HTTPS.md @@ -0,0 +1,157 @@ +# 快速开始 - HTTPS 后端配置 + +## 一、安装依赖 + +```bash +pip install -r requirements_https.txt +``` + +## 二、获取 SSL 证书 + +### 最简单的方式 - 使用 Let's Encrypt + +```bash +# 1. 安装 certbot +sudo apt-get install certbot # Ubuntu/Debian +# 或 +sudo yum install certbot # CentOS + +# 2. 获取证书(确保80端口开放) +sudo certbot certonly --standalone -d yourdomain.com -d www.yourdomain.com + +# 证书将保存在: +# /etc/letsencrypt/live/yourdomain.com/fullchain.pem +# /etc/letsencrypt/live/yourdomain.com/privkey.pem +``` + +## 三、配置域名解析 + +在您的域名管理后台添加 A 记录: +- 主机记录:@ 或 www +- 记录类型:A +- 记录值:您的服务器公网 IP + +## 四、运行服务器 + +### 方式一:直接运行 Python(开发测试) + +```bash +# 设置环境变量 +export SSL_CERT=/etc/letsencrypt/live/yourdomain.com/fullchain.pem +export SSL_KEY=/etc/letsencrypt/live/yourdomain.com/privkey.pem + +# 运行 Flask 版本 +python https_server_example.py + +# 或运行 FastAPI 版本 +export FRAMEWORK=fastapi +python https_server_example.py +``` + +### 方式二:使用 Nginx 反向代理(生产环境推荐) + +1. **安装 Nginx** +```bash +sudo apt-get install nginx +``` + +2. **配置 Nginx** +编辑 `/etc/nginx/sites-available/default`: + +```nginx +server { + listen 80; + server_name yourdomain.com; + return 301 https://$server_name$request_uri; +} + +server { + listen 443 ssl; + server_name yourdomain.com; + + ssl_certificate /etc/letsencrypt/live/yourdomain.com/fullchain.pem; + ssl_certificate_key /etc/letsencrypt/live/yourdomain.com/privkey.pem; + + location / { + proxy_pass http://127.0.0.1:8000; + proxy_set_header Host $host; + proxy_set_header X-Real-IP $remote_addr; + proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for; + proxy_set_header X-Forwarded-Proto $scheme; + } +} +``` + +3. **启动服务** +```bash +# 启动后端(HTTP,端口8000) +python https_server_example.py + +# 重启 Nginx +sudo systemctl restart nginx +``` + +## 五、配置微信小程序 + +1. 登录[微信公众平台](https://mp.weixin.qq.com/) +2. 进入「开发」→「开发管理」→「开发设置」 +3. 配置服务器域名: + - **request合法域名**:`https://yourdomain.com` + +## 六、测试接口 + +```bash +# 测试 HTTPS 接口 +curl https://yourdomain.com/api/test + +# 测试登录接口 +curl -X POST https://yourdomain.com/api/user/login \ + -H "Content-Type: application/json" \ + -d '{"username":"test","password":"123456"}' +``` + +## 七、小程序调用示例 + +```javascript +// 在小程序中调用 +wx.request({ + url: 'https://yourdomain.com/api/test', + method: 'GET', + success: function(res) { + console.log(res.data); + }, + fail: function(err) { + console.error('请求失败', err); + } +}); +``` + +## 常见问题 + +### 1. 证书文件找不到 +- 检查证书路径是否正确 +- 确认证书文件权限:`sudo chmod 644 /etc/letsencrypt/live/yourdomain.com/*.pem` + +### 2. 端口被占用 +- 检查端口占用:`sudo netstat -tulpn | grep :443` +- 或使用 Nginx 反向代理,后端运行在 8000 端口 + +### 3. 小程序无法访问 +- 确认域名已在小程序后台配置 +- 检查服务器防火墙是否开放 443 端口 +- 确认域名已正确解析 + +### 4. 证书过期 +Let's Encrypt 证书3个月有效期,设置自动续期: +```bash +sudo crontab -e +# 添加:0 3 1 * * certbot renew --quiet && systemctl reload nginx +``` + +## 安全建议 + +1. ✅ 使用 Nginx 反向代理(更安全、更稳定) +2. ✅ 生产环境配置具体的 CORS 域名 +3. ✅ 定期更新证书 +4. ✅ 使用环境变量管理敏感信息 +5. ✅ 配置防火墙规则 diff --git a/gui_config.py b/gui_config.py new file mode 100644 index 0000000..9823689 --- /dev/null +++ b/gui_config.py @@ -0,0 +1,383 @@ +import sys +import threading +from PyQt5.QtWidgets import (QApplication, QMainWindow, QWidget, QVBoxLayout, + QHBoxLayout, QTableWidget, QTableWidgetItem, + QPushButton, QLineEdit, QLabel, QDateTimeEdit, + QHeaderView, QMessageBox, QCheckBox, QTextEdit) +from PyQt5.QtCore import Qt, QDateTime, pyqtSignal, QThread +from PyQt5.QtGui import QColor +from 自动化 import Pdd + + +class TaskThread(QThread): + """任务执行线程""" + status_update = pyqtSignal(int, str) # 行号, 状态消息 + + def __init__(self, row, url, user_id, time_start): + super().__init__() + self.row = row + self.url = url + self.user_id = user_id + self.time_start = time_start + self.is_running = True + + def run(self): + try: + self.status_update.emit(self.row, "正在初始化...") + pdd = Pdd( + url=self.url, + user_id=self.user_id, + time_start=self.time_start if self.time_start else None, + ) + + if not self.is_running: + return + + self.status_update.emit(self.row, "正在执行任务...") + pdd.action() + + if self.is_running: + self.status_update.emit(self.row, "完成") + except Exception as e: + if self.is_running: + self.status_update.emit(self.row, f"错误: {str(e)}") + + def stop(self): + self.is_running = False + + +class ConfigGUI(QMainWindow): + def __init__(self): + super().__init__() + self.task_threads = {} # 存储任务线程 {row: thread} + self.init_ui() + + def init_ui(self): + self.setWindowTitle("自动化任务配置工具") + self.setGeometry(100, 100, 1200, 700) + + # 主窗口部件 + main_widget = QWidget() + self.setCentralWidget(main_widget) + main_layout = QVBoxLayout() + main_widget.setLayout(main_layout) + + # 输入区域 + input_layout = QHBoxLayout() + + # URL输入 + url_label = QLabel("URL:") + self.url_input = QLineEdit() + self.url_input.setPlaceholderText("请输入小红书链接") + input_layout.addWidget(url_label) + input_layout.addWidget(self.url_input) + + # User ID输入 + user_id_label = QLabel("User ID:") + self.user_id_input = QLineEdit() + self.user_id_input.setPlaceholderText("请输入用户ID") + input_layout.addWidget(user_id_label) + input_layout.addWidget(self.user_id_input) + + # 定时发布时间输入 + time_label = QLabel("定时发布时间:") + self.time_input = QDateTimeEdit() + self.time_input.setDateTime(QDateTime.currentDateTime()) + self.time_input.setDisplayFormat("yyyy-MM-dd HH:mm:ss") + self.time_input.setCalendarPopup(True) + input_layout.addWidget(time_label) + input_layout.addWidget(self.time_input) + + # 添加按钮 + add_btn = QPushButton("添加任务") + add_btn.clicked.connect(self.add_task) + input_layout.addWidget(add_btn) + + main_layout.addLayout(input_layout) + + # 任务列表表格 + self.table = QTableWidget() + self.table.setColumnCount(6) + self.table.setHorizontalHeaderLabels(["选择", "URL", "User ID", "定时发布时间", "状态", "操作"]) + self.table.horizontalHeader().setStretchLastSection(True) + self.table.setSelectionBehavior(QTableWidget.SelectRows) + self.table.setEditTriggers(QTableWidget.NoEditTriggers) + + # 设置列宽 + header = self.table.horizontalHeader() + header.setSectionResizeMode(0, QHeaderView.ResizeToContents) # 选择列 + header.setSectionResizeMode(1, QHeaderView.Stretch) # URL列 + header.setSectionResizeMode(2, QHeaderView.ResizeToContents) # User ID列 + header.setSectionResizeMode(3, QHeaderView.ResizeToContents) # 时间列 + header.setSectionResizeMode(4, QHeaderView.ResizeToContents) # 状态列 + header.setSectionResizeMode(5, QHeaderView.ResizeToContents) # 操作列 + + main_layout.addWidget(self.table) + + # 操作按钮区域 + button_layout = QHBoxLayout() + + # 全选/取消全选 + select_all_btn = QPushButton("全选") + select_all_btn.clicked.connect(self.select_all) + button_layout.addWidget(select_all_btn) + + deselect_all_btn = QPushButton("取消全选") + deselect_all_btn.clicked.connect(self.deselect_all) + button_layout.addWidget(deselect_all_btn) + + button_layout.addStretch() + + # 删除选中 + delete_btn = QPushButton("删除选中") + delete_btn.clicked.connect(self.delete_selected) + button_layout.addWidget(delete_btn) + + # 运行选中 + run_btn = QPushButton("运行选中任务") + run_btn.setStyleSheet("background-color: #4CAF50; color: white; font-weight: bold;") + run_btn.clicked.connect(self.run_selected) + button_layout.addWidget(run_btn) + + # 停止所有 + stop_all_btn = QPushButton("停止所有任务") + stop_all_btn.setStyleSheet("background-color: #f44336; color: white; font-weight: bold;") + stop_all_btn.clicked.connect(self.stop_all) + button_layout.addWidget(stop_all_btn) + + main_layout.addLayout(button_layout) + + # 日志区域 + log_label = QLabel("运行日志:") + main_layout.addWidget(log_label) + + self.log_text = QTextEdit() + self.log_text.setReadOnly(True) + self.log_text.setMaximumHeight(150) + main_layout.addWidget(self.log_text) + + def add_task(self): + url = self.url_input.text().strip() + user_id = self.user_id_input.text().strip() + time_str = self.time_input.dateTime().toString("yyyy-MM-dd HH:mm:ss") + + if not url: + QMessageBox.warning(self, "警告", "请输入URL") + return + + if not user_id: + QMessageBox.warning(self, "警告", "请输入User ID") + return + + # 添加行 + row = self.table.rowCount() + self.table.insertRow(row) + + # 复选框 + checkbox = QCheckBox() + checkbox.setChecked(True) + self.table.setCellWidget(row, 0, checkbox) + + # URL + url_item = QTableWidgetItem(url) + url_item.setTextAlignment(Qt.AlignLeft | Qt.AlignVCenter) + self.table.setItem(row, 1, url_item) + + # User ID + user_id_item = QTableWidgetItem(user_id) + user_id_item.setTextAlignment(Qt.AlignCenter) + self.table.setItem(row, 2, user_id_item) + + # 定时发布时间 + time_item = QTableWidgetItem(time_str) + time_item.setTextAlignment(Qt.AlignCenter) + self.table.setItem(row, 3, time_item) + + # 状态 + status_item = QTableWidgetItem("待运行") + status_item.setTextAlignment(Qt.AlignCenter) + status_item.setForeground(QColor(128, 128, 128)) + self.table.setItem(row, 4, status_item) + + # 操作按钮 + delete_btn = QPushButton("删除") + delete_btn.clicked.connect(lambda: self.delete_row(row)) + self.table.setCellWidget(row, 5, delete_btn) + + # 清空输入框 + self.url_input.clear() + self.user_id_input.clear() + + self.log(f"已添加任务: User ID={user_id}, URL={url[:50]}...") + + def delete_row(self, row): + # 如果任务正在运行,先停止 + if row in self.task_threads: + self.stop_task(row) + + self.table.removeRow(row) + # 更新后续行的引用 + self.update_row_references(row) + + def update_row_references(self, deleted_row): + """更新删除行之后的所有行的引用""" + new_threads = {} + for old_row, thread in self.task_threads.items(): + if old_row < deleted_row: + new_threads[old_row] = thread + elif old_row > deleted_row: + new_threads[old_row - 1] = thread + self.task_threads = new_threads + + # 更新删除按钮的连接 + for row in range(self.table.rowCount()): + delete_btn = self.table.cellWidget(row, 5) + if delete_btn: + delete_btn.clicked.disconnect() + delete_btn.clicked.connect(lambda checked, r=row: self.delete_row(r)) + + def select_all(self): + for row in range(self.table.rowCount()): + checkbox = self.table.cellWidget(row, 0) + if checkbox: + checkbox.setChecked(True) + + def deselect_all(self): + for row in range(self.table.rowCount()): + checkbox = self.table.cellWidget(row, 0) + if checkbox: + checkbox.setChecked(False) + + def delete_selected(self): + rows_to_delete = [] + for row in range(self.table.rowCount()): + checkbox = self.table.cellWidget(row, 0) + if checkbox and checkbox.isChecked(): + rows_to_delete.append(row) + + # 从后往前删除,避免索引变化 + for row in sorted(rows_to_delete, reverse=True): + self.delete_row(row) + + if rows_to_delete: + self.log(f"已删除 {len(rows_to_delete)} 个任务") + + def get_selected_rows(self): + """获取选中的行号列表""" + selected_rows = [] + for row in range(self.table.rowCount()): + checkbox = self.table.cellWidget(row, 0) + if checkbox and checkbox.isChecked(): + selected_rows.append(row) + return selected_rows + + def run_selected(self): + selected_rows = self.get_selected_rows() + + if not selected_rows: + QMessageBox.warning(self, "警告", "请至少选择一个任务") + return + + # 检查是否有任务正在运行 + running_count = sum(1 for row in selected_rows if row in self.task_threads) + if running_count > 0: + QMessageBox.warning(self, "警告", "选中的任务中有正在运行的,请先停止") + return + + # 启动选中的任务 + for row in selected_rows: + url = self.table.item(row, 1).text() + user_id = self.table.item(row, 2).text() + time_str = self.table.item(row, 3).text() + + # 更新状态 + status_item = self.table.item(row, 4) + status_item.setText("运行中") + status_item.setForeground(QColor(255, 165, 0)) + + # 创建并启动线程 + thread = TaskThread(row, url, user_id, time_str) + thread.status_update.connect(self.update_status) + thread.start() + self.task_threads[row] = thread + + self.log(f"开始运行任务 {row+1}: User ID={user_id}") + + def update_status(self, row, status): + """更新任务状态""" + if row >= self.table.rowCount(): + return + + status_item = self.table.item(row, 4) + if status_item: + status_item.setText(status) + + if "完成" in status: + status_item.setForeground(QColor(0, 128, 0)) + elif "错误" in status: + status_item.setForeground(QColor(255, 0, 0)) + elif "运行中" in status or "正在" in status: + status_item.setForeground(QColor(255, 165, 0)) + else: + status_item.setForeground(QColor(128, 128, 128)) + + # 如果任务完成或出错,从线程字典中移除 + if "完成" in status or "错误" in status: + if row in self.task_threads: + del self.task_threads[row] + + def stop_task(self, row): + """停止指定行的任务""" + if row in self.task_threads: + thread = self.task_threads[row] + thread.stop() + thread.wait() + del self.task_threads[row] + + status_item = self.table.item(row, 4) + if status_item: + status_item.setText("已停止") + status_item.setForeground(QColor(128, 128, 128)) + + self.log(f"已停止任务 {row+1}") + + def stop_all(self): + """停止所有正在运行的任务""" + rows_to_stop = list(self.task_threads.keys()) + for row in rows_to_stop: + self.stop_task(row) + + if rows_to_stop: + self.log(f"已停止 {len(rows_to_stop)} 个任务") + + def log(self, message): + """添加日志""" + from datetime import datetime + timestamp = datetime.now().strftime("%Y-%m-%d %H:%M:%S") + self.log_text.append(f"[{timestamp}] {message}") + + def closeEvent(self, event): + """窗口关闭时停止所有任务""" + if self.task_threads: + reply = QMessageBox.question( + self, + "确认", + "有任务正在运行,确定要关闭吗?", + QMessageBox.Yes | QMessageBox.No, + QMessageBox.No + ) + + if reply == QMessageBox.Yes: + self.stop_all() + event.accept() + else: + event.ignore() + else: + event.accept() + + +if __name__ == '__main__': + app = QApplication(sys.argv) + window = ConfigGUI() + window.show() + sys.exit(app.exec_()) diff --git a/haha.xlsx b/haha.xlsx new file mode 100644 index 0000000..81533ed Binary files /dev/null and b/haha.xlsx differ diff --git a/https_server_example.py b/https_server_example.py new file mode 100644 index 0000000..624091b --- /dev/null +++ b/https_server_example.py @@ -0,0 +1,202 @@ +""" +微信小程序 HTTPS 后端服务器示例 +支持 Flask 和 FastAPI 两种框架 +""" + +# ==================== Flask 版本 ==================== +from flask import Flask, jsonify, request +from flask_cors import CORS +import ssl +import os + +app = Flask(__name__) +# 配置 CORS,允许微信小程序访问 +CORS(app, resources={ + r"/api/*": { + "origins": "*", # 生产环境建议指定具体域名 + "methods": ["GET", "POST", "PUT", "DELETE", "OPTIONS"], + "allow_headers": ["Content-Type", "Authorization"] + } +}) + +@app.route('/api/test', methods=['GET']) +def test(): + """测试接口""" + return jsonify({ + 'code': 200, + 'message': 'HTTPS 接口测试成功', + 'data': { + 'timestamp': request.headers.get('X-Request-Time', ''), + 'user_agent': request.headers.get('User-Agent', '') + } + }) + +@app.route('/api/user/login', methods=['POST']) +def login(): + """登录接口示例""" + data = request.get_json() + username = data.get('username', '') + password = data.get('password', '') + + # 这里添加您的登录逻辑 + if username and password: + return jsonify({ + 'code': 200, + 'message': '登录成功', + 'data': { + 'token': 'example_token_12345', + 'user_id': 1 + } + }) + else: + return jsonify({ + 'code': 400, + 'message': '用户名或密码不能为空' + }), 400 + +@app.route('/api/health', methods=['GET']) +def health(): + """健康检查接口""" + return jsonify({ + 'status': 'healthy', + 'service': 'wechat-miniprogram-api' + }) + +def run_flask_server(): + """运行 Flask HTTPS 服务器""" + # SSL 证书路径(根据您的实际情况修改) + cert_file = os.getenv('SSL_CERT', '/etc/letsencrypt/live/yourdomain.com/fullchain.pem') + key_file = os.getenv('SSL_KEY', '/etc/letsencrypt/live/yourdomain.com/privkey.pem') + + # 检查证书文件是否存在 + if not os.path.exists(cert_file) or not os.path.exists(key_file): + print(f"警告:证书文件不存在!") + print(f"证书路径: {cert_file}") + print(f"私钥路径: {key_file}") + print("请先配置 SSL 证书,或使用 Nginx 反向代理") + # 开发环境可以运行 HTTP(仅用于测试) + app.run(host='0.0.0.0', port=8000, debug=True) + return + + # 配置 SSL + context = ssl.SSLContext(ssl.PROTOCOL_TLS_SERVER) + context.load_cert_chain(cert_file, key_file) + + print("启动 Flask HTTPS 服务器...") + print(f"访问地址: https://yourdomain.com/api/test") + + app.run( + host='0.0.0.0', + port=443, + ssl_context=context, + debug=False # 生产环境设为 False + ) + + +# ==================== FastAPI 版本 ==================== +try: + from fastapi import FastAPI, Request + from fastapi.middleware.cors import CORSMiddleware + from fastapi.responses import JSONResponse + import uvicorn + + fastapi_app = FastAPI(title="微信小程序 API", version="1.0.0") + + # 配置 CORS + fastapi_app.add_middleware( + CORSMiddleware, + allow_origins=["*"], # 生产环境建议指定具体域名 + allow_credentials=True, + allow_methods=["*"], + allow_headers=["*"], + ) + + @fastapi_app.get("/api/test") + async def test_api(request: Request): + """测试接口""" + return { + 'code': 200, + 'message': 'HTTPS 接口测试成功', + 'data': { + 'timestamp': request.headers.get('x-request-time', ''), + 'user_agent': request.headers.get('user-agent', '') + } + } + + @fastapi_app.post("/api/user/login") + async def login_api(data: dict): + """登录接口示例""" + username = data.get('username', '') + password = data.get('password', '') + + if username and password: + return { + 'code': 200, + 'message': '登录成功', + 'data': { + 'token': 'example_token_12345', + 'user_id': 1 + } + } + else: + return JSONResponse( + status_code=400, + content={ + 'code': 400, + 'message': '用户名或密码不能为空' + } + ) + + @fastapi_app.get("/api/health") + async def health_check(): + """健康检查接口""" + return { + 'status': 'healthy', + 'service': 'wechat-miniprogram-api' + } + + def run_fastapi_server(): + """运行 FastAPI HTTPS 服务器""" + cert_file = os.getenv('SSL_CERT', '/etc/letsencrypt/live/yourdomain.com/fullchain.pem') + key_file = os.getenv('SSL_KEY', '/etc/letsencrypt/live/yourdomain.com/privkey.pem') + + if not os.path.exists(cert_file) or not os.path.exists(key_file): + print(f"警告:证书文件不存在!") + print(f"证书路径: {cert_file}") + print(f"私钥路径: {key_file}") + print("请先配置 SSL 证书,或使用 Nginx 反向代理") + # 开发环境可以运行 HTTP(仅用于测试) + uvicorn.run(fastapi_app, host="0.0.0.0", port=8000) + return + + print("启动 FastAPI HTTPS 服务器...") + print(f"访问地址: https://yourdomain.com/api/test") + + uvicorn.run( + fastapi_app, + host="0.0.0.0", + port=443, + ssl_keyfile=key_file, + ssl_certfile=cert_file + ) + +except ImportError: + print("FastAPI 未安装,跳过 FastAPI 示例") + print("安装命令: pip install fastapi uvicorn") + + +# ==================== 主程序 ==================== +if __name__ == '__main__': + import sys + + # 选择框架:'flask' 或 'fastapi' + framework = os.getenv('FRAMEWORK', 'flask').lower() + + if framework == 'fastapi': + try: + run_fastapi_server() + except NameError: + print("FastAPI 未安装,使用 Flask") + run_flask_server() + else: + run_flask_server() diff --git a/pdd_gui.log b/pdd_gui.log index 8b265a0..a78c9ca 100644 --- a/pdd_gui.log +++ b/pdd_gui.log @@ -15308,3 +15308,68 @@ template { 🚇华南城C口 #深圳逛超市#超市拍照#线下购物
2022-03-25
加载中
任务完成:haha +开始任务:C:/Users/27942/Desktop/haha11 +已请求停止队列,将在当前任务结束后停止。 +任务失败:C:/Users/27942/Desktop/haha11,原因:失败:未登录 +开始任务:C:/Users/27942/Desktop/haha11 +已请求停止队列,将在当前任务结束后停止。 +已请求停止队列,将在当前任务结束后停止。 +任务失败:C:/Users/27942/Desktop/haha11,原因:失败:未登录 +开始任务:C:/Users/27942/Desktop/haha11 +任务失败:C:/Users/27942/Desktop/haha11,原因:失败: +没有找到元素。 +方法: None +参数: {'locator': , 'index': 1, 'timeout': None} +版本: 4.1.1.2 +从Excel文件加载了 0 个任务 +已添加任务: C:/Users/27942/Desktop/haha11 +开始任务:C:/Users/27942/Desktop/haha11 +任务失败 (尝试 1/2),5秒后重试: TypeError: ChromiumPage.get_tab() got an unexpected keyword argument 'timeout' +任务最终失败: TypeError: ChromiumPage.get_tab() got an unexpected keyword argument 'timeout' +Traceback (most recent call last): + File "C:\Users\27942\Desktop\haha\自动化_wrapper.py", line 56, in run + pdd.action() + ~~~~~~~~~~^^ + File "C:\Users\27942\Desktop\haha\自动化.py", line 391, in action + creator_tab = self._open_creator_tab() + File "C:\Users\27942\Desktop\haha\自动化.py", line 145, in _open_creator_tab + creator_tab = self.page.get_tab(url="home/creator/manage", timeout=10) +TypeError: ChromiumPage.get_tab() got an unexpected keyword argument 'timeout' +任务失败:C:/Users/27942/Desktop/haha11,原因:失败:ChromiumPage.get_tab() got an unexpected keyword argument 'timeout' +任务队列执行完成 +从Excel文件加载了 0 个任务 +已添加任务: C:/Users/27942/Desktop/haha11 +开始任务:C:/Users/27942/Desktop/haha11 +任务失败 (尝试 1/2),5秒后重试: ValueError: 文件夹未找到视频文件:C:/Users/27942/Desktop/haha11 +任务最终失败: PageDisconnectedError: +与页面的连接已断开。 +版本: 4.1.1.2 +Traceback (most recent call last): + File "C:\Users\27942\Desktop\haha\自动化_wrapper.py", line 56, in run + pdd.action() + ~~~~~~~~~~^^ + File "C:\Users\27942\Desktop\haha\自动化.py", line 400, in action + creator_tab = self._open_creator_tab() + File "C:\Users\27942\Desktop\haha\自动化.py", line 121, in _open_creator_tab + if self.page.ele("x://*[text()='登录']", timeout=5): + ~~~~~~~~~~~~~^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ + File "C:\Users\27942\.conda\envs\haha\Lib\site-packages\DrissionPage\_pages\chromium_base.py", line 430, in ele + return self._ele(locator, timeout=timeout, index=index, method='ele()') + ~~~~~~~~~^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ + File "C:\Users\27942\.conda\envs\haha\Lib\site-packages\DrissionPage\_base\base.py", line 354, in _ele + r = self._find_elements(locator, timeout=timeout, index=index, raise_err=raise_err) + File "C:\Users\27942\.conda\envs\haha\Lib\site-packages\DrissionPage\_pages\chromium_base.py", line 503, in _find_elements + raise PageDisconnectedError +DrissionPage.errors.PageDisconnectedError: +与页面的连接已断开。 +版本: 4.1.1.2 +任务失败:C:/Users/27942/Desktop/haha11,原因:失败: +与页面的连接已断开。 +版本: 4.1.1.2 +任务队列执行完成 +从Excel文件加载了 0 个任务 +已添加任务: C:/Users/27942/Desktop/haha11 +开始任务:C:/Users/27942/Desktop/haha11 +已请求停止队列,将在当前任务结束后停止。 +已请求停止队列,将在当前任务结束后停止。 +已请求停止队列,将在当前任务结束后停止。 diff --git a/pdd_tasks.json b/pdd_tasks.json index ec594c5..1d9889a 100644 --- a/pdd_tasks.json +++ b/pdd_tasks.json @@ -1,11 +1,15 @@ [ { - "name": "haha", - "url": "https://www.xiaohongshu.com/explore/623d36d70000000001026733?xsec_token=ABhhM2ncuuuXOXUkG3YWI5ygMg2uLj9K1IYSxXyKARs3E=&xsec_source=pc_user", "user_id": "1050100241", - "time_start": "2026-01-28 09:56:10", + "file_path": "C:/Users/27942/Desktop/haha11", + "topics": "python-haha", + "interval": "2", + "creator_link": "https://www.xiaohongshu.com/explore/694d5080000000001d03c266?xsec_token=ABdCdLrjMkmGbv623XZvEinqYbvCUS-J24yN2KCNaloJU=&xsec_source=pc_user", + "count": "4", + "note": "haha", + "time_start": null, "enabled": true, - "status": "成功", - "last_run": "2026-01-15 11:16:16" + "status": "运行中", + "last_run": "2026-01-15 21:44:36" } ] \ No newline at end of file diff --git a/pdd_tasks.json.backup b/pdd_tasks.json.backup new file mode 100644 index 0000000..0637a08 --- /dev/null +++ b/pdd_tasks.json.backup @@ -0,0 +1 @@ +[] \ No newline at end of file diff --git a/requirements_https.txt b/requirements_https.txt new file mode 100644 index 0000000..7ce314e --- /dev/null +++ b/requirements_https.txt @@ -0,0 +1,13 @@ +# 微信小程序 HTTPS 后端依赖 + +# Flask 版本 +Flask==3.0.0 +flask-cors==4.0.0 + +# FastAPI 版本(可选) +fastapi==0.104.1 +uvicorn[standard]==0.24.0 + +# 其他常用依赖 +requests==2.31.0 +python-dotenv==1.0.0 diff --git a/test.py b/test.py index f5b95c6..2731aff 100644 --- a/test.py +++ b/test.py @@ -1,14 +1,218 @@ -from urllib.parse import urlparse +""" +Django settings for django_lanyu project. + +Generated by 'django-admin startproject' using Django 4.1. + +For more information on this file, see +https://docs.djangoproject.com/en/4.1/topics/settings/ + +For the full list of settings and their values, see +https://docs.djangoproject.com/en/4.1/ref/settings/ +""" + +from pathlib import Path import os -url = "https://sns-video-hw.xhscdn.com/stream/110/258/01e6cd08be6e36ad010370019190eceaac_258.mp4" +# Build paths inside the project like this: BASE_DIR / 'subdir'. +BASE_DIR = Path(__file__).resolve().parent.parent -# 解析URL -parsed_url = urlparse(url) -# 获取路径部分 -path = parsed_url.path -# 从路径中提取文件名 -filename = os.path.basename(path) +# Quick-start development settings - unsuitable for production +# See https://docs.djangoproject.com/en/4.1/howto/deployment/checklist/ + +# SECURITY WARNING: keep the secret key used in production secret! +SECRET_KEY = "django-insecure--+*v2+o0c*d7z3&+!z%&k^!b8w%1myflhkf4doh!12#$xo8)o=" + +# SECURITY WARNING: don't run with debug turned on in production! +DEBUG = True + +ALLOWED_HOSTS = ['*'] + +# Application definition + +INSTALLED_APPS = [ + "django.contrib.admin", + "django.contrib.auth", + "django.contrib.contenttypes", + "django.contrib.sessions", + "django.contrib.messages", + "django.contrib.staticfiles", + "corsheaders", + "agent", # 经济人应用 + "user", + "operate", # 运营应用 + "risk", # 风控 + 'agent_manage' # 经纪人管理员 + +] + +MIDDLEWARE = [ + "django.middleware.security.SecurityMiddleware", + "django.contrib.sessions.middleware.SessionMiddleware", + # "django.middleware.csrf.CsrfViewMiddleware", + "django.contrib.auth.middleware.AuthenticationMiddleware", + "django.contrib.messages.middleware.MessageMiddleware", + "django.middleware.clickjacking.XFrameOptionsMiddleware", + "django_lanyu.middleware.JWTAuthenticationMiddleware", + 'corsheaders.middleware.CorsMiddleware', + 'django.middleware.common.CommonMiddleware', +] + +ROOT_URLCONF = "django_lanyu.urls" + +TEMPLATES = [ + { + "BACKEND": "django.template.backends.django.DjangoTemplates", + # "DIRS": [BASE_DIR / 'templates'] + # , + "APP_DIRS": True, + "OPTIONS": { + "context_processors": [ + "django.template.context_processors.debug", + "django.template.context_processors.request", + "django.contrib.auth.context_processors.auth", + "django.contrib.messages.context_processors.messages", + ], + }, + }, +] + +WSGI_APPLICATION = "django_lanyu.wsgi.application" + +REST_FRAMEWORK = { + 'DEFAULT_RENDERER_CLASSES': [ + 'rest_framework.renderers.JSONRenderer', + ], +} +# Database +# https://docs.djangoproject.com/en/4.1/ref/settings/#databases + +# DATABASES = { +# 'default': { +# 'ENGINE': 'django.db.backends.mysql', # 替换为你的数据库引擎,比如 'django.db.engine.mysql' +# 'NAME': 'lanyu', # 你的数据库名称 +# 'USER': 'root', # 数据库用户名 +# 'PASSWORD': '123456', # 数据库密码 +# 'HOST': '127.0.0.1', # 数据库主机地址 +# 'PORT': '3306', # 数据库端口 +# 'OPTIONS': { +# 'charset': 'utf8mb4', +# }, +# } +# } + +DATABASES = { + 'default': { + 'ENGINE': 'django.db.backends.mysql', # 替换为你的数据库引擎,比如 'django.db.engine.mysql' + 'NAME': 'lanyu', # 你的数据库名称 + 'USER': 'lanyu', # 数据库用户名 + 'PASSWORD': 'Ly123456.', # 数据库密码 + 'HOST': '127.0.0.1', # 数据库主机地址 + 'PORT': '3306', # 数据库端口 + 'OPTIONS': { + 'charset': 'utf8mb4', + }, + 'POOL_OPTIONS': { + 'POOL_SIZE': 5, # 连接池的初始大小 + 'MAX_OVERFLOW': 10, # 连接池允许的最大额外连接数 + 'RECYCLE': 3600, # 连接的最大存活时间(秒),超过该时间连接将被回收 + } + } +} + +CACHES = { + 'default': { + 'BACKEND': 'django.core.cache.backends.locmem.LocMemCache', + 'LOCATION': 'unique-snowflake', + } +} + +# Password validation +# https://docs.djangoproject.com/en/4.1/ref/settings/#auth-password-validators + +AUTH_PASSWORD_VALIDATORS = [ + { + "NAME": "django.contrib.auth.password_validation.UserAttributeSimilarityValidator", + }, + { + "NAME": "django.contrib.auth.password_validation.MinimumLengthValidator", + }, + { + "NAME": "django.contrib.auth.password_validation.CommonPasswordValidator", + }, + { + "NAME": "django.contrib.auth.password_validation.NumericPasswordValidator", + }, +] + +# Internationalization +# https://docs.djangoproject.com/en/4.1/topics/i18n/ + +LANGUAGE_CODE = "en-us" + +TIME_ZONE = "UTC" + +USE_I18N = True + +USE_TZ = True + +# Static files (CSS, JavaScript, Images) +# https://docs.djangoproject.com/en/4.1/howto/static-files/ + +STATIC_URL = "static/" + +# Default primary key field type +# https://docs.djangoproject.com/en/4.1/ref/settings/#default-auto-field + +DEFAULT_AUTO_FIELD = "django.db.models.BigAutoField" + +CORS_ALLOWED_ORIGINS = [ + "http://192.168.0.221", + "http://192.168.0.228", + 'http://your-frontend-url', + +] + +CORS_ALLOW_CREDENTIALS = True +CORS_ALLOW_ALL_ORIGINS = True + +CORS_ALLOW_METHODS = [ + 'DELETE', + 'GET', + 'OPTIONS', + 'PATCH', + 'POST', + 'PUT', +] + +CORS_ALLOW_HEADERS = [ + 'accept', + 'accept-encoding', + 'authorization', + 'content-type', + 'dnt', + 'origin', + 'user-agent', + 'x-csrftoken', + 'x-requested-with', +] + +APPEND_SLASH = True + +# 七牛云存储 +QINIU_ACCESS_KEY = 'CB8j8D9voknWUVendxZi4h-LERDfD0XU3IXtSeEu' +QINIU_SECRET_KEY = 'I3uaom2fiWMBNZQpOIQCdi0N7x1V13hNJBfSmO0C' # 待修改 +QINIU_BUCKET_NAME = 'shuju9' +QINIU_DOMAIN = 'lyamcn.com' +# 使用七牛云作为默认文件存储后端 +DEFAULT_FILE_STORAGE = 'qiniu_storage.storage.QiniuStorage' + +QINIU_STORAGE_OPTIONS = { + 'access_key': QINIU_ACCESS_KEY, + 'secret_key': QINIU_SECRET_KEY, + 'bucket_name': QINIU_BUCKET_NAME, + 'bucket_domain': QINIU_DOMAIN, +} + +MEDIA_ROOT = os.path.join(BASE_DIR, 'media') +MEDIA_URL = '/media/' -print(f"完整路径: {path}") -print(f"文件名: {filename}") \ No newline at end of file diff --git a/user/user_data/AmountExtractionHeuristicRegexes/4/_metadata/verified_contents.json b/user/user_data/AmountExtractionHeuristicRegexes/4/_metadata/verified_contents.json new file mode 100644 index 0000000..f0823b2 --- /dev/null +++ b/user/user_data/AmountExtractionHeuristicRegexes/4/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJoZXVyaXN0aWNfcmVnZXhlcy5iaW5hcnlwYiIsInJvb3RfaGFzaCI6Im9ROWwxLURWWndMVzhJaFF5TDdwdlZHdkZfUy1CUmtBX3l1SXlTRi1RbDgifSx7InBhdGgiOiJtYW5pZmVzdC5qc29uIiwicm9vdF9oYXNoIjoibGFLd2RJdXU1d2RBX3kxZHA0LVl0YUtaVUZZdm1KV1I4TEMxdnhNMVM0VSJ9XSwiZm9ybWF0IjoidHJlZWhhc2giLCJoYXNoX2Jsb2NrX3NpemUiOjQwOTZ9XSwiaXRlbV9pZCI6Imhhamlnb3BiYmpoZ2hiZmltZ2tmbXBlbmZrY2xtb2hrIiwiaXRlbV92ZXJzaW9uIjoiNCIsInByb3RvY29sX3ZlcnNpb24iOjF9","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"mqnzWWPXdMmUXubyqBppOqxAY921JfSOK_NcvIfwW7mkskMg4BQz9pzkrCPEJkJVcG_XUzkx1ByskF-ZC03s0RRaghvq-xYyFIOeL8g1A6wge9NuIZiD_KGIFmjieufISG8gijhKXINUgo6aKiGVQXWlMIRluSkGYmcTDeGW87JI1CkybIDjk3BOyKewFQiPDoafqe0BtW6fW8904q-C4xrrQHyCbmOjqhmO4VIusYh3J_LA4so-B3O-nVC30XaISnRKYPDTQzsTkz_eJq9LJcPL5RORZUrRaiDLMINSJaOUtne_6CT-6tlEuaZdLpeL9oIIsAc6taHZsz8yJvHhaVnjQsXL6eJrBufupTRY5i_Q0ir_aAsiBIu5xcOirAeMknUhxmFCGW5h7xEdp-FBL2d4ukbSDhlv2qrhPzd0TjNshQoXBaZSvLVjv9sC4RSF4vwva8j9O81ZfmFyyyzBs_mYsM0cMrrRETTXg_KrYiF-CSYBM3cZQWFyJ-w_-G0kRiryB0tG9AYkDAo2DcPuHAO7pRibl7CwM9mxsD4SFjiN_dlPUfMHBUGhgPZofVb2c7nY7ztndNKPzNKwYOZLrhj8G6-TQgJL7QplhG761mrkUrZOGzAIBu8i4HN9SqfFIClGNjLYdmXruTveYMQV0RwO--7HT4Dvd2OEwa5shsw"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"CG6KXxg_Mpqgw7XcrysRHH5F6HAql4JmenqcSzsnyja8z2d_cW6IfuHAmBQ78gE8HGIa4RUC3JQn08MN5zH2PlLfo4Lnr6NOyQGatRN7PZyK6gzaIMhK_0-CVEHR-A2mP9JpT9ksmxcURiKpAK44fTqod2KpzJMILYEFnB11MsZSEVYMYWQqT1mq4gRqo0uBne6paqZXKxLXIorweRX2KYPMYX9tHFt8CugLW5LmKPbReIJ4XJaLhLxRCHimnKtqx4r1_y7xPfitVCHIAfM5QVY6hv3xubPN2_bIPMeI6k2IlCZAH2tRptGgm9a80KlDpNQxMd9Eqi_z246ltVL2iA"}]}}] \ No newline at end of file diff --git a/user/user_data/AmountExtractionHeuristicRegexes/4/heuristic_regexes.binarypb b/user/user_data/AmountExtractionHeuristicRegexes/4/heuristic_regexes.binarypb new file mode 100644 index 0000000..b28941e --- /dev/null +++ b/user/user_data/AmountExtractionHeuristicRegexes/4/heuristic_regexes.binarypb @@ -0,0 +1,3 @@ + + +(?:US\$|USD|\$)\s*\d{1,3}(?:[.,]\d{3})*(?:[.,]\d{2})?(?:\s*)(?:USD|US\$|\$)?|(?:USD|US\$|\$)?\s*\d{1,3}(?:[.,]\d{3})*(?:[.,]\d{2})?\s*(?:USD|US\$|\$)^(?:\s*)(Due now \(USD\)|(Estimated )?(?:Order Total|Total:?)|TOTAL CHARGED TODAY \*|Final Total Price:|Flight total|grand total:?|Order Total(?: \(USD\))?:?|Price|Total(?:(?: \(USD\))?| Due| for Stay| Price| to be paid:| to pay|:)?|(Your )?(?:Payment Today|total(\s)price|Total:)|Show Order Summary:|Reservation Deposit Amount Due|Payment Due Now|Your Price|Total Due Now|Amount to pay|Total amount due|You pay today|Order Summary|TOTAL PAYMENT DUE|Payable Amount)(?:\s*)$ \ No newline at end of file diff --git a/user/user_data/AmountExtractionHeuristicRegexes/4/manifest.json b/user/user_data/AmountExtractionHeuristicRegexes/4/manifest.json new file mode 100644 index 0000000..e8728af --- /dev/null +++ b/user/user_data/AmountExtractionHeuristicRegexes/4/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "Amount Extraction Heuristic Regexes", + "version": "4" +} \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AD b/user/user_data/AutofillStates/2025.6.13.84507/AD new file mode 100644 index 0000000..867c102 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AD @@ -0,0 +1,10 @@ + +AD +canilloparròquia de canillo +encampparròquia d'encamp& + +la massanaparròquia de la massana +ordinoparròquia d'ordino< +#parròquia de sant julià de lòriasant julià de lòria1 +andorra la vellaparròquia d'andorra la vella3 +escaldesengordanyparròquia d'escaldesengordany \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AE b/user/user_data/AutofillStates/2025.6.13.84507/AE new file mode 100644 index 0000000..2f68fc9 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AE @@ -0,0 +1,10 @@ + +AE + +عجمانajmanE + أبو ظبي abu dhabiأبو ظَبيإمارة أبو ظبي$ +إمارة دبيّdubaiدبي5 +إمارة الفجيرةfujairahالفجيرةE +إمارة رأس الخيمةras al khaimahرأس الخيمةQ +إمارة الشارقةsharjahإمارة الشارقةّالشارقةo +إمارة أم القيوينemirate of umm al quwainإمارة ام القيوينام القيوين \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AF b/user/user_data/AutofillStates/2025.6.13.84507/AF new file mode 100644 index 0000000..a9dcbf5 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AF @@ -0,0 +1,44 @@ + +AF5 +بلخbalkhبلخ ولايتولایت بلخH + بامیانbamyanباميان ولايتولایت بامیانI + بادغیسbadghisبادغيس ولايتولایت بادغیسL + بدخشان +badakhshanبدخشان ولايتولایت بدخشانC + +بغلانbaghlanبغلان ولايتولایت بغلانc +دایکندیdaykundiدايکندي ولايتدایکنډي‎ولایت دایکندی; +فراهfarahفراه ولايتولایت فراهH + فاریابfaryabفارياب ولايتولایت فاریاب< +غزنيghazniغزني ولايتولایت غزنی4 +غورghorغور ولايتولایت غورC + +هلمندhelmandهلمند ولايتولایت هلمند; +هراتheratهرات ولايتولایت هراتI + جوزجانjowzjanجوزجان ولايتولایت جوزجان +کابلkabulM +ولایت قندهارkandahar قندهار قندھار کندهارH +ولایت کاپیساkapisa کاپيساکاپيسا ولايت@ +كندزkunduzولایت کندوزکندوز ولايتH +خوستkhostخوست ولايت خوست‎ولایت خوست2 +ولایت کنرkunar کنر‎ کونړ‎C + +لغمانlaghmanلغمان ولايتولایت لغمانG + +لوگَرlogarلوګرلوګر ولايتولایت لوگرd +ننګرهار nangarharد ننګرهار ولايتننگرهارولایت ننگرهارH + نیمروزnimruzنيمروز ولايتولایت نیمروزP +نورستانnuristanنورستان ولايتولایت نورستانJ +ولایت پنجشیرpanjshir پنجشیرپنجشېر ولايتB +ولایت پروانparwan +پروانپروان ولايت7 +ولایت پکتیاpaktia +پکتيا +پکتیاI +ولایت پکتیکاpaktikaپکتيکا ولايت پکتیکاJ + سمنگانsamanganسمنګان ولايتولایت سمنگانD + سر پلsarsare polسرپل ولايتولایت سرپل< +تخارtakharتخار ولايتولایت تخار= +ولایت اروزگانoruzganروزګان ولايتF +ميدان وردگwardakوردکوردګولایت وردک; +زابلzabulزابل ولايتولایت زابل \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AG b/user/user_data/AutofillStates/2025.6.13.84507/AG new file mode 100644 index 0000000..8dfcda1 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AG @@ -0,0 +1,13 @@ + +AG# + saint georgesaint george parish + +saint johnsaint john parish + +saint marysaint mary parish + +saint paulsaint paul parish! + saint petersaint peter parish# + saint philipsaint philip parish +barbuda +redonda \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AL b/user/user_data/AutofillStates/2025.6.13.84507/AL new file mode 100644 index 0000000..e5f8ce6 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AL @@ -0,0 +1,14 @@ + +AL( +beratit berat countyqarku i beratit. + durrësitdurrës countyqarku i durrësit. + elbasanitelbasan countyqarku i elbasanit* +fier fier countyfiertqarku i fieritI + gjirokastrës gjirokastërgjirokastër countyqarku i gjirokastrës5 +korçëkorçë countykorçësqarku i korçës! +qarku i kukësit kukës county +qarku i lezhës lezhë county +qarku i dibrës dibër countyI +qarku shkodërqarku i shkodrësregjioni i shkodërshkodër county+ +qarku i tiranës tirana countytiranës1 +qarku i vlorësvlorë vlorë countyvlorës \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AM b/user/user_data/AutofillStates/2025.6.13.84507/AM new file mode 100644 index 0000000..2394d12 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AM @@ -0,0 +1,15 @@ + +AMH +արագածոտնaragatsotn provinceարագածոտնի մարզ8 + արարատararat provinceարարատի մարզ= +արմավիրarmavir provinceարմավիրի մարզ# + երեւանyerevan +երևանQ +գեղարքունիքgegharkunik province!գեղարքունիքի մարզ8 + կոտայքkotayk provinceկոտայքի մարզ. +լոռի lori provinceլոռու մարզ4 + +շիրակshirak provinceշիրակի մարզ< +սյունիքsyunik provinceսյունիքի մարզ8 + տավուշtavush provinceտավուշի մարզG +վայոց ձորvayots dzor provinceվայոց ձորի մարզ \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AO b/user/user_data/AutofillStates/2025.6.13.84507/AO new file mode 100644 index 0000000..c1487d4 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AO @@ -0,0 +1,21 @@ + +AO +bengobengo province +benguelabenguela province +bié bié province +cabindacabinda province( + cuandocubangocuando cubango province +cunenecunene province1 + cuanzanortecuanza norte province kwanzanorte+ + cuanzasulcuanza sul province kwanzasul +huambohuambo province +huílahuila province/ + lunda nortelunda norte province +lundanorte +lundasullunda sul province +luandaluanda province +malanjemalanje province +moxicomoxico province& + moçâmedesnamibenamibe province +uígeuíge province +zairezaire province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AR b/user/user_data/AutofillStates/2025.6.13.84507/AR new file mode 100644 index 0000000..64fe26a --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AR @@ -0,0 +1,29 @@ + +AR+ +provincia de saltasaltasalta province@ + buenos airesbuenos aires provinceprovincia de buenos aires_ + buenos airescabacapital federal ciudad autónoma de buenos airesciudad de buenos aires4 +provincia de san luissan luissan luis province= + entre ríosentre ríos provinceprovincia de entre ríos4 +la riojala rioja provinceprovincia de la riojaU + provincia de santiago del esterosantiago del esterosantiago del estero province, +chacochaco provinceprovincia del chaco4 +provincia de san juansan juansan juan province# + catamarcaprovincia de catamarca4 +la pampala pampa provinceprovincia de la pampa1 +mendozamendoza provinceprovincia de mendoza4 +misionesmisiones provinceprovincia de misiones1 +formosaformosa provinceprovincia de formosa5 +neuquénneuquén provinceprovincia del neuquén: +provincia de río negro +río negrorío negro province4 +provincia de santa fesanta fesanta fe province4 +provincia de tucumántucumántucumán province/ +chubutchubut provinceprovincia del chubutL +provincia de tierra del fuegotierra del fuegotierra del fuego province: + +corrientescorrientes provinceprovincia de corrientes4 +córdobacórdoba provinceprovincia de córdoba+ +jujuyjujuy provinceprovincia de jujuy: +provincia de santa cruz +santa cruzsanta cruz province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AS b/user/user_data/AutofillStates/2025.6.13.84507/AS new file mode 100644 index 0000000..beaec72 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AS @@ -0,0 +1,7 @@ + +AS +manu'amanu'a district +easterneastern district + rose island +westernwestern district + swains island \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AT b/user/user_data/AutofillStates/2025.6.13.84507/AT new file mode 100644 index 0000000..c9956e9 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AT @@ -0,0 +1,14 @@ + +AT + +burgenland +kärnten carinthia" +niederösterreich lower austria- + oberösterroberösterreich upper austria + land salzburgsalzburg + +steiermarkstyria +tiroltyrol + +vorarlberg +wienvienna \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AU b/user/user_data/AutofillStates/2025.6.13.84507/AU new file mode 100644 index 0000000..efa3658 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AU @@ -0,0 +1,12 @@ + +AU +jervis bay territoryjbt# +australian capital territoryact +new south walesnsw +northern territorynt + +queenslandqld +south australiasa +tasmaniatas +victoriavic +western australiawa \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AX b/user/user_data/AutofillStates/2025.6.13.84507/AX new file mode 100644 index 0000000..4a25d54 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AX @@ -0,0 +1,5 @@ + +AX& +mariehamns stadmariehamn subregion! +ålands skärgård archipelago +ålands landsbygd countryside \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/AZ b/user/user_data/AutofillStates/2025.6.13.84507/AZ new file mode 100644 index 0000000..b96c38e --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/AZ @@ -0,0 +1,4 @@ + +AZM + +naxçıvannakhchivan autonomous republicnaxçıvan muxtar respublikası \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BA b/user/user_data/AutofillStates/2025.6.13.84507/BA new file mode 100644 index 0000000..2da647d --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BA @@ -0,0 +1,5 @@ + +BA +federacija bosne i hercegovine$federation of bosnia and herzegovina9федерација босне и херцеговине? +brčko distriktbrčko districtбрчко дистриктS +republika srpskaрепублика српскaрепублика српска \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BB b/user/user_data/AutofillStates/2025.6.13.84507/BB new file mode 100644 index 0000000..eeb13d8 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BB @@ -0,0 +1,15 @@ + +BB% + christ churchchrist church parish# + saint andrewsaint andrew parish# + saint georgesaint george parish! + saint jamessaint james parish + +saint johnsaint john parish# + saint josephsaint joseph parish + +saint lucy% + saint michaelsaint michael parish! + saint petersaint peter parish# + saint philipsaint philip parish# + saint thomassaint thomas parish \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BD b/user/user_data/AutofillStates/2025.6.13.84507/BD new file mode 100644 index 0000000..5a43da0 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BD @@ -0,0 +1,10 @@ + +BD6 +"বরিশাল বিভাগbarisal division_ ++চট্টগ্রাম বিভাগchittagong divisionচট্রগ্রাম. +ঢাকা বিভাগdhaka division2 +খুলনা বিভাগkhulna divisionQ +রাজশাহীrajshahi division%রাজশাহী বিভাগD +রংপুরrangpur divisionরংপুর বিভাগ2 +সিলেট বিভাগsylhet divisionB ++ময়মনসিংহ বিভাগmymensingh division \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BE b/user/user_data/AutofillStates/2025.6.13.84507/BE new file mode 100644 index 0000000..ca4ad5b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BE @@ -0,0 +1,6 @@ + +BE\ + bruxellesbrusselbrusselsbrussels hoofdstedelijk gewestrégion de bruxellescapitale% + vlaams gewestflanders +vlaanderen& +région wallonnewalloniawallonie \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BF b/user/user_data/AutofillStates/2025.6.13.84507/BF new file mode 100644 index 0000000..9f03dc9 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BF @@ -0,0 +1,18 @@ + +BF- +boucle du mouhounboucle du mouhoun region +cascadescascades region +centre centre region) + +centre est centreestcentreest region, + centre nord +centrenordcentrenord region9 + centreouestcentreouest regionrégion du centreouest + centresudcentresud region +est +est region# + hautsbassinshautsbassins region +nord nord region8 +plateau centralplateaucentralplateaucentral region +sahel sahel region +sudouestsudouest region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BG b/user/user_data/AutofillStates/2025.6.13.84507/BG new file mode 100644 index 0000000..ce809dd --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BG @@ -0,0 +1,37 @@ + +BGS +благоевградblagoevgrad province#област благоевград1 + бургасburgasобласт бургас, + +варнаvarnaобласт варна` +велико търновоveliko tarnovo province(област велико търново, + +видинvidinобласт видин- + +врацаvratsaобласт враца6 +габровоgabrovoобласт габрово; + добричdobrich provinceобласт добричE +кърджалиkardzhali provinceобласт кърджалиJ +кюстендилkyustendil provinceобласт кюстендил- + +ловечlovechобласт ловеч? +монтанаmontana provinceобласт монтанаA +област пазарджик +pazardzhikпазарджик1 +област перникpernik перник: +област плевенpleven province плевен? +област пловдивplovdiv provinceпловдив6 +област разградrazgradразград' +област русеruseрусе; +област силистраsilistraсилистра + сливенsliven province2 +област смолянsmoljan смолянB +област софияsofia city provinceсофияградH +софийска областsofia provinceсофия областM +$област стара загора stara zagoraстара загораK +област търговищеtargovishte provinceтърговище? +област хасковоhaskovo provinceхасково% +област шумен +шумен- +област ямболjambol +ямбол \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BH b/user/user_data/AutofillStates/2025.6.13.84507/BH new file mode 100644 index 0000000..6d7565d --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BH @@ -0,0 +1,6 @@ + +BH2 +محافظة العاصمةcapital governorateG +!المحافظة الجنوبيةsouthern governorate جنوبية1 +محافظة المحرقmuharraq governorateK +الشماليةnorthern governorate!المحافظة الشمالية \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BI b/user/user_data/AutofillStates/2025.6.13.84507/BI new file mode 100644 index 0000000..44391c9 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BI @@ -0,0 +1,20 @@ + +BI +province de rumongerumonge +bubanzaprovince de bubanza. +bujumbura ruralprovince de bujumbura ruralO +bujumbura mairieiprovense ya bujumbura mairieprovince de bujumbura mairie +bururiprovince de bururi +cankuzoprovince de cankuzo +cibitokeprovince de cibitoke +gitegaprovince de gitega +kirundoprovince de kirundo +karuziprovince de karuzi +kayanzaprovince de kayanza +makambaprovince de makamba +muramvyaprovince de muramvya +mwaroprovince de mwaro +muyingaprovince de muyinga +ngoziprovince de ngozi +province de rutanarutana +province de ruyigiruyigi \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BJ b/user/user_data/AutofillStates/2025.6.13.84507/BJ new file mode 100644 index 0000000..524c017 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BJ @@ -0,0 +1,15 @@ + +BJ& +atacoraatakoraatakora department +aliborialibori department# + +atlantiqueatlantique department +borgouborgou department: +collinescollines departmentdépartement des collines +dongadonga department# +couffokouffokouffo department9 +département du littorallittorallittoral department +monomono department +ouéméouémé department6 +département du plateauplateauplateau department +zouzou department \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BM b/user/user_data/AutofillStates/2025.6.13.84507/BM new file mode 100644 index 0000000..56f5ec9 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BM @@ -0,0 +1,13 @@ + +BM +pembrokepembroke parish0 +saint george'sst george's parish +stgeorge's +hamiltonhamilton parish +warwickwarwick parish' +smith's parishsmiths smiths parish! + southamptonsouthampton parish + +devonshiredevonshire parish +sandys sandys parish +paget paget parish \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BN b/user/user_data/AutofillStates/2025.6.13.84507/BN new file mode 100644 index 0000000..ec66063 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BN @@ -0,0 +1,6 @@ + +BN( +belaitbelait district daerah belaitL + bruneimuarabruneimuara districtdaerah brunei muaradaerah bruneimuara1 +daerah temburong temburongtemburong district( + daerah tutongtutongtutong district \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BO b/user/user_data/AutofillStates/2025.6.13.84507/BO new file mode 100644 index 0000000..2eeeb9d --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BO @@ -0,0 +1,14 @@ + +BO. +benibeni departmentdepartamento del beni? + +cochabambacochabamba departmentdepartamento de cochabambae + +chuquisacachuquisaca department$departamento autónomo de chuquisacadepartamento de chuquisacaU + departamento autónomo de la pazdepartamento de la pazla pazla paz departmenth +departamento autónomo de pandodepartamento de pandogobernación de pandopandopando departmentg +departamento autónomo de orurodepartamento de orurogobernacón de oruroorurooruro departmentq +!departamento autónomo de potosídepartamento de potosígobernación de potosípotosi departmentpotosíe +$departamento autónomo de santa cruzdepartamento de santa cruz +santa cruzsanta cruz departmentU +departamento de tarija departemento autónomo de tarijatarijatarija department \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BQ b/user/user_data/AutofillStates/2025.6.13.84507/BQ new file mode 100644 index 0000000..dbf2218 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BQ @@ -0,0 +1,5 @@ + +BQ +bonaireboneiru +saba +sint eustatius \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BR b/user/user_data/AutofillStates/2025.6.13.84507/BR new file mode 100644 index 0000000..ce06047 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BR @@ -0,0 +1,31 @@ + +BR +acreac state of acre +alagoasalstate of alagoas! +amazonasamstate of amazonas +amapáapstate of amapá" +bahiababaíastate of bahia +cearáce( +distrito federaldffederal district? +espirito santoesespírito santostate of espírito santo +goiásgostate of goiás# + maranhãomastate of maranhão0 +minasmg minas geraisstate of minas gerais5 +mato grosso do sulmsstate of mato grosso do sul' + mato grossomtstate of mato grosso +parápastate of pará! +paraíbapbstate of paraíba% + +pernambucopestate of pernambuco +piauípistate of piauí +paranáprstate of paranáA +baixada fluminenserjrio de janeirostate of rio de janeiro7 +rio grande do norternstate of rio grande do norte# + rondôniarostate of rondônia +roraimarrstate of roraima3 +rio grande do sulrsstate of rio grande do sul- +santa catarinascstate of santa catarina +sergipesestate of sergipe% + +são paulospstate of são paulo# + tocantinstostate of tocantins \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BS b/user/user_data/AutofillStates/2025.6.13.84507/BS new file mode 100644 index 0000000..ef89f4a --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BS @@ -0,0 +1,35 @@ + +BS +new providence +acklins +biminibimini and cat cay + black point + berry islands +central eleuthera + +cat island +crooked island and long cay + central abaco +central andros +east grand bahama +exuma +city of freeportfreeport + grand cay +harbour island + hope town +inagua + long island + mangrove cay + mayaguana +abacomoore's island +north eleuthera + north abaco + north andros +rum cay + ragged island + south andros +south eleuthera + south abaco + san salvador + spanish wells +west grand bahama \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BT b/user/user_data/AutofillStates/2025.6.13.84507/BT new file mode 100644 index 0000000..547d9a2 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BT @@ -0,0 +1,24 @@ + +BT> +paro paro district'སྤ་རོ་རྫོང་ཁགH +chhukhachukhachukha district$ཆུ་ཁ་རྫོང་ཁག +hahaaP +samchisamtsesamtse district-བསམ་རྩེ་རྫོང་ཁགf +thimphuthimphu districtthimpu*ཐིམ་ཕུ་རྫོང་ཁགཐིམ་ཕུགP +chirangtsirangtsirang district*རྩི་རང་རྫོང་ཁགT +dagadaganadagana district3དར་དཀར་ནང་རྫོང་ཁགJ +punakhapunakha district-སྤུ་ན་ཁ་རྫོང་ཁགt +wangdue phodrangwangdue phodrang districtEདབང་འདུས་ཕོ་བྲང་རྫོང་ཁགJ +sarpangsarpang district-གསར་སྤང་རྫོང་ཁགU +tongsatrongsatrongsa district0ཀྲོང་གསར་རྫོང་ཁགI +bumthangbumthang district*བུམ་ཐང་རྫོང་ཁགR +zhemgangzhemgang district3གཞམས་སྒང་རྫོང་ཁག་a + tashigang +trashigangtrashigang district3བཀྲིས་སྒང་རྫོང་ཁགH +mongarmongar district-མོང་སྒར་རྫོང་ཁགu + +pemagatsel pemagatshelpemagatshel district premagalshel6པདྨ་དགའ་ཚལ་རྫོང་ཁག% +lhuntselhuntse districtlhuntshi} +samdrup jongkharsamdrup jongkhar districtNབསམ་གྲུབ་ལྗོངས་མཁར་རྫོང་ཁག +gasa gasa district' + tashi yangtse trashiyangtseyangtse \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BW b/user/user_data/AutofillStates/2025.6.13.84507/BW new file mode 100644 index 0000000..8a53bc1 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BW @@ -0,0 +1,21 @@ + +BW +francistown city +selibe phikwe town + lobatse town + jwaneng town +chobe district + gaborone city + sowa town> +centralcentral districtkgaolo ya legarengwati district+ +ghanzighanzi districtkgaolo ya ghanziD + kgalagadikgalagadi district#kgalagadi le dikgaolo tse di mabapi +kgatlengkgatleng district +kwenengkweneng district+ + +north east northeastnortheast district + +north westnorthwest district+ + +south east southeastsoutheast district8 +southernmotsana wa molapowabojangsouthern district \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BY b/user/user_data/AutofillStates/2025.6.13.84507/BY new file mode 100644 index 0000000..f0273c1 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BY @@ -0,0 +1,8 @@ + +BYT +!брэсцкая вобласць brest region!брестская областьZ +%гомельская вобласць gomel region#гомельская область +)гарадзенская вобласць hrodna region'гродзенская вобласць%гродненская область` +'магілёўская вобласцьmogilev region%могилёвская областьN +мінская вобласць minsk regionминская областьX +#віцебская вобласцьvitebsk region!витебская область \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/BZ b/user/user_data/AutofillStates/2025.6.13.84507/BZ new file mode 100644 index 0000000..3c5467e --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/BZ @@ -0,0 +1,8 @@ + +BZ +belizebelize district +cayo cayo district +corozalcorozal district# + orange walkorange walk district# + stann creekstann creek district +toledotoledo district \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CA b/user/user_data/AutofillStates/2025.6.13.84507/CA new file mode 100644 index 0000000..f3d4c1b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CA @@ -0,0 +1,15 @@ + +CA +albertaab +british columbiabc +manitobamanmb% + new brunswicknbnouveaubrunswick7 +labradornl newfoundlandnewfoundland and labrador + nova scotians +northwest territoriesnt +nunavutnu +ontonontario +peipeprince edward island +québecqcquebec + saskatchewansk +yukonytyukon territory \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CC b/user/user_data/AutofillStates/2025.6.13.84507/CC new file mode 100644 index 0000000..e4cedc1 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CC @@ -0,0 +1,3 @@ + +CC( +shire of cocos islandsshire of cocos \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CD b/user/user_data/AutofillStates/2025.6.13.84507/CD new file mode 100644 index 0000000..1e871ef --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CD @@ -0,0 +1,32 @@ + +CD +kwilu +sankuru +kasaïkasai + +tanganyika- + kasaicentralkasaï central kasaïcentral +tshopo + hautkatanga +lualaba +kwango +hautuele +hautuélé +ituri +tshuapa + maindombe + sudubangi + +hautlomami +mongala +lomami +basuele + +nordubangi' +bascongo kongo central kongocentral- +province de l'équateurequator équateur@ + kasaiorientalkasai orientalkasaï orientalkasaïoriental +kinshasalipopo +maniema +nordkivu northkivu +sudkivu southkivu \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CF b/user/user_data/AutofillStates/2025.6.13.84507/CF new file mode 100644 index 0000000..6d6c2a0 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CF @@ -0,0 +1,22 @@ + +CF +ouham +baminguibangoran< +archidiocèse de banguibanguikötä gbätä tî bangî + +bassekotto + +hautekotto + +hautmbomou1 + mamberekadeimambérékadéimambérékadéï( + nanagrebizi nanagribizi nanagrébizi +kemokémo +lobaye +mbomouO +ombella m'poko ombellam'poko.sêse tî kömändâkötä tî ömbëläpökö< + nanamambéré+sêse tî kömändâkötä tî nanämambere + ouham pendé ouhampendé + sanghambaresanghambaéré +ouaka +vakaga \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CG b/user/user_data/AutofillStates/2025.6.13.84507/CG new file mode 100644 index 0000000..637a9e1 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CG @@ -0,0 +1,16 @@ + +CG +bouenza +pool +sangha + +plateaux + cuvetteouest& + pointenoire pointe noire pwantenwa + lékoumoulekoumou +kouiloukuilu + +likouala +cuvette +niari + brazzaville \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CH b/user/user_data/AutofillStates/2025.6.13.84507/CH new file mode 100644 index 0000000..fc76774 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CH @@ -0,0 +1,33 @@ + +CH +aargauag kanton aargau9 +appenzell innerrhodenaikanton appenzell innerrhoden; +appenzell ausserrhodenarkanton appenzell ausserrhoden' +bernbecanton of bern kanton bern= +basel (kanton)blbasellandschaftkanton basellandschaft> + basel (stadt)bs +basel city +baselstadtkanton baselstadta +freiburgfrcanton de fribourgcanton friburgofribourgfriburgfriburgokanton freiburg +genèvegegeneva +glarusgl kanton glarus. + graubündengrgrisonskanton graubünden +canton du jurajujura$ + kanton luzernlulucerneluzern& +canton de neuchâtelne +neuchâtel! + nidwaldennwkanton nidwalden +kanton obwaldenowobwalden2 +kanton sankt gallensg sankt gallen st gallen' +kanton schaffhausensh schaffhausen! +kanton solothurnso solothurn + kanton schwyzszschwyz +kanton thurgautgthurgau + canton ticinotiticino + +kanton uriururi +canton de vaudvdvaudW + kanton wallisvscanton du valaiscanton vallesevalaisvallaisvallesewallis +zugzg +kanton zug% +zürichzhkanton zürichzurich \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CI b/user/user_data/AutofillStates/2025.6.13.84507/CI new file mode 100644 index 0000000..d62a9e9 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CI @@ -0,0 +1,18 @@ + +CI: +district autonome d'abidjanabidjan autonomous districtX + bassassandrabassassandra districtdistrict du bassassandrarégion du bassassandra4 +comoecomoécomoé districtdistrict du comoéC +denguele +denguélédenguélé districtdistrict du denguéléH +district du gôhdjiboua +gohdjiboua gôhdjibouagôhdjiboua district: +district des lacslacs lacs districtrégion des lacsF +district des laguneslaguneslagunes districtrégion des lagunesX + 18 montagnesdistrict des montagnesdixhuit montagnes montagnesmontagnes districtd +district du sassandramarahouésassandramarahouesassandramarahouésassandramarahoué districtF +district des savanesrégion des savanessavanessavanes districtf +!district de la vallée du bandamavalle du bandamavallée du bandamavallée du bandama district- +district du worobaworobaworoba districtH +!district autonome du yamoussoukro yamoussoukroyamoussoukro district- +district du zanzanzanzanzanzan district \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CL b/user/user_data/AutofillStates/2025.6.13.84507/CL new file mode 100644 index 0000000..30679a3 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CL @@ -0,0 +1,29 @@ + +CL + +11 región,aisén del general carlos ibáñez del campoaysén,aysén del general carlos ibáñez del campo4región aisén del general carlos ibáñez del campo7región de aysén del general carlos ibáñez del campo +xi región7xi región aisén del general carlos ibáñez del campoW + 2 región antofagasta +ii regiónii región de antofagastaregión de antofagastal + 15 regionarica y parinacotaregión de arica y parinacota +xv región xv región de arica y parinacotat + 9 región araucania +araucanía +ix regiónix región de la araucanía la araucaníaregión de la araucaníaM + 3 regiónatacama iii regióniii región de atacamaregión de atacama + 8 regiónbio biobiobío bío bíoregión del biobíoregión del bío bíoregión del bíobío viii regiónviii región del bío bíoN + 4 regióncoquimbo +iv regióniv región de coquimboregión de coquimbo + 6 región%libertador general bernardo o'higgins'libertador general bernardo o’higgins o'higginsregión de o’higgins3región del libertador general bernardo o’higgins +vi región6vi región del libertador general bernardo o’higginsP + +10 región los lagosregión de los lagos x regiónx región de los lagosT + +14 región los ríosregión de los ríos xiv regiónxiv región de los ríos + +12 región!magallanes and chilean antarctica%magallanes y de la antártica chilena"magallanes y la antártica chilena0región de magallanes y de la antártica chilena-región de magallanes y la antártica chilena xii región1xii región de magallanes y la antártica chilenaI + 7 regiónmauleregión del maule vii regiónvii región del maule0 +provincia de ñubleregión de ñubleñuble +metropolitana de santiagoregión metropolitana!región metropolitana de santiagorm$rm región metropolitana de santiagosantiago metropolitan regionO + 1 región i regióni región de tarapacáregión de tarapacá tarapacáU + 5 regiónregión de valparaíso v regiónv región de valparaíso valparaíso \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CM b/user/user_data/AutofillStates/2025.6.13.84507/CM new file mode 100644 index 0000000..cea758f --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CM @@ -0,0 +1,12 @@ + +CM: +adamawaadamaouaadamawa regionrégion de l'adamaouaG +centralcentre centre regionprovince du centrerégion du centre~ + extreme north extreme nord extrêmenord far northfar north regionfarnorthrégion de l'extrêmenordrégion du nord= +east east regionestprovince de l'estrégion de l'estJ +littoraldépartement du littorallittoral regionrégion du littoral> +northnord north regionprovince du nordrégion du nord> + northwest nordouestnorthwest regionrégion du nordouestC +westouestprovince de l'ouestrégion de l'ouest west region; +southprovince du sudrégion du sud south regionsud< + southwestrégion du sudouestsouthwest regionsudouest \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CN b/user/user_data/AutofillStates/2025.6.13.84507/CN new file mode 100644 index 0000000..530ef79 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CN @@ -0,0 +1,33 @@ + +CN +北京beijing 北京市 +天津tianjin 天津市 +冀hebei河北 河北省 +山西shanxi 山西省/ + 内蒙古inner mongolia内蒙古自治区 +辽宁liaoning 辽宁省 +吉林jilin 吉林省' + 黑龙江 heilongjiang 黑龙江省 +上海shanghai 上海市! +江苏jiangsu 江苏省苏 +浙江zhejiang 浙江省 +安徽anhui 安徽省 +福建fujian 福建省闽! +江西jiangxi 江西省赣" +山东shandong 山东省鲁 +河南henan 河南省豫 +湖北hubei 湖北省鄂 +湖南hunan 湖南省湘' +广东guangdong province 广东省3 +广西guangxi广西壮族自治区 广西省 +海南hainan 海南省 +重庆 chongqing 重庆市& +四川sichuan 四川省川蜀& +贵guizhou贵州 贵州省黔 +云南yunnan 云南省滇% +藏tibet西藏西藏自治区 +陕西shaanxi 陕西省$ +甘gansu甘肃 甘肃省陇 +青海qinghai 青海省- +宁ningxia宁夏宁夏回族自治区1 +新xinjiang新疆新疆维吾尔自治区 \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CO b/user/user_data/AutofillStates/2025.6.13.84507/CO new file mode 100644 index 0000000..d29b6c2 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CO @@ -0,0 +1,42 @@ + +CO + +amazonas + antioquia +arauca + +atlántico atlantico +bolívarbolivar +boyacáboyaca +caldas +caquetácaqueta + +casanare +cauca +cesar +chocóchoco +córdobacordoba + cundinamarcaL +bogotábogota +bogotá dcdistrito capitaldistrito capital de bogotá +guainíaguainia + +guaviare +huila + +la guajira + magdalena +meta +nariñonarino% +norte de santandernorth santander + +putumayo +quindíoquindio + risaralda + santanderU +archipiélago de san andréssan andres and providenciasan andrés y providencia +sucre +tolima +valle del cauca +vaupésvaupes +vichada \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CR b/user/user_data/AutofillStates/2025.6.13.84507/CR new file mode 100644 index 0000000..02de423 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CR @@ -0,0 +1,11 @@ + +CR4 +alajuelaalajuela provinceprovincia de alajuela1 +cartagocartago provinceprovincia de cartago: + +guanacasteguanacaste provinceprovincia de guanacaste1 +herediaheredia provinceprovincia de heredia5 +limonlimónlimón provinceprovincia de limón: +provincia de puntarenas +puntarenaspuntarenas province7 +provincia de san josé san josésan josé province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CU b/user/user_data/AutofillStates/2025.6.13.84507/CU new file mode 100644 index 0000000..e047a3b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CU @@ -0,0 +1,20 @@ + +CU< +pinar del río pinar del rioprovincia de pinar del río7 + ciudad habanahavana la habanaprovincia la habana! +matanzasprovincia de matanzas' +provincia de villa clara villa clara; + +cienfuegosprovincia cienfuegosprovincia de cienfuegosB +provincia de sancti spíritussancti spiritussancti spíritus? +ciego de ávilaciego de avilaprovincia de ciego de ávila- + camagüeycamagueyprovincia de camagüey# + las tunasprovincia de las tunas* +holguínholguinprovincia de holguín +granmaprovincia de granma1 +provincia de santiago de cubasantiago de cuba3 + guantánamo +guantanamoprovincia de guantánamo4 +artemisaartemisa provinceprovincia de artemisa# + mayabequeprovincia de mayabeque +isla de la juventud \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CV b/user/user_data/AutofillStates/2025.6.13.84507/CV new file mode 100644 index 0000000..ad94540 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CV @@ -0,0 +1,28 @@ + +CV +brava + boa vista +santa catarina +santa catarina do fogo + +santa cruz +maio + mosteiros +paulpaúl + +porto novo +praia + ribeira brava +ribeira grande +ribeira grande de santiago + são domingos + são filipe +sao filipe +sal + são miguel +são lourenço dos órgãos +são salvador do mundo + são vicente + +tarrafal3 +tarrafal de são nicolautarrafal de sao nicolau \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CX b/user/user_data/AutofillStates/2025.6.13.84507/CX new file mode 100644 index 0000000..2940738 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CX @@ -0,0 +1,3 @@ + +CX +shire of christmas island \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CY b/user/user_data/AutofillStates/2025.6.13.84507/CY new file mode 100644 index 0000000..cc05b79 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CY @@ -0,0 +1,9 @@ + +CYZ +!επαρχία λευκωσίαςlefkoşalefkoşa kazasınicosiaλευκωσία# +λεμεσόςlimasollimassolT +επαρχία λάρνακαςlarnacalarnakalarnaka kazasıλάρνακα. +αμμόχωστος famagusta gazimağusaJ +επαρχία πάφουbaf baf kazasıgazibafpaphos +πάφος +κερύνειαgirne \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/CZ b/user/user_data/AutofillStates/2025.6.13.84507/CZ new file mode 100644 index 0000000..52b5bfb --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/CZ @@ -0,0 +1,16 @@ + +CZ +hlavní město prahaprague. +středočeský krajcentral bohemian region) +jihočeský krajsouth bohemian region +plzeňský kraj plzeň region( +karlovarský krajkarlovy vary region) +ústecký krajústí nad labem region! +liberecký krajliberec region2 +královéhradecký krajhradec králové region$ +pardubický krajpardubice region" +kraj vysočinavysočina region+ +jihomoravský krajsouth moravian region! +olomoucký krajolomouc region +zlínský kraj zlín region0 +moravskoslezský krajmoraviansilesian region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/DE b/user/user_data/AutofillStates/2025.6.13.84507/DE new file mode 100644 index 0000000..b1b385d --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/DE @@ -0,0 +1,19 @@ + +DE + brandenburgbb +berlinbe +badenwürttembergbw +bayernbybavaria% +bremenhbfreie hansestadt bremen +hessenhe +hamburghh +mecklenburgvorpommernmv" + niedersachsennds lower saxony0 +nordrheinwestfalennrwnorth rhinewestphalia) +rheinlandpfalzrprhinelandpalatinate +schleswigholsteinsh +saarlandsl +sachsensnsaxony! + sachsenanhaltsa saxonyanhalt + +thüringenth thuringia \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/DJ b/user/user_data/AutofillStates/2025.6.13.84507/DJ new file mode 100644 index 0000000..f12563f --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/DJ @@ -0,0 +1,11 @@ + +DJ5 +أرتاartarégion d'artaإقليم عرتاO +إقليم على صبيح +ali sabiehrégion d'ali sabiehعلي صبيح< +إقليم دخيلdikhilrégion de dikhil +دِخيل + جيبوتيdjibouti; + +أوبوكobockrégion d'obockإقليم أوبوخ_ +إقليم تاجورةrégion de tadjourah tadjourahإقليم تجرةتادجورا \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/DK b/user/user_data/AutofillStates/2025.6.13.84507/DK new file mode 100644 index 0000000..d16d4b5 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/DK @@ -0,0 +1,10 @@ + +DK + christiansø +ertholmene7 + nordjyllandnorth denmark regionregion nordjylland9 + midtjyllandcentral denmark regionregion midtjylland; +region syddanmarkregion of southern denmark +syddanmark< + hovedstadencapital region of denmarkregion hovedstaden- +region sjællandregion zealand sjælland \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/DM b/user/user_data/AutofillStates/2025.6.13.84507/DM new file mode 100644 index 0000000..d7b3954 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/DM @@ -0,0 +1,16 @@ + +DM# + saint andrewsaint andrew parish! + saint davidsaint david parish# + saint georgesaint george parish + +saint johnsaint john parish# + saint josephsaint joseph parish + +saint lukesaint luke parish + +saint marksaint mark parish% + saint patricksaint patrick parish + +saint paulsaint paul parish! + saint petersaint peter parish \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/DO b/user/user_data/AutofillStates/2025.6.13.84507/DO new file mode 100644 index 0000000..a8fb7f2 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/DO @@ -0,0 +1,36 @@ + +DO +distrito nacional +azua azua province, +bahorucobaorucobaoruco provinceneiba +barahonabarahona province +dajabóndajabón province+ +duarteduarte provinceduarte provinciaA + elias piña elías piñaelías piña province la estrelleta +el seiboel seibo province + espaillatespaillat province' + independenciaindependencia province' + la altagraciala altagracia province + la romanala romana province +la vegala vega province= +maría trinidad sánchez!maría trinidad sánchez province2 + monte cristimonte cristi province montecristi! + +pedernalespedernales province +peraviaperavia province% + puerto platapuerto plata province6 +hermanas mirabalhermanas mirabal provincesalcedo +samanásamaná province) +san cristóbalsan cristóbal province +san juansan juan provinceM +san pedro de macorissan pedro de macoríssan pedro de macorís province/ +sánchez ramírezsánchez ramírez province +santiagosantiago province3 +santiago rodríguezsantiago rodríguez province +valverdevalverde province+ +monseñor nouelmonseñor nouel province# + monte platamonte plata province! + +hato mayorhato mayor province/ +san josé de ocoasan josé de ocoa province' + santo domingosanto domingo province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/DZ b/user/user_data/AutofillStates/2025.6.13.84507/DZ new file mode 100644 index 0000000..e93a6b9 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/DZ @@ -0,0 +1,69 @@ + +DZC + +أدرارadrar provincewilaya d'adrarولاية أدرار\ +شلفchlefchlef provincewilaya de chlefولاية الشلولاية الشلفR +الأغواطlaghouat provincewilaya de laghouatولاية الأغواطy +أم البواقي‎oum el bouaghi province oum elbouaghiwilaya d'oum el bouaghiولاية أم البواقي8 +ولاية باتنةbatna provincewilaya de batna\ + +بجايةbéjaïabéjaïa provincevgayetwilaya de béjaïaولاية بجايةW + بسكرة‎biskra provincewilaya de biskra بِسكرةولاية بسكرةM +بشارbécharbéchar provincewilaya de bécharولاية بشارS +البليدةblidablida provincewilaya de blidaولاية البليدةv +البويرةbouirabouïrabouïra provincetuvirettwilaya de bouira +بويرةولاية البويرةp +تمنراستwilaya de tamanghassettamanrasset provincewilaya de tamanrassetولاية تمنراست^ +تبسةtébessatébessa provincewilaya de tébessa تيبيساولاية تبسةg + تلمسانtlemcentlemcen provincewilaya de tlemcenتلِمسِانولاية تلمسانF + +تيارتtiaret provincewilaya de tiaretولاية تيارت +تيزي أوزو +tizi ouzoutizi ouzou province tiziouzouwilaya de tizi ouzouتيزي وزوولاية تيزي وزو +الجزائرalgeralgiers provincewilaya d'algerالجزائر العاصمة +دزايرولاية الجزائرJ + الجلفةdjelfa provincewilaya de djelfaولاية الجلفة@ +جيجلjijel provincewilaya de jijelولاية جيجلJ +سطيفsétifsétif provincewilaya de sétifولاية سطيفL +صيداsaïdasaïda provincewilaya de saïdaولاية سعيدة[ + سكيكدةskikda provincewilaya de skikdaسكيكدة‎ولاية سكيكدة +سيدي بلعباسsidi bel abbessidi bel abbès province sidibelabbèswilaya de sidi bel abbèsسيدي بلعباس‎ ولاية سيدي بلعباسA +ولاية عنابةannabaannaba provincewilaya d'annabaN + +قالمةguelmaguelma provincewilaya de guelmaولاية قالمة +القسطنطينية constantineconstantine provincewilaya de constantineقسنطينة‎ولاية قسنطينةd +المدية‎médéamédéa provincewilaya de médéa +ميدياولاية المديةy +مستغانم‎ +mostaganemmostaganem provincewilaya de mostaganemمُستَغنِمولاية مستغانمe +المسيلة‎m'silam'sila provincewilaya de m'sila +مسيلةولاية المسيلة` + +معسكرmascaramascara provincewilaya de mascara معسكر‎ولاية معسكر\ + +ورجلةouarglaouargla provincewilaya d'ouargla +ورقلةولاية ورقلة^ +ولاية وهرانoran oran provincewahren wilaya d'oran +وهران وهران‎d + +البيضel bayadh provinceelbayadhwilaya d'el bayadh البيض‎ولاية البيضT + +اليزيillizi provincewilaya d'illizi اليزي‎ولاية إليزي +برج بوعريريجbordj bou arréridjbordj bou arréridj provincebordjbouarreridjwilaya de bordj bou arreridjبرج بوعريريج‎"ولاية برج بوعريريجy +بومرداس‎ +boumerdèsboumerdès provincewilaya de boumerdèsبومِردِاسولاية بومرداسf + الطارفel taref provinceeltarefwilaya d'el tarfالطارف‎ولاية الطارفq + +تندوفtindouf provincewilaya de tindouf تندوف‎ولاية تندوفولاية تندوف‎m +تسمسيلت‎tissemsilt provincewilaya de tissemsiltتيسمسيلتولاية تيسمسيلتd + العويضel oued provinceelouedwilaya d'el ouedالوادي‎ولاية الواديe +ولاية خنشلة khenchelakhenchela provincewilaya de khenchelaولاية خنشلة‎ +سوق أهراس‎souk ahras province soukahraswilaya de souk ahrasسوق الأحراسولاية سوق أهراس^ + +تبازةtipazatipaza provincewilaya de tipaza تيبازةولاية تيبازةK +ميلة mila provincewilaya de mila ميلة‎ولاية ميلة +عين الدفلى‎aïn defla province aïndeflawilaya de aïn deflaعين الدِفلةولاية عين الدفلىt +النعامةnaâmanaâma provincewilaya de naâmaولاية النعامةولاية النعامة‎ +عين تموشنت‎aïn témouchentaïn témouchent provincewilaya d'aïn témouchentولاية عين تموشنتL +ولاية غردايةghardaia province ghardaïawilaya de ghardaïaa +رِليزانrelizane provincewilaya de relizaneغليزان‎ولاية غليزان \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/EC b/user/user_data/AutofillStates/2025.6.13.84507/EC new file mode 100644 index 0000000..6536001 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/EC @@ -0,0 +1,31 @@ + +EC +azuayprovincia de azuay* +bolívarbolivarprovincia de bolívar +carchiprovincia de carchi! +orellanaprovincia de orellana9 +cantón esmeraldas +esmeraldasprovincia de esmeraldas +cañarprovincia de cañar +guayasprovincia del guayas% + +chimborazoprovincia de chimborazo! +imbaburaprovincia de imbabura +lojaprovincia de loja +manabíprovincia de manabí +napoprovincia de napo +el oroprovincia de el oro# + pichinchaprovincia de pichincha- + los ríoslos riosprovincia de los ríos? +morona santiagomoronasantiagoprovincia de morona santiagoo +,provincia de santo domingo de los tsáchilassanto domingo de los tsachilassanto domingo de los tsáchilas' +provincia de santa elena santa elena% +provincia de tungurahua +tungurahua0 +provincia de sucumbíos sucumbios +sucumbíosL + +galápagosgalápagos provinceislas galápagosprovincia de galápagos! +cotopaxiprovincia de cotopaxi +pastazaprovincia de pastazaB +provincia de zamora chinchipezamora chinchipezamorachinchipe \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/EE b/user/user_data/AutofillStates/2025.6.13.84507/EE new file mode 100644 index 0000000..1dc973c --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/EE @@ -0,0 +1,17 @@ + +EE + harju maakond harju county + hiiu maakond hiiu county2 +idaviru maakondidaviru countyi̇dаvirumаа! +jõgeva maakondjõgeva county +järva maakond järva county! +lääne maakondlääne county) +lääneviru maakondlääneviru county +põlva maakond põlva county +pärnu maakond pärnu county + rapla maakond rapla county + saare maakond saare county + tartu maakond tartu county + valga maakond valga county# +viljandi maakondviljandi county + võru maakond võru county \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/EG b/user/user_data/AutofillStates/2025.6.13.84507/EG new file mode 100644 index 0000000..c2824bf --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/EG @@ -0,0 +1,35 @@ + +EG} +الأسكندريةalexandria governorateالإسكندريةالاسكندرية!محافظة الإسكندريةD + +أسوانaswan governorate +اسوانمحافظة أسوان9 + +أسيوطassiut governorateمحافظة أسيوطT +البحر الأحمرred sea governorate$محافظة البحر الأحمرB +البحيرةbeheira governorateمحافظة البحيرةW +بنى سويفbeni suef governorateبني سويفمحافظة بني سويفC +القاهرةcairo governorateمحافظة القاهرة‬G +الدقهليةdakahlia governorateمحافظة الدقهلية; + +دمياطdamietta governorateمحافظة دمياط= + الفيومfaiyum governorateمحافظة الفيومB +الغربيةgharbia governorateمحافظة الغربية; + الجيزةgiza governorateمحافظة الجيزةS +الإسماعيليةismailia governorate#محافظة الإسماعيليةP +جنوب سيناءsouth sinai governorate محافظة جنوب سيناءM +القليوبيةalqalyubia governorateمحافظة القليوبيةN +كفر الشيخkafr elsheikh governorateمحافظة كفر الشيخ/ +قناqena governorateمحافظة قناJ + الأقصرluxor governorate الاقصرمحافظة الأقصر< + المنياminya governorateمحافظة المنياF +المنوفيةmenofia governorateمحافظة المنوفية@ +محافظة مطروحmarsa matrouh governorate +مطروحD +بورسعيدport said governorateمحافظة بورسعيد8 + +سوهاجsohag governorateمحافظة سوهاجD +الشرقيةalsharqia governorateمحافظة الشرقيةP +شمال سيناءnorth sinai governorate محافظة شمال سيناء; + السويسsuez governorateمحافظة السويس_ +الوادي الجديدthe new valley governorate&محافظة الوادي الجديد \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/EH b/user/user_data/AutofillStates/2025.6.13.84507/EH new file mode 100644 index 0000000..f03395f --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/EH @@ -0,0 +1,5 @@ + +EH +)الداخلة وادي الذهب‎‎oued eddahablagouirarío de orola güera-جهة وادي الذهب الڭويرة‎- +guelmimes semaraكلميم السمارةa +laâyouneboujdoursakia el hamra>جهة العيون بوجدور الساقية الحمراء \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/ER b/user/user_data/AutofillStates/2025.6.13.84507/ER new file mode 100644 index 0000000..96648d6 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/ER @@ -0,0 +1,11 @@ + +ERN + أنسيباansebaإقليم أنسبا +عنسباዞባ ዓንሰባ +1إقليم البحر الأحمر الجنوبيsouthern red sea جنوب البحر الأحمر"ديبوباوي كيه باهري'ዞባ ደቡባዊ ቀይሕ ባሕሪ7 +الجنوبيةdebub +ديبوبዞባ ደቡብG +جاش بركا +gash barkaقاش بركاዞባ ጋሽ ባርካZ +المركزيةmaekelالمنطقة المركزيةمأكلዞባ ማእከል + سيمناوي كيه باهريnorthern red sea شمال البحر الأحمر'ዞባ ሰሜናዊ ቀይሕ ባሕሪ \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/ES b/user/user_data/AutofillStates/2025.6.13.84507/ES new file mode 100644 index 0000000..c166f85 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/ES @@ -0,0 +1,22 @@ + +ES + +andalucíaan andalusia +aragónararagon& +asturiasasprincipado de asturias + cantabriacb& +ceutaceciudad autónoma de ceuta) +castilla y leónclcastile and león= +castilla la manchacmcastilela manchacastillala mancha. +canariascncanary islandsislas canarias + catalunyact catalonia + extremaduraex +galiciagagaliza) + illes balearsibpmbalearic islands) +región de murciamcregion of murcia. +comunidad de madridmdcommunity of madrid* +ciudad autónoma de melillamlmelilla2 +comunidad foral de navarrancnavarranavarre, +euskadipvbasque country euskal herria +la riojari: +comunidad valencianavcvalencian community valència \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/ET b/user/user_data/AutofillStates/2025.6.13.84507/ET new file mode 100644 index 0000000..50ed4fa --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/ET @@ -0,0 +1,13 @@ + +ET> +አዲስ አበባ addis ababaአዲስ አበባ ፡፡# + አፋርafarአፋር ፡፡ + አማራamharaP +ቤኒሻንጉል ጉሙዝ።benishangulgumuzቤንሻንጉልጉምዝ + ድሬዳዋ dire dawa + ጋምቤላgambella5 + ሀሪሪ።harariሐረሪ ሕዝብ ክልል* + ኦሮሚያoromiaኦሮሚያን። +0የደቡብ ብሔሮች ፣ ብሔረሰቦችsnnpr+southern nations, nationalities and peoplesCደቡብ ብሔሮች ብሔረሰቦችና ሕዝቦች ክልል( + ሶማሌsomaliሶማሌ ክልል' + ትግራይtigrayትግራይ። \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/FI b/user/user_data/AutofillStates/2025.6.13.84507/FI new file mode 100644 index 0000000..c320efa --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/FI @@ -0,0 +1,26 @@ + +FIG + eteläkarjalaeteläkarjalan maakunta south kareliasödra karelenU +eteläpohjanmaaeteläpohjanmaan maakuntasouth ostrobothniasödra österbotten> + +eteläsavoeteläsavon maakunta +south savosödra savolax& +kainuukainuun maakunta +kajanalandN + +kantahämeegentliga tavastlandegentligatavastlandkantahämeen maakuntaX +keskipohjanmaacentral ostrobothniakeskipohjanmaan maakuntamellersta österbottenF +keskisuomen maakuntacentral finland +keskisuomimellersta finland2 + kymenlaaksokymenlaakson maakunta kymmenedalen* +lapin maakuntalaplandlappilappland+ + pirkanmaa birkalandpirkanmaan maakunta< + pohjanmaa ostrobothniapohjanmaan maakunta österbottenH +pohjoiskarjala norra karelen north kareliapohjoiskarjalan maakuntaV +pohjoispohjanmaanorra österbottennorth ostrobothniapohjoispohjanmaan maakunta? + pohjoissavo norra savolax +north savopohjoissavon maakunta? + päijäthämepäijännetavastlandpäijäthämeen maakunta+ +satakunnan maakunta satakunda satakunta% +uudenmaan maakuntanylanduusimaaP +varsinaissuomen maakuntaegentliga finlandsouthwest finlandvarsinaissuomi \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/FJ b/user/user_data/AutofillStates/2025.6.13.84507/FJ new file mode 100644 index 0000000..9c836dd --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/FJ @@ -0,0 +1,6 @@ + +FJ +central division +easterneastern division +northernnorthern division +western division \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/FM b/user/user_data/AutofillStates/2025.6.13.84507/FM new file mode 100644 index 0000000..59ea830 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/FM @@ -0,0 +1,6 @@ + +FM +kosrae +pohnpei pohnpei state +chuuk chuuk state +yap yap state \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/FO b/user/user_data/AutofillStates/2025.6.13.84507/FO new file mode 100644 index 0000000..4eb253b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/FO @@ -0,0 +1,11 @@ + +FO +sandoyarsandoy + +eysturoyareysturoy + vága kommunavágavágar + +streymoyarstreymoy + +suðuroyarsuduroy +norðoyanorthern isles \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/FR b/user/user_data/AutofillStates/2025.6.13.84507/FR new file mode 100644 index 0000000..99ccf1b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/FR @@ -0,0 +1,15 @@ + +FR +auvergnerhônealpes +bourgognefranchecomté +bretagnebrittany +corsecorsica +centreval de loire + grand est + hautsdefrance + îledefranceidf +nouvelleaquitaine + normandienormandy + occitanie +provencealpescôte d'azur +pays de la loire \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GA b/user/user_data/AutofillStates/2025.6.13.84507/GA new file mode 100644 index 0000000..0de4187 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GA @@ -0,0 +1,14 @@ + +GA + +estuaire + +hautogooue hautogooué + moyenogooué moyenogooue + n'gouniéngouniengounié +nyanga + ogooueivindo ogoouéivindo + +ogoouelolo ogoouélolo! +ogoouémaritimeogoouemaritime + woleuntem \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GB b/user/user_data/AutofillStates/2025.6.13.84507/GB new file mode 100644 index 0000000..9cea18d --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GB @@ -0,0 +1,8 @@ + +GB +_περιοχές κυρίαρχων βάσεων ακρωτηρίου και δεκέλειαςakrotiri and dhekeliaağrotur ve dikelya +england +northern ireland + +scotland +walescymru \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GD b/user/user_data/AutofillStates/2025.6.13.84507/GD new file mode 100644 index 0000000..605a132 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GD @@ -0,0 +1,11 @@ + +GD# + saint andrewsaint andrew parish! + saint davidsaint david parish# + saint georgesaint george parish + +saint johnsaint john parish + +saint marksaint mark parish + saint patrick! +carriacou and petite martinique \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GE b/user/user_data/AutofillStates/2025.6.13.84507/GE new file mode 100644 index 0000000..5657b4b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GE @@ -0,0 +1,14 @@ + +GE +აფხაზეთიabkhaziaYაფხაზეთის ავტონომური რესპუბლიკაn +აჭარაadjaraSაჭარის ავტონომიური რესპუბლიკა< +გურიაguria"გურიის მხარეJ +იმერეთიimereti(იმერეთის მხარეD +კახეთიkakheti%კახეთის მხარეi +"ქვემო ქართლი kvemo kartli5ქვემო ქართლის მხარე} +*მცხეთამთიანეთიmtskhetamtianeti=მცხეთამთიანეთის მხარეr +Nრაჭალეჩხუმი და ქვემო სვანეთი rachalechkhumi and lower svaneti~ +*სამცხეჯავახეთიsamtskhejavakheti=სამცხეჯავახეთის მხარეc +შიდა ქართლი shida kartli2შიდა ქართლის მხარე +=სამეგრელოზემო სვანეთიsamegrelozemo svanetiPსამეგრელოზემო სვანეთის მხარე +თბილისიtbilisi \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GF b/user/user_data/AutofillStates/2025.6.13.84507/GF new file mode 100644 index 0000000..935d879 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GF @@ -0,0 +1,5 @@ + +GFT +arrondissement 9731arrondissement de cayennearrondissement of cayennecayenne +arrondissement 9732#arrondissement de stlaurentdumaroni&arrondissement of saintlaurentdumaroni#arrondissement of stlaurentdumaronisaint laurent du maronisaintlaurentdumaroniN +arrondissement de saintgeorgesarrondissement of saintgeorges saintgeorges \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GG b/user/user_data/AutofillStates/2025.6.13.84507/GG new file mode 100644 index 0000000..86259be --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GG @@ -0,0 +1,16 @@ + +GG( + saint sampson saintsamson +st sampson +valele valle + saint saviour saintsauveurI + saint petersaint pierre du boissaintpierreduboisst pierre du bois + +torteval& + saint martin saintmartin st martin# +saint peter portsaintpierreport +sarksercq +alderneyaurigny3 + saint andrewsaintandrédelapommeraye st andrew% +castelcâtelsaintemarieducâtel +forest la forêt \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GH b/user/user_data/AutofillStates/2025.6.13.84507/GH new file mode 100644 index 0000000..1cb86d9 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GH @@ -0,0 +1,21 @@ + +GH + bono region +northern east region + +oti region + ahafo region +savannah region +western north region +bono east region% + greater accragreater accra region +ashantiashanti region +centralcentral region +easterneastern region +northernnorthern region +volta volta region + +upper eastupper east region + +upper westupper west region +westernwestern region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GL b/user/user_data/AutofillStates/2025.6.13.84507/GL new file mode 100644 index 0000000..581c820 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GL @@ -0,0 +1,9 @@ + +GL + +qeqertalik + avannaata3 +kujalleqkujalleq kommunekujalleq municipality0 +qeqqataqeqqata kommuneqeqqata municipality9 +sermersooq kommune +sermersooqsermersooq municipality \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GM b/user/user_data/AutofillStates/2025.6.13.84507/GM new file mode 100644 index 0000000..fa1ce9d --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GM @@ -0,0 +1,11 @@ + +GM + mansa konko + janjanbureh +banjul +basse + +kanifing +brikama +kerewan +kuntaur \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GN b/user/user_data/AutofillStates/2025.6.13.84507/GN new file mode 100644 index 0000000..40972b0 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GN @@ -0,0 +1,10 @@ + +GN +bokérégion de boké +conakryrégion de conakry +kindiarégion de kindia +région de faranahfaranah +kankanrégion de kankan +labérégion de labé +mamourégion de mamou' +région de nzérékoré nzérékoré \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GP b/user/user_data/AutofillStates/2025.6.13.84507/GP new file mode 100644 index 0000000..48ac425 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GP @@ -0,0 +1,5 @@ + +GP? +arrondissement 9711arrondissement de basseterre +basseterreR +arrondissement 9712arrondissement de pointeàpitre grandeterre pointeàpitre \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GQ b/user/user_data/AutofillStates/2025.6.13.84507/GQ new file mode 100644 index 0000000..1b63c32 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GQ @@ -0,0 +1,13 @@ + +GQ + +annobónU + bioko norte +bioko nordbioko norte province +biokonorteprovincia de bioko norteL + bioko sur bioko sudbioko sur provincebiokosurprovincia de bioko surB + +centro surcentro sur province centrosurprovincia centro sur: +kientemkiéntemkiéntem provinceprovincia kiéntemD +litorallitoral provinceprovince du littoralprovincia litoral1 +welenzasprovincia welenzaswelenzas province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/GR b/user/user_data/AutofillStates/2025.6.13.84507/GR new file mode 100644 index 0000000..08edd69 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/GR @@ -0,0 +1,11 @@ + +GR +Nαποκεντρωμένη διοίκηση μακεδονίας θράκης4decentralized administration of macedonia and thracemakedonia thrakiμακεδονία θράκη +]αποκεντρωμένη διοίκηση θεσσαλίας στερεάς ελλάδας;decentralized administration of thessaly and central greecethessalia sterea ellada*θεσσαλία στερεά ελλάδα +.ήπειρος δυτική μακεδονία +nusa tenggara baratnusa tenggara kulonwest nusa tenggara? +nusa tenggara timureast nusa tenggaranusa tenggara wétan +papua& + papua barat papua kulon +west papua + provinsi riauriauJ +provinsi sulawesi utaranorth sulawesisulawesi kalérsulawesi utaraF +provinsi sumatera baratsumatera barat sumatra kulon west sumatraD +provinsi sulawesi tenggarasouth east sulawesisulawesi tenggaraf +provinsi sulawesi selatansouth sulawesisouth sulawesi provincesulawesi kidulsulawesi selatanH +provinsi sulawesi baratsulawesi baratsulawesi kulon west sulawesiK +provinsi sumatera selatan south sumatrasumatera selatan sumatra kidul# +sulawesi tengahcentral sulawesiH +provinsi sumatera utara north sumatrasumatera utarasumatra kalér +d i yogyakartajogjadaerah istimewa yogyakartaprovinsi d i yogyakarta#provinsi daerah istimewa yogyakartaspecial region of yogyakarta +yogyakarta \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/IE b/user/user_data/AutofillStates/2025.6.13.84507/IE new file mode 100644 index 0000000..731c4d6 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/IE @@ -0,0 +1,36 @@ + +IE@ +clarecean clárco clarecontae an chláir county clareD +cavancn +an cabhánco cavancontae an chabháin county cavan; +co corkcocontae chorcaícorcaighcork county corkH +carlowcw ceatharlach co carlowcontae cheatharlach county carlowU + co dublindbaile átha cliathcontae bhaile átha cliath county dublindublinO + +co donegaldlcontae dhún na ngallcounty donegaldonegal dún na ngallD + co galwaygcontae na gaillimhe county galwaygaillimhgalwayC + +co kildare cill daracontae chill daracounty kildarekildareP + co kilkennycill chainnighcontae chill chainnighcounty kilkennykilkenny? +co kerrykyciarraícontae chiarraí county kerrykerryN + co longfordld an longfortcontae an longfoirtcounty longfordlongford4 +co louthlh +contae lú county louthlouthlúH + co limericklkcontae luimnighcounty limericklimerick luimneachD + +co leitrimlmcontae liatromacounty leitrimleitrimliatroim2 +co laoisls contae laoise county laoislaois; +co meathmhan mhí contae na mí county meathmeathO + co monaghanmncontae mhuineacháincounty monaghanmonaghan muineachán< +co mayomocontae mhaigh eo county mayomaigh eomayoJ + co offalyoycontae uíbh fhailí county offalyoffaly uibh fhailíP + co roscommonrncontae ros comáincounty roscommon ros comáin roscommon> +co sligosocontae shligigh county sligosligeachsligoY + co tipperarytacontae thiobraid áranncounty tipperarytiobraid árann tipperaryS + co waterfordwdcontae phort láirgecounty waterford port láirge waterfordO + co westmeathwh +an iarmhícontae na hiarmhícounty westmeath westmeathQ + +co wicklowwwcill mhantáincontae chill mhantáincounty wicklowwicklowJ + +co wexfordwxcontae loch garmancounty wexford loch garmanwexford \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/IL b/user/user_data/AutofillStates/2025.6.13.84507/IL new file mode 100644 index 0000000..1e121da --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/IL @@ -0,0 +1,15 @@ + +IL +judea and samariajudea and samaria areajudea and samaria districtיהודה ושומרון"מחוז יהודה ושומרון%الضـّفـّة الغربيـّةيهودا والسامرة +hadaromsouthsouth districtsouthern district +הדרוםמחוז הדרוםالمنطقة الجنوبية +جنوبيمحوز هدرومn +haifahaifa districtחיפהחפהמחוז חיפהحيفامحوز حيفامنطقة حيفاy + jerusalemjerusalem district yerushalayimירושליםמחוז ירושלים +القدسمنطقة القدس +centercenter districtcentral districthamerkaz +המרכזמחוז המרכזالمنطقة الوسطىمحوز هامركازهامركاز +tel avivtel aviv districtמחוז תל אביב תל אביב تل أبيبمحوز تل ابيبمنطقة تل أبيب +northnorth districtnorthern district +הצפוןמחוז הצפוןالمنطقة الشمالية +شماليمحوز هتسافون \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/IM b/user/user_data/AutofillStates/2025.6.13.84507/IM new file mode 100644 index 0000000..45bbc95 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/IM @@ -0,0 +1,29 @@ + +IM + +castletown +bride +lonan +jurby +rushen + +maughold +santon +andreas +german +patrick + +ballaugh +arbory +laxey +malew +michael +peel +lezayre +marown + port st mary +ramsey +douglas +onchan + port erin +braddan \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/IN b/user/user_data/AutofillStates/2025.6.13.84507/IN new file mode 100644 index 0000000..9545645 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/IN @@ -0,0 +1,42 @@ + +IN + +andaman and nicobar islandsan+انڈمان اور نکوبار جزائر1انڈمان اینڈ نکوبار آئرلینڈ انڈمان تٔ نِکوبار'جزائر انڈمان و نکوبارKअंदमान ॲण्ड निकोबार आयलँड्सNअण्डमान और निकोबार द्वीपसमूहHअण्डमाननिकोबारद्वीपसमूहः`আন্দামান অ্যান্ড নিকোবর আইল্যান্ডসQআন্দামান এণ্ড নিকোবৰ আইলেণ্ডছHਅੰਡਮਾਨ ਐਂਡ ਨਿਕੋਬਾਰ ਆਇਲੈਂਡਸBਅੰਡੇਮਾਨ ਅਤੇ ਨਿਕੋਬਾਰ ਟਾਪੂQઅંદમાન ઍન્ડ નિકોબાર આયલેન્ડ્સTଆଣ୍ଡାମାନ ଆଣ୍ଡ ନିକୋବର ଆଇଲ୍ୟାଣ୍ଡZஅந்தமான் அண்ட் நிகோபார் ஐலண்ட்ஸ்Tఅందమాన్ అండ్ నికోబార్ ఐలాండ్స్Zಅಂಡಮಾನ್ ಅಂಡ್ ನಿಕೋಬಾರ್ ಐಲ್ಯಾಂಡ್ಸ್Tആൻഡമാൻ ആൻഡ് നിക്കോബാർ ഐലൻ്റ്സ്; +andhra pradeshap%ఆంధ్ర ప్రదేశ్ +arunachal pradesharاروناچل پردیش(अरुणाचल प्रदेश<अरुणाचलप्रदेशराज्यम्(অরুণাচল প্রদেশ(অৰুণাচল প্ৰদেশ(અરુણાચલ પ્રદેશ(ଅରୁଣାଚଳ ପ୍ରଦେଶ4அருணாசலப் பிரதேசம்1அருணாச்சல பிரதேஷ்.అరుణాచల్ ప్రదేశ్(ಅರುಣಾಚಲ ಪ್ರದೇಶ+അരുണാചൽ പ്രദേശ് +assamas অসম +biharbrबिहार/ + chhattisgarhcgछत्तीसगढ़ + +chandigarhchچنڈی گڑھचंडीगढचंडीगढ़চণ্ডীগড়ਚੰਡੀਗੜ੍ਹચંડીગઢଚଣ୍ଡୀଗଡ଼சண்டிகர்చండీగఢ్ಚಂಡೀಗಢചണ്ഡീഗഢ് +(dadra and nagar haveli and daman and diudh3دادرا و نگر حویلی و دمن و دیوDددراندرا نگر حویلی اینڈ دامن اینڈ دیوRदादरा और नगर हवेली और दमन और दीवdदादरा ॲण्ड नगर हवेली ॲण्ड दमन ॲण्ड दीवদাদ্রা অ্যান্ড নগর হাভেলি অ্যান্ড দমন অ্যান্ড দিউgদাদৰা এণ্ড নগৰ হাভেলী এণ্ড দমন এণ্ড দিউ[ਦਾਦਰਾ ਅਤੇ ਨਗਰ ਹਵੇਲੀ ਅਤੇ ਦਮਨ ਅਤੇ ਦੀਉ[ਦਾਦਰਾ ਐਂਡ ਨਗਰ ਹਵੇਲੀ ਐਂਡ ਦਮਨ ਐਂਡ ਦੀਵdદાદરા ઍન્ડ નગર હવેલી ઍન્ડ દમણ ઍન્ડ દીવjଦାଦ୍ରା ଆଣ୍ଡ ନଗର ହବେଳୀ ଆଣ୍ଡ ଡାମନ ଆଣ୍ଡ ଡିଉfதாத்ரா & நகர் ஹவேலி மற்றும் தாமன் & தியூvதாத்ரா அண்ட் நகர் ஹவேலி அண்ட் தமன் அண்ட் தீவvదాద్రా అండ్ నగర్ హవేలీ అండ్ డామన్ అండ్ డయ్యూjದಾದ್ರ ಅಂಡ್ ನಗರ ಹವೇಲಿ ಅಂಡ್ ದಮನ್ ಅಂಡ್ ದಿಯುmദാദ്രാ ആൻഡ് നഗർ ഹവേലി ആൻഡ് ദാമൻ ആൻഡ് ദീയു +delhidlदिल्ली +goaga! +gujaratgjગુજરાત= +himachal pradeshhp%हिमाचल प्रदेश$ +haryanahrहरियाणा# + jharkhandjhझारखंड +jammu and kashmirjk& + karnatakakaಕರ್ನಾಟಕ +keralakl കേരള +ladakhlaلداخलद्दाखলাডাখলাদাখਲੱਦਾਖલદ્દાખ ଲଦାଖலடாக்లద్దాక్ಲಡಾಖ್ലഡാഖ്1 + lakshadweepldലക്ഷദ്വീപ്1 + maharashtramhमहाराष्ट्र + meghalayamlمیگھالیہناگالینڈमेघालय'मेघालयराज्यम्মেঘালয়ਮੇਘਾਲਿਆમેઘાલયମେଘାଳୟமேகாலயாమేఘాలయಮೇಘಾಲಯമേഘാലയ +manipurmn5 +madhya pradeshmpमध्य प्रदेश +mizorammz +nagalandnlمیگھالیہناگالینڈनागालैंड0नागालैण्डराज्यम्নাগালেণ্ড!নাগাল্যান্ডਨਾਗਾਲੈਂਡનાગાલૈંડନାଗାଲାଣ୍ଡநாகாலாந்துనాగాలాండ్!ನಾಗಾಲ್ಯಾಂಡ್നാഗാലാൻഡ്( +odishaodorissaଓଡ଼ିଶା +punjabpbਪੰਜਾਬ0 + +puducherrypyபுதுச்சேரி) + rajasthanrjराजस्थान# +sikkimskसिक्किम& + telanganatsతెలంగాణ. + +tamil nadutnதமிழ் நாடு' +tripuratrত্রিপুরা7 + uttar pradeshup"उत्तर प्रदेश. + uttarakhandukउत्तराखंडb + west bengalwb%पश्चिम बङ्गाल(ওয়েস্ট বেঙ্গল \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/IQ b/user/user_data/AutofillStates/2025.6.13.84507/IQ new file mode 100644 index 0000000..d3e0c84 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/IQ @@ -0,0 +1,31 @@ + +IQ +al anbaranal anbar governorateanbarالأنبارالانبارالانبار محافظةمحافظة الأنبارp +arbeelarbilarbil governorateerbilerbil governoratehawlerirbil +أربيلأربيل محافظة{ + al basrahalbasrahbasrabasra governoratebasrah البصرةالبصرة محافظةمحافظة البصرةe +babilblbabil governoratebabylonbabylon governoratebābilبابلبابل محافظةx +baghdadbaghdad governoratebaghdādmuhafazat bagdad +بغدادبغداد محافظةمحافظة بغدادh +dahukdihokdohuk governorateduhokduhok governorate +داهوكدهوكدهوك محافظةW +diyaladiyala governoratediyālā +ديالا +ديالىديالى محافظةc +dhi qardhi qar governorate dhī qār ذي قارذي قار‎ذي قار‎ محافظةR +karbalakarbala governorate karbalā' كربلاءكربلاء محافظةJ +maysanmaysan governoratemaysān +ميسانميسان محافظة| + al muthannaal muthanna governorate almuthannāmuthannamuthanna governorate المثنىالمثنى محافظةH +annajafnajafnajaf governorate +النجفالنجف محافظةz +neynewaninawanineveh governoratenineveh provinceninwenīnawā +نينوىنينوى محافظة +نینوى + alqadisiyah alqadisiyyah alqādisiyyahalqādisiyyah governorateالقادسيةالقادسية محافظةمحافظة الديوانية +saladin governoratesdsaladin province salah aldin +salahuddin salâhaddînصلاح الدين صلاح الدين محافظة +alsulaymaniyahassulaymaniyyah sulaymaniyahsulaymaniyah governorateالسليمانية!السليمانية محافظةالسليمانية‎Z + at ta'mimkirkukkirkuk governorate التميم +كركوككركوك محافظةG +wasitwawasit governoratewāsitواسطواسط محافظة \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/IR b/user/user_data/AutofillStates/2025.6.13.84507/IR new file mode 100644 index 0000000..9b24c26 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/IR @@ -0,0 +1,49 @@ + +IR> +markazimarkazi provinceاستان مرکزی +مرکزیB +gilangilan provincegilānاستان گیلان +گیلان^ + +mazandaranmazandaran province māzandarānاستان مازندرانمازندران +azarbayjane sharqieast azerbaijaneast azerbaijan provinceāzarbāyejāne šarqiآذربایجان شرقی&استان آذربایجان شرقی +azarbayjane gharbiwest azerbaijanwest azerbaijan provinceāzarbāyejāne qarbiآذربایجان غربی&استان آذربایجان غربیn + +kermanshahkermanshah province kermānšāhاستان کرمانشاهباخترانکرمانشاهa + +khouzestan khuzestankhuzestan province xuzestānاستان خوزستانخوزستان; +fars fars provincefārsاستان فارسفارسE +kermankerman provincekermānاستان کرمان +کرمانw +khorasan razavirazavi khorasan provincexorāsāne razavi استان خراسان رضویخراسان رضویU +esfahanesfahānisfahanisfahan provinceاستان اصفهان اصفهان +sistan va baluchestansistan and baluchestansistan and baluchestan provincesistāno balučestān+استان سیستان و بلوچستان سیستان و بلوچستانسیستان وبلوچستانl + kordestan +kordestān kurdestan kurdistankurdistan provinceاستان کردستانکردستانQ +hamadanhamadan provincehamedanhamedānاستان همدان +همدان +chahar mahal va bakhtiarichaharmahal and bakhtiari"chaharmahal and bakhtiari provincečāhārmahālo baxtiyāri-استان چهارمحال و بختیاری#چهار محال و بختیاری!چهارمحال وبختیاریO +lorestanlorestan province lorestānاستان لرستان لرستان? +ilam ilam provinceilāmاستان ایلام +ایلام +kohgiluyeh va boyer ahmad"kohgiluyeh and boyerahmad provincekohgiluyeo boyerahmad/استان کهگیلویه و بویراحمد%کهگیلویه و بویر احمد#کهگیلویه وبویراحمد[ +booshehrboushehrbushehrbushehr provincebušehrاستان بوشهر +بوشهرE +zanjanzanjan provincezanjānاستان زنجان +زنجانN +semnaansemnansemnan provincesemnānاستان سمنان +سمنان0 +yazd yazd provinceاستان یزدیزدV + hormozganhormozgan province +hormozgānاستان هرمزگانهرمزگانE +tehrantehran provincetehrānاستان تهران +تهرانK +ardabilardabil provinceardebil اردبیلاستان اردبیل* +qom qom provinceاستان قمقمE +ghazvinqazvinqazvin provinceاستان قزوین +قزوینO +golestangolestan province golestānاستان گلستان گلستان{ +north khorasannorth khorasan provincexorāsāne šomāli"استان خراسان شمالیخراسان شمالی +khorasane jonubisouth khorasansouth khorasan provincexorāsāne jonubi"استان خراسان جنوبیخراسان جنوبی< +alborzalborz provinceاستان البرز +البرز \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/IS b/user/user_data/AutofillStates/2025.6.13.84507/IS new file mode 100644 index 0000000..9d2b073 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/IS @@ -0,0 +1,67 @@ + +IS& +dalvíkurbyggðdalvă­kurbyggă° +kaldrananeshreppur +hrunamannahreppur + akureyrarbærakureyrarbăśr: +bolungarvíkurkaupstaðurbolungarvă­kurkaupstaă°urD +sveitarfélagið skagaströnd#sveitarfăšlagiă° skagastrăśnd8 +svalbarðsstrandarhreppursvalbară°sstrandarhreppur" +langanesbyggðlanganesbyggă° + árneshreppur( +eyjafjarðarsveiteyjafjară°arsveit. +rangárþing eystrarangăąrăžing eystra + strandabyggðstrandabyggă° + +dalabyggð dalabyggă° +skorradalshreppur + ásahreppură�sahreppur* +bláskógabyggðblăąskăłgabyggă°" + kópavogsbærkăłpavogsbăśr + +garðabærgară°abăśr1 + húnabyggðhúnavatnshreppurhăşnabyggă° +sveitarfélagið árborg +ísafjarðarbær + reykjanesbærreykjanesbăśr +eyja og miklaholtshreppurE +skagafjörðurskagafjăśră°ursveitarfélagið skagafjörður +tjörneshreppur + vesturbyggðvesturbyggă° + fjallabyggðfjallabyggă°( +seltjarnarnesbærseltjarnarnesbăśr. +grundarfjarðarbærgrundarfjară°arbăśr@ +skeiða og gnúpverjahreppur skeiă°a og gnăşpverjahreppurJ +sveitarfélagið hornafjörður'sveitarfăšlagiă° hornafjăśră°ur( +grindavíkurbærgrindavă­kurbăśr* +grýtubakkahreppurgră˝tubakkahreppur + norðurþingnoră°urăžing4 +sveitarfélagið vogarsveitarfăšlagiă° vogar* +akraneskaupstaðurakraneskaupstaă°ur" + snæfellsbærsnăśfellsbăśr0 +súðavíkurhreppursăşă°avă­kurhreppur" + hörgársveithăśrgăąrsveit* +fljótsdalshreppurfljăłtsdalshreppurk +stykkishólmsbærstykkishólmursveitarfélagið stykkishólmur%sveitarfăšlagiă° stykkishăłlmur( +vestmannaeyjabærvestmannaeyjabăśr* +húnaþing vestrahăşnaăžing vestra& +reykhólahreppurreykhăłlahreppur& +reykjavíkurborgreykjavă­kurborg* +rangárþing ytrarangăąrăžing ytra +sveitarfélagið ölfus: +hafnarfjarðarkaupstaðurhafnarfjară°arkaupstaă°ur& +suðurnesjabærsuă°urnesjabăśr" + fjarðabyggðfjară°abyggă°@ +grímsnes og grafningshreppurgră­msnes og grafningshreppur% +þingeyjarsveită�ingeyjarsveit( +hveragerðisbærhverageră°isbăśr$ +skaftárhreppurskaftăąrhreppur + borgarbyggðborgarbyggă°$ +mýrdalshreppurmă˝rdalshreppur" +kjósarhreppurkjăłsarhreppur + mosfellsbærmosfellsbăśr( +hvalfjarðarsveithvalfjară°arsveit + flóahreppurflăłahreppur + +múlaþingmăşlaăžing. +vopnafjarðarhreppurvopnafjară°arhreppur \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/IT b/user/user_data/AutofillStates/2025.6.13.84507/IT new file mode 100644 index 0000000..73a1070 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/IT @@ -0,0 +1,135 @@ + +IT +piemontepiedmont + valle d'aosta aosta valley + lombardialombardy) +trentinoalto adigetrentinosouth tyrol +veneto- +friuli venezia giuliafriulivenezia giulia +liguria +emilia romagna emiliaromagna +toscanatuscany +umbria +marche +lazio +abruzzo +molise + +campania +pugliaapulia + +basilicata + +calabria +siciliasicily +sardegnasardiniaw + agrigentoag&free municipal consortium of agrigento&libero consorzio comunale di agrigentoprovincia di agrigentoD + alessandriaalprovince of alessandriaprovincia di alessandria5 +anconaanprovince of anconaprovincia di ancona( +aostaao aosta valley valle d'aostaJ + ascoli picenoapprovince of ascoli picenoprovincia di ascoli piceno; +l'aquilaaqprovince of l'aquilaprovincia dell'aquila5 +arezzoarprovince of arezzoprovincia di arezzo/ +astiatprovince of astiprovincia di asti; +avellinoavprovince of avellinoprovincia di avellinoV +baribacittà metropolitana di barimetropolitan city of bariprovincia di bari8 +bergamobgprovince of bergamoprovincia di bergamo5 +biellabiprovince of biellaprovincia di biella8 +bellunoblprovince of bellunoprovincia di belluno> + beneventobnprovince of beneventoprovincia di beneventob +bolognabocittà metropolitana di bolognametropolitan city of bolognaprovincia di bologna; +brindisibrprovince of brindisiprovincia di brindisi8 +bresciabsprovince of bresciaprovincia di brescia\ +barlettaandriatranibtprovince of barlettaandriatrani provincia di barlettaandriatrani +autonome provinz bozenbz +alto adige!autonome provinz bozen südtirol.autonomous province of bolzano – south tyrolbolzanobozenprovincia autonoma di bolzano)provincia autonoma di bolzano alto adigeprovincia di bolzano provincia di bolzano alto adige provinz bozen +sud tirolo südtirol +cagliaricacasteddu città metropolitana di cagliarimetropolitan city of cagliariprovincia di cagliari"tzittadi metropolitana de castedduA + +campobassocbprovince of campobassoprovincia di campobasso8 +casertaceprovince of casertaprovincia di caserta5 +chietichprovince of chietiprovincia di chieti + caltanissettacl*free municipal consortium of caltanissetta*libero consorzio comunale di caltanissettaprovincia di caltanissetta2 +cuneocnprovince of cuneoprovincia di cuneo/ +comocoprovince of comoprovincia di como8 +cremonacrprovince of cremonaprovincia di cremona8 +cosenzacsprovince of cosenzaprovincia di cosenzab +cataniactcittà metropolitana di cataniametropolitan city of cataniaprovincia di catania> + catanzaroczprovince of catanzaroprovincia di catanzaroc +ennaen!free municipal consortium of enna!libero consorzio comunale di ennaprovincia di ennac + forli'cesenafc forlìcesena forlícesenaprovince of forlìcesenaprovincia di forlìcesena8 +ferrarafeprovince of ferraraprovincia di ferrara5 +foggiafgprovince of foggiaprovincia di foggiac +città metropolitana di firenzefifirenzemetropolitan city of florenceprovincia di firenze2 +fermofmprovince of fermoprovincia di fermoI + ciociariafr frosinoneprovince of frosinoneprovincia di frosinone] +città metropolitana di genovagegenovametropolitan city of genoaprovincia di genova8 +goriziagoprovince of goriziaprovincia di gorizia; +grossetogrprovince of grossetoprovincia di grosseto8 +imperiaimprovince of imperiaprovincia di imperia8 +iserniaisprovince of iserniaprovincia di isernia8 +crotonekrprovince of crotoneprovincia di crotone2 +leccolcprovince of leccoprovincia di lecco2 +lecceleprovince of lecceprovincia di lecce8 +livornoliprovince of livornoprovincia di livorno/ +lodiloprovince of lodiprovincia di lodi5 +latinaltprovince of latinaprovincia di latina2 +luccaluprovince of luccaprovincia di luccao +monza e brianzambmonza e della brianzaprovince of monza and brianza"provincia di monza e della brianza; +maceratamcprovince of macerataprovincia di maceratab +città metropolitana di messinamemessinametropolitan city of messinaprovincia di messina] +città metropolitana di milanomimetropolitan city of milanmilanoprovincia di milano7 +mantovamnprovince of mantuaprovincia di mantova5 +modenamoprovince of modenaprovincia di modenaa + massa carraramsmassa e carraraprovince of massa and carraraprovincia di massa e carrara5 +materamtprovince of materaprovincia di matera^ +città metropolitana di napolinametropolitan city of naplesnapoliprovincia di napoli5 +novaranoprovince of novaraprovincia di novara2 +nuoronuprovince of nuoroprovincia di nuoro; +oristanoorprovince of oristanoprovincia di oristanob +città metropolitana di palermopametropolitan city of palermopalermoprovincia di palermo; +piacenzapcprovince of piacenzaprovincia di piacenza4 +padovapdprovince of paduaprovincia di padova8 +pescarapeprovince of pescaraprovincia di pescara8 +perugiapgprovince of perugiaprovincia di perugia/ +pisapiprovince of pisaprovincia di pisa> + pordenonepnprovince of pordenoneprovincia di pordenone2 +pratopoprovince of pratoprovincia di prato2 +parmaprprovince of parmaprovincia di parma8 +pistoiaptprovince of pistoiaprovincia di pistoiaR +pesaro e urbinopuprovince of pesaro and urbinoprovincia di pesaro e urbino2 +paviapvprovince of paviaprovincia di pavia8 +potenzapzprovince of potenzaprovincia di potenza8 +provincia di ravennaraprovince of ravennaravenna +'città metropolitana di reggio calabriarc$metropolitan city of reggio calabriaprovincia di reggio calabriareggio calabriareggio di calabriap +provincia di reggio emiliareprovince of reggio emiliaprovincia di reggio nell'emiliareggio nell'emiliak +#libero consorzio comunale di ragusarg#free municipal consortium of ragusaprovincia di ragusaragusa2 +provincia di rietiriprovince of rietirieti + ager romanusrmcittà metropolitana di roma%città metropolitana di roma capitale!metropolitan city of rome capitalprovincia di romaroma5 +provincia di riminirnprovince of riminirimini5 +provincia di rovigoroprovince of rovigorovigo8 +provincia di salernosaprovince of salernosalernoJ +provincia del sud sardegnasuprovince of south sardinia sud sardegna2 +provincia di sienasiprovince of sienasiena8 +provincia di sondriosoprovince of sondriosondrio> + la speziaspprovince of la speziaprovincia della spezias +%libero consorzio comunale di siracusasr%free municipal consortium of syracuseprovincia di siracusasiracusa8 +provincia di sassarissprovince of sassarisassari5 +provincia di savonasvprovince of savonasavona8 +provincia di tarantotaprovince of tarantotaranto5 +provincia di teramoteprovince of teramoteramoh +provincia autonoma di trentotnautonomous province of trentoprovincia di trentotrentinotrento] +città metropolitana di torinotometropolitan city of turinprovincia di torinotorinoo +$libero consorzio comunale di trapanitp$free municipal consortium of trapaniprovincia di trapanitrapani2 +provincia di ternitrprovince of terniterniF +provincia di triestetsprovince of triestetrieste uti giuliana8 +provincia di trevisotvprovince of trevisotreviso\ +(ente di decentramento regionale di udineudprovince of udineprovincia di udineudineJ +province de varèsevaprovince of vareseprovincia di varesevareseZ + provincia del verbanocusioossolavbprovince of verbanocusioossolaverbanocusioossola; +provincia di vercellivcprovince of vercellivercellia +città metropolitana di veneziavemetropolitan city of veniceprovincia di veneziavenezia8 +provincia di vicenzaviprovince of vicenzavicenza5 +provincia di veronavrprovince of veronaverona8 +provincia di viterbovtprovince of viterboviterboJ +provincia di vibo valentiavvprovince of vibo valentia vibo valentia \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/JE b/user/user_data/AutofillStates/2025.6.13.84507/JE new file mode 100644 index 0000000..42c72ee --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/JE @@ -0,0 +1,20 @@ + +JE + +saint johnst john +saint brélade +st brelade +saint lawrence st lawrence + st helier + saint martin st martin + saint saviour +st saviour + saint peterst peter + grouville + +saint maryst mary +trinity + saint clement +st clement + +saint ouenst ouen \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/JM b/user/user_data/AutofillStates/2025.6.13.84507/JM new file mode 100644 index 0000000..20dc810 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/JM @@ -0,0 +1,18 @@ + +JM +kingstonkingston parish5 + saint andrewsaint andrew parishst andrew parish@ + saint thomassaint thomas parish st thomasst thomas parish +portlandportland parish/ + +saint marysaint mary parishst mary parish, + saint annsaint ann parish st ann parish +trelawnytrelawny parish2 + saint jamessaint james parishst james parish +hanoverhanover parish# + westmorelandwestmoreland parish> +saint elizabethsaint elizabeth parishst elizabeth parish + +manchestermanchester parish + clarendonclarendon parishL +saint catherinesaint catherine parish st catherinest catherine parish \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/JO b/user/user_data/AutofillStates/2025.6.13.84507/JO new file mode 100644 index 0000000..e40a01e --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/JO @@ -0,0 +1,14 @@ + +JO- +محافظة عجلونajloun governorateI +محافظة العاصمةamman governorateمحافظة عمّان. +محافظة العقبةaqaba governorate2 +محافظة الطفيلةtafilah governorate@ +الزرقاءzarqa governorateمحافظة الزرقاء@ +البلقاءbalqa governorateمحافظة البلقاء* +محافظة إربدirbid governorate) +محافظة جرشjerash governorate, +محافظة الكركkarak governorate/ +محافظة المفرقmafraq governorate- +محافظة مادباmadaba governorate4 +محافظة معانma'an governorateمعان \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/JP b/user/user_data/AutofillStates/2025.6.13.84507/JP new file mode 100644 index 0000000..462525e --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/JP @@ -0,0 +1,49 @@ + +JP + 北海道hokkaido + 青森県aomori + 岩手県iwate + 宮城県miyagi + 秋田県akita + 山形県yamagata + 福島県 fukushima + 茨城県ibaraki + 栃木県tochigi + 群馬県gunma + 埼玉県saitama + 千葉県chiba + 東京都tokyo + 神奈川県kanagawa + 新潟県niigata + 富山県toyama + 石川県ishikawa + 福井県fukui + 山梨県 yamanashi + 長野県nagano + 岐阜県gifu + 静岡県shizuoka + 愛知県aichi + 三重県mie + 滋賀県shiga + 京都府kyoto + 大阪府osaka + 兵庫県hyogo + 奈良県nara + 和歌山県wakayama + 鳥取県tottori + 島根県shimane + 岡山県okayama + 広島県 hiroshima + 山口県 yamaguchi + 徳島県 tokushima + 香川県kagawa + 愛媛県ehime + 高知県kochi + 福岡県fukuoka + 佐賀県saga + 長崎県nagasaki + 熊本県kumamoto + 大分県oita + 宮崎県miyazaki + 鹿児島県 kagoshima + 沖縄県okinawa \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/KE b/user/user_data/AutofillStates/2025.6.13.84507/KE new file mode 100644 index 0000000..ac62de6 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/KE @@ -0,0 +1,51 @@ + +KE, +baringobaringo countywilaya ya baringo& +bomet bomet countywilaya ya bomet, +bungomabungoma countywilaya ya bungoma& +busia busia countywilaya ya busia8 +elgeyo marakwetelgeyomarakwetelgeyomarakwet county# +embu embu countywilaya ya embu, +garissagarissa countywilaya ya garissa/ +homa bayhoma bay countywilaya ya homa bay) +isiolo isiolo countywilaya ya isiolo, +kajiadokajiado countywilaya ya kajiado@ +kakamegakakamega countykakamega forestwilaya ya kakamega, +kerichokericho countywilaya ya kericho) +kiambu kiambu countywilaya ya kiambu) +kilifi kilifi countywilaya ya kilifi2 + kirinyagakirinyaga countywilaya ya kirinyaga+ +kisii kisii countywilaya ya kisii kati) +kisumu kisumu countywilaya ya kisumu& +kitui kitui countywilaya ya kitui& +kwale kwale countywilaya ya kwale/ +laikipialaikipia countywilaya ya laikipia# +lamu lamu countywilaya ya lamu/ +machakosmachakos countywilaya ya machakos, +makuenimakueni countywilaya ya makueni, +manderamandera countywilaya ya mandera/ +marsabitmarsabit countywilaya ya marsabit# +merukaunti ya meru meru county) +migori migori countywilaya ya migori, +mombasamombasa countywilaya ya mombasa7 +murang'amurangamuranga countywilaya ya murang'a. +nairobinairobi city countynairobi county) +nakuru nakuru countywilaya ya nakuru& +nandi nandi countywilaya ya nandi& +narok narok countywilaya ya narok, +nyamiranyamira countywilaya ya nyamira2 + nyandaruanyandarua countywilaya ya nyandarua& +nyeri nyeri countywilaya ya nyeri, +samburusamburu countywilaya ya samburu& +siaya siaya countywilaya ya siaya9 + taita tavetataitataveta countywilaya ya taitataveta3 + +tana rivertana river countywilaya ya mto tanaE + tharaka nithi tharakanithitharakanithi countywilaya ya tharaka6 + trans nzoiatransnzoia countywilaya ya transnzoia, +turkanaturkana countywilaya ya turkana8 + uasin gishuuasin gishu countywilaya ya uasin gishu) +vihiga vihiga countywilaya ya vihiga& +wajir wajir countywilaya ya wajir: + +west pokotwest pokot countywilaya ya pokot magharibi \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/KG b/user/user_data/AutofillStates/2025.6.13.84507/KG new file mode 100644 index 0000000..3fbedb3 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/KG @@ -0,0 +1,14 @@ + +KGI +bishkek bishkek cityбишкек шаарыгород бишкек7 + osh shaarosh cityгород ошош шаарыg +batken batken region баткенбаткен областы#баткенская область` +chüy chüy regionчуйская областьчүй областычүй облусу` + jalalabadjalalabad regionджалалабад+джалалабадская областьx +naryn naryn region +нарыннарын областынарын облусу!нарынская областьI +osh +osh regionошош областыошская область_ +talas talas region +таласталас областы!таласская область +ysykkölissykkul region)иссыккульская областьысык көл областыысык көл облусуысыккөл областы \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/KH b/user/user_data/AutofillStates/2025.6.13.84507/KH new file mode 100644 index 0000000..5278d43 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/KH @@ -0,0 +1,36 @@ + +KH +banteay meancheybanteay meanchey province6ខេត្ត​បន្ទាយមានជ័យ$បន្ទាយមានជ័យf +krachehkratiekratiékratié provinceក្រចេះ$ខេត្ត​ក្រចេះw + mondol kiri +mondulkirimondulkiri province*ខេត្តមណ្ឌលគិរីមណ្ឌលគិរី + +phnom penh'ក្រុង​ភ្នំពេញ-ទីក្រុង​ភ្នំពេញភ្នំពេញ*រាជធានីភ្នំពេញq + preah vihearpreah vihear province-ខេត្ត​ព្រះវិហារព្រះវិហារ_ + prey vengprey veng province'ខេត្ត​ព្រៃវែងព្រៃវែងp + pouthisatpursatpursat province-ខេត្ត​ពោធិ៍សាត់ពោធិ៍សាត់ + +ratanakiriratanakiri province +rotanakiri%ខេត្ត រតនគិរី$ខេត្តរតនគិរីរតនគិរី + siem reab siem reapsiem reap province!ខេត្តសៀមរាប$ខេត្ត​សៀមរាបសៀមរាប + +kampongsomkrong preah sihanoukpreah sihanouk sihanoukvillesihanoukville province*ខេត្តព្រះសីហនុ*ខេត្ត​កំពង់សោម +steung treng province stoeng treng stueng traeng stung treng0ខេត្ត​ស្ទឹងត្រែងស្ទឹងត្រែង + bat dambang +batdambang +battambangbattambang province*ខេត្ត​បាត់ដំបងបាត់ដំបងg + +svay riengsvay rieng province*ខេត្ត​ស្វាយរៀងស្វាយរៀងQ +takeotakéotakéo provinceខេត្តតាកែវតាកែវ +oddar meancheayoddar meanchey provinceotdar meancheyoudar meancheyoudor meanchey0ខេត្តឧត្ដរមានជ័យ3ខេត្ត​ឧត្ដរមានជ័យ!ឧត្ដរមានជ័យl +kep kep province +krong kaeb krong kep កែបក្រុងកែបខេត្ត​កែប + krong pailinpailinpailin province$ក្រុង​ប៉ៃលិន"ខេត្ត ប៉ៃលិន$ខេត្ត​ប៉ៃលិនប៉ៃលិនr + tbong khmumtbong khmum province-ខេត្តត្បូងឃ្មុំត្បូងឃ្មុំh + kampong chamkampong cham provinceកំពង់ចាម'ខេត្តកំពង់ចាម +kampong chhnangkampong chhnang province!កំពង់ឆ្នាំង3ខេត្ត​កំពង់ឆ្នាំង +kampong speu province kampong speuekampong speu​កំពង់ស្ពឺ*ខេត្តកំពង់ស្ពឺs + kampong thomkampong thom province kampong thumកំពង់ធំ'ខេត្ត​កំពង់ធំD +kampotkampot province កំពតខេត្តកំពតP +kandalkandal provinceកណ្ដាល!ខេត្តកណ្ដាលo + kaoh kong kaôh kŏngkoh kongkoh kong provinceកោះកុង$ខេត្ត​កោះកុង \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/KI b/user/user_data/AutofillStates/2025.6.13.84507/KI new file mode 100644 index 0000000..8c80bb9 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/KI @@ -0,0 +1,5 @@ + +KI +gilbert islands + line islands +phoenix islands \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/KM b/user/user_data/AutofillStates/2025.6.13.84507/KM new file mode 100644 index 0000000..f482517 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/KM @@ -0,0 +1,5 @@ + +KM + أنجوانanjouannzwani2 +القمر الكبرى grande comorengazidja + موهيليmohélimwali \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/KN b/user/user_data/AutofillStates/2025.6.13.84507/KN new file mode 100644 index 0000000..19e7982 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/KN @@ -0,0 +1,16 @@ + +KN? +christ church nichola town!christ church nichola town parish7 +saint anne sandy pointsaint anne sandy point parish9 +saint george basseterresaint george basseterre parishP +saint george gingerlandsaint george gingerland parishsaint george's parishG +saint james parishsaint james windwardsaint james windward parishL +saint john capesterresaint john capisterresaint john capisterre parishD +saint john figtreesaint john figtree parishsaint john's parish+ +saint mary cayonsaint mary cayon parishL +saint paul capesterresaint paul capisterresaint paul capisterre parishL +saint paul charlestownsaint paul charlestown parishsaint paul's parish7 +saint peter basseterresaint peter basseterre parish3 +saint thomas lowlandsaint thomas lowland parish? +saint thomas middle island!saint thomas middle island parish7 +trinity palmetto pointtrinity palmetto point parish \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/KP b/user/user_data/AutofillStates/2025.6.13.84507/KP new file mode 100644 index 0000000..44650ae --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/KP @@ -0,0 +1,14 @@ + +KP + 남포시namphoF +평양 직할시平壌平壤평양 pyongyang평양직할시, + 평안 남도 south pyongan 평안남도, + 평안 북도 north pyongan 평안북도 + 자강도chagang + 황해남도south hwanghae + 황해북도north hwanghae + 강원도kangwon- + 함경 남도south hamgyong 함경남도- + 함경 북도north hamgyong 함경북도! + 량강도 ryanggang 양강도* +라선 특별시rason라선특별시 \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/KR b/user/user_data/AutofillStates/2025.6.13.84507/KR new file mode 100644 index 0000000..cc4316c --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/KR @@ -0,0 +1,20 @@ + +KR +인천광역시incheon! +세종특별자치시sejongsi+ +서울seoul 서울시서울특별시+ +부산busan부산광역시 부산시+ +대구daegu대구광역시 대구시- +광주gwangju광주광역시 광주시- +대전daejeon대전광역시 대전시+ +울산ulsan울산광역시 울산시 +경기 +gyeonggido 경기도5 +강원 gangwondo 강원도강원특별자치도( +충북chungcheongbukdo 충청북도( +충남chungcheongnamdo 충청남도< + 전라북도 jeonbuk state전북전북특별자치도# +전남 jeollanamdo 전라남도' +경북gyeongsangbukdo 경상북도' +경남gyeongsangnamdo 경상남도2 +제주jejudo 제주도제주특별자치도 \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/KW b/user/user_data/AutofillStates/2025.6.13.84507/KW new file mode 100644 index 0000000..6fd2f72 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/KW @@ -0,0 +1,8 @@ + +KWD +الأحمديal ahmadi governorateمحافظة الأحمديP +الفروانيةal farwaniyah governorateمحافظة الفروانية +حوليhawalli governorateC +الجهراءal jahra governorateمحافظة الجهراءB +العاصمةal asimah governateمحافظة العاصمة] +مبارك الكبيرmubarak alkabeer governorate$محافظة مبارك الكبير \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/KY b/user/user_data/AutofillStates/2025.6.13.84507/KY new file mode 100644 index 0000000..4e6f7b6 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/KY @@ -0,0 +1,11 @@ + +KY + bodden town +sister islands + +east end + +north side + +west bay + george town \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/KZ b/user/user_data/AutofillStates/2025.6.13.84507/KZ new file mode 100644 index 0000000..2fcd1c6 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/KZ @@ -0,0 +1,23 @@ + +KZO +жетісу облысы jetisu region#жетысуская областьQ +область ұлытау ulytau region#улытауская область + алматыalmaty +astana + +shymkentE +абай облысы abai regionабайская область_ +ақмола облысы akmola region акмола%акмолинская областьQ +ақтөбе облысы aktobe region%актюбинская областьQ +алматы облысы almaty region%алматинская областьO +атырау облысы atyrau region#атырауская область` +қарағанды облысыkaraganda region+карагандинская областьk +қостанай облысыkostanay region'костанайская областькустанай +қызылорда облысыkyzylorda region)кзылординская областькызылорда+кызылординская область +маңғыстауmangystau region)мангистауская областьмангыстаумаңғыстау облысыY +павлодар облысыpavlodar region'павлодарская область +2солтүстік қазақстан облысыnorth kazakhstan region#северный казахстан5североказахстанская область +шығыс қазақстанвкоeast kazakhstan region9восточноказахстанская область%восточный казахстан*шығыс қазақстан облысы +#оңтүстік қазақстанturkistan region)туркестанская область$түркістан oблысының1южноказахстанская область +*батыс қазақстан облысыwest kazakhstan region7западноказахстанская область#западный казахстан] + жамбыл jambyl regionжамбыл облысы#жамбылская область \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/LA b/user/user_data/AutofillStates/2025.6.13.84507/LA new file mode 100644 index 0000000..5ce3f0b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/LA @@ -0,0 +1,21 @@ + +LAb + xaisômbounxaisomboun province$ແຂວງໄຊສົມບູນໄຊສົມບູນx +attapuattapeu provinceອັດຕະປື"ແຂວງ ອັດຕະປື!ແຂວງອັດຕະປືR +bokèobokeo provinceບໍ່ແກ້ວ!ແຂວງບໍ່ແກ້ວ + bolikhamxaibolikhamsai provinceບໍລິຄຳໄຊບໍລິຄໍາໄຊ'ແຂວງບໍລິຄໍາໄຊ\ + champasakchampasak provinceຈຳປາສັກ$ແຂວງຈໍາປາສັກR +houaphanhouaphanh provinceຫົວພັນແຂວງຫົວພັນT + khammouankhammouane provinceຄຳມ່ວນແຂວງຄຳມ່ວນ + louang namthaluang namtha provinceຫລວງນໍ້າທາຫຼວງນ້ຳທາ*ແຂວງຫຼວງນໍ້າທາ!ແຂວງອັດຕະປືm + louangphabangluang prabang provinceຫຼວງພະບາງ'ແຂວງຫຼວງພະບາງX + oudômxaioudomxay provinceອຸດົມໄຊ!ແຂວງອຸດົມໄຊ` + +phôngsaliphongsaly provinceຜົ້ງສາລີ$ແຂວງຜົ້ງສາລີU +salavansalavan provinceສາລະວັນ!ແຂວງສາລະວັນv + savannakhétsavannakhet province!ສະຫວັນນະເຂດ-ແຂວງສະຫວັນນະເຂດS + viangchanvientiane provinceວຽງຈັນແຂວງວຽງຈັນs + viangchan!เวียงจันทน์vientiane prefecture-ນະຄອນຫຼວງວຽງຈັນb + xaignaboulisainyabuli province$ແຂວງໄຊຍະບູລີໄຊຍະບູລີH +xékongsekong provinceເຊກອງແຂວງເຊກອງ_ + xiangkhouangxiangkhouang provinceຊຽງຂວາງ!ແຂວງຊຽງຂວາງ \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/LB b/user/user_data/AutofillStates/2025.6.13.84507/LB new file mode 100644 index 0000000..7a73e44 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/LB @@ -0,0 +1,11 @@ + +LB* +محافظة عكارakkar governorate< + الشمالnorth governorateمحافظة الشمال9 + +بيروتbeirut governorateمحافظة بيروتA +$محافظة بعلبك الهرملbaalbekhermel governorate +الهرمل‎beqaa governorateبعلبك الهرمل‎محافظة البقاعمحافظة الهرمل‎(محافظة بعلبك الهرمل‎< + الجنوبsouth governorateمحافظة الجنوبN +جبل لبنانmount lebanon governorateمحافظة جبل لبنانd +النبطيةnabatiyeh governorateمحافظة النبطيةمحافظة النبطية‎ \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/LC b/user/user_data/AutofillStates/2025.6.13.84507/LC new file mode 100644 index 0000000..dc7f972 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/LC @@ -0,0 +1,17 @@ + +LC$ + anse la rayeanse la raye quarter +castriescastries quarter + +choiseul +dauphin +dennery + +gros isletgros islet quarter +laborielaborie quarter +micoudmicoud quarter +praslinpraslin quarter + soufriere +soufrière + +vieux fortvieux fort quarter \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/LI b/user/user_data/AutofillStates/2025.6.13.84507/LI new file mode 100644 index 0000000..aac5570 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/LI @@ -0,0 +1,13 @@ + +LI +balzers +eschen +gamprin +mauren +planken +ruggell +schaan + schellenberg +triesen + triesenberg +vaduz \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/LK b/user/user_data/AutofillStates/2025.6.13.84507/LK new file mode 100644 index 0000000..1e57c1f --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/LK @@ -0,0 +1,13 @@ + +LK +western provincewp"மேல் மாகாணம்%බස්නාහිර පළාතDබස්නාහිර පළාත, ශ් රී ලංකාව +centralcpcentral provincemadhyamamadhyama palata(மத்திய மாகாணம்මධ්‍යම පළාත@මධ්‍යම පළාත, ශ්‍රී ලංකාවz +dakunusp dakunu palatasouthernsouthern province"தென் மாகாணம்දකුණු පළාතr +northernnpnorthern provinceuturu uturu palataவட மாகாணம்උතුරු පළාත +easternepeastern province +negenahiranegenahira palata+கிழக்கு மாகாணம்%නැගෙනහිර පළාතDනැගෙනහිර පළාත, ශ් රී ලංකාව + north westernnwnorth western province)வட மேல் மாகாணம்වයඹ පළාත7වයඹ පළාත, ශ්‍රී ලංකාව + north centralncnorth central province uturumedauturumeda palata/வட மத்திய மாகாணம்&උතුරු මැද පළාත +province of uvaupuva +uva palata uva provinceஊவா மாகாணம்ඌව පලාතඌව පළාතl +sabaragamuwa provincesg+சபரகமுவ மாகாணம்"සබරගමුව පළාත \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/LR b/user/user_data/AutofillStates/2025.6.13.84507/LR new file mode 100644 index 0000000..7ecf33d --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/LR @@ -0,0 +1,18 @@ + +LR +bong bong county +bomi bomi county+ +grand cape mountgrand cape mount county! + grand bassagrand bassa county! + grand gedehgrand gedeh county + grand krugrand kru county +gbarpolugbarpolu county +lofa lofa county +margibimargibi county! + montserradomontserrado county +marylandmaryland county +nimba nimba county + river geeriver gee county) + +river cess rivercessrivercess county +sinoe sinoe county \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/LS b/user/user_data/AutofillStates/2025.6.13.84507/LS new file mode 100644 index 0000000..5f370a5 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/LS @@ -0,0 +1,15 @@ + +LS +maserumaseru district! + +buthabuthebuthabuthe district +leribeleribe district +bereaberea district +mafetengmafeteng district' + mohale's hoekmohale's hoek district +quthingquthing district# + qacha's nekqacha's nek district! + +mokhotlongmokhotlong district! + +thabatsekathabatseka district \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/LT b/user/user_data/AutofillStates/2025.6.13.84507/LT new file mode 100644 index 0000000..336a37a --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/LT @@ -0,0 +1,12 @@ + +LT" +alytaus apskritis alytus county( +klaipėdos apskritisklaipėda county +kauno apskritis kaunas county. +marijampolės apskritismarijampolė county+ +panevėžio apskritispanevėžys county' +šiaulių apskritisšiauliai county& +tauragės apskritistauragė county% +telšių apskritistelšiai county +utenos apskritis utena county$ +vilniaus apskritisvilnius county \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/LU b/user/user_data/AutofillStates/2025.6.13.84507/LU new file mode 100644 index 0000000..fcf02ee --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/LU @@ -0,0 +1,16 @@ + +LU@ +kanton capellencanton de capellencapellenkanton kapellenS +kanton esch an der alzettecanton d'eschsuralzetteeschsuralzette eschuelzecht$ + luxemburg +luxembourg lëtzebuerg +merschmierschH +kanton echternachcanton d'echternach +echternachkanton iechternach3 +kanton grevenmacher grevenmachergréiwemaacher3 + kanton remichcanton de remichremichréimech; + kanton clerfcanton de clervauxclervaux kanton klierf +diekirchdikrech= +kanton redingencanton de redangekanton réidenredange +wiltz kanton wolz5 +kanton viandencanton de viandenveianenvianden \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/LV b/user/user_data/AutofillStates/2025.6.13.84507/LV new file mode 100644 index 0000000..cad25d2 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/LV @@ -0,0 +1,46 @@ + +LV4 +dienvidkurzemes novadssouth kurzeme municipality1 +augšdaugavas novadsaugšdaugava municipality- +aizkraukles novadsaizkraukle municipality) +alūksnes novadsalūksne municipality& +ādažu novadsādaži municipality" + balvu novadsbalvi municipality% +bauskas novadsbauska municipality# + cēsu novadscēsis municipality% +dobeles novadsdobele municipality' +gulbenes novadsgulbene municipality' +jelgavas novadsjelgava municipality, +jēkabpils novadsjēkabpils municipality+ +krāslavas novadskrāslava municipality) +kuldīgas novadskuldīga municipality' +ķekavas novadsķekava municipality( +limbažu novadslimbaži municipality( +līvānu novadslīvāni municipality# + ludzas novadsludza municipality% +madonas novadsmadona municipality' +mārupes novadsmārupe municipality! + ogres novadsogre municipality% +olaines novadsolaine municipality& +preiļu novadspreiļi municipality9 +pušas pagastirēzekne municipalityrēzeknes novads& +ropažu novadsropaži municipality* +salaspils novadssalaspils municipality$ + saldus novadssaldus municipality, +saulkrastu novadssaulkrasti municipality' +siguldas novadssigulda municipality) +smiltenes novadssmiltene municipality" + talsu novadstalsi municipality$ + tukuma novadstukums municipality# + valkas novadsvalka municipality. +varakļānu novadsvarakļāni municipality* +ventspils novadsventspils municipality! +daugavpils pilsēta +daugavpils. +jelgava pilsētajelgavajelgavas pilsēta1 +jūrmala pilsētajūrmalajūrmalas pilsēta9 +city of liepājaliepāja pilsētaliepājas pilsētaC +rēzekne pilsētarēzeknerēzeknes novadsrēzeknes pilsēta' +rīga pilsētarigarīgas pilsēta +ventspils pilsēta ventspils= +valmieras novadsvalmiera municipalityvalmieras pilsēta \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/LY b/user/user_data/AutofillStates/2025.6.13.84507/LY new file mode 100644 index 0000000..d3553a0 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/LY @@ -0,0 +1,26 @@ + +LY: + بنغازيbenghazi districtشعبية بنغازي? +البطنان‎butnan districtشعبية البطنان/ +درنةderna districtشعبية درنة* +شعبية غات ghat districtغاتp +الجبل الأخضرjabal al akhdar districtالجبل الاخضر"شعبية الجبل الأخضرW +الجبل الغربيjabal al gharbi district"شعبية الجبل الغربي< +الجفارةjafara districtشعبية الجفارة7 + الجفرةjufra districtشعبية الجفرةE + الجفرةkufra district الكفرةشعبية الكفرة8 + المرقبmurqub districtشعبية المرقب9 +شعبية مصراتةmisrata district مصراتة2 + +المرج marj districtشعبية المرج0 +شعبية مرزقmurzuq districtمرزق3 +شعبية نالوتnalut district +نالوتV +النقاط الخمسnuqat al khams district"شعبية النقاط الخمس/ +سبهاsabha districtشعبية سبها5 +سرتsirte districtسُرتشعبية سرت9 +شعبية طرابلسtripoli district طرابلس> +الواحاتal wahat districtشعبية الواحاتQ + شعبية وادي الحياةwadi al hayaa districtوادي الحياة` + الشاطئwadi al shatii district شعبية وادي الشاطئوادي الشاطئ< +الزاويةzawiya districtشعبية الزاوية \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MA b/user/user_data/AutofillStates/2025.6.13.84507/MA new file mode 100644 index 0000000..5a1b93b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MA @@ -0,0 +1,16 @@ + +MA +)جهة طنجة تطوان الحسيمةtangertétouanal hoceimatangertétouanal hoceïmatangiertétouanal hoceima$طنجة تطوان الحسيمةD +الجهة الشرقيةoriental +الشرقجهة الشرقG +جهة فاس مكناس +fezmeknès fèsmeknèsفاس مكناس +&الرباط سلا القنيطرةrabatsalékénitra%الرباط سلا القنيطرة+جهة الرباط سلا القنيطرةq +بني ملال خنيفرةbéni mellalkhenifrabéni mellalkhénifra#جهة بني ملال خنيفرة +#الدار البيضاء سطاتcasablancasettatgrand casablancasettat0الدار البيضاء الكبرى سطات)جهة الدار البيضاء سطاتP +جهة مراكش آسفي marrakechsafi marrakeshsafiمراكش آسفيN + جهة درعة تافيلالتdrâatafilaletدرعة تافيلالتC +جهة سوس ماسة souss massa +soussmassaسوس ماسةN +جهة كلميم واد نونguelmimoued nounكلميم واد نونL +1جهة العيون الساقية الحمراءlaâyounesakia el hamra \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MD b/user/user_data/AutofillStates/2025.6.13.84507/MD new file mode 100644 index 0000000..f08c70f --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MD @@ -0,0 +1,46 @@ + +MD5 + +anenii noianenii noi districtraionul anenii noi +bălțibalti +județul tighinabender# +raionul bricenibriceni district? + basarabeascabsbasarabeasca districtraionul basarabeasca + raionul cahulcahul district8 + călărașicălărași districtraionul călărași2 + cimișliacimișlia districtraionul cimișlia% +raionul criulenicriuleni district2 + căuşenicăușeni districtraionul căușeni% +raionul cantemircantemir district + +chișinăuchisinau5 + +dondușenidondușeni districtraionul dondușeni# +raionul drochiadrochia district2 + dubăsaridubăsari districtraionul dubăsari, +edinețedineţ districtraionul edineț2 + făleștifălești districtraionul fălești2 + floreştiflorești districtraionul florești + +găgăuziagagauzia, +glodeniglodeni districtraionul glodeni5 + +hînceștihîncești districtraionul hîncești% +raionul ialoveniialoveni district + raionul leovaleova district' +raionul nisporeninisporeni district, +ocnițaocnița districtraionul ocnița& +orheiorhei district raionul orhei) +raionul rezinarezinarezina district2 +raionul rîșcani rîșcanirîșcani district> +raionul șoldănești şoldăneştișoldănești district2 +raionul sîngerei sîngereisîngerei district +stînga nistrului@administrativeterritorial units of the left bank of the dniester transnistria:unitățile administrativteritoriale din stînga nistrului) +raionul sorocasorocasoroca district5 +raionul strășeni +strășenistrășeni district> +raionul ștefan vodă ştefan vodăștefan vodă district% +raionul taracliataraclia district9 +raionul teleneștitl +teleneștitelenești district# +raionul ungheniungheni district \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/ME b/user/user_data/AutofillStates/2025.6.13.84507/ME new file mode 100644 index 0000000..da72c41 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/ME @@ -0,0 +1,30 @@ + +MEI +општина петњицаopština petnjicapetnjica municipalityC +општина тузиgradska opština tuzituzi municipalityE +општина гусињеgusinje municipalityopština gusinjeU +андријевица andrijevicaandrijevica municipalityopština andrijevica- +барbarbar municipality opština barJ + беранеbaberaneberane municipalityivangradopština berane[ +бијело пољеbp bijelo poljebijelo polje municipalityopština bijelo polje7 + +будваbudvabudva municipalityopština budvaC + цетињеcetinjecetinje municipalityprijestonica cetinjeU +даниловград danilovgraddanilovgrad municipalityopština danilovgradT +херцег нови herceg noviherceg novi municipalityopština herceg noviD +колашинkolašinkolašin municipalityopština kolašinR + +которkotorkotor municipalityopština kotorопштина которF +мојковацmojkovacmojkovac municipalityopština mojkovacB + никшићnikšićnikšić municipalityopština nikšićO +општина плавpl opština plavplavplav municipalityплавB + пљевљаopština pljevljapljevljapljevlja municipalityD +плужинеopština plužineplužineplužine municipalityN +подгорицаglavni grad podgorica podgoricapodgorica municipality? + рожајеopština rožajerožajerožaje municipality? + шавникopština šavnikšavnikšavnik municipality7 + +тиватopština tivattivattivat municipality: + +улцињopština ulcinjulcinjulcinj municipalityG +општина жабљакopština žabljakžabljak municipality \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MG b/user/user_data/AutofillStates/2025.6.13.84507/MG new file mode 100644 index 0000000..c06d196 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MG @@ -0,0 +1,27 @@ + +MG# +haute matsiatramatsiatra ambony +anosy anosy region +amoron i maniaamoron'i mania) +vatovavy fitovinanyvatovavyfitovinany + bongolava +boeny% +atsimo atsinananaatsimoatsinanana +vakinankaratra$ +diana diana region région diana + +atsinanana +menabe +sava + +analamanga +sofia +melaky$ +itasy faritra itasy itasy region + +ihorombe# +atsimo andrefanaatsimoandrefana + analanjirofo + betsiboka9 +alaotra mangoroalaotramangorofaritra alaotramangoro +androy \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MH b/user/user_data/AutofillStates/2025.6.13.84507/MH new file mode 100644 index 0000000..00dfb11 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MH @@ -0,0 +1,31 @@ + +MH + ailuk atoll +ailinglaplap atoll + +arno atoll + aur atoll +ebon +enewetak atoll + jabat island jabwot atoll + jaluit atoll + kili island +kwajalein atoll + lae atoll + +lib island + likiep atoll + majuro atoll +maloelap atoll + mejit island + +mili atoll + namorik atoll + +namu atoll +rongelap atoll + +ujae atoll + utirik atoll + wotho atoll + wotje atoll \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MK b/user/user_data/AutofillStates/2025.6.13.84507/MK new file mode 100644 index 0000000..820a9fe --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MK @@ -0,0 +1,82 @@ + +MK_ + aracinovokomuna e haraçinësmunicipality of aracinovo!општина арачиновоP +berovokomuna e berovësmunicipality of berovoопштина беровоR +bitolakomuna e manastiritmunicipality of bitolaопштина битолаl +bogdancikomuna e bogdancësmunicipality of bogdanciбогданциопштина богданци\ + bogovinjekomuna e bogovinësmunicipality of bogovinjeопштина боговињеl +bosilovokomuna e bosilovësmunicipality of bosilovoбосиловоопштина босилово\ +brvenicakomuna e bërvenicësmunicipality of brvenicaопштина брвеницаt + valandovokomuna e vallandovësmunicipality of valandovoваландово!општина валандовоZ +vasilevokomuna e vasilevësmunicipality of vasilevoопштина василевоb +vevcanikomuna e veçanitvevčani municipalityвевчаниопштина вевчаниe +veleskomuna e velesit komuna velesmunicipality of veles +велесопштина велесP +vinicakomuna e vinicësmunicipality of vinicaопштина виницаw + +vrapcištekomuna e vrapçishtitmunicipality of vrapčišteврапчиште!општина врапчиштеr + gevgelijakomuna e gjevgjelisëmunicipality of gevgelijaгевгелиjа општина гевгелиjаl +gostivarkomuna e gostivaritmunicipality of gostivarгостиваропштина гостиварT +gradskokomuna e grackësmunicipality of gradskoопштина градскоi +debarkomnua e dibrëskomuna e dibrësmunicipality of debar +дебаропштина дебарe +debarcakomuna e debarcësmunicipality of debarcaдебарцаопштина дебарцаg +delcevokomuna e dellçevësmunicipality of delcevoделчевоопштина делчевоk + demir kapijakomuna e demir kapisëmunicipality of demir kapija%општина демир капиjаh + demir hisarkomuna e demir hisaritmunicipality of demir hisar$општина демир хисар] +dojrankomuna e dojranitmunicipality of dojran дојранопштина доjранL +општина долнениkomuna e dollnenitmunicipality of dolnenia +želinokomuna e zhelinësmunicipality of želino желиноопштина желиноz + +zelenikovokomuna e zelenikovësmunicipality of zelenikovoзелениково#општина зелениковоe +zrnovcikomuna e zërnocitmunicipality of zrnovciзрновциопштина зрновциf +ilindenkomuna e belimbegutmunicipality of ilindenилинденопштина илинденo + jegunovcejегуновцеkomuna e jegunocitmunicipality of jegunovce општина jегуновце] + kavadarcikomuna e kavadaritmunicipality of kavadarci!општина кавадарциZ +karbincikomuna e karbincësmunicipality of karbinciопштина карбинциQ +kichevokičevo municipalitykomuna e kerçovësопштина кичевоM +koncekomuna e konçësmunicipality of koncheопштина кончеe +kocanikomuna e koçanitkočanikočani municipality кочаниопштина кочаниU +kratovokomuna e kratovësmunicipality of kratovoопштина кратовоs + kriva palankakomuna e kriva pallankësmunicipality of kriva palanka(општина крива паланкаp + krivogaštanikomuna e krivogashtanitmunicipality of krivogaštani'општина кривогаштаниX +kruševokomuna e krushevësmunicipality of kruševoопштина крушевоl +kumanovokomuna e kumanovësmunicipality of kumanovoкумановоопштина кумановоd +lipkovokomuna e likovësmunicipality of lipkovoлипковоопштина липковоN +lozovokomuna e llozovëslozovo municipalityопштина лозово +mavrovoirostuša#komuna e mavrovës dhe radostushës$municipality of mavrovo and rostuša/општина маврово и ростуша +makedonska kamenicakomuna e kamenicës#municipality of makedonska kamenicaкаменица%македонска каменица4општина македонска каменицаq +makedonski brodkomuna e broditmunicipality of makedonski brod,општина македонски бродG +mogilakomuna e mogillës могилаопштина могила +negotinokomuna e negotinitkomuna e negotinësmunicipality of negotinoнеготиноопштина неготиноO +novacikomuna e novacitmunicipality of novaciопштина новациq + novo selokomuna e novosellësmunicipality of novo seloново село општина ново селоU +општина охридkomuna e ohritmunicipality of ohridohër +охридZ +petroveckomuna e petrovecitmunicipality of petrovecопштина петровецf +pehcevokomuna e peçevësmunicipality of pehčevoопштина пехчевопехчевоi +plasnicakomuna e plasnicësplasnica municipalityопштина пласницапласница[ +prilepkomuna e prilepitprilep municipalityопштина прилеп прилепs + +probištipkomuna e probishtipitprobištip municipality!општина пробиштиппробиштипi +radoviškomuna e radovishtitmunicipality of radovišопштина радовишрадовишX +rankovcekomuna e rankocitmunicipality of rankovceопштина ранковцеX +resenkomuna e resnjësmunicipality of resenопштина ресен +ресенU +rosomankomuna e rosomanitmunicipality of rosomanопштина росоман + sveti nikolekomuna e sveti nikollësmunicipality of sveti nikole&општина свети николесвети николеh +sopištekomuna e sopishtësmunicipality of sopišteопштина сопиштесопиште +staro nagoricanekomuna e nagoriçit të vjetër!municipality of staro nagorichane.општина старо нагоричанестаро нагоричанеP +strugakomuna e strugësmunicipality of strugaопштина стругаx +strumicakomuna e strumicësmunicipality of strumitsa strumicëопштина струмицаструмица +%општина студеничаниkomuna e studeniçanitmunicipality of studeničani +studeniqan studeniçaniстуденичаниf +tearcekomuna e tearcësmunicipality of tearcetearcaопштина теарце теарцеo +tetovokomuna e tetovësmunicipality of tetovotetovatetovëопштина тетово тетово + centar župakomuna e qendrës zhupamunicipality of centar župa$општина центар жупацентар жупа\ +caškakomuna e çashkësmunicipality of čaškaопштина чашка +чашка +cešinovoobleševokomuna e çeshinovoobleshevës#municipality of češinovoobleševo/општина чешиновооблешево чешиновооблешево + cucersandevokomuna e çuçersandevësmunicipality of čučersandevo(општина чучер сандево'општина чучерсандевоS +štipkomuna e shtipitmunicipality of štipопштина штипштипx +град скопjеskскgreater skopjeqyteti i shkupitrajoni i shkupitград скопје скопjе \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/ML b/user/user_data/AutofillStates/2025.6.13.84507/ML new file mode 100644 index 0000000..9558898 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/ML @@ -0,0 +1,14 @@ + +ML, +menakaménaka regionrégion de ménaka' +kayes kayes regionrégion de kayes3 + koulikorokoulikoro regionrégion de koulikoro- +région de sikassosikassosikasso region1 +région de ségousegouségou ségou region' +mopti mopti regionrégion de mopti6 +région de tombouctou +tombouctoutombouctou region! +gao +gao regionrégion de gao' +kidal kidal regionrégion de kidal5 +bamakobamako capital districtdistrict de bamako \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MM b/user/user_data/AutofillStates/2025.6.13.84507/MM new file mode 100644 index 0000000..4f26f23 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MM @@ -0,0 +1,19 @@ + +MM +-စစ်ကိုင်းတိုင်းsagaing regionBစစ်ကိုင်းတိုင်းဒေသကြီးh +!ပဲခူးတိုင်း bago region6ပဲခူးတိုင်းဒေသကြီးG +6မကွေးတိုင်းဒေသကြီး magway regionO +<မန္တလေးတိုင်းဒေသကြီးmandalay regionX +Bတနင်္သာရီတိုင်းဒေသကြီးtanintharyi regionv +'ရန်ကုန်တိုင်း yangon region<ရန်ကုန်တိုင်းဒေသကြီး +ဧရာဝတီ +ayeyarwady:ဧရာဝတီ တိုင်းဒေသကြီး9ဧရာဝတီတိုင်းဒေသကြီး. +$ကချင်ပြည်နယ်kachin0 +!ကယားပြည်နယ် kayah state0 +!ကရင်ပြည်နယ် kayin state2 +$ချင်းပြည်နယ် +chin state. +!မွန်ပြည်နယ် mon state2 +'ရခိုင်ပြည်နယ်rakhine, +$ရှမ်းပြည်နယ်shano +Rနေပြည်တော် ပြည်တောင်စုနယ်မြေnaypyidaw union territory \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MN b/user/user_data/AutofillStates/2025.6.13.84507/MN new file mode 100644 index 0000000..306662a --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MN @@ -0,0 +1,27 @@ + +MN+ + +орхонorkhonорхон аймаг +дархануул +darkhanuul + хэнтийkhentii5 +хөвсгөлkhovsgolхөвсгөл аймаг& +ховдkhovdховд аймаг +увсuvsувс аймаг! +төвtövтөв аймаг +сэлэнгэselenge@ +сүхбаатар sükhbaatarсүхбаатар аймаг; +өмнөговь +ömnögoviөмнөговь аймаг# +өвөрхангай ovorkhangai + завханzavkhanM +дорноговьdundgoviдундговьдундговь аймаг + дорнодdornod +дорноговь dornogovi# +говьсүмбэр govisümber +говьалтай govialtai/ + булганbulganбулган аймагE +баянхонгор bayankhongorбаянхонгор аймаг! +баянөлгий bayanölgii +архангай arkhangai% +улаанбаатар ulaanbaatar \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MP b/user/user_data/AutofillStates/2025.6.13.84507/MP new file mode 100644 index 0000000..a5f1d87 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MP @@ -0,0 +1,6 @@ + +MP1 +northern islandsnorthern islands municipality +tinian +saipan +rota rota island \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MQ b/user/user_data/AutofillStates/2025.6.13.84507/MQ new file mode 100644 index 0000000..918d4d0 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MQ @@ -0,0 +1,6 @@ + +MQ" +arrondissement 9722 la trinité +arrondissement 9723le marin" +arrondissement 9724 saintpierre# +arrondissement 9721 fortdefrance \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MR b/user/user_data/AutofillStates/2025.6.13.84507/MR new file mode 100644 index 0000000..1b77d0b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MR @@ -0,0 +1,21 @@ + +MR +"ولاية الحوض الشرقي hodh charguihodh ech charguihodh el chargi%ولاية الحوض الشرقي‎"ولاية الحوض الغربيM +الحوض الغربيhodh el gharbi"ولاية الحوض الغربي/ + +عصابةassabaولاية العصابة? +جُرجُولgorgol كوركولولاية كوركول3 + براكْنbraknaولاية البراكنةZ +الترارزةrégion du trarzatrarzaترارْزاولاية الترارزة* + +أدرارadrarولاية أدرارe +داخلة نواذيبوdakhlet nouadhiboudakhlet nouâdhibouدَخْلِة نواذيبيو- + تاجانتtagantولاية تكانت[ +جواديماكا +guidimagha +guidimakhaغيديماغاولاية غيديماغا\ +تيرس زمور tiris zemmour tiris zemour tiriszemmourولاية تيرس زمورB + إنشيريinchiriإينشيريولاية إينشيريB +نواكشوط الغربيةnouakchott ouestnouakchottouestT +نواكشوط الشماليةnorth nouakchottnouakchott nordnouakchottnordR +نواكشوط الجنوبيةnouakchott sud nouakchottsudsouth nouakchott \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MS b/user/user_data/AutofillStates/2025.6.13.84507/MS new file mode 100644 index 0000000..00c1ca6 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MS @@ -0,0 +1,5 @@ + +MS8 +parish of saint peter saint petersaint peter parish> +parish of saint anthony saint anthonysaint anthony parish +parish of saint georgeparish of saint george'sparish of saint georges saint georgesaint george parishsaint george'ssaint george's parish saint georgessaint georges parish \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MU b/user/user_data/AutofillStates/2025.6.13.84507/MU new file mode 100644 index 0000000..5004d26 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MU @@ -0,0 +1,17 @@ + +MU. +agalega islandsagalégaagaléga district6 + black riverrivière noirerivière noire district) + saint brandon saintbrandon +st brandon +flacqflacq district! + +grand portgrand port district +moka moka district' + pamplemoussespamplemousses district! + +port louisport louis district+ +plaines wilhemsplaines wilhems district + rodriguesrodrigues district3 +rivière du rempartrivière du rempart district +savannesavanne district \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MV b/user/user_data/AutofillStates/2025.6.13.84507/MV new file mode 100644 index 0000000..979913d --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MV @@ -0,0 +1,26 @@ + +MV +felidheatholhu vaavu atoll, +miladhunmadulu uthuruburishaviyani atoll + meemu atoll mulakatholhu+ + dhaalu atollnilandheatholhu dhekunuburi- +gaafu alif atollhuvadhuatholhu uthuruburi +thiladhunmathee uthuruburi) +miladhunmadulu dhekunuburi noonu atoll* +alif dhaal atollariatholhu dhekunuburi + +fuvammulahgnaviyani city0 +gaafu dhaalu atollhuvadhuatholhu dhekunuburi + faadhippolhulhaviyani atoll +hahdhunmathi city laamu atoll" +addu addu cityseenu/addu city% +maalhosmadulu uthuruburi raa atoll( +alif alif atollariatholhu uthuruburi. +haa dhaalu citythiladhunmathee dhekunuburi + kaafu atoll maaleatholhu) + faafu atollnilandheatholhu uthuruburi + kolhumadulu +thaa atoll& + baa atollmaalhosmadulu dhekunuburi( + male citymalé +malé cityމާލެ \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MW b/user/user_data/AutofillStates/2025.6.13.84507/MW new file mode 100644 index 0000000..774e38a --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MW @@ -0,0 +1,5 @@ + +MW +centralcentral region +northernnorthern region +southernsouthern region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MX b/user/user_data/AutofillStates/2025.6.13.84507/MX new file mode 100644 index 0000000..dfd6c87 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MX @@ -0,0 +1,39 @@ + +MX +aguascalientesags +baja californiabc! +baja california surb c sbcs +campechecamp + chihuahuachih +chiapaschisE +ciudad de méxicocdmxdfdistrito federal mexico cityméxico& +coahuila de zaragozacoahcoahuila +colimacol2 +durangodgo"estado libre y soberano de durango# +estado de guerrerogroguerrero + +guanajuatogto! +estado de hidalgohgohidalgo +jaliscojal_ +"estado libre y soberano de méxicoedomexméxestado de méxicoméxicostate of mexico( + +michoacánmichmichoacán de ocampo +morelosmor +nayaritnay + nuevo leónnl +nuevo leon +oaxacaoax +pueblapue( + +querétaroqroquerétaro de arteaga + quintana rooq rooqr +sinaloasin( +san luis potosíslpsan luis potosi +sonorason +tabascotab + +tamaulipastamps +tlaxcalatlax0 +veracruzververacruz de ignacio de la llave +yucatányucyucatan + zacatecaszac \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MY b/user/user_data/AutofillStates/2025.6.13.84507/MY new file mode 100644 index 0000000..9b8d6a3 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MY @@ -0,0 +1,20 @@ + +MY/ +johorjohor darul ta'zimjohor darul takzim +kedah + +kelantan +melakamalacca +negeri sembilan +pahang + pulau pinangpenang* + negeri perakperakperak darul ridzuan +perlis +selangorselangor darul ehsan + +terengganu +sabah +sarawakS + kuala lumpur!federal territory of kuala lumpur wilayah persekutuan kuala lumpure +labuan labuan wplabuan federal territorylabuan wilayah persekutuanwilayah persekutuan labuan* + putrajayawilayah persekutuan putrajaya \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/MZ b/user/user_data/AutofillStates/2025.6.13.84507/MZ new file mode 100644 index 0000000..f1b43cd --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/MZ @@ -0,0 +1,13 @@ + +MZ +niassaniassa province +manicamanica province +gaza gaza province + inhambaneinhambane province, +maputomaputo provincemaputo província +cidade de maputomaputo +nampulanampula province% + cabo delgadocabo delgado province( +zambeziazambezia province zambézia +sofalasofala province +tete tete province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/NA b/user/user_data/AutofillStates/2025.6.13.84507/NA new file mode 100644 index 0000000..b391219 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/NA @@ -0,0 +1,16 @@ + +NA +kavango west region +kavango east region+ +caprivisambesizambezizambezi region +erongo erongo region +hardap hardap region9 +karas karas region ǀǀkarasǁkarasǁkaras region +khomas khomas region" + kaokolandkunene kunene region2 + otjozondjupa otjozondjoepaotjozondjupa region +omahekeomaheke region +oshana oshana regionosjana# +omusatiomoesatiomusati region% +oshikotooshikoto regionosjikoto + ohangwenaohangwena region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/NC b/user/user_data/AutofillStates/2025.6.13.84507/NC new file mode 100644 index 0000000..5831c54 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/NC @@ -0,0 +1,5 @@ + +NC7 +province des îles loyautéloyalty islands province + province sudsouth province + province nordnorth province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/NE b/user/user_data/AutofillStates/2025.6.13.84507/NE new file mode 100644 index 0000000..13ab026 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/NE @@ -0,0 +1,11 @@ + +NE +agadez agadez region +diffa diffa region +dosso dosso region +maradi maradi region +tahoua tahoua region + +tillabéritillabéri region +zinder zinder region? +communauté urbaine de niameyniameyniamey urban community \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/NG b/user/user_data/AutofillStates/2025.6.13.84507/NG new file mode 100644 index 0000000..dc98508 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/NG @@ -0,0 +1,50 @@ + +NG2 +abiaababiyaìpínlẹ̀ ábíá ȯra abia4 +adamawaadìpínlẹ̀ adámáwá ȯra adamawa: + akwa ibomakìpínlẹ̀ akwa íbọmȯra akwa ibom2 +anambraanìpínlẹ̀ anámbra ȯra anambra. +bauchibaìpínlẹ̀ bauchi ȯra bauchi1 +benuebnìpínlẹ̀ bẹ́núé +ȯra benue= +bornobr jihar bornoìpínlẹ̀ bọ̀rnó +ȯra borno4 +bayelsabyìpínlẹ̀ bàyélsà ȯra bayelsa= + cross rivercrìpínlẹ̀ cross riverȯra cross river0 +deltadtìpínlẹ̀ dẹ́ltà +ȯra delta7 +ebonyiebìpínlẹ̀ ẹ̀bọ́nyì ȯra ebonyi( +edoedìpínlẹ̀ ẹdóȯra edo. +ekitiktìpínlẹ̀ èkìtì +ȯra ekiti. +enuguenìpínlẹ̀ ẹnúgu +ȯra enuguQ +fct/agbègbè olúìlú ìjọba àpapọ̀ abùjáfederal capital territory- +gombegmìpínlẹ̀ gòmbè +ȯra gombe' +imoimìpínlẹ̀ ímòȯra imo1 +jigawajgìpínlẹ̀ jígàwà ȯra jigawa1 +kadunakdìpínlẹ̀ kàdúná ȯra kaduna- +kebbikbìpínlẹ̀ kébbí +ȯra kebbi9 +kanoknnkeji ochíchííwu kanoìpínlẹ̀ kánò) +kogikgìpínlẹ̀ kogí ȯra kogiC +katsinakt jihar katsinaìpínlẹ̀ kàtsínà ȯra katsina- +kwarakwìpínlẹ̀ kwárà +ȯra kwara+ +lagoslaìpínlẹ̀ èkó +ȯra lagos8 +nasarawansìpínlẹ̀ násáráwá ȯra nasarawa1 +nigerngnejaìpínlẹ̀ niger +ȯra niger6 +ogunog +ogun stateìpínlẹ̀ ògùn ȯra ogun* +ondondìpínlẹ̀ òndó ȯra ondo. +osunosìpínlẹ̀ ọ̀ṣun ȯra osun1 +oyoyoìpínlẹ̀ ọ̀yọ́ ȯra ọyọ1 +plateauplìpínlẹ̀ plateau ȯra plateau. +riversrvìpínlẹ̀ rivers ȯra rivers? +sokotosk jihar sokotoìpínlẹ̀ sókótó ȯra sokoto1 +tarabatrìpínlẹ̀ tàràbà ȯra taraba/ +yobeybybeìpínlẹ̀ yòbè ȯra yobe1 +zamfarazaìpínlẹ̀ zamfara ȯra zamfara \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/NI b/user/user_data/AutofillStates/2025.6.13.84507/NI new file mode 100644 index 0000000..4791ef3 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/NI @@ -0,0 +1,20 @@ + +NI +"región autónoma atlántico norteraan'north caribbean coast autonomous region*región autónoma de la costa caribe norte®ión autónoma del atlántico norte + región autónoma atlántico surraas(región autónoma de la costa caribe sur$región autónoma del atlántico sur'south caribbean coast autonomous region +boacodepartamento de boaco +carazodepartamento de carazo( + +chinandegadepartamento de chinandega& + chontalesdepartamento de chontales* +departamento de estelíesteliestelí" +departamento de granadagranada$ +departamento de jinotegajinotega$ +departamento de leónleonleón +departamento de madrizmadriz& +departamento de managuamnmanagua +departamento de masayamasaya& +departamento de matagalpa matagalpa. +departamento de nueva segovia nueva segovia +departamento de rivasrivas< +departamento de río san juan rio san juan río san juan \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/NL b/user/user_data/AutofillStates/2025.6.13.84507/NL new file mode 100644 index 0000000..b824289 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/NL @@ -0,0 +1,16 @@ + +NL +drenthedr + flevolandfl + frieslandfr + +gelderlandgeglgld + groningengr +limburgllbli! + noordbrabantnb north brabant! + noordhollandnh north holland + +overijsselov +utrechtuut +zeelandzzezl + zuidhollandzh south holland \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/NO b/user/user_data/AutofillStates/2025.6.13.84507/NO new file mode 100644 index 0000000..281a83e --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/NO @@ -0,0 +1,26 @@ + +NO + +akershus + +buskerud + +telemark + +finnmark + +østfold + +vestfold +troms +oslo + +rogaland +møre og romsdal + +nordland + innlandet +agder +vestland fylkevestland + +trøndelag \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/NP b/user/user_data/AutofillStates/2025.6.13.84507/NP new file mode 100644 index 0000000..8f50504 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/NP @@ -0,0 +1,9 @@ + +NP} + प्रदेश नं० २madhesh province&प्रदेश नम्बर २मधेश प्रदेशq +!सुदुरपश्चिमsudurpashchim province4सुदूरपश्चिम प्रदेश{ +कोशी प्रदेशkoshi province प्रदेश नं० १&प्रदेश नम्बर १M +बागमतीbagmati province%बागमती प्रदेशM +गण्डकीgandaki province%गण्डकी प्रदेशS +कर्णालीkarnali province(कर्णाली प्रदेशY +लुम्बिनीlumbini province+लुम्बिनी प्रदेश \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/NR b/user/user_data/AutofillStates/2025.6.13.84507/NR new file mode 100644 index 0000000..d1c8ae8 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/NR @@ -0,0 +1,17 @@ + +NR +aiwo aiwo district +anabaranabar district +anetananetan district +anibareanibare district +baitibaiti districtbaitsi +boe boe district +buadabuada district! + +denigomodudenigomodu district +ewa ewa district +ijuw ijuw district +menengmeneng district +niboknibok district +uaboeuaboe district +yarenyaren district \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/NU b/user/user_data/AutofillStates/2025.6.13.84507/NU new file mode 100644 index 0000000..7a0cc41 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/NU @@ -0,0 +1,18 @@ + +NU +hakupu +liku + tamakautoga +mutalau +toi +avatele +makefu +tuapa + +hikutavake +lakepa + alofi north +vaieavalea + +namukulu + alofi south \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/NZ b/user/user_data/AutofillStates/2025.6.13.84507/NZ new file mode 100644 index 0000000..2b85534 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/NZ @@ -0,0 +1,23 @@ + +NZ +aucklandtāmakimakaurau% + bay of plentybay of plenty region( + +canterburycanterbury regionwaitaha8 +chatham islandschatham islands territory +wharekauri- +gisbornegisborne regiontūranganuiakiwa! + hawke's bayhawke's bay region! + marlboroughmarlborough regionA +manawatuwanganuimanawatūwhanganuimanawatūwhanganui region! +nelson nelson regionwhakatū, + northlandnorthland region te taitokerau +otago otago regionōtākou' + southlandmurihikusouthland region +tasman tasman region +taranakitaranaki region2 + +wellingtonte whanganuiatarawellington region +waikatowaikato region. + +west coast te taipoutiniwest coast region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/OM b/user/user_data/AutofillStates/2025.6.13.84507/OM new file mode 100644 index 0000000..9b1b456 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/OM @@ -0,0 +1,14 @@ + +OMD +$محافظة جنوب الباطنةal batinah south governorateD +$محافظة شمال الباطنةal batinah north governorate5 +محافظة البريميal buraimi governorate^ +المنطقة الداخليةad dakhiliyah ‍governorateمحافظة الداخلية+ +محافظة مسقطmuscat governorate; +محافظة مسندمmusandam governorate +مسندمG +$محافظة جنوب الشرقيةash sharqiyah south governoratef +المنطقة الشرقيةash sharqiyah north governorate$محافظة شمال الشرقيةN +المنطقة الوسطىal wusta governorateمحافظة الوسطى6 +محافظة الظاهرةad dhahirah governorate5 +ظفارdhofar governorateمحافظة ظفار \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PA b/user/user_data/AutofillStates/2025.6.13.84507/PA new file mode 100644 index 0000000..175ca63 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PA @@ -0,0 +1,16 @@ + +PA4 +provincia de panamá oestepanamá oeste provinceF +bocas del torobocas del toro provinceprovincia de bocas del toro. +coclécoclé provinceprovincia de coclé. +colóncolón provinceprovincia de colónJ + chiriquíchiriquí provincedistrito de barúprovincia de chiriquíF +dariéndarién provinceprovincia de dariénregión del darién1 +herreraherrera provinceprovincia de herreraR +distrito de los santos +los santoslos santos provinceprovincia de los santos( +provincia de panamápanamá province4 +provincia de veraguasveraguasveraguas provinceI +comarca emberáwounaanemberáemberáwounaanemberáwounaan comarcaF +comarca guna yala guna yalaguna yala comarca kuna yalasan blasR +comarca ngäbebugléguaymí ngäbebugléngäbebuglé comarca ngöbe buglé \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PE b/user/user_data/AutofillStates/2025.6.13.84507/PE new file mode 100644 index 0000000..fdfdd3e --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PE @@ -0,0 +1,30 @@ + +PE$ +amazonasdepartamento de amazonas* +departamento de áncashancasháncash0 + apurímacapurimacdepartamento de apurímac$ +arequipadepartamento de arequipa$ +ayacuchodepartamento de ayacucho& + cajamarcadepartamento de cajamarcaj +callao callao regiongobierno regional del callao#provincia constitucional del callaoregión callao- +cuscocuzcodepartamento del cuzcoqosqo- +departamento de huánucohuanucohuánuco, +departamento de huancavelica huancavelica +departamento de icaica' +departamento de junínjuninjunín* +departamento de la libertad la libertad( +departamento de lambayeque +lambayequeD +departamento de limagobierno regional de limalima lima regionM +lima lima province#municipalidad metropolitana de limaprovincia de lima +departamento de loretoloreto. +departamento de madre de dios madre de dios$ +departamento de moqueguamoquegua +departamento de pascopasco +departamento de piurapiura +departamento de punopuno6 +departamento de san martín +san martin san martín +departamento de tacnatacna +departamento de tumbestumbes" +departamento de ucayaliucayali \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PF b/user/user_data/AutofillStates/2025.6.13.84507/PF new file mode 100644 index 0000000..d43d1c3 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PF @@ -0,0 +1,7 @@ + +PF$ +îles marquisesmarquesas islands: +archipel des australesaustral islandsîles australes# +îles sousleventleeward islands! + îles du ventwindward islands7 +îles tuamotugambierthe tuamotu and gambier islands \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PG b/user/user_data/AutofillStates/2025.6.13.84507/PG new file mode 100644 index 0000000..29b2b04 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PG @@ -0,0 +1,26 @@ + +PG0 +chimbuchimbu provincesimbusimbu province +centralcentral provinceT +east new britaineast new britain province is niu britennova bretanha orientalQ +eastern highlandseastern highlands province isten hailansplanalto oriental +enga enga province+ + +east sepikeast sepik provinceis sepik# +gulf gulf province gulf provins +hela hela province +jiwaka province) + milne baymilen bemilne bay province +morobemorobe province +madangmadang province +manusmanus provinceK +ncdnational capitalnational capital districtnesenel kapitol distrikX +(neuirland, nouvelleirlande, nova irlanda new irelandnew ireland province niu ailan0 +northernnorthern provinceoro oro provinces +!autonomous region of bougainvillearob bougainvillenorth solomonsnorth solomons provincenorthern solomons< +sandaunsandaun province +west sepikwest sepik provinceA +southern highlandssauten hailanssouthern highlands provinceV +nova bretanha ocidentalwes niu britenwest new britainwest new britain provinceT +planalto ocidentalwestern hailanswestern highlandswestern highlands provinceM +fly river provincial governmentwesternwestern provincewestern provins \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PH b/user/user_data/AutofillStates/2025.6.13.84507/PH new file mode 100644 index 0000000..b18ae8c --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PH @@ -0,0 +1,30 @@ + +PH + metro manilammncrkalakhang maynila kamaynilaanmetropolitan manilanational capital regionpambansang punong rehiyonI + ilocos regionilocos +kaikolusanregion i rehiyon irehiyong ilocos. +cagayan valleylambak ng cagayan region iiH + central luzon gitnang luzongitnáng luzon +region iii rehiyong iii6 +bicol bicol region +bicolandia kabikulanregion vX +panaykanlurang kabisayaankanlurang visayas region vi +rehiyon viwestern visayasL +central visayasgitnang kabisayaangitnang visayasregion 7 +region viiG +eastern visayas region viiisilangang kabisayaansilangang visayas] + region ix +rehiyon ixtangway ng kasambuwangaantangway ng zamboangazamboanga peninsula; +northern mindanaohilagang mindanao region 10region x] +davao davao region kadabawan region xirehiyon ng davao rehiyong xisouthern mindanao + +region xii soccsksargen +caraga region xiii +$autonomous region in muslim mindanaoarmm +bangsamoro/bangsamoro autonomous region in muslim mindanao'rehiyong autonomo sa muslim na mindanao'rehiyong awtonomo sa muslim na mindanaou + cordillera administrative regioncar%pinamamahalaang rehiyon ng cordillera%rehiyong pampangasiwaan ng cordillerad + +calabarzon region 4a +region iva rehiyon ivasouthern tagalog mainlandsouthern tagalog region! +mimaropa region 4b +region ivb \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PK b/user/user_data/AutofillStates/2025.6.13.84507/PK new file mode 100644 index 0000000..7714c18 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PK @@ -0,0 +1,10 @@ + +PK + balochistanبلوچستان! +gilgitbaltistannorthern areasc +federal capital territoryislamabad capital territory)اسلام آباد وفاقی علاقہK +ajkazad jammu and kashmir azad kashmirpakistan occupied kashmirpok/ +khyber pakhtunkhwaخیبر پختونخوا +punjab +پنجاب +sindhسندھ \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PL b/user/user_data/AutofillStates/2025.6.13.84507/PL new file mode 100644 index 0000000..80b0362 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PL @@ -0,0 +1,18 @@ + +PLQ +dolnosdolnośląskielower silesian voivodeshipwojewództwo dolnośląskie[ +kujawskopomorskiekujpomkuyavianpomeranian voivodeshipwojewództwo kujawskopomorskie> +lubel lubelskielublin voivodeshipwojewództwo lubelskie< +lubuslubuskielubusz voivodeshipwojewództwo lubuskie8 +województwo łódzkie łódzkiełódź voivodeshipD + małopolskielesser poland voivodeshipwojewództwo małopolskieD +mazowmasovian voivodeship mazowieckiewojewództwo mazowieckie< +opolskopole voivodeshipopolskiewojewództwo opolskieK +podkar podkarpackiepodkarpackie voivodeshipwojewództwo podkarpackieB +podlas podlaskiepodlaskie voivodeshipwojewództwo podlaskieC +pomorspomeranian voivodeship pomorskiewojewództwo pomorskie@ +slasksilesian voivodeshipwojewództwo śląskie śląskieW +swietowojewództwo świętokrzyskieświętokrzyskieświętokrzyskie voivodeship\ +warmazwarmianmasurian voivodeshipwarmińskomazurskie województwo warmińskomazurskieG + wielkopolskiegreater poland voivodeshipwojewództwo wielkopolskieZ +województwo zachodniopomorskiewest pomeranian voivodeshipzachodniopomorskiezachpo \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PR b/user/user_data/AutofillStates/2025.6.13.84507/PR new file mode 100644 index 0000000..4cf8fb8 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PR @@ -0,0 +1,95 @@ + +PR +yabucoa +corozal +ceiba +florida +aguada +cidra + quebradillas + sabana grande + cabo rojo + +guayanilla + +toa baja +salinas +coamo +juncos + vega baja + barceloneta + trujillo alto +naguabonagüabo + +luquillo +vieques + +toa alta +gurabo +yauco +arroyo +culebra +dorado +ciales + juana díaz + las piedras + santa isabel +arecibo +camuy +moca + +canóvanas + +guaynabo + san germán + aguadilla + vega alta +cataño +loíza +fajardo +caguas +mayaguez mayagüez +utuado +isabela + naranjito +lajas + +carolina +morovis +ponce +guayama +añasco + +guánica +maunabo +cayey + +aibonito +lares +maricao +san sebastián + san lorenzo + +villalba + río grande +jayuya +rinconrincón + aguas buenas +humacao5 +san juansan juan municipalitysan juan municipio +hatillo + hormigueros +manatí + +orocovis + +adjuntas + las marías + barranquitas + +patillas + +bayamón + +comerío + peñuelas \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PS b/user/user_data/AutofillStates/2025.6.13.84507/PS new file mode 100644 index 0000000..6d12cab --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PS @@ -0,0 +1,5 @@ + +PS? + west bankהגדה המערביתالضفة الغربية + +gaza stripقطاع غزّة \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PT b/user/user_data/AutofillStates/2025.6.13.84507/PT new file mode 100644 index 0000000..ea0545c --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PT @@ -0,0 +1,23 @@ + +PT- +aveiroaveiro districtdistrito de aveiro' +beja beja districtdistrito de beja +bragadistrito de braga6 + bragançabragança districtdistrito de bragançaE +castelo brancocastelo branco districtdistrito de castelo branco +coimbradistrito de coimbra- +distrito de évoraévoraévora district0 +algarvedistrito de farofaro faro district- +distrito da guardaguardaguarda district- +distrito de leirialeirialeiria district$ +distrito de lisboalisboalisbon9 +distrito de portalegre +portalegreportalegre districtQ +comarca do portodistretto di oportodistrito do portoportoporto district" +distrito de santarém santarém) +distrito de setúbalsetubalsetúbalK +distrito de viana do casteloviana do casteloviana do castelo district6 +distrito de vila real vila realvila real district* +distrito de viseuviseuviseu district +açoresazores' +madeiraregião autónoma da madeira \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PW b/user/user_data/AutofillStates/2025.6.13.84507/PW new file mode 100644 index 0000000..6f45258 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PW @@ -0,0 +1,26 @@ + +PW + +aimeliik +airai +angaur + hatohobei +kayangel +ngcheangel +koror oreor island + +melekeok + +ngaraard + ngarchelong + +ngardmau + +ngatpang + +ngchesar + ngaremlengui ngeremlengui +ngiwal +belilioupeleliu + +sonsorol \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/PY b/user/user_data/AutofillStates/2025.6.13.84507/PY new file mode 100644 index 0000000..09df006 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/PY @@ -0,0 +1,24 @@ + +PYY + concepciónconcepción departmentdepartamento de concepcióntetãvore concepción] + alto paranáalto paraná departmentdepartamento de alto paranátetãvore alto paranáF +centralcentral departmentdepartamento centraltetãvore centralW +departamento de ñeembucútetãvore ñe'ẽmbuku +ñeembucúñeembucú department< +amambayamambaiamambay departmentdepartamento amambayT + +canindeyúcanindeyú departmentdepartamento de canindeyútetãvore kanindejuj +departamento presidente hayespresidente hayespresidente hayes departmenttetãvore presidente hayesb + alto paraguayalto paraguay departmentdepartamento de alto paraguaytetãvore alto paraguáiQ + boquerónboquerón departmentdepartamento de boqueróntetãvore boquerónQ +departamento de san pedro san pedrosan pedro departmenttetãvore san pedroU + +cordilleracordillera departmentdepartamento de cordilleratetãvore cordilleraI +departamento de guairáguairáguairá departmenttetãvore guairáQ + caaguazúcaaguazú departmentdepartamento de caaguazútetãvore ka'aguasuM +caazapácaazapá departmentdepartamento de caazapátetãvore ka'asapaI +departamento de itapúaitapúaitapúa departmenttetãvore itapúaM +departamento de misionesmisionesmisiones departmenttetãvore misionesT +departamento de paraguarí +paraguaríparaguarí departmenttetãvore paraguari + asunciónparaguay \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/QA b/user/user_data/AutofillStates/2025.6.13.84507/QA new file mode 100644 index 0000000..7d5f03b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/QA @@ -0,0 +1,12 @@ + +QAM +الشحانيةal sheehaniya municipalityبلدية الشيحانيةE + ad dawhahdoha municipality الدوحةبلدية الدوحهv +al khawr wa adh dhakhirah$al khor and al thakhira municipality +الخور'بلدية الخور و الذخيرةK + +ash shamalal shamal municipality الشمالبلدية الشمالJ + ar rayyanal rayyan municipality الريانبلدية الريانX + أم صلاumm salal municipality أم صلالبلدية ام صلالصلالJ + al wakrahal wakrah municipality الوكرةبلدية الوكرة^ +az¸ z¸a'ayinal daayen municipalityبلدية الضعاينبلدية الظعاين \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/RE b/user/user_data/AutofillStates/2025.6.13.84507/RE new file mode 100644 index 0000000..f7f9c39 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/RE @@ -0,0 +1,7 @@ + +RE. +arrondissement 9741 saint denis +saintdenisO +arrondissement 9742arrondissement de saintpierre saint pierre saintpierre1 +arrondissement 9743 saint benoit saintbenoît= +arrondissement 9744arrondissement de saintpaul saintpaul \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/RO b/user/user_data/AutofillStates/2025.6.13.84507/RO new file mode 100644 index 0000000..2575644 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/RO @@ -0,0 +1,52 @@ + +RO& +albaab alba county județul alba% +argeşagargeșjudețul argeș +aradar județul arad: + +bucureşti bucharest +bucureștimunicipiul bucurești, +bacăubc bacău countyjudețul bacău) +bihorbh bihor countyjudețul bihorL +bistriţanăsaudbnbistrițanăsăud countyjudețul bistrițanăsăud +brăilabrjudețul brăila5 + botoşanibtbotoșani countyjudețul botoșani( +braşovbvbrașovjudețul brașov, +buzăubz buzău countyjudețul buzău& +clujcj cluj county județul cluj; + călăraşiclcălărași countyjudețul călărașiA + caraşseverincscarașseverin countyjudețul carașseverin1 + +constanţact +constanțajudețul constanța/ +covasnacvcovasna countyjudețul covasna4 + dâmboviţadb dâmbovițajudețul dâmbovița& +doljdj dolj county județul dolj& +gorjgj gorj county județul gorj( +galaţiglgalațijudețul galați/ +giurgiugrgiurgiu countyjudețul giurgiu# + hunedoarahdjudețul hunedoara2 +harghitahrharghita countyjudețul harghita) +ilfovif ilfov countyjudețul ilfov5 + ialomiţailialomița countyjudețul ialomița) +iaşiis iași countyjudețul iași8 +județul mehedințimh +mehedinţimehedinți county1 +județul maramureșmm +maramureş +maramureș +județul mureșmsmureş, +județul neamțntneamţ neamț county# + județul oltotolt +olt county +județul prahovaphprahova +județul sibiusbsibiu +județul sălajsjsălaj- +județul satu maresm satu maresatumare/ +județul suceavasvsuceavasuceava county +județul tulceatltulcea% +județul timiștmtimiştimiș# +județul teleormantr teleorman +județul vâlceavlvâlcea +județul vranceavnvrancea, +județul vasluivsvaslui vaslui county \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/RS b/user/user_data/AutofillStates/2025.6.13.84507/RS new file mode 100644 index 0000000..a7d5ba0 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/RS @@ -0,0 +1,3 @@ + +RSx +8аутономна покрајина војводинаautonomna pokrajina vojvodina vojvodinaвојводина \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/RU b/user/user_data/AutofillStates/2025.6.13.84507/RU new file mode 100644 index 0000000..b4bc156 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/RU @@ -0,0 +1,93 @@ + +RUB + адыгеяadygea republic!республика адыгея= + +алтайaltai republicреспублика алтай= +алтайский +altai kraiалтайский край@ +амурская amur oblastамурская областьW +arkhangel'skaya oblastarkhangelsk oblast)архангельская областьU +астраханскаяastrakhan oblast'астраханская область +башҡортостанrepublic of bashkortostanбашкириябашкортостан-республика башкортостанT +белгородскаяbelgorod oblast'белгородская областьC +брянскаяbryansk oblastбрянская область? +бурятияburyatia#республика бурятияS +чеченскаяchechnya'чеченская республика +чечняg +челябинскchelyabinsk oblastчелябинская%челябинская область +2чукотский автономный округ4чукотский аутономус областьchukotka autonomous okruga +чувашияchuvashia republicчувашская'чувашская республикаO +дагестанrepublic of dagestan%республика дагестанI +ингушетия +ingushetia'республика ингушетияW +иркутскirkutsk oblastиркутская!иркутская область| +ивановоivanovo oblastивановская#ивановская областьأيفانوفو أوبلاستE +камчатскийkamchatka kraiкамчатский край +"кабардинобалкарияkabardinobalkarian republic&кабардинобалкарская;кабардинобалкарская республика +"карачаевочеркесияkarachaycherkessia&карачаевочеркесская;карачаевочеркесская республикаI +краснодарkrasnodar krai#краснодарский крайJ +кемеровоkemerovo oblast%кемеровская областьc +калининградскаяkaliningrad oblast-калининградская областьJ +курганская kurgan oblast#курганская областьF +хабаровскkhabarovsk kraiхабаровский край +>хантымансийский автономный округхмаоkhantymansi autonomous okrugKхантымансийский автономный округ — юграFхантымансийский автономный округюграQ + +киров kirov oblastкировская!кировская областьL +#республика хакасияrepublic of khakassiaхакасияO +калмыкияrepublic of kalmykia%республика калмыкияF +калужская kaluga oblast!калужская область8 +коми komi republicреспублика коми8 +%костромская областьkostroma oblastJ +карелияrepublic of karelia#республика карелия= +курская kursk oblastкурская областьK +красноярскkrasnoyarsk krai!красноярский крайj +лен областьleningrad oblast)ленинградская областьленобластьC +липецкаяlipetsk oblastлипецкая область7 +%магаданская областьmagadan oblastI +марий элmari el republic$республика марий эл +мордовияmordovia republic8приволжский федеральный округ%республика мордовияi +московскаямомоск область moscow oblast#московская область/ + москваmoscowгород москваL +мурманскаяmurmansk oblast#мурманская область +0ненецкий автономный округ2ненецкий аутономус областьnenets autonomous okrugT +новгородскаяnovgorod oblast'новгородская область_ +нижегородскаяnizhny novgorod oblast)нижегородская областьs +новосибирскnovosibirsk oblastновосибирская)новосибирская областьB +омск omsk oblast омскаяомская областьf +оренбургorenburg oblastоренбургская'оренбургская область1 +!орловская область oryol oblastD +пермский perm kraiпермский край +пермьU + +пенза penza oblastпензенская#пензенская областьE +приморскийprimorsky kraiприморский крайE +псковская pskov oblast!псковская область + ростов rostov oblastростовская#ростовская область,южный федеральный округF +рязанская ryazan oblast!рязанская областьe +,республика саха (якутия)sakha republicсаха (якутия) якутия8 +%сахалинская областьsakhalin oblast +8приволжский федеральный округ samara oblast самарасамарская!самарская областьG +саратовsaratov oblast%саратовская область +Cреспублика северная осетия — аланияnorth ossetia–alania republic>республика северная осетияаланиясеверная осетия)северная осетияаланияL +смоленскаяsmolensk oblast#смоленская областьY +санктпетербургsaint petersburg'город санктпетербургU +ставропольскийstavropol krai%ставропольский край +свердловскаяsverdlovsk oblast'свердловская область4уральский федеральный округd +'республика татарстанrepublic of tatarstanтатариятатарстанJ +тамбовская tambov oblast#тамбовская областьI + +томск tomsk oblastтомскаятомская область@ +тульская tula oblastтульская область@ +тверская tver oblastтверская областьe +!респу́блика тыва́ tuva republicреспублика туватуватываF +тюменская tyumen oblast!тюменская область +)удмуртской республикиudmurt republicудмуртия$удмуртия pеспублика)удмуртская республикаM +ульяновскulyanovsk oblast%ульяновская областьm +волгоградvolgograd oblastволгоградская)волгоградская областьT +владимирскаяvladimir oblast'владимирская областьO +вологодскаяvologda oblast%вологодская область` +воронежvoronezh oblastворонежская%воронежская область +:ямалоненецкий автономный округ<ямалоненецкий аутономус областьyamalonenets autonomous okrugямалоненецкийe +ярославльyaroslavl oblastярославская%ярославская область +еврейская4еврейская аутономус областьjewish autonomous oblast6еврейская автономная область7 +#забайкальский крайzabaykalsky krai \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/RW b/user/user_data/AutofillStates/2025.6.13.84507/RW new file mode 100644 index 0000000..6a54ef8 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/RW @@ -0,0 +1,7 @@ + +RWI +kigali kigali citykigali provinceumujyi wa kigaliville de kigali= +eastern provinceintara y'iburasirazubaprovince de l'est< +northern provinceintara y'amajyaruguruprovince du nord@ +western provinceintara y'uburengerazubaprovince de l'ouest8 +southern provinceintara y'amajyepfoprovince du sud \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SA b/user/user_data/AutofillStates/2025.6.13.84507/SA new file mode 100644 index 0000000..902f632 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SA @@ -0,0 +1,19 @@ + +SA* +منطقة الرياضriyadh provincee +مكةmakkah provinceمكة المكرمةمنطقة مكة منطقة مكة المكرمة +المدينةal madinah provinceالمدينة المنورةمنطقة المدينة(منطقة المدينة المنورةA +الشرقيةeastern provinceالمنطقة الشرقية; + القصيمal qassim provinceمنطقة القصيم. +حائل hail provinceمنطقة حائل/ +تبوكtabuk provinceمنطقة تبوكd +الحدود الشماليةnorthern borders province(منطقة الحدود الشمالية? + +جازانjazan province +جيزانمنطقة جازان4 +منطقة نجرانnajran province +نجران: + الباحةal bahah provinceمنطقة الباحة5 + +الجوفal jowf provinceمنطقة الجوف/ +عسيرaseer provinceمنطقة عسير \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SB b/user/user_data/AutofillStates/2025.6.13.84507/SB new file mode 100644 index 0000000..ef58cfe --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SB @@ -0,0 +1,12 @@ + +SB +centralcentral province +choiseulchoiseul province +capital territoryhoniara# + guadalcanalguadalcanal province +isabelisabel province1 + makiraulawamakiraulawa province makiraulawas +malaitamalaita province +rennell and bellona province- +snata cruz islandstemotutemotu province +westernwestern province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SC b/user/user_data/AutofillStates/2025.6.13.84507/SC new file mode 100644 index 0000000..cf77f37 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SC @@ -0,0 +1,32 @@ + +SC + anse aux pins anseauxpins + anse boileau + anse etoile anse étoile +au cap + anse royale + baie lazare# +baie sainte annebaie sainteanne + beau vallon +bel air + bel ombre +cascade +glacis/ +grand anse mahe +grand'ansegrand'anse mahé +grand anse praslin +grand'anse + +la digue +la riviere anglaise + mont buxton + mont fleuri + plaisance + pointe la rue + +port glaud + saint louis + +takamaka + les mamelles + roche caiman roche caïman \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SD b/user/user_data/AutofillStates/2025.6.13.84507/SD new file mode 100644 index 0000000..cad53eb --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SD @@ -0,0 +1,26 @@ + +SDZ +wasat darfur zalinjaycentral darfurولاية وسطولاية وسط دارفور@ +ولاية شرق east darfurولاية شرق دارفورR +gharb kurdufan west kordofanولاية غربولاية غرب كردفانN + gharb darfur west darfurولاية غربولاية غرب دارفورT + shamal darfur north darfurولاية شمال ولاية شمال دارفورS + janub darfur south darfurولاية جنوب ولاية جنوب دارفورU + +al qadarifgedarefالقضارفولاية القضولاية القضارف7 + +al jazirahالجزيرةولاية الجزيرةL + ash sharqiyahkassalakessala +كسالاكسلاولاية كسلاF + +al khartumkhartoumولاية الخرولاية الخرطومp +shiamal kurdufannorth kurdufanشمال كردفانولاية شمال ولاية شمال كردفانn +janub kurdufansouth kordofanجنوب كردفانولاية جنوب ولاية جنوب كردفان] +النيل الأزرق blue nileولاية الني"ولاية النيل الأزرقb +ash shamaliyahnorthernالشماليةالولاية الشماليةولاية الشم7 + nahr an nil +river nileولاية نهر النيلY +an nīl al abyaḍ +white nileولاية الني"ولاية النيل الأبيضm +al bahr al ahmarred seaالبحر الأحمرولاية البح"ولاية البحر الأحمر% +sinnarsennarولاية سنار \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SE b/user/user_data/AutofillStates/2025.6.13.84507/SE new file mode 100644 index 0000000..b2412ff --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SE @@ -0,0 +1,23 @@ + +SE# +stockholms länstockholm county+ +västerbottens länvästerbotten county% +norrbottens lännorrbotten county + uppsala länuppsala county+ +södermanlands länsödermanland county- +östergötlands länöstergötland county% +jönköpings länjonkoping county# +kronobergs länkronoberg county + kalmar län kalmar county + gotlands längotland county + blekinge länblekinge county + skåne län skåne county + hallands länhalland county3 +västra götalands länvästra götaland county" +värmlands länvarmland county + örebro länörebro county) +västmanlands länvästmanland county + dalarnas ländalarna county$ +gävleborgs längavleborg county/ +västernorrlands länvästernorrland county" +jämtlands länjamtland county \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SH b/user/user_data/AutofillStates/2025.6.13.84507/SH new file mode 100644 index 0000000..951334b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SH @@ -0,0 +1,5 @@ + +SH + ascensionascension island + saint helena +tristan da cunha \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SI b/user/user_data/AutofillStates/2025.6.13.84507/SI new file mode 100644 index 0000000..5151e88 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SI @@ -0,0 +1,69 @@ + +SI +slovenske konjice + grosuplje +lenart +litija +logatec +slovenska bistrica +šmarje pri jelšah +tržič +laško + +cerknica + +novo mesto +koper +trebnje + murska sobota + dravograd + +trbovlje +velenje" +kočevjeupravna enota kočevje +tolmin +gornja radgona +ruše +ptuj +šentjuršentjur pri celju +mozirje +izola +kranj + +radovljica + +domžale +sevnica +zagorje ob savi +ribnica +lendava +vrhnika= +mariboradministrative unit mariborupravna enota maribor6 +hrastnikmunicipality of hrastnikobčina hrastnik +ravne na koroškem +piran +krško +radlje ob dravi + +ljutomer +ormož +žalec + +jesenice +sežana +pesnica +metlika + +postojna* +upravne enote škofja loka škofja loka + +brežice +ilirska bistrica + črnomelj* + ajdovščinaupravna enota ajdovščina + nova gorica + ljubljana +idrija +kamnik +celje +slovenj gradec \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SJ b/user/user_data/AutofillStates/2025.6.13.84507/SJ new file mode 100644 index 0000000..cfe8e7b --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SJ @@ -0,0 +1,5 @@ + +SJ + +svalbard + jan mayen \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SK b/user/user_data/AutofillStates/2025.6.13.84507/SK new file mode 100644 index 0000000..49c2730 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SK @@ -0,0 +1,10 @@ + +SK0 +banskobystrický krajbanská bystrica region' +bratislavský krajbratislava region +košický krajkošice region= +nitriansky kraj nitra regionnitriansky samosprávny kraj" +prešovský krajprešov region +trnavský kraj trnava region% +trenčiansky krajtrenčín region! +žilinský krajžilina region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SL b/user/user_data/AutofillStates/2025.6.13.84507/SL new file mode 100644 index 0000000..93aa557 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SL @@ -0,0 +1,7 @@ + +SL- +north west provincenorth western province +easterneastern province +northernnorthern province +southernsouthern province + western area \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SM b/user/user_data/AutofillStates/2025.6.13.84507/SM new file mode 100644 index 0000000..8dbc761 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SM @@ -0,0 +1,14 @@ + +SM + acquaviva + chiesanuova + domagnano +faetano + +fiorentino +borgo maggiore" +città di san marino +san marino + montegiardino + +serravalle \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SN b/user/user_data/AutofillStates/2025.6.13.84507/SN new file mode 100644 index 0000000..e83b59a --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SN @@ -0,0 +1,18 @@ + +SNJ +diourbeldiourbel regiondépartement de diourbelrégion de diourbel' +dakar dakar regionrégion de dakar* +fatick fatick regionrégion de fatickJ +département de kaffrinekaffrinekaffrine regionrégion de kaffrine' +kolda kolda regionrégion de koldaN +département de kédougou kédougoukédougou regionrégion de kédougou- +kaolackkaolack regionrégion de kaolack' +louga louga regionrégion de louga' +matam matam regionrégion de matamJ +département de sédhiourégion de sédhiousédhiousédhiou region7 +région de saint louis +saintlouissaintlouis region9 +région de tambacounda tambacoundatambacounda region* +région de thièsthiès thiès region6 +région de ziguinchor +ziguinchorziguinchor region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SO b/user/user_data/AutofillStates/2025.6.13.84507/SO new file mode 100644 index 0000000..85cfd27 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SO @@ -0,0 +1,27 @@ + +SO + +أودالawdalعدل + +باكولbakool& +باناديرbanaadir +بنادر +باريbari +بايbaaybay+ + جلجدود galguduudجَلجودود +جدوgedoجيدو + +هيرانhiiraanhiranP +جوبا الوسطى jubbada dhexe middle jubaجُبّادا دهِكسيI +جوبا السفلى jubbada hoose +lower jubaجُبّادا هوس +مدجmudugمدق + +نوجآلnugaalnugal + +سَنآجsanaagA +شابيلاها دهكسيmiddle shabelleshabeellaha dhexer +شابيلاّها هووسlower shabelleshabeellaha hooseشبيلا السفلىشبيلي السفلى5 +سولsoolسوولصولمحافطة سول* + توجديرtogdheerتوجْدهيرH +وقويي جالبيد‎woqooyi galbeedووكويي جالبيد \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SR b/user/user_data/AutofillStates/2025.6.13.84507/SR new file mode 100644 index 0000000..d013644 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SR @@ -0,0 +1,16 @@ + +SR! + +brokopondobrokopondo district! + +commewijnecommewijne district +coroniecoronie district + marowijnemarowijne district +nickerienickerie district) +par'bo +paramariboparamaribo district +para para district + saramaccasaramacca district! + +sipaliwinisipaliwini district +wanicawanica district \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SS b/user/user_data/AutofillStates/2025.6.13.84507/SS new file mode 100644 index 0000000..2d915cf --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SS @@ -0,0 +1,15 @@ + +SSM +northern bahr el ghazalshamal bahr alghazalشمال بحر الغزالJ +gharb bahr al ghazalwestern bahr el ghazalغرب بحر الغزال] +al istiwāʾiyya al wusṭā bahr al jabalcentral equatoriaوسط الاستوائيةl +eastern equatoriasharq al istiwa iyah$خط الإستوائي الشرقيشرق الاستوائيةF +gharb al istiwa'iyahwestern equatoriaغرب الاستوائية +jongleijunqali جونقلي% + +albuhayratlakesالبحيراتA + a aly an nylaâlâ en nîl +upper nileأعالي النيل- + al wahdahunity unity state الوحدة# +warabwarrabwarrap +واراب \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/ST b/user/user_data/AutofillStates/2025.6.13.84507/ST new file mode 100644 index 0000000..dadc547 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/ST @@ -0,0 +1,9 @@ + +ST +caué + mézóchi +lobata + príncipe +lembá + cantagalo + água grande \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SV b/user/user_data/AutofillStates/2025.6.13.84507/SV new file mode 100644 index 0000000..9969302 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SV @@ -0,0 +1,18 @@ + +SV% + ahuachapánahuachapán department +cabañascabañas department' + chalatenangochalatenango department. + cuscatlan +cuscatláncuscatlán department% + la libertadla libertad department +morazánmorazán department +la pazla paz department< +departamento de santa ana santa anasanta ana department# + +san miguelsan miguel department! + sonsonatesonsonate department' + san salvadorsan salvador department% + san vicentesan vicente department! + la uniónla unión department! + usulutánusulután department \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SY b/user/user_data/AutofillStates/2025.6.13.84507/SY new file mode 100644 index 0000000..bc33075 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SY @@ -0,0 +1,19 @@ + +SYP +دمشقdamascus governorategouvernorat de damasمحافظة دمشق‎c +درعاdaraa governorategouvernorat de deraaمحافظة درعامُحافظة درعاz +دير الزور dayr azzawrdeir ezzor governorateمحافظة دير الزور مُحافظة دير الزورu + الحسكةalhasakah governorategouvernorat d'hassakéمحافظة الحسكةمُحافظة الحسكة^ +حمصgouvernorat de homshoms governorateمحافظة حمصمُحافظة حمص‎E +حلبaleppo governorategouvernorat d'alepمحافظة حلبg +حماةgouvernorat de hamahamahama governorateمحافظة حماهمُحافظة حماهn +إدلبgouvernorat d'idlebidlib governorate +إدليبمحافظة ادلبمُحافظة ادلب +اللاذقيةgouvernorat de lattaquiélatakialatakia governorateمحافظة اللاذقيةمُحافظة اللاذقيةr +القنيطرةquneitraquneitra governorateمحافظة القنيطرةمُحافظة القنيطرةC + +الرقةarraqqaraqqa governorateمُحافظة الرقة +ريف دمشقgouvernorat de rif dimachqrif dimashq governorateمحافظة ريف دمشقمُحافظة ريف دمشق +السويداء assuwaydaassuwayda governorategouvernorat de soueïdaالسويداء‎محافظة السويداءمُحافظة السويداء\ + +طرطوسgouvernorat de tartoustartoustartus governorateمُحافظة طرطوس \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/SZ b/user/user_data/AutofillStates/2025.6.13.84507/SZ new file mode 100644 index 0000000..5b7da1a --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/SZ @@ -0,0 +1,7 @@ + +SZ +hhohho hhohho region +lubombolubombo region +manzinimanzini region + +shiselwenishiselweni region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TC b/user/user_data/AutofillStates/2025.6.13.84507/TC new file mode 100644 index 0000000..a14bce7 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TC @@ -0,0 +1,4 @@ + +TC +caicos islands + turks islands \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TD b/user/user_data/AutofillStates/2025.6.13.84507/TD new file mode 100644 index 0000000..a0b84d4 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TD @@ -0,0 +1,30 @@ + +TD + +ennedi est ennediest + ennedi ouest ennediouestG +البطحة‎bathaبتها +بطحاءمنطقة البطحة@ +بحر الغزال bahr el gazel barh el gazel barhelgazelK +بركوborkou بوركو إندي تيبستيمنطقة بوركوk +شاري باقرمي charibaguirmirégion du charibaguirmiشاريباجرميمنطقة كانم) +guéra +جويرامنطقة قيراR +حجر لميس hadjerlamisrégion du hadjerlamisمنطقة حجر لميس +كانمkanem +البحيرةlacلاك, +لوقون الغربيlogone occidental* +لوقون الشرقيlogone oriental! + ماندولmandoulمندل8 +شاري الأوسط +moyenchariموين تشاري/ +مايو كيبي الشرقي mayokebbi est1 +مايو كيبي الغربيmayokebbi ouest& +archidiocèse de ndjamena n'djamena7 + أوادايouaddaïمنطقة ودايوداي0 + سلاماتsalamatمنطقة سلامات +سيلاsila1 + تانجليtandjile tandjilé تانجيل, + +تبستيtibestiمنطقة تبستي +وادي فيرا wadi fira \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TG b/user/user_data/AutofillStates/2025.6.13.84507/TG new file mode 100644 index 0000000..27b3200 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TG @@ -0,0 +1,7 @@ + +TG- +centralecentrale regionrégion centrale' +kara kara regionrégion de la kara- +maritimemaritime regionrégion maritime1 +plateauxplateaux regionrégion des plateaux. +région des savanessavanessavanes region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TH b/user/user_data/AutofillStates/2025.6.13.84507/TH new file mode 100644 index 0000000..912b05c --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TH @@ -0,0 +1,87 @@ + +TH2 +'กรุงเทพมหานครbangkok +7จังหวัด สมุทรปราการ$จสมุทรปราการ samut prakan6จังหวัดสมุทรปราการ!สมุทรปราการ ++จังหวัด นนทบุรีจนนทบุรี +nonthaburi*จังหวัดนนทบุรีนนทบุรี +.จังหวัด ปทุมธานีจปทุมธานี pathum thani-จังหวัดปทุมธานีปทุมธานี +Cจังหวัด พระนครศรีอยุธยา0จพระนครศรีอยุธยาphra nakhon si ayutthayaBจังหวัดพระนครศรีอยุธยา-พระนครศรีอยุธยา ++จังหวัด อ่างทองจอ่างทอง ang thong*จังหวัดอ่างทองอ่างทอง +(จังหวัด ลพบุรีจลพบุรีlopburi'จังหวัดลพบุรีลพบุรี +1จังหวัด สิงห์บุรีจสิงห์บุรี sing buri0จังหวัดสิงห์บุรีสิงห์บุรี +(จังหวัด ชัยนาทจชัยนาทchai nat'จังหวัดชัยนาทชัยนาท ++จังหวัด สระบุรีจสระบุรีsaraburi*จังหวัดสระบุรีสระบุรี +(จังหวัด ชลบุรีจชลบุรี chon buri'จังหวัดชลบุรีชลบุรีz +%จังหวัด ระยองจระยองrayong$จังหวัดระยองระยอง +.จังหวัด จันทบุรีจจันทบุรี chanthaburi-จังหวัดจันทบุรีจันทบุรีl +"จังหวัด ตราดจตราดtrat!จังหวัดตราด ตราด +4จังหวัด ฉะเชิงเทรา!จฉะเชิงเทรา chachoengsao3จังหวัดฉะเชิงเทราฉะเชิงเทรา +4จังหวัด ปราจีนบุรี!จปราจีนบุรี prachin buri3จังหวัดปราจีนบุรีปราจีนบุรี ++จังหวัด นครนายกจนครนายก nakhon nayok*จังหวัดนครนายกนครนายก ++จังหวัด สระแก้วจสระแก้วsa kaeo*จังหวัดสระแก้วสระแก้ว +4จังหวัด นครราชสีมา!จนครราชสีมาnakhon ratchasima3จังหวัดนครราชสีมานครราชสีมา +1จังหวัด บุรีรัมย์จบุรีรัมย์buri ram0จังหวัดบุรีรัมย์บุรีรัมย์ +.จังหวัด สุรินทร์จสุรินทร์surin-จังหวัดสุรินทร์สุรินทร์ +.จังหวัด ศรีสะเกษจศรีสะเกษ si sa ket-จังหวัดศรีสะเกษศรีสะเกษ +7จังหวัด อุบลราชธานี$จอุบลราชธานีubon ratchathani6จังหวัดอุบลราชธานี!อุบลราชธานี| +%จังหวัด ยโสธรจยโสธรyasothon$จังหวัดยโสธรยโสธร ++จังหวัด ชัยภูมิจชัยภูมิ +chaiyaphum*จังหวัดชัยภูมิชัยภูมิ +4จังหวัด อำนาจเจริญ"จ อำนาจเจริญ amnat charoen3จังหวัดอำนาจเจริญอำนาจเจริญ +(จังหวัด บึงกาฬจ บึงกาฬ bueng kan'จังหวัดบึงกาฬบึงกาฬ +7จังหวัด หนองบัวลำภู$จหนองบัวลำภูnong bua lam phu6จังหวัดหนองบัวลำภู!หนองบัวลำภู +ขอนแก่นจขอนแก่น khon kaen+จังหวัด ขอนแก่น*จังหวัดขอนแก่น +.จังหวัด อุดรธานีจอุดรธานี +udon thani-จังหวัดอุดรธานีอุดรธานี` +จังหวัด เลย จเลยloeiจังหวัดเลย เลย{ ++จังหวัด หนองคาย nong khai*จังหวัดหนองคายหนองคาย +1จังหวัด มหาสารคามจมหาสารคาม maha sarakham0จังหวัดมหาสารคามมหาสารคาม +.จังหวัด ร้อยเอ็ดจร้อยเอ็ดroi et-จังหวัดร้อยเอ็ดร้อยเอ็ด +กาฬสินธุ์จกาฬสินธิ์kalasin1จังหวัด กาฬสินธุ์0จังหวัดกาฬสินธุ์ +(จังหวัด สกลนครจสกลนคร sakon nakhon'จังหวัดสกลนครสกลนครv +(จังหวัด นครพนม nakhon phanom'จังหวัดนครพนมนครพนม +.จังหวัด มุกดาหารmukdahan-จังหวัดมุกดาหารมุกดาหาร +1จังหวัด เชียงใหม่จเชียงใหม่ +chiang mai0จังหวัดเชียงใหม่เชียงใหม่{ +%จังหวัด ลำพูนจลำพูนlamphun$จังหวัดลำพูนลำพูน{ +%จังหวัด ลำปางจลำปางlampang$จังหวัดลำปางลำปาง +1จังหวัด อุตรดิตถ์จอุตรดิตถ์ uttaradit0จังหวัดอุตรดิตถ์อุตรดิตถ์m +"จังหวัด แพร่จแพร่phrae!จังหวัดแพร่ แพร่l +"จังหวัด น่านจ น่านnan!จังหวัดน่าน น่านf +%จังหวัด พะเยาphayao$จังหวัดพะเยาพะเยา +.จังหวัด เชียงรายจเชียงราย +chiang rai-จังหวัดเชียงรายเชียงราย +4จังหวัด แม่ฮ่องสอน mae hong son3จังหวัดแม่ฮ่องสอนแม่ฮ่องสอน +1จังหวัด นครสวรรค์จนครสวรรค์ nakhon sawan0จังหวัดนครสวรรค์นครสวรรค์ +1จังหวัด อุทัยธานี uthai thani0จังหวัดอุทัยธานีอุทัยธานี +กำแพงเพชรจกำแพงเพชรkamphaeng phet1จังหวัด กำแพงเพชร0จังหวัดกำแพงเพชร_ +จังหวัด ตาก จตากtakจังหวัดตาก ตาก ++จังหวัด สุโขทัยจสุโขทัย sukhothai*จังหวัดสุโขทัยสุโขทัย +.จังหวัด พิษณุโลกจพิษณุโลก phitsanulok-จังหวัดพิษณุโลกพิษณุโลก +(จังหวัด พิจิตรจพิจิตรphichit'จังหวัดพิจิตรพิจิตร +1จังหวัด เพชรบูรณ์จเพชรบูรณ์ +phetchabun0จังหวัดเพชรบูรณ์เพชรบูรณ์ ++จังหวัด ราชบุรีจราชบุรี +ratchaburi*จังหวัดราชบุรีราชบุรี +กาญจนบุรีจกาญจนบุรี kanchanaburi1จังหวัด กาญจนบุรี0จังหวัดกาญจนบุรี +4จังหวัด สุพรรณบุรี!จสุพรรณบุรี suphan buri3จังหวัดสุพรรณบุรีสุพรรณบุรี +(จังหวัด นครปฐมจนคาปฐม nakhon pathom'จังหวัดนครปฐมนครปฐม +1จังหวัด สมุทรสาครจสมุทรสาคร samut sakhon0จังหวัดสมุทรสาครสมุทรสาคร +7จังหวัด สมุทรสงครามsamut songkhram6จังหวัดสมุทรสงคราม!สมุทรสงคราม +.จังหวัด เพชรบุรีจ เพชรบุรี phetchaburi-จังหวัดเพชรบุรีเพชรบุรี +Cจังหวัด ประจวบคีรีขันธ์0จประจวบคีรีขันธ์prachuap khiri khanBจังหวัดประจวบคีรีขันธ์-ประจวบคีรีขันธ์ +=จังหวัด นครศรีธรรมราช*จนครศรีธรรมราชnakhon si thammarat<จังหวัดนครศรีธรรมราช'นครศรีธรรมราช +กระบี่จกระบี่krabi(จังหวัด กระบี่'จังหวัดกระบี่i +%จังหวัด พังงา phang nga$จังหวัดพังงาพังงา +(จังหวัด ภูเก็ตจภูเก็ตphuket'จังหวัดภูเก็ตภูเก็ต +:จังหวัด สุราษฎร์ธานี'จสุราษฎร์ธานี surat thani9จังหวัดสุราษฎร์ธานี$สุราษฎร์ธานี{ +%จังหวัด ระนองจ ระนองranong$จังหวัดระนองระนอง| +%จังหวัด ชุมพรจชุมพรchumphon$จังหวัดชุมพรชุมพร| +%จังหวัด สงขลาจสงขลาsongkhla$จังหวัดสงขลาสงขลาm +"จังหวัด สตูลจสตูลsatun!จังหวัดสตูล สตูลm +"จังหวัด ตรังจตรังtrang!จังหวัดตรัง ตรังt +(จังหวัด พัทลุง phatthalung'จังหวัดพัทลุงพัทลุง ++จังหวัด ปัตตานีจปัตตานีpattani*จังหวัดปัตตานีปัตตานีl +"จังหวัด ยะลาจยะลาyala!จังหวัดยะลา ยะลา +.จังหวัด นราธิวาสจนราธิวาส +narathiwat-จังหวัดนราธิวาสนราธิวาส \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TJ b/user/user_data/AutofillStates/2025.6.13.84507/TJ new file mode 100644 index 0000000..c140438 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TJ @@ -0,0 +1,7 @@ + +TJ +душанбеdushanbe~ +kuhistoni badakhshon#gornobadakhshan autonomous provinceAвилояти мухтори кӯҳистони бадахшон8 +khatlonkhatlon provinceвилояти хатлонm +nohiyahoi tobei jumhurí%districts of republican subordination*ноҳияҳои тобеи ҷумҳурӣ) +вилояти суғдsughd province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TK b/user/user_data/AutofillStates/2025.6.13.84507/TK new file mode 100644 index 0000000..1faad51 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TK @@ -0,0 +1,6 @@ + +TK +atafu +fakaofo + +nukunonu \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TL b/user/user_data/AutofillStates/2025.6.13.84507/TL new file mode 100644 index 0000000..7d5a30d --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TL @@ -0,0 +1,18 @@ + +TL +aileu +ainaro +baucau +bobonarobobonaru + cova limacovalima +dilidíli +ermera +lautemlautém +liquica liquiçá + +manufahi + +manatuto( + oekusi ambenuoecusseoecusse ambeno + +viqueque \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TM b/user/user_data/AutofillStates/2025.6.13.84507/TM new file mode 100644 index 0000000..c49c2c2 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TM @@ -0,0 +1,8 @@ + +TM +ahal +balkanbalkan welaýaty% +daşoguz welaýatydaşoguz region +lebap +marymary welaýaty +aşgabatashgabat \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TN b/user/user_data/AutofillStates/2025.6.13.84507/TN new file mode 100644 index 0000000..a795d0c --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TN @@ -0,0 +1,34 @@ + +TNO +تونسgouvernorat de tunistunistunis governorateولاية تونسT + أريانةariana governorategouvernorat de l'arianaولاية أريانةe + بن عروس ben arousben arous governorategouvernorat de ben arousولاية بن عروس_ + +منوبةgouvernorat de la manouba +la manoubamanubah governorateولاية منوبةR +نابلgouvernorat de nabeulnabeulnabeul governorateولاية نابل` + +زغوانgouvernorat de zaghouanzaghouan governorate زَغوانولاية زغوانP + +بنزرتbizerte governorategouvernorat de bizerteولاية بنزرتq +باجةbéjabéja governorategouvernorat de béjaبيجاولاية باجةولاية باجة‎V + جندوبةgouvernorat de jendoubajendouba governorateولاية جندوبةS + +الكافalkāfgouvernorat du kefle kef governorateولاية الكافq + سليانةgouvernorat de silianasilianasiliana governorateسليانـــةولاية سليانة^ +القيروانgouvernorat de kairouankairouan governorateولاية القيروانh +القصرينgouvernorat de kasserine kasserinekassérine governorateولاية القصرينk +سيدي بوزيدgouvernorat de sidi bouzidsidi bou zid governorateولاية سيدي بوزيدJ +سوسةgouvernorat de soussesousse governorateولاية سوسةu +المنستير almunastîrgouvernorat de monastirmonastirmonastir governorateولاية المنستيرc +المهدية almahdīyahgouvernorat de mahdiamahdia governorateولاية المهديةy + +صفاقسgouvernorat de sfaxsfaxsfax governorate صفاقس‎ولاية صفاقسولاية صفاقس‎H +قفصةgafsa governorategouvernorat de gafsaولاية قفصةR +توزرgouvernorat de tozeurtozeurtozeur governorateولاية توزرT +قبليgouvernorat de kébilikebili governoratekébiliولاية قبلي^ +قابسgabèsgabès governorategouvernorat de gabès +قابِسولاية قابس_ + +مدنينgouvernorat de médenine médeninemédenine governorateولاية مدنينc + تطاوينgouvernorat de tataouine tataouinetataouine governorateولاية تطاوين \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TO b/user/user_data/AutofillStates/2025.6.13.84507/TO new file mode 100644 index 0000000..8868098 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TO @@ -0,0 +1,7 @@ + +TO +'euaeua +ha'apai +niuas + tongatapu +vava'u \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TR b/user/user_data/AutofillStates/2025.6.13.84507/TR new file mode 100644 index 0000000..57e17d9 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TR @@ -0,0 +1,96 @@ + +TR +adana + adıyaman +afyonkarahisar +ağrı +amasya +ankara +antalya +artvin +aydın + +balıkesir +bilecik +bingöl +bitlis +bolu +burdur +bursa + +çanakkale + +çankırı +çorum +denizli + diyarbakır +edirne + +elazığ + +erzincan +erzurum + +eskişehir + gaziantep +giresun + gümüşhane +hakkari +hatay +isparta +mersin +istanbul +i̇stanbul +i̇zmir +kars + kastamonu +kayseri + kırklareli + +kırşehir +kocaeli +konya + +kütahya +malatya +manisa +kahramanmaraş +mardin +muğla +muş + nevşehir +niğde +ordu +rize +rize i̇li +sakarya +samsun +siirt +sinop +sivas + tekirdağ +tokat +trabzon +tunceli + şanlıurfa +uşak +van +yozgat + zonguldak +aksaray +bayburt +karaman + kırıkkale +batman + +şırnak +bartın +ardahan +iğdır +yalova + +karabük +kilis + +osmaniye +düzce \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TT b/user/user_data/AutofillStates/2025.6.13.84507/TT new file mode 100644 index 0000000..4c65e9e --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TT @@ -0,0 +1,17 @@ + +TT +tobago" +arimaarima borough corporation* + chaguanaschaguanas borough corporationC +couvatabaquitetalparo*couvatabaquitetalparo regional corporation1 + diego martin!diego martin regional corporationL + penaldebepenal/debe regional corporationpenaldebe regional corporation* + port of spainport of spain corporation1 + princes town!princes town regional corporation0 + point fortin point fortin borough corporationo +%mayaro rio claro regional corporationmayarorio clarorio claromayaro$rio claromayaro regional corporation- + san fernandosan fernando city corporation3 + sangre grande"sangre grande regional corporation' +sipariasiparia regional corporationh +san juanlaventille)san juan/laventille municipal corporation'san juanlaventille regional corporation +tunapunapiarco%tunapuna/piarco municipal corporation$tunapuna/piarco regional corporation#tunapunapiarco regional corporation \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TV b/user/user_data/AutofillStates/2025.6.13.84507/TV new file mode 100644 index 0000000..00b05cc --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TV @@ -0,0 +1,13 @@ + +TV + niulakita + +funafuti +niutao +nui + nukufetau + +nukulaelae +nanumea +nanumaga nanumanga +vaitupu \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TW b/user/user_data/AutofillStates/2025.6.13.84507/TW new file mode 100644 index 0000000..588d5a5 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TW @@ -0,0 +1,24 @@ + +TW + 連江縣lienchiang county + 金門縣 kinmen county$ + 彰化縣changhua county彰縣 + 嘉義市 chiayi city + 嘉義縣 chiayi county# + 新竹縣hsinchu county竹縣! + 新竹市 hsinchu city竹市& + 花蓮市hualien county 花蓮縣! +宜縣 yilan county 宜蘭縣 + 基隆市 keelung city& + 高雄市kaohsiung city 高雄縣" + 苗栗縣 miaoli county苗縣" + 南投縣 nantou county投縣 + 澎湖縣 penghu county$ + 屏東縣pingtung county屏縣, + 桃園市 taoyuan city 桃園縣桃縣# + 台南市 tainan city 臺南市# + 台北市 taipei city 臺北市' + 台北縣new taipei city 新北市& + 台東縣taitung county 臺東縣% + 台中市 taichung city 臺中市 + 雲林縣 yunlin county \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/TZ b/user/user_data/AutofillStates/2025.6.13.84507/TZ new file mode 100644 index 0000000..6659450 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/TZ @@ -0,0 +1,33 @@ + +TZ' +njombemkoa wa njombe njombe region + dar es salam dar es salaam$ +geita geita region mkoa wa geita' +arusha arusha regionmkoa wa arusha' +dodoma dodoma regionmkoa wa dodoma' +iringa iringa regionmkoa wa iringa' +kagera kagera regionmkoa wa kagerao +north pemba regionkaskazini pembakaskazinipembamkoa wa pemba kaskazini pemba northpemba north regiony +unguja north regionkaskazini ungujakaskaziniungujamkoa wa unguja kaskazinizanzibar northzanzibar north region' +kigoma kigoma regionmkoa wa kigoma6 + kilimanjarokilimanjaro regionmkoa wa kilimanjarof + pemba south kusini pemba kusinipembamkoa wa pemba kusinipemba south regionsouth pemba region + kusini unguja kusiniungujamkoa wa unguja kusiniunguja south regionzanzibar centralzanzibar central/southzanzibar central/south regionzanzibar south$ +lindi lindi region mkoa wa lindi! +mara mara region mkoa wa mara$ +mbeya mbeya region mkoa wa mbeya +mjini magharibi regionmjini magharibimjinimagharibimkoa wa mjini magharibimkoa wa unguja mjini magharibizanzibar urban west regionzanzibar urban/west zanzibar west- +morogoromkoa wa morogoromorogoro region' +mtwaramkoa wa mtwara mtwara region' +mwanzamkoa wa mwanza mwanza region2 + coast region mkoa wa pwanipwani pwani region$ +rukwa mkoa wa rukwa rukwa region' +ruvumamkoa wa ruvuma ruvuma region0 + shinyangamkoa wa shinyangashinyanga region* +singidamkoa wa singidasingida region' +taboramkoa wa tabora tabora region$ +tanga mkoa wa tanga tanga region* +manyaramanyara regionmkoa wa manyara' +katavi katavi regionmkoa wa katavi' +simiyumkoa wa simiyu simiyu region' +songwemkoa wa songwe songwe region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/UA b/user/user_data/AutofillStates/2025.6.13.84507/UA new file mode 100644 index 0000000..663f952 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/UA @@ -0,0 +1,30 @@ + +UAI +вінницькаvinnytsia oblast!вінницька областьL +волинська обл volyn oblast!волинська областьN +луганська облluhansk oblast!луганська областьq +'дніпропетровська облdnipropetrovsk oblast/дніпропетровська областьJ +донецька облdonetsk oblastдонецька областьW +житомирська облzhytomyr oblast%житомирська область^ +закарпатська облzakarpattia oblast'закарпатська областьU +запорізька облzaporizhia oblast#запорізька областьq +'іванофранківська облivanofrankivsk oblast/іванофранківська область +місто київ kyiv city@ +київська kyiv oblastкиївська областьe +#кіровоградська облkirovohrad oblast+кіровоградська областьG +севастополь +sevastopol!город севастопольU + ар крымcrimea2автономная республика крымкрымK +львівська обл lviv oblast!львівська область: +'миколаївська областьmykolaiv oblastT +одеська обл odesa oblastодеська областьодещинаR +полтавська облpoltava oblast#полтавська областьP +рівненська обл rivne oblast#рівненська областьC +сумська обл sumy oblastсумська область] +тернопільска облternopil oblast)тернопільська областьR +харківська облkharkiv oblast#харківська областьR +херсонська облkherson oblast#херсонська область[ +хмельницька облkhmelnytskyi oblast%хмельницька областьO +черкаська облcherkasy oblast!черкаська область\ +чернігівська облchernihiv oblast'чернігівська область: +%чернівецька областьchernivtsi oblast \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/UG b/user/user_data/AutofillStates/2025.6.13.84507/UG new file mode 100644 index 0000000..4d48993 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/UG @@ -0,0 +1,6 @@ + +UG' +centralcentral region mkoa wa kati, +easterneastern regionmkoa wa mashariki. +northernmkoa wa kaskazininorthern region, +westernmkoa wa magharibiwestern region \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/US b/user/user_data/AutofillStates/2025.6.13.84507/US new file mode 100644 index 0000000..ed957f6 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/US @@ -0,0 +1,61 @@ + +US +alaskaak +alabamaalala +arkansasarark +arizonaarizaz) + +californiacacalifthe golden state +coloradococolo + connecticutconnct, +district of columbiadcdist of columbia +delawarededel +floridaflfla +georgiagausga +hawai'ihihawaii + +iowaia + gem stateididaho +illinoisilill +indianainind +kansaskankansks +kentuckyky + louisianala + massachusettsmamass@ +chesapeake bay statemd +free statemarylandold line state +maineme +michiganmimich + minnesotaminnmn +missourimo + mississippimissms$ +big sky countrymontmtmontana +north carolinanc + north dakotandndak +nebraskanenebnebr + new hampshirenh + +new jerseynj + +new mexiconmnmex2 +battle born statenevnvnevada silver state0 +new yorknynew york statethe empire state + +ohiooh +oklahomaokokla +oregonororeoreg + pennsylvaniapa + rhode islandri +south carolinasc + south dakotasdsdak + tennesseetenntn% +texastextxthe lone star state + +utahutL +commonwealth of virginiavamother of presidents old dominionvirginia +vermontvt + +washingtonwawash + wisconsinwiwis + west virginiawvwva +wyomingwywyo \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/UY b/user/user_data/AutofillStates/2025.6.13.84507/UY new file mode 100644 index 0000000..1a333c6 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/UY @@ -0,0 +1,23 @@ + +UY6 +artigasartigas departmentdepartamento de artigas< + canelonescanelones departmentdepartamento de canelonesB + cerro largocerro largo departmentdepartamento de cerro largo6 +coloniacolonia departmentdepartamento de colonia6 +departamento de duraznoduraznodurazno department6 +departamento de floridafloridaflorida department3 +departamento de floresfloresflores department< +departamento de lavalleja lavallejalavalleja department< +departamento de maldonado maldonadomaldonado department? +departamento de montevideo +montevideomontevideo department< +departamento de paysandú paysandúpaysandú department? +departamento de río negro +río negrorío negro department0 +departamento de rocharocharocha department3 +departamento de riverariverarivera department0 +departamento de saltosaltosalto department< +departamento de san josé san josésan josé department6 +departamento de sorianosorianosoriano department^ +departamento de tacuarembodepartamento de tacuarembó tacuarembótacuarembó departmentK +departamento de treinta y trestreinta y trestreinta y tres department \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/UZ b/user/user_data/AutofillStates/2025.6.13.84507/UZ new file mode 100644 index 0000000..d7150b7 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/UZ @@ -0,0 +1,16 @@ + +UZ +toshkenttashkentJ +andijonandijan regionandijon viloyatiандижон вилояти) +buxorobukhara regionbuxoro viloyati^ +farg'onafarg'ona viloyatifargona viloyatifergana regionфаргона вилоятиF +jizzaxjizzakh regionjizzax viloyatiжиззах вилоятиO +namangannamangan regionnamangan viloyatiнаманган вилоятиE +navoiy navoiy regionnavoiy viloyatiнавоий вилояти7 + qashqadaryoqashqadaryo regionqashqadaryo viloyati +qoraqalpog'istonqoraqalpog’iston respublikasirepublic of karakalpakstan7қоракалпоғистон республикасиT + samarqandsamarqand regionsamarqand viloyati!самарқанд вилоятиM +sirdaryosirdaryo regionsirdaryo viloyatiсирдарё вилояти7 + surxondaryosurxondaryo regionsurxondaryo viloyati. +toshkenttashkent regiontoshkent viloyatiE +xorazm xorazm regionxorazm viloyatiхоразм вилояти \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/VC b/user/user_data/AutofillStates/2025.6.13.84507/VC new file mode 100644 index 0000000..c825a40 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/VC @@ -0,0 +1,10 @@ + +VC + charlottecharlotte parish. + saint andrewsaint andrew parish st andrew! + saint davidsaint david parish. + saint georgesaint george parish st george1 + saint patricksaint patrick parish +st patrick + +grenadinesgrenadines parish \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/VE b/user/user_data/AutofillStates/2025.6.13.84507/VE new file mode 100644 index 0000000..012d7bd --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/VE @@ -0,0 +1,34 @@ + +VET +distrito capital dto capitalcapital district!distrito metropolitano de caracas- + anzoátegui +anzoateguiestado anzoátegui +apure +aragua +barinas +bolívarestado bolívar + +carabobo +cojedes +falcón + +guárico +lara +mérida +gobierno de mirandamiranda +monagas + nueva esparta + +portuguesa +sucre + +táchira + +trujillo +yaracuy +zulia_ +dependencias federales"dependencias federales venezolanas!federal dependencies of venezuela. + estado vargas +edo vargas la guairavargas + delta amacuro +amazonasam \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/VG b/user/user_data/AutofillStates/2025.6.13.84507/VG new file mode 100644 index 0000000..98e6fca --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/VG @@ -0,0 +1,7 @@ + +VG +tortola + virgin gorda +anegada + other islands + jost van dyke \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/VI b/user/user_data/AutofillStates/2025.6.13.84507/VI new file mode 100644 index 0000000..b9efd86 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/VI @@ -0,0 +1,6 @@ + +VI + st thomas +st john + +st croix \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/VN b/user/user_data/AutofillStates/2025.6.13.84507/VN new file mode 100644 index 0000000..80f8e97 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/VN @@ -0,0 +1,81 @@ + +VN' + lai châulai chautỉnh lai châu$ +lào cailao caitỉnh lào cai + hà giangtỉnh hà giang) + +cao bằngcao bangtỉnh cao bằng! +sơn lason latỉnh sơn la + yên báitỉnh yên bái# + tuyên quangtỉnh tuyên quang! + lạng sơntỉnh lạng sơn# + quảng ninhtỉnh quảng ninh5 + +hoà bìnhhoa binh +hòa bìnhtỉnh hòa bình + +ninh bìnhtỉnh ninh bình, + thái bình thai binhtỉnh thái bình6 + +thanh hoá thanh hoa +thanh hóatỉnh thanh hóa& + nghệ annghe antỉnh nghệ an& + hà tĩnhha tinhtỉnh hà tĩnh% + quảng bìnhtỉnh quảng bình% + quảng trịtỉnh quảng trịe +thành phố huếhue citythừa thiên huếthừa thiên huếtỉnh thừa thiên huế! + quảng namtỉnh quảng nam +kon tumtỉnh kon tum1 + quảng ngãi +quang ngaitỉnh quảng ngãi +gia laitỉnh gia lai0 + bình định binh dinhtỉnh bình định + phú yêntỉnh phú yên7 +tỉnh đăk lăkdak lak đăk lắk đắk lắk. + khánh hoà khánh hòatỉnh khánh hòa- + lâm đồnglam dongtỉnh lâm đồng# + ninh thuậntỉnh ninh thuận + tây ninhtỉnh tây ninh+ +tỉnh đồng naidong nai đồng nai% + bình thuậntỉnh bình thuận +long antỉnh long anG +bà rịa vũng tàuba ria vung tautỉnh bà rịa vũng tàu +an giangtỉnh an giang0 +tỉnh đồng tháp dong thap đồng tháp/ + tiền giang +tien giangtỉnh tiền giang + kiên giang +kien giang* + +vĩnh longtỉnh vĩnh long vinh long& + bến treben tretỉnh bến tre' + trà vinhtra vinhtỉnh trà vinh, + sóc trăng soc trangtỉnh sóc trăng! + bắc kạntỉnh bắc kạn, + bắc giang bac giangtỉnh bắc giang+ + bạc liêubac lieutỉnh bạc liêu) + +bắc ninhbac ninhtỉnh bắc ninh1 + bình dương +binh duongtỉnh bình dươngE +bình phước +binh phuocbình phướctỉnh bình phước+ +cà mauca maucà mautỉnh cà mau0 + hải dương hai duongtỉnh hải dương +hà namtỉnh hà nam) + +hưng yênhung yentỉnh hưng yên+ + nam địnhnam dinhtỉnh nam định + +phú thọtỉnh phú thọ2 + thái nguyên thai nguyentỉnh thái nguyên! + vĩnh phúctỉnh vĩnh phúc0 +tỉnh điện biên dien bien điện biên% + đăk nôngdak nong đắk nông, + hậu giang hau giangtỉnh hậu giang= +cà mau +cần thơthành phố cần thơ tp cần thơ@ +tp đà nẵngda nangthành phố đà nẵng đà nẵngN + hà nộihanoithành phố hà nộithủ đô hà nội tp hà nội* + hải phòng hai phongtp hải phòng] +hồ chí minhho chi minh city sài gònthành phố hồ chí minhtp hồ chí minh \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/VU b/user/user_data/AutofillStates/2025.6.13.84507/VU new file mode 100644 index 0000000..047ead2 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/VU @@ -0,0 +1,8 @@ + +VU +malampamalampa province" +penamapenama provincepénama +sanmasanma province +shefashefa provinceshéfa +tafeatafea provincetaféa +torbatorba province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/WF b/user/user_data/AutofillStates/2025.6.13.84507/WF new file mode 100644 index 0000000..c1d0b71 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/WF @@ -0,0 +1,5 @@ + +WF +alo +sigave +wallis \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/WS b/user/user_data/AutofillStates/2025.6.13.84507/WS new file mode 100644 index 0000000..a1decd8 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/WS @@ -0,0 +1,14 @@ + +WS +a'ana + +aigailetai +atua + fa'asaleleaga + gaga'emauga gagaʻemauga + gaga'ifomauga +palauli + satupa'itea + tuamasaga + va'aofonoti + vaisigano \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/XK b/user/user_data/AutofillStates/2025.6.13.84507/XK new file mode 100644 index 0000000..0f9dcff --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/XK @@ -0,0 +1,11 @@ + +XKe +pejëdistrict of pejëqarku i pejësrajoni i pejësregjioni i pejësпећки округi +prizrendistrict of prizrenrajoni i prizrenitregjioni i prizrenitпризренски округ + +mitrovicëdistrict of mitrovicërajoni i mitrovicësregjioni i mitrovicës/косовскомитровачки округs + +prishtinëdistrict of prishtinërajoni i prishtinësregjioni i prishtinësприштински округf +ferizajdistrict of ferizajrajoni i ferizajitrajonii ferizajitурошевачки округi +gjakovëdistrict of gjakovërajoni i gjakovësregjioni i gjakovësђаковички округu +gjilandistrict of gjilanqarku i gjilanitrajoni i gjilanitregjioni i gjilanitгњилански округ \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/YE b/user/user_data/AutofillStates/2025.6.13.84507/YE new file mode 100644 index 0000000..a705bb6 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/YE @@ -0,0 +1,28 @@ + +YE( +arkhabil suqutrásocotra +سقطرىE +abyanabyan governorateأبينابينمحافظة أبين7 +'adan'adan governorateعدنمحافظة عدنA +'amran'amran governorate +عمرانمحافظة عمرانO + al bayda'al bayda' governorateالبيضاءمحافظة البيضاءI +ad dali'ad dali' governorate الضالعمحافظة الضالع5 +ذمارdhamar governorateمحافظة ذمارL + hadramauthadhramaut governorate حضرموتمحافظة حضرموتO +hajjahhajjah governorateحجة حجة‎حجهمحافظة حجة‎c + al hudaydahal hudaydah governorateالحديدةالحديدهمحافظة الحديدة5 +ibbibb governorateإبابمحافظة إبC +al jawfal jawf governorate +الجوفمحافظة الجوف7 +lahijlahij governorateلحجمحافظة لحجG +ma'ribma'rib governorateمأربماربمحافظة مأربY + al mahrahal mahrah governorate المهرة المهرهمحافظة المهرةO + al mahwital mahwit governorateالمحويتمحافظة المحويت^ +raymahraymah governorateريمةريمهمحافظة ريمةمحافظة ريمهV +amanat al 'asimah sana'a cityأمانة العاصمةامانة العاصمهF +sa'dahsaada governorateصعدةصعدهمحافظة صعدةI +shabwahshabwah governorateشبوةشبوهمحافظة شبوةA +san'a'sana'a governorate +صنعاءمحافظة صنعاء9 +ta'izzta'izz governorateتعزمحافظة تعز \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/YT b/user/user_data/AutofillStates/2025.6.13.84507/YT new file mode 100644 index 0000000..0cc42fb --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/YT @@ -0,0 +1,18 @@ + +YT* + canton 97605canton de koungoukoungou, + canton 97604canton de dzaoudzidzaoudzi, + canton 97613canton de tsingonitsingoni* + canton 97603canton de dembenidembeni: + canton 97607canton de mamoudzou2canton of mamoudzou2+ + canton 97610canton d'ouanganiouangani$ + canton 97612canton de sadasada0 + +bandraboua canton 97601canton de bandraboua0 + canton 97608canton de mamoudzou3 +mamoudzou32 +bouéniboueni canton 97602canton de bouéni; + canton 97606canton de mamoudzou1 mamoudzou +mamoudzou1. + canton 97609canton de mtsamboro mtsamboro, + canton 97611canton de pamandzipamandzi \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/ZA b/user/user_data/AutofillStates/2025.6.13.84507/ZA new file mode 100644 index 0000000..1a70906 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/ZA @@ -0,0 +1,14 @@ + +ZAM + eastern capeeciphondo yampumakolonikapa botjhabelakwaxhosaooskaap[ + +free statefs freistata ifleyistataiphondo yafreyistataorange free statevrystaat. +gtgpgautengigautengiphondo yarhawuti? + kwazulunatalkzniphondo yakwazulunatala kwazulunatalanl3 +limpopolpiphondo yalimpoponorthern province& + +mpumalangampiphondo yampumalangaX + northern capencikipi lasenyakathoiphondo yasemntlakoloni kapa leboya noordkaapo + +north westnwbokone bophirimiphondo yasemntlantshonaleboya bophirimelanoordwesnyakathontshonalanga^ + western capewcikipi lasentshonalangaiphondo yantshonakolonikapa bophirimelaweskaap \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/ZM b/user/user_data/AutofillStates/2025.6.13.84507/ZM new file mode 100644 index 0000000..2f7fff4 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/ZM @@ -0,0 +1,13 @@ + +ZM +muchingamuchinga province +westernwestern province +centralcentral province+ +easterneastern provinceeastern zambia +luapulaluapula province +northernnorthern province% + northwesternnorthwestern province +southernsouthern province! + +copperbeltcopperbelt province +lusakalusaka province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/ZW b/user/user_data/AutofillStates/2025.6.13.84507/ZW new file mode 100644 index 0000000..fb9ccf9 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/ZW @@ -0,0 +1,13 @@ + +ZW +bulawayobulawayo province +harareharare province! + +manicalandmanicaland province3 +mashonaland centralmashonaland central province8 +mashonaland east mahusekwamashonaland east province +midlandsmidlands province1 +matabeleland northmatabeleland north province1 +matabeleland southmatabeleland south province' +masvingomasvingo provincevictoria- +mashonaland westmashonaland west province \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/_metadata/verified_contents.json b/user/user_data/AutofillStates/2025.6.13.84507/_metadata/verified_contents.json new file mode 100644 index 0000000..54fe21d --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJBRCIsInJvb3RfaGFzaCI6IndFX2FPTjRZSngyWGEwWVluOUhzSXNwNXk3X25SLWVrbjhIMWVwU0RjcmMifSx7InBhdGgiOiJBRSIsInJvb3RfaGFzaCI6IkRrZVE0QllVVnc2ZFI1VEkybkJLYmpZUk1NZnJKS0JRd1FUXzE5XzV0bEEifSx7InBhdGgiOiJBRiIsInJvb3RfaGFzaCI6ImVtY1Z0WkdCdUdJa1YxS3hWdFJRa3pkcm1JMGpZbTdfNTU4ZzJtTXo0S3MifSx7InBhdGgiOiJBRyIsInJvb3RfaGFzaCI6IkhSZVdPZ3ZPdEYzQmZ1TWt1QURicjVJWmVKUkU2QmJIeUJEMWlFcS0wVkEifSx7InBhdGgiOiJBTCIsInJvb3RfaGFzaCI6IllkZHFyNFhoTVd2NUl4RDBxQllJandfeW9oYXQwTVhsYWU2eW82alB2c1kifSx7InBhdGgiOiJBTSIsInJvb3RfaGFzaCI6InJWRl8tdmtQZHE3ZHo5S1Q2N1Y3WklJNnlWWUQ5SmVsNVZsd0toZXBDVE0ifSx7InBhdGgiOiJBTyIsInJvb3RfaGFzaCI6ImZDU2VUcTJvcXhXbnB5YWtrRC1pVFZKbUlnTGM0WU5tV3VQd3BmRVBCeDQifSx7InBhdGgiOiJBUiIsInJvb3RfaGFzaCI6InJaa0g3MGVNV0dYWVoyZ3VVZFdJWjZ3WEZyWWtFaWVhbUNZYTRremFiX0kifSx7InBhdGgiOiJBUyIsInJvb3RfaGFzaCI6Il9CRnpqdVdkVzVia0lEb1R0eWRLWGlDc09RZHFjSWhuN3RCRkNMcUMxNDQifSx7InBhdGgiOiJBVCIsInJvb3RfaGFzaCI6IlJkeXdjQmNqSnI5UlY3aVJkSmNybE1NT0hlLTdRNXg5ZmhWVGNUTmthUmMifSx7InBhdGgiOiJBVSIsInJvb3RfaGFzaCI6InRHc19JV2pYajJFTzNBUjkxSDRKS1hzendjaXF2UDQ1SGY4NXJqM18xRDgifSx7InBhdGgiOiJBWCIsInJvb3RfaGFzaCI6InJRV18yb24xd3ZMX1B6MmZWcTR2aE45V051UlV6YVNtX3AzeTQtajJVUG8ifSx7InBhdGgiOiJBWiIsInJvb3RfaGFzaCI6IjlQTWNZbGVTanUxWEF1WjdWay11ZTRJd0VwU2ZpTV9jSmtKc1ZrUnlQbGcifSx7InBhdGgiOiJCQSIsInJvb3RfaGFzaCI6IjBNRE85Sko4Qk1rbUdBcEpObUI4RGJBZ21qazZHbklIZ180SjhDUm80dGcifSx7InBhdGgiOiJCQiIsInJvb3RfaGFzaCI6Il9leEFRQkdSS1FNb2dZLW1Zb0hORDhzVm10SHdBQzBtQ1NCSWY4Tl9tOVUifSx7InBhdGgiOiJCRCIsInJvb3RfaGFzaCI6InhUcFhkWHZ6SHAwV0l2SldoOVhVVFZwV0Z3eE4zLW9jLVFvTEhIMGtQRXMifSx7InBhdGgiOiJCRSIsInJvb3RfaGFzaCI6IkNpbXdqelZQMXkzWTZLMjlEVkFJQUlZazR1SGRxTDVFRkdpYkRfYllqbTgifSx7InBhdGgiOiJCRiIsInJvb3RfaGFzaCI6IkJCdmlYNGhPMWdRemZCM2dnLURGYWVvQUdQVWkwLTlQREVIbG1yNGNWblkifSx7InBhdGgiOiJCRyIsInJvb3RfaGFzaCI6Illuc18tMXhQRnRCVXJZS2pNdXUydEhWeG5UaFpVUDluS0lJTlZINmxySUkifSx7InBhdGgiOiJCSCIsInJvb3RfaGFzaCI6IlpXck93MVA5ZnVBSDJfaFN3b3RlTDllWHpzU3hyLVZlV3pLdGEyRi03dTgifSx7InBhdGgiOiJCSSIsInJvb3RfaGFzaCI6Ik54RWVxMXZ2ejZnVEF6WlFnZVo4NWVna3hGY2Q0ekdHd2VucjJMaE1tb0EifSx7InBhdGgiOiJCSiIsInJvb3RfaGFzaCI6Ik5TVHVQTW1TbVdPS0RXTVR2b3ItTFhnWUlOdzF2SEJEX2tiXzdZamRQRTAifSx7InBhdGgiOiJCTSIsInJvb3RfaGFzaCI6Inp6bnd0emQ2RVV4ZnJPNTlCejhFZFA2QWkxZ3ZGLWRaeThlS0htTmlGV2sifSx7InBhdGgiOiJCTiIsInJvb3RfaGFzaCI6IlMzZGVWRlE1RmxXdWNJWG80b1I0bUNwUU9fa2kwZVVSM2JYV3RXS0VOTGsifSx7InBhdGgiOiJCTyIsInJvb3RfaGFzaCI6InpLcU9qMFExLVMtYjd2ZVAxYng5QkhIaWhDSFFkZmpORlpXSnphTmhQTkEifSx7InBhdGgiOiJCUSIsInJvb3RfaGFzaCI6IjZKMVdjSDZBaWY3SUYyaUFFMnVSMW9CMVRhaVVuWkxubmhrZlQ3bzZ6SEUifSx7InBhdGgiOiJCUiIsInJvb3RfaGFzaCI6Ik9Rd1pWNUtZMS1PQml3VzI5Vkw2MzQ2WmRLLUdhNHJOaGhCdWY4TnlKVWMifSx7InBhdGgiOiJCUyIsInJvb3RfaGFzaCI6ImhuNVhUWGxRYmY2YmVYaTIzeTJNWTJIYy1tNFFVbklVb2F4eHQtN1FPWXMifSx7InBhdGgiOiJCVCIsInJvb3RfaGFzaCI6IlRjMmNmQTQtTlREZ3RvVzlZRDhLS3JBWU5ndlNmeFIzSlcwdXN2ejM1V2MifSx7InBhdGgiOiJCVyIsInJvb3RfaGFzaCI6ImhSSlV6b0NPREtIODh3SEotMEZvQmZRQ0FrZ3FqUXg3Njgwbi1hc01DOUkifSx7InBhdGgiOiJCWSIsInJvb3RfaGFzaCI6IjU3TjJ1bXcwQS1TQTc0eGU3UGx1UGtzbkQ4ZVJnVUd1OGQ4bkgzYUN6RGcifSx7InBhdGgiOiJCWiIsInJvb3RfaGFzaCI6Ik53VTdQR21Qa1pkRXpLdEMweFFQOGUwdVhhaG9RcElNaENuQXd6OUoyWlUifSx7InBhdGgiOiJDQSIsInJvb3RfaGFzaCI6ImJkYlIzT2hwTHpILURibzRnRXo3OUF6MnJMUjI1TWtueVFDbWFGc2g0dk0ifSx7InBhdGgiOiJDQyIsInJvb3RfaGFzaCI6IktUeVdpaGdzdlRaWWsxRnhwaE5CTUdDVjkwV3E1eC1GZ3Nza3RsZ0tITUUifSx7InBhdGgiOiJDRCIsInJvb3RfaGFzaCI6InpZaHlHbkNNZUJKWTRHRWlESGluRnRPejhGTEJBRlVZdmx2UFN3b3htTDAifSx7InBhdGgiOiJDRiIsInJvb3RfaGFzaCI6IjhzLUxzb0xDcWtBWHBaQ0IweDBOVE1aQXpRM2FpSVd2WkpCam54ME4tbzAifSx7InBhdGgiOiJDRyIsInJvb3RfaGFzaCI6IkdVRldBWmxFZHhQWE5pWnV5TU00cEl0cG12SVhUNWNUN25GN3VHQ3NxbFEifSx7InBhdGgiOiJDSCIsInJvb3RfaGFzaCI6InQ5cHZlZ0hxN1lFb193U2R0eVdxV2h5V2llNGNCU0dHR2lkYU9wZDRnZUEifSx7InBhdGgiOiJDSSIsInJvb3RfaGFzaCI6IjZBYmZIanYyQ3o0ZTlmTVZlNUZUSjlzS1lhYUpPYnlKemdJRTlpbGVUalUifSx7InBhdGgiOiJDTCIsInJvb3RfaGFzaCI6IlgtcGR2dDZZa0Fmc2c2RXN2TXpCRFVFbW1zLTRHWVU4M1NkNUk2RVlLMGMifSx7InBhdGgiOiJDTSIsInJvb3RfaGFzaCI6Im1xejRHa3pmOTBJVnVNdklIdUVWWlA0aFdLZVduRTVfd0RMWnQzbnVoRk0ifSx7InBhdGgiOiJDTiIsInJvb3RfaGFzaCI6IlA4eE1QN0NWMTdESTJJclUwVURGODFNdHRTUUhYUHl4TzZMbUdQR1paMWcifSx7InBhdGgiOiJDTyIsInJvb3RfaGFzaCI6ImJ4ZFRZejRKRVd5bTdTVWYxRlBIVHdLTTVYZmVkRl9fYWRmbFl5NTJhczAifSx7InBhdGgiOiJDUiIsInJvb3RfaGFzaCI6IlRlN3B2TTViQmdTakw2RGpTRnZUOF90YUgzVncwMmw1NWszSDdlWktrcm8ifSx7InBhdGgiOiJDVSIsInJvb3RfaGFzaCI6IlN6RzhPcHczTG9sOTNyTFJBeWVtZUFMNmhzbnMzazFjazJuaU5yQ3lsUHMifSx7InBhdGgiOiJDViIsInJvb3RfaGFzaCI6IkREWkd1MnNrUmNpb3pPblpSRTQ2dGIzVDhsdFZaYTVBLXFBMm5MUHJGOEEifSx7InBhdGgiOiJDWCIsInJvb3RfaGFzaCI6InhQUGVGTzFMd20ycmxxTDFybV82MFc4WHY3ZzNkR2ZDTUtyYkhHTnpTelkifSx7InBhdGgiOiJDWSIsInJvb3RfaGFzaCI6ImxBcWtXQ0FuTmh2eGpDNHNwdGRhdzAxX2lBUXp0OWFMS05Mb3dtdjVSbUEifSx7InBhdGgiOiJDWiIsInJvb3RfaGFzaCI6IkZJQ01PQjdvdzhDVURMaXdsTDQ4TDVMV3cwRDdMai1QeEdYaklDUUVVM0UifSx7InBhdGgiOiJERSIsInJvb3RfaGFzaCI6InRQMlg5V1N1c3h6Vi1oUVoyM3V3YjBwWlg2XzFpdWQzaXA5V2RObnRzX0kifSx7InBhdGgiOiJESiIsInJvb3RfaGFzaCI6IkVERHJmbjZ3dkxDWEZCNUNxb2lqbVV5dWpvQzY5TGJoUHhyc3ZYYlNwck0ifSx7InBhdGgiOiJESyIsInJvb3RfaGFzaCI6Ikx4OEtTd1hzbG9hVGttWU1ORXA5ZjRmemdVbHU5TjRQUmU1YS1tcnd3NlkifSx7InBhdGgiOiJETSIsInJvb3RfaGFzaCI6IkR5T0NOd1ZTZE1sY0ZEOHlMWVpVQnZwYnRranoxek85WWpxdEZpcmN0VGsifSx7InBhdGgiOiJETyIsInJvb3RfaGFzaCI6IldXNHpGeXFFWU9xbk1JMno5ajhsOENsZmE5N2FWYjBlYTQ1N3N3cWFRd2sifSx7InBhdGgiOiJEWiIsInJvb3RfaGFzaCI6IkxWRkN3UVluQXhQcTl1bkwydEpzdHBMcE9JMWp6RGNULWJKMlZsbkMzZjgifSx7InBhdGgiOiJFQyIsInJvb3RfaGFzaCI6InpzX0c2eTh4TjM4eFNrZDBIc1J3MDF6TUY3VWRNcVowUHhQd09xODBpUVUifSx7InBhdGgiOiJFRSIsInJvb3RfaGFzaCI6IjFiVnQ0S1hjZHV4cUtHTk1YcEVocjlLc3lkbXppOWlXMU9mZGZ3cmNicTAifSx7InBhdGgiOiJFRyIsInJvb3RfaGFzaCI6IkRJYjFUa2pQbzJnWGtISnRqLXRvNWgzNEFwV0JqNnYzUzBIc3lFOU1DV3cifSx7InBhdGgiOiJFSCIsInJvb3RfaGFzaCI6IndpaFJhVDZBcTA4RC1uSERIbnVLMlJLWG4zbGxEczJYYVRKUmo0aFdKZWMifSx7InBhdGgiOiJFUiIsInJvb3RfaGFzaCI6IlpyWk9TYWJjUElReEV3U0NGck5OREVaQ24wNWN2N1prN1hRUFl0dmVhT28ifSx7InBhdGgiOiJFUyIsInJvb3RfaGFzaCI6IlNYT3hoUzYzQjdIZUNybnJMbXFhY19RUkxsRXpmRmlZQ1dyVkwwS25aYncifSx7InBhdGgiOiJFVCIsInJvb3RfaGFzaCI6Im5yTVc3bS1nT25PWnQ4TzFKMTRJUnBFY1VuMDd3S3RTOEpBcTZmSVZkNlUifSx7InBhdGgiOiJGSSIsInJvb3RfaGFzaCI6IkJWYlZxVm5pdzZ1VUcxblcwOUpmaE1RZXh3bEx0eXRINElNb1ZyUmdDbFEifSx7InBhdGgiOiJGSiIsInJvb3RfaGFzaCI6IjQtdmFtYWtTZVdmcXdOMmg2d3RRc1FpY2pUOURPU3Z2UHUydXc2cmpRdDAifSx7InBhdGgiOiJGTSIsInJvb3RfaGFzaCI6Ik1Yakp3enFKRGRGUU5vaVhjRzY1aTg1bEdTd3ZMQUh5dThDTkE5bU91R00ifSx7InBhdGgiOiJGTyIsInJvb3RfaGFzaCI6Ik9ObVpscWZLcU1KeGxXRGpQQXNoNFMtTGJxaWVMWWVZeHp2TFRSTzRpM2sifSx7InBhdGgiOiJGUiIsInJvb3RfaGFzaCI6IkdQZl9yTGh3bGNiUVlWVVZjXy10Tmw2RVRzZ1ZuNjhhNUdGbnF1TzQ1dFUifSx7InBhdGgiOiJHQSIsInJvb3RfaGFzaCI6IjIzZDlnd0FndHYxTkR3VlFOcWFaalhyOGphTk1HYWtGblNrYWJ4YU5BQTgifSx7InBhdGgiOiJHQiIsInJvb3RfaGFzaCI6Ii1WZnhQaGl4Q0EwaklFZmROWS1id2IyejRNdVpzdjNTNHJNaWxsdEZoRjgifSx7InBhdGgiOiJHRCIsInJvb3RfaGFzaCI6Im8wTXdQWkk2bXJscHkwV2hZZU13QzF4bUl2ZllGQ1IyVTg5TE0tbU9ibmsifSx7InBhdGgiOiJHRSIsInJvb3RfaGFzaCI6ImxMbE1Jc2lXaUptYkp5WUkwTUJQTy12WEt4eVVaQ1hTcjEtRWNRdkNMYmsifSx7InBhdGgiOiJHRiIsInJvb3RfaGFzaCI6IkxSZjdUV0p2VU9LbEU1cHdXTXpjNFM3SFBPUGtYUjkxRlpDQmhOOHRZV2cifSx7InBhdGgiOiJHRyIsInJvb3RfaGFzaCI6IlhjVWRLdFBZN0djQnJwLUx0SjJjLV9VQTVieVFFa094Z2NRY0Y3cW5SR0EifSx7InBhdGgiOiJHSCIsInJvb3RfaGFzaCI6Im5GUDFhWnlpbDNiYW8zSmxrSlFSSldndHJzdkxkQW9GTk9EdDI0T0FnZlkifSx7InBhdGgiOiJHTCIsInJvb3RfaGFzaCI6ImlmdXRqOTZ5d0NNeGR5cDU1Wjc4RjlwU0hQZGx6MGdxYmJiX3h2N2ZaMkEifSx7InBhdGgiOiJHTSIsInJvb3RfaGFzaCI6IkxhWjJQamVtc2JXdE9WNzB0czZYTUxJRVJIRHhnQXphdkRCRDVGNVhLN1kifSx7InBhdGgiOiJHTiIsInJvb3RfaGFzaCI6InBOeXh4LTJtd0k1Mm1uNG1PTEZoVHY5QmZCTVIzZU5FbWZJYzZpeWc1aTQifSx7InBhdGgiOiJHUCIsInJvb3RfaGFzaCI6IkpFdFA5S3NKX3AzWlFzdkJVU0lxQlVkTDJkcmpsVDJvRWs3ZnhlVVh3U28ifSx7InBhdGgiOiJHUSIsInJvb3RfaGFzaCI6InBkRW9EMXYxclJyYnZhV0hWSnFGeF9sNmpzalZQLUp4cnYwbUpEVHRTSFUifSx7InBhdGgiOiJHUiIsInJvb3RfaGFzaCI6IkFPU3hqOVV1SmxLdENnWmoybENYV2djTk9CaVNsR2c5Z19xTnp6RzhNVlkifSx7InBhdGgiOiJHVCIsInJvb3RfaGFzaCI6IjVMUkxyR2ROSGI5WDJQbFVhWHVVVDlzTlNRODZBa09oZDlycS05S1NJNVUifSx7InBhdGgiOiJHVyIsInJvb3RfaGFzaCI6IlluRVJGeVVYcFl0LW1vbjI3QjdlNlFTM3FXeF9ERmxCNVBxTHAzdUZwYjAifSx7InBhdGgiOiJHWSIsInJvb3RfaGFzaCI6InpXYVYxR0V2c2c2Mm9fOG5QT2NiRF81M2NJdmd5SWUxRjhYZkhIT3dlTnMifSx7InBhdGgiOiJISyIsInJvb3RfaGFzaCI6IjhlQS1YdGdEWk1nVlZ4VWEwNVp4UGVtU21VWXpaenNDSkpkbHlqTGpoVUEifSx7InBhdGgiOiJITiIsInJvb3RfaGFzaCI6Ik1tUHJ2R01zZWpNcXJ4M09uLWxCNlhXVnZkME9CZ1ZScjk1Q2ljRGVoUU0ifSx7InBhdGgiOiJIUiIsInJvb3RfaGFzaCI6Ik1KajlfNlBIVGthRm0yWW84XzNnak13ZFpvTDYtTGxJYTVSSnFKOG5RSFkifSx7InBhdGgiOiJIVCIsInJvb3RfaGFzaCI6ImdxaU43aHdMamhJQnlZSWVmRnFNQmEyQkkyRXFFSmNNT0hpb3RBTi0ybEUifSx7InBhdGgiOiJIVSIsInJvb3RfaGFzaCI6IkVoSC03RFhZdTZoYUdWc3lLMWpNVXRGZ2ZEOXEzd2JDbnFCWDVpOUlpMmcifSx7InBhdGgiOiJJRCIsInJvb3RfaGFzaCI6IjJjaGgwNVhJR29vMkNRYjhEd3hSREtnb2tIc2Y3OW9UTEFHVlRnc29rNHMifSx7InBhdGgiOiJJRSIsInJvb3RfaGFzaCI6ImZLS2h6UTBNSXhWRmhManhSbzlwcXIxX0J5UUFLYUhfSmc4WG1UX1k1aVUifSx7InBhdGgiOiJJTCIsInJvb3RfaGFzaCI6IlJGdU52WUtnaENPQklFOVVTdUVMM3lOTi1wZ2lfN1U0UEZHRmdTMnpSaFEifSx7InBhdGgiOiJJTSIsInJvb3RfaGFzaCI6InlHV1A1YjB2RHdMVmJMM3FvSjlPNzczQmN2VU1uQ0NkNTN2bGJLTlNndUkifSx7InBhdGgiOiJJTiIsInJvb3RfaGFzaCI6IlE0NTdoVW9aV3kxUzJlTGM2dVlzZFZaZUF6Nmc4cjhoVS1rUTRaUzdUN1kifSx7InBhdGgiOiJJUSIsInJvb3RfaGFzaCI6IkgtVkFsR1JLZURuaVFNaV9KNjNNRVctb3ZaSi1RcTEzQ0x1eFRVX1dRNEkifSx7InBhdGgiOiJJUiIsInJvb3RfaGFzaCI6Ik1HbXdIbW13dDNTLWFPb3Vjandnek9nT2RFSEpvNzBKSXV2ckJYekcwNE0ifSx7InBhdGgiOiJJUyIsInJvb3RfaGFzaCI6IjRhRUk5UE9HTXpyMF9VdW5RZlcwLXB4R3pYNlJJSGcwOGVJMmpUdkN0R28ifSx7InBhdGgiOiJJVCIsInJvb3RfaGFzaCI6InZyZ2IzWmgwZVZCQkJRTUMwZVNaRUJlWWl1Y0FtWGU2SVUwbTl4dEJkcncifSx7InBhdGgiOiJKRSIsInJvb3RfaGFzaCI6IkFHcVFCZ1ZaT29NODlqT3hoejcxM1FRV2pGOGxUR2dhSHRZTVM5cEtqZG8ifSx7InBhdGgiOiJKTSIsInJvb3RfaGFzaCI6ImR4b29sR3NPTmhHaHhwRk0wV21kd2VFVk16eGotaUtVRWhuMzBJVzRmS2MifSx7InBhdGgiOiJKTyIsInJvb3RfaGFzaCI6IjVyb2MxdUNJanNvSk40d3JkNzlvX1gtWFJHSGRYMHVXbWt1Z1E2eFBuVFkifSx7InBhdGgiOiJKUCIsInJvb3RfaGFzaCI6IjdSbnY0MW00RE9Yb0hBQjZxa2JlT3dZb1pMTDQ3eFFJeW5fampfalRwQmsifSx7InBhdGgiOiJLRSIsInJvb3RfaGFzaCI6InU0NEowTUxqamRtVlQ5RUlHM2lhN09JVUs0cWE5RzBIOHV4cVJLU0RuLUUifSx7InBhdGgiOiJLRyIsInJvb3RfaGFzaCI6IkpYbW1aWWNvTl9pZ2VlRUp2OTFRd0o1VVl6VE1RMGZ0TDZrZ28yX2UxN3cifSx7InBhdGgiOiJLSCIsInJvb3RfaGFzaCI6IlVsaW5raW8zVVlnaDdxRDFYZnY2TGN2ek9tNGZPTXpaODJjNFRDalgtVG8ifSx7InBhdGgiOiJLSSIsInJvb3RfaGFzaCI6IkxtT19ZM3pXWW84elB5UlVsMUdueEItdmFlQUtOcVU2S0wzaXNoUmoxbkEifSx7InBhdGgiOiJLTSIsInJvb3RfaGFzaCI6IjlnNHpNS1BvcTlFaEp5enE1TzQ4eGhXc1EwV3FSRGxJU0trRUx5bkhlY1EifSx7InBhdGgiOiJLTiIsInJvb3RfaGFzaCI6Ik0xeUJlVS1McVFZeEhSMGJySmdKS3dLX1p2MXlkeGlVWVIycVpqWmM5SUkifSx7InBhdGgiOiJLUCIsInJvb3RfaGFzaCI6IlZIMlRPQlhpUDN1MUxkYjU1Z1B1Vmx3WGJZUWpPa1lyb0l6S1dCRkIyd3MifSx7InBhdGgiOiJLUiIsInJvb3RfaGFzaCI6IkxFUnZ4R250QWU4ckI4YXBCQ0lwcS1HNGpfaUdjVWhSTmtiejJRbk1wTk0ifSx7InBhdGgiOiJLVyIsInJvb3RfaGFzaCI6IldDV1VPeUY2MmhNSGp0NlJKajFjNV9CMmxKX2h6UDktREZaM1VPMGZsbjgifSx7InBhdGgiOiJLWSIsInJvb3RfaGFzaCI6IjRtWEVkb1RGNTFPOFVfNkJXOFR5RE43d01NaEFQVGdUaFhxWGM0eWVabU0ifSx7InBhdGgiOiJLWiIsInJvb3RfaGFzaCI6IlRPLTJ5dE5ITE9qV2pLS041SkxGWGU2M2xGTVNUTzh0NDhmNVk3bS1QY0EifSx7InBhdGgiOiJMQSIsInJvb3RfaGFzaCI6ImxjUlllZF83aXFCdk5NeUlzZ21NX01HcDktd0VqTmQ0Vy1aOFNVWFFLRTgifSx7InBhdGgiOiJMQiIsInJvb3RfaGFzaCI6Iko4em1qc0cyalp6MXZfMHF5UDZvc3dpZWQ5UlF2MjBDSmE4emwzU3lyMFEifSx7InBhdGgiOiJMQyIsInJvb3RfaGFzaCI6Il9YbDZ0Q1hyMHRNNGlHMEJOTFY2TUE2S0RfX3d3UGd3aWNwa0FnZzU3UkEifSx7InBhdGgiOiJMSSIsInJvb3RfaGFzaCI6IkhMREppUEFxZ0dKY0tBR3NNUjhsRzI3NmFkRzNFNzAydmdDWERmbG05Q0kifSx7InBhdGgiOiJMSyIsInJvb3RfaGFzaCI6InFxbVVxbWltS2N0SXhTNWRackRpZXlHU0JtZGg4QWZ4QXNHdVVONURPUzgifSx7InBhdGgiOiJMUiIsInJvb3RfaGFzaCI6ImJ2bDdvZW5ubFk5RHhiTFAwdU5saWo0ZmpXYWNaeW9nbG0xek1DamtkV1kifSx7InBhdGgiOiJMUyIsInJvb3RfaGFzaCI6Im9DRW9TMHRpUHk4c1NqeU51anFDYjB3QWhZbE1DcVRUSl9CbC11WWpEbk0ifSx7InBhdGgiOiJMVCIsInJvb3RfaGFzaCI6IlJteVlHV2t1MlJ5S3M0TzA3VTZGUFFQRTJ5Ml9aallTNnZhcnF1QmtDQkkifSx7InBhdGgiOiJMVSIsInJvb3RfaGFzaCI6IkY5aElHdzNUY2RwSDY5c3JhQ19VTXRfUFlxbEw5N19XcFVDRWd2NGJESmcifSx7InBhdGgiOiJMViIsInJvb3RfaGFzaCI6IlFZR3VzZEttbzFBa0xtZ1NqdnpMVVJ0OGMzcEJDZzlpckQwQV8zZVJLNEUifSx7InBhdGgiOiJMWSIsInJvb3RfaGFzaCI6InI0ZzFmcmNVQXljdHJnWmhvMUZ6MWYtN3B3ZGR6ZDZsemNYeFJvaUV2Z1UifSx7InBhdGgiOiJNQSIsInJvb3RfaGFzaCI6IllfZ3lDeFFPRy1ldExpNWV5aGpKUW9acWtlVW1NcnJYN3pPWFNyZmNUM2cifSx7InBhdGgiOiJNRCIsInJvb3RfaGFzaCI6ImwwVHY2OVZacmEzdENTb1dyMklCaHV4bXp5c01uX3NlT0ZIcmVBQVBXSWMifSx7InBhdGgiOiJNRSIsInJvb3RfaGFzaCI6IlZTNEJzdXJJNVIzeHBiclk3dWJiZUdXdDIzUjZZZmVGNU82QVhvT0t3T00ifSx7InBhdGgiOiJNRyIsInJvb3RfaGFzaCI6ImdyVDZjSG9GWmh6UnBrYmRwa0hZRUkyS0dNUHBMdlk2REVRb2ktV0pkeFUifSx7InBhdGgiOiJNSCIsInJvb3RfaGFzaCI6IjVUYnVpbjU2cE9sY3VHZDZHSjFhbk5nUUpYWVNNQUkzMDlTS1FsTkMwUWsifSx7InBhdGgiOiJNSyIsInJvb3RfaGFzaCI6IjlpNDFFR2ZMMC1xTnFhQmY5WHpDQmNCblJzcll1dkJGbHRYRjJBZDlub3MifSx7InBhdGgiOiJNTCIsInJvb3RfaGFzaCI6IkFCbXpiRWJ0aHh1M3kwZHJ6VHVQT2JhcS1hNFE5VWo4U0pfckw2VlVNamsifSx7InBhdGgiOiJNTSIsInJvb3RfaGFzaCI6IkItbTBDZ203UzJJY2xiU040T0VVT285M0NiUWJjUDJLamE4WjVfQzJYb2MifSx7InBhdGgiOiJNTiIsInJvb3RfaGFzaCI6IlhsbXFLbHZvVWktQ1VkT0xUWC1wc2FPWFpsVXptTDhiTlYxYnB4LXdUVEEifSx7InBhdGgiOiJNUCIsInJvb3RfaGFzaCI6ImJEWHd1ZFlEOHpCdEpzdDlPVTdXRjExTEVsNjRlYm9LQjdkT2gzRGlPS0kifSx7InBhdGgiOiJNUSIsInJvb3RfaGFzaCI6Ii1ueWNiT3hVVTRXdFZRQ0QtWUVUdVpZY0d4Q0lqUmZLcWFtcGNBWkFsRGsifSx7InBhdGgiOiJNUiIsInJvb3RfaGFzaCI6Ik5vZXVhN1RPa3BzdDA2elF0WFlnR2tvQV9lU29qNDkxVkpvQUlUOVJadmsifSx7InBhdGgiOiJNUyIsInJvb3RfaGFzaCI6IkMzZDE4WHVkYXZTaDdSN0toWmZxaTkteHZrMml6Y0VzNE1kSVEwS05zOXMifSx7InBhdGgiOiJNVSIsInJvb3RfaGFzaCI6IlI1MEI5dWkyekQ0azNnLTRsMFEybmluWURJNjFZcGUxMGxFX1RjZXZlUzAifSx7InBhdGgiOiJNViIsInJvb3RfaGFzaCI6Im16T2EzMVUxUlJ1TFhxUVlhWEVKWHJ6cmFvSUpMdDZNSWVVOXJOaWF3TE0ifSx7InBhdGgiOiJNVyIsInJvb3RfaGFzaCI6Imk1MHJkQUd3Z0FWREhYb2hOTmNTUlhZS29wbjRDVkpJeHI5WkZfUnRfZWcifSx7InBhdGgiOiJNWCIsInJvb3RfaGFzaCI6IjRQVGVDYmJrSmxDdjU5d2VSWG5TbDRlcHBaTDVkUDNlYl9raTZMVXkyRmMifSx7InBhdGgiOiJNWSIsInJvb3RfaGFzaCI6Im5UT2NhM0lXNjAxQWRhcnZ0VnUzbUNmR19pLVBPcHIxNDE2SlBzR3JtLWMifSx7InBhdGgiOiJNWiIsInJvb3RfaGFzaCI6IjdiZEhqWmlHbmNHZEk0Yzlic3pTdjdtaElUcDZnQjJ1UG1ZZUJDdEVKMHcifSx7InBhdGgiOiJOQSIsInJvb3RfaGFzaCI6IjJvcHpUWE43d2lDaUVhX0ptSFBPWlZHSlBTUV91aDg4aHBCQmRvekZlMDAifSx7InBhdGgiOiJOQyIsInJvb3RfaGFzaCI6IkxCQ1BISUY3Qzd4MGxYNzdKdTNONWlPQjNFVHZDaEt4bDVyOFNxX2ctdm8ifSx7InBhdGgiOiJORSIsInJvb3RfaGFzaCI6IjY5eU1TM0hwelp3UElBWHZPY3NyNnQwTFpBTGJ2X0ZxYUktd204RDBwb1EifSx7InBhdGgiOiJORyIsInJvb3RfaGFzaCI6IkNld2JtSXRCd2k0ZmVYNGlfR1E1b1hLQ1FWUndqZEUzV1dlMFpCWnlNSjgifSx7InBhdGgiOiJOSSIsInJvb3RfaGFzaCI6IkZIcXNNMDVaZ2paamFVUlhGTGdDMUN3bmJUTl9KZEgwUm9CeDlYemcxa0kifSx7InBhdGgiOiJOTCIsInJvb3RfaGFzaCI6InFUOU5Wbk5rZjlnUDBtMXZsUXlaS2hWdFloc1J4WTVfbnRKNEVkd1ZyaDgifSx7InBhdGgiOiJOTyIsInJvb3RfaGFzaCI6InlNOTBaODR4bnZNZWdacWxpZjcxSURHQUFLM0YxWWp5V2NQMWZmeGZBTTAifSx7InBhdGgiOiJOUCIsInJvb3RfaGFzaCI6ImdHd1Y5R0VIaWxDb01ZUE9aTTY0U3ZGelVJczFfQVBnUThyT2dtQk95eFUifSx7InBhdGgiOiJOUiIsInJvb3RfaGFzaCI6IjBFUGxlbWZ1RzJfQlQtNjVJaHpXLTY2eHpzYmduTlBnWWlSSkJuOVBmODgifSx7InBhdGgiOiJOVSIsInJvb3RfaGFzaCI6IkhFcllDWGtSTXJRQndVZU9CanVqZHJ5Y3JDLW9hVjVzYVRtTTNndkVpS3MifSx7InBhdGgiOiJOWiIsInJvb3RfaGFzaCI6Ik5VYmVSYml5M2t6OW1NQUx1NTZNTENOREpkLVFVWFM2YVRQMWowR3NJVWMifSx7InBhdGgiOiJPTSIsInJvb3RfaGFzaCI6InF4VU43SENiS3JFbUFhRjZHRGpEb2dmUW13RVFfQWpfcGJtWHZqWUJ4OGcifSx7InBhdGgiOiJQQSIsInJvb3RfaGFzaCI6IkE5OFNJUUJtRWk0dWxlanRHT0tPWHZhTE9mNV9rREZnZ2p6N01MSzBjdGMifSx7InBhdGgiOiJQRSIsInJvb3RfaGFzaCI6IkF6bVRfQnRDandBUzlDTTBKYUJBbEZpYzFsVWd0a2xKei1odlE2NVR5c2sifSx7InBhdGgiOiJQRiIsInJvb3RfaGFzaCI6IkFHT1d6UHRRaTlLcHZDcFlaVUtaR3ctS2g3MTdxWDFXSE1NSktPek5kMjAifSx7InBhdGgiOiJQRyIsInJvb3RfaGFzaCI6IjZxVzVWVXZEOWJhZEpWMjdreUI2d09tMXRyMm11aXpLLWxLR29VREJkdzAifSx7InBhdGgiOiJQSCIsInJvb3RfaGFzaCI6ImhCZmV1TzAzVlFiX3dZZFdza3V0cGVQY0NSaXRWVHdPMU1iSl8xZmVxNEEifSx7InBhdGgiOiJQSyIsInJvb3RfaGFzaCI6InRHZ0NYMERWaVN3OTRXWmhfakQ3OEpHN1dqam5odUs1TXdVRUdQblNxaW8ifSx7InBhdGgiOiJQTCIsInJvb3RfaGFzaCI6Ik0wNVF6VnZKaWZzMWtBcnpWSktpVzhLcHpKUmU1ajU5M2p5Yk83WWhCU1UifSx7InBhdGgiOiJQUiIsInJvb3RfaGFzaCI6InU0VXJHcXB4cWI1QlRudDRDRzR3Y05WXzExTWY4TXpaZ2lmX2hwZEticmcifSx7InBhdGgiOiJQUyIsInJvb3RfaGFzaCI6InJDUk1QbDA0UUpmeGIwd0V6RmluaDBzaHFuRFV6bTl2SFpkZ2VtMUdCWUEifSx7InBhdGgiOiJQVCIsInJvb3RfaGFzaCI6ImxIM3Y2ZTdXUmw3WHJ6Wk41bHFIa0pLaXRiVmtRU1VVVXZkRW9yVFpWX0EifSx7InBhdGgiOiJQVyIsInJvb3RfaGFzaCI6InpmZGlqZnBFVnBOSjNncVIwV2FaV2NHeVV6ZWpEV2Z2V1VoaUFyMmRNWGcifSx7InBhdGgiOiJQWSIsInJvb3RfaGFzaCI6Ik1HZnRRbWE0cDU1dl9hLV9sblNPWUtxaU9qUThNZmZvUmlFUC1hYnUzOFUifSx7InBhdGgiOiJRQSIsInJvb3RfaGFzaCI6IjdMVzFmSVI5dWVOV3lvZ3JJR0xkZHlua0lKVUZFSUhTTWZYUndlYXhFbjgifSx7InBhdGgiOiJSRSIsInJvb3RfaGFzaCI6IlJfNHlpem9RVkdremRFMHVGRVkxM2ZTODd3Y1htTVJHVzFEcTVIa1RiVzgifSx7InBhdGgiOiJSTyIsInJvb3RfaGFzaCI6IjZWRkpHUlh3WFpRRG9Kbm1oUHJlZ2YzbmNBNk03V0RlaHpMMEpfcXJmRlEifSx7InBhdGgiOiJSUyIsInJvb3RfaGFzaCI6ImdaVWhZSk1XUlJPVU4xdkl4NzJ1cVppSW1NQ0FLXzdNT0hEc0NNRHRqUGMifSx7InBhdGgiOiJSVSIsInJvb3RfaGFzaCI6IkliUXlNS3NwNlN4TGhXLUdjZXd0U00zTnI0TFlwTmtJcjJqV092WTNGNGMifSx7InBhdGgiOiJSVyIsInJvb3RfaGFzaCI6Il9nVmY4V0szNVJpbkR6MjVTOEN3QmNNTFBDamRvcnFrNWNpVElRUkE2Vm8ifSx7InBhdGgiOiJTQSIsInJvb3RfaGFzaCI6IjZsRFl4aE1qbEdzMTY0Wlo1eUE3Mjl5dGVwZWRTWlJjcENIdDJlMkpjd0EifSx7InBhdGgiOiJTQiIsInJvb3RfaGFzaCI6ImxhajE3aGxzc1Z0aFMtM3phLXU0YU5pamJrWERfVEd2VXl2cXJUUzc2elkifSx7InBhdGgiOiJTQyIsInJvb3RfaGFzaCI6InY3YmZ5QlNBR3RSZzRoTGdQem02eHFNTGNHeW1BSUhQVXJGMUF5LTRDVGcifSx7InBhdGgiOiJTRCIsInJvb3RfaGFzaCI6IlU0bDhnS1lfczA5N291NnEtWVp5TDJCd2F2TTBJbkJDNFV6U2pTNnRYb1EifSx7InBhdGgiOiJTRSIsInJvb3RfaGFzaCI6InJUVjZadkFOdFdRRlNaeVhTTEdpQVl3RzFYcWstT2tFRjlwVTFPa0VfREkifSx7InBhdGgiOiJTSCIsInJvb3RfaGFzaCI6IkNmRGZ5SzBEem5Nb2R0NkFxUkFzVGlsUGpvT3dSNmFvQWFHMzZKVnNvencifSx7InBhdGgiOiJTSSIsInJvb3RfaGFzaCI6ImN4Q1JjczN2MmZBZWQxMWNIaXI4V28wYzJoS19IZENQSE9DNnEwc1J0R00ifSx7InBhdGgiOiJTSiIsInJvb3RfaGFzaCI6Im1YdU1JNVptZHJHeTU0aEthU3RYOE9hbl9ubXFSZ2paYjlOSFBkaGV0MFEifSx7InBhdGgiOiJTSyIsInJvb3RfaGFzaCI6ImV6QTVBTF9uOW1mZXFRY3RDR3IxdVUyYk5QYTg3cXhBaDJoRVFNSFBycXcifSx7InBhdGgiOiJTTCIsInJvb3RfaGFzaCI6IkxhZkZaZEV0VzZWY2dSa3RSWlFlcVhYcmFtY0VvaXRWbjR5a1JmbDV2YTAifSx7InBhdGgiOiJTTSIsInJvb3RfaGFzaCI6IjhNcURqYzQ0YUF0TDdJdXItUHlZem5kOGhYdm5zSk84ZlRweXB4N2t1UUEifSx7InBhdGgiOiJTTiIsInJvb3RfaGFzaCI6IkR6dDZKY0tFLV9DSlZwM1B1Uk83VTNpTXpIbnpza2IxX0RJNnUtVG9UWHcifSx7InBhdGgiOiJTTyIsInJvb3RfaGFzaCI6Il9TUXE4Nmx3anpPTUNmWDZRcWJvU3ItWWdGRjRRYUZtYm1kWjFQcUxMbWsifSx7InBhdGgiOiJTUiIsInJvb3RfaGFzaCI6IlduZXE3Um5wbjgyRzJaek5RWTExd1NjQzdiRy1wNVU4Q21seEVLLTJUMmcifSx7InBhdGgiOiJTUyIsInJvb3RfaGFzaCI6InVWa05tcF9aazNSQVAwekhHV0VSbzIzWllWelU1a1hNN1hCb2RkTl9RRkUifSx7InBhdGgiOiJTVCIsInJvb3RfaGFzaCI6IjJ6MVQxM2JtQ2ROaGpVRDd2MWViQ3VEbGFUNHlQWXNmVFdwX1NjN3VPaVkifSx7InBhdGgiOiJTViIsInJvb3RfaGFzaCI6IngzMU11akhqNkpRM0E1S1lUUC1MbTFJUHpJUlpFc0FDekM3dUlLSGNxdjQifSx7InBhdGgiOiJTWSIsInJvb3RfaGFzaCI6InNjNnRGZE13Z29RWnRrdENZOVItdzNtOG13LWtQdkdrNlMtNG9SX0RyRzAifSx7InBhdGgiOiJTWiIsInJvb3RfaGFzaCI6IjBzWGRIUlRyWjhvX05vRTNxN1QxWk5DcE92dXlNOVBXcEYwQUlfM3UyOGcifSx7InBhdGgiOiJUQyIsInJvb3RfaGFzaCI6ImFZTE4xYndhY0RabW5hcy1OUlVJcGdYb19FbzNTbk1lX1F4N0lESnlCNmsifSx7InBhdGgiOiJURCIsInJvb3RfaGFzaCI6ImpXNEM2VXVEZ2lpWkhuMms5TjhfTVpnOTZkV3hYRjE0SV8zUG1ONUdkcjAifSx7InBhdGgiOiJURyIsInJvb3RfaGFzaCI6Inc0S09oVXd1OUtiaFpqWDd1UkVHbnQ0MlFsZUhCNEdXQTFZeGRRTXNTN0EifSx7InBhdGgiOiJUSCIsInJvb3RfaGFzaCI6Ind5cFE3dW9lcFBFWUYtVVdQVDQyVDAteXFhUkVlOC1fT05NZXJYYVlVZDgifSx7InBhdGgiOiJUSiIsInJvb3RfaGFzaCI6Ik5SM2owQUNhcXpxZEVqVVpkSEVoU3VLTkIyYkpLSExlcTFSamwwZndNM0kifSx7InBhdGgiOiJUSyIsInJvb3RfaGFzaCI6Ik9yeXp1ZHlqX2wyeTBocGpHbE14blpudWc3OUZ4Y2ZGbktlWXI4UGloVzQifSx7InBhdGgiOiJUTCIsInJvb3RfaGFzaCI6IkZNd0VBdlhSSVBhZFJkWmpMZi1YNGRIeUx3TXVYUGZ1d0trXzZqVUM3eTgifSx7InBhdGgiOiJUTSIsInJvb3RfaGFzaCI6InJCSFlHS2ZJd2p5WEhESWFObjNkSEFxaUVZbU1CNDYzOXFQcTB5b2M4ZkEifSx7InBhdGgiOiJUTiIsInJvb3RfaGFzaCI6InN5UXg2THdJTV9uNXlucWFYeGhDeHhncEFCekdxQ0RvMHFwaDBjajdMSXcifSx7InBhdGgiOiJUTyIsInJvb3RfaGFzaCI6IlFFTjFnbEdSejB3NDRrUWlrRXl2dE02TWtabGk5NUV4YVMzdUVBa1FxaVkifSx7InBhdGgiOiJUUiIsInJvb3RfaGFzaCI6IkYxeGFWZk1nZHNJOHJFTWN2bEhzVEZqSjQybWs3VHB0WGJJclJaMmFJYmcifSx7InBhdGgiOiJUVCIsInJvb3RfaGFzaCI6IlVpV20zTkx5eFZkSGdNTHRHT3ZhakVfQTNuZ1ZvajNiZTBvYlpMdW9tbEEifSx7InBhdGgiOiJUViIsInJvb3RfaGFzaCI6IklJZlJMMVo1VGlaQkRWZWM5SVRQMXJyNnEzUkFiV2pNMFhaNG9ITEtMVDgifSx7InBhdGgiOiJUVyIsInJvb3RfaGFzaCI6Ino1UkxaLTVFT1Y4VDRtbFRJVVBPOFlCX3RnUGNXTUcwOW5RcHJVYzQyY28ifSx7InBhdGgiOiJUWiIsInJvb3RfaGFzaCI6IkZtM3RyVVVLbDdTRm9mdVg0d2ptRlBZbUdrZHpMWVFTVGp2Qjd1MTZmZFEifSx7InBhdGgiOiJVQSIsInJvb3RfaGFzaCI6InI3NG9tSXdfbXgxaUhfbWpJOWtrYmdJMnVvQjNybFNwZ1FlVkJMNF9taGMifSx7InBhdGgiOiJVRyIsInJvb3RfaGFzaCI6InlaQVc3Um41ck5IMVNhaWJnVmR2OVMteUlHZDZYTVJlQnNEYVp3ZHBRMEEifSx7InBhdGgiOiJVUyIsInJvb3RfaGFzaCI6IjJBb3dKNVlRbWNMMXE2XzllN3dFeEVzSGJSTnFoQVd2cEVjV1ZIY1lkUm8ifSx7InBhdGgiOiJVWSIsInJvb3RfaGFzaCI6Ijhrclk1V21iTlNVcUtIWGgxLWdXRHFIQmlXWW9pMVFoVnY2ZEEzWlMyaFkifSx7InBhdGgiOiJVWiIsInJvb3RfaGFzaCI6Ink5czg4QWRXaDVVMzFrX2JONU1Rbkw1LVFNVTNtTWRrRC1yWkUySjZtd2MifSx7InBhdGgiOiJWQyIsInJvb3RfaGFzaCI6InJfdDJCWE5nc0JhdFliUnJsMDNKUGk4SmZQWUFtSmdkTXhwdW96SWNyM0EifSx7InBhdGgiOiJWRSIsInJvb3RfaGFzaCI6InhRdjRfSWVSNEtEaW5xbE5HcjRCODVhd29lbzNtNjJNQkw3RmJRRDBmTXcifSx7InBhdGgiOiJWRyIsInJvb3RfaGFzaCI6IlFlQl9DODN4M2xWLWhQZ1ByM3ZEN0VHMnVsTk1mMDI4M1l5a0M2WXdwNUkifSx7InBhdGgiOiJWSSIsInJvb3RfaGFzaCI6ImxvaG43NlI2N3dxRkpmTDlmdWtUY2hVajJnZmJpNHpEbU0xNXlsMlRmWVUifSx7InBhdGgiOiJWTiIsInJvb3RfaGFzaCI6ImVUN1JiU3Bka0xGcGhvaVhvOXRFSFFWZXBVNGJqQzRSV2lGdDhDOGVuZ3cifSx7InBhdGgiOiJWVSIsInJvb3RfaGFzaCI6Imo3LTA5OXFiaVl5TXNoRDVWeTR6TkFmVGNZdFJlUTNOcW5BYW5QcENWX00ifSx7InBhdGgiOiJXRiIsInJvb3RfaGFzaCI6IjhfQllnY001Z0JmUHR0U2haRE5kTnhpQ2Z1b2c0MUl6WTcwWVhRTlE0dGcifSx7InBhdGgiOiJXUyIsInJvb3RfaGFzaCI6IjdsZW9IbnExb1lLWGZLdlVpbHRoMkFnemQ5aGttdlhBejhUcHBMTzcxSG8ifSx7InBhdGgiOiJYSyIsInJvb3RfaGFzaCI6InJ0RHU2WUxFeHMtaGtBWXVMcFMxSHc0Y1VadjVUU3UxZFYxYTJUVll4Y2cifSx7InBhdGgiOiJZRSIsInJvb3RfaGFzaCI6IkI1Sk1WNVl2dE56OGN0RVZlMkJ2ZDFFV2tNd0ZUNDYxSHNuOEdadl9oNzgifSx7InBhdGgiOiJZVCIsInJvb3RfaGFzaCI6IldpT281VGROWFRCdmc1ZndQVk5TTnJQLUZHTHlOMFJPeldneGZacXMzVFUifSx7InBhdGgiOiJaQSIsInJvb3RfaGFzaCI6IjFpZW9yYW9UcEFNYTlNVXhyaXZZQlY0WGFRZDAweXNDOEpLaFFhV1JxVjgifSx7InBhdGgiOiJaTSIsInJvb3RfaGFzaCI6IklJZmNqRUZEdk1tU3o3MTdYcjhobFNacUFXQ2JkcVRudEFpc29aVnJFWkEifSx7InBhdGgiOiJaVyIsInJvb3RfaGFzaCI6Ilk3YUpnNDJ5bmlLclE0ZlRZS2t6VTNxUU1KcFdpMk5LVlp3ZjhUYjhROXMifSx7InBhdGgiOiJtYW5pZmVzdC5qc29uIiwicm9vdF9oYXNoIjoiMUM4MlFNVjlReVRtaUN5aHgwYlhjTGQ1WVNHQkZwZFVmRkdtbDRsTjQ2USJ9XSwiZm9ybWF0IjoidHJlZWhhc2giLCJoYXNoX2Jsb2NrX3NpemUiOjQwOTZ9XSwiaXRlbV9pZCI6ImVlaWdwbmdiZ2NvZ25hZGVlYmtpbGNwY2FlZGhlbGxoIiwiaXRlbV92ZXJzaW9uIjoiMjAyNS42LjEzLjg0NTA3IiwicHJvdG9jb2xfdmVyc2lvbiI6MX0","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"t7u5ZMRfbJXYdXlq7qtuYMu2UY-46H6gun5To_DPUXKzjf9jCN0leEVh_Kgpt78Osq7cw9uaataHyLioHu4NLQOLsHYpPJ2KbC3aT9dDORJLDSjRdEkdt9Zhu7236hevJ-8ifcgrPc97BpvZl3ME3iJM_FXXKZOfHrVPVTLyhIVRUyFH1CNllZj8YiS9NcyVZhQbA1EeUdT4pWwNisF67GcdYXYVRocBm-EWZl2zhNX7MP1jwifUtEYgsXYbr57QVLQPrxe4XdnshAGPbOZBhsibPeS53nRzEZQHyFwmnZWEtZMLIr7V28H5FpT3nia1VeA-I9xkQ2cL0XdsJ0sGwPwEbAXrMy-ToELTBVeIoHRv98PXdwWLPO7eWuLtKB3TJiH3Ss0vjwQUs4AzW4Zs_Q6wBTbAokMO8-0CMbgM3ne1gfzMh9uoML_CSd9Usrlg7O3Kd59vWOl9pzBk53Uqj-Sx_3Vg6HdMp9-qkb2eY1U4CU4B_84_votJiKhiALmcGdTgiJJ39Oe2O_6q5X7O31T6nnt04mI16wk5IPZZpf057VZuXgh-mziWQFU2y5i759k8RE5X1Qh_IJrwQ7zH7YV2_ED_KAevDs8V4LecroNNCEpvzFXf8Hx3Q3jU3YFp3FVk1I9lcxko-oMCxc0FSwD9upG_8ucvOh9f-EPNnM0"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"W9J7QjzxG3zwgCm0bgIRxKLLY_R7m7OMbjCntWjwkK4Y37reT40LzdiC9UnbTjknPjyelxgCmIKxjuHstmJMBzXW57g-Qi0ensEsEku8vy4aMoeTYGltE71K6BsOlFLBWahJrcisUtpdvWQ4FnWd6K09gCD5GLD7-5LsPSMVod0ehZvPTMd9SdcS6x4agPTK_5xnFezBUJxU50VuCAhzV_AJkOeHDwiV-M5u73Qwu6wE_tL3n2T6lltFVNUw0AeMRcj8g89MBkYU2xrZNT42lHBF464PkaCUrlVWzLsKC6txPb5J-Wp7XeWeQ9jVRJNe9O6EcW1IS7icSb8Wd0KFEQ"}]}}] \ No newline at end of file diff --git a/user/user_data/AutofillStates/2025.6.13.84507/manifest.json b/user/user_data/AutofillStates/2025.6.13.84507/manifest.json new file mode 100644 index 0000000..88538e3 --- /dev/null +++ b/user/user_data/AutofillStates/2025.6.13.84507/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "chromeAutofillStatesData", + "version": "2025.6.13.84507" +} \ No newline at end of file diff --git a/user/user_data/BrowserMetrics/BrowserMetrics-6967CF02-8A80.pma b/user/user_data/BrowserMetrics/BrowserMetrics-6967CF02-8A80.pma new file mode 100644 index 0000000..1eaa4fe Binary files /dev/null and b/user/user_data/BrowserMetrics/BrowserMetrics-6967CF02-8A80.pma differ diff --git a/user/user_data/BrowserMetrics/BrowserMetrics-6968E802-7B9C.pma b/user/user_data/BrowserMetrics/BrowserMetrics-6968E802-7B9C.pma new file mode 100644 index 0000000..fad3f77 Binary files /dev/null and b/user/user_data/BrowserMetrics/BrowserMetrics-6968E802-7B9C.pma differ diff --git a/user/user_data/BrowserMetrics/BrowserMetrics-6968E80C-27E8.pma b/user/user_data/BrowserMetrics/BrowserMetrics-6968E80C-27E8.pma new file mode 100644 index 0000000..3c1aada Binary files /dev/null and b/user/user_data/BrowserMetrics/BrowserMetrics-6968E80C-27E8.pma differ diff --git a/user/user_data/BrowserMetrics-spare.pma b/user/user_data/BrowserMetrics/BrowserMetrics-6968E815-6374.pma similarity index 88% rename from user/user_data/BrowserMetrics-spare.pma rename to user/user_data/BrowserMetrics/BrowserMetrics-6968E815-6374.pma index 98fc2c0..e9d4344 100644 Binary files a/user/user_data/BrowserMetrics-spare.pma and b/user/user_data/BrowserMetrics/BrowserMetrics-6968E815-6374.pma differ diff --git a/user/user_data/BrowserMetrics/BrowserMetrics-6968E85E-7AD4.pma b/user/user_data/BrowserMetrics/BrowserMetrics-6968E85E-7AD4.pma new file mode 100644 index 0000000..6ea6158 Binary files /dev/null and b/user/user_data/BrowserMetrics/BrowserMetrics-6968E85E-7AD4.pma differ diff --git a/user/user_data/BrowserMetrics/BrowserMetrics-6968E881-3C90.pma b/user/user_data/BrowserMetrics/BrowserMetrics-6968E881-3C90.pma new file mode 100644 index 0000000..3be84c4 Binary files /dev/null and b/user/user_data/BrowserMetrics/BrowserMetrics-6968E881-3C90.pma differ diff --git a/user/user_data/BrowserMetrics/BrowserMetrics-6968ED6A-7204.pma b/user/user_data/BrowserMetrics/BrowserMetrics-6968ED6A-7204.pma new file mode 100644 index 0000000..a6376c1 Binary files /dev/null and b/user/user_data/BrowserMetrics/BrowserMetrics-6968ED6A-7204.pma differ diff --git a/user/user_data/BrowserMetrics/BrowserMetrics-6968ED83-74D8.pma b/user/user_data/BrowserMetrics/BrowserMetrics-6968ED83-74D8.pma new file mode 100644 index 0000000..7cfb9af Binary files /dev/null and b/user/user_data/BrowserMetrics/BrowserMetrics-6968ED83-74D8.pma differ diff --git a/user/user_data/BrowserMetrics/BrowserMetrics-6968EE3F-7274.pma b/user/user_data/BrowserMetrics/BrowserMetrics-6968EE3F-7274.pma new file mode 100644 index 0000000..49241b3 Binary files /dev/null and b/user/user_data/BrowserMetrics/BrowserMetrics-6968EE3F-7274.pma differ diff --git a/user/user_data/BrowserMetrics/BrowserMetrics-6968EE57-77B0.pma b/user/user_data/BrowserMetrics/BrowserMetrics-6968EE57-77B0.pma new file mode 100644 index 0000000..1cff76e Binary files /dev/null and b/user/user_data/BrowserMetrics/BrowserMetrics-6968EE57-77B0.pma differ diff --git a/user/user_data/BrowserMetrics/BrowserMetrics-6968EF44-77B8.pma b/user/user_data/BrowserMetrics/BrowserMetrics-6968EF44-77B8.pma new file mode 100644 index 0000000..106e6cc Binary files /dev/null and b/user/user_data/BrowserMetrics/BrowserMetrics-6968EF44-77B8.pma differ diff --git a/user/user_data/CertificateRevocation/10281/LICENSE b/user/user_data/CertificateRevocation/10281/LICENSE new file mode 100644 index 0000000..33072b5 --- /dev/null +++ b/user/user_data/CertificateRevocation/10281/LICENSE @@ -0,0 +1,27 @@ +// Copyright 2015 The Chromium Authors. All rights reserved. +// +// Redistribution and use in source and binary forms, with or without +// modification, are permitted provided that the following conditions are +// met: +// +// * Redistributions of source code must retain the above copyright +// notice, this list of conditions and the following disclaimer. +// * Redistributions in binary form must reproduce the above +// copyright notice, this list of conditions and the following disclaimer +// in the documentation and/or other materials provided with the +// distribution. +// * Neither the name of Google Inc. nor the names of its +// contributors may be used to endorse or promote products derived from +// this software without specific prior written permission. +// +// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS +// "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT +// LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR +// A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT +// OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, +// SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT +// LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, +// DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY +// THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT +// (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE +// OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. \ No newline at end of file diff --git a/user/user_data/CertificateRevocation/10281/_metadata/verified_contents.json b/user/user_data/CertificateRevocation/10281/_metadata/verified_contents.json new file mode 100644 index 0000000..6e17b45 --- /dev/null +++ b/user/user_data/CertificateRevocation/10281/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJMSUNFTlNFIiwicm9vdF9oYXNoIjoiUGIwc2tBVUxaUzFqWldTQnctV0hIRkltRlhVcExiZDlUcVkwR2ZHSHBWcyJ9LHsicGF0aCI6ImNybC1zZXQiLCJyb290X2hhc2giOiJIQmVTbnQxcjcxcm9DeEMwOF9yT1kxeG1UaWVXS2ZXS2lkYUY3UWxhQ1RzIn0seyJwYXRoIjoibWFuaWZlc3QuanNvbiIsInJvb3RfaGFzaCI6InBITzNIZC1PV1IzT3RmOWwzZFJqOVdHTU5qaGVVU1NxX0R2dW15N0xsRkUifV0sImZvcm1hdCI6InRyZWVoYXNoIiwiaGFzaF9ibG9ja19zaXplIjo0MDk2fV0sIml0ZW1faWQiOiJoZm5rcGltbGhoZ2llYWRkZ2ZlbWpob2ZtZmJsbW5pYiIsIml0ZW1fdmVyc2lvbiI6IjEwMjgxIiwicHJvdG9jb2xfdmVyc2lvbiI6MX0","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"dH4Ty1lTsGUioPtFmBxyQ3f8CY-VWdfKtwYlPN_QAqE2yi-Ip7oezro4M6V928NR6vsDzOLpVRBZ795wL5xVhXHE84LOmBfEU9L88OLK9_VKhlhekmU2bICy4xPS36rrgHq32xTmyH_alV3IAJqg_17HMC46nOSWpQ0icZJkJMDNGuB1gwMwzQtZthnGZp3BfDPECrJN87aw137dgTRpysfdoec6pxzidiW9RAK_VyCdMatMWcVPAQOkG7jGICfeBjm-0yXKVJAkEBJZh69QFA-pDHLme3QKOO9JPYFGFv9tr8tP-79FSJixYxYBOUljwZAEZ8sK1MgSlWYWAmPIXg"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"fZ4TgLlNg_E3S-8jnwdypFqQJYjE3WA7tuPXq9yf4157Rv_8SG6J_3upsAToymkA07Xv1ItixY2rtguP18YODpgOsOOKYJS3i07kqKhJbs5YMJPwS1P3Wq_6Azvd3CqonmadZskMS9zUqXYE-XSuiOsKus9_I4OHuTKDRyO4JILyKn4djteCmUKHxTcbZP9m-RZ5QCUHsVhaemH7CHdXvUP-k0oHPCxInOYPi9rv69RECNeYpne1WyHlmbc4M5TMP86bqOe_Pe2cF5b2_Y6B9JF1I0qtEfyiaFfyB1R4NTbn5813NSJWAnvJ8lwPUDdEh2Y1pzHWjRr0Uw2dLUKZhg"}]}}] \ No newline at end of file diff --git a/user/user_data/CertificateRevocation/10281/crl-set b/user/user_data/CertificateRevocation/10281/crl-set new file mode 100644 index 0000000..e89023f Binary files /dev/null and b/user/user_data/CertificateRevocation/10281/crl-set differ diff --git a/user/user_data/CertificateRevocation/10281/manifest.json b/user/user_data/CertificateRevocation/10281/manifest.json new file mode 100644 index 0000000..ffc666d --- /dev/null +++ b/user/user_data/CertificateRevocation/10281/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "crl-set-8084337895312570092.data", + "version": "10281" +} \ No newline at end of file diff --git a/user/user_data/CookieReadinessList/2024.11.26.0/LICENSE b/user/user_data/CookieReadinessList/2024.11.26.0/LICENSE new file mode 100644 index 0000000..33072b5 --- /dev/null +++ b/user/user_data/CookieReadinessList/2024.11.26.0/LICENSE @@ -0,0 +1,27 @@ +// Copyright 2015 The Chromium Authors. All rights reserved. +// +// Redistribution and use in source and binary forms, with or without +// modification, are permitted provided that the following conditions are +// met: +// +// * Redistributions of source code must retain the above copyright +// notice, this list of conditions and the following disclaimer. +// * Redistributions in binary form must reproduce the above +// copyright notice, this list of conditions and the following disclaimer +// in the documentation and/or other materials provided with the +// distribution. +// * Neither the name of Google Inc. nor the names of its +// contributors may be used to endorse or promote products derived from +// this software without specific prior written permission. +// +// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS +// "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT +// LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR +// A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT +// OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, +// SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT +// LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, +// DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY +// THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT +// (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE +// OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. \ No newline at end of file diff --git a/user/user_data/CookieReadinessList/2024.11.26.0/_metadata/verified_contents.json b/user/user_data/CookieReadinessList/2024.11.26.0/_metadata/verified_contents.json new file mode 100644 index 0000000..e0e989a --- /dev/null +++ b/user/user_data/CookieReadinessList/2024.11.26.0/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJMSUNFTlNFIiwicm9vdF9oYXNoIjoiUGIwc2tBVUxaUzFqWldTQnctV0hIRkltRlhVcExiZDlUcVkwR2ZHSHBWcyJ9LHsicGF0aCI6ImNvb2tpZS1yZWFkaW5lc3MtbGlzdC5qc29uIiwicm9vdF9oYXNoIjoiUkJOdm8xV3paNG9SUnEwVzktaGtucFQ3VDhJZjUzNkRFTUJnOWh5cV80byJ9LHsicGF0aCI6Im1hbmlmZXN0Lmpzb24iLCJyb290X2hhc2giOiJ1VHd3SFZ0b09kM3ZoZDRSVDVkTDBtS0ZaWTNhWHp2Y1pCR3ZSQTlVa3hFIn1dLCJmb3JtYXQiOiJ0cmVlaGFzaCIsImhhc2hfYmxvY2tfc2l6ZSI6NDA5Nn1dLCJpdGVtX2lkIjoibWNmamxibmljb2NsYWVjYXBpbG1sZWFlbG9rZm5pam0iLCJpdGVtX3ZlcnNpb24iOiIyMDI0LjExLjI2LjAiLCJwcm90b2NvbF92ZXJzaW9uIjoxfQ","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"DSsbfmklYm5wVYC9A2r9Dppz-pt2HjkSCOzomc62scFvyDb6PtB4SPXVDJRym5lf-aOXHTp2EQn0-016YLs4orDdr8aBOFcLBmIT4OMIIwVx_lRbLvu9gMvtsM_BRRLRfV8QWuGMQXtzym1kSLCQH_z491-Uxf5ZeaV3u5ijJOAl2GIdJ9iblQHHMJiqwE7ijpd_5xRtyuE0zOsbAaLRezkjkeWNjHaT4r0gNTRSoMQUq-eD0HQOOKfStRAkaNySwgukEylr6Osywn_eOvDy2-kyhYbDjESesXoQxly6_5wTw_go5sUASVkcUFHKLlOeR2dtgz6HKcF_h0kKJNn8I8TrAxOiXMBd73NfEiwEVz56j8RPx7WoqLm9uqhorNKLEpIJfly0PLy_cA5ZQuUkwYV3M_KtfWYrOjUBLNnLg6UWTkCgWCJb1HowV6iS-nmR_UJKvyb2DTBl3H8Tl4wKZIpRb4mErqxIoLxB4lNLuoRSES7wo1lWMFHWfevJAQudTIRpA6IQtb42bUSDW9qHDCKkbPxChi2fUQd1Z5tYWv1pDU4F0T-FmxcbKIhha5_0EGUqaqUzB4qHAwVtX09ZeRUh6mQZZy1soD2VEVSYfr7iKOr9Q0T4K7ZZzpm3ZDruZJaYTqNXRPdgCm3YsVawzfVgFTH0LGMpiRhgIuwGFiU"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"StTvKBSGUGguupNFuRYmz5WAX8NbnyOQQGtxjxE9G8l5YJO1oGfTGXkuYQ6-HHqkPOHREjNfEqU9iXpTkW9zBUnzmYuDqayyt2MsUfA7V7RqJ0Y1E3S43Uw5EqrI_9STHT5oTqVzoQ3u5-rc01gV6eYaoOSseLzo6yVUkiliRMLWaAtnVp1B7zeZqloGdOWmOg9KXsqXPtFbLeGIdDHINloycG2cTONT_vgzeuGuOrghUdqMGl1iWdS57Ckq1n0UFZSI3enBFK-MYLHDtaSPbWJLqw4DNHC85j8p8dihwSgSdPohVu5xtW-L-AVbQLtGUbI0zMkvpQD1oQidEkbRmQ"}]}}] \ No newline at end of file diff --git a/user/user_data/CookieReadinessList/2024.11.26.0/cookie-readiness-list.json b/user/user_data/CookieReadinessList/2024.11.26.0/cookie-readiness-list.json new file mode 100644 index 0000000..9e26dfe --- /dev/null +++ b/user/user_data/CookieReadinessList/2024.11.26.0/cookie-readiness-list.json @@ -0,0 +1 @@ +{} \ No newline at end of file diff --git a/user/user_data/CookieReadinessList/2024.11.26.0/manifest.json b/user/user_data/CookieReadinessList/2024.11.26.0/manifest.json new file mode 100644 index 0000000..69736ce --- /dev/null +++ b/user/user_data/CookieReadinessList/2024.11.26.0/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "Cookie Readiness List", + "version": "2024.11.26.0" +} \ No newline at end of file diff --git a/user/user_data/Crowd Deny/2026.1.12.121/Preload Data b/user/user_data/Crowd Deny/2026.1.12.121/Preload Data new file mode 100644 index 0000000..3039312 --- /dev/null +++ b/user/user_data/Crowd Deny/2026.1.12.121/Preload Data @@ -0,0 +1,4230 @@ + + +22ebalka.ru.actor + +24.hu + + +777.ua + +allo.ua + + altema.jp + +americansongwriter.com + +animesdigital.org + + +anizle.org + + anizm.net + + answear.com + +apf.inc + + appcute.com + +athlonsports.com + + avrora.ua + + aylink.co + + behmelody.in + +betking.com.ua + +bigpara.hurriyet.com.tr + +biznes.interia.pl + +bo.pornobolt.in + +businessinsider.com.pl + + buzzday.info + +clck.idealmedia.io + +clutchpoints.com + + comicbook.com +( +$cool-desert-path-havenroutes.monster + +dailygalaxy.com + + deadline.com + + deccoria.pl + + decider.com + +desenefaine.com + + engine.com.pk + +eobuwie.com.pl + +eu.febiwiluo.click + +eu.vorepial.click + + +ew.com + + f1.keporn.vip + +fandomwire.com + + fastpic.org + +financebuzz.com + + +fishki.net + + flemmix.bond + + forsal.pl + + ga888vi.com + + gameswaka.com + + gamewave.fr + + geekchamp.com + +geekweek.interia.pl + + goniec.pl + +goracetematy.pl + +haber.mynet.com + + haberion.com + + hdzog.com + + +hdzog.tube + + highporn.net + + +hobby.porn + + +hochi.news + + +hotline.ua + + hotmovs.tube + + igg-games.com + +indiandefencereview.com + + +inporn.com + +instantbuzz.net + +interestingengineering.com + +kobieta.interia.pl + +kobieta.onet.pl + + kompoz2.com + +lawandcrime.com + +lb4.lookmovie2.to + +life.ru + +lifehacker.com + + lifehacker.ru + +lilmariogame.com + + lpconttop.com + +lubimyczytac.pl + + manysex.tube + + mashable.com + + meduza.io + + metro.co.uk + + militaria.pl + + military.eu + +minimalistbaker.com + + modivo.pl + + moneywise.com + +mose10.website + +motoryzacja.interia.pl + +muzyka.interia.pl + +myshoppingblog.com + + +net.hr + +newrepublic.com + +news.swiatgwiazd.pl + + +ngs.ru + + nudebase.com + + +nypost.com + +odelices.ouest-france.fr + +outliermodel.com + + pagesix.com + + +parade.com + + pemplay.com + + +people.com + + +plejada.pl + + png.klev.club + +pogoda.interia.pl + +port.hu +" +preload-spammy.permission.site + +privatehomeclips.com + +przegladsportowy.onet.pl + +radaronline.com + +rg.ru + + +ria.ru + +ricette.giallozafferano.it + +rivestream.org + +russian.rt.com + + smaker.pl + +sorularlaislamiyet.com + +spammy.permission.site + + spidersweb.pl + +sport.interia.pl + + sport.tvp.pl + + sportano.pl + +starsaremade.com + +swimsuit.si.com + +telemagazyn.pl + + thehill.com + +top.rusvideos.art + +toutelatele.ouest-france.fr + +trending.thespun.com + +txxx.me + + +unherd.com + + upornia.tube + +us.safecomputercheck.com + +videocelebs.net + +vids.huyamba.mobi + +vz.ru + +w7.shahidwbas.tv + +wearmedicine.com + +wiadomosci.onet.pl + + +wordsa.com + + wowroms.com + +ww.solarmovie2.com + +ww1.lookmovie.pn + +ww16.myasiantv.es + +ww23.0123movie.net + +www.20minutes.fr + + www.24sata.hr + +www.adnkronos.com + +www.advocate.com + +www.agroinform.hu + +www.androidcentral.com + +www.anitube.news + + www.apart.pl + +www.apartmenttherapy.com + +www.auto-swiat.pl + +www.autoblog.com + +www.autodoc.pl + +www.autoplus.fr + +www.autozeitung.de + + www.b92.net + +www.beliani.pl + +www.biznesinfo.pl + +www.bkmkitap.com + +www.bollywoodshaadis.com + +www.boredpanda.com + +www.bostonherald.com + +www.brigitte.de + + +www.brw.pl + + www.bryk.pl + +www.buzfilmizle3.com + +www.casualself.com + +www.christianpost.com + +www.cinemablend.com + +www.cleverst.com + +www.closermag.fr + + www.cnet.com + +www.creativebloq.com + +www.cucchiaio.it + +www.dailykos.com + +www.dailymail.co.uk + +www.denofgeek.com + +www.destructoid.com + +www.dicocitations.com + +www.digitalcameraworld.com + +www.dlink7.com + +www.dnaindia.com + + www.earth.com + + www.easeus.de + +www.eatthis.com + +www.ecranlarge.com + + www.elle.com + +www.ensonhaber.com + + www.eska.pl + +www.espinof.com + +www.espreso.co.rs + +www.esquire.com + +www.euro.com.pl + +www.evvelcevap.com + + www.fakt.pl + +www.filmweb.pl + +www.finanznachrichten.de + +www.firstpost.com + +www.fontanka.ru + +www.footballtransfers.com + +www.fotomac.com.tr + +www.gamespark.jp + +www.gamesradar.com + + www.gazeta.pl + + +www.geo.tv + +www.gobankingrates.com + +www.guitarworld.com + + www.gzt.com + +www.happyinshape.com + +www.harpersbazaar.com + +www.hazipatika.com + +www.heavy-r.com + + www.hebe.pl + +www.hellomagazine.com + +www.housebeautiful.com + +www.huffingtonpost.fr + +www.iflscience.com + + www.ign.com + +www.ilgiornale.it + +www.independent.co.uk + + www.infor.pl + +www.insidermonkey.com + +www.interia.pl + +www.jeuxvideo.com + +www.justjared.com + +www.komputerswiat.pl + + www.kurir.rs + +www.lacremedugaming.fr + +www.lalanguefrancaise.com + +www.larazon.es + + www.lecker.de + +www.lexpress.fr + +www.liberation.fr + +www.libertaddigital.com + +www.lookmovie2.to + +www.loudersound.com + +www.marieclaire.com + +www.mariefrance.fr + +www.meczyki.pl + +www.mediaite.com + +www.medonet.pl + +www.memurlar.net + +www.mensjournal.com + +www.mentalfloss.com + +www.mercurynews.com + +www.morele.net + + www.moyo.ua + +www.mprnews.org + +www.musicradar.com + +www.my-personaltrainer.it + + www.mynet.com + + www.ndtv.com + +www.newindianexpress.com + +www.novelodge.com + +www.ntv.com.tr + +www.ntvspor.net + +www.oekotest.de + + www.onet.pl + + www.out.com + +www.outkick.com + +www.parents.fr + +www.patheos.com + +www.pccomponentes.it + +www.pcgamer.com + + www.pcmag.com + +www.pcworld.com + +www.phonearena.com + +www.polsatnews.pl + +www.polsatsport.pl + +www.polybuzz.ai + +www.popsci.com + +www.pornhits.com + + +www.ppe.pl + +www.prevention.com + +www.primetimer.com + +www.purepeople.com + +www.quattroruote.it + +www.recordchina.co.jp + + www.rmf24.pl + +www.robotistan.com + +www.rollingstone.com + + www.rp.pl + +www.sabah.com.tr + +www.schulferien.org + + www.se.pl + +www.seriouseats.com + +www.sfgate.com + +www.skapiec.pl + +www.skuola.net + +www.soapcentral.com + +www.sozcu.com.tr + +www.sport-express.ru + + www.sport.pl + + www.sport1.de + +www.sportskeeda.com + +www.starhit.ru + +www.studenti.it + +www.sueddeutsche.de + + +www.t3.com + +www.tagesspiegel.de + +www.tarafdari.com + +www.techbloat.com + +www.techradar.com + +www.telegraphindia.com + +www.the-independent.com + +www.the-sun.com + +www.thecelebpost.com + +www.thedailybeast.com + +www.thenews.com.pk + +www.thestreet.com + +www.thesun.co.uk + + www.thesun.ie + + www.tmz.com + +www.tomsguide.com + +www.tomshardware.com + +www.topbunt.com + +www.tportal.hr + +www.transfermarkt.com.tr + +www.travelandtourworld.com + +www.turkiyegazetesi.com.tr + +www.tvmovie.de + + www.twz.com + +www.usatoday.com + +www.usmagazine.com + +www.vecernji.hr + + www.vezess.hu + + www.vice.com + +www.wallstreet-online.de + +www.wareable.com + +www.webcartop.jp + +www.whathifi.com + +www.windowscentral.com + +www.wionews.com + + www.woman.ru + +www.xozilla.com + +www.yardbarker.com + +www.yenisafak.com + +www.zipfilmizle.com + + www.zoomg.ir + + wyborcza.pl + +wydarzenia.interia.pl + +xbqzrd.nakeddesiire.com + + xcadr.online + +yorozoonews.jp + +yourchamilia.com + + yts-subs.com + +zielona.interia.pl + +025-52225999.name + +0lin.com + + 10xlive.com + +11julio2021.org + +12monthloanstoday.com + + 134138.bond + +141991324.bond + +1pokerroomcasino.com + +2cr4g1j3a9c9.today + +2ov.top + +3dwhistler.com + + 4g365.com + +5280relocation.com + + +686683.com + + +689989.com + + 701236.bond + + 721229.bond + +7memoriesfashion.com + + +827277.com + + 895yy.com + + abccprmi.com + + abiceyo.sbs + + +abmilf.com + +abolutedness.bond + + abxxx.com + +acatalyst4change.com + + accademya.cfd + + acizapil.sbs + + admeleed.com + + +ads4pc.com + +adsforcomputercity.com + +adsforcomputertech.com + +adsforcomputerweb.com + +adslivetraining.com + + adstopc.com + +adultporngaming.com + + advtgroup.com + + advtpro.com + +aerodyne-int.com + +aeroponicsgrowing.com + +affinitydot.xyz + +affinityglow.biz + +affinityglow.pro + +affinityglow.xyz + +affmarketing.bond + +aftermathbarbershop.com + + agadumoj.sbs + + agunuhema.sbs + + ahalela.sbs + + ahimoma.sbs + + ahstuxb.com + +aicompatibilitylab.com + +aigaithojo.com + +aiharmonymatch.com + +ajccqbrwsfni.today + + akamixat.sbs + +allgirlsforyou.click + +alternative-gals.com + +amateurkinkycouple.com + +amazing-discoveries.com + +amigaslindas.com + + amorpulse.xyz + +amourarc.click + + amourbit.xyz + +amoureternalhub.com + +amourseriousseeker.com + +andbestest.bond + + anexe.sbs + +angelsfate.com + +annessaytiter.com + +anonopinion.com + +antrojoynd.com + +arabellasalon.net + + aroundin.sbs + + arruggio.bond + + artbella.org + + artbytoby.com + + +arumuf.sbs + + asexgay.lat + +asexybabes.com + +asigntoalign.com + +assetforfeiture.org + +assistance-guides.com + +astro-flirt.xyz + +atkgalleryhairy.com + +auroraflowersandgifts.com + + autolog.autos + +autorespons.bond + +averagesapper.com + + avukulak.sbs + +awaken2wonder.com + +azdjevents.com + + b-d30.org + +backroomdigital.com + +backuptwitter.com + +badandsexy.xyz + +bagelstravels.com + +barebrilliantforty.pro + + basevenol.sbs + + baveyos.sbs + +beastsexasian.bond + + +behony.xyz + +bestdayeversweeps.com + +bestlessons.bond + +bestlessonslabs.bond + +bigbeaksbirdtoys.com + +bigideasphl.com + + bikedata.org + +bima101sok.com + + +biqund.com + + bj-sjfg.com + +blackporn.tube + +blegiloriach.com + + blewisies.com + +blissfuldaily.com + + blushdate.xyz + +boardgamelove.xyz + + boilers.bond + +boldaffair.xyz + +boldmediahq.bond + +boldromance.xyz + +bond-circle.com + + bond-dash.com + +bond-place.com + + bond-time.com + + bond-wave.com + +bookwormduo.xyz + +bountybond.xyz + +bountydatehub.xyz + +bountymatchmakers.xyz + + boustahe.com + +brasspolishing.net + +bread-cheese-kefir.art + +breatnesses.sbs + +brightsexx.com + +britageens.com + + +brivox.lol + + bsqparty.com + +budselectricmotor.com + +buildpersonalgrowth.com + +burayagidin.com + +burningcrave.com + +burroughsheatandair.com + +buscasencuentras.net + + byomo.com + + caf21.org + +callcentres.bond + + callmeapp.sbs + +capital-top-credzemlyn.sbs + +capital-top-finzemvix.sbs + +capital-top-fundxavrix.sbs + +capital-top-loanqirvox.sbs + +capital-top-loanzunqel.sbs + +capitaltop-cashmulix.sbs + +capitaltop-credira.sbs + +capitaltop-credixo.sbs + +capitaltop-credmoryq.sbs + +capitaltop-credqerul.sbs + +capitaltop-credxilyn.sbs + +capitaltop-credyvon.sbs + +capitaltop-credzelur.sbs + +capitaltop-finqelur.sbs + +capitaltop-fundmeron.sbs + +capitaltop-fundmurex.sbs + +capitaltop-fundqeron.sbs + +capitaltop-fundqorun.sbs + +capitaltop-fundqylor.sbs + +capitaltop-fundrelix.sbs + +capitaltop-fundxelur.sbs + +capitaltop-fundylox.sbs + +capitaltop-fundyvex.sbs + +capitaltop-fundzelynx.sbs + +capitaltop-fundziyox.sbs + +capitaltop-loanmuryx.sbs + +capitaltop-loanqelix.sbs + +capitaltop-loanxiren.sbs + +capitaltop-paymeryx.sbs + +capitaltop-paynelyx.sbs + +capitaltop-payqivor.sbs + +capitaltop-payvoryn.sbs + +capitaltop-payxelyn.sbs + +capitaltop-payxirax.sbs + +capitaltop-payzivor.sbs + +capitaltop-payzurel.sbs + +captchaless.top + + cardsfa.shop + + cardsjs.shop + + cardsjs.site + + cardsjs.space + + cardsjs.store + + cartoil.com + +casualminglehub.com + +catsofinstapic.bond + +cbdoilboard.com + +cbdstoreaz.com + + +cdsyjt.com +( +"cell-symposia-aging-metabolism.com + +centralcoastpianos.com + + centranow.com + +chapethill.com + +charmcatch.xyz + +charmrealm.xyz + +chat-corner.com + +chatlinedating.lat + +cheapuggsusonline.com + + chefmatch.xyz + +chemcopter.com + +chickengladiators.com + +chicks-area.com + + chjtljd.com + +choosegirls.click + +chousyokufes.com + +cirquedunoc.com + +classiccarpetcleaners.com + +classroomchampion.com + +clean-bond.com + +clean-chatties.com + +click-circle.com + +click-portal.com + +click-space.com + +click-vibes.com + +click2win4life.com + +clickfordate.com + +clubsqueen.xyz + +coc-servers.com + +cognityfoundation.org + +commitlovecircle.com + +companieshq.bond + +companieshub.bond + +compateblend.com + +compatibilitylinker.com + +compressorsco2.com + +connect-vibes.com + +connectnchill.com + +consultingandinvesting.com + +contactosrapidos.com + + conther.sbs + +corlampecoutsus.com + +corporationshq.bond + +corporationslabs.bond + +corporationsly.bond + + cosigona.com + +cosmiclove.xyz + +cosmocrush.xyz + +counterate.bond + +couplespark.xyz + +creamyfinish.com + + credflag.bond + + credsjs.shop + + credsjs.site + + credsjs.space + +crermyrotonatic.com + +cripobuild.com + +crocketsquaybistro.com + +crush-circle.com + +crush-corner.com + +crush-dash.com + +crush-lane.com + +crush-link.com + +crush-place.com + +crush-space.com + +crush-wave.com + +crypticoins.com + + +cugoja.sbs + + cummer.bond + + cuniliq.sbs + + cupid.lat + + cupidabo.com + +cupidclicks.monster + + cupidecho.biz + + cupidecho.pro + +cupidkey.click + +curious-match.com + + +czhuik.com + +dach-liga-homocystein.org + +daretodateme.pro + +daretodateme.xyz + + dashuncw.com + +date-circle.com + + date-flow.com + +date-inyourarea.com + + date-lane.com + +date-place.com + + dateable.lat + +dateacrossborders.biz + +dateacrossborders.pro + +dateacrossborders.xyz + +datebeam.click + +datebreeze.xyz + +datebridge.xyz + + dateflow.xyz + + dateflux.xyz + + dateforge.xyz + +dateplus-space.com + + daterapp.bond + + daterly.bond + +datewhisper.biz + +datewhisper.pro + + datiklaw.com + +dating-sweeties.com + +datingdateable.lat + +datingihun5.xyz + +datingwithgirls.com + +datlngplace.com + + +ddrdns.com + +decilligister.com +! +dedicatedhostingreviews.com + +deepconnectionhub.com + +demomaxly.bond + +demomediumapp.bond + + desain.click + +desire-flow.xyz + + desirefun.fun + +dessacheysa.com + +destinycouple.xyz + +devotedheartmate.com + + dibareco.com + +digitalmediaera.com + +dipingqijiage.com + +discountcablesusa.com + +diysolartucson.com + +domaindhaba.com +# +domainedefondsaintjacques.com + +donicespermably.com + +dr-anika-ezhqbjx.work + +dr-ara-hwjnryq.work + +dr-bailee-zglaacg.work + +dr-chaya-esyhwan.work + +dr-delilah-ybkvxsd.work + +dr-dovie-wqdraci.work + +dr-effie-xrajblw.work + +dr-elnora-whxmldi.work + +dr-estrella-fowxvzr.work + +dr-evalyn-vakjlfr.work + +dr-jazmyn-gixlhma.work + +dr-lauryn-daaetxy.work + +dr-loren-poamavu.work + +dr-mabelle-bydssxi.work + +dr-maddison-hqxihof.work + +dr-maida-fqvyyfk.work + +dr-maymie-jtshllu.work + +dr-myrtie-yeoimmi.work + +dr-myrtis-dlmkoyu.work + +dr-neva-oareott.work + +dr-providenci-hqfumdk.work + +dr-thelma-ubngsjl.work + +dr-xiu-mei-ffnybmj.work + +draftchargegrowing.cfd + + dreambos.bond + +dreambright.xyz + + dreammeet.xyz + +dreamswipe.xyz + + driftdate.xyz + + drinkbeup.com + +driveawaytodayautos.com + +dsvmvcj5j8wz.today + + +dxs168.com + + e-idl.org + + easymeet.club + + echoheart.xyz + + ecobond.bond + +ecodealapp.sbs + + ecodealhq.sbs + +ecodeallabs.sbs +* +$ecommercesoftwaresolutionsonline.com + +economically.sbs + +ectithityl.com + + +edasaw.sbs + +effeminie.bond + + eguwi.sbs + +ehlkelawoffices.com + +ejagostromenze.com + + ekuhuguy.sbs + + elahiyuf.sbs + + elayixog.sbs + +electricbikesco.com + + elinizefo.sbs + +eliteconnectionhub.com +# +eliteconnectprofessionals.com + +elitecupidconnect.com + +elitedatingpulse.com + +eliteloveconnections.com + +elkhaouarizmi.com + + elorhood.lat + + eloritiho.sbs + + +elpfu.bond + +email-cible.com + +emergerelationships.com + +endlessaffection.xyz + +enduringheartsclub.com + + enjoydate.org + +enseignement-prive.com +" +eroticamissysakuralondon.com + +ess-alarms.com + +essenselab.com + +eternalaffectionnet.com + +eternalfame.xyz + +eternalmingle.com + +eudbeecknomics.com + +euradabarks.com + +everbloomlove.click + +exceptionaldates.net + +exclusivedatinghub.com + +exitthewho.com + +expertjobmatch.com + +explorelovehorizons.com + +explorelovenetwork.com + + exthe.lat + + eyibugoto.sbs + + ezazevuw.sbs + + ezoqomu.sbs + +fairyelisa.xyz + +fairytellers.sbs + + fancyapp.bond + + fancyhq.bond + + fancyhub.bond + +fancylovehq.bond + +fancylovelabs.bond + +fancylovely.bond + + fancyly.bond + +fanhaodang.com + +fashionnailswi.com + + fasionist.lat + + fatedmeet.xyz + + fayechai.com + + feedtofap.com + + feel2more.com + +feelings-dash.com + + +feman.bond + +fetishlivecamsforce.com + +fewer-jumps.com + +fgautobroker.com + + figawatu.sbs + +filmizlepop.com + + filteroff.xyz + + find-flow.com + + find-line.com + +find-singles-online.com + +findresourcesusa.com + +findshortsmall.com + +findyourglow.xyz + +findyourplusone.xyz + +findyourspark.xyz + +fitnesalasinia.com + +flameunion.xyz + +flamingaze.com + +flirt-avenue.com + +flirt-circle.com + +flirt-club.com + +flirtandlucky.com + +flirtatiouslane.com + +flirtbase-time.com + +flirtlounge.xyz + +flirtstorm.biz + +flirtvibesconnection.com + +flirtwithbabe.xyz + +flirtyneighbors.xyz + + fludismin.com + + fluvingly.com + +flyshoescentre.com + +followdream.xyz + +fondneslove.click + +forevertogetherlink.com + +forexsignals22.org + +freeinsurestimates.com +" +freeletterfromsantaclaus.net + +freespiritlovequest.com + +fresh-vibe-place.com + + frillier.bond + +frontline-selling.com + +fruitful-connections.com + +fuckinghotmilfs.com + +funn2nightt.com + +funnyshow.bond + +funtwonight.com + + fututepe.sbs + + fuxxx.com + + +fynweb.com + +gadgetreviewblog.com + +galaxyhearts.xyz + +geeksunite.xyz + + geguruyuv.sbs + +gercei-vadasz-vizslas.com + + german0.xyz + +getcorporations.bond + +getdemomax.bond + +getecodeal.sbs + +getfabulous.bond + + getflash.bond + +getgoextreme.bond + + gethorny.bond + +getinformations.sbs + +getinterconnection.bond + +getkisstoday.bond + +getlovely.bond + +getlovemethods.bond + +getmanykisses.bond + +getmaxmedia.bond + +getmediatops.bond + +getmobilenetworks.bond + +getnetwifi.cfd + +getpleasure.bond + + getspace.bond + + gettranny.com + + getwow.bond + +getyournights.bond + + gides.sbs + + girlie.bond + + girlish.bond + +girlsforrelax.click + +girlslovesfun.com + +girlsteam.click + +girlynessy.bond + +girlzsearch.com + + giyab.sbs + +gjb9s8m9246p.today + +glimpse-vibe.com + +globalconnectionly.sbs + +globalists.icu + +globalromancenet.xyz + +goextremeapp.bond + +goextremehub.bond + +goextremelabs.bond + +goldengoddessbath-body.com + + gomusic.info + + gonalatin.com + +goodgal-mansion.com + +goodtimesapp.bond + +goodtimeshq.bond + +grantmethisgrantpls.com + +graymangunclub.com + +greenbeanmanufacturing.com + +greenclockshadow.com + +gruposerhumano.com + + gsmtele.bond + +gsmtelelabs.bond + + gsmwifi.bond + +gsmwifiapp.bond + +gsmwifilabs.bond + +gsmwifily.bond + + gukij.sbs + + guniwebi.sbs + +gymainpower.com + + gzcater.com + +hairbyricardo.com + +hamburgermarys-orlando.com + +happy-bonding.com + +happydayscertification.com +& + happynewyear2016quoteswishes.com + + haqamutaf.sbs + + hazecrave.xyz + + +hclips.com + +headedemole.com + +heartandhomefound.com + +heartfelthaven.xyz + +heartfeltunionhub.com + +heartflare.pro + +heartflare.xyz + +heartforge.xyz + +heartforyou.click + +heartlinkup.xyz + +heartpick-line.com + +heartsignal.xyz + +heartsynergy.xyz + + herecandy.com + +hereislove.click + + hestraver.com + +heterbation.lat + +hetichality.com + + hexaprim.lol + + hi-flirts.xyz + +hipetimmelindic.com + + hojagawek.sbs + +homosexwith.lat + +honeymooneymoon.lat + + hookupers.com + + hornyhub.bond + + hornywish.com + + hotlove.bond + +hotloveapp.bond + +hotlovehq.bond + + hotmovs.com + +hotsexdates.com + +hotswipezone.biz + +hotswipezone.pro + +hotwomegle.bond + + hpjy789.com + +hq-bbw-tube.com + + hunkies.bond + + hush-fun.com + +hypermousus.com + + +hzkcjj.com + +i-scoredittoday.com + +ibusukikankohotel.com + + ideadate.xyz + + ignispc.com + +ihaveaconfessiontomake.com + +ii41.com + +ij28k6rs0wzo.today + + +ijoxiq.sbs + + ikimeciz.sbs + +imagicholyched.com + +imilroshoors.com + +impactboxing.org + +impromote.bond + +inailsandspa.net +$ +infiniterelationshiptrails.com + +infinityhearts.xyz + +inflationrelief.net + +info-feed.info + +informationsapp.sbs + +informationvine.com + +informyouapp.sbs + + inimema.sbs + +instalketate.com + +instant-chatting.com + +intellicouplecare.com + +intellimatchluxe.com + +interconnectionhq.bond + +interconnectionly.bond + +internetmediahq.cfd + +internetmedialabs.cfd + + iquviguva.sbs + +irishaboard.com + +islamiskaskolan.com + +isusigmachi.com + +it-geniuses.com + +itistmensynae.com + +iuk-ism-kg.com + +iuradionetwork.com + +jacobsonbrosdeli.com + +jamekabire.com + +jamesbradshawgoldsmith.com + +javidolmovies.com + +jdatingles.lat + +jeannefashnbeauty.com + +jiggly-hearts.com + +jobcenter.bond + +jobdiagnosis.com + + jobinfm.com + + jobmatcher.io + + join-lane.com + +join-place.com + + +jopoge.sbs + +joshuajadon.com + +joyful-linkup.com + +joyful-ride.com + +joyreceive.click + + jptecnet.com + + jscards.shop + + jscards.site + + jscards.space + + jscards.store + + jscreds.shop + + jscreds.site + + jscreds.space + + jscreds.store + +jsn-qhdjnzownd.com + + +jssfgt.com + + jubsaugn.com + + judynjeri.com + +jugingnonsne.com + +julingletchon.com + +kiirajuniorprep.com + + kindroze.com + + kinkblitz.com + +kismetconnects.xyz + +kiss-circle.com + + kiss-hub.com + + kiss-link.com + + kiss-spot.com + +kiss-vibes.com + +kisstodaylabs.bond + + kixun.sbs + +kojodertattoo.com + +komunakallmet.com + +la-lanterne.com + +ladiesfuckinbed.com + +ladycassandra-xrxkuzh.work + +ladycheyanne-zjyrsge.work + +ladyelse-mcckfhl.work + +ladyettie-gdvleyv.work + +ladyeulah-zfuclna.work + +ladyharmony-jtsjpln.work + +ladyjany-uioalhf.work + +ladykaelyn-sawkdrs.work + +ladymagnolia-lqdbkoi.work + +ladymargarete-oqvvsns.work + +ladymargret-svodptk.work + +ladymary-tasyziu.work + +ladymaud-kltnnsd.work + +ladynayeli-dydssxi.work + +ladypamela-feejexk.work + +ladypatience-wesstpx.work + +ladyreina-bmpapxy.work + +ladyrosetta-dvkrarw.work + +ladysylvia-xmuvcbq.work + +ladytressa-mtfhygc.work + + lagojugil.sbs + + +laloci.sbs + +landingjazz.com + +laparosis.bond + +lasolascafe.com + +lastingaffectionate.com + +lastingbondseeker.com + +latina-match.com + +lbl-holding.com + + lchpw.com + +leadingteamly.bond + + leilig.bond + +leipprandi.bond + + lejux.sbs + +letitbefun.org + + lex-press.com + +licktaughigme.com + +lightheartedlink.com + +lintandeferma.com + +listingsbybecca.com + +livequizwithu.com + +logaldaerved.com + + lohik.com + +loillbolsockan.com + +londonsbars.com + +lonelypussies.com + +lonlyandhorny.com + + looncup.com + +loteriadecolombia.com + +lovdreamstonight.com + +love-circle.com + +love-corner.com + + lovedate.club + +lovedayapp.bond + +lovedayly.bond + + lovefers.biz + +lovefusion.xyz + +loveinanylanguage.pro + +loveinanylanguage.xyz + +loveleyla.site + +lovelinesshub.sbs + +lovelinesslabs.sbs + +lovelyapp.bond + + lovelyhq.bond + +lovelyhub.bond + +lovelyhunt.xyz + +lovemeapp.bond + +lovemelabs.bond + +lovemethodshub.bond + +lovemethodslabs.bond + +lovepuzzle.xyz + +lovesitehq.bond + +lovesitehub.bond + +lovestruckconnection.com + +lovetoday.click + + lovetwist.fun + +loveunlocked.xyz + +lovevibeshub.xyz + + luckyapp.sbs + + luckylabs.sbs + + luckyly.sbs + +luminousbond.xyz + + lungninja.com + + lustorbit.pro + + lustorbit.xyz + +luvcurrent.xyz + + luvspark.xyz + +luxeloveconnections.com + +mackawning.com + +magnetlove.xyz + + mahikeg.sbs + +makemeflirty.com + + manine.bond + +manykisseshub.bond + +manykissesly.bond + +marketingshowhq.bond + + markting.sbs + +match-dash.com + +match-spot.com + +match-wave.com + + matchbeat.xyz + +matchmakers.lat + +matchmakerzone.xyz + +matchmindsmate.com + +matchy-corner.com + + maxmedia.bond + +maxmediahub.bond + +mckennasanderson.com + + mealsvege.lat + +meaningfulelitematch.com + +meaningfullink.com + +meaningfullinkup.com + +meaningfulmateseeker.com + +mediaboyhq.sbs + +mediamodehq.bond + +mediarecordhub.sbs + +mediarecordly.sbs + +mediascape.bond + +mediatopshq.bond + +mediatopshub.bond + +meditrainical.bond + +meet-circle.com + + meet-dash.com + +meet-place.com + +meet-spark.com + +meet-vibes.com + + meet-zone.com + +meetaffair.com + +meetaffair.vip + +meetandchats.com + +meetandflirts.com + +meetanswerme.bond + + meetbliss.xyz + +meetgently.com + +meethorny.bond + +meetintonight.com + +meetmatch.club + +meetmediaera.sbs + +meetmehorny.com + +meetmilfsnow.click + +meetmobilenetworks.bond + +meetmustdo.bond + + meetnaked.com + +meetnestlove.xyz + +meetonlinelessons.sbs + +meetperfect.sbs + +meetpleasure.bond + +meetpremium.cfd + +meetsinglemates.com + +meetsnebula.xyz + + meetsoul.xyz + +meetsuccess.xyz + +meetsuper.bond + +meetsuppliers.bond + +meettechnology.xyz + +meettelemaxa.bond + +meettelenautics.bond + +meetup-gateway.com + +meetwithjoy.click + +menpowermedia.com + +mentorlawfirm.com + + menuinbed.xyz + +meridianlinelabs.sbs + +metalduplicator.com + +meteoritients.bond + + meteratic.com + +microeconomy.bond + +midshorerecyclers.net + +mikeandmika.xyz + +mikehillart.com + +milagrokitchen.com + +milfdatingclub.click + +milfforyou.org + +milkychicks.xyz + + millins.sbs + +mine-prize-search.com + +mingle-circle.com + +mingle-club.com + +mingle-flow.com + +mingle-line.com + +mingle-portal.com + +mingle-vibes.com + +minisgolfmotid.bond + +missalaina-phdbecs.work + +missashleigh-zminwld.work + +missbianka-tkctmln.work + +missclaire-ctdabkn.work + +misscordia-tkhjomr.work + +missdolores-fvrosim.work + +misselinor-vdeuvrk.work +! +missfrederique-caobjds.work + +missizabella-xhqjmyy.work + +missjosie-kbacnwy.work + +misskali-jweqaus.work + +misskathlyn-cmjniwn.work + +misskrystal-lfnusqh.work + +missloraine-jrwrhzj.work + +missmafalda-xfwkiqo.work + +missmaybelle-gzsievl.work + +missmelody-njpprmi.work + +missmichele-gsxlmnl.work + +missnina-opsdpds.work + +misspetra-yknfyic.work + +missrosalyn-skolglj.work + +missshana-yvnbfas.work + +misssummer-fflpuiq.work + +misstelly-fqhhnvg.work + +misstiffany-qywowvn.work + +missvelda-hduypnq.work + +missvivian-sommlgd.work + +misswilla-uuhnruq.work + +mitopamosal.com + +mivensorlsal.com + +mmtoolsindia.com + +mocivilengineering.com + +moneyhub-aiinsights.click + +moneyhub-aiinsights.sbs + +moneyhub-aiwealth.sbs + +moneyhub-aiwealthpro.click + +moneyhub-aiwealthpro.sbs +& + moneyhub-analyticsinsights.click + +moneyhub-analyticspro.sbs + +moneyhub-bizpro.sbs +" +moneyhub-capitalfuture.click + +moneyhub-capitalfuture.sbs +! +moneyhub-capitalnetwork.sbs + +moneyhub-capitalworld.sbs + +moneyhub-cashpro.sbs + +moneyhub-consultx.sbs + +moneyhub-dashboardx.click + +moneyhub-dataanalyst.click + +moneyhub-dataanalyst.sbs + +moneyhub-datacenterx.click + +moneyhub-dataflow.sbs + +moneyhub-digitalflow.sbs +" +moneyhub-digitalinvest.click + +moneyhub-digitalinvest.sbs +" +moneyhub-digitaluniverse.sbs +" +moneyhub-digitalwealth.click + +moneyhub-digitalwealth.sbs + +moneyhub-econhubx.sbs + +moneyhub-econx.click + +moneyhub-econx.sbs + +moneyhub-finanalyst.click + +moneyhub-finanalyst.sbs + +moneyhub-financecore.sbs +! +moneyhub-financenetwork.sbs + +moneyhub-finflowx.click + +moneyhub-finflowx.sbs + +moneyhub-finhorizons.click + +moneyhub-finhorizons.sbs + +moneyhub-finhub.click + +moneyhub-finhubworld.sbs + +moneyhub-finhubx.click + +moneyhub-finhubx.sbs +! +moneyhub-fininsightsx.click + +moneyhub-fininsightsx.sbs + +moneyhub-finpro.sbs + +moneyhub-fintechx.click + +moneyhub-fintechx.sbs + +moneyhub-finuniverse.sbs + +moneyhub-fundspro.sbs + +moneyhub-globalcapital.sbs +! +moneyhub-globalfuture.click + +moneyhub-globalfuture.sbs + +moneyhub-globalinvest.sbs + +moneyhub-globalnetwork.sbs +! +moneyhub-globaluniverse.sbs + +moneyhub-growthflow.click + +moneyhub-growthflow.sbs +# +moneyhub-growthinsights.click +! +moneyhub-growthinsights.sbs + +moneyhub-innovatepro.click + +moneyhub-innovatepro.sbs +" +moneyhub-investanalyst.click + +moneyhub-investanalyst.sbs + +moneyhub-investflow.click + +moneyhub-investflow.sbs +! +moneyhub-investfuture.click + +moneyhub-investfuture.sbs +! +moneyhub-investinsights.sbs +! +moneyhub-investuniverse.sbs + +moneyhub-investworld.sbs + +moneyhub-loanx.sbs +" +moneyhub-marketanalyst.click + +moneyhub-marketanalyst.sbs + +moneyhub-marketflow.click + +moneyhub-marketflow.sbs +# +moneyhub-marketinsights.click +! +moneyhub-marketinsights.sbs + +moneyhub-marketpro.sbs + +moneyhub-moneycenter.click + +moneyhub-moneyflowx.sbs + +moneyhub-moneyfuture.click + +moneyhub-moneyfuture.sbs + +moneyhub-moneyworld.sbs + +moneyhub-profitpro.sbs +# +moneyhub-quantumfinance.click +! +moneyhub-quantumfinance.sbs + +moneyhub-riskx.sbs + +moneyhub-smartfinance.sbs + +moneyhub-smartinsights.sbs + +moneyhub-techcore.sbs + +moneyhub-techflow.sbs + +moneyhub-techfuture.click + +moneyhub-techfuture.sbs + +moneyhub-techpro.sbs +! +moneyhub-techventures.click + +moneyhub-techventures.sbs + +moneyhub-tradefuture.click + +moneyhub-tradefuture.sbs + +moneyhub-tradepro.click + +moneyhub-tradepro.sbs + +moneyhub-traderpro.sbs + +moneyhub-tradeworld.sbs + +moneyhub-venturepro.click + +moneyhub-venturepro.sbs +" +moneyhub-wealthanalyst.click + +moneyhub-wealthanalyst.sbs + +moneyhub-wealthcore.sbs + +moneyhub-wealthflow.sbs +# +moneyhub-wealthinsights.click +! +moneyhub-wealthinsights.sbs + +moneyhub-wealthnetwork.sbs +! +moneyhub-wealthuniverse.sbs +# +moneyhub-wealthventures.click +! +moneyhub-wealthventures.sbs + +moneyhub-wealthworld.sbs + +montanaadventuretours.com + +moonlightdating.xyz + +moonlitmatch.click + + moressis.bond + + motikuxis.sbs + + mrcater.com + + +mrgay.tube + +mrs-aiyana-xdvcynj.work + +mrs-alba-axrgrqm.work + +mrs-araceli-awyenww.work + +mrs-bernadine-ggpbxnx.work + +mrs-beth-wmymktx.work +! +mrs-concepcion-cpcwvah.work + +mrs-daisha-vvdoudf.work + +mrs-della-honxxas.work + +mrs-duane-jpqcyfy.work + +mrs-evalyn-txurnak.work + +mrs-hattie-lxmugwb.work + +mrs-helene-utejypd.work + +mrs-icie-rhgzfri.work + +mrs-katelyn-gwsihtv.work + +mrs-kristy-dunupve.work + +mrs-lurline-wacejhm.work + +mrs-maci-olqsgns.work + +mrs-rubye-qmrnvtv.work + +mrs-sabina-rkxmcpo.work + +mrs-sabina-yvalbli.work + +mrs-samara-wdctdet.work + +mrs-simone-czfnxxc.work + +mrs-xio-mndqkan.work + +mrs-zelda-ydfjyrz.work + +ms-alison-edhnrvf.work + +ms-ally-xhqkqlg.work + +ms-alyce-vwnkknv.work + +ms-astrid-oayfoqy.work + +ms-elouise-juoabyi.work + +ms-emmalee-sbhujum.work + +ms-felicia-jrgorfj.work + +ms-gudrun-pnrpqxl.work + +ms-karlie-hqavuqj.work + +ms-laurie-iyadice.work + +ms-lillian-gkxlrcg.work + +ms-lilliana-xpkctfm.work + +ms-marcia-ubzwwgo.work + +ms-marlee-tbajnsu.work + +ms-meta-wbqitno.work + +ms-rosalia-iksaloe.work + +ms-rosie-ichtqdk.work + +ms-tess-lijvppo.work + +ms-tiana-iyyuxcf.work + +ms-trudie-njdcsyb.work + +ms-virgie-rgykqjx.work + +ms-yesenia-cudater.work + +ms-zetta-kwcleck.work + + +mudire.com + +multiloveconnect.xyz + + muyalurih.sbs + +myfreecam2cam.bond + +myhorny-milf.com + +mynicetime.click + +myonlymilf.org + + mypetpals.org + +mysterydate.xyz + +mysticbond.xyz + +n4svcxxign36.today + + nanhe100.com + + napesod.sbs + +nathanaeldan.pro +' +!nationalfireescapeassociation.com + +nature-et-vertus.com + +naughtyhookup1.com + +naughtyradar.biz + +naughtyradar.pro + + naxulagu.sbs + + nearlove.top + +nebulalove.xyz + + netteles.bond + +neurocrush.xyz + +newarsinsikkim.org + +newcumslut.bond + +newhorizonsromance.com + + newlywed.lat + +newsmediaa.bond + +newtinder.dating + +newtoki115.com + +newyorksbars.com + +nextdoornights.org + + nextflirt.xyz + + nightfun.xyz + +nightfunlove.com + +nightneighbors.org + +nighttalk-link.com + +nikecompany.net + + +nixode.com + + nlinebest.sbs + +nogalcarpet.com + + nologauta.com + +nonbaryzaty.com + +nonchalantdatelink.com + +noneouarate.com + +nonfliestortic.com + +nonminerals.bond + + nonymous.sbs + +nopilionased.com + + normalhq.sbs + +nosehabladebruno.com + +nosseropers.com + +nostringsmatch.com + +notadslife.com + + notiffit.com + +notifinfoback.com + + notifstar.com + +notiftravel.com + +novatether.xyz + + nummusely.com + +nuviasmilesmail.com + + +nycppe.org + +nydiamondsyndicate.com + + nylon24.com + + +o2stor.com + + obolazu.sbs + +ofertastrabajo.com + +offerdayapp.xyz + + ofoto.sbs + + ofwikija.org + + ojasituso.sbs + + ojuboye.sbs + + okigidop.sbs + + okoucho.com + + olomuxab.sbs + + omaroxujo.sbs + +omgsweeps.info + + +oninir.sbs + + oniri.sbs + +onlinelessons.sbs + + onlytik.com + + ooxxx.com + + opencooks.com + +opencorporations.bond + +opendobusiness.sbs + + openeco.sbs + +openerobox.sbs + +openflash.bond + +openfromtele.bond + +opengreenenergy.sbs + +opengsmtele.bond + +openheartedexplorers.com + +openheartexploration.com + +openhorizonconnections.com + +openhorny.bond + +openinterconnection.bond + +openlovely.bond + +openlovemethods.bond + +openmanykisses.bond + +openmarketingshow.bond + +openmatch.bond + +openmediaera.sbs + +opennormal.sbs + +openspecialthings.bond + +opensweetgirls.bond + +opentelemap.bond + +opentelemaxa.bond + +opentelemode.bond + +opentelenautics.bond + +openyournights.bond + + optimclk.com + +optionsther.bond + + oqoxiqo.sbs + +oregonselfdefense.com + + osavubod.sbs + +ourpastortalent.club + + ovahavaze.sbs + + ovato.sbs + + ozafewa.sbs + +pair-circle.com + + pair-club.com + + pair-dash.com + + pair-hub.com + + pair-lane.com + + pair-line.com + + pair-link.com + +pair-portal.com + +pair-space.com + + pair-spot.com + +pair-vibes.com + + pair-wave.com + +pallairrate.com + +passionquest.xyz + +paudhaphystres.com + +pdfq99js3t03.today + +penisextendersfeedback.com + +perfectlabs.sbs + + perfectly.sbs + +petloversmeet.xyz + + philip25.xyz + +phillipshomeinspection.com + +photonying.com + + phyposisa.com + +pianotech1.com + + +picme.name + + pidas.sbs + + pillsen.info + + pillsen.pro + +playfulbond.xyz + +playfulbonding.com + +playfullinkup.com + +pleasurehq.bond + +pleasurely.bond + +pn12.biz + + pornhits.com + + pornl.com + + porntop.com + +porttopicourselves.guru + + povuhoz.sbs + +pp04.biz + + ppemaster.com + + +ppgopp.com + + preadenjo.com + +preweddding.lat + +primebeautyagain.com + +primerewardstop.com + +princealbertfoundation.org + +princessaliza-kmgscbf.work + +princessanahi-pmwxqur.work + +princessanna-nfiouab.work +" +princessashlynn-xpewskr.work + +princessaylin-wmsqytv.work + +princessbella-gncmbqb.work + +princessbette-vguauvn.work +" +princesscandida-eonjced.work +" +princessdaniela-qyoytrt.work + +princessdixie-oiajdaw.work + +princessenola-clswiio.work + +princessjanis-ofdxqab.work +! +princessjoanny-ybrwytt.work + +princesskayli-ftiahlu.work +" +princesskirstin-kfyanvj.work + +princessmara-wqdcxdw.work + +princessnoemi-kimfyss.work +! +princessphoebe-bwypsix.work + +princessretta-sfkzthf.work + +princessreyna-aiygmnf.work + +princessrose-hdscdpq.work + +princesszelma-ogtypmf.work + +prizesearchthree.com + +prizestash.com + + probress.com + +prodatesolutions.com + +productreviewjobs.com + +prof-annabell-oakmlqm.work + +prof-briana-gsoawuu.work + +prof-celia-mzgtprw.work + +prof-clara-snkzcnk.work +! +prof-guadalupe-khsrgaj.work + +prof-hailie-rfdafdb.work + +prof-jana-isujqbf.work + +prof-ludie-oudntff.work + +prof-luella-tudzkgd.work + +prof-marie-vdoxqyy.work + +prof-maybelle-ewokarf.work + +prof-nella-tufcqhj.work + +prof-neoma-mnfyqgw.work + +prof-rylee-xovdvex.work + +prof-tracy-dffrtnk.work + +prof-vergie-slmngde.work + +prof-verona-gqeycmt.work +" +profoundtechnologiesmail.com + +project-vu.com + + prormling.com + +ptaimpeerte.com + +ptifirelaria.com + +pulseoflove.xyz + +purechemistry.xyz + +pureconnection.xyz + + purematch.xyz + + puremeet.xyz + +pussy-airlines.com + +qq-datesapp.com + + qtrlo.com + +quadigriters.com + +quantumridgepro.xyz + +queenada-hlqfuom.work + +queenalice-buogybc.work + +queenayla-irejltd.work + +queencamilla-pyurmix.work + +queencarlotta-diqcqlf.work + +queencarolyne-ciniqgz.work + +queenchristy-xrxfyja.work + +queenconnie-sywwtbi.work + +queenemilie-ojifyxb.work + +queeneryn-ruccksf.work + +queenestell-afgdwly.work + +queeneula-jwkppkw.work + +queenfannie-icaqsvg.work + +queenjaunita-zlogdkr.work + +queenjeanne-kroijgs.work + +queenjustine-oqiekdg.work + +queenkaylee-bsaqbdv.work + +queenlaila-garrjxm.work + +queenleanna-xlfaxuq.work + +queenlora-cohxler.work + +queenmarie-uqjotpl.work + +queenmaureen-uixhfxv.work + +queennicole-cknmqvw.work + +queenophelia-kglyxno.work + +queenreina-tdasgei.work + +queenromaine-vyyurjp.work + +queenserena-dxhfqjy.work + +queenshea-rnvyunt.work + +queentracy-qlrzidm.work + +quesearocanrol.com + +quickest-matches.com + +quickytalks.com + +quizscope.info + + +qukoju.sbs + + quyihobiq.sbs + + r-cdn.com + + radioyur.com + +raftgame-play.com + +rainbowbayfestival.com + +random-strangers.com + +randomneighbors.monster + +rankupwards.com + +rapidclimax.com + +readyforflirts.com + +receivelove.click + +recogidosparabodas.com + +redsevenlinux.com + +registerdefeatworth.pro + +reignificence.bond + +relationshipintellect.com + +relaxedromancezone.com + +relsestemain.bond + +reluctantfundalthough.cfd + + remhainam.com + +remywordtsterk.com + + rericex.sbs + + retellers.sbs + +rettypholos.com + +revistadoc.org + +revistamuchomas.com + +rharcometa.com + +rhondamoorefieldlaw.com + +rhythmtrail.xyz + + riskylove.xyz + +robocaller.bond +! +rocketracingproductions.com + +rofforoofing.com + +romance-line.com + +romance-match.com + +romance-meet.com + +romance-wave.com + +romancefun.fun + +romancepath.xyz + +romanticzoom.xyz + +rosiewilson.com + + rstxs.com + + s3xuality.lat + +samplesflash.com + +sampleshunterusa.com + +sangiorgiosnc.com + +sartoriented.lat + +sassymatchmaker.com + + savefrom.net + +savesaintjamesthegreat.org + +scoadefecing.com + +secret-discoveries.com + +secretlove.click + +secretneighbors.xyz + +sedianotes.com + +selfdefensecorp.com + +seniorspark.xyz + + +senmie.com + +sensualoverload.com + +sententias.org + + senzuri.tube + + serendate.xyz + +serendipityflings.com + +serenitysoulmate.com + +seriodateconnection.com + +seriouslovesearch.com + +sevenofdiamonds.xyz + +sex-friend-finder.com + +sexdateable.lat + +sexoaovivo.org + + sextop1x.com + +sexydatess.com + +sfpublicmontessori.com + + shedivine.com + +sheedsociety.org + +shenaniganbooks.com + +shufflbabes.xyz + + skysound7.com + +slut-radar.com + +slutybabes.com + +slutymilfs.com + +smartlifestyletrends.com + +smartmatchiq.com + + smokinbbs.com + +snagyoursamples.com + +snappyhello.com + +sogionowlid.com + +solityimpar.bond + +soulclick-lane.com + +soulfulrelationships.com + +soulwhisper.xyz + +southbayautoservice.net + +spark-corner.com + +spark-place.com + +sparkcognitionlove.com + +sparklelove.xyz + +sparkline-dates.com + + sparkmate.org + +sparkspace-time.com + +specialthings.bond + +specialthingslabs.bond + +specialthingsly.bond + +spectrtriee.cc + +starlightdate.click + +starlightkiss.xyz + +starrymatch.xyz + +stellarbond.xyz + +stimprograms.com + +stjohnonbethalgreen.org + + stlyz.com + +stockdreamno.guru + + stop2025.bond + +streetfashions.lat + + sttheed.sbs + +studiodolmaine.com + +stueeseenavock.com + + successhq.xyz + + succses.sbs + +sugarchecker.com + + sulethot.com + +sunsetdate.xyz + + supcurtee.com + + superhq.bond + +superlabs.bond + + superly.bond + +supersweepstotherescue.com + +suppliershq.bond + +suppliersly.bond + +surgicalent.com + +suryajewellers.com + +susasiaafrical.bond + +swagtracker.xyz + +sweepscentreusa.com + +sweetgirlshq.bond + +sweetgirlsly.bond + +sweetmilfs.xyz + +swiftgear.autos + +swipe-cloud.com + +swirlcrush.xyz + + sylaixin.com + +syncsmartromance.com + + systemshq.sbs + + +szfywl.com + + szshishen.com + +takaramonroe.com + +talk-circle.com + + talk-lane.com + +talk-match.com + +talk-vibes.com + + talk-wave.com + +talkdoor-club.com + + talkwcs.com + +taryn-southern.com + + tavikaboz.sbs + + tcheturbo.com + +techniqes.bond + +technologyly.xyz + +tecnoclasta.com + + teleangel.sbs + +teleangelapp.sbs + +teleangelly.sbs + +telecarousellabs.bond + +telemodelabs.bond + +telenauticsly.bond + +televolume.bond + +televolumehq.bond + +tenderdate.xyz + +tenderrush.pro + +tenderrush.xyz + +tenderspark.xyz + +terkepesingatlan.com + +testloading.bond + +thaiwebpromote.com + +theamericancareerguide.com + +thecomedyreview.com + +thedemomax.bond + +theearththe.bond + +thefreesamplesguide.com + +thefreesampleshelper.com + + +thegay.com + +theglobalconnection.sbs + +thegoextreme.bond + + thegood.sbs + +thehoneygirls.bond + +thekisstoday.bond + +thelovealgorithmworks.com + +thelovely.bond + + thelucky.sbs + +themattress4u.com + + themedia.sbs + +themediatops.bond + +themoneyminutes.com + +themoneypower-avelu.live + +themoneypower-axis.cfd + +themoneypower-fenix.bond + +themoneypower-fylo.life + +themoneypower-lunor.live + +themoneypower-lyvon.lat + +themoneypower-mirux.store + +themoneypower-narix.sbs + +themoneypower-raxel.site + +themoneypower-syrix.space + +themoneypower-virex.online + +themoneypower-vyxen.online + +themoneypower-zynor.xyz + + thenormal.sbs + +theofferday.xyz + +theoptionstrading.com + +theporndude.blog + + thesuper.bond + +thetechpark.xyz + +thetripover.com +& + theunemploymentbenefitsguide.com + +theyournights.bond + +thinkanddone.com + +thinkflirt.xyz + +thisstream.com + +thorhortizinity.com + +threadoftwo.xyz + + throbs.bond + + tianrunsj.com + +timehotlove.xyz + +timeoffun.click + +timeoflove.click + +timesbestseller.sbs + +tjjinchanyi.com + +topfabulous.bond + + topmatch.bond + + topspace.bond + + topwow.bond + + torathing.com + +tornillosmarina.com + +torresproject.com + +torridcard.org + + trailmate.xyz + + travelall.lat + +travelluxembourg.org + + treancoly.com + + treetwear.lat + +trendndailyamerica.com + +trendndailyinsider.com + +trendndailyofficial.com + +trendndailyus.com + + trionites.com + +truecommitment.xyz + +trueneighbors.club + +trueromancelink.com + +trueties.monster + +truevibedate.pro + + +trychk.com + +trycomwires.cfd + + trydater.bond + +trydevtools.sbs + +tryenjoyourday.bond + +tryexciting.bond + + tryflash.bond + +tryfromtele.bond + +trygsmwifi.bond + + tryhorny.bond + +tryinternetmedia.cfd + +trykisstoday.bond + +tryleadingteam.bond + +trylovely.bond + + tryluck.bond + +trymediabuy.xyz + +trymediamode.bond + +trymediarea.sbs + +trymediarecord.sbs + + tryspace.bond + +trystwith.click + +trytelemaxa.bond + +trytelenautics.bond + +tryyournights.bond + + +tuanhr.com + +tubepornclassic.com + +tubiegaming.com + + turekok.sbs + + tvtime.bond + + tyde-cn.com + + ubukage.sbs + + ucamo.sbs + + ufupace.sbs + + ujisikide.sbs + +ultrafemmy.bond + +ultraplinko.com + +unconventionalunity.com + + undatable.lat + +undeletrodefess.com + +underwraps-fun.com + +unforibogeined.com + +unityhearts.xyz + + untabian.com + + untiested.com + + untill.bond + + unythai.com + + upornia.com + + upssies15.vip + + upupo.sbs + +uroicaming.com + +usecomwires.cfd + +usecorporations.bond + +usecybermonday.sbs + + usedater.bond + +useenjoyourday.bond + + useerobox.sbs + + usefancy.bond + +usegsmtele.bond + +useinterdeal.sbs + +uselovely.bond + +useloveme.bond + +uselovesite.bond + +usemarketingshow.bond + +usemasterpiece.bond + +usemobilenetworks.bond + +usepleasure.bond + +usespecialthings.bond + +usesuccess.xyz + + usesuper.bond + +usetechnology.xyz + +usetelenetwork.sbs + +usetelevolume.bond + +usmlepearls.com + + utoka.sbs + + uytrlab.com + + vactioned.lat + +valuemailpush.com + + vdajyi.space + + +velana.xyz + +velvetdesireshub.com + +venturemetro.com + + vibe-dash.com + +vibepark-space.com + +vibevine.click + +videofunder.com + +videospornotrans.com + + vilajibin.sbs + +vinylhearts.xyz + +vitevipue.click + +vjav.com + +vxxx.com + + +w-news.biz + +wakeezingnigs.com + +wanderlustromancequest.com + +wanderlustsoulmates.com + + warmtie.xyz + +weddingmoons.lat + +weddingswhite.com + +wellbeingrules.com + + weltchor.com + + wetheithe.sbs + + wftianju.com + +whatsummermeaning.cfd + +whimsicaldates.com + + who-k-ups.com + +wholesome-bbs.com + + widudedas.sbs + +wildandffun.com + +wildchemistry.xyz + +wildheartmeet.com + +wildjourneydating.com + +wildmatchup.pro + +wildpassionhub.com + + winalert.net + +windsorriversideinn.com + +winky-chats.com + +wireblockchain.com + +wishaffair.com + +withjoytolove.click + + wmtmbdate.com + + wmtmbfun.com + +worldwidefactoryhalf.cyou + + worthyrid.com + +wpswebnews.com + +wristicalit.com + + wwwiheart.com + +xcharmspot.biz + +xcharmspot.xyz + +xemloigiai.com + + xifotezo.sbs + + xmilf.com + +xn----ztbcbceder.net + +xrateddating.xyz + +xrproptech.com + + +xsl808.com + + xunigang.com + + +xuqege.sbs + + xxxi.porn + + xxxpush.com + +xyjingxing.com + + +ycgmyq.com + + ycjqyey.com + + yeart.sbs + +yegepeixun.com + +yessingles.com + + yhjc168.com + + yisiweliw.sbs + + yogasouls.xyz + +yoper-linux.org + +yourdreams.monster + +yourendlesslove.click + +yourhalloweencountdown.com + +yournaughtyneighbor.com + +yournights.bond + +yournightshq.bond + +yournightsly.bond + +yoursexdesire.com + +youthcarebeauty.com + +youzhushuwu.com + + +zarlop.com + + +zejefa.sbs + +zelenikljuc.org \ No newline at end of file diff --git a/user/user_data/Crowd Deny/2026.1.12.121/_metadata/verified_contents.json b/user/user_data/Crowd Deny/2026.1.12.121/_metadata/verified_contents.json new file mode 100644 index 0000000..241a419 --- /dev/null +++ b/user/user_data/Crowd Deny/2026.1.12.121/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJQcmVsb2FkIERhdGEiLCJyb290X2hhc2giOiJSMVp6MzhPZnRidFRGUXczamV5TEt3SkdvWW1CN0RMVUNJZ0NrNFo1ZTcwIn0seyJwYXRoIjoibWFuaWZlc3QuanNvbiIsInJvb3RfaGFzaCI6IlJOUWQ2ajE0OV9ua2lyaTNkbk5odFJrUXY4cVU2V3hGY0xxTXEtTjJvMjAifV0sImZvcm1hdCI6InRyZWVoYXNoIiwiaGFzaF9ibG9ja19zaXplIjo0MDk2fV0sIml0ZW1faWQiOiJnZ2trZWhnYm5manBlZ2dmcGxlZWFrcGlkYmtpYmJtbiIsIml0ZW1fdmVyc2lvbiI6IjIwMjYuMS4xMi4xMjEiLCJwcm90b2NvbF92ZXJzaW9uIjoxfQ","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"MQR1Y7yriGzqt1MOVbh3UF-ztViKs6l3sBMnPwF7oK__lVH-htAfEoDDNm6Mo1Aq5n9WMpLZALlAqxTdTDvlClKrQhtnvWuGY4CrVoM34l2vtblQdlTCZ90AhTmA8R9yIuslGzWoy2xX_yL1jjTRccW8b5iWE8C7yjEcOxf0vNn64xZYDwYIXPa_Cg3OaSQuF_zkendWkd17S1d61_mE7OhAMXu94mHMG7hG9RoWTEa55zmJzWqHI7kPE6MhcDYZ1pBC5FOSYXCJBR1kEuD9D5U4oTsXPbwaV49bfLgMaAW3hEORsqB_YQnH_1lpnd8SuaxignzZfHPl8icTs9lHzNRZXr8RS7Bes7Ss6gvh6QvPZrJMQWG0EbtJiQWkgucFSEFz5-IMbdZTyvyk4infcj5m4bCRuV9r2xHL3LWAXt_zbHnw0i-EHls56c-GWBXzqCvIpm-36sDs3TnV0Edis6GLHZNTY84kEGuq9_HrfQHFG70LSjzarWGWj_K_89PNaVLDWDO_OdLLHLyGoV0fJ59iwY-glgbaK8g5Qgh-LFgRKva8iM67uBnJcGtWn-Wo1o1Y6Nguo3snYilZPbTvAwjBo-hHcroe383KI2_7Sp6hZki1sHcBie_q50cDNSrCTdWZ4kX_g8l4rgyErSa8o79bhrK0iG40iCJ2-vStA2Q"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"XBFdJ87IqyfvzwgF1kTTGGO3QpJxBCIYLLZQRn0iEdvsgCwxr_8RDky78zayZgHJFHYwUCn8QCLe3kj-NkhBAGL7-syk4MLEQsL1YqNMk3rAGv34tvCWT_3yHC0ClhGq3_fTaCl9Z1AVG2frnjpGOXCl5OSHjYQ_YT5N9oqWTL9atW1FbzwNccar1bxStO2PAFk5SuK5m2tspD3hX3XENkVQGcIsImwsIQFKd11U30h3Ps3rIR_gsuaNYtPHCmdUz2mCFdwC3ezOB03-DCaRJsushziWkL_Es2jzh94I6v1NpeKr3_Efr1c6vSlJdBbPixUnKuV9wb7zYmt3RSto5w"}]}}] \ No newline at end of file diff --git a/user/user_data/Crowd Deny/2026.1.12.121/manifest.json b/user/user_data/Crowd Deny/2026.1.12.121/manifest.json new file mode 100644 index 0000000..15add4a --- /dev/null +++ b/user/user_data/Crowd Deny/2026.1.12.121/manifest.json @@ -0,0 +1,6 @@ +{ + "manifest_version": 2, + "name": "Crowd Deny", + "preload_data_format": 1, + "version": "2026.1.12.121" +} \ No newline at end of file diff --git a/user/user_data/Default/BrowsingTopicsState b/user/user_data/Default/BrowsingTopicsState index 2c5c582..17a8be2 100644 --- a/user/user_data/Default/BrowsingTopicsState +++ b/user/user_data/Default/BrowsingTopicsState @@ -8,5 +8,5 @@ "top_topics_and_observing_domains": [ ] } ], "hex_encoded_hmac_key": "434BF7DBD7DA573B45E0A11AD9045A61B6221D14AE2F9A341E2FEF659AF071F6", - "next_scheduled_calculation_time": "13413450070590012" + "next_scheduled_calculation_time": "13413450070590073" } diff --git a/user/user_data/Default/Cache/Cache_Data/data_0 b/user/user_data/Default/Cache/Cache_Data/data_0 index 4467c22..63f2e89 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/data_0 and b/user/user_data/Default/Cache/Cache_Data/data_0 differ diff --git a/user/user_data/Default/Cache/Cache_Data/data_1 b/user/user_data/Default/Cache/Cache_Data/data_1 index 74f51df..f0aa51f 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/data_1 and b/user/user_data/Default/Cache/Cache_Data/data_1 differ diff --git a/user/user_data/Default/Cache/Cache_Data/data_2 b/user/user_data/Default/Cache/Cache_Data/data_2 index ee805de..3533ba5 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/data_2 and b/user/user_data/Default/Cache/Cache_Data/data_2 differ diff --git a/user/user_data/Default/Cache/Cache_Data/data_3 b/user/user_data/Default/Cache/Cache_Data/data_3 index e18d0a9..17ea6e5 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/data_3 and b/user/user_data/Default/Cache/Cache_Data/data_3 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000001 b/user/user_data/Default/Cache/Cache_Data/f_000001 index 412a336..57dc949 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000001 and b/user/user_data/Default/Cache/Cache_Data/f_000001 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000002 b/user/user_data/Default/Cache/Cache_Data/f_000002 index 2785b5c..ead9140 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000002 and b/user/user_data/Default/Cache/Cache_Data/f_000002 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000003 b/user/user_data/Default/Cache/Cache_Data/f_000003 index 861718a..0701563 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000003 and b/user/user_data/Default/Cache/Cache_Data/f_000003 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000004 b/user/user_data/Default/Cache/Cache_Data/f_000004 new file mode 100644 index 0000000..0f59703 Binary files /dev/null and b/user/user_data/Default/Cache/Cache_Data/f_000004 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000005 b/user/user_data/Default/Cache/Cache_Data/f_000005 index bdca4c7..b28c2e5 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000005 and b/user/user_data/Default/Cache/Cache_Data/f_000005 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000006 b/user/user_data/Default/Cache/Cache_Data/f_000006 index a84c105..8b8e503 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000006 and b/user/user_data/Default/Cache/Cache_Data/f_000006 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000007 b/user/user_data/Default/Cache/Cache_Data/f_000007 index 2f84388..1f42f6e 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000007 and b/user/user_data/Default/Cache/Cache_Data/f_000007 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000008 b/user/user_data/Default/Cache/Cache_Data/f_000008 index 6ee154d..618cc02 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000008 and b/user/user_data/Default/Cache/Cache_Data/f_000008 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000009 b/user/user_data/Default/Cache/Cache_Data/f_000009 index 9c757d6..118efd7 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000009 and b/user/user_data/Default/Cache/Cache_Data/f_000009 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000161 b/user/user_data/Default/Cache/Cache_Data/f_00000a similarity index 100% rename from user/user_data/Default/Cache/Cache_Data/f_000161 rename to user/user_data/Default/Cache/Cache_Data/f_00000a diff --git a/user/user_data/Default/Cache/Cache_Data/f_00000b b/user/user_data/Default/Cache/Cache_Data/f_00000b index 6b158aa..bc5e59d 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00000b and b/user/user_data/Default/Cache/Cache_Data/f_00000b differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00000c b/user/user_data/Default/Cache/Cache_Data/f_00000c index 961dd1c..7fb5776 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00000c and b/user/user_data/Default/Cache/Cache_Data/f_00000c differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00000d b/user/user_data/Default/Cache/Cache_Data/f_00000d index 592a9d8..9514187 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00000d and b/user/user_data/Default/Cache/Cache_Data/f_00000d differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00000e b/user/user_data/Default/Cache/Cache_Data/f_00000e index a52f96d..1dd2058 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00000e and b/user/user_data/Default/Cache/Cache_Data/f_00000e differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00000f b/user/user_data/Default/Cache/Cache_Data/f_00000f index 1c6a737..91dbaad 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00000f and b/user/user_data/Default/Cache/Cache_Data/f_00000f differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000010 b/user/user_data/Default/Cache/Cache_Data/f_000010 index 94a55a8..a4c1f4e 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000010 and b/user/user_data/Default/Cache/Cache_Data/f_000010 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000011 b/user/user_data/Default/Cache/Cache_Data/f_000011 index eca3f6c..232c0fa 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000011 and b/user/user_data/Default/Cache/Cache_Data/f_000011 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000012 b/user/user_data/Default/Cache/Cache_Data/f_000012 index 2f5ad99..c3ee77d 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000012 and b/user/user_data/Default/Cache/Cache_Data/f_000012 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000013 b/user/user_data/Default/Cache/Cache_Data/f_000013 index 741c110..c8e998e 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000013 and b/user/user_data/Default/Cache/Cache_Data/f_000013 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000014 b/user/user_data/Default/Cache/Cache_Data/f_000014 index b97de72..5a82e77 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000014 and b/user/user_data/Default/Cache/Cache_Data/f_000014 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000015 b/user/user_data/Default/Cache/Cache_Data/f_000015 index 54c7220..8eead65 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000015 and b/user/user_data/Default/Cache/Cache_Data/f_000015 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000016 b/user/user_data/Default/Cache/Cache_Data/f_000016 index 680d054..21652ba 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000016 and b/user/user_data/Default/Cache/Cache_Data/f_000016 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000017 b/user/user_data/Default/Cache/Cache_Data/f_000017 index da2e56b..111176b 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000017 and b/user/user_data/Default/Cache/Cache_Data/f_000017 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000018 b/user/user_data/Default/Cache/Cache_Data/f_000018 index 87ba06f..3157f71 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000018 and b/user/user_data/Default/Cache/Cache_Data/f_000018 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000019 b/user/user_data/Default/Cache/Cache_Data/f_000019 index 77fd9de..c06d058 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000019 and b/user/user_data/Default/Cache/Cache_Data/f_000019 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00001a b/user/user_data/Default/Cache/Cache_Data/f_00001a new file mode 100644 index 0000000..7fb3726 Binary files /dev/null and b/user/user_data/Default/Cache/Cache_Data/f_00001a differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00001b b/user/user_data/Default/Cache/Cache_Data/f_00001b new file mode 100644 index 0000000..2288270 Binary files /dev/null and b/user/user_data/Default/Cache/Cache_Data/f_00001b differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00001c b/user/user_data/Default/Cache/Cache_Data/f_00001c new file mode 100644 index 0000000..70e7469 Binary files /dev/null and b/user/user_data/Default/Cache/Cache_Data/f_00001c differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000164 b/user/user_data/Default/Cache/Cache_Data/f_00001d similarity index 100% rename from user/user_data/Default/Cache/Cache_Data/f_000164 rename to user/user_data/Default/Cache/Cache_Data/f_00001d diff --git a/user/user_data/Default/Cache/Cache_Data/f_00001e b/user/user_data/Default/Cache/Cache_Data/f_00001e new file mode 100644 index 0000000..e5f68b8 Binary files /dev/null and b/user/user_data/Default/Cache/Cache_Data/f_00001e differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00001f b/user/user_data/Default/Cache/Cache_Data/f_00001f new file mode 100644 index 0000000..c7619a3 Binary files /dev/null and b/user/user_data/Default/Cache/Cache_Data/f_00001f differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000020 b/user/user_data/Default/Cache/Cache_Data/f_000020 new file mode 100644 index 0000000..e735166 Binary files /dev/null and b/user/user_data/Default/Cache/Cache_Data/f_000020 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000021 b/user/user_data/Default/Cache/Cache_Data/f_000021 new file mode 100644 index 0000000..649594b Binary files /dev/null and b/user/user_data/Default/Cache/Cache_Data/f_000021 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000048 b/user/user_data/Default/Cache/Cache_Data/f_000022 similarity index 100% rename from user/user_data/Default/Cache/Cache_Data/f_000048 rename to user/user_data/Default/Cache/Cache_Data/f_000022 diff --git a/user/user_data/Default/Cache/Cache_Data/f_000165 b/user/user_data/Default/Cache/Cache_Data/f_000023 similarity index 100% rename from user/user_data/Default/Cache/Cache_Data/f_000165 rename to user/user_data/Default/Cache/Cache_Data/f_000023 diff --git a/user/user_data/Default/Cache/Cache_Data/f_000024 b/user/user_data/Default/Cache/Cache_Data/f_000024 index 5a82e77..7260026 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000024 and b/user/user_data/Default/Cache/Cache_Data/f_000024 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000025 b/user/user_data/Default/Cache/Cache_Data/f_000025 deleted file mode 100644 index 3157f71..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000025 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000026 b/user/user_data/Default/Cache/Cache_Data/f_000026 deleted file mode 100644 index 8eead65..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000026 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000027 b/user/user_data/Default/Cache/Cache_Data/f_000027 deleted file mode 100644 index 111176b..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000027 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000028 b/user/user_data/Default/Cache/Cache_Data/f_000028 deleted file mode 100644 index 21652ba..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000028 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000029 b/user/user_data/Default/Cache/Cache_Data/f_000029 deleted file mode 100644 index c06d058..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000029 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00002c b/user/user_data/Default/Cache/Cache_Data/f_00002c deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00002c and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00002d b/user/user_data/Default/Cache/Cache_Data/f_00002d deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00002d and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00002e b/user/user_data/Default/Cache/Cache_Data/f_00002e deleted file mode 100644 index ee2d04a..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00002e and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00002f b/user/user_data/Default/Cache/Cache_Data/f_00002f deleted file mode 100644 index 4282b25..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00002f and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000030 b/user/user_data/Default/Cache/Cache_Data/f_000030 deleted file mode 100644 index fc28fb4..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000030 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000033 b/user/user_data/Default/Cache/Cache_Data/f_000033 deleted file mode 100644 index ec5275c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000033 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000035 b/user/user_data/Default/Cache/Cache_Data/f_000035 deleted file mode 100644 index 6c80878..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000035 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000036 b/user/user_data/Default/Cache/Cache_Data/f_000036 deleted file mode 100644 index e466bb9..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000036 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000037 b/user/user_data/Default/Cache/Cache_Data/f_000037 deleted file mode 100644 index 7e6fe12..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000037 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000040 b/user/user_data/Default/Cache/Cache_Data/f_000040 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000040 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000042 b/user/user_data/Default/Cache/Cache_Data/f_000042 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000042 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000043 b/user/user_data/Default/Cache/Cache_Data/f_000043 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000043 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000044 b/user/user_data/Default/Cache/Cache_Data/f_000044 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000044 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000045 b/user/user_data/Default/Cache/Cache_Data/f_000045 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000045 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000049 b/user/user_data/Default/Cache/Cache_Data/f_000049 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000049 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00004a b/user/user_data/Default/Cache/Cache_Data/f_00004a deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00004a and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00004b b/user/user_data/Default/Cache/Cache_Data/f_00004b deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00004b and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00004c b/user/user_data/Default/Cache/Cache_Data/f_00004c deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00004c and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00004d b/user/user_data/Default/Cache/Cache_Data/f_00004d deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00004d and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000050 b/user/user_data/Default/Cache/Cache_Data/f_000050 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000050 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000051 b/user/user_data/Default/Cache/Cache_Data/f_000051 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000051 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000052 b/user/user_data/Default/Cache/Cache_Data/f_000052 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000052 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000053 b/user/user_data/Default/Cache/Cache_Data/f_000053 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000053 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000055 b/user/user_data/Default/Cache/Cache_Data/f_000055 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000055 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000057 b/user/user_data/Default/Cache/Cache_Data/f_000057 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000057 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000058 b/user/user_data/Default/Cache/Cache_Data/f_000058 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000058 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000059 b/user/user_data/Default/Cache/Cache_Data/f_000059 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000059 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00005a b/user/user_data/Default/Cache/Cache_Data/f_00005a deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00005a and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00005b b/user/user_data/Default/Cache/Cache_Data/f_00005b deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00005b and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00005d b/user/user_data/Default/Cache/Cache_Data/f_00005d deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00005d and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00005f b/user/user_data/Default/Cache/Cache_Data/f_00005f deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00005f and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000060 b/user/user_data/Default/Cache/Cache_Data/f_000060 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000060 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000061 b/user/user_data/Default/Cache/Cache_Data/f_000061 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000061 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000062 b/user/user_data/Default/Cache/Cache_Data/f_000062 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000062 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000063 b/user/user_data/Default/Cache/Cache_Data/f_000063 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000063 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000065 b/user/user_data/Default/Cache/Cache_Data/f_000065 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000065 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000068 b/user/user_data/Default/Cache/Cache_Data/f_000068 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000068 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000069 b/user/user_data/Default/Cache/Cache_Data/f_000069 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000069 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00006a b/user/user_data/Default/Cache/Cache_Data/f_00006a deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00006a and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00006c b/user/user_data/Default/Cache/Cache_Data/f_00006c deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00006c and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00006d b/user/user_data/Default/Cache/Cache_Data/f_00006d deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00006d and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00006e b/user/user_data/Default/Cache/Cache_Data/f_00006e deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00006e and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000070 b/user/user_data/Default/Cache/Cache_Data/f_000070 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000070 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000072 b/user/user_data/Default/Cache/Cache_Data/f_000072 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000072 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000073 b/user/user_data/Default/Cache/Cache_Data/f_000073 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000073 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000074 b/user/user_data/Default/Cache/Cache_Data/f_000074 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000074 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000075 b/user/user_data/Default/Cache/Cache_Data/f_000075 deleted file mode 100644 index 3a58bf0..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000075 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000081 b/user/user_data/Default/Cache/Cache_Data/f_000081 deleted file mode 100644 index e67eae1..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000081 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000084 b/user/user_data/Default/Cache/Cache_Data/f_000084 deleted file mode 100644 index 522fbad..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000084 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000085 b/user/user_data/Default/Cache/Cache_Data/f_000085 deleted file mode 100644 index 7138482..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000085 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000086 b/user/user_data/Default/Cache/Cache_Data/f_000086 deleted file mode 100644 index efb2049..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000086 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000087 b/user/user_data/Default/Cache/Cache_Data/f_000087 deleted file mode 100644 index 47c3184..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000087 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000088 b/user/user_data/Default/Cache/Cache_Data/f_000088 deleted file mode 100644 index 5052192..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000088 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000089 b/user/user_data/Default/Cache/Cache_Data/f_000089 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000089 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00008d b/user/user_data/Default/Cache/Cache_Data/f_00008d deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00008d and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00008e b/user/user_data/Default/Cache/Cache_Data/f_00008e deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00008e and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00008f b/user/user_data/Default/Cache/Cache_Data/f_00008f deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00008f and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000090 b/user/user_data/Default/Cache/Cache_Data/f_000090 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000090 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000091 b/user/user_data/Default/Cache/Cache_Data/f_000091 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000091 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000093 b/user/user_data/Default/Cache/Cache_Data/f_000093 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000093 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000095 b/user/user_data/Default/Cache/Cache_Data/f_000095 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000095 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000096 b/user/user_data/Default/Cache/Cache_Data/f_000096 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000096 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000097 b/user/user_data/Default/Cache/Cache_Data/f_000097 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000097 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000098 b/user/user_data/Default/Cache/Cache_Data/f_000098 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000098 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00009a b/user/user_data/Default/Cache/Cache_Data/f_00009a deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00009a and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00009b b/user/user_data/Default/Cache/Cache_Data/f_00009b deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00009b and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00009d b/user/user_data/Default/Cache/Cache_Data/f_00009d deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00009d and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00009e b/user/user_data/Default/Cache/Cache_Data/f_00009e deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00009e and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00009f b/user/user_data/Default/Cache/Cache_Data/f_00009f deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00009f and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000a0 b/user/user_data/Default/Cache/Cache_Data/f_0000a0 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000a0 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000a2 b/user/user_data/Default/Cache/Cache_Data/f_0000a2 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000a2 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000a6 b/user/user_data/Default/Cache/Cache_Data/f_0000a6 deleted file mode 100644 index 08feb2a..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000a6 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000b6 b/user/user_data/Default/Cache/Cache_Data/f_0000b6 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000b6 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000b7 b/user/user_data/Default/Cache/Cache_Data/f_0000b7 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000b7 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000b8 b/user/user_data/Default/Cache/Cache_Data/f_0000b8 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000b8 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000b9 b/user/user_data/Default/Cache/Cache_Data/f_0000b9 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000b9 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000ba b/user/user_data/Default/Cache/Cache_Data/f_0000ba deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000ba and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000bc b/user/user_data/Default/Cache/Cache_Data/f_0000bc deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000bc and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000be b/user/user_data/Default/Cache/Cache_Data/f_0000be deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000be and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000bf b/user/user_data/Default/Cache/Cache_Data/f_0000bf deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000bf and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000c0 b/user/user_data/Default/Cache/Cache_Data/f_0000c0 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000c0 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000c1 b/user/user_data/Default/Cache/Cache_Data/f_0000c1 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000c1 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000c2 b/user/user_data/Default/Cache/Cache_Data/f_0000c2 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000c2 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000c4 b/user/user_data/Default/Cache/Cache_Data/f_0000c4 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000c4 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000c7 b/user/user_data/Default/Cache/Cache_Data/f_0000c7 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000c7 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000c9 b/user/user_data/Default/Cache/Cache_Data/f_0000c9 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000c9 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000ca b/user/user_data/Default/Cache/Cache_Data/f_0000ca deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000ca and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000cb b/user/user_data/Default/Cache/Cache_Data/f_0000cb deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000cb and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000cc b/user/user_data/Default/Cache/Cache_Data/f_0000cc deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000cc and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000da b/user/user_data/Default/Cache/Cache_Data/f_0000da deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000da and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000de b/user/user_data/Default/Cache/Cache_Data/f_0000de deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000de and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000df b/user/user_data/Default/Cache/Cache_Data/f_0000df deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000df and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000e0 b/user/user_data/Default/Cache/Cache_Data/f_0000e0 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000e0 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000e1 b/user/user_data/Default/Cache/Cache_Data/f_0000e1 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000e1 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000e2 b/user/user_data/Default/Cache/Cache_Data/f_0000e2 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000e2 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000e4 b/user/user_data/Default/Cache/Cache_Data/f_0000e4 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000e4 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000e7 b/user/user_data/Default/Cache/Cache_Data/f_0000e7 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000e7 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000e9 b/user/user_data/Default/Cache/Cache_Data/f_0000e9 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000e9 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000ea b/user/user_data/Default/Cache/Cache_Data/f_0000ea deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000ea and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000eb b/user/user_data/Default/Cache/Cache_Data/f_0000eb deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000eb and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000ec b/user/user_data/Default/Cache/Cache_Data/f_0000ec deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000ec and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000ef b/user/user_data/Default/Cache/Cache_Data/f_0000ef deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000ef and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000f0 b/user/user_data/Default/Cache/Cache_Data/f_0000f0 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000f0 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000f1 b/user/user_data/Default/Cache/Cache_Data/f_0000f1 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000f1 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000f2 b/user/user_data/Default/Cache/Cache_Data/f_0000f2 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000f2 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000f3 b/user/user_data/Default/Cache/Cache_Data/f_0000f3 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000f3 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000f5 b/user/user_data/Default/Cache/Cache_Data/f_0000f5 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000f5 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000f8 b/user/user_data/Default/Cache/Cache_Data/f_0000f8 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000f8 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000f9 b/user/user_data/Default/Cache/Cache_Data/f_0000f9 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000f9 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000fa b/user/user_data/Default/Cache/Cache_Data/f_0000fa deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000fa and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000fc b/user/user_data/Default/Cache/Cache_Data/f_0000fc deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000fc and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000fd b/user/user_data/Default/Cache/Cache_Data/f_0000fd deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000fd and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000fe b/user/user_data/Default/Cache/Cache_Data/f_0000fe deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000fe and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_0000ff b/user/user_data/Default/Cache/Cache_Data/f_0000ff deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_0000ff and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000100 b/user/user_data/Default/Cache/Cache_Data/f_000100 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000100 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000102 b/user/user_data/Default/Cache/Cache_Data/f_000102 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000102 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000103 b/user/user_data/Default/Cache/Cache_Data/f_000103 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000103 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000104 b/user/user_data/Default/Cache/Cache_Data/f_000104 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000104 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000105 b/user/user_data/Default/Cache/Cache_Data/f_000105 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000105 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000107 b/user/user_data/Default/Cache/Cache_Data/f_000107 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000107 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00010a b/user/user_data/Default/Cache/Cache_Data/f_00010a deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00010a and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00010c b/user/user_data/Default/Cache/Cache_Data/f_00010c deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00010c and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00010d b/user/user_data/Default/Cache/Cache_Data/f_00010d deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00010d and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00010e b/user/user_data/Default/Cache/Cache_Data/f_00010e deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00010e and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00010f b/user/user_data/Default/Cache/Cache_Data/f_00010f deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00010f and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000111 b/user/user_data/Default/Cache/Cache_Data/f_000111 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000111 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000112 b/user/user_data/Default/Cache/Cache_Data/f_000112 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000112 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000114 b/user/user_data/Default/Cache/Cache_Data/f_000114 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000114 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000115 b/user/user_data/Default/Cache/Cache_Data/f_000115 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000115 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000116 b/user/user_data/Default/Cache/Cache_Data/f_000116 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000116 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000121 b/user/user_data/Default/Cache/Cache_Data/f_000121 deleted file mode 100644 index ba7be24..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000121 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000122 b/user/user_data/Default/Cache/Cache_Data/f_000122 deleted file mode 100644 index 6183626..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000122 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000127 b/user/user_data/Default/Cache/Cache_Data/f_000127 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000127 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000129 b/user/user_data/Default/Cache/Cache_Data/f_000129 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000129 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00012a b/user/user_data/Default/Cache/Cache_Data/f_00012a deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00012a and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00012b b/user/user_data/Default/Cache/Cache_Data/f_00012b deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00012b and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00012c b/user/user_data/Default/Cache/Cache_Data/f_00012c deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00012c and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00012d b/user/user_data/Default/Cache/Cache_Data/f_00012d deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00012d and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000130 b/user/user_data/Default/Cache/Cache_Data/f_000130 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000130 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000131 b/user/user_data/Default/Cache/Cache_Data/f_000131 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000131 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000132 b/user/user_data/Default/Cache/Cache_Data/f_000132 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000132 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000133 b/user/user_data/Default/Cache/Cache_Data/f_000133 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000133 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000134 b/user/user_data/Default/Cache/Cache_Data/f_000134 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000134 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000136 b/user/user_data/Default/Cache/Cache_Data/f_000136 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000136 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000138 b/user/user_data/Default/Cache/Cache_Data/f_000138 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000138 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000139 b/user/user_data/Default/Cache/Cache_Data/f_000139 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000139 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00013a b/user/user_data/Default/Cache/Cache_Data/f_00013a deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00013a and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00013b b/user/user_data/Default/Cache/Cache_Data/f_00013b deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00013b and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00013c b/user/user_data/Default/Cache/Cache_Data/f_00013c deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00013c and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00013e b/user/user_data/Default/Cache/Cache_Data/f_00013e deleted file mode 100644 index 29401c6..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00013e and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00013f b/user/user_data/Default/Cache/Cache_Data/f_00013f deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00013f and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000142 b/user/user_data/Default/Cache/Cache_Data/f_000142 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000142 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000144 b/user/user_data/Default/Cache/Cache_Data/f_000144 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000144 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000145 b/user/user_data/Default/Cache/Cache_Data/f_000145 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000145 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000146 b/user/user_data/Default/Cache/Cache_Data/f_000146 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000146 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000147 b/user/user_data/Default/Cache/Cache_Data/f_000147 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000147 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000148 b/user/user_data/Default/Cache/Cache_Data/f_000148 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000148 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00014a b/user/user_data/Default/Cache/Cache_Data/f_00014a deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00014a and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00014b b/user/user_data/Default/Cache/Cache_Data/f_00014b deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00014b and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00014c b/user/user_data/Default/Cache/Cache_Data/f_00014c deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00014c and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00014d b/user/user_data/Default/Cache/Cache_Data/f_00014d deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00014d and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00014e b/user/user_data/Default/Cache/Cache_Data/f_00014e deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00014e and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000150 b/user/user_data/Default/Cache/Cache_Data/f_000150 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000150 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000152 b/user/user_data/Default/Cache/Cache_Data/f_000152 deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000152 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000153 b/user/user_data/Default/Cache/Cache_Data/f_000153 deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000153 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000154 b/user/user_data/Default/Cache/Cache_Data/f_000154 deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000154 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000155 b/user/user_data/Default/Cache/Cache_Data/f_000155 deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000155 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000156 b/user/user_data/Default/Cache/Cache_Data/f_000156 deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000156 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000158 b/user/user_data/Default/Cache/Cache_Data/f_000158 deleted file mode 100644 index 57dc949..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000158 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000159 b/user/user_data/Default/Cache/Cache_Data/f_000159 deleted file mode 100644 index ead9140..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000159 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00015a b/user/user_data/Default/Cache/Cache_Data/f_00015a deleted file mode 100644 index 35deace..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00015a and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00015c b/user/user_data/Default/Cache/Cache_Data/f_00015c deleted file mode 100644 index b28c2e5..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00015c and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00015d b/user/user_data/Default/Cache/Cache_Data/f_00015d deleted file mode 100644 index 8b8e503..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00015d and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00015e b/user/user_data/Default/Cache/Cache_Data/f_00015e deleted file mode 100644 index 118efd7..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00015e and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00015f b/user/user_data/Default/Cache/Cache_Data/f_00015f deleted file mode 100644 index 1f42f6e..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00015f and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000160 b/user/user_data/Default/Cache/Cache_Data/f_000160 deleted file mode 100644 index 618cc02..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000160 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000162 b/user/user_data/Default/Cache/Cache_Data/f_000162 deleted file mode 100644 index 3a79928..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000162 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000163 b/user/user_data/Default/Cache/Cache_Data/f_000163 deleted file mode 100644 index 16b8dd2..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000163 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000166 b/user/user_data/Default/Cache/Cache_Data/f_000166 deleted file mode 100644 index 1074565..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000166 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000167 b/user/user_data/Default/Cache/Cache_Data/f_000167 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000167 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000168 b/user/user_data/Default/Cache/Cache_Data/f_000168 deleted file mode 100644 index 61e6ced..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000168 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000169 b/user/user_data/Default/Cache/Cache_Data/f_000169 deleted file mode 100644 index cc385e4..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000169 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00016a b/user/user_data/Default/Cache/Cache_Data/f_00016a deleted file mode 100644 index 961dd1c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00016a and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00016b b/user/user_data/Default/Cache/Cache_Data/f_00016b deleted file mode 100644 index 41d24b3..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00016b and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00016c b/user/user_data/Default/Cache/Cache_Data/f_00016c deleted file mode 100644 index 87ba06f..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00016c and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00016d b/user/user_data/Default/Cache/Cache_Data/f_00016d deleted file mode 100644 index d305f34..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00016d and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00016e b/user/user_data/Default/Cache/Cache_Data/f_00016e deleted file mode 100644 index 77fd9de..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00016e and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00016f b/user/user_data/Default/Cache/Cache_Data/f_00016f deleted file mode 100644 index 702d35c..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00016f and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_000170 b/user/user_data/Default/Cache/Cache_Data/f_000170 deleted file mode 100644 index d5f3f59..0000000 Binary files a/user/user_data/Default/Cache/Cache_Data/f_000170 and /dev/null differ diff --git a/user/user_data/Default/Cache/Cache_Data/index b/user/user_data/Default/Cache/Cache_Data/index index ccf9e45..accb925 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/index and b/user/user_data/Default/Cache/Cache_Data/index differ diff --git a/user/user_data/Default/Code Cache/js/007451e0ff4056c9_0 b/user/user_data/Default/Code Cache/js/007451e0ff4056c9_0 new file mode 100644 index 0000000..e26f9bd Binary files /dev/null and b/user/user_data/Default/Code Cache/js/007451e0ff4056c9_0 differ diff --git a/user/user_data/Default/Code Cache/js/018a1116aaeb424b_0 b/user/user_data/Default/Code Cache/js/018a1116aaeb424b_0 new file mode 100644 index 0000000..6e5faea Binary files /dev/null and b/user/user_data/Default/Code Cache/js/018a1116aaeb424b_0 differ diff --git a/user/user_data/Default/Code Cache/js/01e039b166ecda8d_0 b/user/user_data/Default/Code Cache/js/01e039b166ecda8d_0 new file mode 100644 index 0000000..5a8f902 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/01e039b166ecda8d_0 differ diff --git a/user/user_data/Default/Code Cache/js/031bac20bbc085b1_0 b/user/user_data/Default/Code Cache/js/031bac20bbc085b1_0 new file mode 100644 index 0000000..36829e2 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/031bac20bbc085b1_0 differ diff --git a/user/user_data/Default/Code Cache/js/0ea7900ed679ab74_0 b/user/user_data/Default/Code Cache/js/0ea7900ed679ab74_0 new file mode 100644 index 0000000..f1f7f9f Binary files /dev/null and b/user/user_data/Default/Code Cache/js/0ea7900ed679ab74_0 differ diff --git a/user/user_data/Default/Code Cache/js/18f1a1c5fd08d439_0 b/user/user_data/Default/Code Cache/js/18f1a1c5fd08d439_0 new file mode 100644 index 0000000..9f46c8d Binary files /dev/null and b/user/user_data/Default/Code Cache/js/18f1a1c5fd08d439_0 differ diff --git a/user/user_data/Default/Code Cache/js/1c42d53a21b9d02f_0 b/user/user_data/Default/Code Cache/js/1c42d53a21b9d02f_0 index 364c709..fbec22b 100644 Binary files a/user/user_data/Default/Code Cache/js/1c42d53a21b9d02f_0 and b/user/user_data/Default/Code Cache/js/1c42d53a21b9d02f_0 differ diff --git a/user/user_data/Default/Code Cache/js/1ff93488c6230637_0 b/user/user_data/Default/Code Cache/js/1ff93488c6230637_0 new file mode 100644 index 0000000..69ff778 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/1ff93488c6230637_0 differ diff --git a/user/user_data/Default/Code Cache/js/20c6c37dae035a21_0 b/user/user_data/Default/Code Cache/js/20c6c37dae035a21_0 new file mode 100644 index 0000000..9a29df1 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/20c6c37dae035a21_0 differ diff --git a/user/user_data/Default/Code Cache/js/46c3fe63dbb7e85e_0 b/user/user_data/Default/Code Cache/js/46c3fe63dbb7e85e_0 new file mode 100644 index 0000000..bb26f23 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/46c3fe63dbb7e85e_0 differ diff --git a/user/user_data/Default/Code Cache/js/617b53dfd975477d_0 b/user/user_data/Default/Code Cache/js/617b53dfd975477d_0 new file mode 100644 index 0000000..4145dd6 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/617b53dfd975477d_0 differ diff --git a/user/user_data/Default/Code Cache/js/65913802d7cc8deb_0 b/user/user_data/Default/Code Cache/js/65913802d7cc8deb_0 new file mode 100644 index 0000000..1f6c1f5 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/65913802d7cc8deb_0 differ diff --git a/user/user_data/Default/Code Cache/js/66b3b29a98feefef_0 b/user/user_data/Default/Code Cache/js/66b3b29a98feefef_0 new file mode 100644 index 0000000..43148b3 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/66b3b29a98feefef_0 differ diff --git a/user/user_data/Default/Code Cache/js/6bab9e935d6fffd8_0 b/user/user_data/Default/Code Cache/js/6bab9e935d6fffd8_0 index 3d658eb..b92167c 100644 Binary files a/user/user_data/Default/Code Cache/js/6bab9e935d6fffd8_0 and b/user/user_data/Default/Code Cache/js/6bab9e935d6fffd8_0 differ diff --git a/user/user_data/Default/Code Cache/js/70494bb00d05f491_0 b/user/user_data/Default/Code Cache/js/70494bb00d05f491_0 index ed68dce..6a51b28 100644 Binary files a/user/user_data/Default/Code Cache/js/70494bb00d05f491_0 and b/user/user_data/Default/Code Cache/js/70494bb00d05f491_0 differ diff --git a/user/user_data/Default/Code Cache/js/7a0a30e198ed073f_0 b/user/user_data/Default/Code Cache/js/7a0a30e198ed073f_0 new file mode 100644 index 0000000..190ad56 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/7a0a30e198ed073f_0 differ diff --git a/user/user_data/Default/Code Cache/js/7d43928e1a68912e_0 b/user/user_data/Default/Code Cache/js/7d43928e1a68912e_0 new file mode 100644 index 0000000..ed0b220 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/7d43928e1a68912e_0 differ diff --git a/user/user_data/Default/Code Cache/js/7ddde0510a53a15b_0 b/user/user_data/Default/Code Cache/js/7ddde0510a53a15b_0 index dad81b8..9efd3f9 100644 Binary files a/user/user_data/Default/Code Cache/js/7ddde0510a53a15b_0 and b/user/user_data/Default/Code Cache/js/7ddde0510a53a15b_0 differ diff --git a/user/user_data/Default/Code Cache/js/81e2df505010fd75_0 b/user/user_data/Default/Code Cache/js/81e2df505010fd75_0 new file mode 100644 index 0000000..973cb9f Binary files /dev/null and b/user/user_data/Default/Code Cache/js/81e2df505010fd75_0 differ diff --git a/user/user_data/Default/Code Cache/js/83c8b76371afddfd_0 b/user/user_data/Default/Code Cache/js/83c8b76371afddfd_0 new file mode 100644 index 0000000..c5eebb9 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/83c8b76371afddfd_0 differ diff --git a/user/user_data/Default/Code Cache/js/83e914b23709c077_0 b/user/user_data/Default/Code Cache/js/83e914b23709c077_0 new file mode 100644 index 0000000..9174dca Binary files /dev/null and b/user/user_data/Default/Code Cache/js/83e914b23709c077_0 differ diff --git a/user/user_data/Default/Code Cache/js/84b60487af58ee9d_0 b/user/user_data/Default/Code Cache/js/84b60487af58ee9d_0 new file mode 100644 index 0000000..424014f Binary files /dev/null and b/user/user_data/Default/Code Cache/js/84b60487af58ee9d_0 differ diff --git a/user/user_data/Default/Code Cache/js/8cdca33a08b46555_0 b/user/user_data/Default/Code Cache/js/8cdca33a08b46555_0 new file mode 100644 index 0000000..d4a0122 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/8cdca33a08b46555_0 differ diff --git a/user/user_data/Default/Code Cache/js/90b713239ff18a69_0 b/user/user_data/Default/Code Cache/js/90b713239ff18a69_0 index 4fef802..da6aaf6 100644 Binary files a/user/user_data/Default/Code Cache/js/90b713239ff18a69_0 and b/user/user_data/Default/Code Cache/js/90b713239ff18a69_0 differ diff --git a/user/user_data/Default/Code Cache/js/91168c007918753f_0 b/user/user_data/Default/Code Cache/js/91168c007918753f_0 new file mode 100644 index 0000000..a89c7c0 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/91168c007918753f_0 differ diff --git a/user/user_data/Default/Code Cache/js/98b614dddc6b0ef3_0 b/user/user_data/Default/Code Cache/js/98b614dddc6b0ef3_0 new file mode 100644 index 0000000..9bc1825 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/98b614dddc6b0ef3_0 differ diff --git a/user/user_data/Default/Code Cache/js/9b22f8fb486c1887_0 b/user/user_data/Default/Code Cache/js/9b22f8fb486c1887_0 new file mode 100644 index 0000000..8f86ce7 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/9b22f8fb486c1887_0 differ diff --git a/user/user_data/Default/Code Cache/js/a0a3c9c6d84d706c_0 b/user/user_data/Default/Code Cache/js/a0a3c9c6d84d706c_0 new file mode 100644 index 0000000..e43ae00 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/a0a3c9c6d84d706c_0 differ diff --git a/user/user_data/Default/Code Cache/js/a710eabb640b5dde_0 b/user/user_data/Default/Code Cache/js/a710eabb640b5dde_0 new file mode 100644 index 0000000..ba44703 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/a710eabb640b5dde_0 differ diff --git a/user/user_data/Default/Code Cache/js/b9bc0b1dc2ec884a_0 b/user/user_data/Default/Code Cache/js/b9bc0b1dc2ec884a_0 new file mode 100644 index 0000000..3903dfd Binary files /dev/null and b/user/user_data/Default/Code Cache/js/b9bc0b1dc2ec884a_0 differ diff --git a/user/user_data/Default/Code Cache/js/bd25b8792ad6df6f_0 b/user/user_data/Default/Code Cache/js/bd25b8792ad6df6f_0 new file mode 100644 index 0000000..1faec93 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/bd25b8792ad6df6f_0 differ diff --git a/user/user_data/Default/Code Cache/js/c2e86470357af596_0 b/user/user_data/Default/Code Cache/js/c2e86470357af596_0 index 31a4d73..7b7c2e3 100644 Binary files a/user/user_data/Default/Code Cache/js/c2e86470357af596_0 and b/user/user_data/Default/Code Cache/js/c2e86470357af596_0 differ diff --git a/user/user_data/Default/Code Cache/js/d42a1afbfb794367_0 b/user/user_data/Default/Code Cache/js/d42a1afbfb794367_0 new file mode 100644 index 0000000..eed0073 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/d42a1afbfb794367_0 differ diff --git a/user/user_data/Default/Code Cache/js/d4636b478e1e09bd_0 b/user/user_data/Default/Code Cache/js/d4636b478e1e09bd_0 new file mode 100644 index 0000000..bb04e1f Binary files /dev/null and b/user/user_data/Default/Code Cache/js/d4636b478e1e09bd_0 differ diff --git a/user/user_data/Default/Code Cache/js/da0ec65bad7fa812_0 b/user/user_data/Default/Code Cache/js/da0ec65bad7fa812_0 index 8cf1b36..f93fba6 100644 Binary files a/user/user_data/Default/Code Cache/js/da0ec65bad7fa812_0 and b/user/user_data/Default/Code Cache/js/da0ec65bad7fa812_0 differ diff --git a/user/user_data/Default/Code Cache/js/ddb56774c2b9c11f_0 b/user/user_data/Default/Code Cache/js/ddb56774c2b9c11f_0 new file mode 100644 index 0000000..b86ebeb Binary files /dev/null and b/user/user_data/Default/Code Cache/js/ddb56774c2b9c11f_0 differ diff --git a/user/user_data/Default/Code Cache/js/e0a140ec066e89eb_0 b/user/user_data/Default/Code Cache/js/e0a140ec066e89eb_0 new file mode 100644 index 0000000..1e1c29d Binary files /dev/null and b/user/user_data/Default/Code Cache/js/e0a140ec066e89eb_0 differ diff --git a/user/user_data/Default/Code Cache/js/e916a65902ad0641_0 b/user/user_data/Default/Code Cache/js/e916a65902ad0641_0 new file mode 100644 index 0000000..e827591 Binary files /dev/null and b/user/user_data/Default/Code Cache/js/e916a65902ad0641_0 differ diff --git a/user/user_data/Default/Code Cache/js/e9999717d7daa181_0 b/user/user_data/Default/Code Cache/js/e9999717d7daa181_0 new file mode 100644 index 0000000..39edacb Binary files /dev/null and b/user/user_data/Default/Code Cache/js/e9999717d7daa181_0 differ diff --git a/user/user_data/Default/Code Cache/js/index-dir/the-real-index b/user/user_data/Default/Code Cache/js/index-dir/the-real-index index 2167d8c..e9d47c6 100644 Binary files a/user/user_data/Default/Code Cache/js/index-dir/the-real-index and b/user/user_data/Default/Code Cache/js/index-dir/the-real-index differ diff --git a/user/user_data/Default/DIPS b/user/user_data/Default/DIPS index 813f150..c5b1194 100644 Binary files a/user/user_data/Default/DIPS and b/user/user_data/Default/DIPS differ diff --git a/user/user_data/Default/DawnGraphiteCache/data_1 b/user/user_data/Default/DawnGraphiteCache/data_1 index 1843ad0..9e8b12d 100644 Binary files a/user/user_data/Default/DawnGraphiteCache/data_1 and b/user/user_data/Default/DawnGraphiteCache/data_1 differ diff --git a/user/user_data/Default/DawnWebGPUCache/data_1 b/user/user_data/Default/DawnWebGPUCache/data_1 index 18af4e2..78f6ccd 100644 Binary files a/user/user_data/Default/DawnWebGPUCache/data_1 and b/user/user_data/Default/DawnWebGPUCache/data_1 differ diff --git a/user/user_data/Default/Extension Rules/LOG b/user/user_data/Default/Extension Rules/LOG index 652d2f5..e69de29 100644 --- a/user/user_data/Default/Extension Rules/LOG +++ b/user/user_data/Default/Extension Rules/LOG @@ -1,3 +0,0 @@ -2026/01/15-09:36:01.126 1a54 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Extension Rules/MANIFEST-000001 -2026/01/15-09:36:01.127 1a54 Recovering log #3 -2026/01/15-09:36:01.127 1a54 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Extension Rules/000003.log diff --git a/user/user_data/Default/Extension Scripts/LOG b/user/user_data/Default/Extension Scripts/LOG index 84ef59a..e69de29 100644 --- a/user/user_data/Default/Extension Scripts/LOG +++ b/user/user_data/Default/Extension Scripts/LOG @@ -1,3 +0,0 @@ -2026/01/15-09:36:01.136 1a54 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Extension Scripts/MANIFEST-000001 -2026/01/15-09:36:01.137 1a54 Recovering log #3 -2026/01/15-09:36:01.137 1a54 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Extension Scripts/000003.log diff --git a/user/user_data/Default/Extension State/LOG b/user/user_data/Default/Extension State/LOG index 1832dd8..e69de29 100644 --- a/user/user_data/Default/Extension State/LOG +++ b/user/user_data/Default/Extension State/LOG @@ -1,3 +0,0 @@ -2026/01/15-11:07:11.575 7164 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Extension State/MANIFEST-000001 -2026/01/15-11:07:11.576 7164 Recovering log #3 -2026/01/15-11:07:11.577 7164 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Extension State/000003.log diff --git a/user/user_data/Default/Extension State/LOG.old b/user/user_data/Default/Extension State/LOG.old index a6413e7..e69de29 100644 --- a/user/user_data/Default/Extension State/LOG.old +++ b/user/user_data/Default/Extension State/LOG.old @@ -1,3 +0,0 @@ -2026/01/15-11:02:52.681 75dc Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Extension State/MANIFEST-000001 -2026/01/15-11:02:52.682 75dc Recovering log #3 -2026/01/15-11:02:52.683 75dc Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Extension State/000003.log diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/bg/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/bg/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/bg/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/bg/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/ca/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/ca/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/ca/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/ca/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/cs/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/cs/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/cs/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/cs/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/da/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/da/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/da/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/da/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/de/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/de/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/de/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/de/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/el/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/el/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/el/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/el/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/en/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/en/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/en/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/en/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/en_GB/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/en_GB/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/en_GB/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/en_GB/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/es/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/es/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/es/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/es/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/es_419/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/es_419/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/es_419/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/es_419/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/et/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/et/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/et/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/et/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/fi/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/fi/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/fi/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/fi/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/fil/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/fil/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/fil/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/fil/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/fr/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/fr/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/fr/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/fr/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/hi/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/hi/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/hi/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/hi/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/hr/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/hr/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/hr/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/hr/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/hu/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/hu/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/hu/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/hu/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/id/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/id/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/id/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/id/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/it/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/it/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/it/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/it/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/ja/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/ja/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/ja/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/ja/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/ko/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/ko/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/ko/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/ko/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/lt/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/lt/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/lt/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/lt/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/lv/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/lv/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/lv/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/lv/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/nb/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/nb/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/nb/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/nb/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/nl/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/nl/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/nl/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/nl/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/pl/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/pl/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/pl/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/pl/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/pt_BR/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/pt_BR/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/pt_BR/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/pt_BR/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/pt_PT/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/pt_PT/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/pt_PT/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/pt_PT/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/ro/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/ro/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/ro/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/ro/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/ru/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/ru/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/ru/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/ru/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/sk/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/sk/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/sk/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/sk/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/sl/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/sl/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/sl/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/sl/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/sr/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/sr/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/sr/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/sr/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/sv/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/sv/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/sv/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/sv/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/th/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/th/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/th/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/th/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/tr/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/tr/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/tr/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/tr/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/uk/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/uk/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/uk/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/uk/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/vi/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/vi/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/vi/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/vi/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/zh_CN/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/zh_CN/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/zh_CN/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/zh_CN/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/zh_TW/messages.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/zh_TW/messages.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_locales/zh_TW/messages.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_locales/zh_TW/messages.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_metadata/computed_hashes.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_metadata/computed_hashes.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_metadata/computed_hashes.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_metadata/computed_hashes.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_metadata/verified_contents.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_metadata/verified_contents.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/_metadata/verified_contents.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/_metadata/verified_contents.json diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/craw_background.js b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/craw_background.js similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/craw_background.js rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/craw_background.js diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/craw_window.js b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/craw_window.js similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/craw_window.js rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/craw_window.js diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/css/craw_window.css b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/css/craw_window.css similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/css/craw_window.css rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/css/craw_window.css diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/html/craw_window.html b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/html/craw_window.html similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/html/craw_window.html rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/html/craw_window.html diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/flapper.gif b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/flapper.gif similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/flapper.gif rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/flapper.gif diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/icon_128.png b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/icon_128.png similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/icon_128.png rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/icon_128.png diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/icon_16.png b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/icon_16.png similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/icon_16.png rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/icon_16.png diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/topbar_floating_button.png b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/topbar_floating_button.png similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/topbar_floating_button.png rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/topbar_floating_button.png diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/topbar_floating_button_close.png b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/topbar_floating_button_close.png similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/topbar_floating_button_close.png rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/topbar_floating_button_close.png diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/topbar_floating_button_hover.png b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/topbar_floating_button_hover.png similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/topbar_floating_button_hover.png rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/topbar_floating_button_hover.png diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/topbar_floating_button_maximize.png b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/topbar_floating_button_maximize.png similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/topbar_floating_button_maximize.png rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/topbar_floating_button_maximize.png diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/topbar_floating_button_pressed.png b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/topbar_floating_button_pressed.png similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/images/topbar_floating_button_pressed.png rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/images/topbar_floating_button_pressed.png diff --git a/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/manifest.json b/user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/manifest.json similarity index 100% rename from user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_0/manifest.json rename to user/user_data/Default/Extensions/nmmhkkegccagdldgiimedpiccmgmieda/1.0.0.6_1/manifest.json diff --git a/user/user_data/Default/Favicons b/user/user_data/Default/Favicons index 9ccb79b..5db1982 100644 Binary files a/user/user_data/Default/Favicons and b/user/user_data/Default/Favicons differ diff --git a/user/user_data/Default/File System/Origins/LOG b/user/user_data/Default/File System/Origins/LOG index d4d4ae4..3008c59 100644 --- a/user/user_data/Default/File System/Origins/LOG +++ b/user/user_data/Default/File System/Origins/LOG @@ -1,3 +1,3 @@ -2026/01/15-11:07:12.918 76f8 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\File System\Origins/MANIFEST-000001 -2026/01/15-11:07:12.918 76f8 Recovering log #6 -2026/01/15-11:07:12.919 76f8 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\File System\Origins/000006.log +2026/01/15-21:44:38.198 75e4 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\File System\Origins/MANIFEST-000001 +2026/01/15-21:44:38.198 75e4 Recovering log #6 +2026/01/15-21:44:38.199 75e4 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\File System\Origins/000006.log diff --git a/user/user_data/Default/File System/Origins/LOG.old b/user/user_data/Default/File System/Origins/LOG.old index 3c716c6..1b1cff6 100644 --- a/user/user_data/Default/File System/Origins/LOG.old +++ b/user/user_data/Default/File System/Origins/LOG.old @@ -1,3 +1,3 @@ -2026/01/15-11:02:54.052 6860 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\File System\Origins/MANIFEST-000001 -2026/01/15-11:02:54.052 6860 Recovering log #6 -2026/01/15-11:02:54.052 6860 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\File System\Origins/000006.log +2026/01/15-21:40:40.744 2ad8 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\File System\Origins/MANIFEST-000001 +2026/01/15-21:40:40.744 2ad8 Recovering log #6 +2026/01/15-21:40:40.745 2ad8 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\File System\Origins/000006.log diff --git a/user/user_data/Default/GCM Store/000003.log b/user/user_data/Default/GCM Store/000003.log index 1e1491a..44baacf 100644 Binary files a/user/user_data/Default/GCM Store/000003.log and b/user/user_data/Default/GCM Store/000003.log differ diff --git a/user/user_data/Default/GCM Store/Encryption/LOG b/user/user_data/Default/GCM Store/Encryption/LOG index ee0f03c..e69de29 100644 --- a/user/user_data/Default/GCM Store/Encryption/LOG +++ b/user/user_data/Default/GCM Store/Encryption/LOG @@ -1,3 +0,0 @@ -2026/01/15-11:07:18.936 7498 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\GCM Store\Encryption/MANIFEST-000001 -2026/01/15-11:07:18.937 7498 Recovering log #3 -2026/01/15-11:07:18.937 7498 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\GCM Store\Encryption/000003.log diff --git a/user/user_data/Default/GCM Store/Encryption/LOG.old b/user/user_data/Default/GCM Store/Encryption/LOG.old index 52c59ba..e69de29 100644 --- a/user/user_data/Default/GCM Store/Encryption/LOG.old +++ b/user/user_data/Default/GCM Store/Encryption/LOG.old @@ -1,3 +0,0 @@ -2026/01/15-11:03:00.048 5330 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\GCM Store\Encryption/MANIFEST-000001 -2026/01/15-11:03:00.049 5330 Recovering log #3 -2026/01/15-11:03:00.050 5330 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\GCM Store\Encryption/000003.log diff --git a/user/user_data/Default/GCM Store/LOG b/user/user_data/Default/GCM Store/LOG index 08c5b57..fe8e4bd 100644 --- a/user/user_data/Default/GCM Store/LOG +++ b/user/user_data/Default/GCM Store/LOG @@ -1,3 +1,3 @@ -2026/01/15-11:07:18.869 724c Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\GCM Store/MANIFEST-000001 -2026/01/15-11:07:18.869 724c Recovering log #3 -2026/01/15-11:07:18.870 724c Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\GCM Store/000003.log +2026/01/15-21:44:42.366 3de8 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\GCM Store/MANIFEST-000001 +2026/01/15-21:44:42.367 3de8 Recovering log #3 +2026/01/15-21:44:42.368 3de8 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\GCM Store/000003.log diff --git a/user/user_data/Default/GCM Store/LOG.old b/user/user_data/Default/GCM Store/LOG.old index 16067ab..2b6f9af 100644 --- a/user/user_data/Default/GCM Store/LOG.old +++ b/user/user_data/Default/GCM Store/LOG.old @@ -1,3 +1,3 @@ -2026/01/15-11:02:59.974 948 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\GCM Store/MANIFEST-000001 -2026/01/15-11:02:59.974 948 Recovering log #3 -2026/01/15-11:02:59.974 948 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\GCM Store/000003.log +2026/01/15-21:40:19.442 11ec Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\GCM Store/MANIFEST-000001 +2026/01/15-21:40:19.443 11ec Recovering log #3 +2026/01/15-21:40:19.444 11ec Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\GCM Store/000003.log diff --git a/user/user_data/Default/GPUCache/data_1 b/user/user_data/Default/GPUCache/data_1 index 54d8445..90c33ad 100644 Binary files a/user/user_data/Default/GPUCache/data_1 and b/user/user_data/Default/GPUCache/data_1 differ diff --git a/user/user_data/Default/History b/user/user_data/Default/History index fe96882..32b9829 100644 Binary files a/user/user_data/Default/History and b/user/user_data/Default/History differ diff --git a/user/user_data/Default/IndexedDB/https_mcn.pinduoduo.com_0.indexeddb.leveldb/LOG b/user/user_data/Default/IndexedDB/https_mcn.pinduoduo.com_0.indexeddb.leveldb/LOG index a21d0af..e69de29 100644 --- a/user/user_data/Default/IndexedDB/https_mcn.pinduoduo.com_0.indexeddb.leveldb/LOG +++ b/user/user_data/Default/IndexedDB/https_mcn.pinduoduo.com_0.indexeddb.leveldb/LOG @@ -1,3 +0,0 @@ -2026/01/15-11:07:25.893 76f8 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\IndexedDB\https_mcn.pinduoduo.com_0.indexeddb.leveldb/MANIFEST-000001 -2026/01/15-11:07:25.894 76f8 Recovering log #7 -2026/01/15-11:07:25.901 76f8 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\IndexedDB\https_mcn.pinduoduo.com_0.indexeddb.leveldb/000007.log diff --git a/user/user_data/Default/IndexedDB/https_mcn.pinduoduo.com_0.indexeddb.leveldb/LOG.old b/user/user_data/Default/IndexedDB/https_mcn.pinduoduo.com_0.indexeddb.leveldb/LOG.old index ef7ee74..e69de29 100644 --- a/user/user_data/Default/IndexedDB/https_mcn.pinduoduo.com_0.indexeddb.leveldb/LOG.old +++ b/user/user_data/Default/IndexedDB/https_mcn.pinduoduo.com_0.indexeddb.leveldb/LOG.old @@ -1,3 +0,0 @@ -2026/01/15-11:07:22.947 76f8 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\IndexedDB\https_mcn.pinduoduo.com_0.indexeddb.leveldb/MANIFEST-000001 -2026/01/15-11:07:22.948 76f8 Recovering log #7 -2026/01/15-11:07:22.955 76f8 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\IndexedDB\https_mcn.pinduoduo.com_0.indexeddb.leveldb/000007.log diff --git a/user/user_data/Default/LOCK b/user/user_data/Default/LOCK deleted file mode 100644 index e69de29..0000000 diff --git a/user/user_data/Default/LOG b/user/user_data/Default/LOG deleted file mode 100644 index e69de29..0000000 diff --git a/user/user_data/Default/LOG.old b/user/user_data/Default/LOG.old deleted file mode 100644 index e69de29..0000000 diff --git a/user/user_data/Default/Local Storage/leveldb/000007.log b/user/user_data/Default/Local Storage/leveldb/000007.log index 6e67840..de5936d 100644 Binary files a/user/user_data/Default/Local Storage/leveldb/000007.log and b/user/user_data/Default/Local Storage/leveldb/000007.log differ diff --git a/user/user_data/Default/Local Storage/leveldb/LOG b/user/user_data/Default/Local Storage/leveldb/LOG index 655b96e..2cd46cb 100644 --- a/user/user_data/Default/Local Storage/leveldb/LOG +++ b/user/user_data/Default/Local Storage/leveldb/LOG @@ -1,3 +1,3 @@ -2026/01/15-11:07:11.532 7720 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Local Storage\leveldb/MANIFEST-000001 -2026/01/15-11:07:11.536 7720 Recovering log #7 -2026/01/15-11:07:11.562 7720 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Local Storage\leveldb/000007.log +2026/01/15-21:44:37.235 748 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Local Storage\leveldb/MANIFEST-000001 +2026/01/15-21:44:37.239 748 Recovering log #7 +2026/01/15-21:44:37.246 748 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\Local Storage\leveldb/000007.log diff --git a/user/user_data/Default/Local Storage/leveldb/LOG.old b/user/user_data/Default/Local Storage/leveldb/LOG.old index 5db4649..0556b09 100644 --- a/user/user_data/Default/Local Storage/leveldb/LOG.old +++ b/user/user_data/Default/Local Storage/leveldb/LOG.old @@ -1,3 +1,3 @@ -2026/01/15-11:02:52.619 718c Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Local Storage\leveldb/MANIFEST-000001 -2026/01/15-11:02:52.624 718c Recovering log #7 -2026/01/15-11:02:52.632 718c Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Local Storage\leveldb/000007.log +2026/01/15-21:40:39.971 3af0 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Local Storage\leveldb/MANIFEST-000001 +2026/01/15-21:40:39.976 3af0 Recovering log #7 +2026/01/15-21:40:39.981 3af0 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\Local Storage\leveldb/000007.log diff --git a/user/user_data/Default/Network Action Predictor b/user/user_data/Default/Network Action Predictor index c2a5e09..a2322f8 100644 Binary files a/user/user_data/Default/Network Action Predictor and b/user/user_data/Default/Network Action Predictor differ diff --git a/user/user_data/Default/Network/Cookies b/user/user_data/Default/Network/Cookies index b7a2e83..6f646a1 100644 Binary files a/user/user_data/Default/Network/Cookies and b/user/user_data/Default/Network/Cookies differ diff --git a/user/user_data/Default/Network/Network Persistent State b/user/user_data/Default/Network/Network Persistent State index 177dd14..24a86be 100644 --- a/user/user_data/Default/Network/Network Persistent State +++ b/user/user_data/Default/Network/Network Persistent State @@ -1 +1 @@ -{"net":{"http_server_properties":{"broken_alternative_services":[{"anonymization":["MAAAACsAAABodHRwczovL29wdGltaXphdGlvbmd1aWRlLXBhLmdvb2dsZWFwaXMuY29tAA==",false,0],"broken_count":1,"host":"optimizationguide-pa.googleapis.com","port":443,"protocol_str":"quic"},{"anonymization":["FAAAABAAAABodHRwczovL2d2dDEuY29t",false,0],"broken_count":1,"host":"r5---sn-i3belnl7.gvt1.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":1,"host":"ogads-pa.clients6.google.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":2,"host":"www.gstatic.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":1,"host":"play.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"broken_count":2,"host":"so.xiaohongshu.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":2,"host":"beacons.gcp.gvt2.com","port":443,"protocol_str":"quic"},{"anonymization":["LAAAACUAAABodHRwczovL2Nocm9tZXdlYnN0b3JlLmdvb2dsZWFwaXMuY29tAAAA",false,0],"broken_count":1,"host":"chromewebstore.googleapis.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":1,"host":"clients2.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":1,"host":"apis.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"broken_count":13,"broken_until":"1768613762","host":"edith.xiaohongshu.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"broken_count":6,"broken_until":"1768450562","host":"www.xiaohongshu.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":9,"broken_until":"1768460164","host":"android.clients.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"broken_count":1,"host":"content-autofill.googleapis.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"broken_count":4,"host":"content-autofill.googleapis.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"broken_count":4,"host":"content-autofill.googleapis.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":2,"host":"accounts.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":4,"host":"www.gstatic.com","port":443,"protocol_str":"quic"},{"anonymization":["JAAAAB0AAABodHRwczovL3VwZGF0ZS5nb29nbGVhcGlzLmNvbQAAAA==",false,0],"broken_count":2,"host":"update.googleapis.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":4,"host":"beacons.gcp.gvt2.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":5,"broken_until":"1768451232","host":"ogads-pa.clients6.google.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":6,"broken_until":"1768456033","host":"www.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":5,"broken_until":"1768451233","host":"play.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":2,"broken_until":"1768447252","host":"google.com","port":443,"protocol_str":"quic"}],"servers":[{"anonymization":["MAAAACsAAABodHRwczovL29wdGltaXphdGlvbmd1aWRlLXBhLmdvb2dsZWFwaXMuY29tAA==",false,0],"server":"https://optimizationguide-pa.googleapis.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://th.yangkeduo.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415438399185288","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://ssl.gstatic.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://mail.google.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415441078751109","port":443,"protocol_str":"quic"}],"anonymization":["FAAAABAAAABodHRwczovL2d2dDEuY29t",false,0],"server":"https://redirector.gvt1.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://sns-video-hw.xhscdn.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://www.gstatic.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://ogads-pa.clients6.google.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://play.google.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL3hoc2Nkbi5jb20AAA==",false,0],"server":"https://sns-video-hw.xhscdn.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415446210007989","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABIAAABodHRwczovL3hoc2Nkbi5jb20AAA==",false,0],"server":"https://www.gstatic.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415448000566634","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABMAAABodHRwczovL2dzdGF0aWMuY29tAA==",false,0],"server":"https://encrypted-tbn0.gstatic.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://sns-video-al.xhscdn.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://apm-a.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://beacons.gcp.gvt2.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://fe.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://t2.xiaohongshu.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://clients2.google.com","supports_spdy":true},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://apis.google.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415506562837832","port":443,"protocol_str":"quic"}],"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://so.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://static.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://funimg.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://content-autofill.googleapis.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://mobile.yangkeduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://apm.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://th-b.yangkeduo.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://beacons.gcp.gvt2.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415508014238037","port":443,"protocol_str":"quic"}],"anonymization":["LAAAACUAAABodHRwczovL2Nocm9tZXdlYnN0b3JlLmdvb2dsZWFwaXMuY29tAAAA",false,0],"server":"https://chromewebstore.googleapis.com","supports_spdy":true},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://www.gstatic.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415512032248078","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://accounts.google.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415512032744355","port":443,"protocol_str":"quic"}],"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://ogads-pa.clients6.google.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415512033326344","port":443,"protocol_str":"quic"}],"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://play.google.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415512039165520","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://android.clients.google.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415512039202419","port":443,"protocol_str":"quic"}],"anonymization":["JAAAAB0AAABodHRwczovL3VwZGF0ZS5nb29nbGVhcGlzLmNvbQAAAA==",false,0],"server":"https://update.googleapis.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415512253074977","port":443,"protocol_str":"quic"}],"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://google.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://sns-avatar-qc.xhscdn.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://sns-webpic-qc.xhscdn.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://as.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://pages.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://apm-fe.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://fe-static.xhscdn.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415512578743291","port":443,"protocol_str":"quic"}],"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://edith.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://fe-video-qc.xhscdn.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://picasso-static.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://content-autofill.googleapis.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://commimg.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://promotion.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://funimg.pddpic.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415512579980381","port":443,"protocol_str":"quic"}],"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://www.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://file-b.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://mms-static.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://api.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://avatar3.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://content-autofill.googleapis.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://video-snapshot01.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://mms.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://apm-a.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://xg.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://mcn.pinduoduo.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415512033617365","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://www.google.com","supports_spdy":true}],"version":5},"network_qualities":{"CAASABiAgICA+P////8B":"4G","CAESABiAgICA+P////8B":"4G"}}} \ No newline at end of file +{"net":{"http_server_properties":{"broken_alternative_services":[{"anonymization":["MAAAACsAAABodHRwczovL29wdGltaXphdGlvbmd1aWRlLXBhLmdvb2dsZWFwaXMuY29tAA==",false,0],"broken_count":1,"host":"optimizationguide-pa.googleapis.com","port":443,"protocol_str":"quic"},{"anonymization":["FAAAABAAAABodHRwczovL2d2dDEuY29t",false,0],"broken_count":1,"host":"r5---sn-i3belnl7.gvt1.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":1,"host":"ogads-pa.clients6.google.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":2,"host":"www.gstatic.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":1,"host":"play.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"broken_count":2,"host":"so.xiaohongshu.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":2,"host":"beacons.gcp.gvt2.com","port":443,"protocol_str":"quic"},{"anonymization":["LAAAACUAAABodHRwczovL2Nocm9tZXdlYnN0b3JlLmdvb2dsZWFwaXMuY29tAAAA",false,0],"broken_count":1,"host":"chromewebstore.googleapis.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":1,"host":"clients2.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":1,"host":"apis.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"broken_count":13,"broken_until":"1768613762","host":"edith.xiaohongshu.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"broken_count":6,"host":"www.xiaohongshu.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"broken_count":1,"host":"content-autofill.googleapis.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"broken_count":4,"host":"content-autofill.googleapis.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":4,"host":"www.gstatic.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":4,"host":"beacons.gcp.gvt2.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":5,"host":"ogads-pa.clients6.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":5,"host":"play.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"broken_count":2,"host":"google.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":8,"broken_until":"1768502009","host":"www.google.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":12,"broken_until":"1768636414","host":"android.clients.google.com","port":443,"protocol_str":"quic"},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"broken_count":5,"broken_until":"1768489019","host":"content-autofill.googleapis.com","port":443,"protocol_str":"quic"},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"broken_count":4,"broken_until":"1768486627","host":"accounts.google.com","port":443,"protocol_str":"quic"},{"anonymization":["JAAAAB0AAABodHRwczovL3VwZGF0ZS5nb29nbGVhcGlzLmNvbQAAAA==",false,0],"broken_count":4,"broken_until":"1768486632","host":"update.googleapis.com","port":443,"protocol_str":"quic"}],"servers":[{"anonymization":["MAAAACsAAABodHRwczovL29wdGltaXphdGlvbmd1aWRlLXBhLmdvb2dsZWFwaXMuY29tAA==",false,0],"server":"https://optimizationguide-pa.googleapis.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415438399185288","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://ssl.gstatic.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://mail.google.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415441078751109","port":443,"protocol_str":"quic"}],"anonymization":["FAAAABAAAABodHRwczovL2d2dDEuY29t",false,0],"server":"https://redirector.gvt1.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://sns-video-hw.xhscdn.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://www.gstatic.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://ogads-pa.clients6.google.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://play.google.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL3hoc2Nkbi5jb20AAA==",false,0],"server":"https://sns-video-hw.xhscdn.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415446210007989","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABIAAABodHRwczovL3hoc2Nkbi5jb20AAA==",false,0],"server":"https://www.gstatic.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415448000566634","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABMAAABodHRwczovL2dzdGF0aWMuY29tAA==",false,0],"server":"https://encrypted-tbn0.gstatic.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://sns-video-al.xhscdn.com","supports_spdy":true},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://beacons.gcp.gvt2.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://fe.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://t2.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://apis.google.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415506562837832","port":443,"protocol_str":"quic"}],"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://so.xiaohongshu.com","supports_spdy":true},{"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://beacons.gcp.gvt2.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415508014238037","port":443,"protocol_str":"quic"}],"anonymization":["LAAAACUAAABodHRwczovL2Nocm9tZXdlYnN0b3JlLmdvb2dsZWFwaXMuY29tAAAA",false,0],"server":"https://chromewebstore.googleapis.com","supports_spdy":true},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://ogads-pa.clients6.google.com","supports_spdy":true},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://play.google.com","supports_spdy":true},{"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://google.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://sns-avatar-qc.xhscdn.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://sns-webpic-qc.xhscdn.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://as.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://pages.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://apm-fe.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://fe-static.xhscdn.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415512578743291","port":443,"protocol_str":"quic"}],"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://edith.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://fe-video-qc.xhscdn.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://picasso-static.xiaohongshu.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://content-autofill.googleapis.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415548411021557","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://clients2.google.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://th.yangkeduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://apm.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://static.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://funimg.pddpic.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415548434562348","port":443,"protocol_str":"quic"}],"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://content-autofill.googleapis.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://apm-a.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://mobile.yangkeduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3lhbmdrZWR1by5jb20AAAA=",false,0],"server":"https://th-b.yangkeduo.com","supports_spdy":true},{"anonymization":["HAAAABcAAABodHRwczovL3hpYW9ob25nc2h1LmNvbQA=",false,0],"server":"https://www.xiaohongshu.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415549804346744","port":443,"protocol_str":"quic"}],"anonymization":["HAAAABUAAABjaHJvbWU6Ly9uZXctdGFiLXBhZ2UAAAA=",true,0],"server":"https://www.gstatic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://commimg.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://promotion.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://funimg.pddpic.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415550282782098","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://accounts.google.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415550282882028","port":443,"protocol_str":"quic"}],"anonymization":["JAAAAB0AAABodHRwczovL3VwZGF0ZS5nb29nbGVhcGlzLmNvbQAAAA==",false,0],"server":"https://update.googleapis.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415550283301807","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://android.clients.google.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://file-b.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://mms.pinduoduo.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415550316286959","port":443,"protocol_str":"quic"}],"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://content-autofill.googleapis.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://mms-static.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://api.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://xg.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://avatar3.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://video-snapshot01.pddpic.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://apm-a.pinduoduo.com","supports_spdy":true},{"anonymization":["HAAAABUAAABodHRwczovL3BpbmR1b2R1by5jb20AAAA=",false,0],"server":"https://mcn.pinduoduo.com","supports_spdy":true},{"alternative_service":[{"advertised_alpns":["h3"],"expiration":"13415550278902117","port":443,"protocol_str":"quic"}],"anonymization":["GAAAABIAAABodHRwczovL2dvb2dsZS5jb20AAA==",false,0],"server":"https://www.google.com","supports_spdy":true}],"version":5},"network_qualities":{"CAASABiAgICA+P////8B":"4G","CAESABiAgICA+P////8B":"4G"}}} \ No newline at end of file diff --git a/user/user_data/Default/Network/Reporting and NEL b/user/user_data/Default/Network/Reporting and NEL index e7ad0d2..421e3c2 100644 Binary files a/user/user_data/Default/Network/Reporting and NEL and b/user/user_data/Default/Network/Reporting and NEL differ diff --git a/user/user_data/Default/Network/TransportSecurity b/user/user_data/Default/Network/TransportSecurity index 6dd5baa..a07af87 100644 --- a/user/user_data/Default/Network/TransportSecurity +++ b/user/user_data/Default/Network/TransportSecurity @@ -1 +1 @@ -{"sts":[{"expiry":1779332832.744391,"host":"dERK8Ko+SPll3fI4ktOXyGETlPtRvoHIttvQhh3OR68=","mode":"force-https","sts_include_subdomains":true,"sts_observed":1768446432.744393},{"expiry":1779259199.044976,"host":"myxca24Fg7L/IgePD/QeLaUxbyYNmJdOyLPYvlVtjPE=","mode":"force-https","sts_include_subdomains":true,"sts_observed":1768372799.044977},{"expiry":1799982433.617919,"host":"5EdUoB7YUY9zZV+2DkgVXgho8WUvp+D+6KpeUOhNQIM=","mode":"force-https","sts_include_subdomains":false,"sts_observed":1768446433.617921},{"expiry":1799982432.248126,"host":"8/RrMmQlCD2Gsp14wUCE1P8r7B2C5+yE0+g79IPyRsc=","mode":"force-https","sts_include_subdomains":true,"sts_observed":1768446432.248127}],"version":2} \ No newline at end of file +{"sts":[{"expiry":1779332832.744391,"host":"dERK8Ko+SPll3fI4ktOXyGETlPtRvoHIttvQhh3OR68=","mode":"force-https","sts_include_subdomains":true,"sts_observed":1768446432.744393},{"expiry":1779259199.044976,"host":"myxca24Fg7L/IgePD/QeLaUxbyYNmJdOyLPYvlVtjPE=","mode":"force-https","sts_include_subdomains":true,"sts_observed":1768372799.044977},{"expiry":1800020678.19956,"host":"5EdUoB7YUY9zZV+2DkgVXgho8WUvp+D+6KpeUOhNQIM=","mode":"force-https","sts_include_subdomains":false,"sts_observed":1768484678.199561},{"expiry":1800020682.782133,"host":"8/RrMmQlCD2Gsp14wUCE1P8r7B2C5+yE0+g79IPyRsc=","mode":"force-https","sts_include_subdomains":true,"sts_observed":1768484682.782135}],"version":2} \ No newline at end of file diff --git a/user/user_data/Default/Preferences b/user/user_data/Default/Preferences index 78cc866..7aefcc3 100644 --- a/user/user_data/Default/Preferences +++ b/user/user_data/Default/Preferences @@ -1 +1 @@ -{"NewTabPage":{"PrevNavigationTime":"13412920031487345"},"accessibility":{"captions":{"headless_caption_enabled":false}},"account_tracker_service_last_update":"13412845268531038","aim_eligibility_service":{"aim_eligibility_response":"CAEQARgAIAAwAA=="},"alternate_error_pages":{"backup":true},"apps":{"shortcuts_arch":"","shortcuts_version":1},"autocomplete":{"retention_policy_last_version":144},"autofill":{"last_version_deduped":144,"ran_extra_deduplication":true},"bookmark":{"storage_computation_last_update":"13412845268523193"},"browser":{"window_placement":{"bottom":1032,"left":84,"maximized":false,"right":1909,"top":0,"work_area_bottom":1032,"work_area_left":0,"work_area_right":1920,"work_area_top":0}},"cached_fonts":{"search_results_page":{"fonts":["Noto Sans SC","Arial"]}},"commerce_daily_metrics_last_update_time":"13412845268523122","countryid_at_install":17230,"data_sharing":{"eligible_for_version_out_of_date_instant_message":false,"eligible_for_version_out_of_date_persistent_message":false,"has_shown_any_version_out_of_date_message":false},"default_apps_install_state":2,"devtools":{"last_open_timestamp":"13412920385027","preferences":{"cache-disabled":"true","closeable-tabs":"{\"security\":true,\"freestyler\":true,\"chrome-recorder\":true}","currentDockState":"\"right\"","elements.styles.sidebar.width":"{\"vertical\":{\"size\":0,\"showMode\":\"OnlyMain\"}}","inspector-view.split-view-state":"{\"vertical\":{\"size\":568}}","inspector.drawer-split-view-state":"{\"horizontal\":{\"size\":0,\"showMode\":\"OnlyMain\"}}","inspectorVersion":"40","network-hide-chrome-extensions":"false","network-hide-data-url":"false","network-log.preserve-log":"true","network-only-blocked-requests":"false","network-only-third-party-setting":"false","network-panel-sidebar-state":"{\"vertical\":{\"size\":0,\"showMode\":\"Both\"}}","network-panel-split-view-state":"{\"vertical\":{\"size\":0}}","network-panel-split-view-waterfall":"{\"vertical\":{\"size\":0}}","network-resource-type-filters":"{\"all\":true}","network-show-blocked-cookies-only-setting":"false","network-text-filter":"\"\"","panel-selected-tab":"\"network\"","releaseNoteVersionSeen":"143","request-info-form-data-category-expanded":"true","request-info-general-category-expanded":"true","request-info-query-string-category-expanded":"true","request-info-request-headers-category-expanded":"true","request-info-request-payload-category-expanded":"true","request-info-response-headers-category-expanded":"true","resource-view-tab":"\"headers-component\"","styles-pane-sidebar-tab-order":"{\"styles\":10,\"computed\":20}"},"synced_preferences_sync_disabled":{"adorner-settings":"[{\"adorner\":\"ad\",\"isEnabled\":true},{\"adorner\":\"container\",\"isEnabled\":true},{\"adorner\":\"flex\",\"isEnabled\":true},{\"adorner\":\"grid\",\"isEnabled\":true},{\"adorner\":\"grid-lanes\",\"isEnabled\":true},{\"adorner\":\"media\",\"isEnabled\":false},{\"adorner\":\"popover\",\"isEnabled\":true},{\"adorner\":\"reveal\",\"isEnabled\":true},{\"adorner\":\"scroll\",\"isEnabled\":true},{\"adorner\":\"scroll-snap\",\"isEnabled\":true},{\"adorner\":\"slot\",\"isEnabled\":true},{\"adorner\":\"starting-style\",\"isEnabled\":true},{\"adorner\":\"subgrid\",\"isEnabled\":true},{\"adorner\":\"top-layer\",\"isEnabled\":true}]","syncedInspectorVersion":"40"}},"domain_diversity":{"last_reporting_timestamp":"13412880688316846","last_reporting_timestamp_v4":"13412880688316856"},"dual_layer_user_pref_store":{"user_selected_sync_types":[]},"enterprise_profile_guid":"3ec02e23-55cd-472e-91b3-b0cee1011dc5","extensions":{"alerts":{"initialized":true},"chrome_url_overrides":{},"cws_info_timestamp":"13412916014238908","last_chrome_version":"144.0.7559.60"},"gaia_cookie":{"changed_time":1768371668.857602,"hash":"2jmj7l5rSw0yVb/vlWAYkK/YBwk=","last_list_accounts_binary_data":"","periodic_report_time_2":"13412845268367830"},"gcm":{"product_category_for_subtypes":"com.chrome.windows","push_messaging_unsubscribed_entries_list":[]},"google":{"services":{"signin_scoped_device_id":"f3973b9a-b0cd-4a86-9787-53b902612ee6"}},"https_upgrade_navigations":{"2026-01-14":70,"2026-01-15":210},"in_product_help":{"recent_session_enabled_time":"13412845268388403","recent_session_start_times":["13412914561119894","13412879187738764","13412845268388403"],"session_last_active_time":"13412920631681075","session_number":4,"session_start_time":"13412914561119894"},"intl":{"selected_languages":"zh-CN,zh"},"invalidation":{"per_sender_registered_for_invalidation":{"1013309121859":{},"947318989803":{}}},"language_model_counters":{"zh-CN":99},"media":{"device_id_salt":"FBC3B4B893353EDF7A976FD016355076","engagement":{"schema_version":5}},"media_router":{"receiver_id_hash_token":"sRjCErXcPDjGx3wDNlFuDD8wPIxo6pIZp+JnIdasaqNALePmpQP+M9HitO9WU//DZTX3nbt1oiwBVxEc4hsTzA=="},"migrated_user_scripts_toggle":true,"ntp":{"compose_button":{"shown_count":5},"last_shortcuts_staleness_update":"13412845268777590","num_personal_suggestions":6},"optimization_guide":{"hintsfetcher":{"hosts_successfully_fetched":{}},"previously_registered_optimization_types":{"ABOUT_THIS_SITE":true,"DIGITAL_CREDENTIALS_LOW_FRICTION":true,"GLIC_ACTION_PAGE_BLOCK":true,"LOADING_PREDICTOR":true,"MERCHANT_TRUST_SIGNALS_V2":true,"PAGE_ENTITIES":true,"PRICE_TRACKING":true,"SAVED_TAB_GROUP":true,"V8_COMPILE_HINTS":true}},"password_manager":{"account_store_backup_password_cleaning_last_timestamp":"13412845328374466","account_store_migrated_to_os_crypt_async":true,"profile_store_backup_password_cleaning_last_timestamp":"13412845328374628","profile_store_migrated_to_os_crypt_async":true},"prefs":{"tracked_preferences_reset":["schedule_to_flush_to_disk","pinned_tabs","extensions.settings.ahfgeienlihckogmohjhadlkjgocpleb","extensions.settings.fignfifoniblkonapihmkfakmlgkbkcf","extensions.settings.mhjfbmdgcfjbbpaeojofohoefgiehjai","extensions.settings.nkeimhogjdpnpccoofpliimaahmaaome","extensions.settings.nmmhkkegccagdldgiimedpiccmgmieda","prefs.preference_reset_time"]},"privacy_sandbox":{"first_party_sets_data_access_allowed_initialized":true},"profile":{"avatar_index":26,"background_password_check":{"check_fri_weight":9,"check_interval":"2592000000000","check_mon_weight":6,"check_sat_weight":6,"check_sun_weight":6,"check_thu_weight":9,"check_tue_weight":9,"check_wed_weight":9,"next_check_time":"13415035369977742"},"content_settings":{"exceptions":{"3pcd_heuristics_grants":{"https://[*.]pinduoduo.com,https://[*.]pinduoduo.com":{"expiration":"13415512632700240","last_modified":"13412920632700247","lifetime":"2592000000000","setting":1}},"abusive_notification_permissions":{},"access_to_get_all_screens_media_in_session":{},"anti_abuse":{},"app_banner":{"https://www.xiaohongshu.com:443,*":{"last_modified":"13412854133033759","setting":{"https://www.xiaohongshu.com/":{"next_install_text_animation":{"delay":"86400000000","last_shown":"13412854133032100"}},"https://www.xiaohongshu.com/explore?m_source=pwa":{"couldShowBannerEvents":1.3412854133033732e+16}}}},"ar":{},"are_suspicious_notifications_allowlisted_by_user":{},"auto_picture_in_picture":{},"auto_select_certificate":{},"automatic_downloads":{},"automatic_fullscreen":{},"autoplay":{},"background_sync":{},"bluetooth_chooser_data":{},"bluetooth_guard":{},"bluetooth_scanning":{},"camera_pan_tilt_zoom":{},"captured_surface_control":{},"client_hints":{"https://www.google.com:443,*":{"last_modified":"13412854200191612","setting":{"client_hints":[4,5,9,10,11,13,14,15,16,23,25,29]}}},"clipboard":{},"controlled_frame":{},"cookie_controls_metadata":{"https://[*.]google.com,*":{"last_modified":"13412854200196321","setting":{}},"https://[*.]pinduoduo.com,*":{"last_modified":"13412920631203715","setting":{}},"https://[*.]xhscdn.com,*":{"last_modified":"13412854209704739","setting":{}},"https://[*.]xiaohongshu.com,*":{"last_modified":"13412920578166630","setting":{}},"https://[*.]yangkeduo.com,*":{"last_modified":"13412914569538668","setting":{}}},"cookies":{},"direct_sockets":{},"direct_sockets_private_network_access":{},"display_media_system_audio":{},"disruptive_notification_permissions":{},"durable_storage":{},"fedcm_idp_registration":{},"fedcm_idp_signin":{"https://accounts.google.com:443,*":{"last_modified":"13412845268858357","setting":{"chosen-objects":[{"idp-origin":"https://accounts.google.com","idp-signin-status":false}]}}},"fedcm_share":{},"file_system_access_chooser_data":{},"file_system_access_extended_permission":{},"file_system_access_restore_permission":{},"file_system_last_picked_directory":{},"file_system_read_guard":{},"file_system_write_guard":{},"formfill_metadata":{},"geolocation":{},"geolocation_with_options":{},"hand_tracking":{},"hid_chooser_data":{},"hid_guard":{},"http_allowed":{},"https_enforced":{},"idle_detection":{},"images":{},"important_site_info":{},"initialized_translations":{},"intent_picker_auto_display":{},"javascript":{},"javascript_jit":{},"javascript_optimizer":{},"keyboard_lock":{},"legacy_cookie_access":{},"legacy_cookie_scope":{},"local_fonts":{},"local_network_access":{},"media_engagement":{"https://mcn.pinduoduo.com:443,*":{"expiration":"13420696664415357","last_modified":"13412920664415361","lifetime":"7776000000000","setting":{"hasHighScore":false,"lastMediaPlaybackTime":0.0,"mediaPlaybacks":0,"visits":13}},"https://mobile.yangkeduo.com:443,*":{"expiration":"13420690590514829","last_modified":"13412914590514830","lifetime":"7776000000000","setting":{"hasHighScore":false,"lastMediaPlaybackTime":0.0,"mediaPlaybacks":0,"visits":3}},"https://sns-video-hw.xhscdn.com:443,*":{"expiration":"13420630211369673","last_modified":"13412854211369680","lifetime":"7776000000000","setting":{"hasHighScore":false,"lastMediaPlaybackTime":0.0,"mediaPlaybacks":0,"visits":1}},"https://www.google.com:443,*":{"expiration":"13420630209705082","last_modified":"13412854209705084","lifetime":"7776000000000","setting":{"hasHighScore":false,"lastMediaPlaybackTime":0.0,"mediaPlaybacks":0,"visits":1}},"https://www.xiaohongshu.com:443,*":{"expiration":"13420696578893810","last_modified":"13412920578893818","lifetime":"7776000000000","setting":{"hasHighScore":false,"lastMediaPlaybackTime":0.0,"mediaPlaybacks":0,"visits":53}}},"media_stream_camera":{},"media_stream_mic":{},"midi_sysex":{},"mixed_script":{},"nfc_devices":{},"notification_interactions":{},"notification_permission_review":{},"notifications":{},"ondevice_languages_downloaded":{},"password_protection":{},"payment_handler":{},"permission_actions_history":{},"permission_autoblocking_data":{},"permission_autorevocation_data":{},"pointer_lock":{},"popups":{},"protected_media_identifier":{},"protocol_handler":{},"reduced_accept_language":{},"safe_browsing_url_check_data":{},"sensors":{},"serial_chooser_data":{},"serial_guard":{},"site_engagement":{"chrome://newtab/,*":{"last_modified":"13412920031599444","setting":{"lastEngagementTime":1.3412920031599432e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":9.0,"rawScore":15.668227071322088}},"https://mcn.pinduoduo.com:443,*":{"last_modified":"13412920662558377","setting":{"lastEngagementTime":1.3412920662558356e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":15.0,"rawScore":27.735413361137432}},"https://mobile.yangkeduo.com:443,*":{"last_modified":"13412914586698543","setting":{"lastEngagementTime":1.3412914586698528e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":2.1,"rawScore":6.688047832547097}},"https://sns-video-hw.xhscdn.com:443,*":{"last_modified":"13412914561275122","setting":{"lastEngagementTime":1.3412859209371656e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":3.0,"rawScore":3.0}},"https://www.google.com:443,*":{"last_modified":"13412914561275056","setting":{"lastEngagementTime":1.3412859199719428e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":3.0,"rawScore":3.0}},"https://www.xiaohongshu.com:443,*":{"last_modified":"13412920576976392","setting":{"lastEngagementTime":1.3412920576976382e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":15.0,"rawScore":28.14778346299982}}},"sound":{},"speaker_selection":{},"ssl_cert_decisions":{},"storage_access":{},"storage_access_header_origin_trial":{},"subresource_filter":{},"subresource_filter_data":{},"suspicious_notification_ids":{},"suspicious_notification_show_original":{},"third_party_storage_partitioning":{},"top_level_storage_access":{},"tracking_protection":{},"unused_site_permissions":{},"usb_chooser_data":{},"usb_guard":{},"vr":{},"web_app_installation":{},"webid_api":{},"webid_auto_reauthn":{},"window_placement":{}},"pref_version":1},"creation_time":"13412845267754241","default_content_setting_values":{"notifications":2},"default_content_settings":{"popups":0},"exit_type":"Crashed","family_member_role":"not_in_family","last_engagement_time":"13412920662558357","last_time_obsolete_http_credentials_removed":1768371728.374524,"last_time_password_store_metrics_reported":1768371698.376708,"managed":{"locally_parent_approved_extensions":{},"locally_parent_approved_extensions_migration_state":1},"managed_user_id":"","name":"您的 Chrome","password_hash_data_list":[],"were_old_google_logins_removed":true},"safebrowsing":{"event_timestamps":{},"hash_real_time_ohttp_expiration_time":"13413173848883276","hash_real_time_ohttp_key":"8gAgFEsbqu89iVv8RV7kf34MRk2/tKyBgJo5pBQj/ejp4n8ABAABAAI=","hash_real_time_ohttp_key_fetch_url":"https://safebrowsingohttpgateway.googleapis.com/v1/ohttp/hpkekeyconfig","metrics_last_log_time":"13412845268","scout_reporting_enabled_when_deprecated":false},"safety_hub":{"unused_site_permissions_revocation":{"migration_completed":true}},"saved_tab_groups":{"did_enable_shared_tab_groups_in_last_session":false,"specifics_to_data_migration":true},"segmentation_platform":{"client_result_prefs":"ClIKDXNob3BwaW5nX3VzZXISQQo2DQAAAAAQqJ7Vr5bd6RcaJAocChoNAAAAPxIMU2hvcHBpbmdVc2VyGgVPdGhlchIEEAIYBCADEO+e1a+W3ekX","device_switcher_util":{"result":{"labels":["NotSynced"]}},"last_db_compaction_time":"13412822399000000","uma_in_sql_start_time":"13412845268371281"},"selectfile":{"last_directory":"C:\\Users\\27942\\Desktop\\codesk\\haha"},"sessions":{"event_log":[{"crashed":false,"time":"13412845268370791","type":0},{"did_schedule_command":true,"first_session_service":true,"tab_count":3,"time":"13412860185427351","type":2,"window_count":1},{"crashed":false,"time":"13412879187727781","type":0},{"crashed":false,"time":"13412879349780070","type":0},{"crashed":false,"time":"13412879895464938","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":3,"time":"13412880494881124","type":2,"window_count":1},{"crashed":false,"time":"13412880688216110","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":3,"time":"13412880791466708","type":2,"window_count":1},{"crashed":false,"time":"13412914561102115","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":2,"time":"13412914719213004","type":2,"window_count":1},{"crashed":false,"time":"13412915536807962","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":1,"time":"13412919459254008","type":2,"window_count":1},{"crashed":false,"time":"13412919772485646","type":0},{"crashed":false,"time":"13412920031405355","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":2,"time":"13412920664408804","type":2,"window_count":1}],"session_data_status":3},"settings":{"force_google_safesearch":false},"signin":{"accounts_metadata_dict":{},"allowed":true,"cookie_clear_on_exit_migration_notice_complete":true},"site_search_settings":{"overridden_keywords":[]},"spellcheck":{"dictionaries":["en-US"],"dictionary":""},"sync":{"data_type_status_for_sync_to_signin":{"account_setting":false,"ai_thread":false,"app_list":false,"app_settings":false,"apps":false,"arc_package":false,"autofill":false,"autofill_profiles":false,"autofill_valuable":false,"autofill_valuable_metadata":false,"autofill_wallet":false,"autofill_wallet_credential":false,"autofill_wallet_metadata":false,"autofill_wallet_offer":false,"autofill_wallet_usage":false,"bookmarks":false,"collaboration_group":false,"contact_info":false,"contextual_task":false,"cookies":false,"device_info":false,"dictionary":false,"extension_settings":false,"extensions":false,"history":false,"history_delete_directives":false,"incoming_password_sharing_invitation":false,"managed_user_settings":false,"nigori":false,"os_preferences":false,"os_priority_preferences":false,"outgoing_password_sharing_invitation":false,"passwords":false,"plus_address":false,"plus_address_setting":false,"preferences":false,"printers":false,"printers_authorization_servers":false,"priority_preferences":false,"product_comparison":false,"reading_list":false,"saved_tab_group":false,"search_engines":false,"security_events":false,"send_tab_to_self":false,"sessions":false,"shared_comment":false,"shared_tab_group_account_data":false,"shared_tab_group_data":false,"sharing_message":false,"themes":false,"user_consent":false,"user_events":false,"web_apps":false,"webapks":false,"webauthn_credential":false,"wifi_configurations":false,"workspace_desk":false},"encryption_bootstrap_token_per_account_migration_done":true,"feature_status_for_sync_to_signin":5},"syncing_theme_prefs_migrated_to_non_syncing":true,"toolbar":{"pinned_cast_migration_complete":true,"pinned_chrome_labs_migration_complete":true,"tab_search_migration_complete":true},"total_passwords_available_for_account":0,"total_passwords_available_for_profile":0,"translate_site_blacklist":[],"translate_site_blocklist_with_time":{},"updateclientdata":{"apps":{"nmmhkkegccagdldgiimedpiccmgmieda":{"cohort":"1::","cohortname":"","dlrc":6953,"installdate":6953,"pf":"b73a66d4-9706-4730-8929-233287b68cf8"}}},"web_apps":{"daily_metrics":{"https://www.xiaohongshu.com/explore?m_source=pwa":{"background_duration_sec":0,"captures_links":false,"effective_display_mode":2,"foreground_duration_sec":0,"installed":false,"num_sessions":0,"promotable":true}},"daily_metrics_date":"13412880000000000","did_migrate_default_chrome_apps":["MigrateDefaultChromeAppToWebAppsGSuite","MigrateDefaultChromeAppToWebAppsNonGSuite"],"last_preinstall_synchronize_version":"144","migrated_default_apps":["aohghmighlieiainnegkcijnfilokake","aapocclcgogkmnckokdopfmhonfmgoek","felcaaldnbdncclmgdcncolpebgiejap","apdfllckaahabafndbhieahigkjlhalf","pjkljhegncpnkpknbcohdijeoejaedia","blpcfgokakmgnkcojhhkbfbldkacnbeo"],"web_app_ids":{"mdpkiolbdkhdjpekfbkbmhigcaggjagi":{"default_app_startup_update_last_ignore_time":"13412846399222193"}}},"zerosuggest":{"cachedresults":")]}'\n[\"\",[],[],[],{\"google:clientdata\":{\"bpc\":false,\"tlw\":false},\"google:suggesteventid\":\"1714287115927435487\",\"google:suggesttype\":[],\"google:verbatimrelevance\":851}]","cachedresults_with_url":{"https://www.google.com/search?q=%27https%3A%2F%2Fsns-video-hw.xhscdn.com%2Fstream%2F110%2F258%2F01e6cd08be6e36ad010370019190eceaac_258.mp4%27&oq=%27https%3A%2F%2Fsns-video-hw.xhscdn.com%2Fstream%2F110%2F258%2F01e6cd08be6e36ad010370019190eceaac_258.mp4%27&gs_lcrp=EgZjaHJvbWUyBggAEEUYOdIBBzE0MWowajSoAgCwAgE&sourceid=chrome&ie=UTF-8&sei=uFhnaevLEvG_vr0PnZXJOQ":")]}'\n[\"\",[],[],[],{\"google:clientdata\":{\"bpc\":false,\"tlw\":false},\"google:suggesteventid\":\"5697575840022860248\",\"google:suggesttype\":[],\"google:verbatimrelevance\":851}]"}}} \ No newline at end of file +{"NewTabPage":{"PrevNavigationTime":"13412958277233167"},"accessibility":{"captions":{"headless_caption_enabled":false}},"account_tracker_service_last_update":"13412956410676656","aim_eligibility_service":{"aim_eligibility_response":"CAEQARgAIAAwAA=="},"alternate_error_pages":{"backup":true},"apps":{"shortcuts_arch":"","shortcuts_version":1},"autocomplete":{"retention_policy_last_version":144},"autofill":{"last_version_deduped":144,"ran_extra_deduplication":true},"bookmark":{"storage_computation_last_update":"13412956410677060"},"browser":{"window_placement":{"bottom":1318,"left":1560,"maximized":false,"right":3385,"top":286,"work_area_bottom":1392,"work_area_left":0,"work_area_right":3440,"work_area_top":0}},"cached_fonts":{"search_results_page":{"fonts":["Noto Sans SC","Arial"]}},"commerce_daily_metrics_last_update_time":"13412956410677638","countryid_at_install":17230,"data_sharing":{"eligible_for_version_out_of_date_instant_message":false,"eligible_for_version_out_of_date_persistent_message":false,"has_shown_any_version_out_of_date_message":false},"default_apps_install_state":2,"devtools":{"last_open_timestamp":"13412920385027","preferences":{"cache-disabled":"true","closeable-tabs":"{\"security\":true,\"freestyler\":true,\"chrome-recorder\":true}","currentDockState":"\"right\"","elements.styles.sidebar.width":"{\"vertical\":{\"size\":0,\"showMode\":\"OnlyMain\"}}","inspector-view.split-view-state":"{\"vertical\":{\"size\":568}}","inspector.drawer-split-view-state":"{\"horizontal\":{\"size\":0,\"showMode\":\"OnlyMain\"}}","inspectorVersion":"40","network-hide-chrome-extensions":"false","network-hide-data-url":"false","network-log.preserve-log":"true","network-only-blocked-requests":"false","network-only-third-party-setting":"false","network-panel-sidebar-state":"{\"vertical\":{\"size\":0,\"showMode\":\"Both\"}}","network-panel-split-view-state":"{\"vertical\":{\"size\":0}}","network-panel-split-view-waterfall":"{\"vertical\":{\"size\":0}}","network-resource-type-filters":"{\"all\":true}","network-show-blocked-cookies-only-setting":"false","network-text-filter":"\"\"","panel-selected-tab":"\"network\"","releaseNoteVersionSeen":"143","request-info-form-data-category-expanded":"true","request-info-general-category-expanded":"true","request-info-query-string-category-expanded":"true","request-info-request-headers-category-expanded":"true","request-info-request-payload-category-expanded":"true","request-info-response-headers-category-expanded":"true","resource-view-tab":"\"headers-component\"","styles-pane-sidebar-tab-order":"{\"styles\":10,\"computed\":20}"},"synced_preferences_sync_disabled":{"adorner-settings":"[{\"adorner\":\"ad\",\"isEnabled\":true},{\"adorner\":\"container\",\"isEnabled\":true},{\"adorner\":\"flex\",\"isEnabled\":true},{\"adorner\":\"grid\",\"isEnabled\":true},{\"adorner\":\"grid-lanes\",\"isEnabled\":true},{\"adorner\":\"media\",\"isEnabled\":false},{\"adorner\":\"popover\",\"isEnabled\":true},{\"adorner\":\"reveal\",\"isEnabled\":true},{\"adorner\":\"scroll\",\"isEnabled\":true},{\"adorner\":\"scroll-snap\",\"isEnabled\":true},{\"adorner\":\"slot\",\"isEnabled\":true},{\"adorner\":\"starting-style\",\"isEnabled\":true},{\"adorner\":\"subgrid\",\"isEnabled\":true},{\"adorner\":\"top-layer\",\"isEnabled\":true}]","syncedInspectorVersion":"40"}},"domain_diversity":{"last_reporting_timestamp":"13412880688316846","last_reporting_timestamp_v4":"13412880688316856"},"dual_layer_user_pref_store":{"user_selected_sync_types":[]},"enterprise_profile_guid":"3ec02e23-55cd-472e-91b3-b0cee1011dc5","extensions":{"alerts":{"initialized":true},"chrome_url_overrides":{},"cws_info_timestamp":"13412916014238908","last_chrome_version":"144.0.7559.60"},"gaia_cookie":{"changed_time":1768371668.857602,"hash":"2jmj7l5rSw0yVb/vlWAYkK/YBwk=","last_list_accounts_binary_data":"","periodic_report_time_2":"13412956410555181"},"gcm":{"product_category_for_subtypes":"com.chrome.windows","push_messaging_unsubscribed_entries_list":[]},"google":{"services":{"signin_scoped_device_id":"994dadd6-7d54-4901-9385-b822e404a892"}},"https_upgrade_navigations":{"2026-01-14":70,"2026-01-15":210},"in_product_help":{"recent_session_enabled_time":"13412845268388403","recent_session_start_times":["13412956410572194","13412914561119894","13412879187738764","13412845268388403"],"session_last_active_time":"13412958288146242","session_number":5,"session_start_time":"13412956410572194"},"intl":{"selected_languages":"zh-CN,zh"},"invalidation":{"per_sender_registered_for_invalidation":{"1013309121859":{},"947318989803":{}}},"language_model_counters":{"zh-CN":105},"media":{"device_id_salt":"FBC3B4B893353EDF7A976FD016355076","engagement":{"schema_version":5}},"media_router":{"receiver_id_hash_token":"sRjCErXcPDjGx3wDNlFuDD8wPIxo6pIZp+JnIdasaqNALePmpQP+M9HitO9WU//DZTX3nbt1oiwBVxEc4hsTzA=="},"migrated_user_scripts_toggle":true,"ntp":{"compose_button":{"shown_count":16},"last_shortcuts_staleness_update":"13412956428915452","num_personal_suggestions":6,"shortcuts_staleness_count":1},"optimization_guide":{"hintsfetcher":{"hosts_successfully_fetched":{}},"previous_optimization_types_with_filter":{"A2A_MERCHANT_ALLOWLIST":true,"AMERICAN_EXPRESS_CREDIT_CARD_FLIGHT_BENEFITS":true,"AMERICAN_EXPRESS_CREDIT_CARD_SUBSCRIPTION_BENEFITS":true,"AUTOFILL_ABLATION_SITES_LIST1":true,"AUTOFILL_ABLATION_SITES_LIST2":true,"AUTOFILL_ABLATION_SITES_LIST3":true,"AUTOFILL_ABLATION_SITES_LIST4":true,"AUTOFILL_ABLATION_SITES_LIST5":true,"AUTOFILL_ACTOR_IFRAME_ORIGIN_ALLOWLIST":true,"BMO_CREDIT_CARD_AIR_MILES_PARTNER_BENEFITS":true,"BMO_CREDIT_CARD_ALCOHOL_STORE_BENEFITS":true,"BMO_CREDIT_CARD_DINING_BENEFITS":true,"BMO_CREDIT_CARD_DRUGSTORE_BENEFITS":true,"BMO_CREDIT_CARD_ENTERTAINMENT_BENEFITS":true,"BMO_CREDIT_CARD_GROCERY_BENEFITS":true,"BMO_CREDIT_CARD_OFFICE_SUPPLY_BENEFITS":true,"BMO_CREDIT_CARD_RECURRING_BILL_BENEFITS":true,"BMO_CREDIT_CARD_TRANSIT_BENEFITS":true,"BMO_CREDIT_CARD_TRAVEL_BENEFITS":true,"BMO_CREDIT_CARD_WHOLESALE_CLUB_BENEFITS":true,"BUY_NOW_PAY_LATER_ALLOWLIST_AFFIRM":true,"BUY_NOW_PAY_LATER_ALLOWLIST_AFFIRM_ANDROID":true,"BUY_NOW_PAY_LATER_ALLOWLIST_KLARNA":true,"BUY_NOW_PAY_LATER_ALLOWLIST_KLARNA_ANDROID":true,"BUY_NOW_PAY_LATER_ALLOWLIST_ZIP":true,"BUY_NOW_PAY_LATER_ALLOWLIST_ZIP_ANDROID":true,"BUY_NOW_PAY_LATER_BLOCKLIST_AFFIRM":true,"BUY_NOW_PAY_LATER_BLOCKLIST_KLARNA":true,"BUY_NOW_PAY_LATER_BLOCKLIST_ZIP":true,"CAPITAL_ONE_CREDIT_CARD_BENEFITS_BLOCKED":true,"CAPITAL_ONE_CREDIT_CARD_DINING_BENEFITS":true,"CAPITAL_ONE_CREDIT_CARD_ENTERTAINMENT_BENEFITS":true,"CAPITAL_ONE_CREDIT_CARD_GROCERY_BENEFITS":true,"CAPITAL_ONE_CREDIT_CARD_STREAMING_BENEFITS":true,"DIGITAL_CREDENTIALS_LOW_FRICTION":true,"EWALLET_MERCHANT_ALLOWLIST":true,"GLIC_ACTION_PAGE_BLOCK":true,"HISTORY_CLUSTERS":true,"HISTORY_EMBEDDINGS":true,"IBAN_AUTOFILL_BLOCKED":true,"LENS_OVERLAY_EDU_ACTION_CHIP_ALLOWLIST":true,"LENS_OVERLAY_EDU_ACTION_CHIP_BLOCKLIST":true,"NTP_NEXT_DEEP_DIVE_ACTION_CHIP_ALLOWLIST":true,"NTP_NEXT_DEEP_DIVE_ACTION_CHIP_BLOCKLIST":true,"PIX_MERCHANT_ORIGINS_ALLOWLIST":true,"PIX_PAYMENT_MERCHANT_ALLOWLIST":true,"SHARED_CREDIT_CARD_DINING_BENEFITS":true,"SHARED_CREDIT_CARD_ENTERTAINMENT_BENEFITS":true,"SHARED_CREDIT_CARD_FLAT_RATE_BENEFITS_BLOCKLIST":true,"SHARED_CREDIT_CARD_FLIGHT_BENEFITS":true,"SHARED_CREDIT_CARD_GROCERY_BENEFITS":true,"SHARED_CREDIT_CARD_STREAMING_BENEFITS":true,"SHARED_CREDIT_CARD_SUBSCRIPTION_BENEFITS":true,"SHOPPING_PAGE_PREDICTOR":true,"TEXT_CLASSIFIER_ENTITY_DETECTION":true,"VCN_MERCHANT_OPT_OUT_DISCOVER":true,"VCN_MERCHANT_OPT_OUT_MASTERCARD":true,"VCN_MERCHANT_OPT_OUT_VISA":true,"WALLETABLE_PASS_DETECTION_ALLOWLIST":true,"WALLETABLE_PASS_DETECTION_BOARDING_PASS_ALLOWLIST":true,"WALLETABLE_PASS_DETECTION_LOYALTY_ALLOWLIST":true},"previously_registered_optimization_types":{"ABOUT_THIS_SITE":true,"DIGITAL_CREDENTIALS_LOW_FRICTION":true,"GLIC_ACTION_PAGE_BLOCK":true,"LOADING_PREDICTOR":true,"MERCHANT_TRUST_SIGNALS_V2":true,"PAGE_ENTITIES":true,"PRICE_TRACKING":true,"SAVED_TAB_GROUP":true,"V8_COMPILE_HINTS":true}},"password_manager":{"account_store_backup_password_cleaning_last_timestamp":"13412845328374466","account_store_migrated_to_os_crypt_async":true,"profile_store_backup_password_cleaning_last_timestamp":"13412845328374628","profile_store_migrated_to_os_crypt_async":true},"prefs":{"tracked_preferences_reset":["schedule_to_flush_to_disk","pinned_tabs","extensions.settings.ahfgeienlihckogmohjhadlkjgocpleb","extensions.settings.fignfifoniblkonapihmkfakmlgkbkcf","extensions.settings.mhjfbmdgcfjbbpaeojofohoefgiehjai","extensions.settings.nkeimhogjdpnpccoofpliimaahmaaome","extensions.settings.nmmhkkegccagdldgiimedpiccmgmieda","prefs.preference_reset_time"]},"privacy_sandbox":{"first_party_sets_data_access_allowed_initialized":true},"profile":{"avatar_index":26,"background_password_check":{"check_fri_weight":9,"check_interval":"2592000000000","check_mon_weight":6,"check_sat_weight":6,"check_sun_weight":6,"check_thu_weight":9,"check_tue_weight":9,"check_wed_weight":9,"next_check_time":"13415035369977742"},"content_settings":{"exceptions":{"3pcd_heuristics_grants":{"https://[*.]pinduoduo.com,https://[*.]pinduoduo.com":{"expiration":"13415550295232395","last_modified":"13412958295232789","lifetime":"2592000000000","setting":1}},"abusive_notification_permissions":{},"access_to_get_all_screens_media_in_session":{},"anti_abuse":{},"app_banner":{"https://www.xiaohongshu.com:443,*":{"last_modified":"13412854133033759","setting":{"https://www.xiaohongshu.com/":{"next_install_text_animation":{"delay":"86400000000","last_shown":"13412854133032100"}},"https://www.xiaohongshu.com/explore?m_source=pwa":{"couldShowBannerEvents":1.3412854133033732e+16}}}},"ar":{},"are_suspicious_notifications_allowlisted_by_user":{},"auto_picture_in_picture":{},"auto_select_certificate":{},"automatic_downloads":{},"automatic_fullscreen":{},"autoplay":{},"background_sync":{},"bluetooth_chooser_data":{},"bluetooth_guard":{},"bluetooth_scanning":{},"camera_pan_tilt_zoom":{},"captured_surface_control":{},"client_hints":{"https://www.google.com:443,*":{"last_modified":"13412854200191612","setting":{"client_hints":[4,5,9,10,11,13,14,15,16,23,25,29]}}},"clipboard":{},"controlled_frame":{},"cookie_controls_metadata":{"https://[*.]google.com,*":{"last_modified":"13412854200196321","setting":{}},"https://[*.]pinduoduo.com,*":{"last_modified":"13412958323742285","setting":{}},"https://[*.]xhscdn.com,*":{"last_modified":"13412854209704739","setting":{}},"https://[*.]xiaohongshu.com,*":{"last_modified":"13412920578166630","setting":{}},"https://[*.]yangkeduo.com,*":{"last_modified":"13412956513177438","setting":{}}},"cookies":{},"direct_sockets":{},"direct_sockets_private_network_access":{},"display_media_system_audio":{},"disruptive_notification_permissions":{},"durable_storage":{},"fedcm_idp_registration":{},"fedcm_idp_signin":{"https://accounts.google.com:443,*":{"last_modified":"13412845268858357","setting":{"chosen-objects":[{"idp-origin":"https://accounts.google.com","idp-signin-status":false}]}}},"fedcm_share":{},"file_system_access_chooser_data":{},"file_system_access_extended_permission":{},"file_system_access_restore_permission":{},"file_system_last_picked_directory":{},"file_system_read_guard":{},"file_system_write_guard":{},"formfill_metadata":{},"geolocation":{},"geolocation_with_options":{},"hand_tracking":{},"hid_chooser_data":{},"hid_guard":{},"http_allowed":{},"https_enforced":{},"idle_detection":{},"images":{},"important_site_info":{},"initialized_translations":{},"intent_picker_auto_display":{},"javascript":{},"javascript_jit":{},"javascript_optimizer":{},"keyboard_lock":{},"legacy_cookie_access":{},"legacy_cookie_scope":{},"local_fonts":{},"local_network_access":{},"media_engagement":{"https://mcn.pinduoduo.com:443,*":{"expiration":"13420734329477799","last_modified":"13412958329477802","lifetime":"7776000000000","setting":{"hasHighScore":false,"lastMediaPlaybackTime":0.0,"mediaPlaybacks":0,"visits":25}},"https://mobile.yangkeduo.com:443,*":{"expiration":"13420732535201546","last_modified":"13412956535201548","lifetime":"7776000000000","setting":{"hasHighScore":false,"lastMediaPlaybackTime":0.0,"mediaPlaybacks":0,"visits":5}},"https://sns-video-hw.xhscdn.com:443,*":{"expiration":"13420630211369673","last_modified":"13412854211369680","lifetime":"7776000000000","setting":{"hasHighScore":false,"lastMediaPlaybackTime":0.0,"mediaPlaybacks":0,"visits":1}},"https://www.google.com:443,*":{"expiration":"13420630209705082","last_modified":"13412854209705084","lifetime":"7776000000000","setting":{"hasHighScore":false,"lastMediaPlaybackTime":0.0,"mediaPlaybacks":0,"visits":1}},"https://www.xiaohongshu.com:443,*":{"expiration":"13420696578893810","last_modified":"13412920578893818","lifetime":"7776000000000","setting":{"hasHighScore":false,"lastMediaPlaybackTime":0.0,"mediaPlaybacks":0,"visits":53}}},"media_stream_camera":{},"media_stream_mic":{},"midi_sysex":{},"mixed_script":{},"nfc_devices":{},"notification_interactions":{},"notification_permission_review":{},"notifications":{},"ondevice_languages_downloaded":{},"password_protection":{},"payment_handler":{},"permission_actions_history":{},"permission_autoblocking_data":{},"permission_autorevocation_data":{},"pointer_lock":{},"popups":{},"protected_media_identifier":{},"protocol_handler":{},"reduced_accept_language":{},"safe_browsing_url_check_data":{},"sensors":{},"serial_chooser_data":{},"serial_guard":{},"site_engagement":{"chrome://newtab/,*":{"last_modified":"13412958277368129","setting":{"lastEngagementTime":1.3412958277368112e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":15.0,"rawScore":20.68927125413962}},"https://mcn.pinduoduo.com:443,*":{"last_modified":"13412958314757038","setting":{"lastEngagementTime":1.3412958314757026e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":15.0,"rawScore":26.002495901602884}},"https://mobile.yangkeduo.com:443,*":{"last_modified":"13412956534137390","setting":{"lastEngagementTime":1.341295653413738e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":2.7,"rawScore":6.8701764740670885}},"https://sns-video-hw.xhscdn.com:443,*":{"last_modified":"13412956410725219","setting":{"lastEngagementTime":1.3412866157538418e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":3.0,"rawScore":3.0}},"https://www.google.com:443,*":{"last_modified":"13412956410725162","setting":{"lastEngagementTime":1.341286614788619e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":3.0,"rawScore":3.0}},"https://www.xiaohongshu.com:443,*":{"last_modified":"13412956410725233","setting":{"lastEngagementTime":1.3412927525143144e+16,"lastShortcutLaunchTime":0.0,"pointsAddedToday":15.0,"rawScore":28.14778346299982}}},"sound":{},"speaker_selection":{},"ssl_cert_decisions":{},"storage_access":{},"storage_access_header_origin_trial":{},"subresource_filter":{},"subresource_filter_data":{},"suspicious_notification_ids":{},"suspicious_notification_show_original":{},"third_party_storage_partitioning":{},"top_level_storage_access":{},"tracking_protection":{},"unused_site_permissions":{},"usb_chooser_data":{},"usb_guard":{},"vr":{},"web_app_installation":{},"webid_api":{},"webid_auto_reauthn":{},"window_placement":{}},"pref_version":1},"creation_time":"13412845267754241","default_content_setting_values":{"notifications":2},"default_content_settings":{"popups":0},"exit_type":"Crashed","family_member_role":"not_in_family","last_engagement_time":"13412958314757026","last_time_obsolete_http_credentials_removed":1768371728.374524,"last_time_password_store_metrics_reported":1768484707.122712,"managed":{"locally_parent_approved_extensions":{},"locally_parent_approved_extensions_migration_state":1},"managed_user_id":"","name":"您的 Chrome","password_hash_data_list":[],"were_old_google_logins_removed":true},"safebrowsing":{"event_timestamps":{},"hash_real_time_ohttp_expiration_time":"13413173848883276","hash_real_time_ohttp_key":"8gAgFEsbqu89iVv8RV7kf34MRk2/tKyBgJo5pBQj/ejp4n8ABAABAAI=","hash_real_time_ohttp_key_fetch_url":"https://safebrowsingohttpgateway.googleapis.com/v1/ohttp/hpkekeyconfig","metrics_last_log_time":"13412956410","scout_reporting_enabled_when_deprecated":false},"safety_hub":{"unused_site_permissions_revocation":{"migration_completed":true}},"saved_tab_groups":{"did_enable_shared_tab_groups_in_last_session":true,"specifics_to_data_migration":true},"segmentation_platform":{"client_result_prefs":"ClIKDXNob3BwaW5nX3VzZXISQQo2DQAAAAAQqJ7Vr5bd6RcaJAocChoNAAAAPxIMU2hvcHBpbmdVc2VyGgVPdGhlchIEEAIYBCADEO+e1a+W3ekX","device_switcher_util":{"result":{"labels":["NotSynced"]}},"last_db_compaction_time":"13412822399000000","uma_in_sql_start_time":"13412845268371281"},"selectfile":{"last_directory":"C:\\Users\\27942\\Desktop\\codesk\\haha"},"sessions":{"event_log":[{"did_schedule_command":false,"first_session_service":true,"tab_count":1,"time":"13412956423865368","type":2,"window_count":1},{"crashed":false,"time":"13412956428529488","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":1,"time":"13412956435618047","type":2,"window_count":1},{"crashed":false,"time":"13412956437203689","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":1,"time":"13412956438566551","type":2,"window_count":1},{"crashed":false,"time":"13412956510678214","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":1,"time":"13412956539888301","type":2,"window_count":1},{"crashed":false,"time":"13412956545631517","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":1,"time":"13412956566342104","type":2,"window_count":1},{"crashed":false,"time":"13412957802287660","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":2,"time":"13412957826242144","type":2,"window_count":1},{"crashed":false,"time":"13412957827837592","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":2,"time":"13412957845320180","type":2,"window_count":1},{"crashed":false,"time":"13412958015256890","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":1,"time":"13412958038202537","type":2,"window_count":1},{"crashed":false,"time":"13412958039880266","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":1,"time":"13412958043047756","type":2,"window_count":1},{"crashed":false,"time":"13412958277124786","type":0},{"did_schedule_command":false,"first_session_service":true,"tab_count":2,"time":"13412958329471764","type":2,"window_count":1}],"session_data_status":3},"settings":{"force_google_safesearch":false},"signin":{"accounts_metadata_dict":{},"allowed":true,"cookie_clear_on_exit_migration_notice_complete":true},"site_search_settings":{"overridden_keywords":[]},"spellcheck":{"dictionaries":["en-US"],"dictionary":""},"sync":{"data_type_status_for_sync_to_signin":{"account_setting":false,"ai_thread":false,"app_list":false,"app_settings":false,"apps":false,"arc_package":false,"autofill":false,"autofill_profiles":false,"autofill_valuable":false,"autofill_valuable_metadata":false,"autofill_wallet":false,"autofill_wallet_credential":false,"autofill_wallet_metadata":false,"autofill_wallet_offer":false,"autofill_wallet_usage":false,"bookmarks":false,"collaboration_group":false,"contact_info":false,"contextual_task":false,"cookies":false,"device_info":false,"dictionary":false,"extension_settings":false,"extensions":false,"history":false,"history_delete_directives":false,"incoming_password_sharing_invitation":false,"managed_user_settings":false,"nigori":false,"os_preferences":false,"os_priority_preferences":false,"outgoing_password_sharing_invitation":false,"passwords":false,"plus_address":false,"plus_address_setting":false,"preferences":false,"printers":false,"printers_authorization_servers":false,"priority_preferences":false,"product_comparison":false,"reading_list":false,"saved_tab_group":false,"search_engines":false,"security_events":false,"send_tab_to_self":false,"sessions":false,"shared_comment":false,"shared_tab_group_account_data":false,"shared_tab_group_data":false,"sharing_message":false,"themes":false,"user_consent":false,"user_events":false,"web_apps":false,"webapks":false,"webauthn_credential":false,"wifi_configurations":false,"workspace_desk":false},"encryption_bootstrap_token_per_account_migration_done":true,"feature_status_for_sync_to_signin":5},"syncing_theme_prefs_migrated_to_non_syncing":true,"toolbar":{"pinned_cast_migration_complete":true,"pinned_chrome_labs_migration_complete":true,"tab_search_migration_complete":true},"total_passwords_available_for_account":0,"total_passwords_available_for_profile":0,"translate_site_blacklist":[],"translate_site_blocklist_with_time":{},"updateclientdata":{"apps":{"nmmhkkegccagdldgiimedpiccmgmieda":{"cohort":"1::","cohortname":"","dlrc":6954,"installdate":6953,"pf":"e41fb73b-0f0e-4528-9a15-f3c0651ef69c"}}},"web_apps":{"daily_metrics":{"https://www.xiaohongshu.com/explore?m_source=pwa":{"background_duration_sec":0,"captures_links":false,"effective_display_mode":2,"foreground_duration_sec":0,"installed":false,"num_sessions":0,"promotable":true}},"daily_metrics_date":"13412880000000000","did_migrate_default_chrome_apps":["MigrateDefaultChromeAppToWebAppsGSuite","MigrateDefaultChromeAppToWebAppsNonGSuite"],"last_preinstall_synchronize_version":"144","migrated_default_apps":["aohghmighlieiainnegkcijnfilokake","aapocclcgogkmnckokdopfmhonfmgoek","felcaaldnbdncclmgdcncolpebgiejap","apdfllckaahabafndbhieahigkjlhalf","pjkljhegncpnkpknbcohdijeoejaedia","blpcfgokakmgnkcojhhkbfbldkacnbeo"],"web_app_ids":{"mdpkiolbdkhdjpekfbkbmhigcaggjagi":{"default_app_startup_update_last_ignore_time":"13412846399222193"}}},"zerosuggest":{"cachedresults":")]}'\n[\"\",[],[],[],{\"google:clientdata\":{\"bpc\":false,\"tlw\":false},\"google:suggesteventid\":\"-5635144060545759109\",\"google:suggesttype\":[],\"google:verbatimrelevance\":851}]","cachedresults_with_url":{"https://www.google.com/search?q=%27https%3A%2F%2Fsns-video-hw.xhscdn.com%2Fstream%2F110%2F258%2F01e6cd08be6e36ad010370019190eceaac_258.mp4%27&oq=%27https%3A%2F%2Fsns-video-hw.xhscdn.com%2Fstream%2F110%2F258%2F01e6cd08be6e36ad010370019190eceaac_258.mp4%27&gs_lcrp=EgZjaHJvbWUyBggAEEUYOdIBBzE0MWowajSoAgCwAgE&sourceid=chrome&ie=UTF-8&sei=uFhnaevLEvG_vr0PnZXJOQ":")]}'\n[\"\",[],[],[],{\"google:clientdata\":{\"bpc\":false,\"tlw\":false},\"google:suggesteventid\":\"5697575840022860248\",\"google:suggesttype\":[],\"google:verbatimrelevance\":851}]"}}} \ No newline at end of file diff --git a/user/user_data/Default/Secure Preferences b/user/user_data/Default/Secure Preferences index a8dedc1..c83b316 100644 --- a/user/user_data/Default/Secure Preferences +++ b/user/user_data/Default/Secure Preferences @@ -1 +1 @@ -{"extensions":{"settings":{"ahfgeienlihckogmohjhadlkjgocpleb":{"account_extension_type":0,"active_permissions":{"api":["management","system.display","system.storage","webstorePrivate","system.cpu","system.memory","system.network"],"explicit_host":[],"manifest_permissions":[],"scriptable_host":[]},"app_launcher_ordinal":"t","commands":{},"content_settings":[],"creation_flags":1,"disable_reasons":[],"events":[],"first_install_time":"13412914561106788","from_webstore":false,"incognito_content_settings":[],"incognito_preferences":{},"last_update_time":"13412914561106788","location":5,"manifest":{"app":{"launch":{"web_url":"https://chrome.google.com/webstore"},"urls":["https://chrome.google.com/webstore"]},"description":"查找适用于Google Chrome的精彩应用、游戏、扩展程序和主题背景。","icons":{"128":"webstore_icon_128.png","16":"webstore_icon_16.png"},"key":"MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQCtl3tO0osjuzRsf6xtD2SKxPlTfuoy7AWoObysitBPvH5fE1NaAA1/2JkPWkVDhdLBWLaIBPYeXbzlHp3y4Vv/4XG+aN5qFE3z+1RU/NqkzVYHtIpVScf3DjTYtKVL66mzVGijSoAIwbFCC3LpGdaoe6Q1rSRDp76wR6jjFzsYwQIDAQAB","name":"应用商店","permissions":["webstorePrivate","management","system.cpu","system.display","system.memory","system.network","system.storage"],"version":"0.2"},"needs_sync":true,"page_ordinal":"n","path":"C:\\Program Files\\Google\\Chrome\\Application\\144.0.7559.60\\resources\\web_store","preferences":{},"regular_only_preferences":{},"was_installed_by_default":false,"was_installed_by_oem":false},"fignfifoniblkonapihmkfakmlgkbkcf":{"account_extension_type":0,"active_permissions":{"api":["metricsPrivate","systemPrivate","ttsEngine","offscreen"],"explicit_host":["https://www.google.com/*"],"manifest_permissions":[],"scriptable_host":[]},"commands":{},"content_settings":[],"creation_flags":1,"disable_reasons":[],"first_install_time":"13412914561108012","from_webstore":false,"incognito_content_settings":[],"incognito_preferences":{},"last_update_time":"13412914561108012","location":5,"manifest":{"background":{"service_worker":"service_worker.js"},"description":"Component extension providing speech via the Google network text-to-speech service.","host_permissions":["https://www.google.com/"],"key":"MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA5mnqF6oM8Q5tYd7YqL40YL7Keftt4PwydehlNOyNlCiWDM/7SiQYwxYvVHMj1i03z7B5lZXQinrcqhHhoIgcSHK1JrdzVSJxPRVdmV0rJLv0KQgmVwL8p8MfN6SmHs+72xz+1GoRWpd0WlHMil7RzGKJA4Ku+9jxxsXoxes9eeV1hCavkb1dSF+mlQbaNiw7u1hhvc5mmeuEcWjoce8r8B2R4wmnGbuTLfoSchZ6jkasynmOaFxyT4jiYDYgrNtWRTQ/9PuPduJ+uBWVT/o2ZhDK2XcywVwzUfYIXDLDblK+YdZi8w8ZBNvc7hP9/iZr6/eoUpfsLa8qlJgyLBQebwIDAQAB","manifest_version":3,"name":"Google Network Speech","permissions":["metricsPrivate","offscreen","systemPrivate","ttsEngine"],"tts_engine":{"voices":[{"event_types":["start","end","error"],"gender":"female","lang":"de-DE","remote":true,"voice_name":"Google Deutsch"},{"event_types":["start","end","error"],"gender":"female","lang":"en-US","remote":true,"voice_name":"Google US English"},{"event_types":["start","end","error"],"gender":"female","lang":"en-GB","remote":true,"voice_name":"Google UK English Female"},{"event_types":["start","end","error"],"gender":"male","lang":"en-GB","remote":true,"voice_name":"Google UK English Male"},{"event_types":["start","end","error"],"gender":"female","lang":"es-ES","remote":true,"voice_name":"Google español"},{"event_types":["start","end","error"],"gender":"female","lang":"es-US","remote":true,"voice_name":"Google español de Estados Unidos"},{"event_types":["start","end","error"],"gender":"female","lang":"fr-FR","remote":true,"voice_name":"Google français"},{"event_types":["start","end","error"],"gender":"female","lang":"hi-IN","remote":true,"voice_name":"Google हिन्दी"},{"event_types":["start","end","error"],"gender":"female","lang":"id-ID","remote":true,"voice_name":"Google Bahasa Indonesia"},{"event_types":["start","end","error"],"gender":"female","lang":"it-IT","remote":true,"voice_name":"Google italiano"},{"event_types":["start","end","error"],"gender":"female","lang":"ja-JP","remote":true,"voice_name":"Google 日本語"},{"event_types":["start","end","error"],"gender":"female","lang":"ko-KR","remote":true,"voice_name":"Google 한국의"},{"event_types":["start","end","error"],"gender":"female","lang":"nl-NL","remote":true,"voice_name":"Google Nederlands"},{"event_types":["start","end","error"],"gender":"female","lang":"pl-PL","remote":true,"voice_name":"Google polski"},{"event_types":["start","end","error"],"gender":"female","lang":"pt-BR","remote":true,"voice_name":"Google português do Brasil"},{"event_types":["start","end","error"],"gender":"female","lang":"ru-RU","remote":true,"voice_name":"Google русский"},{"event_types":["start","end","error"],"gender":"female","lang":"zh-CN","remote":true,"voice_name":"Google 普通话(中国大陆)"},{"event_types":["start","end","error"],"gender":"female","lang":"zh-HK","remote":true,"voice_name":"Google 粤語(香港)"},{"event_types":["start","end","error"],"gender":"female","lang":"zh-TW","remote":true,"voice_name":"Google 國語(臺灣)"}]},"version":"1.0"},"path":"C:\\Program Files\\Google\\Chrome\\Application\\144.0.7559.60\\resources\\network_speech_synthesis/mv3","preferences":{},"regular_only_preferences":{},"serviceworkerevents":["ttsEngine.onPause","ttsEngine.onResume","ttsEngine.onSpeak","ttsEngine.onStop"],"was_installed_by_default":false,"was_installed_by_oem":false},"mhjfbmdgcfjbbpaeojofohoefgiehjai":{"account_extension_type":0,"active_permissions":{"api":["contentSettings","fileSystem","fileSystem.write","metricsPrivate","tabs","resourcesPrivate","pdfViewerPrivate"],"explicit_host":["chrome://resources/*","chrome://webui-test/*"],"manifest_permissions":[],"scriptable_host":[]},"commands":{},"content_settings":[],"creation_flags":1,"disable_reasons":[],"events":[],"first_install_time":"13412914561107309","from_webstore":false,"incognito_content_settings":[],"incognito_preferences":{},"last_update_time":"13412914561107309","location":5,"manifest":{"content_security_policy":"script-src 'self' blob: filesystem: chrome://resources chrome://webui-test; object-src * blob: externalfile: file: filesystem: data:","description":"","incognito":"split","key":"MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQDN6hM0rsDYGbzQPQfOygqlRtQgKUXMfnSjhIBL7LnReAVBEd7ZmKtyN2qmSasMl4HZpMhVe2rPWVVwBDl6iyNE/Kok6E6v6V3vCLGsOpQAuuNVye/3QxzIldzG/jQAdWZiyXReRVapOhZtLjGfywCvlWq7Sl/e3sbc0vWybSDI2QIDAQAB","manifest_version":2,"mime_types":["application/pdf"],"mime_types_handler":"index.html","name":"Chrome PDF Viewer","offline_enabled":true,"permissions":["chrome://resources/","chrome://webui-test/","contentSettings","metricsPrivate","pdfViewerPrivate","resourcesPrivate","tabs",{"fileSystem":["write"]}],"version":"1","web_accessible_resources":["pdf_embedder.css"]},"path":"C:\\Program Files\\Google\\Chrome\\Application\\144.0.7559.60\\resources\\pdf","preferences":{},"regular_only_preferences":{},"was_installed_by_default":false,"was_installed_by_oem":false},"nkeimhogjdpnpccoofpliimaahmaaome":{"account_extension_type":0,"active_permissions":{"api":["processes","webrtcLoggingPrivate","system.cpu","enterprise.hardwarePlatform"],"explicit_host":[],"manifest_permissions":[],"scriptable_host":[]},"commands":{},"content_settings":[],"creation_flags":1,"disable_reasons":[],"events":["runtime.onConnectExternal"],"first_install_time":"13412914561107732","from_webstore":false,"incognito_content_settings":[],"incognito_preferences":{},"last_update_time":"13412914561107732","location":5,"manifest":{"background":{"page":"background.html","persistent":false},"externally_connectable":{"ids":["moklfjoegmpoolceggbebbmgbddlhdgp","ldmpofkllgeicjiihkimgeccbhghhmfj","denipklgekfpcdmbahmbpnmokgajnhma","kjfhgcncjdebkoofmbjoiemiboifnpbo","ikfcpmgefdpheiiomgmhlmmkihchmdlj","jlgegmdnodfhciolbdjciihnlaljdbjo","lkbhffjfgpmpeppncnimiiikojibkhnm","acdafoiapclbpdkhnighhilgampkglpc","hkamnlhnogggfddmjomgbdokdkgfelgg"],"matches":["https://*.meet.google.com/*"]},"incognito":"split","key":"MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQDAQt2ZDdPfoSe/JI6ID5bgLHRCnCu9T36aYczmhw/tnv6QZB2I6WnOCMZXJZlRdqWc7w9jo4BWhYS50Vb4weMfh/I0On7VcRwJUgfAxW2cHB+EkmtI1v4v/OU24OqIa1Nmv9uRVeX0GjhQukdLNhAE6ACWooaf5kqKlCeK+1GOkQIDAQAB","manifest_version":2,"name":"Google Hangouts","permissions":["enterprise.hardwarePlatform","processes","system.cpu","webrtcLoggingPrivate"],"version":"1.3.26"},"path":"C:\\Program Files\\Google\\Chrome\\Application\\144.0.7559.60\\resources\\hangout_services","preferences":{},"regular_only_preferences":{},"was_installed_by_default":false,"was_installed_by_oem":false},"nmmhkkegccagdldgiimedpiccmgmieda":{"account_extension_type":0,"ack_external":true,"active_bit":false,"active_permissions":{"api":["identity","webview"],"explicit_host":["https://payments.google.com/*","https://sandbox.google.com/*","https://www.google.com/*","https://www.googleapis.com/*"],"manifest_permissions":[],"scriptable_host":[]},"allowlist":1,"commands":{},"content_settings":[],"creation_flags":137,"cws-info":{"is-live":true,"is-present":true,"last-updated-time-millis":"1611820800000","no-privacy-practice":false,"unpublished-long-ago":false,"violation-type":0},"disable_reasons":[],"events":["app.runtime.onLaunched","runtime.onConnectExternal"],"first_install_time":"13412914563952922","from_webstore":true,"granted_permissions":{"api":["identity","webview"],"explicit_host":["https://payments.google.com/*","https://sandbox.google.com/*","https://www.google.com/*","https://www.googleapis.com/*"],"manifest_permissions":[],"scriptable_host":[]},"incognito_content_settings":[],"incognito_preferences":{},"last_update_time":"13412914563952922","lastpingday":"13412851200650013","location":10,"manifest":{"app":{"background":{"scripts":["craw_background.js"]}},"current_locale":"zh_CN","default_locale":"en","description":"Chrome 网上应用店付款系统","display_in_launcher":false,"display_in_new_tab_page":false,"icons":{"128":"images/icon_128.png","16":"images/icon_16.png"},"key":"MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQCrKfMnLqViEyokd1wk57FxJtW2XXpGXzIHBzv9vQI/01UsuP0IV5/lj0wx7zJ/xcibUgDeIxobvv9XD+zO1MdjMWuqJFcKuSS4Suqkje6u+pMrTSGOSHq1bmBVh0kpToN8YoJs/P/yrRd7FEtAXTaFTGxQL4C385MeXSjaQfiRiQIDAQAB","manifest_version":2,"minimum_chrome_version":"29","name":"Chrome 网上应用店付款系统","oauth2":{"auto_approve":true,"client_id":"203784468217.apps.googleusercontent.com","scopes":["https://www.googleapis.com/auth/sierra","https://www.googleapis.com/auth/sierrasandbox","https://www.googleapis.com/auth/chromewebstore","https://www.googleapis.com/auth/chromewebstore.readonly"]},"permissions":["identity","webview","https://www.google.com/","https://www.googleapis.com/*","https://payments.google.com/payments/v4/js/integrator.js","https://sandbox.google.com/payments/v4/js/integrator.js"],"update_url":"https://clients2.google.com/service/update2/crx","version":"1.0.0.6"},"path":"nmmhkkegccagdldgiimedpiccmgmieda\\1.0.0.6_0","preferences":{},"regular_only_preferences":{},"running":false,"was_installed_by_default":true,"was_installed_by_oem":false}}},"pinned_tabs":[],"prefs":{"preference_reset_time":"13412914561087189"},"prefs.tracked_preferences_reset":["schedule_to_flush_to_disk","pinned_tabs","extensions.settings.ahfgeienlihckogmohjhadlkjgocpleb","extensions.settings.fignfifoniblkonapihmkfakmlgkbkcf","extensions.settings.mhjfbmdgcfjbbpaeojofohoefgiehjai","extensions.settings.nkeimhogjdpnpccoofpliimaahmaaome","extensions.settings.nmmhkkegccagdldgiimedpiccmgmieda","prefs.preference_reset_time"],"protection":{"macs":{"account_values":{"browser":{"show_home_button":"06555C471C059CE841020371C0144E3D3582683F9645936DF49D57B8E31D36DA","show_home_button_encrypted_hash":"djEwxOUXRSUBtEhnXsPDp/nxlwcYZhAXDFwBuk7ekLYNqoPdYun06Njy67HC8SGvbkpmaQHtFLuNvWBL0uBt"},"extensions":{"ui":{"developer_mode":"DEACB077B1CC331EAF95C81A65F6E3CB844721382DB30B15A8308F6A29FAA54B","developer_mode_encrypted_hash":"djEw2vwanZfjPrs1t0wAjr5/hjf47WOWU5ZmdjQJgZwcaf+cC6JLKj3GNV1O+6Itm+/XVQR6vYUiKoR7Qkps"}},"homepage":"1D4626D2FB384384C32777F52FE0F137841D8EE0CA813B51238A624ACF80AE76","homepage_encrypted_hash":"djEwnU87EcXZ0op7081kWFiajQeKwjpx1NwwU/d9hR69dxyae/vE7mSszfCAH0lkWVKTPv0vHb6X2xSjU+m8","homepage_is_newtabpage":"079F48F7DAFCB866ED682E0E7045C6FFBDD5BCA3475941AB5FC7BB9163989895","homepage_is_newtabpage_encrypted_hash":"djEwVoagjgWFWOgvrsJlJpmPtlVwht7SQBcfH/mCsfHYtz5Q8Mawukyc4Ct+fezmhZ5HUDGhS4/umvPul6KM","session":{"restore_on_startup":"230B6C6302ACFCF8740B68360EBC5C90C53A99A338450751BA6C3143E7E76A5B","restore_on_startup_encrypted_hash":"djEwUXi7qvF3BvK9U+Xgk6G/iTZ4Lpe28M6aHQ0/6VLCvFbRyzY9jOcO2m/quwjRFwFIfowlUmjM9kA5RlgM","startup_urls":"944503FDE4F6F501EAF1D78CB1ACB05B4AAF69C0AA1F062B40F914A845FF844D","startup_urls_encrypted_hash":"djEwyzZ6rma6JwNTdIs530klKI7PEEijl6IGWyrX8HjBM7n+gFYlO++hiwIAFYOerjpOmcIqhxBQf9oqj8z0"}},"browser":{"show_home_button":"47981928E0BB09077902E5FDD7BC0D5363FE198F9EECF5ACE92461C66DDCA10D","show_home_button_encrypted_hash":"djEw0/4YtDu5IpiMPE6TqkZNwEk+EGWvpcbxksWqEdjJ3MEWcPFiDRORu+AkR45C4GaUDL2Iks7SZghO0BFN"},"default_search_provider_data":{"template_url_data":"4936C7B25DAF2EEDED7079E4381CC419CEC0774F5EE7BA229891AA1BF8C27BBF","template_url_data_encrypted_hash":"djEw+ceeHi7kovYHMb/vffW2hVMc+Pm3omGCdL41iIUJy8Zh48sGJWy+N8hG+CfpAnUH6cc6rj1S3kjzo5P/"},"enterprise_signin":{"policy_recovery_token":"3D9A4374DDD8A9FF623AC209BCF19C1BB9652BAAFCA6C55346BD0B06EFB8D95E","policy_recovery_token_encrypted_hash":"djEwsXtlpXyS5cwOpHlpWxNG+RHYeTRP2kcNtP9PBALcujMIZZb0BXptOwuwPrSWl+0A4NrH39NUrK0sUTnB"},"extensions":{"install":{"initiallist":"7879DC5A6F3768AB7C4E0A2F61F84E78B9966E8F268EC7ED9C080396F3A3C298","initiallist_encrypted_hash":"djEwyZlSuPEWJM5vOTodNpTVymQHQ6WH1LIRVC86Ikl148EKd7v8L3cJSMFphqteeYAqpgXQxlvCxRIk7kWQ","initialprovidername":"158810F2717BE14A79C1F3207502B83A22CDFCFF9AD770991F99EABE45814F86","initialprovidername_encrypted_hash":"djEwKsp4dLrBCh+9aySd5mflCJr9iuhVNa2ss9c/257CzK53aj1xygdlG3OOPPwtuqn2SoTNYEhW+CJBC+yh"},"settings":{"ahfgeienlihckogmohjhadlkjgocpleb":"BD3217DE3C9CA3F94B7B4A7C18F442CEDC464C9CD9ED69EA149F33A7A7AEB8FE","fignfifoniblkonapihmkfakmlgkbkcf":"6DCAB340832FE90010E7CF4AC82654F9EEDCB769D2BE6EE5EB5CED8A2381F056","mhjfbmdgcfjbbpaeojofohoefgiehjai":"2C2EE707E603E9E0BCE272C9164F2C9256FCCE3D8665D4DE070A31C3C354C7F8","nkeimhogjdpnpccoofpliimaahmaaome":"45759FC1E46F6F3E07A4FC2523EC3BDFE999FD4E9029BB36A39D444963A8EB30","nmmhkkegccagdldgiimedpiccmgmieda":"7D5FFD7B947F231D530CD6F9E69E75CD60A05448B5047CEDA712DCAA57F96A7B"},"settings_encrypted_hash":{"ahfgeienlihckogmohjhadlkjgocpleb":"djEwdqC2/JL4STdgBNQfP42g56HTHq8GYEwAvMU1gwyDxp/EHN8V+TOn7ggdccGja0cr/XOgAthoaEIt+C9R","fignfifoniblkonapihmkfakmlgkbkcf":"djEwJGPsxYi5P8PYzfPrsDkfjlOBefzeYIwa1Pvuye086HY2+uoq6fQLRJgo/zL56ZKbSQmhur/bdttgPFG1","mhjfbmdgcfjbbpaeojofohoefgiehjai":"djEwpFg2f5ut3eOyAsUh3PW2AU29vt2ITgEw6axazzmmgdNu2nyrh6WEuf0UJ7CEGXxccYRqNELPQbSUnH2Y","nkeimhogjdpnpccoofpliimaahmaaome":"djEwxrJ/GCLLbI+LXPAgq4fI+saO1i/BuKIeDAfQFRqpL/MXm/BLcPZnefj7xj6hNPlvV/KiRn31o/aM3vFa","nmmhkkegccagdldgiimedpiccmgmieda":"djEwegXQhLGmvHgVbFGcrV8rvS8UCGpHEScwocfN2YgTBXrbhWSuDA1bLasjSehXOBSPm9jYPrHXj95iw9/9"},"ui":{"developer_mode":"EA94038452796DF1D64EEE3BF8CFF63C4454C64D577FC5B09AF2050830578D74","developer_mode_encrypted_hash":"djEwGG1y8iPos1q8mLLSBAJV5rD1BDQ+a32/E+qYDiXzoWUMznLPuB0KB0gKt4auJuq5T5eI2Tz7T5TmVr1K"}},"google":{"services":{"account_id":"B3308413F1E91D94B3F8FAAA6A1F2F72AB200D3C51FA4DF3A04906F122AC2468","account_id_encrypted_hash":"djEwEQNZubxkUYTs37iiPD1EH4OIHqSeGtHWYTOjfRJCV8LzSlSvWpG30wuy9VIxGEGEFUXN2WqrqDpZ/vXy","last_signed_in_username":"D4162CDB52E261FF3CF25E2FEBB092248766098D0E2EA61B673F0029F99FB221","last_signed_in_username_encrypted_hash":"djEw0toJw+6ciXp3pP7/9PpSFbkcYd9xJpnA91jtMTRIU3gtGN+7r6TpcG+7VyL3iVMfEDhHDphFAet4UYB1","last_username":"D56CAA9643356A5684F1F045CA0B78D60A383502395A4CEC83C20507CEC43127","last_username_encrypted_hash":"djEwL3Q6Y1L2azgFbDdUgFtmqw0VBkHcX/KSFVLdPvvspYIMYxCYXOVlyTS3jGwZRNj0XqcHtIO236p7F6KU"}},"homepage":"A94F2EB509B034A858C3C14AEF28EB5476EE029BE02DCF2BC6D2A06A5D0BD7D0","homepage_encrypted_hash":"djEwJKUhJKUzQ6Mwh3Ka1t12z0wkQGKMZX9n9sBM8be+DSzERgMNlLUA3nRmuqjA/qX9irWH0rVVO0W7Gamj","homepage_is_newtabpage":"F578698D5B4C0B0D00113897582774EFABF45856E23B4F8FE08A73D7E41A99F2","homepage_is_newtabpage_encrypted_hash":"djEwoXEGj1Hi7Xg4iDFb+KTUGTZGS0rQShu4NM+4HrCZmdK/vPh1N2iVU5UsBR8Jzxi/umVynKitECSCTK8g","media":{"cdm":{"origin_data":"151F0C176AE2BC5E4809AD3CCF7265235EB9C4ED3D210CA2A93DF45F50E851FE","origin_data_encrypted_hash":"djEwtl1OkDADLWHtVzion783BXzNIQKB4LLITGa+jb59pqoxs1kyN55YJe7nNNLNsL3HU7AnRA2dNuV1PdLI"},"storage_id_salt":"BF83862241FBE986F88D21447D377CAE637C458CDF1406C9FC8810E15004AE42","storage_id_salt_encrypted_hash":"djEwyqVey8OU4OSwIMo28twOFwXJypvuarNOVvjeOkyhZybhqY6BpwRps+bYfeB3gRxrMFv+DXsA5n293KT8"},"pinned_tabs":"03F8C19C105CAD892DFB752D1047E6EEE188BD9BD7A8685ACE845AE32BBFDA38","pinned_tabs_encrypted_hash":"djEwzwfs3lSrTdDR9eP7hldmqKOten0qcwpko5MJxNFIhC0aKzVtc2/OFWWhgex09dRcp5DZfqwHTSgcjokx","prefs":{"preference_reset_time":"47C46590102C44772DD83BAF21C966B3F41B5125549613DF59C6BCDC74249CC4","preference_reset_time_encrypted_hash":"djEwknvWYdLitlquBvGRh9q8PKQMJ54bjn1md0oLKz1DLiwW30t4LpdOzhMi+MysQm8ItPnZ9MwYjZdhVsKp"},"safebrowsing":{"incidents_sent":"4023E208BFA8E6F540319A869316260BF9237C6E09784510B3E07199FAC35A29","incidents_sent_encrypted_hash":"djEwEl2eG/KiE1OJnaUgRPjJKxYYBOp+Ij7GtLNSAiUzxSTp9dUsIegq5KKDBlzui7K9CYI4l8OSfgqQLg12"},"schedule_to_flush_to_disk":"3AC80ED1995B83278D466E30ED65D7DCDA4293A6BB5752D5DAE46A77008B60B2","schedule_to_flush_to_disk_encrypted_hash":"djEwAlI2VsztRpcFgL02WM5Q0sSI5+D1tH9WpAxPhpByX9zWqmufqL2mPZXB4zMDYlYboQE0y727P2GyNQv7","search_provider_overrides":"8DFB8D8A9CA42E85018DE98F6455934881AA47C7978B5829F199ADCF5169B8B9","search_provider_overrides_encrypted_hash":"djEwhN/EFdacHoBSM9Khnh4ogodGUOIvuWZTuXAT2+ZD5VfOC/iptXSGdoTBS8ZYhQRvA1bZBz8VMdbY4o69","session":{"restore_on_startup":"3BEA8F56919B4F92B36160D47DA0E84359E7AFBFF6C67A719295E09FC3143629","restore_on_startup_encrypted_hash":"djEw/MrwrCegsYoZy2V31tQ03FF1Ta1Efwp3vOvotaIrnY08spxyrhHE3r0k1VaGaCnDzBvMfqfqYE9qhKAm","startup_urls":"52694D72BB03A8BDD25D63920FF5D0DB5F0580114F93C70E624C3CE579396A6F","startup_urls_encrypted_hash":"djEwszLZzxjRErTHLtscy775PT1riy/MFfVmDVLHC1Yo6fHpeQGCcOrIsK9IyGyUMFM/hvng74bd/K3m4zt3"}},"super_mac":"B247CAAECCB31F51A1BEBA91171507FBE354B3E85ECC92561FB3F8031796F19D"},"schedule_to_flush_to_disk":"13412920031539855"} \ No newline at end of file +{"extensions":{"settings":{"ahfgeienlihckogmohjhadlkjgocpleb":{"account_extension_type":0,"active_permissions":{"api":["management","system.display","system.storage","webstorePrivate","system.cpu","system.memory","system.network"],"explicit_host":[],"manifest_permissions":[],"scriptable_host":[]},"app_launcher_ordinal":"t","commands":{},"content_settings":[],"creation_flags":1,"disable_reasons":[],"events":[],"first_install_time":"13412956410560912","from_webstore":false,"incognito_content_settings":[],"incognito_preferences":{},"last_update_time":"13412956410560912","location":5,"manifest":{"app":{"launch":{"web_url":"https://chrome.google.com/webstore"},"urls":["https://chrome.google.com/webstore"]},"description":"查找适用于Google Chrome的精彩应用、游戏、扩展程序和主题背景。","icons":{"128":"webstore_icon_128.png","16":"webstore_icon_16.png"},"key":"MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQCtl3tO0osjuzRsf6xtD2SKxPlTfuoy7AWoObysitBPvH5fE1NaAA1/2JkPWkVDhdLBWLaIBPYeXbzlHp3y4Vv/4XG+aN5qFE3z+1RU/NqkzVYHtIpVScf3DjTYtKVL66mzVGijSoAIwbFCC3LpGdaoe6Q1rSRDp76wR6jjFzsYwQIDAQAB","name":"应用商店","permissions":["webstorePrivate","management","system.cpu","system.display","system.memory","system.network","system.storage"],"version":"0.2"},"needs_sync":true,"page_ordinal":"n","path":"C:\\Program Files\\Google\\Chrome\\Application\\144.0.7559.60\\resources\\web_store","preferences":{},"regular_only_preferences":{},"was_installed_by_default":false,"was_installed_by_oem":false},"fignfifoniblkonapihmkfakmlgkbkcf":{"account_extension_type":0,"active_permissions":{"api":["metricsPrivate","systemPrivate","ttsEngine","offscreen"],"explicit_host":["https://www.google.com/*"],"manifest_permissions":[],"scriptable_host":[]},"commands":{},"content_settings":[],"creation_flags":1,"disable_reasons":[],"first_install_time":"13412956410562183","from_webstore":false,"incognito_content_settings":[],"incognito_preferences":{},"last_update_time":"13412956410562183","location":5,"manifest":{"background":{"service_worker":"service_worker.js"},"description":"Component extension providing speech via the Google network text-to-speech service.","host_permissions":["https://www.google.com/"],"key":"MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA5mnqF6oM8Q5tYd7YqL40YL7Keftt4PwydehlNOyNlCiWDM/7SiQYwxYvVHMj1i03z7B5lZXQinrcqhHhoIgcSHK1JrdzVSJxPRVdmV0rJLv0KQgmVwL8p8MfN6SmHs+72xz+1GoRWpd0WlHMil7RzGKJA4Ku+9jxxsXoxes9eeV1hCavkb1dSF+mlQbaNiw7u1hhvc5mmeuEcWjoce8r8B2R4wmnGbuTLfoSchZ6jkasynmOaFxyT4jiYDYgrNtWRTQ/9PuPduJ+uBWVT/o2ZhDK2XcywVwzUfYIXDLDblK+YdZi8w8ZBNvc7hP9/iZr6/eoUpfsLa8qlJgyLBQebwIDAQAB","manifest_version":3,"name":"Google Network Speech","permissions":["metricsPrivate","offscreen","systemPrivate","ttsEngine"],"tts_engine":{"voices":[{"event_types":["start","end","error"],"gender":"female","lang":"de-DE","remote":true,"voice_name":"Google Deutsch"},{"event_types":["start","end","error"],"gender":"female","lang":"en-US","remote":true,"voice_name":"Google US English"},{"event_types":["start","end","error"],"gender":"female","lang":"en-GB","remote":true,"voice_name":"Google UK English Female"},{"event_types":["start","end","error"],"gender":"male","lang":"en-GB","remote":true,"voice_name":"Google UK English Male"},{"event_types":["start","end","error"],"gender":"female","lang":"es-ES","remote":true,"voice_name":"Google español"},{"event_types":["start","end","error"],"gender":"female","lang":"es-US","remote":true,"voice_name":"Google español de Estados Unidos"},{"event_types":["start","end","error"],"gender":"female","lang":"fr-FR","remote":true,"voice_name":"Google français"},{"event_types":["start","end","error"],"gender":"female","lang":"hi-IN","remote":true,"voice_name":"Google हिन्दी"},{"event_types":["start","end","error"],"gender":"female","lang":"id-ID","remote":true,"voice_name":"Google Bahasa Indonesia"},{"event_types":["start","end","error"],"gender":"female","lang":"it-IT","remote":true,"voice_name":"Google italiano"},{"event_types":["start","end","error"],"gender":"female","lang":"ja-JP","remote":true,"voice_name":"Google 日本語"},{"event_types":["start","end","error"],"gender":"female","lang":"ko-KR","remote":true,"voice_name":"Google 한국의"},{"event_types":["start","end","error"],"gender":"female","lang":"nl-NL","remote":true,"voice_name":"Google Nederlands"},{"event_types":["start","end","error"],"gender":"female","lang":"pl-PL","remote":true,"voice_name":"Google polski"},{"event_types":["start","end","error"],"gender":"female","lang":"pt-BR","remote":true,"voice_name":"Google português do Brasil"},{"event_types":["start","end","error"],"gender":"female","lang":"ru-RU","remote":true,"voice_name":"Google русский"},{"event_types":["start","end","error"],"gender":"female","lang":"zh-CN","remote":true,"voice_name":"Google 普通话(中国大陆)"},{"event_types":["start","end","error"],"gender":"female","lang":"zh-HK","remote":true,"voice_name":"Google 粤語(香港)"},{"event_types":["start","end","error"],"gender":"female","lang":"zh-TW","remote":true,"voice_name":"Google 國語(臺灣)"}]},"version":"1.0"},"path":"C:\\Program Files\\Google\\Chrome\\Application\\144.0.7559.60\\resources\\network_speech_synthesis/mv3","preferences":{},"regular_only_preferences":{},"serviceworkerevents":["ttsEngine.onPause","ttsEngine.onResume","ttsEngine.onSpeak","ttsEngine.onStop"],"was_installed_by_default":false,"was_installed_by_oem":false},"mhjfbmdgcfjbbpaeojofohoefgiehjai":{"account_extension_type":0,"active_permissions":{"api":["contentSettings","fileSystem","fileSystem.write","metricsPrivate","tabs","resourcesPrivate","pdfViewerPrivate"],"explicit_host":["chrome://resources/*","chrome://webui-test/*"],"manifest_permissions":[],"scriptable_host":[]},"commands":{},"content_settings":[],"creation_flags":1,"disable_reasons":[],"events":[],"first_install_time":"13412956410561408","from_webstore":false,"incognito_content_settings":[],"incognito_preferences":{},"last_update_time":"13412956410561408","location":5,"manifest":{"content_security_policy":"script-src 'self' blob: filesystem: chrome://resources chrome://webui-test; object-src * blob: externalfile: file: filesystem: data:","description":"","incognito":"split","key":"MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQDN6hM0rsDYGbzQPQfOygqlRtQgKUXMfnSjhIBL7LnReAVBEd7ZmKtyN2qmSasMl4HZpMhVe2rPWVVwBDl6iyNE/Kok6E6v6V3vCLGsOpQAuuNVye/3QxzIldzG/jQAdWZiyXReRVapOhZtLjGfywCvlWq7Sl/e3sbc0vWybSDI2QIDAQAB","manifest_version":2,"mime_types":["application/pdf"],"mime_types_handler":"index.html","name":"Chrome PDF Viewer","offline_enabled":true,"permissions":["chrome://resources/","chrome://webui-test/","contentSettings","metricsPrivate","pdfViewerPrivate","resourcesPrivate","tabs",{"fileSystem":["write"]}],"version":"1","web_accessible_resources":["pdf_embedder.css"]},"path":"C:\\Program Files\\Google\\Chrome\\Application\\144.0.7559.60\\resources\\pdf","preferences":{},"regular_only_preferences":{},"was_installed_by_default":false,"was_installed_by_oem":false},"nkeimhogjdpnpccoofpliimaahmaaome":{"account_extension_type":0,"active_permissions":{"api":["processes","webrtcLoggingPrivate","system.cpu","enterprise.hardwarePlatform"],"explicit_host":[],"manifest_permissions":[],"scriptable_host":[]},"commands":{},"content_settings":[],"creation_flags":1,"disable_reasons":[],"events":["runtime.onConnectExternal"],"first_install_time":"13412956410561869","from_webstore":false,"incognito_content_settings":[],"incognito_preferences":{},"last_update_time":"13412956410561869","location":5,"manifest":{"background":{"page":"background.html","persistent":false},"externally_connectable":{"ids":["moklfjoegmpoolceggbebbmgbddlhdgp","ldmpofkllgeicjiihkimgeccbhghhmfj","denipklgekfpcdmbahmbpnmokgajnhma","kjfhgcncjdebkoofmbjoiemiboifnpbo","ikfcpmgefdpheiiomgmhlmmkihchmdlj","jlgegmdnodfhciolbdjciihnlaljdbjo","lkbhffjfgpmpeppncnimiiikojibkhnm","acdafoiapclbpdkhnighhilgampkglpc","hkamnlhnogggfddmjomgbdokdkgfelgg"],"matches":["https://*.meet.google.com/*"]},"incognito":"split","key":"MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQDAQt2ZDdPfoSe/JI6ID5bgLHRCnCu9T36aYczmhw/tnv6QZB2I6WnOCMZXJZlRdqWc7w9jo4BWhYS50Vb4weMfh/I0On7VcRwJUgfAxW2cHB+EkmtI1v4v/OU24OqIa1Nmv9uRVeX0GjhQukdLNhAE6ACWooaf5kqKlCeK+1GOkQIDAQAB","manifest_version":2,"name":"Google Hangouts","permissions":["enterprise.hardwarePlatform","processes","system.cpu","webrtcLoggingPrivate"],"version":"1.3.26"},"path":"C:\\Program Files\\Google\\Chrome\\Application\\144.0.7559.60\\resources\\hangout_services","preferences":{},"regular_only_preferences":{},"was_installed_by_default":false,"was_installed_by_oem":false},"nmmhkkegccagdldgiimedpiccmgmieda":{"account_extension_type":0,"ack_external":true,"active_bit":false,"active_permissions":{"api":["identity","webview"],"explicit_host":["https://payments.google.com/*","https://sandbox.google.com/*","https://www.google.com/*","https://www.googleapis.com/*"],"manifest_permissions":[],"scriptable_host":[]},"allowlist":1,"commands":{},"content_settings":[],"creation_flags":137,"disable_reasons":[],"events":["app.runtime.onLaunched","runtime.onConnectExternal"],"first_install_time":"13412956414754757","from_webstore":true,"granted_permissions":{"api":["identity","webview"],"explicit_host":["https://payments.google.com/*","https://sandbox.google.com/*","https://www.google.com/*","https://www.googleapis.com/*"],"manifest_permissions":[],"scriptable_host":[]},"incognito_content_settings":[],"incognito_preferences":{},"last_update_time":"13412956414754757","lastpingday":"13412937601084450","location":10,"manifest":{"app":{"background":{"scripts":["craw_background.js"]}},"current_locale":"zh_CN","default_locale":"en","description":"Chrome 网上应用店付款系统","display_in_launcher":false,"display_in_new_tab_page":false,"icons":{"128":"images/icon_128.png","16":"images/icon_16.png"},"key":"MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQCrKfMnLqViEyokd1wk57FxJtW2XXpGXzIHBzv9vQI/01UsuP0IV5/lj0wx7zJ/xcibUgDeIxobvv9XD+zO1MdjMWuqJFcKuSS4Suqkje6u+pMrTSGOSHq1bmBVh0kpToN8YoJs/P/yrRd7FEtAXTaFTGxQL4C385MeXSjaQfiRiQIDAQAB","manifest_version":2,"minimum_chrome_version":"29","name":"Chrome 网上应用店付款系统","oauth2":{"auto_approve":true,"client_id":"203784468217.apps.googleusercontent.com","scopes":["https://www.googleapis.com/auth/sierra","https://www.googleapis.com/auth/sierrasandbox","https://www.googleapis.com/auth/chromewebstore","https://www.googleapis.com/auth/chromewebstore.readonly"]},"permissions":["identity","webview","https://www.google.com/","https://www.googleapis.com/*","https://payments.google.com/payments/v4/js/integrator.js","https://sandbox.google.com/payments/v4/js/integrator.js"],"update_url":"https://clients2.google.com/service/update2/crx","version":"1.0.0.6"},"path":"nmmhkkegccagdldgiimedpiccmgmieda\\1.0.0.6_1","preferences":{},"regular_only_preferences":{},"running":true,"was_installed_by_default":true,"was_installed_by_oem":false}}},"pinned_tabs":[],"prefs":{"preference_reset_time":"13412956410534960"},"prefs.tracked_preferences_reset":["schedule_to_flush_to_disk","pinned_tabs","extensions.settings.ahfgeienlihckogmohjhadlkjgocpleb","extensions.settings.fignfifoniblkonapihmkfakmlgkbkcf","extensions.settings.mhjfbmdgcfjbbpaeojofohoefgiehjai","extensions.settings.nkeimhogjdpnpccoofpliimaahmaaome","extensions.settings.nmmhkkegccagdldgiimedpiccmgmieda","prefs.preference_reset_time"],"protection":{"macs":{"account_values":{"browser":{"show_home_button":"65ED73E081B1D8FDA0357DC972A3088DA64FCAE9A6996286B6B4B01B63AB80AC","show_home_button_encrypted_hash":"djEwusN0sD3H10ocVd9kunXLUPpNjHfEgdU/VXT/0PEbUfn449qpeOgAVhSr5kO4pquMzgKMyt17vVrWWtli"},"extensions":{"ui":{"developer_mode":"0A4955CEDBA0816A727CE48EE8BE5CC3B45D66E643D01F54D2DF0A2945A0859D","developer_mode_encrypted_hash":"djEwqOpVjuWHAXdLGwodYhcF0Tmh7zC73u/ceObl4XWrGGoQN+mpu2LA5xkEsX4p7HT0g0jgy9+jX2Opk4Xa"}},"homepage":"D6EDDAF6373C823AA29475CC96A803381DB238F0531A20B0E86EFA8217E2CF81","homepage_encrypted_hash":"djEwRfEEsWi/rDCxp8/y7BfRPpAQ07LmmiFw2ck0/WgNX5p6FCYcayejf4tPX5wz74GYh8vwwqXV77zGizt2","homepage_is_newtabpage":"C5438B04CFE5CD769CB2D405051E6B17011C2BC0A297C5FFB37916153BF78FDE","homepage_is_newtabpage_encrypted_hash":"djEw+rIiORneth14jk+9mvJiqz5vkHW8k3g8DX3bh2uFk7zVu88KuMKls1QtV3bN0zxmCuNdnLBDgWmz3zd+","session":{"restore_on_startup":"3DBAEC252965895955428A29E39CE2AD5BFE24E1C3FFAFDCA526912A79EED978","restore_on_startup_encrypted_hash":"djEwEnJTgNycf15AeEgtfVwb5WIeUkqaFmWbaYZw0HrEoD/nyArh7ddORDoKSkboZGlCuQvkDjHvdBkVd+ri","startup_urls":"96FDF2A9AFF4D48021355F03395D535EAC2F4C3A8E27D52D32F56D29C5A8BC66","startup_urls_encrypted_hash":"djEwwyef4W83PEs8mWMH9H7FYrMTUbfhvVckuWqpnKqffQ2d31zvMBejYs7D6Z41zI4yjaaulQxXn/TcGj0K"}},"browser":{"show_home_button":"D2AAF0A588E11BA1626A023E2789FB596791137D9A95D9FAD3415417BD7AE08E","show_home_button_encrypted_hash":"djEw1if9Le08pjYJ5KLImrz2sEkh0uBTX7MLPE5ecuclpAYvLCowrzLGDN1b4LqL6XKHwH2/UoQz/xOYaqrf"},"default_search_provider_data":{"template_url_data":"8798BA6CC90D0B4FF1777DE9DDE98EA4AC6880DA2165B36B697C8F17F6FC07CF","template_url_data_encrypted_hash":"djEwEFPTDxz1FEqdLy1LiuXdHbFz8vmhB9xgIAEZ1b8vcNlh4tsjblIHsEe5yAk2z745bp8AUiLHc9TIu54J"},"enterprise_signin":{"policy_recovery_token":"BD1B2AE5206E8A40E4440D972730CE79051E95B6989413D6C3D55B06AB25BBCE","policy_recovery_token_encrypted_hash":"djEwT5Q7EKsZ6+gvA3oRD6JjOfaa4wYia4Zz/l/u8SNEqB7yBCZIFeUEg8fpWVWFE5EdjedLv11JMMxzTktj"},"extensions":{"install":{"initiallist":"CC698C304E040C85C2997D8CB875DFD58AE560960D2FDD44638787B067AEF55D","initiallist_encrypted_hash":"djEwRcHAwLVV+Nrc9raZq0+7H1dunfsGtFieSNh4yO8Etzu5QH7eiNh69GC7L6WvSL5DtGTxPt/Umtjz9UZg","initialprovidername":"9F313D722233D28D280DB416025F54A1CA5A9043CDCF0D97AC65AA7A4834AAE9","initialprovidername_encrypted_hash":"djEwpZ32bpuEl/ohcZGLIrfdBjkda/akGCt+UBv40xt3MI2lhlgCcMqqsKxV4EfcgQwFSo493MoRwWwEKVmz"},"settings":{"ahfgeienlihckogmohjhadlkjgocpleb":"618EF828248F0536B9D5C00462639735FEEFD62B38E4E6E029F5D626FC2CA0FE","fignfifoniblkonapihmkfakmlgkbkcf":"FDF3043243D3663CBFB91C3547721035D69A0BDD8CED1561864F27E7046CFEE7","mhjfbmdgcfjbbpaeojofohoefgiehjai":"EF443F3281586C80E1CA80F0F3B1E63845334634EADF87B3FEDF23CD67A11E5F","nkeimhogjdpnpccoofpliimaahmaaome":"5A22BCCB5686322430026485BE9F74E34268D0414B01C4116B3F758EC0B55E6C","nmmhkkegccagdldgiimedpiccmgmieda":"8ABA09C5ECE207E1B37F65C2ADF8012762BF4DA0DC5E23D210598E1602943E2F"},"settings_encrypted_hash":{"ahfgeienlihckogmohjhadlkjgocpleb":"djEw9P/xLZ1e2nlE4yMZGJrLDScEk1ytTfw1Ery32AEP/AlzB8TUWkS/1YKP7/mSBjw4g8NtU9N/Scixascn","fignfifoniblkonapihmkfakmlgkbkcf":"djEwTmRHrLfTn65HO3elAut4g+ylL8CRWJHPzT1mwNJE1pPiPDIPNorhwgxyOw6CTrgA/SlJ4vK06ysIeBue","mhjfbmdgcfjbbpaeojofohoefgiehjai":"djEwmNQOhBqrPydhxJtNh+DjRlzrrcWyfXHAlR9YM8ibR/4xvGhkNvT92cloOJSkzNHtEadJ0AEYcNYYL8aM","nkeimhogjdpnpccoofpliimaahmaaome":"djEwa5YsWdR0BPDQOS1n2g8eBHDV1uFRbq5fwglyVcAEztxkf1JZ5cC0a8JXrG1v2QCVRXdKXjUthpEE2zOg","nmmhkkegccagdldgiimedpiccmgmieda":"djEwBWwjHvNmUy+uh4kY71MdHRQ1ggbAX9/7oc79JWFhwDoqe/7AwOeVl9Vgn+aaX6lkVF8uoyFjHvbwo7k9"},"ui":{"developer_mode":"0FC57253A45CE2720BBF9D118D0DE6DEEC224F22B1989C126A8E0968FEE0560A","developer_mode_encrypted_hash":"djEwWludwUV/nwi9W+0fqVJABrfq1/8msLKfWX4oEuzLVqiuJHYtwT8IpuJxQXvHwGVY1oCrkPZQpo29qA5t"}},"google":{"services":{"account_id":"AA976FB189953471FCAD76C2BFFCA03B8A2A377EB2E12441AA231CAB41FC1E25","account_id_encrypted_hash":"djEwkLlrBTzCR/QFXENwog2EW1UNPbNMtvy5eGqFUhynG0ePmZOzONgAbDBVnzjQ0CQLuE4qxnDzJ635RrU9","last_signed_in_username":"0A61D566C6D0D5666B2B90D7C0284B7B843B517BE2A3A4284DFEC5395D52E0A1","last_signed_in_username_encrypted_hash":"djEwyyHUorE2v7AIftNf5dp/QkRdWhMD9VEBD1BKyE7WVpul5XGfM4s9u4+FomnJSA27INmvUkBVp4fD9S+W","last_username":"557B7212DF7F70C6373C4ADDB0F170CF732B40954A1EBABCDD5B077E8306F613","last_username_encrypted_hash":"djEw2Yn6PcxwU0LS2qWSJBYWuj6k6aUs2VqAZKbDHstntCgwX+zQIcLM868GFA6sxfe5HhGoAE5Kb71A92Cv"}},"homepage":"B58C97FA8E521C9CE62036CEAB1662A49A1876777F2BD026180DF144DFA9AC79","homepage_encrypted_hash":"djEwfn6Z1jnU8Hs4ZHZE5GkgU+H/2sBAjTtc38xLwcfgnwoPbijZAQVrtYeX/hFdixAqyzDd7P7gkDVnqE25","homepage_is_newtabpage":"4FC3828FFCE41428EAAC27EC0C58E42D7ED53003ECE8177A98F260DCE00134B2","homepage_is_newtabpage_encrypted_hash":"djEw2X0FTetFxMU1t4StJBKmaJq2vH7w8qq8+6IOKfM/Scx4gQwPLReklMMRG19kzd23xUBuCPvkAeMEWa3x","media":{"cdm":{"origin_data":"00EAC11475A294DACF06CC12B3696F7C3C34034AB6772065C770D2E7904ED46A","origin_data_encrypted_hash":"djEwn+tMaoKfvAJ9QW3dcL1lam4Hs2TtwC6IDaX7F2Mc4hW61M8tIKhNLKeukcY9UyIkHkGEhgQuHFG/azPB"},"storage_id_salt":"04AF4AA5CA97BC0A884D0272D923FB1C572E5A7911B5B4562E0E9E412E17E5A7","storage_id_salt_encrypted_hash":"djEwEoqlCYzuE0frfirWlhq4OSh/h0DXKBhVLjpqEAPYWbSqIpYEqHxF5eq7cJSlRIfKUIAKo2b6lIVj4tJt"},"pinned_tabs":"02E826FEC2682911F9EE32079A54F98B785C20CB64C6E19952DE4A9FD57EC2ED","pinned_tabs_encrypted_hash":"djEwvVzJHvOdBYnNufxjgL9cdVsNb/Qn+tMxovu9mnlOksR1vgYuLtg1FeH4tyKYvwN/D8fCnu9mPP4o5iO4","prefs":{"preference_reset_time":"1485B15E2E98829C3A2D27253F7F95F64FA6DD69F8DE48BF66F1F1EEB6FDD945","preference_reset_time_encrypted_hash":"djEwldDxJkZy3/2GSWo0NbeoGHlJzMJG5cknKmmwXIAsxaED03nTA/hV4kHb80JHIk9XpTtRM742401/e0D/"},"safebrowsing":{"incidents_sent":"09D9B2E5037F8EB1AD67473458F1FDF31AE00CA0DE973A5EE3DE9C6637E04244","incidents_sent_encrypted_hash":"djEwcqpbC2MilyExLjfZye+k0NgjViPMVQbm2l+FMjWorTRd3ypGfTJess3sdldPPnDBeJnQfF+T7SBD1Y55"},"schedule_to_flush_to_disk":"0886D5CA9869E1D63B6A8D9F472DA9D5701A7C335608A0A8C2F6BDE3689673F5","schedule_to_flush_to_disk_encrypted_hash":"djEwTy6lwHWGhDNuyMDa3/djy9jlABD4f7x+21jO9aFfIlf4uZRW2/qABHNoUSkacacpx9eEjPqu/LPFAGCE","search_provider_overrides":"67E1E7087F57258299FA41F39F9715BD029475A7A9FDD77FDC48471CB610A89D","search_provider_overrides_encrypted_hash":"djEwtqZ20phhSQNi/cjDhXJQ9G9qthwL/14EzmL0UGFIGP6ftZWSvtlgEV77G2itND96VrbZvgu7fzLfORJc","session":{"restore_on_startup":"FA749A2FCFB28EA98B1E2E51C23E131F96224115AF6B729A732B1E30EE61DF85","restore_on_startup_encrypted_hash":"djEwQpkym3gmAccMr9NYOi3E6y+oesaJjCgfNFmEKwT/RAIQ84u6xf71wzkJIzevllbtlM/JhqKjXQpmNvYT","startup_urls":"9DF688DFDA4CC38C9ED35B34A1FE34559F24CEE1419356A24EB0B5EF7265E94C","startup_urls_encrypted_hash":"djEwz4GKkHjIe8wuGmZjKA4Cn+hcA+3nco2ilkvbnqLMQjrZoW5Qlc15otbD1MTR6RYRBByHD+OvvdCQJjqK"}},"super_mac":"342D27A0A01FBECD5AD25866132C8D4D1C672ECD1F4242BA2900C0F150EFF7EF"},"schedule_to_flush_to_disk":"13412958277310228"} \ No newline at end of file diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/1710f0f7-9ca2-4156-988f-20f4d2fcfafa/738f787e4dc2eb85_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/1710f0f7-9ca2-4156-988f-20f4d2fcfafa/738f787e4dc2eb85_0 new file mode 100644 index 0000000..8e7d8e5 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/1710f0f7-9ca2-4156-988f-20f4d2fcfafa/738f787e4dc2eb85_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/1710f0f7-9ca2-4156-988f-20f4d2fcfafa/index-dir/the-real-index b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/1710f0f7-9ca2-4156-988f-20f4d2fcfafa/index-dir/the-real-index index 48a7c6b..e825a8a 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/1710f0f7-9ca2-4156-988f-20f4d2fcfafa/index-dir/the-real-index and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/1710f0f7-9ca2-4156-988f-20f4d2fcfafa/index-dir/the-real-index differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0282532e578a1958_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0282532e578a1958_1 deleted file mode 100644 index 2752f62..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0282532e578a1958_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/039a8a4c68d56dcf_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/039a8a4c68d56dcf_1 deleted file mode 100644 index aa220f7..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/039a8a4c68d56dcf_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0441992f71dd94ce_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0441992f71dd94ce_1 deleted file mode 100644 index 059ad9a..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0441992f71dd94ce_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d3b5997680b78a1_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/04ffe58668f2616a_0 similarity index 92% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d3b5997680b78a1_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/04ffe58668f2616a_0 index baa057a..969ce3b 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d3b5997680b78a1_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/04ffe58668f2616a_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/04ffe58668f2616a_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/04ffe58668f2616a_1 new file mode 100644 index 0000000..9ecb0bf Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/04ffe58668f2616a_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f4dfbde80557a836_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0616c553b5dec2b2_0 similarity index 93% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f4dfbde80557a836_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0616c553b5dec2b2_0 index b8a3558..b93b293 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f4dfbde80557a836_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0616c553b5dec2b2_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0616c553b5dec2b2_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0616c553b5dec2b2_1 new file mode 100644 index 0000000..d8c424f Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0616c553b5dec2b2_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/07c403ff69134ae5_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/07c403ff69134ae5_1 deleted file mode 100644 index 90d0411..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/07c403ff69134ae5_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/08c28811a7185c4d_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/08c28811a7185c4d_1 deleted file mode 100644 index 3b5998f..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/08c28811a7185c4d_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0c46cd58fe202b17_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0c46cd58fe202b17_0 deleted file mode 100644 index 6e30d79..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0c46cd58fe202b17_0 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0c46cd58fe202b17_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0c46cd58fe202b17_1 deleted file mode 100644 index c5664be..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0c46cd58fe202b17_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9415957ee2899ed7_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0dfce91bd3fc27e9_0 similarity index 68% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9415957ee2899ed7_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0dfce91bd3fc27e9_0 index ffd871b..825c6d1 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9415957ee2899ed7_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0dfce91bd3fc27e9_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0ec4c05b43e4bbc6_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0ec4c05b43e4bbc6_1 deleted file mode 100644 index b2a7c6f..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0ec4c05b43e4bbc6_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/121796294436cafc_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/121796294436cafc_1 deleted file mode 100644 index ce4c2de..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/121796294436cafc_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1468f458a06c1d3a_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1468f458a06c1d3a_0 new file mode 100644 index 0000000..054adf9 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1468f458a06c1d3a_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1468f458a06c1d3a_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1468f458a06c1d3a_1 new file mode 100644 index 0000000..a1733e4 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1468f458a06c1d3a_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/874955e7f3609770_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/14aeade7ef7b13f2_0 similarity index 98% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/874955e7f3609770_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/14aeade7ef7b13f2_0 index 021928f..881dbf9 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/874955e7f3609770_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/14aeade7ef7b13f2_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/14aeade7ef7b13f2_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/14aeade7ef7b13f2_1 new file mode 100644 index 0000000..23884a8 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/14aeade7ef7b13f2_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5cfc81830b54ac59_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1792b4d4e44c408d_0 similarity index 96% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5cfc81830b54ac59_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1792b4d4e44c408d_0 index feee7b5..edc46e1 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5cfc81830b54ac59_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1792b4d4e44c408d_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1792b4d4e44c408d_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1792b4d4e44c408d_1 new file mode 100644 index 0000000..b9a3922 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1792b4d4e44c408d_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91bc5b5289cb3f71_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/198da838c2083e5e_0 similarity index 91% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91bc5b5289cb3f71_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/198da838c2083e5e_0 index 9696552..d135932 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91bc5b5289cb3f71_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/198da838c2083e5e_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/198da838c2083e5e_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/198da838c2083e5e_1 new file mode 100644 index 0000000..a31a5ae Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/198da838c2083e5e_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/19cff90144a38147_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/19cff90144a38147_1 deleted file mode 100644 index dd29412..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/19cff90144a38147_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e92a94c65542d158_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1ad8a3f77b074686_0 similarity index 98% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e92a94c65542d158_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1ad8a3f77b074686_0 index eed66df..2f0442c 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e92a94c65542d158_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1ad8a3f77b074686_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1ad8a3f77b074686_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1ad8a3f77b074686_1 new file mode 100644 index 0000000..05a1b60 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1ad8a3f77b074686_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1b332c8d7175a5d9_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1b332c8d7175a5d9_1 deleted file mode 100644 index 3a6667a..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1b332c8d7175a5d9_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49549ca4be2c421_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1d5a1543bfdda82c_0 similarity index 94% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49549ca4be2c421_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1d5a1543bfdda82c_0 index 919dfe7..4520a44 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49549ca4be2c421_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1d5a1543bfdda82c_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1d5a1543bfdda82c_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1d5a1543bfdda82c_1 new file mode 100644 index 0000000..3cac417 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1d5a1543bfdda82c_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/039a8a4c68d56dcf_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/207075bd4346f740_0 similarity index 96% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/039a8a4c68d56dcf_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/207075bd4346f740_0 index e87c030..8580d9a 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/039a8a4c68d56dcf_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/207075bd4346f740_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/207075bd4346f740_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/207075bd4346f740_1 new file mode 100644 index 0000000..3ff0182 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/207075bd4346f740_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26623b89d2233948_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26623b89d2233948_1 deleted file mode 100644 index c8cd273..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26623b89d2233948_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5ebeaed2a1aede38_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26fc30a9514fea1b_0 similarity index 83% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5ebeaed2a1aede38_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26fc30a9514fea1b_0 index cfd42e7..3f9ee70 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5ebeaed2a1aede38_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26fc30a9514fea1b_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26fc30a9514fea1b_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26fc30a9514fea1b_1 new file mode 100644 index 0000000..e467a91 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26fc30a9514fea1b_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7efb71c568e08c4c_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2c24520f6a4373c0_0 similarity index 90% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7efb71c568e08c4c_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2c24520f6a4373c0_0 index b23c4d4..1647d03 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7efb71c568e08c4c_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2c24520f6a4373c0_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2c24520f6a4373c0_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2c24520f6a4373c0_1 new file mode 100644 index 0000000..4b1ae6b Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2c24520f6a4373c0_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c13f2e738e066886_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2cbdfb3c4bc94a97_0 similarity index 99% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c13f2e738e066886_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2cbdfb3c4bc94a97_0 index 6525005..71e0016 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c13f2e738e066886_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2cbdfb3c4bc94a97_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2cbdfb3c4bc94a97_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2cbdfb3c4bc94a97_1 new file mode 100644 index 0000000..d08dffc Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/2cbdfb3c4bc94a97_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/30c7bec8aa6c80d4_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/30c7bec8aa6c80d4_1 deleted file mode 100644 index e4e39b9..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/30c7bec8aa6c80d4_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd1e30f8892c2f96_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/316c9aec5f87e6c0_0 similarity index 97% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd1e30f8892c2f96_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/316c9aec5f87e6c0_0 index 3dd2e89..8d489ff 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd1e30f8892c2f96_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/316c9aec5f87e6c0_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/316c9aec5f87e6c0_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/316c9aec5f87e6c0_1 new file mode 100644 index 0000000..aef9efb Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/316c9aec5f87e6c0_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/855ab056f4f2f399_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/319932686ccc863a_0 similarity index 99% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/855ab056f4f2f399_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/319932686ccc863a_0 index 5155768..9b5f994 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/855ab056f4f2f399_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/319932686ccc863a_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/319932686ccc863a_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/319932686ccc863a_1 new file mode 100644 index 0000000..374f93a Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/319932686ccc863a_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3a4f64b4e45bd528_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3a4f64b4e45bd528_1 deleted file mode 100644 index a849726..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3a4f64b4e45bd528_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e80ee882d55ac2cc_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ab06b4cef062992_0 similarity index 63% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e80ee882d55ac2cc_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ab06b4cef062992_0 index a967854..e85963d 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e80ee882d55ac2cc_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ab06b4cef062992_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ab06b4cef062992_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ab06b4cef062992_1 new file mode 100644 index 0000000..ab0b6ca Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ab06b4cef062992_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ba5cd54b5678fa9_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ba5cd54b5678fa9_1 deleted file mode 100644 index deba5e1..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ba5cd54b5678fa9_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d87f70b1674ecc4_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3d274759982e08d8_0 similarity index 94% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d87f70b1674ecc4_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3d274759982e08d8_0 index 51f1945..b6e80c3 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d87f70b1674ecc4_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3d274759982e08d8_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3d274759982e08d8_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3d274759982e08d8_1 new file mode 100644 index 0000000..794858d Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3d274759982e08d8_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3e0e35a680d15483_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3e0e35a680d15483_0 deleted file mode 100644 index 42f7dae..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3e0e35a680d15483_0 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3e0e35a680d15483_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3e0e35a680d15483_1 deleted file mode 100644 index f0eac8f..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3e0e35a680d15483_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e2f57647ae9e532f_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/4304a5fa2fab295e_0 similarity index 90% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e2f57647ae9e532f_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/4304a5fa2fab295e_0 index 3a1f6d8..0fd122a 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e2f57647ae9e532f_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/4304a5fa2fab295e_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/433ebfa3ed022d27_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/433ebfa3ed022d27_1 deleted file mode 100644 index fc566ab..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/433ebfa3ed022d27_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/43bba57cc7ea7cd7_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/43bba57cc7ea7cd7_1 deleted file mode 100644 index a30df70..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/43bba57cc7ea7cd7_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/445ddadc26c12be4_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/445ddadc26c12be4_1 deleted file mode 100644 index 7979332..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/445ddadc26c12be4_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ba5cd54b5678fa9_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/468bc7fdb1b644fb_0 similarity index 97% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ba5cd54b5678fa9_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/468bc7fdb1b644fb_0 index c037ef0..5f03e1c 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3ba5cd54b5678fa9_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/468bc7fdb1b644fb_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/468bc7fdb1b644fb_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/468bc7fdb1b644fb_1 new file mode 100644 index 0000000..12552b7 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/468bc7fdb1b644fb_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/127a26303c53b0b5_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/46eb5d30d4f718cf_0 similarity index 54% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/127a26303c53b0b5_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/46eb5d30d4f718cf_0 index 22652cd..8949973 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/127a26303c53b0b5_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/46eb5d30d4f718cf_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f657715b7bb6459d_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/4d336e3707ebf89d_0 similarity index 99% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f657715b7bb6459d_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/4d336e3707ebf89d_0 index 45f68af..4724bed 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f657715b7bb6459d_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/4d336e3707ebf89d_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/4d336e3707ebf89d_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/4d336e3707ebf89d_1 new file mode 100644 index 0000000..a064b09 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/4d336e3707ebf89d_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0ec4c05b43e4bbc6_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5163ab7541c08226_0 similarity index 96% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0ec4c05b43e4bbc6_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5163ab7541c08226_0 index 07eb4a1..e77cec0 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0ec4c05b43e4bbc6_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5163ab7541c08226_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5163ab7541c08226_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5163ab7541c08226_1 new file mode 100644 index 0000000..b032881 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5163ab7541c08226_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a91560fdf2d7ae0a_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/518aeef444be58f9_0 similarity index 56% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a91560fdf2d7ae0a_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/518aeef444be58f9_0 index 9df028f..410eee5 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a91560fdf2d7ae0a_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/518aeef444be58f9_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/518aeef444be58f9_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/518aeef444be58f9_1 new file mode 100644 index 0000000..7399383 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/518aeef444be58f9_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5223b063d0d51b67_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5223b063d0d51b67_1 deleted file mode 100644 index e6a93a1..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5223b063d0d51b67_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1b332c8d7175a5d9_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/53b11fb605a68335_0 similarity index 65% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1b332c8d7175a5d9_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/53b11fb605a68335_0 index 9bd0511..06c7a67 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1b332c8d7175a5d9_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/53b11fb605a68335_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/53b11fb605a68335_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/53b11fb605a68335_1 new file mode 100644 index 0000000..ce7f03e Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/53b11fb605a68335_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/07c403ff69134ae5_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5517dac7b6a5f484_0 similarity index 96% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/07c403ff69134ae5_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5517dac7b6a5f484_0 index d054593..f1dc987 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/07c403ff69134ae5_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5517dac7b6a5f484_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5517dac7b6a5f484_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5517dac7b6a5f484_1 new file mode 100644 index 0000000..37ae62e Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5517dac7b6a5f484_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7a3fa6b707a00612_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/55cbf8c9cf990036_0 similarity index 98% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7a3fa6b707a00612_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/55cbf8c9cf990036_0 index e080e74..cdd8ac0 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7a3fa6b707a00612_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/55cbf8c9cf990036_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/55cbf8c9cf990036_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/55cbf8c9cf990036_1 new file mode 100644 index 0000000..f853544 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/55cbf8c9cf990036_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a1c0ecab86ca2dd0_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5920966196d6599e_0 similarity index 95% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a1c0ecab86ca2dd0_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5920966196d6599e_0 index 43f7743..b3d7b58 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a1c0ecab86ca2dd0_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5920966196d6599e_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5920966196d6599e_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5920966196d6599e_1 new file mode 100644 index 0000000..080be98 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5920966196d6599e_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bbc57481de9ae15_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/593b3c84d59f8fc3_0 similarity index 94% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bbc57481de9ae15_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/593b3c84d59f8fc3_0 index 26b36b9..43b2733 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bbc57481de9ae15_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/593b3c84d59f8fc3_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/593b3c84d59f8fc3_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/593b3c84d59f8fc3_1 new file mode 100644 index 0000000..2fa14ad Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/593b3c84d59f8fc3_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5a31fbb9bb927644_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5a31fbb9bb927644_1 deleted file mode 100644 index 5dec69a..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5a31fbb9bb927644_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5b6eed13c33a3288_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5b6eed13c33a3288_1 deleted file mode 100644 index 12869d4..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5b6eed13c33a3288_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5cfc81830b54ac59_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5cfc81830b54ac59_1 deleted file mode 100644 index 8453386..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5cfc81830b54ac59_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5d644095161d35ee_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5d644095161d35ee_0 deleted file mode 100644 index e88709e..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5d644095161d35ee_0 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8ec05d6a8aa9752d_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5d7e62d8113b5d7e_0 similarity index 97% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8ec05d6a8aa9752d_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5d7e62d8113b5d7e_0 index fbdfeda..3937e52 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8ec05d6a8aa9752d_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5d7e62d8113b5d7e_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5d7e62d8113b5d7e_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5d7e62d8113b5d7e_1 new file mode 100644 index 0000000..1cf0256 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5d7e62d8113b5d7e_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bfa188d3221c1826_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5dd4dc1653c9ad3a_0 similarity index 96% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bfa188d3221c1826_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5dd4dc1653c9ad3a_0 index 9b7bf73..74d6cc5 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bfa188d3221c1826_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5dd4dc1653c9ad3a_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5dd4dc1653c9ad3a_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5dd4dc1653c9ad3a_1 new file mode 100644 index 0000000..ea91acf Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5dd4dc1653c9ad3a_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5ebeaed2a1aede38_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5ebeaed2a1aede38_1 deleted file mode 100644 index 8a374a4..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5ebeaed2a1aede38_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5f229e08b8687846_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5f229e08b8687846_0 deleted file mode 100644 index 97fbe27..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5f229e08b8687846_0 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5f229e08b8687846_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5f229e08b8687846_1 deleted file mode 100644 index 3b8beda..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5f229e08b8687846_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e34c6c0909d1b9e2_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/624fb306f79e3e11_0 similarity index 94% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e34c6c0909d1b9e2_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/624fb306f79e3e11_0 index 93d03e5..64b8e09 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e34c6c0909d1b9e2_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/624fb306f79e3e11_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/624fb306f79e3e11_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/624fb306f79e3e11_1 new file mode 100644 index 0000000..ab7633f Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/624fb306f79e3e11_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6274bdffdbfb82a9_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6274bdffdbfb82a9_0 deleted file mode 100644 index 827d7ed..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6274bdffdbfb82a9_0 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6274bdffdbfb82a9_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6274bdffdbfb82a9_1 deleted file mode 100644 index 274ed63..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6274bdffdbfb82a9_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/62dabb3bfae93fa2_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/62dabb3bfae93fa2_1 deleted file mode 100644 index edd4cc5..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/62dabb3bfae93fa2_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6a412d3baa4b0b89_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6a412d3baa4b0b89_1 deleted file mode 100644 index 61e14de..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6a412d3baa4b0b89_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d3b5997680b78a1_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d3b5997680b78a1_1 deleted file mode 100644 index 0420910..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d3b5997680b78a1_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d87f70b1674ecc4_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d87f70b1674ecc4_1 deleted file mode 100644 index 06bf5cb..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6d87f70b1674ecc4_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8c8be4c4507829cb_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/71565e522ed555be_0 similarity index 87% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8c8be4c4507829cb_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/71565e522ed555be_0 index 6d75b19..c28ad1c 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8c8be4c4507829cb_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/71565e522ed555be_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/71565e522ed555be_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/71565e522ed555be_1 new file mode 100644 index 0000000..6f4a9e3 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/71565e522ed555be_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1616885f5654f191_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/73240286b3037eb5_0 similarity index 77% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1616885f5654f191_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/73240286b3037eb5_0 index a94296b..846ec98 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/1616885f5654f191_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/73240286b3037eb5_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/62dabb3bfae93fa2_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/744432957d3e2b9c_0 similarity index 86% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/62dabb3bfae93fa2_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/744432957d3e2b9c_0 index a8f4dbd..f7f877d 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/62dabb3bfae93fa2_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/744432957d3e2b9c_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/744432957d3e2b9c_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/744432957d3e2b9c_1 new file mode 100644 index 0000000..168dec0 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/744432957d3e2b9c_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7593e6bfbaac0541_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7593e6bfbaac0541_1 deleted file mode 100644 index a0af339..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7593e6bfbaac0541_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/08c28811a7185c4d_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/769181cee8e4dca4_0 similarity index 99% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/08c28811a7185c4d_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/769181cee8e4dca4_0 index 85acf83..9db4fe8 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/08c28811a7185c4d_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/769181cee8e4dca4_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/769181cee8e4dca4_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/769181cee8e4dca4_1 new file mode 100644 index 0000000..6a5c55c Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/769181cee8e4dca4_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/30c7bec8aa6c80d4_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/79d6b52559b9067f_0 similarity index 95% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/30c7bec8aa6c80d4_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/79d6b52559b9067f_0 index 5dfe655..761d2f7 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/30c7bec8aa6c80d4_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/79d6b52559b9067f_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/79d6b52559b9067f_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/79d6b52559b9067f_1 new file mode 100644 index 0000000..e246c0f Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/79d6b52559b9067f_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7a3fa6b707a00612_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7a3fa6b707a00612_1 deleted file mode 100644 index b03dfab..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7a3fa6b707a00612_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f9be84d9aac36359_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7c9468d490148ca8_0 similarity index 94% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f9be84d9aac36359_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7c9468d490148ca8_0 index d3a1428..997560c 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f9be84d9aac36359_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7c9468d490148ca8_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7c9468d490148ca8_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7c9468d490148ca8_1 new file mode 100644 index 0000000..28316bf Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7c9468d490148ca8_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b27490046d319662_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7ee4357c062e785d_0 similarity index 91% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b27490046d319662_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7ee4357c062e785d_0 index 9615c66..a165aec 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b27490046d319662_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7ee4357c062e785d_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7ee4357c062e785d_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7ee4357c062e785d_1 new file mode 100644 index 0000000..ee46304 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7ee4357c062e785d_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7efb71c568e08c4c_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7efb71c568e08c4c_1 deleted file mode 100644 index 90ceabf..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7efb71c568e08c4c_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e88544fbdb536741_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8159d9c01d94d4c9_0 similarity index 98% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e88544fbdb536741_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8159d9c01d94d4c9_0 index 3a59dfc..614cb9c 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e88544fbdb536741_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8159d9c01d94d4c9_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8159d9c01d94d4c9_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8159d9c01d94d4c9_1 new file mode 100644 index 0000000..485de3f Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8159d9c01d94d4c9_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8beb6fcaada7371d_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/836bd4c26ddde5f4_0 similarity index 97% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8beb6fcaada7371d_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/836bd4c26ddde5f4_0 index bf4af80..e6419fe 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8beb6fcaada7371d_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/836bd4c26ddde5f4_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/836bd4c26ddde5f4_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/836bd4c26ddde5f4_1 new file mode 100644 index 0000000..af66ef7 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/836bd4c26ddde5f4_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/855ab056f4f2f399_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/855ab056f4f2f399_1 deleted file mode 100644 index abd5bf6..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/855ab056f4f2f399_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/858e556ee6336380_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/858e556ee6336380_0 deleted file mode 100644 index 858dc75..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/858e556ee6336380_0 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/858e556ee6336380_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/858e556ee6336380_1 deleted file mode 100644 index 28ba19d..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/858e556ee6336380_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/971a4a8742db15db_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/86bc6798921bbd77_0 similarity index 99% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/971a4a8742db15db_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/86bc6798921bbd77_0 index 3ae062a..010c220 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/971a4a8742db15db_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/86bc6798921bbd77_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/86bc6798921bbd77_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/86bc6798921bbd77_1 new file mode 100644 index 0000000..30c8fd6 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/86bc6798921bbd77_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/874955e7f3609770_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/874955e7f3609770_1 deleted file mode 100644 index c8b40da..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/874955e7f3609770_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6a412d3baa4b0b89_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87830e45eff7c0af_0 similarity index 99% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6a412d3baa4b0b89_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87830e45eff7c0af_0 index 5c349f8..093710b 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/6a412d3baa4b0b89_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87830e45eff7c0af_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87830e45eff7c0af_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87830e45eff7c0af_1 new file mode 100644 index 0000000..a6dfc37 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87830e45eff7c0af_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/19cff90144a38147_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87a3140b24d7182a_0 similarity index 97% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/19cff90144a38147_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87a3140b24d7182a_0 index 7ae3e30..f0d5a62 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/19cff90144a38147_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87a3140b24d7182a_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87a3140b24d7182a_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87a3140b24d7182a_1 new file mode 100644 index 0000000..f005f69 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/87a3140b24d7182a_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/121796294436cafc_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8aa22a7bdc89fb48_0 similarity index 83% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/121796294436cafc_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8aa22a7bdc89fb48_0 index f18f388..03618dd 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/121796294436cafc_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8aa22a7bdc89fb48_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8aa22a7bdc89fb48_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8aa22a7bdc89fb48_1 new file mode 100644 index 0000000..fb8792e Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8aa22a7bdc89fb48_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8beb6fcaada7371d_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8beb6fcaada7371d_1 deleted file mode 100644 index ca58d19..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8beb6fcaada7371d_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8c8be4c4507829cb_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8c8be4c4507829cb_1 deleted file mode 100644 index bbda19b..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8c8be4c4507829cb_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8ec05d6a8aa9752d_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8ec05d6a8aa9752d_1 deleted file mode 100644 index 3d37946..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/8ec05d6a8aa9752d_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91bc5b5289cb3f71_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91bc5b5289cb3f71_1 deleted file mode 100644 index 88ec95c..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91bc5b5289cb3f71_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91edaee9b71c4da0_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91edaee9b71c4da0_1 deleted file mode 100644 index 9d5ecae..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91edaee9b71c4da0_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/92900438c48ec83c_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/92900438c48ec83c_1 deleted file mode 100644 index 847b28b..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/92900438c48ec83c_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/939e8415fbd62d80_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/939e8415fbd62d80_1 deleted file mode 100644 index 71b4e17..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/939e8415fbd62d80_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7593e6bfbaac0541_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/960ecff121817ae5_0 similarity index 96% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7593e6bfbaac0541_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/960ecff121817ae5_0 index 979d8f7..2cb5899 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/7593e6bfbaac0541_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/960ecff121817ae5_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/960ecff121817ae5_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/960ecff121817ae5_1 new file mode 100644 index 0000000..c2447de Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/960ecff121817ae5_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd22eab2d1ae561f_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/969d39b1583556e3_0 similarity index 93% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd22eab2d1ae561f_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/969d39b1583556e3_0 index baab956..b4d50a0 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd22eab2d1ae561f_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/969d39b1583556e3_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/969d39b1583556e3_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/969d39b1583556e3_1 new file mode 100644 index 0000000..5594dba Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/969d39b1583556e3_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/971a4a8742db15db_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/971a4a8742db15db_1 deleted file mode 100644 index 4446195..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/971a4a8742db15db_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5223b063d0d51b67_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9959c865739d08d6_0 similarity index 92% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5223b063d0d51b67_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9959c865739d08d6_0 index 6a69436..f1f0e9f 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5223b063d0d51b67_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9959c865739d08d6_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9959c865739d08d6_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9959c865739d08d6_1 new file mode 100644 index 0000000..e7fc1a7 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9959c865739d08d6_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9ac977ed037b3457_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9ac977ed037b3457_0 new file mode 100644 index 0000000..420550f Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9ac977ed037b3457_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9ac977ed037b3457_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9ac977ed037b3457_1 new file mode 100644 index 0000000..ab134a4 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9ac977ed037b3457_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bbc57481de9ae15_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bbc57481de9ae15_1 deleted file mode 100644 index 999da3f..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bbc57481de9ae15_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bd237598ae2e609_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bd237598ae2e609_1 deleted file mode 100644 index 09dd51a..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bd237598ae2e609_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a1c0ecab86ca2dd0_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a1c0ecab86ca2dd0_1 deleted file mode 100644 index 8308edd..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a1c0ecab86ca2dd0_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f47dced1ad34b805_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a1fc4a22ec915833_0 similarity index 94% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f47dced1ad34b805_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a1fc4a22ec915833_0 index f5650d9..3d58261 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f47dced1ad34b805_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a1fc4a22ec915833_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc077a595fe7cd90_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a31671759406e8e3_0 similarity index 98% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc077a595fe7cd90_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a31671759406e8e3_0 index 5ec7a34..c10e3cb 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc077a595fe7cd90_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a31671759406e8e3_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a31671759406e8e3_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a31671759406e8e3_1 new file mode 100644 index 0000000..5ca2d30 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a31671759406e8e3_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dacd453d4b0399_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a322e142fce1709e_0 similarity index 51% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dacd453d4b0399_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a322e142fce1709e_0 index 62b556b..d3b53e2 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dacd453d4b0399_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a322e142fce1709e_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a322e142fce1709e_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a322e142fce1709e_1 new file mode 100644 index 0000000..19b8d68 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a322e142fce1709e_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d608e726848b422d_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a5229a6909a5e8f8_0 similarity index 90% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d608e726848b422d_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a5229a6909a5e8f8_0 index aac1090..4b94285 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d608e726848b422d_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a5229a6909a5e8f8_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a5229a6909a5e8f8_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a5229a6909a5e8f8_1 new file mode 100644 index 0000000..0b25fcc Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a5229a6909a5e8f8_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a90079be4aa16a4f_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a90079be4aa16a4f_1 deleted file mode 100644 index f310195..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a90079be4aa16a4f_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a91560fdf2d7ae0a_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a91560fdf2d7ae0a_1 deleted file mode 100644 index 9b77e96..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a91560fdf2d7ae0a_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bd237598ae2e609_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/aa7f686e0103b18b_0 similarity index 98% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bd237598ae2e609_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/aa7f686e0103b18b_0 index c1799fe..516c073 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/9bd237598ae2e609_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/aa7f686e0103b18b_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/aa7f686e0103b18b_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/aa7f686e0103b18b_1 new file mode 100644 index 0000000..de86433 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/aa7f686e0103b18b_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b27490046d319662_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b27490046d319662_1 deleted file mode 100644 index 5ebd39c..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b27490046d319662_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b345f1a9a624bc92_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b345f1a9a624bc92_1 deleted file mode 100644 index 5e4d2f7..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b345f1a9a624bc92_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b37cbbf61c3b551b_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b37cbbf61c3b551b_1 deleted file mode 100644 index 9733684..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b37cbbf61c3b551b_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5b9536bcaa2a5eb_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5b9536bcaa2a5eb_1 deleted file mode 100644 index d00b0f2..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5b9536bcaa2a5eb_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5ee9b9fd4d1556c_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5ee9b9fd4d1556c_0 new file mode 100644 index 0000000..4002fbb Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5ee9b9fd4d1556c_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5ee9b9fd4d1556c_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5ee9b9fd4d1556c_1 new file mode 100644 index 0000000..193074d Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5ee9b9fd4d1556c_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dacd453d4b0399_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dacd453d4b0399_1 deleted file mode 100644 index 9370848..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dacd453d4b0399_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fad98309d6c17757_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dcd2621d97cf33_0 similarity index 96% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fad98309d6c17757_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dcd2621d97cf33_0 index 8ab8424..951420d 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fad98309d6c17757_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dcd2621d97cf33_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dcd2621d97cf33_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dcd2621d97cf33_1 new file mode 100644 index 0000000..6bddc48 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b8dcd2621d97cf33_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/efdb74a5a6350592_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bbba57b6997f49ad_0 similarity index 89% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/efdb74a5a6350592_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bbba57b6997f49ad_0 index 9699d7c..4672185 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/efdb74a5a6350592_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bbba57b6997f49ad_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bbba57b6997f49ad_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bbba57b6997f49ad_1 new file mode 100644 index 0000000..23afd0b Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bbba57b6997f49ad_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc077a595fe7cd90_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc077a595fe7cd90_1 deleted file mode 100644 index 99b21b8..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc077a595fe7cd90_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/939e8415fbd62d80_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc3fa5ab20308e64_0 similarity index 74% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/939e8415fbd62d80_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc3fa5ab20308e64_0 index 7d907a8..7e668c9 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/939e8415fbd62d80_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc3fa5ab20308e64_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc3fa5ab20308e64_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc3fa5ab20308e64_1 new file mode 100644 index 0000000..4b75282 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bc3fa5ab20308e64_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0282532e578a1958_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bef46bbd39853834_0 similarity index 92% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0282532e578a1958_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bef46bbd39853834_0 index a7866a0..cf1aef3 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0282532e578a1958_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bef46bbd39853834_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bef46bbd39853834_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bef46bbd39853834_1 new file mode 100644 index 0000000..38c6f09 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bef46bbd39853834_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bfa188d3221c1826_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bfa188d3221c1826_1 deleted file mode 100644 index c2d3c08..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/bfa188d3221c1826_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c13f2e738e066886_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c13f2e738e066886_1 deleted file mode 100644 index 82cdccc..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c13f2e738e066886_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/433ebfa3ed022d27_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c2dfc572bbc4a3a0_0 similarity index 97% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/433ebfa3ed022d27_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c2dfc572bbc4a3a0_0 index cd9b62d..d11776a 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/433ebfa3ed022d27_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c2dfc572bbc4a3a0_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c2dfc572bbc4a3a0_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c2dfc572bbc4a3a0_1 new file mode 100644 index 0000000..76d19dc Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c2dfc572bbc4a3a0_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b345f1a9a624bc92_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4cb90007dea920b_0 similarity index 95% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b345f1a9a624bc92_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4cb90007dea920b_0 index 6dfebf9..9e37453 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b345f1a9a624bc92_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4cb90007dea920b_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4cb90007dea920b_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4cb90007dea920b_1 new file mode 100644 index 0000000..e3fc924 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4cb90007dea920b_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/445ddadc26c12be4_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4d7dea360a0af49_0 similarity index 98% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/445ddadc26c12be4_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4d7dea360a0af49_0 index ff81d21..446263b 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/445ddadc26c12be4_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4d7dea360a0af49_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4d7dea360a0af49_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4d7dea360a0af49_1 new file mode 100644 index 0000000..d8bd56f Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c4d7dea360a0af49_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26623b89d2233948_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c6003d9d4d1937a9_0 similarity index 66% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26623b89d2233948_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c6003d9d4d1937a9_0 index ac2228d..64d1db5 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/26623b89d2233948_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c6003d9d4d1937a9_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c6003d9d4d1937a9_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c6003d9d4d1937a9_1 new file mode 100644 index 0000000..1454130 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c6003d9d4d1937a9_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c643776da793d3e7_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c643776da793d3e7_0 deleted file mode 100644 index 8024115..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c643776da793d3e7_0 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c643776da793d3e7_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c643776da793d3e7_1 deleted file mode 100644 index 9ffb3ba..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c643776da793d3e7_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/08830548b602eaec_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c81390b4ae476081_0 similarity index 52% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/08830548b602eaec_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c81390b4ae476081_0 index c881da5..52d4ffb 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/08830548b602eaec_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/c81390b4ae476081_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b37cbbf61c3b551b_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cbc6ceada03cb32f_0 similarity index 94% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b37cbbf61c3b551b_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cbc6ceada03cb32f_0 index 12afaca..52ac866 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b37cbbf61c3b551b_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cbc6ceada03cb32f_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cbc6ceada03cb32f_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cbc6ceada03cb32f_1 new file mode 100644 index 0000000..64771da Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cbc6ceada03cb32f_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5a31fbb9bb927644_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cc5007d5f73401eb_0 similarity index 98% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5a31fbb9bb927644_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cc5007d5f73401eb_0 index e4de7ff..dc9f9e2 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5a31fbb9bb927644_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cc5007d5f73401eb_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cc5007d5f73401eb_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cc5007d5f73401eb_1 new file mode 100644 index 0000000..f14586f Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cc5007d5f73401eb_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5b9536bcaa2a5eb_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/ccaed7aab304ce8b_0 similarity index 97% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5b9536bcaa2a5eb_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/ccaed7aab304ce8b_0 index 8c2eae2..335de45 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/b5b9536bcaa2a5eb_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/ccaed7aab304ce8b_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/ccaed7aab304ce8b_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/ccaed7aab304ce8b_1 new file mode 100644 index 0000000..e5a7406 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/ccaed7aab304ce8b_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd1e30f8892c2f96_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd1e30f8892c2f96_1 deleted file mode 100644 index 515d61b..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd1e30f8892c2f96_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd22eab2d1ae561f_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd22eab2d1ae561f_1 deleted file mode 100644 index 68a0dce..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd22eab2d1ae561f_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/ab9a06152cca0cdd_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd2ca49bbfb6733a_0 similarity index 56% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/ab9a06152cca0cdd_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd2ca49bbfb6733a_0 index acc3cf8..d4c7615 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/ab9a06152cca0cdd_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/cd2ca49bbfb6733a_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e7bd0e32b2973f65_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d1d149d9da22d57c_0 similarity index 50% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e7bd0e32b2973f65_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d1d149d9da22d57c_0 index 63edd1d..af8504f 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e7bd0e32b2973f65_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d1d149d9da22d57c_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0441992f71dd94ce_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d2615a4961d6d32a_0 similarity index 97% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0441992f71dd94ce_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d2615a4961d6d32a_0 index 14f7cc8..440f9f8 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/0441992f71dd94ce_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d2615a4961d6d32a_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d2615a4961d6d32a_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d2615a4961d6d32a_1 new file mode 100644 index 0000000..ce47fae Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d2615a4961d6d32a_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91edaee9b71c4da0_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d40e87a347561a49_0 similarity index 98% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91edaee9b71c4da0_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d40e87a347561a49_0 index 4613118..10dc9f8 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/91edaee9b71c4da0_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d40e87a347561a49_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d40e87a347561a49_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d40e87a347561a49_1 new file mode 100644 index 0000000..0d38341 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d40e87a347561a49_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d608e726848b422d_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d608e726848b422d_1 deleted file mode 100644 index 38e8929..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d608e726848b422d_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d7a0127cdf35bf97_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d769b361241da959_0 similarity index 91% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d7a0127cdf35bf97_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d769b361241da959_0 index 9b5b2c9..4bb4a8f 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d7a0127cdf35bf97_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d769b361241da959_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d769b361241da959_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d769b361241da959_1 new file mode 100644 index 0000000..90665c9 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d769b361241da959_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d7a0127cdf35bf97_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d7a0127cdf35bf97_1 deleted file mode 100644 index 8d7141e..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d7a0127cdf35bf97_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fec4d4887560a3ce_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d85163e70b4e27d8_0 similarity index 99% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fec4d4887560a3ce_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d85163e70b4e27d8_0 index a02f864..1691c28 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fec4d4887560a3ce_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d85163e70b4e27d8_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d85163e70b4e27d8_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d85163e70b4e27d8_1 new file mode 100644 index 0000000..7f09b45 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/d85163e70b4e27d8_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/db0667234b5dd9ee_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/db0667234b5dd9ee_0 new file mode 100644 index 0000000..705674c Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/db0667234b5dd9ee_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/db0667234b5dd9ee_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/db0667234b5dd9ee_1 new file mode 100644 index 0000000..a833a90 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/db0667234b5dd9ee_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e9269dee97c7a7d8_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/df139cf07c7c0493_0 similarity index 96% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e9269dee97c7a7d8_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/df139cf07c7c0493_0 index 9b5492b..9077ecb 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e9269dee97c7a7d8_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/df139cf07c7c0493_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/df139cf07c7c0493_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/df139cf07c7c0493_1 new file mode 100644 index 0000000..855c2f0 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/df139cf07c7c0493_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5b6eed13c33a3288_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e31aaa23d3b403db_0 similarity index 96% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5b6eed13c33a3288_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e31aaa23d3b403db_0 index 2c1f814..e275715 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/5b6eed13c33a3288_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e31aaa23d3b403db_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e31aaa23d3b403db_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e31aaa23d3b403db_1 new file mode 100644 index 0000000..2a48584 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e31aaa23d3b403db_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e34c6c0909d1b9e2_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e34c6c0909d1b9e2_1 deleted file mode 100644 index 6c84475..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e34c6c0909d1b9e2_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/92900438c48ec83c_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e3a91482caab5682_0 similarity index 99% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/92900438c48ec83c_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e3a91482caab5682_0 index ba312ce..e008bc6 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/92900438c48ec83c_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e3a91482caab5682_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e3a91482caab5682_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e3a91482caab5682_1 new file mode 100644 index 0000000..7e01ae1 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e3a91482caab5682_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49549ca4be2c421_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49549ca4be2c421_1 deleted file mode 100644 index ef692d9..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49549ca4be2c421_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/43bba57cc7ea7cd7_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49bfd062deb2e49_0 similarity index 95% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/43bba57cc7ea7cd7_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49bfd062deb2e49_0 index a12727c..70c3a23 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/43bba57cc7ea7cd7_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49bfd062deb2e49_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49bfd062deb2e49_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49bfd062deb2e49_1 new file mode 100644 index 0000000..c26b832 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e49bfd062deb2e49_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a90079be4aa16a4f_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e5f0a95ae20a42df_0 similarity index 99% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a90079be4aa16a4f_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e5f0a95ae20a42df_0 index 0fdfd81..f0c6c16 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/a90079be4aa16a4f_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e5f0a95ae20a42df_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e5f0a95ae20a42df_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e5f0a95ae20a42df_1 new file mode 100644 index 0000000..3eaac25 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e5f0a95ae20a42df_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e80ee882d55ac2cc_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e80ee882d55ac2cc_1 deleted file mode 100644 index fae0962..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e80ee882d55ac2cc_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e88544fbdb536741_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e88544fbdb536741_1 deleted file mode 100644 index 2948652..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e88544fbdb536741_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e9269dee97c7a7d8_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e9269dee97c7a7d8_1 deleted file mode 100644 index 514f1fd..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e9269dee97c7a7d8_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e92a94c65542d158_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e92a94c65542d158_1 deleted file mode 100644 index f1b7f1a..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/e92a94c65542d158_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/efdb74a5a6350592_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/efdb74a5a6350592_1 deleted file mode 100644 index e883867..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/efdb74a5a6350592_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3a4f64b4e45bd528_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f246cf88c67155b8_0 similarity index 92% rename from user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3a4f64b4e45bd528_0 rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f246cf88c67155b8_0 index d2cd574..87b0089 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/3a4f64b4e45bd528_0 and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f246cf88c67155b8_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f246cf88c67155b8_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f246cf88c67155b8_1 new file mode 100644 index 0000000..dbf4804 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f246cf88c67155b8_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f4dfbde80557a836_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f4dfbde80557a836_1 deleted file mode 100644 index ae2fb1e..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f4dfbde80557a836_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f657715b7bb6459d_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f657715b7bb6459d_1 deleted file mode 100644 index d0729b8..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f657715b7bb6459d_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f84958300f05dc5b_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f84958300f05dc5b_0 new file mode 100644 index 0000000..5abe0a3 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f84958300f05dc5b_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f9be84d9aac36359_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f9be84d9aac36359_1 deleted file mode 100644 index f6e2bab..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/f9be84d9aac36359_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fad98309d6c17757_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fad98309d6c17757_1 deleted file mode 100644 index 119ca8c..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fad98309d6c17757_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fc7542d332798e30_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fc7542d332798e30_0 new file mode 100644 index 0000000..39bddd1 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fc7542d332798e30_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fc7542d332798e30_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fc7542d332798e30_1 new file mode 100644 index 0000000..e2e8590 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fc7542d332798e30_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fec4d4887560a3ce_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fec4d4887560a3ce_1 deleted file mode 100644 index 60059be..0000000 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fec4d4887560a3ce_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fee78769d5270c8a_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fee78769d5270c8a_0 new file mode 100644 index 0000000..93b1cb1 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fee78769d5270c8a_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fee78769d5270c8a_1 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fee78769d5270c8a_1 new file mode 100644 index 0000000..d7d34f8 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/fee78769d5270c8a_1 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/index-dir/the-real-index b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/index-dir/the-real-index index c79706c..b9a2498 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/index-dir/the-real-index and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/80f34c7e-30be-44fa-bc19-123b3b28bc6a/index-dir/the-real-index differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/a43f1e9f-240e-4972-857c-1e091121eae4/9d1db6c587796fbc_0 b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/a43f1e9f-240e-4972-857c-1e091121eae4/9d1db6c587796fbc_0 new file mode 100644 index 0000000..5c70b84 Binary files /dev/null and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/a43f1e9f-240e-4972-857c-1e091121eae4/9d1db6c587796fbc_0 differ diff --git a/user/user_data/Default/Cache/Cache_Data/f_00008a b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/a43f1e9f-240e-4972-857c-1e091121eae4/fdc2a3cce801674f_0 similarity index 98% rename from user/user_data/Default/Cache/Cache_Data/f_00008a rename to user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/a43f1e9f-240e-4972-857c-1e091121eae4/fdc2a3cce801674f_0 index 7260026..944fe8d 100644 Binary files a/user/user_data/Default/Cache/Cache_Data/f_00008a and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/a43f1e9f-240e-4972-857c-1e091121eae4/fdc2a3cce801674f_0 differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/a43f1e9f-240e-4972-857c-1e091121eae4/index-dir/the-real-index b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/a43f1e9f-240e-4972-857c-1e091121eae4/index-dir/the-real-index index fa9e2a5..717e8e5 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/a43f1e9f-240e-4972-857c-1e091121eae4/index-dir/the-real-index and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/a43f1e9f-240e-4972-857c-1e091121eae4/index-dir/the-real-index differ diff --git a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/index.txt b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/index.txt index 8d01511..2050718 100644 Binary files a/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/index.txt and b/user/user_data/Default/Service Worker/CacheStorage/987935aee542b816248034eca833fe60a4d902b0/index.txt differ diff --git a/user/user_data/Default/Service Worker/Database/000003.log b/user/user_data/Default/Service Worker/Database/000003.log index a24a934..692da62 100644 Binary files a/user/user_data/Default/Service Worker/Database/000003.log and b/user/user_data/Default/Service Worker/Database/000003.log differ diff --git a/user/user_data/Default/Service Worker/Database/LOG b/user/user_data/Default/Service Worker/Database/LOG index 5601a20..edc8ba1 100644 --- a/user/user_data/Default/Service Worker/Database/LOG +++ b/user/user_data/Default/Service Worker/Database/LOG @@ -1,3 +1,3 @@ -2026/01/15-11:07:11.413 71ac Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Service Worker\Database/MANIFEST-000001 -2026/01/15-11:07:11.414 71ac Recovering log #3 -2026/01/15-11:07:11.415 71ac Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Service Worker\Database/000003.log +2026/01/15-21:44:37.122 3850 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Service Worker\Database/MANIFEST-000001 +2026/01/15-21:44:37.125 3850 Recovering log #3 +2026/01/15-21:44:37.127 3850 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\Service Worker\Database/000003.log diff --git a/user/user_data/Default/Service Worker/Database/LOG.old b/user/user_data/Default/Service Worker/Database/LOG.old index e6a9fa8..b3733c7 100644 --- a/user/user_data/Default/Service Worker/Database/LOG.old +++ b/user/user_data/Default/Service Worker/Database/LOG.old @@ -1,3 +1,3 @@ -2026/01/15-11:02:52.492 54dc Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Service Worker\Database/MANIFEST-000001 -2026/01/15-11:02:52.493 54dc Recovering log #3 -2026/01/15-11:02:52.494 54dc Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Service Worker\Database/000003.log +2026/01/15-21:40:39.880 4210 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Service Worker\Database/MANIFEST-000001 +2026/01/15-21:40:39.881 4210 Recovering log #3 +2026/01/15-21:40:39.882 4210 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\Service Worker\Database/000003.log diff --git a/user/user_data/Default/Service Worker/ScriptCache/d0757ff92c7cde0a_0 b/user/user_data/Default/Service Worker/ScriptCache/08b99d499107ba17_0 similarity index 96% rename from user/user_data/Default/Service Worker/ScriptCache/d0757ff92c7cde0a_0 rename to user/user_data/Default/Service Worker/ScriptCache/08b99d499107ba17_0 index be591e9..3b70120 100644 Binary files a/user/user_data/Default/Service Worker/ScriptCache/d0757ff92c7cde0a_0 and b/user/user_data/Default/Service Worker/ScriptCache/08b99d499107ba17_0 differ diff --git a/user/user_data/Default/Service Worker/ScriptCache/08b99d499107ba17_1 b/user/user_data/Default/Service Worker/ScriptCache/08b99d499107ba17_1 new file mode 100644 index 0000000..5777c79 Binary files /dev/null and b/user/user_data/Default/Service Worker/ScriptCache/08b99d499107ba17_1 differ diff --git a/user/user_data/Default/Service Worker/ScriptCache/d0757ff92c7cde0a_1 b/user/user_data/Default/Service Worker/ScriptCache/d0757ff92c7cde0a_1 deleted file mode 100644 index acd6652..0000000 Binary files a/user/user_data/Default/Service Worker/ScriptCache/d0757ff92c7cde0a_1 and /dev/null differ diff --git a/user/user_data/Default/Service Worker/ScriptCache/index-dir/the-real-index b/user/user_data/Default/Service Worker/ScriptCache/index-dir/the-real-index index 9731e60..4113756 100644 Binary files a/user/user_data/Default/Service Worker/ScriptCache/index-dir/the-real-index and b/user/user_data/Default/Service Worker/ScriptCache/index-dir/the-real-index differ diff --git a/user/user_data/Default/Session Storage/000009.log b/user/user_data/Default/Session Storage/000009.log deleted file mode 100644 index 73f93d2..0000000 Binary files a/user/user_data/Default/Session Storage/000009.log and /dev/null differ diff --git a/user/user_data/Default/Session Storage/000014.ldb b/user/user_data/Default/Session Storage/000013.ldb similarity index 100% rename from user/user_data/Default/Session Storage/000014.ldb rename to user/user_data/Default/Session Storage/000013.ldb diff --git a/user/user_data/Default/Session Storage/000013.log b/user/user_data/Default/Session Storage/000013.log index 71b9d66..5062813 100644 Binary files a/user/user_data/Default/Session Storage/000013.log and b/user/user_data/Default/Session Storage/000013.log differ diff --git a/user/user_data/Default/Session Storage/LOG b/user/user_data/Default/Session Storage/LOG index f7ab644..da6e91a 100644 --- a/user/user_data/Default/Session Storage/LOG +++ b/user/user_data/Default/Session Storage/LOG @@ -1,5 +1,3 @@ -2026/01/15-11:07:11.573 7240 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Session Storage/MANIFEST-000001 -2026/01/15-11:07:11.574 7240 Recovering log #9 -2026/01/15-11:07:11.583 7240 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Session Storage/000009.log -2026/01/15-11:17:44.483 71fc Level-0 table #14: started -2026/01/15-11:17:44.491 71fc Level-0 table #14: 13198 bytes OK +2026/01/15-21:44:37.324 748 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Session Storage/MANIFEST-000001 +2026/01/15-21:44:37.326 748 Recovering log #13 +2026/01/15-21:44:37.334 748 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\Session Storage/000013.log diff --git a/user/user_data/Default/Session Storage/LOG.old b/user/user_data/Default/Session Storage/LOG.old index bf6fcc1..7ff5f9b 100644 --- a/user/user_data/Default/Session Storage/LOG.old +++ b/user/user_data/Default/Session Storage/LOG.old @@ -1,15 +1,3 @@ -2026/01/15-11:02:52.666 718c Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Session Storage/MANIFEST-000001 -2026/01/15-11:02:52.667 718c Recovering log #7 -2026/01/15-11:02:52.668 718c Level-0 table #10: started -2026/01/15-11:02:52.678 718c Level-0 table #10: 10900 bytes OK -2026/01/15-11:02:52.678 718c Recovering log #9 -2026/01/15-11:02:52.686 718c Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Session Storage/000009.log -2026/01/15-11:02:52.687 718c Delete type=0 #7 -2026/01/15-11:02:52.689 545c Compacting 4@0 + 0@1 files -2026/01/15-11:02:52.698 545c Generated table #11@0: 144 keys, 3718 bytes -2026/01/15-11:02:52.699 545c Compacted 4@0 + 0@1 files => 3718 bytes -2026/01/15-11:02:52.699 545c compacted to: files[ 0 1 0 0 0 0 0 ] -2026/01/15-11:02:52.700 545c Delete type=2 #3 -2026/01/15-11:02:52.700 545c Delete type=2 #6 -2026/01/15-11:02:52.700 545c Delete type=2 #8 -2026/01/15-11:02:52.700 545c Delete type=2 #10 +2026/01/15-21:40:40.050 3af0 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Session Storage/MANIFEST-000001 +2026/01/15-21:40:40.052 3af0 Recovering log #13 +2026/01/15-21:40:40.059 3af0 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\Session Storage/000013.log diff --git a/user/user_data/Default/Session Storage/MANIFEST-000001 b/user/user_data/Default/Session Storage/MANIFEST-000001 index 69bf47e..a470e8f 100644 Binary files a/user/user_data/Default/Session Storage/MANIFEST-000001 and b/user/user_data/Default/Session Storage/MANIFEST-000001 differ diff --git a/user/user_data/Default/Sessions/Tabs_13412919775154617 b/user/user_data/Default/Sessions/Tabs_13412919775154617 deleted file mode 100644 index 34d255f..0000000 Binary files a/user/user_data/Default/Sessions/Tabs_13412919775154617 and /dev/null differ diff --git a/user/user_data/Default/Sessions/Tabs_13412920034045145 b/user/user_data/Default/Sessions/Tabs_13412920034045145 deleted file mode 100644 index 0958a3c..0000000 Binary files a/user/user_data/Default/Sessions/Tabs_13412920034045145 and /dev/null differ diff --git a/user/user_data/Default/Sessions/Tabs_13412958042542380 b/user/user_data/Default/Sessions/Tabs_13412958042542380 new file mode 100644 index 0000000..dd4de08 Binary files /dev/null and b/user/user_data/Default/Sessions/Tabs_13412958042542380 differ diff --git a/user/user_data/Default/Sessions/Tabs_13412958279815748 b/user/user_data/Default/Sessions/Tabs_13412958279815748 new file mode 100644 index 0000000..748a02c Binary files /dev/null and b/user/user_data/Default/Sessions/Tabs_13412958279815748 differ diff --git a/user/user_data/Default/Site Characteristics Database/000006.log b/user/user_data/Default/Site Characteristics Database/000006.log index 26f3726..876fba4 100644 Binary files a/user/user_data/Default/Site Characteristics Database/000006.log and b/user/user_data/Default/Site Characteristics Database/000006.log differ diff --git a/user/user_data/Default/Site Characteristics Database/LOG b/user/user_data/Default/Site Characteristics Database/LOG index 7d2e28d..1e18e23 100644 --- a/user/user_data/Default/Site Characteristics Database/LOG +++ b/user/user_data/Default/Site Characteristics Database/LOG @@ -1,3 +1,3 @@ -2026/01/15-11:07:11.427 12a4 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Site Characteristics Database/MANIFEST-000001 -2026/01/15-11:07:11.430 12a4 Recovering log #6 -2026/01/15-11:07:11.431 12a4 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Site Characteristics Database/000006.log +2026/01/15-21:44:37.132 7578 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Site Characteristics Database/MANIFEST-000001 +2026/01/15-21:44:37.132 7578 Recovering log #6 +2026/01/15-21:44:37.134 7578 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\Site Characteristics Database/000006.log diff --git a/user/user_data/Default/Site Characteristics Database/LOG.old b/user/user_data/Default/Site Characteristics Database/LOG.old index 802efc9..da80001 100644 --- a/user/user_data/Default/Site Characteristics Database/LOG.old +++ b/user/user_data/Default/Site Characteristics Database/LOG.old @@ -1,3 +1,3 @@ -2026/01/15-11:02:52.505 7704 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Site Characteristics Database/MANIFEST-000001 -2026/01/15-11:02:52.506 7704 Recovering log #6 -2026/01/15-11:02:52.507 7704 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Site Characteristics Database/000006.log +2026/01/15-21:40:39.887 d8 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Site Characteristics Database/MANIFEST-000001 +2026/01/15-21:40:39.887 d8 Recovering log #6 +2026/01/15-21:40:39.888 d8 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\Site Characteristics Database/000006.log diff --git a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Code Cache/js/index-dir/the-real-index b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Code Cache/js/index-dir/the-real-index index 63df107..ad17a65 100644 Binary files a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Code Cache/js/index-dir/the-real-index and b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Code Cache/js/index-dir/the-real-index differ diff --git a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Local Storage/leveldb/LOG b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Local Storage/leveldb/LOG index 5198c92..c5e57fa 100644 --- a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Local Storage/leveldb/LOG +++ b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Local Storage/leveldb/LOG @@ -1,3 +1,3 @@ -2026/01/15-09:36:03.975 567c Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Local Storage\leveldb/MANIFEST-000001 -2026/01/15-09:36:03.976 567c Recovering log #3 -2026/01/15-09:36:03.981 567c Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Local Storage\leveldb/000003.log +2026/01/15-21:13:34.779 3130 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Local Storage\leveldb/MANIFEST-000001 +2026/01/15-21:13:34.780 3130 Recovering log #3 +2026/01/15-21:13:34.785 3130 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Local Storage\leveldb/000003.log diff --git a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Local Storage/leveldb/LOG.old b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Local Storage/leveldb/LOG.old index 46ee6c9..5198c92 100644 --- a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Local Storage/leveldb/LOG.old +++ b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Local Storage/leveldb/LOG.old @@ -1,2 +1,3 @@ -2026/01/14-23:47:01.756 f40 Creating DB C:\Users\27942\Desktop\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Local Storage\leveldb since it was missing. -2026/01/14-23:47:01.766 f40 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Local Storage\leveldb/MANIFEST-000001 +2026/01/15-09:36:03.975 567c Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Local Storage\leveldb/MANIFEST-000001 +2026/01/15-09:36:03.976 567c Recovering log #3 +2026/01/15-09:36:03.981 567c Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Local Storage\leveldb/000003.log diff --git a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Network/Reporting and NEL b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Network/Reporting and NEL new file mode 100644 index 0000000..2cfb716 Binary files /dev/null and b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Network/Reporting and NEL differ diff --git a/user/user_data/Default/Download Service/EntryDB/LOG.old b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Network/Reporting and NEL-journal similarity index 100% rename from user/user_data/Default/Download Service/EntryDB/LOG.old rename to user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Network/Reporting and NEL-journal diff --git a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/000003.log b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/000003.log index 1ec458b..3853a66 100644 Binary files a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/000003.log and b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/000003.log differ diff --git a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/LOG b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/LOG index 08c3ab4..0235618 100644 --- a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/LOG +++ b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/LOG @@ -1,3 +1,3 @@ -2026/01/15-09:36:19.091 567c Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Session Storage/MANIFEST-000001 -2026/01/15-09:36:19.092 567c Recovering log #3 -2026/01/15-09:36:19.096 567c Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Session Storage/000003.log +2026/01/15-21:13:37.571 3130 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Session Storage/MANIFEST-000001 +2026/01/15-21:13:37.572 3130 Recovering log #3 +2026/01/15-21:13:37.576 3130 Reusing old log C:\Users\27942\Desktop\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Session Storage/000003.log diff --git a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/LOG.old b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/LOG.old index 4871b47..08c3ab4 100644 --- a/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/LOG.old +++ b/user/user_data/Default/Storage/ext/nmmhkkegccagdldgiimedpiccmgmieda/def/Session Storage/LOG.old @@ -1,2 +1,3 @@ -2026/01/14-23:47:17.160 f40 Creating DB C:\Users\27942\Desktop\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Session Storage since it was missing. -2026/01/14-23:47:17.171 f40 Reusing MANIFEST C:\Users\27942\Desktop\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Session Storage/MANIFEST-000001 +2026/01/15-09:36:19.091 567c Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Session Storage/MANIFEST-000001 +2026/01/15-09:36:19.092 567c Recovering log #3 +2026/01/15-09:36:19.096 567c Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Storage\ext\nmmhkkegccagdldgiimedpiccmgmieda\def\Session Storage/000003.log diff --git a/user/user_data/Default/Sync Data/LevelDB/LOG b/user/user_data/Default/Sync Data/LevelDB/LOG index c05d1e1..e69de29 100644 --- a/user/user_data/Default/Sync Data/LevelDB/LOG +++ b/user/user_data/Default/Sync Data/LevelDB/LOG @@ -1,3 +0,0 @@ -2026/01/15-11:07:11.408 76f8 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Sync Data\LevelDB/MANIFEST-000001 -2026/01/15-11:07:11.408 76f8 Recovering log #3 -2026/01/15-11:07:11.409 76f8 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Sync Data\LevelDB/000003.log diff --git a/user/user_data/Default/Sync Data/LevelDB/LOG.old b/user/user_data/Default/Sync Data/LevelDB/LOG.old index dbc27da..e69de29 100644 --- a/user/user_data/Default/Sync Data/LevelDB/LOG.old +++ b/user/user_data/Default/Sync Data/LevelDB/LOG.old @@ -1,3 +0,0 @@ -2026/01/15-11:02:52.488 7320 Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Sync Data\LevelDB/MANIFEST-000001 -2026/01/15-11:02:52.489 7320 Recovering log #3 -2026/01/15-11:02:52.489 7320 Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\Sync Data\LevelDB/000003.log diff --git a/user/user_data/Default/Top Sites b/user/user_data/Default/Top Sites index 06cfad4..53ffb33 100644 Binary files a/user/user_data/Default/Top Sites and b/user/user_data/Default/Top Sites differ diff --git a/user/user_data/Default/Web Data b/user/user_data/Default/Web Data index 8a395f9..52aca2e 100644 Binary files a/user/user_data/Default/Web Data and b/user/user_data/Default/Web Data differ diff --git a/user/user_data/Default/WebStorage/QuotaManager b/user/user_data/Default/WebStorage/QuotaManager index 1689a39..726ff4f 100644 Binary files a/user/user_data/Default/WebStorage/QuotaManager and b/user/user_data/Default/WebStorage/QuotaManager differ diff --git a/user/user_data/Default/optimization_guide_hint_cache_store/LOCK b/user/user_data/Default/optimization_guide_hint_cache_store/LOCK deleted file mode 100644 index e69de29..0000000 diff --git a/user/user_data/Default/optimization_guide_hint_cache_store/LOG b/user/user_data/Default/optimization_guide_hint_cache_store/LOG deleted file mode 100644 index e69de29..0000000 diff --git a/user/user_data/Default/optimization_guide_hint_cache_store/LOG.old b/user/user_data/Default/optimization_guide_hint_cache_store/LOG.old deleted file mode 100644 index e69de29..0000000 diff --git a/user/user_data/Default/shared_proto_db/metadata/LOG b/user/user_data/Default/shared_proto_db/metadata/LOG index a0147fb..e69de29 100644 --- a/user/user_data/Default/shared_proto_db/metadata/LOG +++ b/user/user_data/Default/shared_proto_db/metadata/LOG @@ -1,3 +0,0 @@ -2026/01/15-11:07:11.557 1e3c Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\shared_proto_db\metadata/MANIFEST-000001 -2026/01/15-11:07:11.558 1e3c Recovering log #3 -2026/01/15-11:07:11.559 1e3c Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\shared_proto_db\metadata/000003.log diff --git a/user/user_data/Default/shared_proto_db/metadata/LOG.old b/user/user_data/Default/shared_proto_db/metadata/LOG.old index 46743c2..e69de29 100644 --- a/user/user_data/Default/shared_proto_db/metadata/LOG.old +++ b/user/user_data/Default/shared_proto_db/metadata/LOG.old @@ -1,3 +0,0 @@ -2026/01/15-11:02:52.658 535c Reusing MANIFEST C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\shared_proto_db\metadata/MANIFEST-000001 -2026/01/15-11:02:52.658 535c Recovering log #3 -2026/01/15-11:02:52.659 535c Reusing old log C:\Users\27942\Desktop\codesk\haha\user\user_data\Default\shared_proto_db\metadata/000003.log diff --git a/user/user_data/FileTypePolicies/145.0.7584.0/_metadata/verified_contents.json b/user/user_data/FileTypePolicies/145.0.7584.0/_metadata/verified_contents.json new file mode 100644 index 0000000..903e34e --- /dev/null +++ b/user/user_data/FileTypePolicies/145.0.7584.0/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJkb3dubG9hZF9maWxlX3R5cGVzLnBiIiwicm9vdF9oYXNoIjoiLTNtdkRqQVVZVlM5OGtxWmQ1eWlCTmRCVnFQYTZLZkFfWmV6SS1wSnd3ayJ9LHsicGF0aCI6Im1hbmlmZXN0Lmpzb24iLCJyb290X2hhc2giOiJNYVZ2VVUwaWlwaG9PNHlfZm9vODdYaUZmdlBuUmFCdnZDeGJNeFl0TWlBIn1dLCJmb3JtYXQiOiJ0cmVlaGFzaCIsImhhc2hfYmxvY2tfc2l6ZSI6NDA5Nn1dLCJpdGVtX2lkIjoia2hhb2llYm5ka29qbG1wcGVlbWpoYnBiYW5kaWxqcGUiLCJpdGVtX3ZlcnNpb24iOiIxNDUuMC43NTg0LjAiLCJwcm90b2NvbF92ZXJzaW9uIjoxfQ","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"thKkSoE4IahZJUOIRQrGWFRj6SfNMQMP2jpxmM9hhMsr_z73i9GhcsEJV70KW4-dmM3OYyd7iZ4W5FRESQ-sxyyc4FijaubP9IQLC50ffrQzo0YraWcaI-nI7XSFLBf7E5bRc4tAvftT_kKV2Pj_ixaXzUA-vpkCAlTMPON3QU3NoyvICGa8Q2_nKTcAsvdKq6vHojgJutsOEJk3l3qR4A8nhG-TRyC7vGGYcG3a3m5-178BGRhX86w6m0I9HROal9lXYB_p_b4dQdJxpgaZhizGyQukhOJc6NvJunL1J2eV3keDCBOO-HEM_ORg7M6lV4HLvoKbrIBjNbFTqEvIVw"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"GY5au5ckIfblHx0OxW5k9YQQYo2neEq_rZk46c58XJHYP5ohd2iNYn44YtkOODJF9_m8CEM2g6p4yVGjKUccp42PSgiOlkDzGTk596vRiBSBmoWifXjkRj977wdp8C0Nhjp8cCPzhdMo-0yiWhpqoYV9CASt6k9AN-u9E_5vbMW087-IB1Fk9J2iQJVTVDKqI4IxjNFd0NmyzIqWoQd0j3dkmZGfskrHGj036X8uC6HdhxJLTtW87edzj1gR-aTKlnp-bGRwGJbOaGbFtSHz4KhpL5EL0uMy_dE2MwObZgM_67GEkE-732Yb8mm1e5PYdA3Vf2w7p2h1LJabbF39QQ"}]}}] \ No newline at end of file diff --git a/user/user_data/FileTypePolicies/145.0.7584.0/download_file_types.pb b/user/user_data/FileTypePolicies/145.0.7584.0/download_file_types.pb new file mode 100644 index 0000000..c53dbe0 Binary files /dev/null and b/user/user_data/FileTypePolicies/145.0.7584.0/download_file_types.pb differ diff --git a/user/user_data/FileTypePolicies/145.0.7584.0/manifest.json b/user/user_data/FileTypePolicies/145.0.7584.0/manifest.json new file mode 100644 index 0000000..d3e0109 --- /dev/null +++ b/user/user_data/FileTypePolicies/145.0.7584.0/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "fileTypePolicies", + "version": "145.0.7584.0" +} \ No newline at end of file diff --git a/user/user_data/GrShaderCache/data_0 b/user/user_data/GrShaderCache/data_0 index 3c3468f..e4b23c0 100644 Binary files a/user/user_data/GrShaderCache/data_0 and b/user/user_data/GrShaderCache/data_0 differ diff --git a/user/user_data/GrShaderCache/data_1 b/user/user_data/GrShaderCache/data_1 index 61922fd..4a2650a 100644 Binary files a/user/user_data/GrShaderCache/data_1 and b/user/user_data/GrShaderCache/data_1 differ diff --git a/user/user_data/GrShaderCache/data_3 b/user/user_data/GrShaderCache/data_3 index 6e7f832..d52abaa 100644 Binary files a/user/user_data/GrShaderCache/data_3 and b/user/user_data/GrShaderCache/data_3 differ diff --git a/user/user_data/GrShaderCache/f_000001 b/user/user_data/GrShaderCache/f_000001 index f860584..605fa09 100644 Binary files a/user/user_data/GrShaderCache/f_000001 and b/user/user_data/GrShaderCache/f_000001 differ diff --git a/user/user_data/GrShaderCache/f_000002 b/user/user_data/GrShaderCache/f_000002 index 9707990..c84037c 100644 Binary files a/user/user_data/GrShaderCache/f_000002 and b/user/user_data/GrShaderCache/f_000002 differ diff --git a/user/user_data/GrShaderCache/f_000003 b/user/user_data/GrShaderCache/f_000003 index 8642adf..1d14c76 100644 Binary files a/user/user_data/GrShaderCache/f_000003 and b/user/user_data/GrShaderCache/f_000003 differ diff --git a/user/user_data/GrShaderCache/f_000004 b/user/user_data/GrShaderCache/f_000004 index f635725..2e85696 100644 Binary files a/user/user_data/GrShaderCache/f_000004 and b/user/user_data/GrShaderCache/f_000004 differ diff --git a/user/user_data/GrShaderCache/f_000005 b/user/user_data/GrShaderCache/f_000005 index 58d2c80..800155a 100644 Binary files a/user/user_data/GrShaderCache/f_000005 and b/user/user_data/GrShaderCache/f_000005 differ diff --git a/user/user_data/GrShaderCache/f_000006 b/user/user_data/GrShaderCache/f_000006 index a942e9e..ef5c2b1 100644 Binary files a/user/user_data/GrShaderCache/f_000006 and b/user/user_data/GrShaderCache/f_000006 differ diff --git a/user/user_data/GrShaderCache/f_000007 b/user/user_data/GrShaderCache/f_000007 index 08b3e45..ff42e0c 100644 Binary files a/user/user_data/GrShaderCache/f_000007 and b/user/user_data/GrShaderCache/f_000007 differ diff --git a/user/user_data/GrShaderCache/f_000008 b/user/user_data/GrShaderCache/f_000008 index f278b36..4bb5cfd 100644 Binary files a/user/user_data/GrShaderCache/f_000008 and b/user/user_data/GrShaderCache/f_000008 differ diff --git a/user/user_data/GrShaderCache/f_000009 b/user/user_data/GrShaderCache/f_000009 index d7683ce..5c9d69b 100644 Binary files a/user/user_data/GrShaderCache/f_000009 and b/user/user_data/GrShaderCache/f_000009 differ diff --git a/user/user_data/GrShaderCache/f_00000a b/user/user_data/GrShaderCache/f_00000a index f9d10a6..79cabd8 100644 Binary files a/user/user_data/GrShaderCache/f_00000a and b/user/user_data/GrShaderCache/f_00000a differ diff --git a/user/user_data/GrShaderCache/f_00000b b/user/user_data/GrShaderCache/f_00000b index af90362..398c61a 100644 Binary files a/user/user_data/GrShaderCache/f_00000b and b/user/user_data/GrShaderCache/f_00000b differ diff --git a/user/user_data/GrShaderCache/f_00000c b/user/user_data/GrShaderCache/f_00000c index 2ad7511..e9da66a 100644 Binary files a/user/user_data/GrShaderCache/f_00000c and b/user/user_data/GrShaderCache/f_00000c differ diff --git a/user/user_data/GrShaderCache/f_00000d b/user/user_data/GrShaderCache/f_00000d index 1b7cb94..a89548a 100644 Binary files a/user/user_data/GrShaderCache/f_00000d and b/user/user_data/GrShaderCache/f_00000d differ diff --git a/user/user_data/GrShaderCache/f_00000e b/user/user_data/GrShaderCache/f_00000e index 1cb0ad1..ead0680 100644 Binary files a/user/user_data/GrShaderCache/f_00000e and b/user/user_data/GrShaderCache/f_00000e differ diff --git a/user/user_data/GrShaderCache/f_00000f b/user/user_data/GrShaderCache/f_00000f index b9c9c67..fdc8437 100644 Binary files a/user/user_data/GrShaderCache/f_00000f and b/user/user_data/GrShaderCache/f_00000f differ diff --git a/user/user_data/GrShaderCache/f_000010 b/user/user_data/GrShaderCache/f_000010 index fc10b15..df5dfb0 100644 Binary files a/user/user_data/GrShaderCache/f_000010 and b/user/user_data/GrShaderCache/f_000010 differ diff --git a/user/user_data/GrShaderCache/f_000011 b/user/user_data/GrShaderCache/f_000011 index 9f1b4db..651ffd2 100644 Binary files a/user/user_data/GrShaderCache/f_000011 and b/user/user_data/GrShaderCache/f_000011 differ diff --git a/user/user_data/GrShaderCache/f_000012 b/user/user_data/GrShaderCache/f_000012 index fe1d95a..4b45c5a 100644 Binary files a/user/user_data/GrShaderCache/f_000012 and b/user/user_data/GrShaderCache/f_000012 differ diff --git a/user/user_data/GrShaderCache/f_000013 b/user/user_data/GrShaderCache/f_000013 index a9e2a8b..ad45c3f 100644 Binary files a/user/user_data/GrShaderCache/f_000013 and b/user/user_data/GrShaderCache/f_000013 differ diff --git a/user/user_data/GrShaderCache/f_000014 b/user/user_data/GrShaderCache/f_000014 deleted file mode 100644 index 9e2579c..0000000 Binary files a/user/user_data/GrShaderCache/f_000014 and /dev/null differ diff --git a/user/user_data/GrShaderCache/f_000015 b/user/user_data/GrShaderCache/f_000015 deleted file mode 100644 index 0aaa4a9..0000000 Binary files a/user/user_data/GrShaderCache/f_000015 and /dev/null differ diff --git a/user/user_data/GrShaderCache/f_000016 b/user/user_data/GrShaderCache/f_000016 deleted file mode 100644 index 1b77230..0000000 Binary files a/user/user_data/GrShaderCache/f_000016 and /dev/null differ diff --git a/user/user_data/GrShaderCache/f_000017 b/user/user_data/GrShaderCache/f_000017 deleted file mode 100644 index 88c9cb5..0000000 Binary files a/user/user_data/GrShaderCache/f_000017 and /dev/null differ diff --git a/user/user_data/GrShaderCache/f_000018 b/user/user_data/GrShaderCache/f_000018 deleted file mode 100644 index d6d5dce..0000000 Binary files a/user/user_data/GrShaderCache/f_000018 and /dev/null differ diff --git a/user/user_data/GrShaderCache/f_000019 b/user/user_data/GrShaderCache/f_000019 deleted file mode 100644 index cec064c..0000000 Binary files a/user/user_data/GrShaderCache/f_000019 and /dev/null differ diff --git a/user/user_data/GrShaderCache/f_00001a b/user/user_data/GrShaderCache/f_00001a deleted file mode 100644 index da0baac..0000000 Binary files a/user/user_data/GrShaderCache/f_00001a and /dev/null differ diff --git a/user/user_data/GrShaderCache/f_00001b b/user/user_data/GrShaderCache/f_00001b deleted file mode 100644 index 9f8a838..0000000 Binary files a/user/user_data/GrShaderCache/f_00001b and /dev/null differ diff --git a/user/user_data/GrShaderCache/f_00001c b/user/user_data/GrShaderCache/f_00001c deleted file mode 100644 index adcb721..0000000 Binary files a/user/user_data/GrShaderCache/f_00001c and /dev/null differ diff --git a/user/user_data/GrShaderCache/f_00001d b/user/user_data/GrShaderCache/f_00001d deleted file mode 100644 index 148f610..0000000 Binary files a/user/user_data/GrShaderCache/f_00001d and /dev/null differ diff --git a/user/user_data/GrShaderCache/f_00001e b/user/user_data/GrShaderCache/f_00001e deleted file mode 100644 index 2417f00..0000000 Binary files a/user/user_data/GrShaderCache/f_00001e and /dev/null differ diff --git a/user/user_data/GrShaderCache/f_00001f b/user/user_data/GrShaderCache/f_00001f deleted file mode 100644 index 1f2c18f..0000000 Binary files a/user/user_data/GrShaderCache/f_00001f and /dev/null differ diff --git a/user/user_data/GrShaderCache/index b/user/user_data/GrShaderCache/index index 51d5968..868c903 100644 Binary files a/user/user_data/GrShaderCache/index and b/user/user_data/GrShaderCache/index differ diff --git a/user/user_data/GraphiteDawnCache/data_1 b/user/user_data/GraphiteDawnCache/data_1 index ca13201..c0cc46b 100644 Binary files a/user/user_data/GraphiteDawnCache/data_1 and b/user/user_data/GraphiteDawnCache/data_1 differ diff --git a/user/user_data/Local State b/user/user_data/Local State index ef5dd52..f7b180f 100644 --- a/user/user_data/Local State +++ b/user/user_data/Local State @@ -1 +1 @@ -{"autofill":{"ablation_seed":"m08T9EHN+kI="},"breadcrumbs":{"enabled":false,"enabled_time":"13412845268343097"},"browser":{"shortcut_migration_version":"144.0.7559.60","whats_new":{"enabled_order":["ReadAnythingReadAloud","SideBySide","PdfInk2","PdfSaveToDrive"]}},"cloned_install":{"count":2,"first_timestamp":"1768405749","last_timestamp":"1768441936","session_start_last_detection_timestamp":"1768440961"},"hardware_acceleration_mode_previous":true,"legacy":{"profile":{"name":{"migrated":true}}},"local":{"password_hash_data_list":[]},"management":{"platform":{"azure_active_directory":0,"enterprise_mdm_win":0}},"network_time":{"network_time_mapping":{"local":1.768446431719162e+12,"network":1.768446431e+12,"ticks":6118505991.0,"uncertainty":1458276.0}},"optimization_guide":{"model_cache_key_mapping":{"1563922A0C010C80A5":"4F40902F3B6AE19A","2063922A0C010C80A5":"4F40902F3B6AE19A","2563922A0C010C80A5":"4F40902F3B6AE19A","263922A0C010C80A5":"4F40902F3B6AE19A","2663922A0C010C80A5":"4F40902F3B6AE19A","4363922A0C010C80A5":"4F40902F3B6AE19A","4563922A0C010C80A5":"4F40902F3B6AE19A","963922A0C010C80A5":"4F40902F3B6AE19A"},"model_execution":{"last_usage_by_feature":{}},"model_store_metadata":{"15":{"4F40902F3B6AE19A":{"et":"13415437281571574","kbvd":true,"mbd":"15\\63922A0C010C80A5\\CD6CB3B5336F163C","v":"5"}},"2":{"4F40902F3B6AE19A":{"et":"13415437281000771","kbvd":true,"mbd":"2\\63922A0C010C80A5\\FB2EA656F5A7FE54","v":"1679317318"}},"20":{"4F40902F3B6AE19A":{"et":"13415437281331171","kbvd":false,"mbd":"20\\63922A0C010C80A5\\E16F49A806D04DD8","v":"1745311339"}},"25":{"4F40902F3B6AE19A":{"et":"13415471215966555","kbvd":false,"mbd":"25\\63922A0C010C80A5\\BCD4AC56FE256AC4","v":"1761663972"}},"26":{"4F40902F3B6AE19A":{"et":"13424941281924190","kbvd":false,"mbd":"26\\63922A0C010C80A5\\166274B4A1EA07E7","v":"1696268326"}},"43":{"4F40902F3B6AE19A":{"et":"13415471215967598","kbvd":false,"mbd":"43\\63922A0C010C80A5\\15F15E29613C17FC","v":"1742495073"}},"45":{"4F40902F3B6AE19A":{"et":"13415437282177951","kbvd":false,"mbd":"45\\63922A0C010C80A5\\325E7DCB82E1A87F","v":"240731042075"}},"9":{"4F40902F3B6AE19A":{"et":"13415437280977459","kbvd":false,"mbd":"9\\63922A0C010C80A5\\88D911EA74DFC80D","v":"1745312779"}}},"on_device":{"last_version":"144.0.7559.60","model_crash_count":0,"performance_class":7,"performance_class_version":"144.0.7559.60"},"predictionmodelfetcher":{"last_fetch_attempt":"13412920041401590","last_fetch_success":"13412920041712482"}},"os_crypt":{"audit_enabled":true,"encrypted_key":"RFBBUEkBAAAA0Iyd3wEV0RGMegDAT8KX6wEAAADExmps7/SLSrWGYdBYkH0zEAAAABwAAABHAG8AbwBnAGwAZQAgAEMAaAByAG8AbQBlAAAAEGYAAAABAAAgAAAAkrPlJnRbpqz0YwQRZhuJO4suOE3GCK+XYRDDzeVa4sEAAAAADoAAAAACAAAgAAAAUjg6F1fOo+BFx9fNAzvjfdO+KREIbKEzMnkJAnvV8+kwAAAA3+8sxETAQNPrauojR/hiKAnj9YRuReylE+kdx5Ilmni+2UvUs+qlnIItw965BfnwQAAAAJPzjLoB33qjc9nLgm1WlDXhYwuNpCypxb9nx1o5ZgW1yirBolsVJs1zIyBFKg31ALtgBip/uYE04kObwTfDiO8="},"os_update_handler_enabled":true,"performance_intervention":{"last_daily_sample":"13412845268518544"},"platform_experience_helper":{"disable_notifications":false},"policy":{"last_statistics_update":"13412845268342373"},"profile":{"info_cache":{"Default":{"active_time":1768444856.457167,"avatar_icon":"chrome://theme/IDR_PROFILE_AVATAR_26","background_apps":false,"default_avatar_fill_color":-2890755,"default_avatar_stroke_color":-16166200,"enterprise_label":"","force_signin_profile_locked":false,"gaia_given_name":"","gaia_id":"","gaia_name":"","hosted_domain":"","is_consented_primary_account":false,"is_ephemeral":false,"is_glic_eligible":false,"is_managed":0,"is_using_default_avatar":true,"is_using_default_name":true,"managed_user_id":"","metrics_bucket_index":1,"name":"您的 Chrome","profile_color_seed":-16033840,"profile_highlight_color":-2890755,"signin.with_credential_provider":false,"user_name":""}},"last_active_profiles":[],"metrics":{"next_bucket_index":2},"profile_counts_reported":"13412845268345783","profiles_order":["Default"]},"profile_network_context_service":{"http_cache_finch_experiment_groups":"None None None None"},"session_id_generator_last_value":"143335657","signin":{"active_accounts_last_emitted":"13412845268219710"},"sm":{"device_key_data":{"DevTools":{"key":"86505A17EB589C0875D5BE2222C6B9F5","last_rotation":20418,"rotation_period":120}},"persistent_logs":[{"data":"H4sIAAAAAAAAAOy9d3xkR5Xo71FkNJZtzGhXDNgYHrBegncw9th+JiwY/PAs64VdHuwPln3wiA9Y1oTFGAPbiq2c1VIrS62cQ7dyzmqpg3Jq5dDKarVStzo9D0Y9dW/37arqe/te/T5v+UufQVZ97zmnTp06derUreiH3pG7cCb1evSRTzzzzFO3n3ru2WdfeOrO7Y/feeYDnr/78cdfevUj/j4+3/g/P//+v7/+qyde/dqjPp+4/dTtp55++s4nP/H0f/Px+u3zd/7XnWceKV709ufxxBUGy/s+4PFPX/zH50uv/fn/uuvj+/GYj3/Uz/9hufmuj2/E0IObfgfnJc/d9fEteu2lhy9/TvtLhffl7/xP1S/i/LbelfD6XR/f4d8Yavzqfln3gbf+fdKr1fo7H/+Lh//l8ufGX39VffnzH38mfPny57rXXii9/PmLbdPP+f1ctRx818f3ux++9g9+IU/86B7bD3P/+qeXv/PlT/33F/zKv/3Xy3d9fL/ypPaZy3/XJW5a/85A2m6en+Qrxz+/6+N77edPzPh99Ev/+Om3xvrkx/762cufv/X9v225HCv1Y194ye+jX/+n1Ls+vrPpvwy5/DtSy7mb308bfn/vGx/y+XSD3/YPv9h218e3tWb+635fqfV9866P7+efjPrby9//6s7j7778m/82/8l/9hv71y+M3fXx3Wv5ka/f6UDBP7/1+90VZ6mXv/MXP/7Yv/u9J+75V+/6+H745d/+/eXfeXTyA9GXP7+7bXrv8vdjY5fO/Z7/lYf/XR/fZ//w7aHL33lA8atPXf7Od377616/H/whMequj+9G/5v/5/J3FNcT3nH58/vk7+b59f2k7N73vllXWnP53/7zStSjfh8ezNi96+P72Y5Hrf/tJ1+QTFz+/EZA0Ot+Q5/6+9y7Pr47Gd9vu/z371ap7+t64F//+vLnp79U/+blz/9p+qnSb/K1z13c9fH90k7NuZ+f6G8W7vr4Hn3i7tjl7/zNIx9796Xu/ipbseX3k5KLx9/Skf9r0V+5/J1/uTnxxuXPv0159nuXP//FP33r3X6//5b55K6P7+d+d/aby39/WbIsu/zGF292Dvs9EfMN01sylNQ+o/OLW/jyPVv68Oof1y5/58HPPi65/G9/8XePvH75c/j3+z50+Tvf+rvvf9bvc5+ZvmcbP9NG/5XfN2488fxdH9/gzVd9Ln//mUXZ4OXPn0qvLLz8uWX3M7uXP5u9PYMv/2Z8UXeR3yPK7ntsoozPveY3cidC/hZ//+hzr13+/sGLd7/tF3ynNOOernWpeda5k/+/962cfX/7Rb/Iv/3lPZ73NsU8f/n3a6d83+fX9k1FxF0fX9OdF167/PeKrm9F+n3x24/FvjXHb61sBfptfq8h6a6P7/8aea/u8m8ufzZ0/lIv7YHfz/L7Ychz937nifjKh/3+d+9xx10f37mlj969/P111ZOVfoKvvzRx18e3sybR+u2Vsvgn/J76blraXR/fs1cirLLqaa4VXf6c0Xbke/lzgW73rt+Hf/7i6V0f32/8zx//u9/v3qz/3F0f35rR64/7eUuyPnjXx/f3Dcb3+XX4f/Xv7tnJv/36ut929fOrd3183x//N95+p3/gd71lnyv/9u+9fo9/Y+/6PX/y5Nee9/vKTzduvqXrqO+ooi9//qef3XjOr+nssem7Pr5TAZnLfsZHn5Tc9fFd2/vgll/zzY9/+K6Pr+dhs8A677763d/5/WfCR+/Z2zcSfvbspW1Xjm397vLnv2p6/DE/z9j1x+76+H70Dy9a54XmcOVVv43ap8ve4jf+89hjl//+qn/+c5c/q179p2W/4QbxyD35d2/d8rvhGd9wT7YVP3rz8mdJ0u+i/T5Z+N1n7/r4ZtbF/cjvtYPf3b7r49v7z8e/ufz5leVQi19GVWXnXR/f6l96xl7++4uxaT+5/PnxpU8N+FVvx//NPXv+yWPKy3//Rsi/rV7+nFzy2C8vf/7jXw6bL3/+//ivaC9/zltPlvp97uGQ1rdk+PXoJ7/4p5+/4rF67S+evv30nduf+MQzH7/9wu3bzz7z1AtPv3D79u1atw9+Wfy1dz1fuuX+vdcf/0Py+X/79HcGav74nlPPoxduLORtPfqNO18+9v32kdtKSliwx+e/URzn/kDzNW3VO31+eP1dbl2/+cLpwPveuffuvanif2lrv3Xj+g+/mPN+37WIfH+3Wzeur39t+398/C/HM/wfuPWu65G6mne4PyR60d+8WzE4YpFX/NWtG9df+JXsde33sv39H7h14/pR1Q+//p9nqWf+7k9c+2tZbNsN6d9/5Es+v70/znMv/+ZDAS+u37p18/oXomOe4d8+eMV/92I/zGixWCzXbt24/oM7GvcXX/Nc83/S/oA3r/9KkfTmSvXYmb/l8n/3/ruXot7T9VpGy6r/mxgj50VXHetcM/Iv7Yz80P2R65XBP2P7a/9LzgyN+Ss7Yz58f0yxJH7IGxyUYu7gDRpwzbGMZyziBP3bf+Lm/aGBPwxjSBH1RJodM/zeMcJKWVSJERvh4fsIc2ejhXhiB1Rtmj31dFrqD94fM/4aOOivHet6MlEUcI35Ud9wLOjMnSbVhc18YmXoyaqoHpOLhobIurWwUEfQMNymUUb9D8ejZpaOtd/7r62jxrmz8bFN52F1LhBxIMSLKA+XAvCnMADR0ZPfZ4ZA2FstgE+P6hvjezvpQcZOTWEORv6D45FPCgb6PZ388E5T54iepvT7NnZGmfLhTkPkHdbnGbiG6KvblulcDfG64wVFtDjxdSfNsNJgWvZ0/uuXek4NLrcDmKMfiUwx2Dh6Z11uJc7Qmvj5FeaWN6yh1zMyIm2/mpmh2XR7xJHtxW2Aoa8oxN930tAUpU1Kmt+9HLc542zAqJ3pafSkHhni7gtNB+fOuvvYIfGAAfLh/28PD1H73njSHtbwgNoVvNlZr6s4Msyxp0w1LtFy7PbDK0yI/fN9Mx2IueOoUxjE1dXBYUzr/oWrdcCtx7U38wEJBK6lFeMHV4AGMsSHyx7g8L04a2xH0UQoc5HFGs6uqsgws+jOxMq+hvPBCeGaLT1jQQXW0JuC6jNXyRoytHT4qMA26cfKV+tEnXKzi4aGJYSCtfHOJ/+cHTUnSZPLvobLgmrFHBnXqfQgwVUahgxtXordcJVdQ9S8sZqbxr77kiU2MZjywxp6L7y3kCPPmTRUGWx7WsLK0DmJiRsWboYeTlTmMbf1xjLu2KNeCyMJfKxRk/rCtC4YFSJm4UKYmqO1MSZCJeRo6IG29jCO7DqqsiTFdmhnl6p1HAtLaw5qZyQiWMfa5hTnRyW4YJe3Dt1oAJ+eoDMb3V04PEwGqoXCOlpZZAZkwO9fM3ApA6l6qsbCtQzkvedeHMogNlKaR2vLzwREfqpUSutojQkI8Ur0Kq3DnSNNdoftMRceRNdW57zJ1ZKAZGAE6UefYDT/A58QgASCc+Pz8Q0SyMCIVCWx7tTDQ1bDnuBaFXO7J6yhG4OFPOZiAKyh85YXwpk728GKAQotJ4eMbNy2cT74ICpbYStrZ4MenhtOrcZBzRYjYiaOCvlgQbppk7ntItYHG/bzed7MixnmSof6xGO0Ihz7zowIAcnlx7aGmJzN5Ud318QTRg5ww3Cjo8lNzbQS2XXLB2av/xre/vBsHuFgfXiqsmcRP34Ahm/vapxzYHWQ0CGod/hjjAYuAVhT3rmvByBGwnovfcZV1QBkP3Gcf1Dl7NF1Wp8pzpmvZ3F4SEXioapV4gFWJMY6u9bIsJb03AO+OxMrHNaos9Wd54yMWuqBEUj0d1ZV2qa8nS5+8sD44CBlTw4jVa6NHjheZXF8u4LW7tR+yRkRAjKvQmKF3R4uHB4ieVWuJpSRVHAfjqkt5+l6mYtZh3A+eGyrUeHF+qjm7bkgRsRMHBUSrTSvBKudjVYEC6Icb+qRYZvtwBILcwn3ZZyhZ6c67dRwOju0xhMcugBwKN6ib1paH7j+6Vs3ri9lfbKtrbf/wP/z9kcB/l6b162Hr3/T9NObdz71oTH/tFWh6t7k//CXP/iPX/h244R/WEltzPJol+lPHqnqPe/lf/NRzRLxpsz3vvPzqe98+vdj/u+79eD1n2zGln/t5eSn/RsIIsqDcPpjchaGqcyetx69zynQ5G1MGU/cQUqAHaB87NaN+5R/BCFzmYB86D5kYpjpl7feeZ9xQDXderb0byiIgCBnCMmGYiYYb95n7C7jy/+8xgLSDIqOaj4IW0aSJoCaS0AthaC+BxO1NmWnznK5OFpRu8OaAvTl0UgG+k5qA82HwN7CNNCsXnkygbMxKlWzVJ1G4gToAc6boIneBDFLmMAEZKreE4xf2Mg0b7wnM7Kq9gKF1QtkfS/OnMcV6eLRjsgLtNKu87GIjPNKWpBFEMj3Ygp0K0/Wp7eZTy0Ng3MtuRPucNLPg6SvuJJ0dTsqUmdDyjcGzsxq43BJX8IxUlzS1p6GIJONkQ6ezYfKlsZ1KEZKYP2cK1m7CnJidTasqRnj/dsdm0Zs1pddOaGymrUrHqDyx2XzLSOKZlwPhTWhcD0U4MkB0oCC/vLioyJPOKkbJald1T94n3TEi5G5L1kayu6qjvCCL0+32Vuewtv3D91ACx2obLRMKpLMKBZKiKBu4Sj/XYz4KI0opj+oqtcbTuoOkn4aJBVBSB/FjPV4gdpfg/LcbZqaG9CakZZ7AuUTIGUhhPImpjwTG4S7f17ugbh0Kj9qPajkPzEVT4hLcpiI9QBxCi+m/EGV10VvBRYoutxvPXqf0Tqx0CI8GKJzER7A2Fw4MlPWF+IGMlq5kaI7ph28oWBc7Q1a5VmAxdjZVm/+03xyKEjqOQ7bgfyl8w4eIJ1vqtHMnFTq4aSfoVZ5NhOLO2CVHX25b4Aaj0kbLO5UHHjANE5Y0p/F0TgSIaBx+Ul7hycox6yZ0dmNvR0TUY5QyK/izBxcyNGUsGh3UI7i0cGhuTCNOxbii64MjiejtekGG6OcDYi+2Bxq02EK8yc4GRtcUuVoicI26Ngzx9Wro+a9sDjfdKVlti7o5wjCzI6QhTYpc42YwvwHqNqBEC7Jg5EQbjcgeG0tKNkL5oq8QVdU7IHjNd/JiNe8iN5aLBo+JcnUig+gXuMaNeC8Nf3YPGuhhQqb9g8zstkwJ6Y1NJ6nEDYbwPoEoD7ldGTMDGnrhLqksnDpGibpYzhpOxqkgPrrC5YPeNUTBgsSK2AAKnecAJmGrQJiXdEGnkmTVryxLLWQg0k1PlxTmJJYhDupuEBVF0xlD+nXTJioGQRUuxl7wP+XuNGN8JpVwTEJa54wz/8l6iAUJs6nGRHn5rK2o3E3DVfzaRxovv9Y02kYH77ARI3zYH/ilzZMlwYrN+nIlB3QfqNu8Dyl1c2FEqVhpwCoQdo9dBy6jwfKhUSjE5fS9ptS6NgoLGn3EGYI3d1SO0nY3M2ezefFNMpIiygQWQGcfuCC/yTOrP8AI7N+NEq/0TJeosec9TEcOKgBuaSnuqIBN4oOhi9NAOqDmCvTZJn0OdA+Y4fmpvY7473gmn8W1Lw/TlCKxAiIs3xVE2R7mBy9nJW/NlHgiUn6JfbnfFJJo6wz99gDS+2BHFhoeO1RuiEjAncJ1bm73EIByO24gSXJgsJAhLTG0kgWCstC+GC60MjllgRCfYshJkI2WJ+ig0MSMqIP4Zwl0BVkimCOHyRYJR3HA7E+kigZoQREeVJXUeANzp7y1HTLaG4O4egYiPUIkIBRJrmxP9EltRtb3WYZ3uw542DnmVAe2BoSkeeJBbrn+mkOIE5GtVenZLYRFiJgN0Jlm4/i5BxoLETAPGrN3BwbLLHoifOIihUQ6AhWCRYzq6Yk91RyoWhyw0Q1YpVgMSPXM2nNdGJbxgW2XMcIsIxkxsHTr+oItRfIeX7YnLKbzrdgc5rdXb8mAapPrEnP72tN84RTUq9Jrp71XRsmQV5TjhuKswcYb+Mcz9FlPA48WzhLXiAcK1l39Eh+CWaSzEz1tZau8LzGEm8szjs4J3S0TbK5e7yjenfjGgyRZYMEJvdBztjxge6ItGmz5kWoxPg4m4zC6ZPEjqNtUrBpTYkgmSQs7sA9P7RvkikJ3auHQ2p3OCelm4QtkzRAAZGuyMr72tbODCgipURlRO82Kw8gzri6rvWai1pPLMZOrKiDmY2lZUMiaksQ4aaRd7A0zwyquVgVGFy8pcNEXWY1OLZsJTSIMksIeyIgE4Y0412YpQGKwHpHCjIztd9FAXX6cgIzvkk4mr0fYu6/homqdcdZMXFzs8tnS9GE3bBePyWqqogieFBrfokqL/s+9vOyAanV2xNCHW4qaZGDGd87k1B+OBWI65wm3NkMOkclabKdQrEHTO/U893lq1HpTGq+KWfXDY4IZrc5WI1EXaOrwQPDuGfEYxwkagb0iuboVj3euRYXoB2i8rH8ijG8HPcYB7NdcBI5kiHjGzCVP+iOs3bi3kbo7Z+aMdug6naWq+fWwkmhiLV2AEB9mPI2AmyriUsq2k9rs5P4rCzpXMrLpMHpav85MdoXFH6wTLBPa7oWyX8ynei2ySPp+bJOYSmPXEVtF5IyVmJa3zFH2bu2VyVqJvrHJ2uTPWD6pi73dnWEnCXstEwOiAmJJGAXwnWEDJCGDgdvxO9WX8MkfRwnd0g77JyRtqqTxS2EDQcQ4iEFnq4+z0oMrJ1KG5sj3TWyT0mtdHY2G8ntybHF4kg3FFJgrndjLZjM2GdkefBQWMWkFyaq0o1VA83PO1UFSI8IAgXiPCQDha1BzkECm+HDtY6Fodjvgl7TGuAhEbpGjMAcapvOLW/f2SWlO63BHSPzHKnSF4Ac3iqtJEBqqoSjYqEYIS56B2iRpe5seqPTJdnyRZ6adDfXvkk6742YmeKmwPCVnPNiJFJAoP2EyANWlka7pmK5rsc4WyS3oEiUuwODoI7ten6ohRTF2ZvmBK1/hCWtg9ModjehcXzDiEIKaF1zDSfhRfuIqDthRROjGfWAMXKn8U5paHF4j1IP95kEjX+Q2RPBdoRkbEDV2uJs2YfgmJSTnP4hdbvjSR63I4kwZQVY4MKkVjis+cIjmMK0n0ioGtzZjmu9MKFUyT4Esj6C4zVpsAKKD5HOlgVEvAtWi0aNyY5IcxL2FC1RcgNKRRrXrGMBVbqDSoUBpeqDmhW2xWSGNWapKXciiuyh7B20c006ONzQu8lPt8DPXTkhBdYl3unwnmVrxRt+XMS1TBfXM47XasNJ6W57mXmuSS9U831quRAhA8b17B+oWhgY1FeRugTZT9twbak9e2HG1uxIhA0811KtaDtKyghI06FE+Fzb6oYmSpZ9IUaI86lJYVEfM/pfKdtdKLs4dYMFVNSckKafM0O75Yy0xx/yAkeFNJQdUBoKnX13ZkNVuGHbqDnlHRjtNwcjNOe2z2w4++W5hKHp35We8YFbcFwsj58TkU6abQh3pVvdcKYbDVgwvze6KKjIisC9LP9O9kkXkjLXa7QDtEhh7pYZA1BnHWqyo/Iv0AyAipUdYy2YPAvjiyZN2Mba4c4+bG3mGG/tKNWIDSslbLZhJ/cfwoRVHWlKbc/yJIEieY6MWJNpL5fq43xrjzecBwWkOtPbsm/RXZjgaV8HqDCZvsaITEPLxIHHIWfeLpQpPNVPBB2f2LHobWQ6WCk6CVFOkaIYKz6A+jHqqh361RBEVOHQgMh2UiWtb6RW8yIQ1E/dRZL+6TiRtHmxf9pW+z3brYW85kHo6bjzVRvwdCCRMyu2IvzChrOsLCp+qt1ECAyt3gDg9AU5X8VZp3CNVDeeHmmbqN4bj5P0JbWQEv+AOyCYKVVSHTbzacj0ESComitNSPlHOKcvofsI1u2qrzGyRlWaeMWxodtmFKESGlBlYbmpJ52XKgC7Xn0eEsNrtMDdlC91OT7MAJ5nJPzTx/FXitoEnjBQBzKl3+Bhxgc8sJhdLfwUceuaIC4bTCTFUoBBUBXB4aked/Iv8CeltmeTxrqMuriDc3qosMNeJFTg2KK9qLyVQJndqOicmTW6XSmBdvE3Osw2Ak2pE6Ybg0O8rxRqjLlPaDuXcjJGq0oP8t1poTI9m/oKd79C2EWdByXGGOd0NGcT/ZsDRBNVbu5ZPMEzoOSe6hqp/P+Afsnqqzif8ODCJJIl9u1Mk6o7MFGZnvDSacki4ZwyKU/ZcLA0f0GLErYi4Qp0Qx1eZutB1caM2e0NYgNhTFBYnIcbO9kPSXLL8ku2x2tJF+mB1QqAvUMZ57HDytvXqgare0worNTNM5iO8+2HJCpxY8JgzyFhP2JdVpFkCuPENVT7nN3ri53hgjQ3GOdDlCf/9AtnUHSvWRYOmJvbSJtme6SESopKrEJtZlSvydm46A0eIYBaYxUq1X8KZ3NPQ/VgLlq1Iys+OybdyrBHyrXy4yNbarf7wnRwUoLyS9zYV35u86p5MbuBkNmzRn9Uyv88sxXwKCKN1DVGLdQKSbs7e6TUTR/YkWjNYUCQeU1LyOtZg1QqiX6Nfc6jzc6awskWNxgndeEpO6voRXN4Ub4ojpTZASJqKpl+k33WHnUEP1anMaOwPkuZMWM6C2WfVblVnT1SIdP9qQrMynq5A6AS6gddGZvaB+0QzSaWvX3nyTEotduH7e+YmVGDR1vH84XHMEyC4r3YN9KGvIbGnqpq8mb0/paKkRCaGd3nCfSda8F1RhRWavW7cIkC91BBxy2p46fecFJqC2CHtCUqaragII+QMwE2q0hz34UxH0AauLckXD3f8YCTUmufnVkVO7Smbz4YIW327LNS65+dpX/7uC7/KP2YsPRbMwBIs5+diL9yW1A7NVpAOs6zR8rJ3AdIiyK1CoM62gwnpdY9rG4eXulFzEfZ3H9rHG8OOF5NJlSdADkKAPJpyjIvpjdQGUOBlQYbAxVJM1pUYuJlI2BHTXXkXMlwB0JKVLBDatdowGq5kFQgA+wAqWAXr+E4KfilCSLsfo6Bb1seEZmRs3FRlWRCgSXYgA+zxZMoUypfZxnYjx80wDMorizzRCE9jBjnqyVpF5iJiUdwQmlmSHMjw8LF6lzMUJrhKl8U0OyVDq2+ZQspRuVE/WCHtZlzyZl80Q0zRuHAUMeS+uo7Cspx11MCKaTktXBBf/jns3kGSl5bb4BDxwJCMp1OP5D/GfO9Kor0vq53fP+JVyuIH/2Dn4x+ZiPuREh88PT9z35k6pX2uVf8H4AKtPph++9SM9s350+jQAzscEMiz1esEXJ0mO9B0L/fWP2wo1YaiY25Zn7JBq0u4ewIM2BuPGVCWYP3oFK/O06QTgMUOIstDZVOHJp/gcXZynCHQTtKB3uK7u6mzBorSTlZvGvM9Dc8RFnav9Ra118SVdv4Mo07zPQdNJFztaS03vZcu6l6s1pcvE6KeawmS3Wz9RE2tR4ZlF7VsZeggzM630mWhtaBqa7rjljfKy3whnNStj6lf5e5+mGHd5lFFqNcN1JwgalxrC0urm3aDx7kx8E5Te1hZjgpdfBA/0GyjnfBSfcLJfF8QzNuX8l+hjvNoaBmyLp5J0Ei3KeJuEDdSRqcqis5xW2B2coBqqpG3bs/R37fFYrazAHq3lFQWPpoBa5UqxkOSChRgUXUFHwSnx73SSzOSobbTFJygq+C7CpOFLIUvHA5nwCaRXt96niXzRoKiFJemXMQKnnD+bCJ/gJKlKT9BTSqrFYiX+zhtvdLx7sc9n5pDDyI1SQSnx/E6/1Cv62kHWWDD3kuTZZvp20TnnBmu/MLpbYBoxy6qNzsXf0rGp1f6JfREpVt03psKry9WlHYSzoOBBZRpOZj7EQhE4Ky3PlE8vMAUEeUx4HHXGrdVyxnXeCBpjLcKs3OJAJzrAZJ+EFmBamVChDpIU0k2JEAvHEj5UQC+5rPjguLteILNFbK7nP0j1pQfPxQXEVs6E6EByZqM9bpBQ1UQK4J0XMZbePk1j8INvAqjpNybkUCnxudKs3rTBTpUDBd2ZHM8aqkKw+sF2/yEBypK99OQ1F7/1JoaaEh0oTi9J+lPmFjx5WaVMoxtUGN1+NcwMHGIzN+YjQwuBh35xnFcIbRsZGebAYkNh3vE0pqgM0dkpHS79hqLygBIGURAWOjK0pv8Ejtcq+EFI+wY5nBsX0C7VAcXuI7goNoZCVgeUrdNIv3ngEP64kVutFIfUhKiqpyllQ7aUfprmwcjuI7z5sSF9okUWYEUMrFnR1/VHucXTKUvWTG9Edmhp9wRTFQfnzF6HlhE56Bnrix6Th3qy1px4MdhKgO2JBwbaHArjNrMqavYP9fUUDBB3GxKn2YCes1eR0zhzkm0uYTATaUg7B+ZzzrUG5sdsdELce6goIkV0fPWRS3blWvLm9aaIqU/r1YyBKv6M7YTmqqIrgma6R3hdb47QD5hblvD+/NZi2WC6WRHAFApeHCqvblPLwcLRGUnWVJupnXLM+Lx12WttzYzDCG6ze6msMCPWHm6coe8igeVNRTlVtdHE4Spn1SynDE5ZO9JiGmvT2ymrCFswbPjCQYP8+IaaoL6kUFWWu4OzgVB7Mo6zBFvS/i4Z7IqlidRYOi5qTRBsk1mN65nkWSoc2U6BkJKbFsn5SysMHlqXrRZOdMau4B6aI+EOUjzSRXp5VXJYuKkd1GIwqlK/XeiRDSaUzzAYadc28UUkDvYoa9Z6dj7xm2vjtWXxxJ2BxZwxIkndN/wMYeIljLKRoZaF4wkyaQNSRBgqS/get0aJgjgRMxBRGnpFJde4LkxCzBa/lxdXP7RdMGFFLALEcYLq8jogLldYBtTo8mDZumSgkXYIBVlKXyOseKj4+c344/I7cxs2ecrnyoHcUfSXm1fXrjgjuc0+nogxkL5QsLBita5XoUkVIeH9CvBOx0fGx0YikfXOupQvBKzh8a+TpjnIDKo3vit7qyg9zhE4j6HUL6Z4UoOm8L3hMfFLaTzgoRWL/JbAqMkhVIgcUmTezPNPwCBRQs8Gf4BBZFqpMh5sjAtFRyLwa4VG+zJFXAVtcDi+Nj9ydxST/PfmC3s6DoaZlK8sY0AAHDOVCkaaXIWtnfVBnRDACAbXRjH3ZVW5W7ppXpsGGlWM3rcWMT+xmxBXlYdcv+CELNgCtvkaGQhi6XdIxEBnvCT+O5Jk3oKo2I35lzhx8fu/JiJiUpYKpR3UUVsVub8ANFrkV6stsUWt8V4QXP13NCCtbfJU/WNc7sXcCTja58fAVFpl1FXSv9IoEXLJ3Dte6j4tuPdakBHvAEBNe6n27tqU5u2TbD96Rc6/54U1+n6N/0gsX8zt+pgT9XEegP52zSHpzMm/hIL5YAK+koVgkWDVSwuH6x0dJ1/Cid90rYkakoPn/EJEnAfQCkEqs6gxlUWWnEdls43w0TVYgV9dFABeZ+xEhPbN6sBv/JoiyseJoZ2MWUyAhtbS/i8zpOtzphBrbcmHWeFNCnx4ZN4wC2epGXql1qxTeDag6m185ExbxBdeyOiRrO8FNARFT7z9bUN02ItfUjrny25pPOgwIGEFpdlMjrMpPiP0xUu+HKg/dR6yk6W2AKNVkVnVlSE03nfSX6SRUiqP1HNhL6B81BCdGky99WmwBQXfkgDJHU/oMwW+rc1L15BSlTARgFoS8T1T07+hXuKFJtlfGLiqa3TSisvtQpavpN2VDCqyjRYfH+tD+c1MHrJfR7hVOaADCrkqrzj6UdcwRTtc40JPXTv3hHqX6AM2isJnXkSOMJ4yRMqZ9BpxTgpvJx3ZT9NXW7TNqsjkwgHUraQ2VR9/afhJHkpyx1HyS5gemUS8ulKjdh+nmIQH+HJ+UqY3vWubSesKUCJIxGCXNQuNK03zdus2Qgaka1TuprzDmsxpgnt/WmG7sVoi514wVNWKb1//bzIID+S/qySnbl5fQo6dfxBPqDJ37GHP2PQWGOF/Wu9c0P6q+YMI/lKVUEYa7OSQ7Dj3j0JhPTlG+/rwNeulvoCK+YXPC+UrMIeBEGUPzusWGsjj9svGJTPk6ZEmb7RGWgLlbYNj5soAlLv/KIqP95S32LFxg7bZjDB9enXqAFSf+FJaJE85MCa2w7sO4mzZ4P6iPpWSoMFV4zQUSt5Wc22G6exOby2rVukRctVKa3TxTHPDHjA2MNzaTiHmusAqC68p0dlIzEWrCsLFhV4wnjpG68TL9FCQpnTk9zWWrFIJTTQUE500G+fdCtpfLJ3to6Ql2kNQKkUjzWQ1DMKD6uXj8fWkt8m9Iepys7bqNMpbpKXtdOyRxpKtkjdWW3fRSJ1sp7kvK0TQRXCgTUVLp/3JV5CIoEb3FnWHXUBClyts9KmFCTDNciIRnAhnl9SxJOfl3tfvCPJFh2WMWtacK0jHEDCit1g1R2JpZ+87DatCYk1SFaNytUUmX4cQgU0omRk56xhCo9nJTaWbHj/GXhFeb8/gUPGCfXrqqyNnUsRXBCbON7fwfIiO6ZIW3sPBoMOAjxgJNSzyf6rwKh5EsFAlOLLv83oOqtm1WuBQpmTXoSTrP21aSeifZIXflUJYrqW9ShvWfSJAKndWN9hdxTuVK9tF3QScqW2iPl2j1Vd1SM1gede8A4XflyFYpEZxSjsrzgEtIyCmQqkDZQTJ8/2WcdjUnMLAxb1aOwuvLtIhTW9sTw1sSTWiS5cr5EzQ9XSkZHCdE0kP6hsoDb7FtA6WZnpTSgj5RBs8/KyW4KkKo29Cz/dLQfgZS6J6kLl1PwDlfLScFBRwehTvYyrUal/Dss5SUA5adPSgPqa3IsFhgotTzZWfdz1o53x5LCSauUNf1HJdJPsZ+Z2G+PiVTN13vBOLnOTCyr91enhgvI3aftkBJ0/1Vm77oTj3XIF7nkY+3diwOthIITvJ60TE8j+1djZMoRQVm42BvOSdmUlv6FTceilCQbwkyJVYTSSPYbKVIKE6yKzj4KCzImkk5xGW+kiAtr/wm4EQMvpepimviM8mWyl1C84XRpLDOgA+r9gcNMHeHkEUikUaH2u7R0Z1XVrrBFnV1ZXltcSSBsmoGFCqkkxtXTKaFpvj3BMERgxG35CJMm7rkTUBQBds6N7M0vaizygive+af0mCENjzhISU8IIZgosEohkdJvqWhH72C9bvyJcDxJg9Kp0HUN61C8qOmwdKt+fthCp6WiqydRWWa8zMiTENYk3PZ/7KxJ8bVtwgZDBmnryUEHQBRYPj+1rK8jQo8Ny3QHQJTQafow6nTEmM91B0BiRYRNB8DB7Zqy8r10fP2HMtyI2LF30q6srbTV6El1z3g91pjO5dlvJtCtL4rYzP4PGg3WXC3Lg4kqWVKxjrQ/YrvTFsp819ZtbheeaC5QSCk7bdFvYeVYnPzW/UTtvbIYWi2s2PH2hvECdX0xT4fGStnEytW7486QjD6JcYCwO2a79RKKOA8WYszq1kbSTGK99RJp62G39VLDqk6TOzlIq/US06T20zeJzfVdQtM5Qo2WK285o5Dmru8qLDURJngJDNekh9rMtYKLcRPmST0HpOnJXWvn/F4z5qEdw09ko5AO60L01fw4C/YBE1tSBTf1+pi6uHutwvAOQjjQf/G+bk5ffkLuVApLMxNI2X2nOvWD9pvC4ixH8C6vfxoFIrvC4ayRhnEl+SgB76VqJoXnBv2snCfhwiuDXK4acYcOs/MkXHprElmLIvEEqVvRS6D8BrFUfRMTdmPMKDbaTGhpgbC5vXCOcAoLfABhOadEhcWcuKh1+0vltnItNzQe7Zq0pE07NizsbgASLLATFiobAgl3A7K3RwsMhz+4UhLl5y2qbW9bpEkXuqcWY3U0JQrbD+NKNHTQ0O1OuK641ZQ8nlJquWKcusymbTfCNrO1Z3UoJseAwvkUezO/R5c1YHtZdSNOI+bHFXrREinTqG1r0ja9DWq/qpHXkpLvAUf1okaFbd+xtb9h7HIj3FI2Z42KtnVutHTPtI1W7WxICTYqaytSFndmIc0lFm1U2Zu6Ybs6rYXF9i0ENLlfKV8aMxCxYetLg4IKTvstJqS57wCWaSttjM4IIdyvXNIVWUaGiJeVOZ/2e8GLlbbaF4/PGHOVI/RQmda+Lq9+wmijfcEOv7U2J8pEU/tMw+4cVETZ2cSHj69ODpcjwTpwAUzDBmzLi822McpBqUw/GUs36mPar+oFGj7h/COzMy23aXMGiZNF/7+as7zkSShqUs0dZDYOkGI+IHLhxlLVhxEC22lVPxE+lD1ea6QJy0jID6SZq1cEbxJO6LRbqdrEeC9akEx7/txuWTfhznp5hWlJ15vhRouSac/Pi+mYtY1NY0PkUpG+k55AmTbRfkVlnu26z48LbaqajbbQNFGm572lMy2BwDlk1AQqcoouaHLCasZwhVq2tymxrXO5EMWkbfGjCXdsreE1WrgPO/zEFaghUpRPYGxdjtSNnm1602BkWphAbAI+N6OsV8lqZq4S6IghZ8A2uTxVpm85OubR0TrToBW88Txb96TdCi3qLci8RgMUVoWFa54TPFmXG5iFimlLbxMf36aBCLsGgLtqVoUXf4LwpG1bb13fRRjJIwH7UzRMpt18RUCTwU6qrKryMHy7yEITlmk3L82OTCU8iRQycjamKdvV0+RkOkkqnVIve4Lm2bS3ru499AUhgW0JN8IsEM+uEXIlcSdxbcfJWSQLxeZkOrKzaUC2GxfVc3Q05EWLkul5dBwZu2Pb00s3oQ1sbhDpr5hIpds5fEKwHC+UyUUpw/REyjRly35xDSGZw6/cr081iT2v1DSKyFY3EnTer+sz9qnkBpo6Z/xALDVCbBt6nk3tCUMXcr2vlEi7W2onCbv4zPXd4EytjK5nYtrNz3UtdBLc/Eh2nGTp+G+ulN77lUqpbfAZqJAmaqPrr9ZU6gm8aCesSJLK7uWSiGa6U4nphMjMxs4vCD2S0qPnW6sW3a+UMEOD9yIJD7VtBVW1KkZNuiu2Fr2dWgSkyVNkNi6INgmUQLqRm2xI7dBSnu3y3lyV1dNtVpOWd2xYpkU6MVZzQDirs/RUbFfUDbvRonztPuTW68+bP7X83AMgJLzip/xZiroRoCDpAXDEVLo1NTfv19QA/wrjLHnBfsYLRHv1PtnfxT71oanML37c/t/1vf93jSf3CrGOqn749f88Sz3zJ5QP/fD+39t7995U8b+0td+6cf2HX8x5v+9aRL7/vU3s+te2/8fH/3I8gyjp1sTmjZg908onbt24/sKvZK9rv5ft7/8AOA7hwsFv74/z3Mu/+VDAi+u3bt28/oXomGf4tw9e8d+92A8zXtYj/eCOxv3F1zzX/J+0P+DN679SJL25Uj12Rqxjsn7wHzBGzouuOta5ZuRf2hn5ofsj1yuDf8b21/6XnBka81d2xnz4/phiSfyQNzgoxdzBGzTgmmMZz1jECdacinVo+x7ILkOKqCfS7Jjh944RVsqiSozYCA/fR5g7Gy3EEzugatPsqafTUgc8cSLB5/7asa4nE0UB15gf9Q3Hgs7caVJd2MwnVoaerIrqMbloaIisWwsLdQQNw20aZdT/cDxqZulY+73/2jpqnDsbH9t0HlbnAhEHQryI8nApAH8KAxAdPfl9ZgiEvdUC+PSovjG+t5MeZOzUFOZg5D84HvmkYKDf08kP7zR1juhpSr9vY2eUKR/uNETeYX2egWuIvrptmc7VEK87XlBEixNfd9IMKw2mZU/nv36p59TgcjuAOfqRyBSDjaN31uXW4gytiZ9fYW55wxp6PSMj0varmRmaTbdHHNle3AYY+opC/H0nDU1R2qSk+d3LcZszzgaM2pmeRk/qkSHuvtB0cO6su48dEg8YIB/+//bwELXvjSftYQ0PqF3Bm531uoojwxx7ylTjEi3Hbj+8woTYP98304GYO446hUFcXR0cxrTuX7haB9x6XHszH5BA4FpaMX5wBWggQ3y47AEOP4CzxnYUTYQyF1ls4uyqigwzi+5MrOybOB+cEK7Z0jMWVGANvSmoPnOVrCFDS4ePCmyTfqx8tU7UKTe7aGhYQihYG+988s/ZUXOSNLnsa7gsqFbMkXGdSg8SXKVhyNDmpdgNV9k1RM0bq7lp7LsvWWITgyk/rKH3wnsLOfKcSUOVwbanJawMnZOYuGHhZujhRGUec1tvLOOOPeq1MJLAxxo1qS9M64JRIWIWLoSpOVobYyJUQo6GHmhrD+PIrqMqS1Jsh2Yl5kxrDmp3QUQA2+YU50cluGCXtwndaACfnqAzG91dODxMBqqFwjpaWWQGZMDvXzNwKQOpeqrGwrUM5L3nXhzKIDZSmkdry88ERH6qVErraI0JCPFK9Cqtw50jTXaH7TEXHkTXVue8ydWSgGRgBOlHn2A0/wOfEIAEgnPj8/ENEsjAiFQlse5Or4Y9wbUq5nZPapyhG4OFPOZiAKyh85YXwpk721HjxACFlpNDRjZuRzgffBCVrbCVtbNBT5gbxge3HtRsMSJm4qiQDxakmzaZ2y5ifbBhP5/nzbyYYa50qE88RivCse/MiBCQXH5sa4jJ2Vx+dHdNPGHkcDcMNzqa3NRMK5Fdt3xg9vqv4e0Pz+YRDtaHpyp7FvHjB2D49q7GOQdWBwkdgnqHP8Zo4BKONeWd+3oAYiSs99JnXFUNQPYTx/kHVc4eXaf1meKc+XoWh4dUJB6qWiUeYEVirLNrzTjWkp57wHdnYoUbx3o14fP2RwH+3qIneA8lbVWoIlxBKtiev+g4aiE1uAHQgJso7wNvojQQLkvArur7Y3IWhqnMhPuG54UzDfJl8r0egJ6q7/cfGccErp0lhpl+CVIGd8QlzVeE6tAoAWnOYF2VQsIErkp1l/Hltj3fA7XtvUJZMqJIAdhcrNuR78GErU3Zqfuz7QH3pQIye3lzZYVucCt9J7WVwm4d3sK00qxeeTJBpKvqRFF7kILU89nKDlDeBG30JggJ606NBAk2ttoTjNvek1s9CpQPdyTo4KReIOl7QVJYCxFccS4e7YgI9w5FS6MRnVNyb+cRYcJ8L6Ywt/Jkfba9OfTZ+SFRczITXJifB0lfwfH0uKSr21GRtpfLeaVh0oDBfTzOl1wp0daeBjvvUSirzwyCeosRU6KfcyVpV0FOrM6GNG1wIURck6PHJH0ZJIW9QoLtl5q1Kx7gLfjBrvG2k+y/x3JK78WxTlynBLhuwDpzLea6JL7CHcbpRslp98EEsMO6l/MTHgBNUyrDKsvqEFaj2+ytRuHt+4eEu/q1xbE16bJcBB9PiJhu4UyidznvlgDSkb2issXECgRSd6dJb2KSJjYId23XTcOg0DBwEmHBlOlNHMUjRUxAFCq8mPIHGY9yaqpCNkwkaVptFi1WgoXKtGOliu69kOXaFVITWIAdKVpiehIZCsbVhH5WSZMhRzHCITNcmNSTCNYU7mFGvOewRnwwbdR6wzg/Q610WM9CpCUTsMyOvtw3CAGdUhsuD+z3gmucsFg+i2OYSIyAxuUn7R2EraYyKVE7dTCpRzFMAuZXXYk5mhIWTXiToHl0IX55ndz3EwHzRVcGSZPR2nQ7zwUnJ41Je/O9MUl/Al3aaZAqR0sUtqF8fBQ/hrcUYsaW6ps4XglX+a0L+jmCQIPixEOTLYNumJD/AELa7XECxEolbs7MdkCWZ3tZ87rYUj3cdX6J2iUxvR3u7Z+aMdvui46mtMHlEsIDDwA+gPqw03tNXFLRflqbrZdfDx8okFSneNEhhU0lXNKYo+xd26CutPQ8fq7rhLTA22elXjthOw+ktROYSsNbpZWEBT55ZLpYXFRkRMF8B2inpYQ2LpD88Gx15zkj+eEVT4wj3/7Oqkrb4mRnh972xPjgIGVPDiP9CEK9cM5/Fse3K2jVEdm/HEyEgJyAhMQKuz1cODxE8qpcTSgjRbsiLwxTW87T9TJXXSDG+eCxrUaFF+ujmrfnghgRM3FUyLly80qw2tlzZcGCKMebemRYWVRgiYW50mglztCzU512bts7O3SFN4aWZ4Z2yxmpXIm5jpPxexS6qiXeAEMvXqD212CUkLLbfFJeY/DESqc8gZNJ48Gjw8Qb8NT5/sqZem16wQSPEb2pY0SsRykRUO3vr5f1qcZuqZHQUxLAp3qUkogKO9qjgQpItWU+OsIQO0qKabBhYREtPPZCgZ1va1sLmRWQMizWbAbh2RrXRYkoFjCRsVlYJ6rxwuJ8jH1LPZSEKgUtUi9M5Us4sNRlsUwgmFDqsC2VC9iqrFXp8SzfgA1bhgX7NCOwopqM5fE1A75kSzjwrZOK3oOig0ZPTNRsDoxgKEobdVZWhu9bSziAFVUcGZV9RjM2LJ5kmbFYTWiDuKtn/f8fFisfKq/cSD3B9bHZWPn2h1BQbdq0Awe/gfKGrgjR+0FIIDYAIP3AJetJHMYHMUPVyTLpc6Ag22aSkrYnaq/BGZ8FGf1xElpIjIDKy1c1dooSCqpad3nhraSZj8D6JZzQn64863UH56G9ag8wSLEGBEjShGWvfTCtMnK5JYFQdKg9bc05qKslVXfYgyTkBR+CZq/pihF8gn5ePZcvryEpGwhXkETJCCUgypO6igJC9nIyM2hogJ9DCp6tyykBEnBDSW5synKv6rxvs7OX9FgEEKBQyfJRnEWImUme1dWyrcpT6tFYAZGOYFVF0oAFqyIHJ6uMSmxUIxYq/LAKBVU+Nlm61VPjhoka7OHK6WSojlATKg63hlI2EwNa3DEp2wnTCXb0S9t/CvOnz7bn2nUoiqf2oC5Z2AHKCYMkw7CRaEFxTQDjbTaDj2Bh/WTGajAhigMCfCS/xE7wMbCyHDaUfEA67kdgvcOqaZrbDgVlZpkZBZNl0wTUHt3Pky2fEJ+HAbZKVKJ8HKf62SlGIHTvKJB1r0o/BCICGyQky2THs6/GlXXlLK24oZACPjMCa9PGDOrWaLEuKXvAgxaqyxehkUVZf0ZlLy5lJ9YLS87NdICyaC2vfXk/DUHt1PMc5jofYSSvcBhfoskoPjKg7NseAlkfwUkx02AFyzvmF5cGqzahGyNqTlixIQ1OwDvlXkzlzE/8GL43ogaFnS4wI9CdtLqBkAq1NzxS4po07pQnF+2se8IXTmpSdiZU+VFFXfKgklTZY3/yU7NCqigGlIZCZ9vibKgKN2zvkabfwDhzHozQnNt2AXH29FeBM3Thgv7Qts2cs0MnPQgOHUv3Aa8b9x/wojiAB8YufcT+nTNmE+FNj8BNVl5YUz6bEIaftQ/GSoT7MgLbFXuxNDK9aMGGDWT4iAEFtjEyeLs42oiftQ/EOmumAQssW8UFx6lVe+/HJNW544SqH3CeFHwgsEVWNS0pwD1fOMNCpSFUAHWoJ6I8e1yPWxix546j/w9hoqqONKU6G/2n5MRFR2XdgFd6+oCkxVjT6g3nScHy/uLVBXltJVL1rANYmAX81HlY8O3aUF1F/3wSQvk0DVRmjLWtMCxZ1NPshmmsO+7se9bCwxQFP1l6ge1Zl91xcj5Ia5bN6+8AZ12JqGWnJ4PECSxiVOeM78PBhJ+FQjAzdcat2O1E0kIFLF9ImCyFK93r6Y3DThQZLHJgp9OZqxXm6nkTNuwE1mKFZAAA7PjEjsX26q4lvS9M12Ai7LIAXwugfowQBl7D2WMzgxo4cTy1ObvvBuYCrJ4WDRSWq4JngYiTyiZXlSbuSkyJSPGAz3xCrmoTy0PhUtpkpQNWNgYXFzd0KB7KlUfOTY84OjARCJcCNuoOzSgOipD0/QhOIIVECc2kLu8e5Re3pOKS/pb9BT9BHLFxvmXALS0b48CRCoZF+/GjIj22Ix3ECqXh17uIsMKhAZGtXIVTgRVZibPu8JiPuq0E/YtoRNLmxf5p21A6siuxjz/Ub0EJpakvzdE/k3I8+w8mk0ozqpJIlRzWbSBSuQn9UxTKuQ82jqot74wu7jOikAJGOsfB1rTcMBrYHh+EG+33czD5z1KKurdH5vBDPi5ghypX8o+GMvFDvlZ3xldUADYrtiL8wmbTH1nSuCQ8+Nqtd94nvcwDAJi+4Kx6FcdUKZ5NR6EETHWv1Dw+m1XoDQ9MfUGBmrG0/zwj2s+uqZScBchJB2r2YQnXdrIIG37YiRoN7QNyrUwzzJUvTLvDomhfp73qy4wINbBYY7zYKiT5f3ukDkRKv7jUziIFCLMnuEw+s28gCNOaUUGqSYBtnZgJT9VDEQEV1ZkInIAo17HK4phZoBZ0J/HZ2WO4ad5mDny+seIod0EXj+/zuYDdTk4dlhXH4R+hVBNgYVUUuEkp5eaehVCgPxymMAoL/zsICXhXKsgsrMQpbjZigT8ptZ1Se5tmWc603psWKmzBx5WndFqySKhKOa0w7/RenHleKYFuqMPLbAVqapEoo0dKva6UQOct9S2EBM/YsT75oKOIoHZgqUKjhO1IcQXamFt+aBvnnQdMKvq2/5UWKSwmwZXnYd/hIMExDRfOdNc19JEcEzYn03o/lqdUESZSbFrQYt70CD29My3NreZFISGxt14zq7ooXdS5WJp09/btY/Ji7dwy6YQESPKzdAECZXe/EcdvlRVtGNBYwfN8QhE8rDwWrvpmO8c5gIG2h7TVV3a3E6Jla66PpaOcZoRIJKk/tKJGTb5QghCJVDKcL6GEBYTakXoS1Fxixk2W5mOl8+F2ioK6PZWii4nKcwO39ZfRFMB5B1T/B5k9xEFR/9LJkmZF9acV3THoQy48d6AEBVbPrvLWQ+GYD4SS4J28mN3No2g9yyjcV/U3EGa9NTKlUjvW+QgzalcaJvvl8/0GC5SUWu/0T3JQSPXTVWddpd16OCm17l0448Ga4+mSDk3tF0BMa7iPNOPZUf1x9KxRrNaSHgGwR0qtenYmU+JIIW+lIsAdxkmteHZMNDWrLnAvO4PUJMi6f7pC0z47kidckIgv4KRcT3tFZFlFmSgSQaZca38jgDduShaTSK37Uirt32GflCcKrV+dVyCQuvLGOIor1S3zVvoTb4CL/eXumUqen2c2i4siT01rXndpY6ueGDvZAXXl5UwUUPPyvLmBP0vaMwFbfa6NFHD6FfxAfk/mBALps5QLKTvLU9e2TLc1PkOof7KmJZAWfHY4S4Kq0iprjqCc1JOeHc1HRh/mB2w1ESo2gAQKlUS/w/586kvfmuW3hpH2zPZZCVJ9gdnDsGaHh2GykTOdxNTiDstAUHsnpu3T/mFYj7K4qWg93huL8zs48b1zyRzwqZK6qM6e4y2SwoGSiCuU0IkOF7TuTzbh99TKY/gcDAX2IrWnZEqThd+yjgtYc714eSp+Fj9VlkqApV+pZWfeg8UvgoXhdHMxqf7JWmp0hWZ+XlxSWdpcsTsWJ2Hm079G3uy4NHd6onBkuluHIExXtotw7OjrG4U19clHnnDfRK1wppd4+wqP5kVkFEyJvTFJv4NDSmOuAzuQ1Ch+Rarpa5gTXcCBVwpRC+fio8fx/X0Uq15pMT48aaS/gLT5tNaXIBkp03k8wEgB1YfLkloHEv8DC5Ndp2Tk5ci3xK1muCy5c0rilvPtiJ5WQmkrUKJzhZxSqjlPvhAy441JiqVy2seJI00ZRceWUMIcB47ukOJPds7oTqdFzdLAJNwzuggOXGfZ4XyT0ZSJX9PMBWx8j+Rcs7qPXzLGc8fZISM5JwB2P8fAt73TUD98mjYRUkoqfAD2zQDs06DB+rDpo0LqoypFNRI3+KTi2kedVxfGtA91eWOSutRHvd3NF7x0lahrzTqZI0ACu1EqH/Uk+9Fdt2R2yZL7ZcyJZHZjf9ZL+vfP5pID8NtXnGD1fKSdIckaymlIzCwlbeSB7T3SCsXI6YKDILQ5Z0oT3LJAipXt2yjXU54nG5Ur9PVumKTfwUkx0g5LFBnCzN0AmTt4AHK5dbpCMcn5AF/baVR6YM4hrRv7qIrp8KqOkw5vWqjs+CZhiiq+7mwYvwEEF7ARqULx4F49fvKOCyPIVmrMm7mjuDE0F6hbFX0RyQenuDdEttzYDPS05ztTmX2JHvC1ib2jWvvlreNTzV37W016lHWU7QwEINCj6P7dmMZVbzgkdQaCfodax4v9qeR0Mij7T23dHa9OrrwNhqLztq31zjPTAiYouydgGfMdQ4mbUaStMrCBvkKr/Uny7lR4dQBuw69NDrzn4WlQtzCiCPcCOBeommB13UDLNG4MpSKgZrlizgMbu7hYozJ6/ZOEisHLfBTXsT1Y1LqqjlN1HOtINZgwUnazzA0h+bkHc+S3O+xBurInjWMfXzjRIBsePkVyS1wv7QfThX2CrkADNivW8Rf8rSuUBEnk/IRwT/AjzLk+x0FcH7c7fhK2nYifw1Vi3Qeia6grMtVWhpBnJq7xl3koJCt1/RlDVndiUXk6Yd0Etk1IK7yrjxELoi08fm0x6eKCdX+PJEjXZEWA2bOfFykPE/qBhNaYBEmKrlE12MI3pq1XXxxH8u3WaORKqLosvjcqQrJBUrU1P4Kkati0pr0R2p+dSqjSL3nDELlbIsXqsHrTWD2pLwKQu7lCS+RmUGtNQV+MAZsVazNEOzI6z9rubj+JQ8Lk7gR+f63cID9pR3DnXKe68zsbYmsq+Lik7Cp97jBCID84IGU77WOyrHTwwb1jiXl4iFyvZs0ncq108PbE3NxGU3G6BZOU3T1QYr8sfWU64QIOSa1yV9d5z3RHLY7PqLxh4QbX1Z77JwXVKZvE58mhnOyqO1t+LF8vmiWFHPYguVO35kCxdDKgcYcFblzP79BCkTkjzYQQYlIrnP4DxJA4uLljtNuYPqYjbssud79IYbBLUlrg2+P6A1VYQg0M0PnZDe+6iTK7187XF4t3hz2hmJTvUsJidSROR82g5edZI6ERBR7OI8LmNv1zlfbKmeazKm8IIrX3of8WFEouWF9RVcdLNiO01Xblq1UopGuSrq2Z3S3CSar9RtCufFoNhbRdubVynN3nCWtay4lEAZc5KxCmn/ZqSCGRve6FrnwHDIX0ZLO8s2limlTtY79VENdSNVnyMjtWk0jl8fauwXFNmiaoCRDVVpPWdXs3YrjWf2+PZDZkswPp1h7XUj2Z6FfN15UjXI/g2qMmzG70Ze8QCz7sl8u78hFIFJmqi/i1ceEWHV5vIw5cf3aNZStPkEII6aG9eDjgFDUKZuNzDwlLFLRxDAeTabVpd/JcJycdr0LbnHDgoniZFc012fWk0yv7ld1cT/ym9KS19EM+QkEqJxMfOH+RJlTxtHOfhRcnUYPC0onMiHSgqV+U3lTpBqn74Xo+tR/KApS8VoRyBa5tVKQoVWQtTLnDT9i5XpzkGj3vOP5UBz0Q5trpF042DsSGWdxg561ccyoastT9WZHQkziuXX5UwuGQse0M6TyOa9bx4j5l+nmNDuXMg2v9h3ZNJaYUNUET9Vw70+2eurTJTJURnmPmWqL1rZahzSCJNyx/y/UqmjxzVnc2kuwGSZpRY8IqleBP5nbehCu+3FLaMBESg1+pFMPwS8SUsEAINZosEE7MPUnrNWr6damUpID2W/oy5Tq1Crfal+nnnVGE2lqdYuoo9Hfp887MCDW4x6DKPm/BvYDC9PPOKKhpqrX48aQW3AtTewy/9NR509Gx/J7mJHkyXkNaSIeitFFnZegd1ukf3BEFSnHX+Ex/tpeV4YFJegfH8cMPSjpvOjypPdpeiOiKzrKgCNSVtVeO1S7fr1k/3R0hUWpCG8RdPeuOGsVhqR1+MEapdsA5HSUHLh0ZrqOAOv2+Fw1SQKoTawp5bfggolQpYRlRvqPzxrH2Kk1btcQbk7KT4XeeUJxoYHtfiuzAiBuZ7HDg72OSQ+uaEnS491CWWfX3g8rtJHET+RkVIALk2t8DE78kIdUwWPNjFFBAnjPX2J/4F4kNcwqDyIAmVfBiLMOvZhEnvk1VieK8c4E/OUAqI7IGqoxclaOxJwEmU7FKejjL38aN8xaxHvRlJnjuOwpM3Rz9C1pvuNOvvnQ87Q/UybUVpftmuOKpJ71rliWwpUjAXnj6XKwFBZLy5XZ2fH2tPmqyutKMG9sz/Tg2yu7eGDgh1Ri68dvwcQHbJw857zmKwH8rcYyDBV/bGltfva7F3eAPsjrzu0vb+lO7yfUb1m301Zj53dEjoYVbCQYUSMqlnp2FqdXctVk2X4yr9H4O7LM8oYMfFSHHXUNbWbXPvXjtfnLUAUn11rCfpTJxlPRD+ZygOam1D4/zcVbjO6WsbDCjQEISpjWWQorvYI4efo8XxdGvN6kFJbWp+KtSM9ZEogELNuIsaOxZNVZx/dgwilzz92PqVxfL8Jsx4smVGQe1Ezs7r+AP0Htq2NUOqqHXtJCf1WmCzylqBwUTJzO70NjU+dWakVQkUkCc3QRx0u8sg+JLTSmBdYnSPg8sUOLFeJc702xddmHAdDFJnNbIH8mZ0m9/A4HM2osrbDg/JWUegJifpWvd9jABfauK86LqtMcEDwrE+kiQ9O8v2ZnoAGPj+JKkOjDQA6ZtV3ZlQpk7E4HCkZjpWi84Jxh/XmN17kwuF6YYY/NJgYg1dmbpGr9jfXeOTYh7CvK94ROHoPGP4CzqNDQOntbsrmSMT5F3xVSsgNY113AE6tzZF5AJ02Tr6mN1L8EhuTv4GhMkmaJ2ZKRaB/uuiPodL9h6zsxEt+Q27Je3EZsDUpFSTnWXH3hqhxQqDX/JgiJRV15OdTzZF+cSa9Xn/Z4wd0Q91V24yQSTybu7qvjqb8ExwdAdKw3CTKypm+4ImlSTK2+hqKVY+Xl4FRYRdbWktN4WtbdnXdZtiiSlla17OirzfITNtShFPr9XGNpFfLbt/hYZKfpgZy2qDmnuzU4h91ukYgVUP4Jlpcx40MbmvEFhzjguagRbEwo8UZDuV6SejnphomZhbduZQe1MnavKN5550EJ1+boUqN1VT9RFIhmqK9uiOI5H6rpbE6ZCI81w58T1toOvVaxJQvq84JxcTHpApPz0zaLToCgTikgpJz1MpszMpLK58xPdrsoDCzQLK1/DDGidIaWktymcDij9jmf2JjzAKBjM3eusG/TGWuVdP9kBwrmzrf0JWSVhxwkkbBlJJTIz2TOXEwqMYd3XUEgpp7vL95u7yrABxdZX4JCubEuBkuhOWivYHC/OcYNXB7nyEgjK+YG0dqXzXEtO3NirwXDlJRAUmcqCVEcB7WvesBNjV14CQbqw0FG4rBV7wE4NuVb8oGU3JyCCvEuyl5PnWvF1WfM7Ubkd3rD8JycSBTg3O8o2548OvODpMFfepkPR/dhR8KxkuwcphcO1nR6dNyYoSxP08MQD11LtiutN603IN6FsQLiWaudJ0n5uyTZCzMz1rMo7OshuaGlAiKGoSWEx1MNQUtG7ER5xXE3rKKkNIN2nHNaID6aNWoKnegqMoURuOEJlBlUYmM9PF47rUVABob6TfdLslXJpc9OoiQ4pbJmiQQpeskiTSEbkJe7Oc7JjpmtFjQkxZTIkiQJm2uHOkkiBUGq2qqpRPv4wFmcbVgaCGZGG5EyfTYSO4Iq0jwNUw+h+TkBXN66TSiVcUqV/aCd6t6Mk2dHGnDB7aIHmbTX6V0GIArWffSo+CGuJGKsxoLFS3gGjn8mlhAV8lHJ4fWq2UOBOC5UR7Tu6rqYVtNaXhGx4YVISr6u52kY3FivCK9J1pGgP92IV/ewOitr5sdXG0ugddxRSp8utmbHQanF1iCw+1AMTVctwiaBj3S/wVsKmC0aM8KQJteYZYXQ0i6LjzgtWCra94IiUd2voH9LbkSN4CtrUIJ+rCvSEpXQ4lOLibFxeyWazFxyRcuK42hprw7QVmXNiUvTBdkU9yuQOTWie6+7Te2FxPs6mRZZ05m0MiFvdYTkxV5b+okQdvPL0MGlhA73SXxcuPuATc5LpKHHbygUmqpLh5/rs6B3YaQRWFIzwln7mfCkoO7KUdwYtDvflIZQoO6gQc7UsF07nyzdNH3e+8or++TaKM5I0Vvb3J056wDldWHqFovSC1IrMvqYihNpaB6VXsM3Qh+ANsB4DUVVHmlKdDapudOBwMD+H9DTN2V7WvC62lNSmzQeELcbq1/RJ52EBAzgI2x8bzjjxdCnqG4ygjqVVKuMClt1civppRlBT4qXdyUeF9FAZeOSLgJoVWxF+YWOt9Vtl5buDLSRrBWwYgPUFvdWrOHlQhKdBCKy68fRIWycQ0TcqyL/YIXl+qwkDpB+j9Kv01ygUqQaUr00l71ZY4KS+oAHkY1W54ArVfsq2aCCiL3pN5AYD9SZUuXjgBM40tA+Abhd317X2rhA2SlafcIV0v6ETFqYL1SQrtUdK0H2jG47uv8aI7o/r5tJ5K5HuMFAHumdn5g9EVLS0qIdJlddWN4ukfQbe1aLSPljSKpuu3hK3eMA4Cb70tzhW+hHnVQ82R5mr3U8+JbdIsEfqQPmw/CKS8oHMw9ipKYxAmdqn64zuIFfmWF0W1WVZ11JWze6tEapujfLJgjFzFcnbWycXGiVM7bgTaT/HwLcNTrWd5rAZ3cQFLVQGHsR9DNw8GXP0PyY8PHokmJ1tbKYnTwZeKyNoPc401+kJzvSq88yhndF69yvEOG+pbyFk7iKyBMdj2Z1eV4hxQRg67U5oLsJPLJcOhtPRNdMz/GJmKZ9QZptdkxdYFXRAyMgDHpSbGa4x5sltF6DputLq/KMcd1qojER0gECP5SlVBJdZUJAi6BCckVphYHMy8HgiQpiUtF5cdNLdRii/AVYmAPUOZdKWHdKVQnWa+WLhGpyUkHnycuW+0378MZmxEtVy3kTadwIrKZVUmX48E0GqdaH5Rs2QwgtO6tInuxGkqq8WhUvnl0kH8cCij2Sr9C/VobDu9vZ3iuYmLlBYCUm9TKxiMWZMIKD1ZDK3SkDIkwFhCpVYP8g+qTa6XnkYFYpA6sprvyikOdWZ/Ty5gLChtwZVVBK9zT5ndFOg1hBt8IBxPkvJ6ULNAxOqbS9nvKl+nhQ2W0NAKoneYV+i45Ll2cGEPCgn1xZaJMrgd7e3Eo9HLsNVJHmyo/kLdatOutBN0rw9UurXndmRaAwvO7Fgb4sgUWtwTSVRf/YlKmriJY51kt9VtUdKkOg32CddmD7d3i8SklIk1l0A0oLPju738jRF+8ZwTxinS99KR1nrh6bP46vbCeEesF9BWuvZCfeEu5sH4uU+0kMW9lldeWxPZM0YCqw02Ei1Q2PajBquI5ACISAhhQs+t+PG+L4UbJ6halfYouYlHQynVEgIhmpdspByzTD1IzxNjpDMOy/YGBgfKCZF+/aF+jTI6sM+qynvoMtU2U4qZwbcLBIr/X6SLR+AT6u0zB6ZWT6K308yjuEK8ZYPOGzrFNl0JghdJVXfLotlAsGE0lGFONZ6Cr/BRBSp/X40Z6l9wtrTWVK1KF4/Gvo32BKfhJOGLUw1N4nHSFJFuGLN8K3Q7I9RsAKOqiJ0I22zqx/v9j+BMxrgNJ1OP5D/GfM/3rp5Pb2v6x3ff+LVCuIE+cFPRj+zEXciBP/1xvX3P/uRqVfa517xd4N+0+iz9jrMQnX84H25jbhDBxl7Fj7DT+YiFzqHZhGu/r1E6GKOVfl0ExN1Y8woNtrouDuwODE8b4SQzwXwCVpmDbVuf6ncNnBqrM3ObjsO9KKFCvOaSKhA6lmobAgknInsRhr26+vWrtGihC1EuALl5y2q9bb7uuAMQ2XOKSlFxrlIQwcN3YQjnPT18yXzdgU9G2WaUpfZtO1GeEptMv88WRqNYJ5Psaf4Hl3WgG0NyW7NXLG8Kt5MU/FMw7atSdtsrVSUEJ5nvjg2oMB6saj/DWMXQf9qZbnaNKN2o6V/2MKOS1m1syF1I5Q3G4ZDEpQVJhRpsminyt7UDaON6s2bxrSQQC2S6llcnmIGIjb0NstT1Xh6+eZKGr3liWn9N0ZnhBBORidW9o4GFxIsV2zq7wUvVtrqn7/fmHbWUEx3gWJa/7q8+gnbSGp5uKw7TN59tSKpnYOKKNtIqkorzcsTya/WUhWwLS8224bSwrC0yd3Uqxaj6AUaPiHsmzNLRS2zHfS8P9OUqznLS56gNE+zgk+HUuNJmXxr5MKNjaoPIwS2c39Aa9TpstovaKHCSsmQUIEcSfWK4E3CAtWmHJ3fCtLRgmRa67ndsm6C1vXx463Bi5n0RMm01nkxHbO2kelUW+RGasYJPYHCqptxUfsVlXm26/141knzAU/seYU0b+lMSyCWwRTVjAVkLNMTJyMxCSDOsr1NyZ8zuMCVtv4NqbLO8CrIaY2o0SJ8WCkhrjQNkaJ84ptFu+lJWSdT7jQYmZYlEIoAsuRNCCzhAV+kwcn0FBox5AzYxiG1hr6cylOBFw1Qpt1SBW88z9YtnQ2PTq+V60nNnDi2zwmejLgDzYqOtvSf7nhyzQgsmFXhxZ8ALTNsenpMVeYPRknAjpQjlQc0GWzde+fW3GRM7rkbLVSmHbw0OzKV8AjQ4HFp5IRizv1qUU6plwkByNTZoaynKZd0PGPdhXAzfQrEs2uE6bMjHh3inw260WBkWpI2jwDVhDQcJW8W0ZMk0xPoODJ2x85FtajakYyqU9OVUrp0O4dPuGaR0LkxZKlb9abBCOvCjcvYsl9cQ+jJvC8wdRxU/ugK2WVEtrqRoOweQXHy3pHCQkvZTAcdG6kRYtvb03F7srSlTJn7FbLK7pbaSYJVLkeqsqeXRjyukMrnuhY6CU5d3BueqhDv6q+UyvuVSqltnFmTkh2Wauq+SirvCbxoJ6w+goTh5bklYqMmLhwRELzNbOz8gtDjrHRFnyzYpuMrGT8rDN6LJOS3M+bP5nhrKVdr1bHJFpprsxsHdpIIyrZmELnJx9QOLdnZ+DT3FGxuh5+SUkeYqEwrfWKs5oBwqBUizVjaiiCnOTApX7sPufX68+ZPLT/3AAj5ABRy8LMUNSBAdcwD4IgCutUxN+9XxwD/CuPseMleGgunFIqik43v/TFaJV7wPiYbm7kRCjPN7jAwVopGNrisqcs91QH7GnqsZc51skFiBc94eRMx56PVpGNTxiVL0cwGV7Lla4r8pTyja9sZURRDUrPab75RF59XG1NEbpVttWOkZjZO9l2hRrXfz2QsV7qdMTlHrEC7NGKkKmMny+GRZAo+ybk2fBZb2u0FA3XQysbJLiHUpPYr92t2J9dHCwQeMFIHLS2cvKSNq/z+/HxVze4IwVsBXgFJ/TBnxdCUOpnKXldl80nOyj6sg442MFqKjjZIJgDQLs/FbO0uJ5hRaB2YAUs+oF4RJMhZSyIE7FZ368qeRrhGEF86utov6yHtJe2hUje2gS1XFI1tcC2gvTRVbTiQmuCoDvTvZIsTEqtNaxtA9T1JF1mL6RsE1Vv9F1r3A9hbTtiQb3e2ASBXZ7ajCuLEhBw7MMPQMGF6x55LwA0TwmvHUXW8wQwPWqxOXjAisTrobdNUalqb1qeRrmxhczLjn2za2wCgmrDOxuCzvYurBvp2jxsANNMsyNme6zNeNdC3G90AoNFLmbWn8iW6qmd81tt0uxGdNZ+dNwkI1WeAV+Vo1ttvd9N1MalYquBdo8XKuEjf7ncDYPIySzo3Zk89aGE62RMYN4quUO9LFUP9hOXTuloh3SdmPCixv9KLl04jZZUDpKySPVTqbjcsoc4H9qfyI5ZIt7StyytSsxuW1C/SKo0Tyd1QUMYvFOPKNMd4MCjr7yGp3xoGIFmqk/e0cVHPFAv87VqFGY7qoNONK8UK6D93duE4Q20guCogakG6/u5kByFcsW6OJgZkDetJmz37sNS9RBhPowCwwCGxdnxMpUp5mfCgz/0YC6nfDUtilapKNPz8XD3pOSe7sNRNb1iCrazqKxbWSknhHxAUIvVpYQk2tomnEZm39Siw1AbLkiPISVWatoqIFfNADHuV5NpwwN/cW50lGYF9WOoWOCwtsOKYpuMEo4aQpbSG3Eg9cFgCTR5XJSq7DrxgoNQtcFgCXT4LazUo6wmntdaNAVIcwBJo1Hy3ebRgyQMGynls1dGq3Sva5ZPK2Ky7GKQggCXU0QDVbL+kQwdHpZYq46l0oAcOgNqY01ecV2Ah3e0DgkO0Ljgwp4q9tQba4IBBa3Zeu7B8l5SvAJYwRhLUFO1lcLN/0ymVs0eDgd5wwVJ3l4E5AYZQz5eHhKfjWoITsLpaJNDf3ed87uXffCjgxfVbt25e/0J0zDP82wev+Gerxqr+PE9uXP/BHY37i695rvlT1B3cvP4rRdKbK9VjZ+D8Ar5J1kDYML9hZ+yH74+9HnbEv7d1sA4L/FG74z98f/xMwYjFy8HQsFlK0f0H+IPzTQgORVhjmDSqTkm7CoT2Pw1YtQQM0Z7EN2VlLPcbadI6+fIuLm1x4+lkTk4OqQwV+kT0LQ5Qd3IbGkRhYjMm6mMc2EBIfLeqqSsU32IlWClbOrSA/7vYqN9I3o10p8XKkmQ1ObqlhpWxC2zJlmEdJ8Lji3u0Dt5sHDjndYjmzMTbzfc9A1InMPp7NZJI7T/llmIIX6uOqSD3jIDDfgmnAtQ5iQLpmlThdEFp14MgIzDNkAQKO0yExxP3GIFjhcjllgRCMW1K+/n5wFwiSZb2OQlNwB5yvXUCmOlB/LXicRXJ61v9AJIw6Zc8kqzTfrFb7/raqVgd7NoyQnjJIzUrINbAjIaO6iByn0IOih6RaEdOg+UFxxd0ix5htPCiRyTa8ImRA8VEso4mLf09MInWfnmOMCl1rSEmhFQFbrVlpLJH+rtKEqr9p7zOqtuHyw4LSEYLmDJLtW9Icl07iRSVbO6bUGAdlD/SLyqkDlaAJSsu83ypOOkVOKpL6x+prQBscCPiR0bPzBDiFcBBINkA/bM7ahsAUJuFogh5X+c1OKqD6kcYK7z6ESm0rtpPMVdY6tzhrNybQOpqjyCttZLACnhdlqofkUxAZogLGJsPdoOjUlc/wjwWvPoRacOy0jWzPSvfJblX+7AObMDJV7+oQ1eb+sfOVP1slmzongOzYl46MLRyGMYZ3y5/BBxqYsJsqor/dcJFtcsZxlYVFEnr9rtrF2Vo+xt4c6TyEkxWJ19Ro94GkGsflQkhufqiIPLVPzxK+pW5JK3bPOyXuCE/7iltdKcBSb+gjARpU/W4JNJOtWnqyJd7Oca0qXmsC86ZP2gT0TNM+qWZJMy3Kx4BTF5m6sKWQUuK9gFfytFst1/zuMvLCe+UjXrTYmVcqDZv/I0VVe+MJCjpCpXxNd7+wjlXVpYcYFSQLNW6SrF0iowU5XXHlNbMNS57wUCpqx7plzwhyVRxfhG91rBkshBW+ctVFanokSXSwJzApOojowVKSn2GzHj61D5p2cXeiqhGTMr1AwEAkqUyvn+2D3uc0nAWkH9mQIF1UPnIkmhH5CmZPWNLpNgZiFpYqn1E81ehWUMBqhITCizj76jhZiZ6LEUN5rHXQYdljbKQKh9Z8qyBK41Tx+Er12Cgrqx6RNJ+VnHE0HqAgbS2AkEhUnWeK5dWQKrG5FVRSkGmFxyV2lBZkmtu1w5fHa4hzSogir1KclW2ZC42Lu25wVGpax5ZQh04KtFnzI4SjlWAoBup6pElE5iYF5SESIZIa5Z9WFdWPiLJNXsgens2KYRwi9S6PWDprg6SVOMCec3BYvKDivZQXVn7iCTToi7l6cBCOmFaAXsZlmofkVAThgbStoX5HnBUFqUK1D4CIYCsPbdxaPBNkBSIDtEKH5nZs0Lf/4sem2wYWB0glBNb1zCWih6p034AqDRlvXN/L9UbLlTqWkKWUPc3e7YnjyoIqICnZQSV4lE17LWqOVhcWr5MfHzBbnnKQ5TvqrGEGqufCd9oUxJclf3qD2pU2KRiSqrjMxHKWhG0AoQalH552l4bAujphEhWqeHjlqc1MFxKh8TasDTUsRd25E2LlX49JTUrEAGsB6wPJw2lkyIAtks/kVAN8UG8oijy7Qe2Sz+RUI2KYNPE5BF++S/T5ZRItFP1/MiRBrOeJi1Lsys/JGUhNDbKDZO1jGHWfRRWyWDkqiVjD9drZXPB2lN7tFMwEoLrtUoYtlhqVvBxO55puLw+An9+cUIrGQypX5gQ4NNmM3wSfI/Wpn8y+OLNVGD1/23uzH6a+9Y6nh+8QNToOXFIjFHvjMcYjTmJJ3pzEk3UxJN4qZd65Y13akw0UctQWspQZkpLmcpUylQKZS5QZijzVAqUeZ4pLXQ2+Obtb+3VvVnPPmvvXf6Dz/7uZw3Per7rWWfbD1gpOLacIZi/gc6wP0IpSd10yYnLO+UHpurL47ngULcuhYTIbVqlz62w385uqW652TDL87IjZDW5DdX0JmCCmredaxMdkyZGZCKrF0hPUmCSkxUsML86qhHKfavhdrNyLplMKaafmiBlTqbffvm4x1iYkKUVJCWp9g+DRKR8sbQ3Mp5CeG6pfhq478aiMrZQcZV+SnkZ58i2b2wEsdu+I5Hsnf7HB8ZBiuD9WMlGahDrc/rY6uX0pbis/yIM63nmyGTL+kAqFWuNKOMJOZtazk7vumz5J3KYclV9xBnxaL3H8Bh8flBidp/YRgp00Ed/JM29GCG/PDyufqqLbKbxAv2JBLM82jTEU22pb+oMkeVM4CzfNjir7epTMMY5sh0F/XPxF8xJh3PU0KT9jkzJLSW9bwqLzPWN62j8Q9W7lR3e4txxbEGKTadcZ9BZjC709K2MuVkRWU933oZbHWMMj09sMoWRCr75ZL8j8XzVqjufnMP6L8QWVNDdE5KoP6JARVtuO6wH98Mm4u9nGPkjvDpZ/5kwKfJLuW+tPHcshURK0cKY5vcjpJbT7bta6zAxUH+ZcydKGv1/LUxuvDqhi3StDmBzPhvqB6LSO2ax+XTl/DbKyIzt9pYZ68UEdkwaiweYZ1LwSWpfsTkfv9Rnd13k6Tp7vlCQCi7o/Havm7HWp7+UXFZurQQ/l6BnFzmmeEEXtQv1fct9aRSk9DVSTNA46/ns5qZ/3tOMGSSQ4QUDJR2J8Za0v67tIX55arpPn66wtoYoaQWP04eph1nmqWiWc6U2eJP2uTDjOtnOHFT471ZNKVSYggfp5aC7kjHqi5xeWWuHjTZI6T1HoLXpSTs8+jo+idn5kKVAENMJ7xHFvjdZL9m8yqotAqD+CueOXyJdJwbOn5tHSvwQXcXsEQyCLS2p6gkVZ2Irf2yN5QoBXsYTmhBAUFXBZ3mxNx+Ayh0CEql6t3HvWa2oCpNRExMA6L2eiUj9fG8JY2pFdi+faQ6Ynt+ufXjoSyOjJiYAEFRjUVX6tV//HRmVOwAEz6XYUescp44l/Sjj5mFsSwga/8IsrETQq7nSrMvr01QSKPfPl0hRS/vg9oViJ40EmvCx3z2fr4pophmHfchGG2Q7p78rxY2KnJabm8wLa0f/RSYVs9UUaO4PhMNKV30LdqEHyQi4ZP3LBESAP/2i1zjcm0JGFdPLC9L1uKko6/DVjq2psQQGFKz0N49Awfq2N7raOfz7JM4/5VxQJZqoXA1jW1t5G4yjlFiqJZHlHPTvo4vNDd1X+EtgbKgJH/4jvoPZCn0JlvojmSGXrv+UAFj/zInVNHgdhcAylP1zYd3cGCy7m7vTuL1xFNUxyrrIB0jk5gbpKjcuefddQSxe2bwxYrq5QXPAa3lf71SvLYXsPeFGJUWrQKq2jjfvHmg92C1kdg+KmNZzkK5tdatHobf1L6Rab8JVfThe3jLd7WDHQOzVVG5Y0jaQBhZZWa8Wi22XN//D8xQoEf//ctA9lbf1nMLrrCIRkqZnbd+oF/6EZ1KdCEmzCxXDRQc93/FKAHnNqWRHbJYdIGl4sKyr9uZfqeyw9E6Pd9QPnB7D6SP6quGaJBprJH2z2XfIj0wzawZFVfV8DbZD4WuOpG/cyyYm8seVZW3Xxv3fpfFGkkpTZNMhFpvsPUadXXmGMWMntj9NQP9WEO3WXmWxqrA0TElLbzzkpkVfsas4HK/rGqIzSdKXKDFWdl/SgDz3WaUqwwYWojfM70PvogLRHi/4V3V9V1gz55jeUnmTMFZ2c8rMVNdV8+AcQ1dk1IG8SaQgIHuTuFERWcenJl7VV+f4jpo1CD7wJ5Foyf4k7mUVoTX2qy5qzW4/hFZUjxIoDGxNl/t7BUdfSAErpkcJJGvdU/nB8c2Dnzy2RH27HtsJxHmUnrKtBQpnD5anIDEhlQMEExVxKaHFSp22S7uiDVHSCi5rnFNpdVk5tnt/GqAEFXwdYPcqKSuqdpdv7WmfS9Q4t5Kvq6r8qV+FzavIQBOmCyFvURG3ErJ5HWnIOByy/C0VKr0HCNM0zqo09eJb6V6pSqLCFPzXxzWgrG95Xe25yPBT/nrBQePMStcrK1eFncVixyjv1ZQ99/eYDEH7wAvjmBJZESSyKYBQy+ZyyodsmlQyqphWJdDSP9Sde2QsPMbSK3ZYMRt7gk5Vdu2jRfezP0BJkVUW5FSgf24CJGvu6kLo/NCJbVXYYcW0qoDCVXHbZOpZUaWRUbkjQKJwVUUfZmdvlbi/8vsdzGeaBlavFduROWsqGTXhIXBmXn722SeSyKjcIUBfWgdNAlVBo3294N/RTCW2J5TIrASSdDyiyPMUtSSTQBPz75Exle10P7z47jBbBRtqwof/hPWgU9GegR9dfr/XlsiwBArU13XPzmrzX5BJf/7TdYFG/2hZpL/boWM0of6WEoC8SmIqivx+80q2ezu8E4iSSMW8jQxS1Hp5NWJfrE9CR1QsfQEFqUSDPzMwuKx+dGLXlNhQub1KEq1RMnv6lKL9lLFGIbmWRG4lEKrz9WH7KsefTEYVs4kLCHVqunNj79jE2KQgiaFEXiVQrB6VWi/23/RYYs0Oy+1VIsHCKpbEt3FGc8sKPa/7WHKNfALIrUTvAAEp2+lJP6k4OfJDskAx7Sog2JthhcwycRrlnVsJbK4CDa/uOe+z8vkSkK6Iaa4Aoc4NZrrGjfv8NqwMUPoCtmoaUBKunBrwq1x22kcy6QvYINqGlQVLMNNGS0tfwOamRU1r1VdvR/Pt4j5ES86wMFb2kvDhzdG03Z2NHQYgektVwAbR1kdDQ82lFizNiuktVQEbY2WvXFbe7hzmjywxNgXIqJOogM2NisjatyS/mXFUhyBB8EEBmxQE5AI2Rss+x2o0s7uvjpNkMquo5WtQEJTe1dX3nZWlkMJVzPI1t6joe09vNZbwXWOAPLI+EJX+gb931rjyNdqLvPI0vdHgYegZiwepaqyYoOyl63bj2ZBas48lhTxZBRf0a+EaEfREoXl0jTXSQAouKFK0RgTVtq7P9vfJAlSC0p9bYoLGFa2HxtTjai9uBEeGl1QGC0xU9hYbdTetjuLG7jAlreCyfq1bI6Cb5n7HTvkcrayCg8ZVrm/bmu9O7fLoZwONq1yHigLj5lsX7a8XfDfFvj5Z76+j4zd4C6jYciBRyQqEevdwMXbvMETJqGKWLUCo7Q8ydzhrAYAq5i1r0K4vtFD9dB2tZgQrssZK1GIDhHpVcXOjHi9IIqOKaV0ABcBif/mpwXqOHVqxw4rZYwGk6/5uu7xn/JHRuiC2f/lMM0B4rySwrTNgkxUbKncA0JetuFHRq2C6Vb+26KckTjFtKyDO892m0c3WP0KjFNkQfqbR/zR6N3i28/IdGTXho9/8aKw8sTxjrlV22IQvABNl+n25rZGBimy2JSoIglCtrqqlcN5kChlVzIv2oBAIGT1jO9FebBeIpAUS9dkA6erO7tzs0J6kkFHF7LMBQp0P9AweV20yDqmQHAYUrRKFwObL2M1UaBCbBdhhuQvYEq0DNTvdxeOa/0BJkYwLtAmQiFRrMjqvz/+GTCpm+RoUq8eDb6c9uinmHdbvs0NQ+Voi1Dpt1VltxkAyGVXMRhsYKnvxuqOiWS4rbcc2gbEPkKjRBmgGOHHqcty3BxGeGavAtWBQAFRUtV3YQsVfeOZWkqEiqs4FtKNTBRcRnllAIlQ973KvK/obknjuWQV+47HFCUDdU0c1vepnxh4gAW0B3lk/aAtgqu89MpUpqZ75oYe0XH0I2ZTlWvM4vQnuXfAO+VHvAsOBtyTT345tT/j2LqC3VbxzEo0KE4v9Kl1Td4DSqEAa9mRbBTctskXxr17qc/X/lmBPBTcq+jTNYLVlY/o1lYqVFKzkEwCMFXEpILIOD1VkDKT/A+qv/aY0zKFA37KemxOdSk9r/btNt4zztJjOMFL6kz+MFCmj/xCxgd8UzLr+EP33yEADOSlII4rspOAGRcd/ebExq+YmzHRXs/z9D2wUJFSyjQJDZd+e5OU3tY6Uhd6IqB8U/Ol3/SBVbbujctukCbP9sIWqmD4KkKr33u5y/aDaT0YVtQ0AtqjGtQGI6pQb/QdX2DqFhIRUVWpMVHYvRV7+44J5pJ+Wlv52NSZrnJui4tx4NrXdmkaFSe+nwERlbwLgPhm3+Ee6kqlYBY/UOD/FVlHe/UhWK+YBR4aZVE0AMFHZmwBofZo8feZPqFAF1zTOTNGTnrPeteoOUWoqOGicmeJtZ7HtauD0jRJU8IH/1UyBvv5Tc3JX/+z7QoVJf94LWqLMA5GxLkUBJiqyIkhUSuWGRYQtyCiYNmQa0sioYlbTQLpaLGOj+e1mkK5iVtNAuuZ2tsgabfspzNk/tsyCCqqCpynsB+kFoWNNac0/kkkTHgGVI519E7K3CL5PYYNNTASgL49nyqeztRWYQTW2g0n4JIA+BCZ3DmqaKgNkVDFfrQCNK6/p/HDh4DKNBCqmmQYE+thz6vFknzOS/9iWUCI/Bejn6yMN/QuhFcyjxoaa8J/f+KIqyXizpZFAxewBANI0UJfe3T71ilX9ka22RPVpEOzzw7q6ZTMYhMCK2QYAFAIL17PBwWttKnqm8i0pAFkpJOLcUK8Xdc3WJxE4uX0UEv38x4PWI9WhAbNTIwmMRL4fkKjFC8Nv2b4+ACq3j0IiXXPqFJ77NSW2WUXyLdD6LxFs6OVMlWvFOxaxw4rppgDBdpuOWtR3e9ij2rEEEeSmkGi9KvcuTlXdaFJIoNxeChIorPxHfLRk3jJuGbAGGF1gY/ASNQEA/fwOt6vR3lUQhOSAYjYBAMFet1bInmyRKCRdEdOiAIIdPO6xPQfxqwrEHCARqHUjZ/PKt+cwzx0rLzfFj4mo/c+AGSCrQtHrnTQk83RTGHkdWJOdHyDW8PnTdH1FSxoVK6liQcOKhID6bSR6N7OJVSx4+1RIB5fkdeCdFreAoIcAK5fax+dybAqQ3gTyjvmRCcRaI99vMxZTmkDoHTVscqKNlTvvhjKfJxnDSfoXLLAIZXeqdNT25WTt4o3AE9AABETbJ+tbzW3QJL4BCDctEga+7qwX19MMXQMQcYIV0bTEGDwp3FvDTtViKwIoC6T3UmOCth0/ZsbXKsvGe133ivpUMigip4NXhxIaUkTUKf+8pt3wCBIVYQ3xYv1tYVhdngaVbskV5cmaJcIShcz9wS7VBaMCvPN2P/LcdxXhiWlLQjENoi9R7tEMd3XbuZ+MKfUChb5TkGNandyvx0zpsZ0VaMyTnoH6OaVEhvuuok/lfMhOJTFyC0nvocBGELuDruG67qztuJ/hoEWWKql6J3Gzoi1q95Yddzo/Vu+JLVVS9U7CWNnb5kSfLJbTw2PGAopsWCTqncSNij5S0ds3fjPRht2gZg8CUR//AeUldQ92WZ+5IwChFbV7EigMhq4VwxmjQ8SAFdP1B5L1Jjx/vrB6/kYeWx+ISu9SwebVuO5Jsq7A6XgPMz1BIkIqexomKeL5Q1t/t7pDk7rNNCpWeocSJmncwz+lszt29+IzlkAnXlR2z59vOTec1T+QRMUqeJx+9fyhRfSMzLvhwQeGmwoZYlJ5UzFJ2Tso7d8fTtRXhTEvHW9awSM1zvQ3rDitdbSnhz8baJzp775fseybMdEqKniYxpn+uhqKrnfNw2mi6sl7KWU/PH2eHDHolSFGBSW2HIBqfcL8eHKbh3Wfd9Iyn0wCFbNzCjcoavV19C5o335A4hTT6AMS9GbPMNEWnWPsTGKLq0RGH9AmymbUbE7NHmJHJ2yoYvbNAqHOZct1L00bUTKqmDY/0O9/01TXmkOjjLkU2bQIUuYXKADsg+7Wzr5HLDlhh01MCCC6Nltm18P6aCoZNeEzwPm972bkjlk9j+0EP9MMoD9p3wvKd/A0igVVTKsfSFPXQ2dNwVJvKgk04T+/bKF1qc2hZLyiEttfg8xTEoFma4bKj12nX0igYrZMAkXpltl1mjN8gHk8kDwA5POTCLbG6HW1XJ+FILBimv1AsB6jWR14vMcWACRxkcjsB4rX+RJnSDumTyajimn2A+l6MnxU0lamxlI/JM8SxOwvkK79y0/3GUeqJDIq90wg0ZSVe5HZsbBxwpiyYkmhRG2TQAHQvJcbXj2QYQsrG6qYb/5gqOxtk9Tjffq2hn3sPB35AIkaJ4F0bTzbsgVbGgDVXjFNaSDUx+1I1cuYJUKu/In5iA5oWB2c5r7mv9Wk8joCSARoc/Bht2nekcorXxXY6QnLVwcX65VZ6X7emVUiVJ2p7F8OdT8m8coBfsjn6I88q7p8H5bRc9+eGkon7xJum3vH/MiTcFe4brdUFVDa5kjFCbIj7Z2T6JrSKPNG3GMmOtcUiZXsRwOxnsnX14ZqKxLtRgOxugaqlnKmC5KpWOnv+mKs7IaKwgl7UfPDFWNHFdNaquZJIFLra/Bta3yUcU4dU1oqMwVGyu5QyIrKzY9HOvzhlG+jDWSmIIUq2UwBQt1068suG28wVLYAEPUZKoyVfU01TpVkKladfjKrqA2UQLqe5d3p71fHsfNqtnDltlKQxhXZSsEtKzKudhocmdmqjVQSqKhGCmxdjTNSTBxXd21YKxhTKhIPUtX8MUHZjRQn88a20qqOL1SsJPskb0m/GimQclquN2DeK/9PKkr6kj+mKPtLVNuBxdGjyyh2nMKblv5xL0zTOB9FpzFzsOJAzhhLsfEFgxR8NUVcFAhp+pCzR+cIJlGQCi7nVwcFArmlGziwlSylUEAKPjXFuSdk4bGBM10H5vBNtJZx3onshx6HMWOT5ofTH/KBFqSxvZAhNLzA2OjF5n+JuqSANiS68GFgQW7CNiRsqGJWz0Calrpthlr/YhoJVMzqOUjTW0+0qm/Ihh2cxpZUUPGU3jgD0nRG41Nu7vrTSKBiVs5BmvoiGRp1U2+QrKmYrw7BhtRQ4Pax3RZl9kj9tlUBDX76nsOwEdWl9G5VLqUSOLl/vkSKFjTs9jxt5kaIiiZm6KPvNxd3Trnyowx3H7LzAw19euMMSNQmm6Ot+8WCHe+yw4rZJA0Eu+QwKpUzWVEIbMLn/yf9zIxdVo6tqbF9tUT1aBCqc3fH1zkVCpJRxaybgoZWZm/DqdPSxACNZQAg94REoH2O48KmmkgyCVTM56ZAP39oIVxXOabEqnuxhOUzxWme/vrpZHQkSkYV87EpblTkTMItX1ufKf51dJ5C0ivQ8i8RadP8qE/l+jMyacLHfl/hdHrLFbNmGksGJfJMgOJUU2deP81UY1t/NlQxPRMYKrtnwjxrvMvf3cRMXsgHSOSZAOl6KfOW5S118U1TBa5Eg2LVXN5Xun58lswrpfohn+EvkKZnl50tVvf/V3R57P8FtqGAJB2fVq327suTeG5UefVGItejXwKAuunIq8JTpo1+oaqb0r/k4+VkRZ/Hvb8brRj4maitXMjlaG5UJFZfNu6WxnYqscmKNy39qQpGy17m9Z7d7zXLfYxx9U1sqa73g0CNtosrT9DKKEkhUktVkcZY2cuR9ht/v13eiKUqsfEGqkiT/j+5Is2NinrRsgJTIyNq0v8X9TkfDJR9CajJ67t39Z5iLw+xoIpajQZpahpzqgotS4BQ5a5GkyYrcjUapGqGvecxK8OOGajYYUV90Oed9qMHfaoWfcGhrmnsVAUJCqkqqJis7A/66A/X2kLqUISSVnBZ4673Z18+rloejmlBBZeVvTDd0agu216fCVHS0hcpMVnjCtOOqYyOPnsFYxeIDLUEicp+wV+3r3xp1lZjUwBvWsFFjStPFzuPFi4Gnz4Z5tcCNYqZe3BrznfQ/XvBMeMK1BOR9OqrYHcaFabgCyp7UpVztK03vk4wWJEFQaIiNQhVNvW0MGALJpNRxaxTglD71/a2DbKnVDKqmGUKEKrxNTTTOrfCGPrIGitRrQq0o8rxba/nLM5h5il22ISHwPragX276jSVjJrwENAeHakbnAuMgYXsXj7THLB20Rrp3exOIaMmPABsfYvpyy4fQNWEB8BBkWH5demIgYpsCCW65w9CDY7WKPU7TQBUMavVoOmq2ButaNQOYAkAO2xiQgCBrTgaqyif02Hev9hmW6Lb/qAQMDcMXc6/TaSSQMV8zgMEWrh4VW/abGTEKpISSHTXH/T7J32F6qKXRixW2WG5K9YSBUBDsVWzuHrDuOkTy2BAkUrf54kbFDla7xj1ed0rv0ri5C5WSzT461oOlHrPI1avjGVbgpjVBJL0Wl/hNxz9lMQpZq0aFKNqhWvG4rIzbarf8kJQrVoiUE1m9opvryiVBMpdqSYFKblSjYGyV6rl020HsopZ/C7aN3xQnZr+zjRoPC1cnAS6c/KxNi+AXFXgsiooAA4fS6z9Bc1feOZUiUANOQffVi5lgC21mNfmYblqd3Nm6fFiFLL5+/nL1eQnZ/JVaWRdi7f1zs2jl0Q/OPPO+sHN+Vnd8uld7hRmVeX7Rgq9pCtFAElzWnrGjurH+b6OVMPrmJqGFT2mrjrLyJTJsVhNQAC8034QAHVzu571wfsoXQDQP5Twjomc/75Y2hvT0H+vq+y5LOrwMrw/sXhgMCJaNiQLD/mBlvWmnPVjpxXL99gpESV/F4UkveZAhjwri4dENnuHmjyF3PPfiW2U8c74UaOMxTGrW5ubjU1LfBtl0D/d9M5JdNCo9vVFHad2sR9DIluTuGmRgfQUnDCWp2vEfWaK7E0CKRvcqinN9OYGKZWlH/hsYwrh7H8YqncXmiM0A5/+Zi8mKbsvSbWzfj6mWGfMo7GQEMaVREOKTFT2/Ms7l/HX0D+PxIMwzUdgf57dQYOgWibDJ8N3jH0JMimA/FMkUrJ/ipsU+f3H3uqi4X39F9Lv/8BARSIlG6gwUvbN3lSDyf5sbSCSiuqfAmm6Nj3fU5ZhSiVHqpgPo8BEzY7oKrInvpBRP5CV/jY6tvzH9fPwth03exrMjJv9sXiQqlECJih7N4/jtqteo+wumYKUtOPjLWdcL4/ucONuXwYNo+Bqsr+HIttzn7ldS18oSOmdKJiaX81SyGI/0X+tHip4xi5MxEaWVM1mMEHZzVKG88P23q6rMBWr4JLGvYWi25vLX23dpJNU8GkpziqVr82R+c9rUz4TZJxRar+4rb264jmVApK+7MC9GCHT0tmhvlE2/juMBuPfJn6J/BHcnEh09rTbVJ6jByytZ0MV0x8BQtWUKmbP7uVvZFQxi+MgVE9nmc89o8BUja2nErXyAO2anufmhzVZrmQSqJh9XECgs9a65nq5PYUEyv3zxRz6qOG4ej5r4LY4Cb0b8W2XIsg9XoGGfkQZDXlWMoLMWxwspGI+fwRSVLF20Vwf2iApmvBhP600qKuq8WEf2/hJZIsCoYbkw+EO7Y2fjJrwgZ/btNqkrBv6QgLl/v30nhiQpremFvNJuhk7K0W21BK1RgCp6mzrvJ8sak8jo4r5CApIV3uvz2rc2MRuRSDbf4mMUSDYQ6+tqztHF4TAivnWPWiXWisbt52X/wHDwvV9ugIKV4lkbX8cvd0y420H2GG57VESzViRnMha75CPsVWJ5VegLYBEoP3tw9ejV/nfkUDFdEaCfr9+9kJeOHuB3eKNpYMS9fIAodb6q/ofn70RMqqYvTwwVHaHlDbPFtzNVGKDCvkAkEeKvkEGKFa3HrtqHWXXqbzyVIE7eYBA19dOLvs3etN4ZVQ/5LOtFgj0+qX9tuXyNZnP9l9gFxdoRA3Myu91p/URnntVBip9ufy5ElDUtR3MnXszjZGEl8u5aZEAKFjObHk1zNC91kBfLgcpa50Je56mrmnL5fS5NUbLXomW5x1fyKsjjJbDMbWl6uUBIvVaJ+eyZosZBT5Ea6l6eWCs7MXI6/n+7AztEuM6LzLiQLVo+tcluFHRc1VzX4myOIQVJ9hCQNTXJTBW9vn1RNUc8BSbImRWUevRoBC40Lt8m87yZHK4ilmP5pYVvSjruc/YsF4kkVFF7ebxzvpRN4+ZcFNZe08hNrEiMSFV0Q8Tlb0mnXtXt97UqkqmYhVc1LheHg2nT5ZR563/s4nKXppuNE6EhkrP0qhY6SupmKhxxWlXSYE30H+BHa/GhplU1X5MUvZHJuomF9uUtc1JFKT05VRM0LguHjWNhsZr/dYXCkjB/3rcIxO9e5HOneWIn+qvC475tTSNPieVG3hdCcsCVJj0h2mgBf80kBV8aW7F8n5kIZCoQg1aRvP21F0N9TYAqpgXuEG6WtrKrmxZNW8QXcV8rB2kq8d3n7NyWcUo/MZWV4lKVSBVs5/21A73DLY9ZUMVs1QF0vRlad2Trj5JIYGKWaqCRWreTtTYY8b2J8iuBTQD0LdxAcG+OsKbg+PVbxDYhM8BTdXelRqvOgqBFbNgDRtabuV8c9CGHavHtoOfaRao0ZhGXzaqA2TUhM8CV7v20LWsmgiamN+P9psoCpUNd1kZzXGQTbZE9T/Q7zetRZefzPjxHzusmNUqEOyAYaO4tc2EJSqxlABUrpYI9eTBdRbZ642QUcXs4gGK1pOjh+N72SEjpYplMBL1mwGBPuy/5fQFmNc52UDFbOMBU9RtHep6UjLyfiTdEiQLEAh12ris8g9cJpFRxbSrgIZU0VpjU/bILra3QvJDULVaItjr+cxdo1UVgMBy16tJhyrkejUGi9SrEbuKLNCyGTL8GCVF+EHFavqSJShcLf6DWflxZxrPpFXgcjUIVePUnG8tdBPzQDHLwCDQtciY4yh/OYVnEpAITYvUV511dQ3JvLaqAjfymKkDgOqNw15Xm46hKe8+DvRXkN9Z8SvICGVZz9FZ72IPY/Ln28WBvjXGjukXyPPppq3Y7zBWYPvUBEj6TvuBpCv7styDszMqSf/ue8afqf/497b0f/VHRKxd7S/+1i/9wlPnP//9//o0vt9EP/r/AFlEEiIHXwQA","hash":"/aRupj5LH9y0RgvlUEUdLPG9RKA=","signature":"78QPqWQ0GtRe/AyMYhp6k4lfRi2gE7pdZCDNqYs6a9w=","timestamp":"1768447064"}]},"subresource_filter":{"ruleset_version":{"checksum":0,"content":"","format":0}},"tab_stats":{"discards_external":0,"discards_frozen":0,"discards_proactive":0,"discards_suggested":0,"discards_urgent":0,"last_daily_sample":"13412845268306944","max_tabs_per_window":7,"reloads_external":0,"reloads_frozen":0,"reloads_proactive":0,"reloads_suggested":0,"reloads_urgent":0,"total_tab_count_max":7,"window_count_max":1},"toast":{"non_milestone_update_toast_version":"144.0.7559.60"},"ukm":{"persisted_logs":[]},"uninstall_metrics":{"installation_date2":"1768370531"},"updateclientdata":{"apps":{"bjbcblmdcnggnibecjikpoljcgkbgphl":{"cohort":"1:2t4f:","cohortname":"Stable","dlrc":6953,"installdate":6952,"pf":"b96a7ce4-09e7-49f9-a145-790ad8a76194"},"eeigpngbgcognadeebkilcpcaedhellh":{"cohort":"1:w59:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"6fe2886b-4d4d-4cc9-9c28-adc4035f4d80"},"efniojlnjndmcbiieegkicadnoecjjef":{"cohort":"1:18ql:","cohortname":"Auto Stage3","dlrc":6953,"installdate":6952,"pf":"f49c3b4d-d0f6-4a1f-a943-26761fce1025"},"gcmjkmgdlgnkkcocmoeiminaijmmjnii":{"cohort":"1:bm1:","cohortname":"Stable","dlrc":6953,"installdate":6952,"pf":"4cf47ecc-e24b-4443-a041-0a40c11e924b"},"ggkkehgbnfjpeggfpleeakpidbkibbmn":{"cohort":"1:ut9/1a0f:3fb9@0.025","cohortname":"M108 and Above","dlrc":6953,"installdate":6952,"pf":"988b0fab-7984-4630-9120-963fbbbcf5ad"},"giekcmmlnklenlaomppkphknjmnnpneh":{"cohort":"1:j5l:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"681c60bb-3087-48f2-9723-9da1a75ba6ee"},"gonpemdgkjcecdgbnaabipppbmgfggbe":{"cohort":"1:z1x:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"45862d59-6d4f-4b71-a340-1b7810f433c8"},"hajigopbbjhghbfimgkfmpenfkclmohk":{"cohort":"1:2tdl:","cohortname":"Stable","dlrc":6953,"installdate":6952,"pf":"a3023dae-0763-4575-88b7-c4f6adac82a8"},"hfnkpimlhhgieaddgfemjhofmfblmnib":{"cohort":"1:287f:","cohortname":"Auto full","dlrc":6953,"installdate":6952,"pf":"01e671e4-a674-45e8-ba3a-65a42cf0197e"},"ihnlcenocehgdaegdmhbidjhnhdchfmm":{"cohort":"1::","cohortname":"","dlrc":6953,"installdate":6952,"pf":"4a089bed-e675-46e5-b5cf-aec3426e9fb6"},"jamhcnnkihinmdlkakkaopbjbbcngflc":{"cohort":"1:wvr:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"84fd4946-efdd-43b6-bf64-48f3c5633778"},"jflhchccmppkfebkiaminageehmchikm":{"cohort":"1:26yf:","cohortname":"Stable","dlrc":6953,"installdate":6952,"pf":"2f8dbb06-7dff-414d-8d84-1bd8c9f3a048"},"jflookgnkcckhobaglndicnbbgbonegd":{"cohort":"1:s7x:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"da33a81c-9789-4633-ba97-278077723f76"},"khaoiebndkojlmppeemjhbpbandiljpe":{"cohort":"1:cux:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"7e359af4-3f8e-4983-89a2-bc150ffd1bc8"},"kiabhabjdbkjdpjbpigfodbdjmbglcoo":{"cohort":"1:v3l:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"9712df40-a230-4219-8b71-670bb11216a7"},"laoigpblnllgcgjnjnllmfolckpjlhki":{"cohort":"1:10zr:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"5f362b92-91e2-4d75-b4d8-0c1f5f3ef537"},"llkgjffcdpffmhiakmfcdcblohccpfmo":{"cohort":"1::","cohortname":"","dlrc":6953,"installdate":6952,"pf":"ba2c6045-898f-420b-a67d-719f21bc7c66"},"lmelglejhemejginpboagddgdfbepgmp":{"cohort":"1:lwl:3fa9@0.1","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"4733d57c-798a-46c0-814c-797b5562849c"},"mcfjlbnicoclaecapilmleaelokfnijm":{"cohort":"1:2ql3:","cohortname":"Initial upload","dlrc":6953,"installdate":6952,"pf":"71b2169a-734b-485e-9a3a-61f9e04099c5"},"neifaoindggfcjicffkgpmnlppeffabd":{"cohort":"1:1299:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"211c5d2c-ca8c-4bdb-8491-c342614911dc"},"niikhdgajlphfehepabhhblakbdgeefj":{"cohort":"1:1uh3:","cohortname":"Auto Main Cohort.","dlrc":6953,"installdate":6952,"pf":"ce18eb98-8779-4784-85a2-a58f456000dc"},"ninodabcejpeglfjbkhdplaoglpcbffj":{"cohort":"1:3bsf:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"fa98e7ca-7b40-4d4f-bc1a-dc088bd4356c"},"obedbbhbpmojnkanicioggnmelmoomoc":{"cohort":"1:s6f:3cr3@0.025","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"7754c491-bf43-46b1-a298-5c728d0e3349"},"oimompecagnajdejgnnjijobebaeigek":{"cohort":"1:3cjr:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"baa1e6f5-d503-4399-808e-3cc08505726b"},"ojhpjlocmbogdgmfpkhlaaeamibhnphh":{"cohort":"1:w0x:","cohortname":"All users","dlrc":6953,"installdate":6952,"pf":"e095aea4-eea8-462c-966a-ef17ecbc7f6f"},"pmagihnlncbcefglppponlgakiphldeh":{"cohort":"1:2ntr:","cohortname":"General Release","dlrc":6953,"installdate":6952,"pf":"55f3d893-28df-4b22-8403-ffb50bbb2038"}}},"user_experience_metrics":{"client_id2":"dc563a8b-f8e5-47e4-b257-948a5a1d7cbe","client_id_timestamp":"1768441936","initial_logs2":[],"last_seen":{"BrowserMetrics":"13412919779958424","CrashpadMetrics":"13412919779960258"},"limited_entropy_randomization_source":"4DC3A279FE6BC5F3F5ED7ED4ADC3E905","log_finalized_record_id":38,"log_record_id":12,"low_entropy_source3":2376,"machine_id":12761896,"ongoing_logs2":[{"data":"H4sIAAAAAAAAAOy9d1gUS7Mwzsym6YVla4EVGERGTGBAGAQxi3rUgznnrMdwzFmPAVExKyKKmMCMOWMWM5gTZlTAgDmBOX2nq2cX1vOe973f/T33+e7z/M7+MT1V06G6qro6VfeSsyFnG/wS0L4KEHG5m7D8zvvTWicIKFfOz9+vfFBQBb9g/zLB5dyiPiac0XprRvcqU7NhSTe9vlXv/t0HjBgiNWzupA/w9/P3k+XgwAD5EK/XjgwJ7hRcDhLv6tzCw3du+vLDy1vd7JemIT68f7gxZI9QYzYnREgQLovGQJmmDPAP9PeT/f0DZFOdAQN69u0h/dq/m5/kE9qglm/FrqEN69T/BYHSUmiDWlLTLt17DOgvlQ/xbyDVGdxlYK/e3YZIPv4j/f39/QMq+Pv7SrV6D+7RbWhgrYAAafiQTkGd/KWBGJSWalFkmZ9K9W3wzHlvjRZv2+yt0cPOLrxaH3e9Q+iwob169B/au1tog1pwedkSjRtInI9dBMcLdtPpYz2n1HMrx53m6upVoW1bOWE1xRKh/XoM7t2tS3+pQY+eXYYO7tG/+xDp1/5Dewzu32Vo7wH9u/QtLdWvX9PPG0LrhzarFyqVkQL8y8v+/hV8+DC9ofSx1WXM4bPGng7TGxYOv1DcnBKd3j9MbzBdG7DG8j7pynODJU5f35J3zQ4P7r8M0xumDtm3xjw9Ln1CmN6wr2XnH5Y4J9v3nWN5n9On2U3L++lCWTGW95haDQpa3l2+R0w0t334R/kwvaF15tN48+ROXZaG6Q2pvWe6WOKAw0fBPKTNTK8wvcFPU3qNBf962vzllvf56+f7m++5hlUL0xvizurmm1c/OxYYpjd0Th9Uz/IeP8ahnqWsFm0yRHNEveYUH2dPqlny2fvOJcfcfPvT9D/pufHU39HsePz7vTC9YVnbNvPNQUdyqoTpDb0dl8RZ4r/bcHuoJU+nNl29zT92V30apje03LLqnVkuNnh7mN5Qq+P0VpY4NSeas81PPau8DdMb7ka5frXkU+PEu/eWd127kXct8bXVl4w1P3NZuy9Mb7get6W4JU4Pv1I5ljh7lkesNlfJvdL2T54MvNTvoCVOalxuL8t7dPug/uYx72svDNMbgg505yxpZ53ruNTcaHHZS2F6g1102z8s8T37hw21vC9+93m8ufaa1iXC9AbnlPdLLPjM32O8Le++K+72s7zH1lFVtbwfTMwNMK949MIpTG/oV6RiR3P345U6U35WLeZoidO/v/qURXYlR3usNZdbWa5TmN4wdq5upCXOj1MR9SzvWcvnpFreexfpcMNc8NKDA3/m/8LroFWfHV7N0Vrq2GRmv77m0tM3X/1TFsfvReWYI81Xzv2pn8YCv16zxImedHemVQe+nqpoeX/68shgSxzv+mMfmFv3VdO032tuO2CudXEJbUezfnR7Z4n/cPOxp5b3ilEbRSverVN7y3vuq6hES56bW/XdZa4WvnQt5blvUo65xYbknmF6w+ic2smW+MHw+Lb5pO76ijC9Qd490prPoE4Vl1rzvJNeyHzVeWkPWt/DY9pZ8n/0y+eL5k8eTTVhesPtJTN+WPBhg/8YZVaVX/UpTG/IbnCymXlHrXVSmN5gf7H2YUuegW20rS1yef1t6ErzkeulMqmMln5uZt495MlKyp8xs6z6kHhm+UizeYMf5XOLnpu+WfX5Zr9T5ofzeh3+Uy4zj02z8kcu7OZvefceu/6Y5b3zlAa/mmt2kJvSfISTFc1LSvavG6Y3rExK72au8uug5n/amdrZ2mzzuf4lLlNZuy94a95hSqA6kLW+Ri1zoZ6tB4XpDd0vRL03D3evRO3YiCuXHM0uxrOU/oTXr4dZ3qOqOQwyV972/nqY3jBh0rYss/ZL92FhesM0t+xs8zDNtTDaTpvsHmzV1Qc6D3ORFsENKd8OpA216PbR2l3LWt4hZF6mufx3zQzKH3XEekvaIqfS5ps9l5SmcrzV2nWlte5nfPpb2+nuVjvM/pvfUvuz8PyEGHNubh1qc1R9a5S0vC98P3Gd+USX7fF/vrtN7jnQnDjg0d0wvaHclMBDlvd1urhO5v59BlCZLjrzfLYFP7Fl7VKW9+KjvjY19+5Shdpzz+DFByz4qYPEVZb39ORBPyzvDnfaFLa8Xx11Ntvy/kuLefUstN3fF7LIvDa1Nm3jmepNoebqnbQPqOxqFipjieNyXl/eolc9j/YLseBfVrn5xsKHoN+rrzJfy2pVgMp6+azqlvexC5ZeM/udmh8cpjcsHzansnl19Y9rGqvb8gLXRxDswC5EW10bzmVkLjmjjeJco7hhUVwkH8U9UkdxG3ULObt9nIO59dJPqmJ2dnZ2PhwFMxd53i6WkbOgiY/dUc4sFHbS0WGGv5+/J41T7Ip3aDeK9/8JH7njxhiKt/8Jn7izxwCK9/oJ/7Ws3WyKF37CVzr9a0GK9/kJT7oNSqb4Gj/hk+K3ZlC8/if8Kl1KV4qXf8LffpGA9fL9CT+mWok2FF/tJ3xcvRuJFB/4E35AUEouxfM/4VvkJn+m+Ko/4YeHzHp0lCsklHWCADrE8wsIDpIr+AeHyIEsQsT+Xe9oQtXfEOz0E960Ab5QfKGf8O0myQUo3v0n/CE/TbGjnLtgcLIv5xfg7ydXCCxn+ZZW4DxP03j8lOb+6XJJpzlJUIPGjZPsfOz87ULsqts1tmtt19mul91Iu3DObipnR6NwoHFT/SWK6uco/H/O5a9R+PxRtKC3RuGqc43tWnP5o2RxBWR/Odg/IKBcGf8K/v5B5fwqyBX8/f0/cqlO4fwPy4+bynPRfNHu3YKCA7uEdC3zW0iPoDLlyvcoV6arHFS+TIVyIV2CugR0L9+ta49EfnXJ7XzR+jubO4esf6zqNqLQ2PkfilTpnLJtnMc7zZsK9ndWPHZqFVw/x9BhH+8o4JDd7fXdZWe0Ev+Gz4ydOkldo1XiZ76swa5Wg1AnIdgPR+7lvYGOq/P/ZAfZz7+05F9aCvALqjBdpdWr7TheFaWy83YgLv0CNw1ZvVWAlf7eDuTeIdP4Z3+U3QVrKZRYt+7KxKl9HsM6Cn0OGD8nc2lcJGyziYmQNRdbaIdNLrttctlnA+23gQ7YQAdtoEM2UDKFmjS4eC1A++QKg1osebjx4o5O5xh0abfDyNzSV4xw2IaWwwHeDuT393N1pu5H4uBIQP4aIbTXz1xsdlmH7J++pQTkzwUha23/J6DU/y+Qlep/F/PUfxm6EJCf85dtoGs25V2zSWcL3bRJd88GyvoH+l8B3beBHtpAj2ygbBvosQ30xAZ6+lfIqhNvbbTnvQ00Qc4f899BEf8vICudE22+/XehaXJ+Ls20gaJsyouySWcLxdiki7OBlvwD/a+AltlACTbQchtohQ200gZaZQOt+Stk1YlNNtqzzSbmDptvO2zSIWTt8XbZfEuy+bbXBjpgU0Lyv4GO2EDH/5vQCRvo5F8h6yghRc4/SkDIOkpIseHElsD8NULIWvd/B239n4KslNl+2/bfhPYE2ozBbKBkm/KSbdLZQkdt0qXaQGf+gf5XQGdtoMs20BUbKM0GumoDXf8rZNWCuzZtJcNGexD6o5V5YPay1rd/+pZlk4stdN8mz0c20MvA/CP4V4H5x+yv/vrNWp4tNKVc/jwRspb+76Cp/+PQtL9CVqr/xTcrNP3fQFHl8stvng200KaEhTbpbKHFNukSbKCV/0D/K6DVNtDafwOt+zfQehto418hq07stNGe3TYxD9p8O2iT7qBNzGQb6IQNdNIGSrGBTtlAZ2ygczbQBRsozQa6ZgPdtIFu2UDp5WQzSSlR7XnPA18JcKJasJMkkQdeNpKw0zMPue5q+0JUAyf1kI0kbtTEvrXuO+9UEK5k19MR0e2q9AiAae+LiIKw/FgReB7lLxtJBV3lsUuG7jQAp+SVvthVqpDxhcekjrKJJHrpjG+qdakJ7qJacANP2ZUsflL5lsuth2dhyg+1KAjPUtUQuVIj9yDBjVudlrYcSYA0WVQLejCIvAAiL7iIasEdJJEXyom8UENUC80llcgLv4saYSonaUSNsImT1KJKSOdEjbCQl1SiRnhAA5VwnD4OqUWtcFMDy3SyB7lyp+Os76XatAZvkRe0oloQQC+qBRdwlyN4cnrYyqCCVSZqYdY+mhknHaLc4qUyolpQSc6iGjRSSVEtaCVe5AUdTS7RTIikFtVgT5+CAz4dJY2oFkDSirzgRAuQVKJacMVvIr574rOw5CDyQjFRK5SEshIlJQirV1nkhZoiL9TDCutErdAJfpcEUS2MlHhRI0yhVdcKCznYQCm9wUlEFIQcDubyklrUCDsoA7TCTR4m0fC5CtZT9Cu1ZBBVwkHKtvla5NFHrUiExzqgC4I6WSSH1Y+2LvjWlIMtlJF20gxB1AAvbVHJrqTYoqOvH/0IdAZaLU7kBV7kQS0XIp87u1dpPHv5ZxAwzSxUCZEXVCIPGvkNR4y5By+nle93D1bubCqqBR1WhUj9kWF1kVW1RbVgljxFtVBQIqJaKCYZRbUQgMwPlcqLaqGl1EFUC4OkIZR6ThosaoTjnDRA1AgRvNRX1AhpvBQmaoTDKilU1Ajn1VKQqBGmaaWqokb4oZNkUSMc00u+okZ4aZC8RI2Q4CSZRY0w2U2yFzXCVS8MbvlKelEjfAhGtdpYV1QJqzqJGiF5rMSLWmHVak7Si1rhxk2qd1rh9jJe4kW1cPETLwrC5jcqmDpHIy/lSGOnssETljldhh9fNYq6EMkfazwGa1wWa1wFa6zDGmuxxiqssRFrLGGNXViNnViNTazGBlZje1ZjR1ZjB1ZjDauxPauxPauxShSEBCeY7CZp5akcGdfZbU2DjL2N4HFRtAlUszkpEDVehRpPtVWNpGkkVxSbI1aiKFaCabgRK2HCStjnq4QaK6HBSqiwEmpWCWyYnCgIETyk8RIvn+DIw22/tPR80bQeJC1sjqk1+VgQjKlrsNSdGAtGMxb0Yyxo/q+EXoGxwIexwIuxwIMJ3ZkJ3cyE7sSEbs+ErskndJWQPPZvRK76i8j3c6Rn7RLpromxa2DrHdZ6MlSiGniUuoWdBZCd5ZGdvshOX2RnIWSnO7KzMLLTGdlJkCFGZIgWGWJAhjgyhtgzhhgZQwhjCGEMofp7nhI8TQs/dIwRAmOEIKqEBCdRECa7wVUviZczOWJYN3les5an7OHNTE/UCC1qhBE1whOr4IJVoCZFAzqsUEHEFZNEJNOcT+oaJJNnZGoZmRpGpo6RqWNk6pncDExuaiY3DSNXw8jVMLlpmNyoCl31EgXhli98CMYiNtbFYFUnzC15LGrtqtWcqKdSA2ykclPit3FadsW4SiFwl/WDg7CGjiIP1OqqRV7QoH3XoHjUaOFph6ZHi09tNW0BAE6iVvCEwhIvtyEXSzfb5zVg4yx4yKHMp3MK26h9pEzj/5tZP+NIIJkV1eruKX84sr88EqzDvP1QJKBoFQ/UvhDMheZAhVAQiqEQeBRCASYEExOCKxMC2OiKhglBayMENROClglBzYSgYkIQWOMhNo1HKwrCxrqwqhNKI3ks9lK0+WiV5qP52+bjR4afGvrsdYPQ63CWCYfHuvKWfoa2EgBRK7SEQRIv9yPDm7Y7/WNX7iaIa8b6I1ApvKAdJgEHzAFQjc3YmgqiPS0meaCyOqOympFP9sgnvcVECcJxDiJ4NPgvDZDgJE/hSczGEbcupW1bAlMWB+cjUIvCsEdhCNg+TNjEi6OgK2ATL45NPBDJCUByApGcMCSnO5LTCcnpIWr+tJgTqSoNkhZyjKABTHC1mOCCmeAkJjgvJjgfJrgSTHCuTHBGJjgnJjh7JjgHJjg1ExzPBMf/3NUZrIJTU8GJAhUbXPzEy0XIpqoVdbFudZ7BdiqU8lBf1Am9IZpDdp3hYBEvlyArqoz4tGPdYCcoLvKCHXLKhJzSKI1CLahBK4eQqh/nlDQMLH0W5jKxE4xbGOO6Y1wdcpVXRl5aQQB7iZfrk3PD+7mdHXJKA5/UmFKNKR3yNQ4DphQwJWty9N1eEkStYAQzjqyiOTjDyYGk8sLjFWoZ2uZC83wtzVHpDulYBgmmyYGaRB8oL1cn7T1SUsp5FUmGAzpMZcJU3pjKGUkgopamw6EgLdYejFiJ1xqYJ8j1ybKYWrM9jhe5CNtUmIMmX/W1eaxCerRWu8HyUSnst3DdhVy+X7rFpC12x+EyjbOIhykq2ZkMeTS37ZaS2Q1hDlUoKip5Ikdafg3aeDv1xRSIfmYvqoGNcPXSKFEtONEnuOCzAO0uIVhaRa1VZxxMdZGSOVED3aQVdODbX6ouamEmJ53lRC0kcNIVGq7gpLk00jmqFipqcFWQQREvKEIDHzhJLdcmc6eEH7wyMDUUHp3ZRUne/hT7WNj5lJOKi1pIeorGA4485aQQUSscU+ATTzmpvKiFUzS+bCJuxRPc90xsWQ547HHphOTx6yVcbETsNZyQUETaJ+2Bzn7uWitiYuFLOs+sPXusiPZ9Wq4q2JIfbUV8MN2rtn3xhj5WxNhFDUP7lbuz1oqoFu/yccOB482tiIYvF2XMrf21ECLcZXfSeUrFK7/FbnsDwEhjRgrsZRPp3HVEWkzOIRFccALByz5EG1534thNse9hEpfP/qmBNQANTjV0kkk2kepNblz/eslvPhTAfAvIJvI101A3fMCUJCvKSIp4VFi/e/rdt0iOWjaSYmcK3Hk/OThGQZhI5T0d1RlXKjVAInjJRTaRg2Uaa/XjUp7mQ+k1fU3bcmM75Cutyori7jHH12VaUa6kWdM5dz6OiF0MjqjMAn6gk8Ho+dWWFHxV2AQeiPKQaxNDn5RLsZkJN2EWaztFsL6N8jVfN9T8olhvTzSnDoplp6MaHEDK7qTEUreq/nuSH8BrDucqTznGLtlEam3c//SXzWmTwAEVXCu7ksorPkK9qsn1sRGjDQdeMspFyF733Vem1oQ1MA7p8EA6DJgV1RitZC+7kUqBfcqsXyM9gGDs6w9wmDxYrkX6t7xh8BhUewIc5TFje8ylbL7BkwlrY4+10WFtNEptVKzfluuTGptbXZrX/e08WKXBXNwwl9aYixlz8crHE3fMxR67GNXP/b9sIhOuPv4y7uuO4XSSCypJIxvJXMfcVk4ebusU6QMJmnGtSNTsDhtEDXDSJk4GMpMbfiZs/bzJeZinleamP5v6cHUeZoy2g1PG1e6xeZje2uwpjxv3TcrDvD38zludmBKWh/kx7ZHLhbmRxSwYEyFbyvy44jA9I59WNXM85lCuzVPXfDqcNPqRW4pYXI1Ee8nVyfE7Q+9FbLq/GXJ57Pope3QoKh2KisYUcJzqAI7YhKgIvNG4+gBdvuDnZdUelRTyVsnSSPSNG2R0mp2Wa0XMHfhs38yie7KsiPsN/S8lHGu4S0FUJHszWk8vW+5bBlzn8o0EiGWwDxoqWBCwfBOuAmiUlRB/oj7bv/yIQnGDYBpnaSkCh9RjfwcabO6OmKcJXGQjqVq97PjC+2quVor3JD/Gzqk0tvajsbSRCnbYZOg8hUnak+zuuvn5542CDxTJR5aKZS17EF3gprRTmfqZ4GxJxzo6UMsFSZuN+zterdptLsTRxCMkZ1EQ5nOwj5McZGeiqdTw61p59Rd47Sdq4BQnFaL8C864XKPtxGYKeSXIgKNxpb+odvFQB8lzRGkaRB50uMLjoIjCRM4MSa95T+MeCIUwSiG5KJnb3LlwdMsbVeEia0wVkMYQpDEE5RwiGwm3O8WlcoeljlgkRfQqHcbtC3vYGREOsisZ+dQv8OLstObAsvlV6RuAONy7MurM3eA5qIk7ObkKGSVd63Tj1puxkHVPJ/JARzxLnGGyiAOlR2VRmTKrw91WdB1luMSLeiFyOQdxt5jVzy0dM/+31olfsOgKsiuJKOr8/GP1cX8tumZysH24dGMEFv2Ck41kXFxWY4dzZa9jWoPsSkpu9evd7Eo3EyRcBlEQtuQ4wv7tpj8/rJ8eV2jbobnukPSJrp+tX6eGnMka2Yd8uZsT0LPlx+pwZ3YCVajVN4uJgnAyvDS83BwoCsLjz5Xg4fdf5FIkqxbxb2VX+QB8PdFWFIRPa1zg3k1XURBWXfWAO6slUaCJ4WR4admVjAgsV7JA5r1v8PBuMZsPhXcdnfd86W8cbLqdn8LDHJnkpz1dt5qHI+z5Pp0qrwdaJjbupqwoBXSFryLUElXCezqXOK3G8cxGDSyjs4ScEnDKT9QK+6rBtDBRK+xvCe+7i4KQfouDxB90QpczWQOf37AG8vgDVdzwLIc8IkQtrRRO2O/ddGVrNlc9MLyzWsIRFOWO3sIdFKXCH4mX93Hk3atclfutxBvwccMOHnVOjTqntq768Why2TDMgJARnyZwURYnx0I0J2qFWG/IKSGqhH3V6DQ8DPa3zFcVtfDmNp0CzViggom3VKJeWDdRgIVbCE6XHn/QY8dAK6e3VA7Jp/JS00qJasFWYiNJUHp2pY6LGy6BtcsS6RIdjSOhBaITwlL49u8E8J/Zq7fojKTO0xq5C5nbm5evtC6bAS+naXGsajF+tI+zRy0woiGkq7q84Iq6waNuaIViUAor+zuMZUPy9X9hj1yXBK5pee5Q7NjzcCDjk0qRsy1DmIxV/0HGjUlS0WN9LzUKjoWETxF8PsarFMbz/5eML0vKbJtU4OO9jJmwaLfqP6uxXJqUqnmqQnS1y9/g80rVf9AUeSZHOt6N0Ty81b44bF7K1mUE2ykC9jZ0GUAtMPLtkbkGnOmY8FtZkReCRK1QGWrhtwZ/zu1aI7O6S3TaTFdUIzjkQQwHiVR/owhspyow/xaVxPzpKnhyWCWbSLeCrzwWfTSfAjprbQ3dZTeSvabHmLU92j6FvVz+cmQT2Xuo5Xbj/blXga79NoDW8jgy1/Hu9d/jjx6F44v+e7VRC2UhCOnn/+/pDyT7R17YNze2biuohdZZla//1mBbZ8s0vEKDA4A8jyOm5qsWLRiTMQGyE7Q4DNfgpI4t4qgFiyVQoZprBWcogDm4i1qhIDC1LIpPX6ADw8pYeneJF3XCYEDKNUIMW2NM5CCZ9kE3OTpT4v+2Kl3JPPsF8wfEXO0Oj6f9lShLm1NTYvKRwtuQosHirWz7uYyGpHlvrcup/WuOwy66fGkES4b/og48q4Pq7+sge5LwmqFTs26dz4SwPLZhpgVBko1kUaEmF7ZMql8dO0S3P0drEcFx2tBBputWxIaMisaDgb+ySZaT7E96v7q0qMbpyKdwbADiCosaQSXN1+Nki1ojJxRoaVEDREonckkSvGRnRY0hRYRrpURB2MDBYbo8JQg7eLjJ49t6NbxS46hZn/2qVa/NGXcwa6NcklyMqbbyQrGt82Fhyf+YOHi0q5dDilewkthIBnfI1T2KLbZEGaZM48j3+LARS4a3TIaLWZM3VhUNsDbtddYndNKWCor2kP3o7YQvCIr2sOH63nnfLcCxI6nPmTe3qIPvU7J5SRB18Pj4liBJEAV4te7oPjrzEODsy7X7VYjLvrN2lQbf7u68eEqLb4eX7dykkwTZSDJqH2gzZ33VJ9Zh777nLec1Ciu5X0EUIW9e5pbZFhpZCHph2zFj2zFj29Fj2zHLwSRtwLBHr9dW2wsbTlMt04IgCsI8Adbao4bMqYgacqkxvBogCsKixRysv07HQgnZ0U5fLq94jKUJciAZa+w4+PrOphpYNJlTxvE+UF5UCWc4ywqHqBKyzKIgxBWCt76SSi5EVudcevNiWI2qMJPDjKogdaWQOqc/x5em6mM6LX7ewRki9UyDsOF4imowSsVENThLheU2pL/dka0Tzfb3YFcpXMJl609009Be5AWzsovHCz50GQY7iPoI9xY1QjRrzWc4XChdxGNnOUUFy+jEtBAJCBm/Kjjm0SVIiqZLMntpixSED0VhUkk0mR8fbQu5WOnoI3DDcaOb7EXWn77hXrv+ykD4BYnlsZWjeaJbj7I3KVz1RNfd9bq9h+XJtOikdriqN7WXqBP2DocnkZxchPAdzA20dewD4N1qN1EvTEtWw8ulWlzx/HJZgOwf9nIRcvpoit/EteVv/ptIrmT0jtwRuWNezMBVDbr/SOcdgmwi0OJ91Y1Dg1rDSJyKuclFidfYs/ygtxEpcMSA1dGyvcuV1Dgc4ICeaZBdSfOLOSs7Nt47BeczrEdQgUb2Jdt914zrfGxzIvS17NqiMdGDgc2cUSh0D7co+dy0qfsZ135vYCpnE0Nl3Uv2kn3J8e/a+ISzMxZBAGpwQyyPWEZ6bB0Xp0llySa7G4tnXV25GA7S7ej6yvIZkyzPJMvnk6yJXPQ4EvUko6UL0El7fegtlyCNtri7dnY7qYF7dDGwPNRH4Slaorau3hnJhAELXzS0jzArym8k32K6BmjrJBxBRHG5JmniY3/5Rs3IY3CxnsgLHXFyRsmI5dhuCtsQymVat4vHZf2pKiTxjQreUxLdiffkdTlp5zYehMkEVzEWatmeuzyLI+vDylVoWbbsJJg+iW1nzNbhVvg1NsmuguypJmoEtRRFC9ZKd2g8QbpFIXu6ZE27wHq4yF0SmwgdM/mggSiP66n1kcm9cVshmm0InuEYK+n7FGoYlqnhtUYuQLhXu+4G9e/nB7nUfizlYSMvqeUgMj30oveKh30vQjZtwIALujWhNhqVttBJUok6YTSEs7X8KRzM5iSV/Asxdm+9tPEjaTm822gSNQDSY07UYcJvtAOjKafThopJj2tEoqSdo7WW7iMbSd2Inl31ScM+oVgKyYXItetL7gXGHwqBoxy2A4L6UwgHwFSOAwrflKvoElWKYBuSGNUx95PZpRzhoIhcvm9GLqdSebEVLEEldUU2R3JoeGqi3pfDoZAT8pi2IjN44qLezjMdfwl73/CpUoAHMS0vUfzSh4FpYEDlVueb3otE9q4fO+3ruG+008d1INxz8pHUsheBLpd2PduxcxU80WLjKIprarlsVFRCNpKRbfWHKr3++FYpyo0sWnYy6mW1CkOgOFYlTottvLg8jpwuPDl0Ucqvq+HmfE2+RewCWJWCWJWiWBUzqksJVBe6m+sjzacaUZ5tptWX2qLCjGUK8ytrfUFMZeiW7hQVav8yNVpZXFmXeLkGSRoUMjhtyvAm8KSkUkPLijnNjmfZaVh25F9qYBPSc+T4+IMtJvaBuf5Iqs66m+SJJsoHNxzK41ZDfVxG6Y2WPy9nuqO8iBosNBKymeyI7P9H/UENlynOODp0oKlI9OGLG/CH2i6CfVMFtpps2Z2wpBWJ8GoALFrM4XwmYz0PyctUEi8XJrpFp5K6H/o1CtjObW8UuituibF9liCy/2zu3oTQMXawFseJuBak7Gj0Rr5hUT/l/JEjtzvKc0p73CwKa4KYSwf2hBplPyZvTqxSPGF4QY+SZd4wWhy105UsNhhlxlgtmBCmiuyMbDTjiNsVrbA7MtkDx+Oe+PTC3LwxZTF8+mD8Uoj3Q4yM/AqGivilGlJCx6Zh0FjkhZZ/Tg07QA+kuh8MFwUhnIPpjMfHeLhDwz1a+EIb1WRHiDXKnmT47VHyjW5SO/Cx2cGlO66C7E3uLpq4ZlablZPg3MOFVEQPL9Oq6YWVM10hdbIkqeVfSLvZGrtLzw5WhMhUWkKkO+yhQ/CT3jC9iKgV3vrAMd8/VXOpH3yks8XU8pBEdzliK8L0SqJWyKoOWaFyEbIkrEtZ+/YZ8dAmrx2z/h/9lypDLbky2SmNexLT58BOOJFOFXhNMXhdzJq3RsiqjpXNCoUHNahPUAOIbETXtIbB6RGyiUw+7aie17dhJaiNAwqdXJNUOd0h4npNt3aQWpG6QnCiSrhJK/qBgzia1WEentNwoRqyqK9BFO3etuvhqb2oFS4XgAfucjFSIsJ1XuWkEcvhMkEx8MIgtqnJW3dZVXJJYneO37768dd9cE4SVUIEHbmk0cdhFdvfVFncGOiq/pypYW0b9d1PVxKBl3SyRFZ1Cln0vWn1xhAbIgqs7aLpZyNOaiFPJW4pG+DbJA1blk6uTEb0qF6gy+4Dm2H3Ilqp2TzspxZhswrZ9F4Fp6lZXKWDw0K++TzO4+VfSde7e4UdYW+7wJbntNYnCdyk4Rp7OEBrnwiQSveqN5rgPJ0KPnWHpaIoCNnrVbBjG6Us9qEGLr2m+95Ls1o4u85NNcM8xW+Kypb6WAFtDK50x4Suj7BFG9mXBLW6Etb+okdfKKJsENHGzOftkYLANillZ1I8bWzZznPKjED3Btwhl01kRKctL6/M68l2BXhJLxtJljb117WLD520DjwO9i3S8XLJe9MUhCvR/lo4/eX52Wehp3UHlA5uSpPdJfS5K+vvPgJf83aqVDifM4taGifPjNG9sOeN77v5ZvQGP+tWqJp2YrKZrAhwifw4ObyBjVU0kn5tnicl1n1937p/VW/XpHvuDZePVEgzk6kPN/1xqOKPEkBw3RYJkMuRtAqFd/W/mdkcUsMt5lQZqkP9vzekc15BTLEW+gJ/a0jdSU73RcZHEUMmwooIrU1qI+lpdAnS1KzbQqGtEJlS41zgo2O1msAbygV/qGA1S02gs2wkzgvHj+8X/STWWrsK6dfja//S54l1pjtr+7IWJQ7zQ6yI5i1/n+g7z6izIrr06T9iYO3VWVZEgy8X4hydu3NWab7b0s1/a8OWy6yTqiXN7vl+zhxlgFnbjaJKeOsrqoQ5FUWBTchQYhnreWxByctUMC2Z7hM+bjF2Vd1SL3tDN0X4RnIy3X343qx+z5WMg0ik277vXgt8NsHcm9RB6VJj7AsxS+ss70/rnLyMZq1MLOQrHJnu71ar8swrvSFr0xre6h7JjHx57FXrYzfRG51YopkTyxkOnYYW8ZIbGwQEYL8tHedwf13CDeV5grSAhmvtqV+iRrhhlFpQa2hGl4m4QpKnqBHe+qJP2JyKUiFGdUlGNV1QpFpCm/L669QdgDGG9hJU5uhclczWT3+eIsVwZC+342T60UFe8OQ2MD23zhZVWCX+L52vMqPIP6ahQ/nXGhwuzxMQudYexxY3jGgWs8wQV+hfSJGOWRXlzMdsI7lc8OygGccqDlOE5kSeFTh0wOni0rvwgLWe+rKRdFfNuimFvTiKkUAWSYvfzt6rP/ZKG3hEcOdiGd1sVUsrqEXZHb+rcomdjQ7Ab5jeWzaQvle7HsuK6fOZNkkZyO9Tzcer1v9mUpLKJcnRSzmBc7eAK6xho2K3fNOv2pY9TtBKDrKJVFjcaM3BPkW+ghPbjpVNpMy3GX/0/C1Owp1dtaSWXUnqq21FxpwZuR+YafDBDz6yE0m8VrfZgLrtH8E1Zp4Gy+7EbkfGGcdSVV7AS2YchmNtPvOyP/nuujimmTn2A9zzRh3kFZthnfq91qA6K6sZsj/JGCdGq1e7hEBSQt40X2DqRVXkrS/kk4ta9ifFKxmq9Fb7qv6rKWQybsejhafi+z2Hk7x1FqxRBlp0YKXMBfJsnCyTOj3mG5Y2Uvf5r6cpTqaT8FZ7Sva7DO84q5fJX+N5kWIvRpQa8e1+GDTJlzUv2DPTLxcnF08cy2hUZvrp/5RR0vf2B3stOzL2bzLyJUf6lprWdpGzCDMDWbvgWbugw4PXGqsgVLJEjK6bayZ4F9gBhzU4w/5p/CyXIj2275wgawNfQ04uHc+stRdVwg0jW0Gy5T51j19Ur0Jiu3sNlZbiTzpcPDH/0YepDeGQc57Pk+1agM30wUjenKzRuv7HcumKm3wT0j7NddawX0qMg9d/N5+wzzdT/i/MJ1xJRPsKK9usvPYRmM9APezWNbKZTHewc470ujEOVMo0j07/jCSz0f5wH6dhNRSXFYmcajLOuVHmb43hloANNIpXdlppmzjPy1M4MlzVfkzqxgq3IBawkBDsGD0tO7KCCglWY0U02Ji1OCXS4YhewGqyVXLmlucIbEdcJ/KCG07OvKW8LlIt1EIL2QTVtTNydzBM4eTFHNl063ipI+GVbkOkhPPNz2zzvSGSEoqkBCEp7kiKE5IiICl+SIoHkqJRpid0auKIExKNQpBacMP4nojxRowPxvTHMUQFUSvUAkbaYLb6w1G3Jw31pmjS+P7DVp/LIRunamQ30uleRrWB3RIPQzekdgHzGOkmR3IkoFaxXndGxN2FZMZT5njSIZ/LiIPVf43th2ixGir0gdNjM3HACqisG2uUeJ3V34H2Uz7gj5g8sulOiYVourrfWzvw2xf+yFeIZ17L97h82+3MsZFN3/VsDqSsPupxY8RRKUJlEZEXGd3ickbVsRX7051eZRrrCCZlqCfKXqRGxNruybdHbfmbCEayscvdUHc3zy34mTYj7YgZ3KXW8msF4Uk2mX//bVxsxz4g5XPjoRmIIMmeZFLWm20J7Vcs+5efvYnr2OtBLz4VM0C4ZchNXXFEZWOkKjSQvUlR76vv5xz0GPD3cYqQAc2zDA/iKxIIw6Enm5XZW9XbB2S5CKnXf7BX6OV2i/9NJA8yofzBExUHjKkPXsqGFA8Wcj0IX6K+y4eQKgf/xUdPksm1emE81eM4aJWq5j+b4Unsb7jNv5M9+PS//OxFWnw3hc9M+bwcWlrHyGaRF6g7twQ+shc5e60DkT4uX/w3ETyJ5/mSXQcH17qDjiRYAFj2fHnZk5zOXTru5fDvFf7lZy9irNpcq5NapVrdsSyevHSW4Sh7EffR8L39D2j6NxHM5MeJqxrnFv13K/MGNdpZM0lYmusy6HTcaBu0NwmMD3vhmLTPFybkOQz/LPkR97tNOePcNOzv4wQSn7G7m42pVN0bFt1QVoO1rAcwsT7KifVReut6lE52JTMbXG3j7DK7EagsLqZAZ7+lScHq3rGXbg4pAzcqKQtVSh+n+nm4oZLLkrLt+jfzSulREGL9rM7R2O3kT6LCsS+stZeDiNvlgZe8pkx8DT8cFMdXHhez2SqYZfCpsu1XpnCkzrt2uUuaJcRDVCWrEy9v9Wtn5xkIGie2MqJH+6pWTD1d+KGnuKhVdcZlHQGdEajS++J7OXRaqoEWtjlifsdDGVM5HBNv4iCdQ5+Z1FndX57Ym7wUzeoCjtLW8XfDuEoF9Kdhzv9T2qZwpMvCPw5s35kw7f8xJV6k1/mxAbPnppSBzczvsrGoETSsx9HhunWQt6bQ22l76lgnhpn9D2YmDaMnsICT/OViZM7o0WTlW7/KsGItz2ZJPBsW0SkEDosklexJPn6s+FvD9GoqAIvjNTCffrrs0IbU9vlW/c2gl3/A64tGXJ5Xixp4qMHgO0GPquXUCVsDK+0RmWOkbulw0ITQcRcMphRFX/WHJfFbdknJQR5M1u30SZ3feqQLPA9nvZS7ZS0T3GnXBr4iD0EiDxVFHmrgMTo1/IIbk03RCFBH3W644TcQ4T9EFSygc5l45pe8AlsyJFPvUxV8U8mphDxs96NBKdPuQLhy1Ctfoe75hhkOKFrmkEm/EnzX47sDFSYYEcNWO10QXwAxbvgu4mjJA7vbgnknBMELMYVxiOKN8YvgsygqSDF8FsdnCXz6KIpD8yyFMQPwPRDx5fAZhPhgfJZHTAg+K+CzIuIr4bMyPqvgsyrWojrGCUX1rYH4mvishaXUxvc6dD0ffkX7Vg/xDfHZGPFNMU4zfDbHPFviext8tsVnO3y2x2cHfHbEZyd8dsZnF8yzGz574LMnSqE3fu2DFP6O733x2Q+f/fE5AJ8DMdVgfB+O7yPxfRTNB/5AzFhU7vFo1sOp4DXCBAxgIodaOo0hZ+OWG0QxaD6LEsughWw7Lo4lWMygpezbMhYzgUHLGbSSQas4POW1miHXIgRbGbSdlXcZV0LgKlsJecR2AbNZ8scctp8nDEK/eo3wjEHPWX/1gu0XvmQHyF7hEUN4w6K8xR1syGXBF1beZB7Li8JjphDNgq0sOMpjlBQW5RyP7YidUIQHuBUJj3nM+g0GkMMSfGLBFx6t2g+2/BGO0zyIUFEkLGNQAp5zhDV4ZgzWqTCzDdS/QQObMKDLtzTYwoKt7Nt2FbLngAorfVCFAjjEkiezAI/LaeAoC46zKHdVWPcMlu4hBpDNgicM+RSjCM/YCarnGMBLFiWXZfaNZfaDxQzHHhoiWDBJjaVPZ5P/GRjALBYswuOcsASjwCqG3K5GMV7AAC6pkbtXGHSVBfM0GDNWg7Ss02AuzzSSvTzDifRM7xfeS9v7IlxNm6zBXUraJh1R73EfDkzYJnEiBAVwrOktqsGPzukgKK/tQgs8+fcHxh6LbI5AhYPJqFQwgylqMofHz1KZ/pxmbeAahxJ8g2fSqG5RJkxiGhPJgql0KKWChVTuN3BYBZHISJjPeL2JsXUzC2wELmxjUbYz8e9kQToTxysW5TNDflUhsSmMdZcZr3+o8dskDQZxLFjFgjUajLKTMTkF1+WUvk3I1lA9gycalO0rjCLM1GKC2VpMvkKLTfSVlo3TWPBGS4/4Qo6WLmTCOwZN0mEJkXgMD2brMPkSdqh3HQawQYel79JhefsZ8gw7t3cWT4HBeR3K5ApLfk+HbewhO1/5iAXZGMATBj3FPIVnLHjOvr1kwWeW9VcdnpT7xoLvLPjByJ0gILlTBSxvHgviWbBRQDlvEjDmFgbtwAB2CVj33SxmBovyRMCKPWN5nicYkw0gYAmeZYXjeoRS9fjtDAvO4ZlFuKRHcVzRIwtuspjT7dGirLDHmBvt0UZuZ8OQnRgISQzaw4IUNlLJYAmmOCCd0Q5I5wkH1OObDPrMgpkGDOYbkIilBkywiiHnOTJdckTVWOdIlQE2MOReR3Ywik7nVZBkFDVwyIjxThiRDyksuG3EVHcZ9JgFmwCD04BUzjJJdGFrNs02ysQ8LUz4JYYFS1mw3oSpNpqQJ9tMWNp2E66n7zCh0dxpwuPnuzCA3SzKAUwgHEQIkllmV01I/yOW4JMJuf6FBVFOGMx3QuO+3gmb4AYnZPAmFux0Qn244kRPpsJVJ8z6Ph76hXcs3TcnZPcP9m2iM9IyyxlLn4OBsNsZub7XGfM8wIKbzkyEzsjncBeMEsGC5S5Y91UurBdxwVy2MWgHBsJeF2xY+12Yxrkg+1NY8gssSGfpMliQ6YIczGLBfYZ8wDJ7yKBH+A0eM2iiGcubbEZoGgumI1KYwYKZLJjFYs4xY9ZRLJjLEkSbsSoxDFpgRmYtxEBYxJIvZsmXsiDBzLoWFqwzI7N2sOAyQ95DSFhRAJvSqgKoS9cLMLUvgFFeM+T7ApjuIwsOuqKhOuOKtJxlwTlXVKnzLLjgikRcwkBIc2U9A4M+sgSfMIAvrijpcDfWzbAg0g0TzMJz/LDbHeVwwB2RF93ZMExEZKyI8lvMznLEi5h8uch6AwblsuC9yEpn0GcGfWXQdxbc8kCS3rAgxwOjXPVEhlz3RNVI90TZLi2E+hJfCNO9KMR0yYt2h7DfC5Mf90L1ni4hnUclpPOhxERcGKPMY8HywthSrxdmPSZDTvTGEmayINqb3u4Bcd7UOnozkXozYbAI64pg4uQi2OlkYgD3GfS6CEZ5y4LIopguqShrTAy6XJQ1uxLI28kl2CStBCKTSmDbP+iDDDjvgwXdZMFqX6RlAwbCTV/sZm5hAOkMymLQAxa8Ysj0kijZuyXRnjwsiblksyCyFOpjRinMc01prEoiC06VRk5fLI1t4xKDLpfGBGmIhGulJRMdDXmejP3NFNqf/DMa+mc09M9o6J/R0D+joX9GQ/+Mhv4ZDf3/cDRUgiTvlC6M3P+uGrDrS/h8l49Y3UfAXi5M/Nw8/LXzdcGwzD7vHAN1xMBzDBIvL+PJmFLZ5GyJhzvg1g4NuwkDF8UFXBTX4aK4gEvddCBVCA9c+OFSq4xDqIq4BFtZcQVgS8tqXEKmK/mt2cgHPSJgIRs2rWHBOjakSmKjrkNs1HWSLbmmsOXRVDbAOoVDMbrxRYObLLMHLOZztuj5kgU/WDCLLXPGsOXKBQzawhY2j7MVzStstfMaG6HdYMiv7FLC6WyINVMlmWQ/0nDs8PQSGyMJ7ORt9nTVeLme5ZST5WiIK5lx55W0pk3jGcpVDhZvxPJk2dLZUQ5k43VYGF3LupvOXMIs56u0QvYPe/R0fHgZYOVMV4nmGPrHwLUrZ0/cDa8Wam38wzq2nv57q0V/JCi7RCbSJ8rD55Bf7FE8s093eMqSzj+qeB/YfzkTFmktB0mhOzoWqIR8Jwm1QjIHN+m5rtmtun1usKjYLut1kQea5Yx7szpjApZC7zc406dA0U0zL/grW/wG4vTUfOj42CN26EJmJMYRzf2awtmJ+F0lG8n3Ixeq8N12fEME9WJNrKyJDp3fvL/1KhbnxSW1Pl92sDNezrKRTHM4Oad2br9Qa6HXqieO3zj+1CFrDLe+qptZAf3GWQ/rdVJNGD76zbN51lL6FP5l1cWb8ZMVhIFk3s98FT39mg/SaSCZY4e0P67bNx9BE2nrXW3Em0FSJfDHw5bl6MUtVw/n3jwy8VQ+1KEey3a88HQob/XJLULG2295UlE98TI0YruKeG4Kb08AR9y5AtmDDD7d7NepS98eAX2+rUeqINRhM2pt1jxT4gH3fD5y4xs0b1DxTNwKAMuxELwWxUTSx1+seMNjiQP1IULvISMZ5Rs34/bXIklYURrHwUGbXXLjgRt4KE0jaeVSpMrTyaMH3q+7Cs7Np1cWHYui285XljEX4EX3qFGY8UAHJ0/o5VLEPPyPPwYcnXv1vxBZJBHlvdS/Nu5bGuJUuDXFK+4r9ADFnfUNnrQfOGsfMNNC2ULpu3S2x4sJM5NKATuBQulzHZyw/GVAzRw4/R+LNJJGmtr1Tx2ll3VhhY3kwSmvWglbV/IKoieJ4AfPWRs0YRt8F/Ld2lEM7aWM9rIg2kuD5aoexfVIwHMQejzsSh3MAFysHqC8QK/cGgHzaXPZx8ETTk7gSEZI8sFRMKcnfJCxDJXlOhpBhTuCatwU1uDGshaPWAmI1+PTgDthgBvKLui65K6co9DgTqHGekdjFTwMMwLdBfCGD7ZjRMFVPLyg/myn6N7vATWc1TDbIsBXvRzJkyJZcwpL77v6waTuohrdt3h62Rf44nYju8yU4sqLvBCCMqTiqoRdSmUkoQpzqMBY1UVeoO2ypkQP2v0i8kJt3EqkRNbFeL+imxM9MVwPr02lhDfAPBshexojq5lfVlPENMP35phHC3R8aimqhVYSPTfZWuSFNrjhqMENRxVuOOpww1GNG44qFI0auqDDYldRLXTDuN0lnSgIPZQrU13I0vCoJcUS156DY9SxpovIQzdZJHV8a3knrtEUh2vU4nXKl0Ikc99Ecy+71yr4128SCVzVaMWFy9UKQfhhuis9gW2eT6DDOxVMkGRnkiK8O5y9YLMHhNNR1gTaWF3I1dTn7xpDnx4QHqUkI7IHORcf9eN2d/dlEJ7AMywmoWdT3En4vjBYx4cfgo+nD89yFAU4uDojUifxchA59zLe42gXj0PQOd/BeHY4X4vKp813BIhn9zzQc2XtTr+qumnrF5igRk+Nm4XQg3AD9QAeWXtYg9Xv3jTAD4iJL1pJN/lx0+0WTCHiHN04PNdjaZhyj2y4ZHHbwuucjKRqxJmTT3fXKYftsZgsk34xD6PNSS1y2JWBaPsEHh38VNgm1HgwUAvsdBI7Z3Cl2tbtDo0/n1Ucg6phfxRM+tz4ur9M/NlYOPf3WeU/AMyycyVbu4rn9vb+UR2NLLO+OiS2QMrpKy8Xjf5D6fEMZHjbqrH1M/veV/qJMr26jJ041/93BF1I0Dz17ILXNL3gNm1kR3nIpadJB0b/7vYqfm08XsSlQUnvj/vlxqvjIfuhgKgT7OCiUdLLQOLC6ySUDRWmITPv0eNkmV83/+YQen42LBiCFTUiMzsjffSaQEfpMp1FgpSlwhvf6KEgF3CVnORVHHlhzokp5jxxLXxY7Wx1ZVFZbZsWr+UV8F4ee3SrNKKjpRnfPfESLx9pNPoXhKCdo96PvaVtHBssdmMuU33wBLe0kDnoSis55sHUhXkwGZjDu5656QrCDSOgP4oyrJFdidea2XcjI9r2R3HY4fltXrKXO5BdG8mLM4m/NYZdoxCnzqe0Xkh/YVRaSdSAvXRBo9y8SY1lfTyGpsOLmodhZVqgA4YKbykpiaKtJ9YYUubbdm+UeCO5J6mRMf3Z5QVzS8CdC1w+rx+mMUWRVc3weOwGynKjdJIOCM3Uh54WUA65xc4FlEJueaAfg05UCdFcvnG1ifz+6+anD2vPnGy95s5EihR/Mqpd8TFzqDMh8JJJLkLOOw173/VEzhzFv1LFennWaSuNtR1xHXDPMC1xSDjcoT1jAfAQeaGwyAu+eJaOmryqipHtiNUZivPFOexc+1bmTXCDDTen85CCfmQquvXNy87EL7bStIFttgXSwQs4iTxUk01ku8cE7YjpEzriuMcPKski4a4VaWpvV7cRRPN4qKQr7Xc4SONkNxLj1TLJrl9uC5jCsfgsxp8W13OU7svo9x/q0lRaIZqHLHr34aDfWm7VbV5eH3Zz1lxMpM2V6KinFVs0x+SVoL4sko7BS+73++gcCMtaK1eAa4XU+vC8K+WmW9K7A6M9x0Np6mQDfrIL0c69d+fw4dibML+1NaIL6aMynJ2U1sYI25rlw1b+8OJtIU9NScj1pFgPOFNENpAtaVeXFmtcJEBp+UM77zn26sEqZwXsX1wV9abr4X4K6LLUb+Ges673FLDelzbzyk3+PVgBj/r6L772Y0dbBdxSvlUGmZha0JI2sPnchtr+BRRwb0rWUt9jSYsUcFTE+VInt9ntVsAvUW/GHZhaoKxigNYEjakzK6B2YYiinsIfy8DaSrTy+mdNhsvlvSGGOvo+doATILuQ0SULnxd++74CvtIbNG/o4D2RXcgKTf3E/XeDXeBUngBcyPzyjVKutG3qAusLW1liIrVW9Riwsf/+BDyfbAB6udVvwa9bLCnerhCcjqDKlJbGwfFoXi5I5swoWuDA2UZzYW0LUSukcUzsFpa3f7dGrNlnuS9sz19q+tMXt+4djN9iK7Q3+wo9bjhbnmgrtBJzG6WMrvn7FluhTVyxY6Xr5td7FG5NTDpQ3NToWHkFfPt+6FbN6eR2Cni1yYVXz3+Nmq2AkZ0HpfqW61NNAU28+Fvdb3v3KeC0HqHGrleH5SjguzOtB79vZiyigM1f3ywRVftaBwV0HfD6ZLtjxmIKOHhQenzI/pblFKH9xm/y6Duq5W1boUV7OvRsKd8ktkLzb6gbOGhUfJat0DZWDk9fd2tnQ1uhDd/s2qtuuznFbYXWXbx1+H3FvmH5hNa5xovdHVqNivlJaCbS5/Lyx2XvjftsbXcmctRp0OSC7Txq4LlGAfT0sr/xv/f0mZxbNl9zq37oU2ZNOPkD3nMWacsu5HRaRgXvXTX320rZ89LWFksPcB9gJa3SZw3c0MkGMn95u7VTKxpnKTMw+w3vLzU/2U5rNTsm8sB75932fK69FeVCEk0DzowKF4fCqrwCjMRxVHrY7+EP7PBIJp0UdRi/0fAx6e19dAhXyQbS1m5ajU7yOFAE4lw/1eiUtEgNm/NMk4lI0lrfD67LCYQqzHAmbTUZEa0PjlzOjhSNh1WU1MzUegWPvjXuxb7IBAVkF9J7aecZPa40OA1pw+ip3a5wbrzsTF6fbBw4alTdJxBpTe1C3o9Wn29yZqMOztI5xikVnFfLziSwvl/5VW+n59DjpdaohXemvU8q9ag/POhvzdVEhuSov3V93+oC9qf0QogChBzL6txhR1JtmDOBXpVwbjzcwQwavJjFpX2eUd+2fT0uWmfo7T4TRtq2r0MO1SsndRuvs21fd7ueefxwc6lDimKnVjTGDBxxQqOA5YeMmVO1VFJzBbxe2X6svrOfpX31/tj8R8mEWkQBG009uXPCNNNJBaz8R99C0sqw2pb2NW+zxn3ZfUcF3Pew1IlCPUe0UMAXn24N/jBnXowCbmwe+vs6ValdijjbjSwwVD0x5ZJt+6r8xfz9om8rO9v2dX/w9QLlJ3yfatu+6iQWXHV33hy9bfv6vCbnW7Xo9dts29fgh9kFb1b18M7XvpqU7DveIczvyE/ty4XMP3W73LqGD3vYCqBwjsuaSZ0MH2wFcDe+VmNdkwlPbAWQMuthx5kedmctXUmlSzNbtL7BK2CLWQ4Lfhld44YCnrqxqkPsrg9XFHBd7KZFDbteXqCAdu2K79rZvLBksYZT2myePmrCJgUMNyQN7N8vw2LCSmkim29uQv6w5Bw+uFNc1MnNCniuSd+Dx96M7a0I4I9PcpcXR1O0tgIotK1r+7V79OttBXDZbtS3bZcrV7EVwFbHjF8F//oLbAWwonWT8QUcpkbZCsDcYbqnVrNhZz4B9Og22Wn1sWod/tIrlW5QtdOgrILfIbaYxfZYczKS9zOuH3l7dJPljJWZBCyvJhR2u3Md/NkpZTQ7ZjK0pHO7nLAJPjZoN1Ls3ZvU1QsqAbVGFG8h3JmQFZ0rN/005i5aJA6tkjPxqNfv5chGYUa0Suyct5Fkb1i5techr2iFBDeycMzNCa2ejYqitollyuyTmYwe9ryE/7qPrSBUoYLaKFdy5mbT81fN0cWojaJ4xXyYybvAe9c6fpo8FId2nGKrPMmXh+Mq7TQ+egUPNnMWaVnNiwe5Wq79o+hOz2JgkVHJyiq8guROvXVzzUdOBkOqg8V4WYXoRiaUnxoYt3/IN0inCybjrfzwJPcbvl7RY93Z5TA7irPw31qmmcTPqPhtT0CFOuBmWYABkyyRqWF953+sGeALNyeqrGYtn3iN5HHEkqePPcqxa048ZSPp7P28cqXsgkMUdpqIHHgtu4Wh8gAwKncIlyK9qt0rucatQEF4zm7N+cDuXemr3F9PT6NpBR1dB5dNxO9R9xYj+DbzrQP3ILI1JuWN/dgTG2FVTeUOpLzL7zX4RxE6qQ/es9FO1NFb6aRItWwg24aHLBY8nrVROryaQ9uXb1LHfQlYrjG6qSPFGkvyqweVa0Ds6rOT3ppEA5ycGTXhI7tirJBogP2pWTMV0J5eQHZxxUYF1IkGuHPwTbICEtEAC6/EH1NAXjRA6pRbD/NFvrbk3Uzl8jJH0QCb3ryeq4Ba0QBHv75YqIAuNPKxS/Gf8tJG3P+6Ih+YuSN1+ue8gq4vyD2qgBrRHvbe253DQNEA2d8ffVS+eYsGOLz6wTcFVIkG2P5i1w8FlEUDZM3fEvslj8RDE+/Ffckr5ujzzDsKWEI0wM4Tb+/k+zr3y9FMBXQQDfD18vQVX/O+zj82aacCGkQDfDm+P+trXkE7I5e8/prHi4m3j37+aqmPAeasDo/5ZsnKHnKWLI3/Zqle/KWbh77lFXNxcXjGtzw+7fw09/m3vGLm790dzq6Ikzxo5a8dX6iAatEAt25cXfU9r9SN017u+p6X1ey78Ue+55H4bH32TQUURQPM+vDi6/c8MhacezvtRx64IfLignxg4rV1GVZQB5eTl1EnAh2kZCwoJWlFHaQlTAqRXEQdzMve3YZuIUHcxOVLqE+7AAuS5+2iFAmQkbY1kk6pBXg15cUsvM0KPqSvfKjCry8vPfhE/cIFyDk2N0qNb+mHbsWpMd7mPYf2qzG/S3NWXqMe1QK8vZUZp5G8RQGO5hxP12DOKW+y0/GcFaQlrrpLnVsIbI79cE8jhatEAXIjlszRYnGpp07GahkxMfcXayUvUYBVDy4t0UoFRQH2Hs45y+Ilvzl9TisBTftu2X0tIyZlWw77+vXGmY/0TQuTn9/+rKX5Tk+arcNvp17eXqyTaosCLLw476wOr8NfPPVqGv32+ODXxzos/Xby0g86SScvVZHTY89//9Gs92fIWP5y9a5OogGmRGae+mwRuCNcnZt4VQEXUl3KazcS2LYce1v9puDuea/XKjpaUTRA0rzsdV/zLMHqFXct+k2zWnp54mxFDzuLjrDk9PF7CniYEx3za14q1cQpt55aYNpI98x++SUfmE/XKCETXx5e8iNPi7+nX71tBQWmU3M4kcDzq3dWcFKkJArwYH/CcUqJADHrz7/lUEQrc7LW4NUWsOJM9iYerz/c9nL2LqphBOI+3FqtliZQ5JaHr86qpcoigau7ItLV0kVaTPyn3RfZ5YlMY+xFAm8+ZJ7WSc85q8RUVkmVlV3JlZolTx3pER0EIdh1FMTVmIL0TvxSW5tJv8wYih8oaiRZkpx7P7779YHwwN669okHpvEac3ZtEr2eEI9/4tMDMZ74xLsK6BqVqBZK47sfPqviszo+a+CzAT5b4bMj9mah12sGTw5+1QUPSJWS6AgnZNTr7eurvLsLO+iw8RM90S5qhc2ukOkhu5HE5e1Ch38peRGOmNitD7hJ6yWbCN//e981Nc4b0VXOCbPik6Or1Kg4YgwcorfCrBHgJb0tJ90e3htkEyk9v9iFQXzhgbhxw67RG7Q3Qx8/ZnJavoWuJm9dHOIziqmB7Vrx8mByNsiz7im7t0fgsMFyOhX3T/NupNLjDonlX9nskYVa5R/ZtPQuduUGR16gU8EKoFzNQhck6flout/BwUw6lzuigvn09Lx/wq0WD7+WScQCq8rupOLMHqdm92kr0tO5wEnNLaeZZXdin7wnwPTtToLyKcz6yUj2lwtuYJy996yyjViQrC3Ssuyl+zvHwDHK5UMcZHHWUg3EqX3DjGt1Iy4om6ElQ0q5dYvJrmXd6tyV+aTB2sVvyigIAzle+PvXrxfbWWZMx9InPT43NbEqgmbSeVKOXaTrwHOwnuAqcoIX3n6TE3/y+/UaF77BLLwzJH4JB/c30nHRpSccbI6gUX4fVdOjode2Tn8bpQl5d/5b6QXRw9wgYTqd1m89Tm/tPnifgyNTmFtB/Da6GX0mk4czcWxZ+fxqepQx7asakjPpauy5O3SPZcNnAXK26OXSxJzR6H7BnGFv4WT2XDoP3TAONrKl0TgV7L+lEolwbe042JQYzcllyPqyWXJqzqAtMG3CLBpp63EODt6nb/tvqYCWlS/6SDL2j1JXrl6tvA2+Rp2nG14bxtG/MYrm4Ng6KoKtx9k1QZYaqJQaaGkNEDqDe5SUjP9QE9HeWi4uk/boNaLy1cmn/fHqIjqgp8sXGwZHnJ0asTxMEfXprB1nQ2f4x6Fk6b8hbOrpNPhov+PdrYh0u9kr1k6v3sqKuHB/V+Hl8xYvVO4nNJKS1x021bi4RFAQQDqGvn10YYHvDNwueEbnFSEri8QmxQw1wDP2LxqIvDb0w+sO3VOKwDXqAKGiSCChVX802PF5w6a8tGt61Yhrqf2xPV9aA3nwdOKsQRW2sXm2Kzlp7HVy0NNDAgTnOzIaLDuTRaN2/1ge+XQUTGaJJ9O130+bPDOzj9SpBKlsH6YOGoaqsiuJ3eFUKiLyfVm8iMpOYv8Z0FN2I1e7pZxtmnPx3V+TPNbsD1nfqOGCvyTpXjqj89qljy79nMREisiBfS6eGd4g39/J9H9dp96N7OeHwUHkwSAbyYvIzn4f66wthf/mQreLW7/s3fTTtlZDgd7LRv60axvnvT52ctKmNbjb7ggm2UDK3Wq3eNC41HClWS56WK3kb552HggWJlzYrc+N7WIyYUfa1u1fLXf87rQC8hqOON8Sj3g+LLgDPsSc43Eb4bG1HxCK4NNPIvgnklqhIfSQytDbiDm4w+55TODhA53IPlbBF7XUiN5ZLMAH9k9rR52kUFErzHKTXtDJ3hb2915PffA0e3SQZKCXQv8CEW0lQSRCzDA4uJDD/1DatlfN/hHhoQYOHNdJxei1VJnn+t3OrNTPeofDigqRVY/rajawOngYErNGPTGVHqwoOkQuiBx37Wo/5S4sA+nWZWjG3kF+A5Xvro98Cy2YNPKkNcNG3/tXKXzP+Zw1w5CIr/0GdX3TT0nQ69Ksh+nmzJfWDDePPlarKzQpoXxv+LLD+AtDnh2zZig1mbU+hLg/tt4y0Tpm0pMYYc5GOs/N+zc3FLhO9iQPJx8sqnre5tC//GwkbXq1jnrrfr08sHs3PUjyffeMqL5xMcD+HE75g0wl9vS+uT7DX9QdpsT2Ijlbd9WrOrpbdeikXAdnL/JAV7FMIv9/qHvrgKiaL27cTe5Qe5YQWMJFRcKCKxImWGChIIotdnc3igqKgYWgiKgogomNhYWKCgoqgoVgYHdgwe875969LOrzTZ/f+77+wbqzc2fmTp5z5pzPB1zZKqRTn2iZ6Ny+5X+RQUFCYlYEJj9L3wj1MMGSrHT2+VjlxqY+UOvnJyiwp0fjNbX2qNbxuauQb2/N9IMy7P3+sgGn9TuMrlul05S/yABk9ZkusyP0JwbhVhFNN48ehwyynL6bNdKkKMjpg50GftoTepJnzlCQu0e+VmtWZUCmkDB3pN9x/fwCbuD7sAri/9T1tk2OvZ6QcN+9ufHOfhu9+QQT8qVJSVRsTJtw2ESnZ4kcntAuXm7bIywA9i/mEIup8U+01Dlhy/YD/IToM6vfuEz/GQ8EB5BO4pVS2Y8BGfyp6k5uKp1CzqqnM5CwtzgzX6ObPTl8KJTXf6tRyfDqhzCEIoW4xQX75WpqD7rZt3RMfsmQq1iSP2tAkoctfPpkY8v2/PZ4ol3bVTf6Lv6EFulKeD0pVlOiGrMPPsWt3upxe3mtfwgODWdMmKW7YD+HzFWdNSefvCYlsU2upcKrMlk5sJ2cNSH5RbfTHhkbrIMdMh73oTqrJFnzzy6XpTTsCNWxEpoUapizYewSVkXN8CBWU4aP8TM37I208zcFV7REVOfxnbuSGTfTHFdNWnEOSl14FgwqX3H+Jkq8A0YCIrwPtkMkIIxAZ7wxhr0LSmJjcStaLQKEarsuhpPUlF70pdHC6z3WHOdHI+px8/qhqZ1teHACBenvtFx6PX6xD49JpiAuJR1uGmwWWwlY5flPi4p8PlnHCI/cfTKqtSro+VhMqEtXWZ6TQeLay2VCGXNOtRBFhOxYLJTRImyr5/HIja9BB3E+a5Fq/S92v7NZJwPOinkgHg2IrQ4Cw1EoHjm/wduRtLgp3mEm9xvDQC0XCVIBt0fMOhHnGT0e1O86/STkiQRgUQOB4ormkvJFAvl+YFppdZcYfVwzuZS0ab5H1o6P6qgR5Smue3v0MS2ziy9PKc0fNSzhZNcrGsg1BZlOUmqt3dSdA36bziqI/jnFzXt7DY0woQWrIFvvXuwYcOrxVv5iG4jyeIjtyOg6zbCQCAnlgopYPK6Hg/1hTDkjYWuQy4Z63+RxM0NhKYc4OA2nigGPckFRuPXVDMuSaYu2ZtcdddMOPnCeFz5apIA2ePIqf3qmLVH6pofUqWMkgSQZuoRsEGvRalloYSTpa6Ew6PP9SAsz1yqsb2Dl1vVju3aHGDkWVsR5erTBwpywMOt/s7AqRNnlU3bW4QSzCjxijEB63IE0unwgfZ+3mwKyv1JZ8aIM1lM4piIdyKXsqycpl8UiBbwA6jKJ8QNmiLIRq4It1sjdml6dntMOcKm2WsxWJ7MLx3+dffyKAbyl8gU9i1+IaGAQPc0TxZDBiSn5+9KHVP4cckXw2rsiedd83PrrPgJ4noIU6H8fPXbVnEfCPtcmyd4hYaFXR/6kVJKzVd3Pnhnn1xg4wHYq7lg4kdoPNqyYKuS59FH3hFvyhY7ADXhj6j3Zf+fins1cdgquo7brTnb+YemYQXGYQIaYI4uHz678dJQDZxmnW2PI/uE39g33G8UnqMi3VW8bvW1xwAEXHHDkoe2gG+Jj1g1tOM2t6YKjgjtmUr2Ozv4lfhI+wYzcWOx35/3nuH7A8A9z7pAKcn5H/SbrDdwVnDsyW4O88o9Lmez7sg0UipB+VRtDS8JjklF0HqeVk/JbSpPqwdtf84k1+QRmsXsxek4GeqW6/CGjIIsr2y79uCKQcym1ZE2J8k6luX1PLdRHVZX37GRNSYOWP+DbmCCfCskKcubsi+HLx+224IFrTUnz1fHrGwfe+/bT429cm+wPGX/E56fkoryGaa3s3036qVTVytgxqqbGBXypCnK87ziy2L7GGiHh8uNGj5b3MVYL9Xbb9xlchlyKrlCSkhwdOuX40D3KOQIar5K8sF27/XHYteVCkoK4iCsdclN07ypAz5iWfngW+vVBGp9gR6SGw4fur965P9ygh5UntMAx8IdgnlskjPP6fV8l1bDGKtNu/HMq0vBw+69J14/chEVzNlI81lfr5fAth1GPY1WkT803pdPD9p6Hqxve6ah0Ndic6nGsObEyHqpnv3/pN3jAeS4NVUnBDL3mpljE1j120lwH7t2wUekzIR8knHeeWsYakfCeHT0mtG9yGiIk6I8uYy3InIJx0zflVt0PR+myfU/PtOVi2Ec1vLnhjUZ+6WZcC+g9az3wUNO7u502RjetWkRNgViatS10QmXw3VyHxYeynu2iHFKoQhiywWRj1wBzxd2tp2GHnJcViYCwLeOJgympWjnNiyk6MMmQ7IB6o3LmoDpUqkOPnhbIKy9nOkFPtZgNJp1aBq65O3LPIkhjBKxuCc+zQ2VUY3R1M0PimCqYUhUxZ6iHkBOPvs29mlSoQUpfijpUwiCWJU8V+g8z70+sBHGcq6ACyWnoPqmPhi0ZT/8iZmh7q0BVeu+8eO2PzGuXfsAGur0tElE3fzEbRAJOSIJLvym/wSYO+UaCrRAzFAmrnkrOeEATLfzAttgmbAl+HwSU8Xkmhk/x4N/R1FGdVZCJx72TCwc5d+BlfyUJl2ZPbudYeBvFJJmasEAKvi4bu2arww48+/KkbBNSmj9LUnrvUxHsFmmFS0i02J7RGAUEFV49nqnCDBGdnSi68bNGA7yVj/N5h/QhpLHf7XCbUxbnYe1NQum5RbATCVSZW/TQ2Enj2IopKEyiMcf7YIEfz9WY5xmFrX3ljkkvffH15vaBT9NVcubKRg5x+2GOCD6soEhojacNyjVwXdUNinOW0yP3cKqZ2kily5y5aAMpb+3VYrYyaepVXLlwiLcXfKEcOTin1SasNXHyfDa8nvc3H3hefDJXpNJnbn17TmD9puf66FU/9uInZ2vHqPsCeKy3cf6h+9kzW1I+IDljAWocc+r6riILxK7Dlrz2agDHfv3t7cntnfWbiJpRv+Sff4twaFtSuu7AkF9/60du3krLMMid3xbi59NXawztUELro26pcbVmOFdrjHdM4NhZXoohgwP/RmdnitHtBI9dERctoplKwtwNUOkw5wfD1TnUROG/zm5uotvURHqNScUI7hQ0ZS3Jiqyh08M6P5HANMEp3w9/rMyeFZHcOsrQ7s2WGsB7T8FSKUNJWqYJjmH0MJrYAJ2oFSg9KlGgMkY29soojlhgfivMr8bXq445HXH+18Vf0QGbaSSsh/b4vSs6MUvKaZ9+JmqSMSc57usXYkArHyK8Y8ohGayRI9Vix+utRzu05w81BXm6cMSk+hc6+PEJVcnBW4qLTWOy3WGrCK9dFYgYWB25wTjI+gwROd3gnSPxSe4O2QWiCkRVanwfqdb7EHwfgs7jUq03kiMLmJx3zKaQnDScZa4IKrBQIXS9hPlM7RoxXEDOSe7jBUf6EEf/f5OjSuFelzo4HuJwl9fIcX3Np8rkXAYQ6P6hBeyidvFDthBegyIS9501Uy91UAmGT6mhOutArhkZ+YV+aPAF9nDkgMYqOf0FO5IjYePI01xJzdT3J4y7zOoN0RLccuVMZbDA360QwrI6OGL8Q3tuUdOXYzsQq46V8gu+9/4I4XMpmG+cBG7SV9lOvxxVwltaTowHlFJKuVe+8I3O3xPT4FgEHexP6VK4EkWn+cYcHfiQT1HeJ6eX7et+/IQLT1op441f1qR0TjPduJzKVXm2Hx1NhBiGlQCxLz1xuLNtxHTcGFNErJrcndXuTKPR0kyI5mhkVnHGvVAOYZpKBPXJwaAmcdt38c7cCnL96MAR5wOHr8MEQ9aMfMwd36dlwEBb4IItuKgOhq1GVm7uMdsy584VWHVDpMHBRrA6utiRBYq1I0oft+J831a2UE8rnI3DMZXx5goqdsx1/mRmWzj0y7/IdnyAibJJDVkzSlL6a3Acn82NZPRJPrE43XQabOZ3fsrvy+P7mSKSfzWEvg9FhkM581kMT6hUc2J8WeSNY4/3C9LXwHvxk6567l3CJ1iS87NWJb3Vy1KBSotFnfNKA3Iq2nhy+oRYTtdbRY+zL3dallUmNpwA7cs6koWpo41zyLBIiuMpMN5ZaUWVaJwFzEjK2r2bO3ufXAM6GqhfFOLMiM4J+aZBlX6U8ViiIwUhc+3lmakRTQ53533q66DHOxA7k5o/NtkFmWGztohYR2I5J3fC7K45Fv+SeUlBuq5fcuV8aHoEvsFAFojni+2NJyddr4SlXRWx80RkfctF3ZdfCldB6UELDgSBLo/XEiqIMcwXGbyS43b2UQd/WE4gnTr7rgW4ZaRimEIriLHFSZPZHS4OUUmY21P+ITElR9DXeIpEqldT6TBtzOWCIBI/07Qj6+kmcSJDDInfaUuHB7drf65J32GC1nN0ir88rOH5hcDwU9aFzDT/sCQ+tstM4GjgTISwShkfVcAfBcCj6rIKknY1eFIMqTpf4AaYsX1o5smJ9VzKE06tyV9V0jaIT3AkZiqPY2ceBK/7l91bjZweuWcV0Z0yBrNq+Be5TBz/MJ2Wh2ySJxQZDe8t3CyI4OET8nmuC59gSmx9PWbtPB64jR95Gxz5WqTY7Oqb2EZPosCJI5ESa8VUyPhKkFMF5GwTsrv6Kouiu6sHQuw8MfrC66AvvA76wutokLalFZa6XFjqClK57PuSH96XbHkbjhmB85+Mttwbwq04zWWDJaskZW9efxIfdvADC0yyoPoa077+Ex3bMbxaqCCG8X65jYf5VeMTzMj7PZu/Pl6ydzKNexNgW81ZMyJzmZT//IyT1U8/mJJ2LQcyt97tsON7pTr2Sm0yLuHZvTXGlRqCE9fSCpsIBbsXo+SP9MhsXdKrY5sn/s4lj4C71VNqDMwCAQ+NBkSuR3xAQWKW9utROJv48PPBjDxpu+/FVsXtD/yCNeYXrBN5anYwP/FDrXMQye30RgKCpzWeX9zZRDkqzEjD3KwOXt0aTuUPBTP+UGhBFjaf2S3E26olbFPyo8bhd8s0FBdYYDAWNU7DxBXPyaF4v4kmVdn013n1rz2cR4lnhJA6CU+jhSpPxZXBE2I3IUZzG5yyLy1bBM8MsXryS/X0f8EV4K7FmqtV1ox07/ctyrFwWn30rkIeQxopwtqSS0HrshbUvVCV5wCRYouMeJoVus8rSSvTtz/G+TcIgbZ4ntFpU21Zg8SHwUYq7Pz2/1Dcm/uWBC2x+rGBN/kqiOOxKm+v+QTFCi5lH/oF1127IiRVyNFzw0iLDTMCu/M5zElYV7eGlumZBnCQIxZrjwoUHdrOIU1rtBpWpy/4abBI8Qc1UZIZt6+c3tbpr0/eoAnPp17NetpCiHG1GaF/JFinqK5w+hg236cY7zaUc34zZ80Jc6V3iO7L5G2wXMyHM1IVzoI1Je/2Ol3cn7P+EVLMVOIRje1JfIsFz0tb2eehGsjtvgxPk8phhpuAOW7zjvsHnp/ZcyN3STOcNSWe0alFswxKXCusHQXp1mDayOP5j89iPj1qrO/VqMGlx86JQkJzSZjaacb4l4JIeuX+3d5v3tkVCxLGsUM2jnXzOu7gHwGyfrhHQVn/1FLOvCli65P8xg1Wur+wPYxm70rqSTj2BlqbI3/Bw8jL5yV1DrQtvvUpPs0ES57EmpEttm/3DD4yYDy/aJTCNeLZlk8+WJrZXeK71pJUuWGR84xZ9JaXcoz5iDvOh9Py4uzAjOZgz+dWEN9O9XS8zKtyQc8qVkkcJpc0N1CqWwPnV2LIKsnqSTvOk+Ljw4UkW3Jp/JPGsaPe1MFFpLXIUJSh100GpOPgM51f7n1xAa3vFiTG+c2GsVdzgvAuRyRQ+8jYBmRa1jg7q8MNL0C4bgW7tma1c0y8YZzeGi/SWu0KcqDorn5Hg/oNBfNkx2e6m18GrPGH4dhFw1lbknHQePIBu2Z7eNNqPy0GO47CwJGUZY6w3Larw3m0dlRCu6tI8zb8rRo3NHbknE9S1yqG7fvyAOR8VoyhL8+mJD1iZhSebd6jQDizVWTt28NjjnWPTIKDGv4EORMM43D5+dS72mHKqdt9QQgExoeAfFDNbpW2OmkVTqkFdJ85yuZuXrYvZ/cvh1F2fuYq10mZb4XDqDIpcmmRMTa+iweINOZubvYXnx8+9gjzuA22Q82aE4m8yqB39Qat5UMlV4kE4Xj48CvDhr28soHHZpZoAabzsiprS6Impn9S5zu4850iLSeeYnTw8tqM5A49XHynT4v6/Bva8hWYElOTPTU2XWIC0A+HBvFxkRGSpXMGpFVKf8ov5ECSttaqSJHV7DZkcMuC0doDBM5O1JWobuMKzVCtDeR4wPG0R4RrCbOTimB3RBAtZgOJOrqNi8Q4tdqfLNWPuE1qMW2u2cnhtNQ/UV7hsErXd0bOWvinynMLstrtOyPx2Z8pL5DU+BwXkFjwWefPjo3+3KzJBg4zwv9sqb335NVL3eOn+rMj7hJS6fpKn13r/9QIre7tozi9ccz5P1XejpQmyau8rTP/1IgT/WpL7bKCAv5kLyrI7ZM2p8p6fWQFs37VLsy0wOiC3kLCXNfUNdHpdecLCTZVbicxh7beExKGTLAdcnB8myAhITzwZaa5dQ0NQZUrWVngsPBxfm4rmEP3axnqpfzFM+5yllDtF53ahtyMPnJrz4jxjeAJlVZMMb8Z7tQWKB7YLg08OMPkyyashtJYXZ15zmatwkEXzdKcAiQadW5rzaJaFwWVKySkWWLGheS2gpDxYsynjq2KR8UKQsZXP3GtJbc72QuPOEprfxa1b3ZZeMSyR25QbW+TbP4RIOtzRo8e6/2hM3d5S90k7isL5k6+k/oOU0qoicWm+qXek+e+5rTfJ3LWnOSurme+P9X5AHCsLZkiXvgCsjHg4PzXMxdGaTRlIK16O17aP/h8//IU97r1ftxwP5GoSWlLOpiVfSotOGYCh420JJ3y8HlHVMhcUapuJuAqDEeFLJxj2tVwEbQlN9e9GVV3esSHP1LYpt7z/AdfrXHxjxQ2op1hsatdf88/UpjBvNN7Vh010v8jhR1/v3PZsycJd/9AYQryYVWfkefOuHNuIkq2LqmSIGlqPLLNGPCsoPCXOyHxeiTvdqAg++rsTHzz5vRkQZsMd2780DLaKYnXJk15bbIjqbHi/RyvS9CHunPQX5yxBuC5Sumr6GrbO0AHpRIOC0ryEyWUNVRlm5GWZX1VHwJXTYOLXIl6WnRTxliiEW+io2qzlNcxOGZwThtuRjIvfdxQq8DpEMz7K/VUivrhXyunCnLctM/jDeoYTuvowQaQwv7fn3edmPYUbnINa4gN09FSEDhBS6r1qoLyyr0m5lPyW64524gUj3tq4hXzD1F7uYhXxn8R2bSellR4uhl5NO/moF4bHLvBdpGWKl9BmsObNrSuo+s4vbtGFh+gxJYWbK6IuO+7a19inzccyuC3hZQT/Eq0LinoXmqAuRQ/FU8vVMV4VUG/m+FVORUyVXhlIUbML/qcGrEVxEhuQXNWQ7M/hyTD+bOLgVoTaei8h0oMTVRS8MacHLeHGFqqxNBeJWY6qsQQwF32QWd8Log1I+qbm4tP3I7b/JPtog3Z2OLMaNBhE2EX570u/q8tGLWJzO36uFd6GxaAgwZoA6dERdgMCWfgYc1IunXpJE+HmIe/2B1u7Zkz6s71XBPe7iD/xe5Qjbg4Gb2v8ySH4XUJfw26BeBSQFXGiZwZ00YvIH0CMlehE8Jfzh4F2VTJpunRJ48P8kZ3BRlSdGxyguFajnK+EbtYRCpd2zrn0vrehrDDTHMrwHAWTA07mK4GXgPkWIFmLUr4HYU6TWhVq+1wr5bxuE5yrY6Wcuoj3dd+6uzFIrIycE7y0exFkf83NKc7OT/HvWll59XesLiylkD1J8pWksGtS4x3BszvBHY4zHaskjyuPCl4gcSjEh1/Xou8mTPxdEv/0RGUDhjE6mqsKTlyKnOQ0eiQfrwJRZdXIlNeDRqV6uU2mZc7jMn7oQ2tZ5xrFgdlnI2ojN4cmJfWXX59yPUIQVwxSLhYeB0a1hESvK8HbavteGKqkJBiPWmV0aydXsIk2jV+eujZ9Kgzgudto0UrdRVRl7ajcaE6OWe1aJB998njIZRz0qE7pRoRjvbQlhziHIx6vt6WuOaA+X0tTLJQn7T8TUnTWvKvoCSL398sqvS8akPBwciIvDo2Dfb5kbHwRoJpM1gz8nZkskWXH/PigPMm1MUVo8uaE9/Ytemv5a0bU0M1iNSLOZ57yivWq0fDVKOWTcUQH8+o5JAhUifQFsTWGNimZFu4gfCu9eVhrtPjB/gL7+o+1nud9ejsZHxXczIxNif5rLiRH9z7CCrCXFbAcmN1uIitSia213dev/fcJqiKAtwxGU82XL7gTcj3rXc7JYfcsYESKtoiXzZrQg5mlbUtONeoD3wuT1WStdc92+3R39SDhvAw3tCFVZJnb5Mtp3pJluN+YQo06qh1O88F/RLW+QhJBkQcu+/RZ5uZRbxT+vO0rzVn3LrlgV+NSalLv42idVFJcBIwCCCe3hRm9l+9ZLzP+mN4ZldSe/EhrAqSdqth/Vf1dmzn/SgqE/17rwqSu7w9x5s0Ejg4JCU56zDM23tB7loBnQ7IlphDgdmm87rgUJRRKbXusi/Vq3s63C9PsfTu/+l7o2KxJsWI/NizJWu2v+weXBBxxEusOdnjGTuoRfeondwcIHiHZaCWskbkkZeq+NaVLYHluRUktvC1R27lSX0EH1uf0iDLflOKJHyCkiS3OX0s7tI7OVTmArKoN2Xal40Dey+K4n2DFaT+3uyQamek3AUPyyrJksoeFjtmHfHUCiLoa9a270HfsTP4PGbEZpGx6/QI34H8AVWe03564Y8V89RqofjXD8wXXFzttps30tYgI0Slu/3czDpBxAXatdt00cp6Wh+iFSqGOWQEuyojaak0Foa2mTR6HtyRCueyCtQ8CSuLTzWB9iiW9IFJrCcZt8FA1NwoeTiEtVLJmTMS+EL3pxIpXpSfkXEX4vQ0/CiHe5xxN4/AC122JXkR5T3p1KSNeyCOnp9euDt3wipHqA1VEmYJnbCHRfCGfq6Uwn56AT1fB6IIFrPRBFIoAWTrl0tuXHySVEXYYn44SJa9r7a0lpAwr13ptvDQXvFCQpW09Z2CetQ2EhKyDWMmfl01bqKQEPSuis6Hy2+lfEI18jbQauyK+QG9IZEywJ6mDXgihpX0zQ5IoYRGotkRm+meXXPfpQyCw7UoBi/nIcD/rJIzT83guoo1JZW36UwekFDVDcS8rZAacE3JglCz9/pBVmEVkpUkM8n5Q0rW566CidaKPDxtObLNrvQweEJltsYqKfjgPuWvlrDmZN/ixHkw78Ig2Eq9p/pRX2oYqJazNcjdKa8Olx18VApZVM7TRbR6Ks63EuBSu6N2m1DDa+sD91qGQpXOZP/E5UMGbQ8rg2yGMwDydKJihCg0wmFrjpaCthColrOW5HaGanKS7vvqCPbJsZHq4jKSsCqyquDF9Pd9GprBRgYflPMPMmwNUv3Y5mRZomQNvKX+k/SCoyd/PUOZvHSRyUvCOpO2th4GFz8NMoGX/6xJ5SXXJpkT68a313ndDrxw+5Rp3c9LtK7x6fWIhDUjX3fZR/W2zrvAk+Ua8UdLP7JAlbTJf0b9YHjcUCVhQumSWsk5wyRwho/DdMpmieAxtWjPEUM8R/d7mmZ5wjmRrMQFQv/gijmAMchMiRTO0EtXH8I0+PrteptFCyF7vojLyc8oPi8uMupwcgbJmxgu0viXZaYglzu5G/m8TDHgweVMyZ36N7rZy8ougy+HyAAytRFrQg4djb30ssWtBRBFu+wMOu8oyZcbY/Ytb15/CBXHaWApa04m+M0tVKes+U6jsGhXyfEX6szpNXPGQT+jyy40MgH3UAV5OewbDLm9xYV3kTcnffpL3p14ur8rPs0Y4E2oArvbcPvO0vv7J4+AY0fossobBO+pAd2eBPnvt32QEhAOPxJtVQxz8YgEYl/TASveRl2bL743hGO5wNYgs0MVFyLVnunwWK2SM2vk8JH699zTgeuMVpdYkWVfO3Zr0DJxIrzW4cKccD1j37NWZAtxvb3bNHjU7371Jxfdb8XW7J/UGI5cpHvnSgmc4VwJluvDRQOh3UjvHi+Cpfvx2M3g4gJPFoog6Tunf58oFMPZCAlbj9TVUflIqohawNPbsn9aEKMpgHUhnbdN6FCpbe3jsOe9g1anMEzJJR1IT2N+6Z76hN0TANbRYech+xWp0PSfmyfWap4LiVp4/HabdP8R/3ZNVYmocnr7/QlnjCGLszRxKi0ipXA6IGtKvqX09guo7NwZ2WIN8BpLgQjCtsP94v0zkIhajNuR2VufZHZMJitMK2uSlzN5n3n6cWeYyHmcYPk6/BRVktBDn00UFssY4QkTcuDTAKbpgg3P4RKFEsS+ZU3I67Ld3ba/ffpYO7U6eXzxZR22sV8nKKK9UwmDNji9uPc/tvGhMBHXQX2rsdFu9XZ0gaPiCr+YkZY1W0d/s1x8A+y1H2dHkbBQnemj3vSJhW1mApSzHnroa7vkOuOe5IZKQCNojptfIILriXkeVikzEfeZ8q2HoSgnh7n/4caDZqJ6Re8rZ6Z7JUA2NRTUxLLp6naDRlh6IPTGnU9Tppgrk2FWiiCBm6aawjqQepkR5/wfxjaG7+WFSbGhcvTSa/6fFdiWnDB4snd4vz6LYf/vWsdZlGnHUuDwf1HYELI5OuL2wKjlJvDAi88sY0K5TXklR1ibwMsTWbSIxyIKh4q3jhV3ZhmzUoLpmh2X9vMBqbADBJB5waer1G/YOgzuGGsNlpwfLKnWYGkaLuEaLmFWin47UP1I7LEnR+72X1Py950oHciY1hdCvsf9UEJC/P9woghyTDBZOXr8svumHXbAaVYlZiZqOlwzPvRh7G5MK+/w37VZznyRwAEpJzPyWzfrQIz92j0Z3Ngrl3MM5XyG9FRy6iKK3cuvGdafTOuTZGgYFeYOK6i1ryYOijPKI3Q2idGRnc4ocYUZJak4o7THxJ8M1NElM1Im7YBnSixSgkXq/FLkz5OU7wY5V6hWkXXIIwND714BBVVgvoS/wRcjgBrn8uqMAc9tse2B0JvtQKrGnh2l9mk/DRYZ/4kl50j2nYwM/d7hqxfc2Ug7PUYBIcrfHjAWxEM9Vfdq8iUDuM9NZB1mIiUypfvb4e1LTJcdvqYLD2/olJ8DbHPSoeDI0bunRSsg/j35yw3un583SpLTMuXEBI/NauGu24owdXfqDX83QhfegnCwa45zf5K/PumJYfGQwZD1UlHhvNe83n96JLuQOl3s3J0M7r+Bwh//3plnQqQ9l/vaW6YXQ8RY4ShxIXt2Zx9NatDIDvZL/rJDKvSugljP+z55aA+baF73aE5cvUYcjj9sdwTW+HIrRyyc3lS+wZWjWb+SCkuIRkwykEfYfsTXKqXItqe789+3w9iSvM9T6tSTlu6AmwwHu3VYxD3Fa4asLbniaz8nTCdjEJwlwm6svQOwtmROlurjsmkXkuErdU7G96y4L9iSLdcSzdqes1wGT4nQ6Aql1CA1Dhy8ZLV6aDacrikopgxXgJYy1o+U5eyppjfs9DhYXL/i+i1fQP/y1BAL7fzdiRFIan7pMNlF35qBd3a/3yh/V8OvhVfoBE9i2WD+UuOUHk7wkP15Wsi0poUwQMJk6EJG3W194+r1rsHwps7vJkN5c36dB9rv+tMEaEo6TZ2VPisnUAfiRv7rw4WWhIeLsJRNSOGKFn3XrLxiDyESjYbNmhBR+wHbI6Z434PF2qmeJ2MqvfrqMgxSZUJfm5CXBTMVx237H4Ql2nlPJBSdXnXwRTs4q6OplR1Cvklzt7dLqZf2d8sMwSS14S4di6sXX/1dR2VzsnFh88yyZm4R/9Mm8fbTJY/r7wo9/04xxPnt7cdLnPLj/pAYoiBBNu+/D/UfdJl3NLYjIesan8/2PHoAtq6lxeVx5GQvDdVU63ltBD/M1FLWjoib+A141HV7CEQvqpiN0cpmQgo2P/GetvpWEiylZ89LQ3htxFYl1ycsH+c4JvU0fDNTyZizXPtPcHaefBnE6bBVyfJWxTdHOvTt/Nd57Ei/0beeOa836Qpr50q42mmm15Svi2F+mMExG7WMtSNeH+w3RvSu3xg2PhdXyEa0spmQ/VlpmeM/Fs2DL/SKAd+B7Uj0sk18B25ik2GuO3+5QWOTDXhDiQkGTQ6HcG7GP6SjdVYCJ7ixyJfhRxzX9TEE8vTYjqRbwEtHF6+8Xn+qxCGkU3aqk7nujvp//1Lc4Sp7kV9iVfT3LcVVYYMv9W1Qp+v/tBTnRe3P22dHrv59S7E/qf/GOnL2yP43YX/NnwRkTpeVcK4yiAacwPlo4omeRavGrqFIMIiQxu20ar5C4SXZDsRhZGnjex8X9/9DMmw3MmWYoUF60qBUSKv1H/QMPxC/Dl55h1iSC0WZHYIy9pYB0QojkqHXYkMisfnSq/qS5R3hxfiKpu5/bYWzJpPLFCZN3D7N4XH2NS6q3A2SNfHMehNt7LX62m9/bk4OLNhbvcC+jP2fZtTM+t4/8kbF+v6dM+rW1yrtXvcZkvi3zijJ86nnWwVkvvlDMyqYbH2W8umTT0lTiK/3X8uAEkEu0jS1fNPpQDY8m7ikdUDOOThR9T+XAMuL1thlA4l6Z/6nTmpZT7jz20XwzyQ4yc8SXLmgGlvQz6mj3Zcxf7JUT7K+fs7see2XHISbw/4dqVBYPmx3cmhC2nSH+nbLYX2VfzGf8ID4l7NJLGgIPiTSdYuo6Z4LjWANaE0h2W+nkAzVs99OHwVJfernO8ytS1M+Cmg8abXZkJh+NmwLpaMF2wBfgozJ4o6zx/T/czh5mrMxS5gnYs35JWPOIOku7S2hRyVMCX/W/KrITCTum1729Xu3qSscHPVvVMpwlf60MWK1kv+g2iHkh2zcdsM2Qfl//8Ede1qnVVCDayv+roO7BvFZJWs8+4B7f1gmEoxMGg8NY54XCIO5lvatofhSR8n7u8t4f3cF8fbM9I2t8sOXd0c1IFMmhTrOtQ5+iPfjNcgB9e5qZxYFtfrnFRiTzk7el9btbjkVzHkDsiXbnnS56Z+WuuhJK9ijQDwDMVqluFAmbt62xSICcXx6w1BcKRO5hayxRvEbPGtMNuqP2+2tcN9XoQ677B7HzkzqRP5QHTGWxpOOtx6doFWHPwmyu3jmXVn3h7DBWMuu9qup7rd2Nclv7GrO5OGyPiEm/jOqQSFnZTH5C7sat6ipcc9wbHx4rx/7jP9YI9qT7q12l02obVUGL8uPJZ1/as7+5ZQpL86MXK0xzMesUVld4LDLgOdZaEuI8+IpYTXlKgp7/rMLpQ5eZhpoAiYFV21HHElXoNgE4XSE0PuTNSU1F3a51qjZyle8/4+UDz/01j2W3bnllxLqRcdUQnomEbqfUZcpLJzRuJvSCFHf+P5tBjofW4lkFJXUKq3APGS2A4adLyLFsiS1Q07ZMVh1RyqEJsq533kFQlLuXK62UckYR/VBumW5qhE0o5l6FPZjZ/RldeB8WZ1pNK+I8jMxd0QIPxgtRvLOh9y2claiNqG2PSnkU2gOT2Lhd6RoyaBNBpyzp6OaMpO6YuniXz1lxVqesgtFZMl5B5/5JyY+hDV1tUi/QCvQkoboGqFS5Iruj9Xw0kvOK0ZEQGNQY15HfGNXxDtrJlz0CE70Eu7dpNy7IbyCGB5Srw9PMg4+jFlkMr4YjtjwIAiONPKGccV7tmaI6xhYroeVv4YX+er7teSMR7AnPBWXowvyb8AxESq0kMUMgCq+juDKG6aHs64kok1eu1tbT2ynhnn6NL0816lI9CZ40WFzIJA1I9/b6ret5VVbFwPoNRPEnHUikt4XfxyYIHWBSC70kGg1RYauAzIOGYVtQC5dPzrlrNnwfpAHFQz3mr1fwszRPlO1rI9mxGbVo77eD3uNxTZVQs8Iili1SERcIsO+enxUKiH/kIVKwiygB8Ux+uhXCZyi/X+DE00u68A1zrj8ksB6eheRYQiZtCXfLeF1FTy1wgerdJiDE+EhXnEfjKZ/r2MsxMt0bvM4WMjJ+M9CaEdlJdCSUzLF8PybmDZmzrsTUbesz4+G2/+nG1OXvOjiZXTq+wIryA2nkzh8MBycSFFrd4rgZToWWUi3wWchYshKoGRyx7KPwLj2WTsgbA5TXjVDqwZasZRWTL8XioBWydAqISVTzNYkQ19dXOm+1vwcfHhH+BZSGz2fVa3dsmrk6oTqgy/3ClbCNluVhLkh/7VDWE+i37x+tlGTc/pQFCP6TVfKmRtyuKzza8+xlsRi+8LKUvuNdX6jDLYi9mfrFzQ1PP0GDlzTtklxd/eamwc5E2oMW0xVDCct4Tp+5IidXlgHklxZezJDP3ltznDHFVBf45ICEtwHOI9wHgSI7UaqmhyyTZmRx0Dhd7rzpuvCan2VhFlL1+YtI7hE71U+mkOhFfXvqoE7R2wt7Ir59eBjA5WECWmhYpg0P8jsjh35NF4EV1NFbE0y5mj2vitWQ1JohDKH9wBiHmeGPq/HA4qrQM16kqXDXZRwkKyFkotoNSNY2AtdWK6P7/fMGjebPbawww5/wjdVU97EgXWdXCbWkgXAThHvsKPDo/iJkZRWT4j4pe47dEraAg2TaapMPPpurg3nM2rAupEr91JTs/aX1Yd7Iq0Wi3nCDDF6rHOg53RjlDMOwKrp1Hx+sdVlm1f7LsNtBkUtlbAPO+DZzPLubbSkPjAJNZ77IogSszVIl+l5n5sw997DGjH/rFbZmufYBmRMv/uJHz2jdP7zOpSkev/HEuutaa2gPEY0x1T9vFYndy72Jot61Mhux02VLVl5SIgffvgoycKp7QpjjHevpOZogSkoytx1Q+3D7+k0/uWH9e+sLHu7hW+BBniIMbydQUH6byxcUj3P+6sQXzVi+qdzz+x7BwgJkwYUN5rpG3dESFg9zfcLGfO9O59gTaxuLOliZZgRB6588BgP5IBVmJGWDedlWs03OAFKLRuHhHUl45fezOl5JlcPrjzUOMDJGX1Q4KzapourpqLHooK1IzFtPiw9E9trALye+FeOjVI2VEQSA7+KdJ1u3Ibiy6a/3QeWy+Al1XBwP8DKrjHwkvxmT2W4TRAtL5pNTbNXcbuppHxD1NqxZpGYkTPLMrYe6AE5IaYcYXcx3ZTC6Dm1gz6cK4YFtOqXMrhBd9tH+pBhWGE7P9pdqF/2H9avJt86LrOOrPfVBs5p/Fpo6EFP1KWnqMXsWGI8r8mase7N5sOJU6b/v3SKDfm+/5lu1d5bmkOS3q8DwyrJkB4F7SZE6DRAOBSJ2pLtRxKffnceVNpt/t9nyepHNrc9OMi1muX0v7MOpfcZyzYnJov+vjqCiPfhUZOH5TNPYIn9n7CWlqvjp1KLTZx8nLNgv9sfbbymhsEkNnf/MZcJBxrAi0a/1kDzH+Zml+b+d462WaHcfohGDXGFOtCkoTGm9SOP1fHnBjQLnvF3XnuVThk8LLfy7Vp/6NqrA8mrmej20XtenT9W4NwHlu3yJM4D/lCBzqSzunH/5AMTTkFoLa0reM1ttMaYJBGs5P3JnQ7Lmti/7r38bzUfu36vNmzrxI7Of8h83IFkzm9Q2HDQmXt/qEALMrx6wR5Z5VlNwJcPypIzRkAPMg9S84G6dMRgly4QT4VWU9AIOeXihZSKF7xwIRGECx9i5be2bWbOubbwldHyRNGAd2p8D83BkndkEyM0Z6DGhljuErzukUOHzl96swIFiy/JWR3qUbj3UxxcDamskjDRVIaLNYb5KjosdaGQmgZjbiFIViIt90wkfeFrcVJYW0DPl4iHOnAunXorf4rvPipgWR0THg9SQRI8xi0KrlRpFi9fmJPz9rpfppcUieBwmpOKMCEdeT50BRl06eW6SOX4t9BaJYY2rCU5M7nD1ICrd+N4GFoMleRI0lgF6bGib5flQ6c2B02USWz2wrt3ekkdqbwPYjVlZRhywnPWyHpWvoJAVo2ExHX235AW0hs4TBx9rXBOKfpS61MGiy463ztn57M8sLA+DyysJFtge/a9EfWdhUgWJYm4PrZsgWMrI/RVpY8bkJlLVW2Gv+7rj1ZDR9J0Ss9DYfp902BZVY7mGRmx6RJcK8YDN0wCcVI0hMHOt0u3PIvPhwjqUqkQgjisUZ53wKg3d9Tu28FQtQ7rRoZaVyqM/1jpFByWCsgtUhTLiSZwk1GgfcKURzp2UIvZgaT2yByDwaYr5sKbUsr8ECZBAog4KXJxv+F2iJUMzvMKlNwyJsYGd4t3jrCsASWDoQzduJOsXSeC5Jt0UdxPFkNaHAV6T5o5rOTZx6FlfLzR4daWo+GOTWP+6+eqKfXSmvlzTLsu5PGL2g23zHUbB9spnOEW9D+SM2UiiKXN2EK3/IdS2C7jSBhz5GwdMr5kQs7N++uL4X2AkFWTi+FycY4qDeCWN1uVqG90nX5t94M6MI+u5tpATdEtVWKGrrguFICYVZBHrxWzengNLuXjmhSkrdPlQaH+B/oICXNseqfordv3iU9wJZPdSZ+9DmuXwka61W2RwkPa2KN68JBivN9TwkP6RuGVIYtaUldUhUU12Dpk/Qu34Wkjhn2BslGaV1LJmfcKuKekm6K5SsKk0uWcZQMrqrJ1yKv33w7tsNya9u/ldySxx3MXPFxr2A++5GpQ2WioMd8AuoJ3iSE9my4eUvP86OEjA1PxAlMPUXEfGZ2r/yXUaw0CQUpQWeicOnlqT4darwRYK9m29+uSvF0fCQnDeqVVF98z9+ETgEx/V3r/bdeLlqgAfaVRh+Pb1FOrX+twHA81WAWJ7PPp5ee+hq/4+HUgu/bEZaR8FReUQxikMX2/L+m+phBTTiCIr1/dgbGq/KP8vgJk8sMTbVbXKTDFLCsoJuH7Nee3dCm7HKQpxpLUXdyriatCfAw+519wUekxkX483DPdqb5nkt2PPI/G8luXkriJJ9RYJ3P+IMACK0jnZZYJpz1bHBdIgq3OFhwZVXNrHp+gJIfuNXdy8ErIxNgbGYZVeHQ80b/a85kbhSQF6fK5/emU6GVpQjmPbwR7XVxRaCWU09T35Uenxa6BQuVKUtT3lW1LyYJ9wgY3g1R712/Nq5e3r8D2uFfPwyQqHQj/eIWGzsjg+upF7VRyKE0O2SFSyWFx1sP3lLYsKispSqK2pGx6B1MOUXMwA1uWRqTi3RqUZh8toWwWPy6dOoILB9KXn1tH6ejuvLuXoIOsarmJZz/qIErAhPbDO7w+3t0PY7tFlCeBGj9YBamUYd/e79qanrwLZD/ScWDhHce4WbF/n4SmIJYrHhYPObV3sQDycbZP0Lzvr5uzGC7LYMPs1zXodzxuyQ4hj0vwiDEvisZ7aYUr7LHRGai4uGCkAIivJN5uG2LzB1q2gem4vzqySjL1jeP0bobvt4Mj5nJkzUj0dfDtFfkhBThkXFO0AFE8fcO8bY+T65hZCYGkPlHiSUOdngcJCd6Fj8fYjvMZyj1IyWLvHsmbmHbPm7frK/i43gd7V/VW2PQex5tSlMS9t0PLhAdVZiLtmFhdha1F2mcdNV7vv6Y2nNfo4QJ+KAdmhtZ6im5F0dvsQpZV2x+yLAaudFDJmNVSziGBEsDhnl4qh60Mhqybdjs7OiEn0xND3xGSkI8KEyP0qR6N6jjfPjp1TO2viDvB/4BSkx4YslXItIkXz4xge0+CxrylB3/SAEKwtmRb0fTxVUX3PKAwjcqhOw5TwUqXuVgkgrQoOji2ZHt8o6yioh95UHby91kUZOnYpM7DjzXhzBf0OE5rWVY5PLXhCJ4z1a/v2gZDaye1wDNcjDl8DvZu9O3J0Wn8sWT5/GNxTkqlfvzX/Mh7tyu9WdCc/5p1d/Cr3SKHdXxx391fpaZcNTgozCADEilet/n1tv0B/APims2vpl7JuMF/3eDrW+f4ia7reNrjCZWWrEvW/fYGEH50tQiO0Ju3hmtHPBu4UycIdosxXns3JXqr6vFA8Wm2iYZcflewx+tJwxSFfEPM6jkvhqdLDwox1Gbka2BcnaTcqwdg9yknFcOcKrWH0pw6LJD6G6smuolTOLjWaIqA5sBanUs0uGUKt2+kU5stn1dNacr6OeQ1XLxnczzP1rLg9rfJHva7+/NymoK0igs4oF/TK4AP1VaRBlXfOnb1bzUXViyI0FXpMgWbq8KpUnu1HWtAoox3O9ZvNagNz4Yjkqyb0u5iVha8WUmlicMH3OD08aY0DDTz2q2tqycs4INgrYhb9t52rw+U6MF7PZ6JgUH7XV21NWtAZqy3ctndtukxvm+uTLlUuHrceV3+6/y0S12KBjpK+K/r9s17ZDpxVTof9px3KW904stVubCEYGcvIWwwuTvR22uub08ZxHEXeA4VkC4ovpAY8YXEAiNXOdqFFBDpAlri38H4dzT+nYB/J+MNYUbKCvfO7LcMasZDRkN8mFURp2ZLt26akDgULkgQoFOqYUdgrchNl8l1a9fZdh8u0bP/hBi+ljMWmpFgp1Hvpo+9nfBTjPFYsjbUvaSndc5umKuDsdnnuAj0Lij+OmrBrDC4ugle3ejgMpZrYCAZgn911br8uqX2PQ5nAjCvEUqYJkAdL6uR+ek59zu8meLKY5rq/YTsaQ5UXqh0wcJy3t7UhfxOWJPMWX2uaCwJjOF1Jw75VBtWhYd0AIo+nzl69ICEWqdrlCNO3SixPXsnzF3YWB26fqvZomPwbj6HklitetHadduibcKGqSRH1it3lvRadU5IakpC5/QK+7AjpDsceb6ZdtiyBnhYZXekzKEa3iVKM7EwTQqv1lNNWpdZdrMxFGZ0VhuyTcnyu0YX9j3teP2/LKA9cVp5QbF4W7dekH9pkEqXiZ8jg6VXueu5pYtp1Majbzqw9gv1dZ2/QBdiEmj/Pr6hT4ka1xtC7A9qQF1RWg0u73dgzcjZwB+1R+Z+tIb9O6hgzBfHtiW1bo5etlB/Sn/YsqFv+Q//VS22ZKfk3qhxZsk+UBfnj+QXqGNTktguY6rxiKxI/mDrwStvtqezG9UaNma8sCnPIl6uS4YuWaQTCPtLTVQSZjU1FJylksNczsJ1nfs4yYVpZ0lhISfql+nAGV16yVYFz7JbjvDZDe0eO3w5f5Y+KhmTNhNXVcIW7vIxL18Et+Po/3a9lUD4Mhlbgzwyf1HmdeeZFLKXG2ieljMJfSBtJqXZe8NAdp4ey5LTjoFrFn5jsuClDddMHqbhL9vGDiPh1/w72bFGXSD6ra3mjRiOHQtf6ndtpx8JffDnf9V6rfaZkRlGo1e2rjvtKJgIPLOUmCpERNo4xe5O7LuhJzxpT+EBwB0JFDhA4E7QUyVmZqrkTIQI1lKpbLsITnAGu2sieEYHYiN3aXOK3mmrZMxBzlzzGKmNpHCTs9TFUHWtSAb76H51m8BDem7vAVhjxCrJ86tbDdLs79wV+MutydVzvRTF4b12IO4Jh7dUDvVkTcKH5qw3uGApgh3og8NpoXJOC2Vtyb6v7kfbbghbCXOOcEiXlG+E3uClxUlgYZqU9SVeESYbvo/4GAbvgnlwVwYvr3h9GyF5HLAvUC9XyZk3MlhJz5oiU4ixUcmZZQ0guyM7knQN6bp/asvRQ6EwVp8X0ygV/F0On3QQ7qp6wt26nIfG1eM5V0xx52yH9yMU9VqDcq3S1WjSOLg8kQ37UUTeWaeveno2Yx2kPNnD43hyd/cgF+7r9VDeU+AebYq7uTWGijqABmVbjmYsqt+v4Mywl0Q4t9aKMTGMs7nGSfFt3siQN2Mlg4mJemrgoLn1OGhuhrMH0CzvHNWVuY1On9voqCvH69FqK4rCvo5iWssZ+k7UeHE/mWJ7yemgqKnCujBNqq6sRehDHT6Ky/TgUQ6wdsRi8fYrwdGPesHzGEP+beXMSgbQLqHJ1p2MLJ3b8KZbi+WwtooWWhAH6FsZx8IYx0JXi9pNG6zYgu7/jAtKp8gYopIzn1SQb8suF5EJkq1pkWNuBVExmRbIIXRz2O7wi+METlf8a4CohZxLjD2muOAZ1lglZtohTwn9NlmzcXD1lhOUSJgiOvG+68JdA5WEWUM78ZQpfFKxS0VEfS1wwFZX3zz44sDdwIK1SowvYYfnJsUldMSrO/SPgnrUsQgZqBvgnWFjjLhuTi+REEKiHcY5U1qcAJ48RAzdVWLohRZcTVvpoumrkjL9sIP7434yUC1jd4vIkbXMi9Fjlm2Bu3ocAIyOFviwRDBNafpKok2KwtEEMZrYOkA+aUk5gBlDtUtzrM0S347C+9TA/1ENzBnbRrHDqG+KB6Y3UIkRKcIHv7Xm0MOgk0rM9FKJoQ87hkTe3TZ/3ZYbhTBfRxDBfoPVj6qKpk3i37ZJ0xIxki95YO1S8MXU8hrNSLuvBiYuoSMy8DZMTDkTEZ1IQTac+dZR33q0nEdLNiOu67tdGpeVyP6U04yMiqmpGNPz3DYeVEzOg4qZEd0rKr2hL5yV0JkLvFRJAfCHU7L6NSYMtf780w9uJLvTthedhloeho0c8nlXHKlqOLetcG4b4XgZYm8YohqtxyqJeeSleg7PvpqDlK+8Hakemly7u21HMUVZK8dl/u9w1tqR7m8nNU5eMPXYnyhNQeYVH89ybhbP6d82rBlZdyF64pfv6o18F5rxb6EkByttT3Br0n0prgexuhVrQzbbd59fvEv/GZzn7OV2CHhRGXFGTVklaRJTb/+zq5/PwGjuZ9acHB1bZUK3BremQp6sQmYFiWwTeaGV49pNAlDNpy0v9Sb9+Dadb5qCDNlcZdP39FX1MMGK0oleq54bpMwoxASqbfVVhqtP1249BxM8WDsy4Jli9ZvwDfEodVXCTUmEgPoSXnimQIstiM/5trf9TvZ+AS9kWmD3hPc7rAgOaY1AVeW43hoofQU5O/zHM2vx0Gc8aJw5iX5+NMrt7Z0DEC1H02ErXBO0M0/LzE/WWJZdgHYvMb7M0C+HW1jbZg0W3m7jqqYL9QZvnSRAarn5XXaZkRTch1dqd3gMOpt5D5oj7wJVGVTk2bfwqVGnTGdAyJFDVPc/lGAIG3Yaq83ZwSShfSe9rDb2DNzdc4tGYM1XQQIlSibM60mwYCN1M5TTmwyk3ryaKFYb0YuRSAl+vxZHqe3lzNoCmZoi8UY85Cg6z6Xrqs21KrJhLUjk6F5v43t6RWpwMM1RcTxLNdoIy9RdwV+emvFUEVKBQ8LRMyhx+sZ2I6k9SlDOKC3iKYcdrf1Gel8VcGSdBh18ozPSOpLvJiU54mL8NFIZUSAsOAXxtIiMr3XIPBfzdGQVpGhlozq9lrgPFRIafJga49ap8wIhYWh3g5v5A6sTISFwYYJXk7AMpZAw4mv9WfrLvYyFBN/5Ddd3Dt9XwCcoSf+4lm/D/V/uFwZVSQ7UmmvzwfBDKB4tErUVa0ymzfqx69SsgFUQL1fJKKCalDUmoasP1IPYHse1EtUk98ZaoyOKRtVgo+y3M05JEiSZfWqantkivLs5qds/KrJFyo4xcFKkMXEBQYj9RX3Ds/c0bjCK4vGBpJxHDyhtwLpzBbVb+C6Zy3erAVno1hJ8I2TmGv714jltrMZlzeWvlAyIx8b6zueWXjvImw2mP2iz03cJa8t/Ve9MTKr25dlrfqraPq7e73yPfi+hDbazDasi1WenLT5t1fUaRErQ0kLRu0CivkCNDq0iHn26sybRASJlOHciZWxNMvXx0IgHxdFdIbw+NnIkHo998HiknWao3kTPUaW6KutEdl+skpw/yCOL0igiNQXu1Ra4V1ug6m7B454piU+ra+Zj1TemCUH5TciceWOGba5qOAWOirSOaV3BH1TKoypyHISc0u6ApMWe0IJVkq/bb0+LcNv7VChyGOk923jfce9+wXD43WG6NBO/i+H7QS7I6eZXCTy/QDedBZupQBoVIcf0XaE6sGgpo9JlYnYRmFvMuQA9zAIUW59FGeP348srY1zn2XMWEJJGLQftMtOCS5p+dOI3IlvSt8Mbpqx4WCDElvH/KKP6euELNQ3OC1lW2E19AxHwqa2w2bFhE2M/NF0nQK+lXu9n49kl3FlI+NC46qZpPd6x/COu5HWehfHszylrYYMfSvs7OKqbASoZI1HHcICU9ItMjdNch462E8mSjQyouY5MgjknueEuoWqQRJ2+gCpSUjVOELl6rzsbIiHHDylEy2fNCYeCw4fo5XGIGEKolhDCoPYXAugffZq7hztZBc7TXS3XFt7QTTuqOi6hC3bUeZT6jORRR+ujTijA762FP56sQz39nFH12FcPC413w+Mz1RPmN0Y1bk5TiuHmTT2Ym2OOwpb4sd0XP5a1xY9IPywkxR+L/xSIHw+7okIxpxd+u94XrxYfD0KF4tQIVCHejVOrVDJm4TR1XZWcmTNLvVCi0mHWzRWpn1HtKH8Bt1WfihDhVnwzkuOG3RDFKRDxsVSylzOFm0Q4TZ4ncb+fT+FY6uce4fzPtp3hfGQvZ3LX8HPzufwPH3HwYSs+0J1mLo8fcWCeGPYtoWyI4XE+z43e5XfgkQzXcBuCNTnX6OSC2zFj/IHT98YIXDocN8j2Deq4+2WeHOYfZVl2PTmv+/Zm1l0E8K620y6+Tr+bksXbOegOpcsC0fHZd/lW8bruGq50M7J4V8AY1ZuhzsDt1uOFOj6Fi1ux3pIpfB0GZMgd/w/nDkzlrNWm5MSDWZ6L606+xD/I1VCZdO5ZMGrw+aXDK76Rgty+uaiGTd25XOYJlOJqiOJ4hwOuscI7JF0dt7X9AO/NoHlk/MGZde8H9fLjj6sjInJfMmPQxQiHFPg2kJOAUfptjJcOTXkcX6ppUJ/2ViiRS1AipzoH1T4oexUHYBfAGR9QSeUQ6TujoNIF/x+E/++KQks3/H93lE17oGrbE//2QqW3N/7tg4McjP/vi//vh+VotBbCLhWTrV43F7cb2+c9RLbkuTHMVGLGFtlPxZTFEKgzSy0enphF9lEacSDGsBR3VAg8VGKGXno0wG8NkbmQvkJj/NsEX6op/vXCZnvjvtpMJaZuCExLVBMoSXZrfL4NOs+gggh++Ju/SswEYMdIeNBj2iVi7BKJVpeIOcQ9pgfW0hNz9MI2cO4rfTA9GP/2xfR++H9Nh0jYFSKS4VDved91bEMIqSPYYFXYDXRMuZHUaFR+Ah4zHSlafRdslBgbJeEbRcdJis2SYLPkqBFpELH68EI81yg9Ld1Sho2ic67XpqHOqYd8N0F/lRgGsFZkc9YNnw4/LBdAEu+MTEcGGlLgaPawiNwwfNlh7+HCphD9/8KMFDP9+fk4T0w2uUy03GPTzQuKm//zufiX81DMNPhpFsr+35uFc0o+etSI7Bfwf88sbEcyvDu5hwTsXgAnRFpxVfpa+PpoxdS6ZqUc8hIB1lIJJhrmNbY76X4z7dEPaH0ZSrmotw6a0rQYizRWEmqk5Eqjx5ohKLHbrLHUqoieLqWA0/QNYBzbhPQ88qT1sn1iX/h2TxuoX8ZhzQMXZIEE93xxEhUR3CFYX1Kz0t2jeoVVG3Jv+s/eEcVD0NdiF0EyaaDYWFXYLmTsJfOQ3R5ralAZ+J+8H0ZpaKiiOep1BUq6UrT1iBHFtjqixYuhA+tMnnRsmWyX/EAPVol+eTUOtx5JpxlEGgMla0CSz9780d1wWV9e2n/67OCVaTk9VvAWFwWZt27S3W1VRvTlZT8Dcr/ugSrSaVFy/oGEgCGBqnENY4UHZtVetHO7sm9D/oE5IrL8gqGZv/u25fC4Oz9BqIiYSEUksfqYGGXEl5zElyBCITFFhJL6+H8IQ0SNyqS+egR2ZX204FrixSLdpuzQeKiH61aOK48Ox9gKdw6skrQZpzu2yuvA01rqkstwp67970dPg3AOLtQAPRMof1hh3eLnOYPyPlAcaT4pSKed76zDI1+i/78MnQxWDXOatkJd+7Eg6SvJ4hPjWizePzUEzXBitQ2rJFt9PiTaR7X/AkoeIVpJfMd4rXOLGTta8L9TkjudluV+kKyOF+j0lES2pXSPTZFsN52+IFVbsuak5fVpBXvuFQ2DQhler1KF1FrNUCLQnYPfvItOa+gK8w/9HyMCNSehLyxufC+75AYPb1ZYOZQi1GL166eFu3j3AysyPGCWz9KAPAJ6HJm4WIvezJ34VU8oator/iuMxAkzSosBTb8CC52Sh5mX0vVOOTuqju1ceXbbAh6ZVUHm1tzW4FSVeb35BANyNW5pi8u5Dh95dfVpU6uOvRe0fcaDlZ981/zJ5iFGLeD59QpvYEC82tdeVE+V85x/rtPrvPcHu86bwH99cPz21jddMlvxXzsPKxw1Y2hrL/5rh6NeYZHXl13jv2bWWRf8cPi0nfzXV7v63nxVtGEWv6A6340uabRkWT6FGIaBrIJ4jG4werz/ZR80O/dA8Nsar7OmvX1PUdagMqsiuSYdii4YXkwFHCkFDqQpWKO9qbvzyJaxs7rdpB4qoKeWso3JcFnjXmZVV66ByNsizuqpkkEOEj7DIxmn/zD47QD3UUrw47hSLWVbENOMl48npV+aDdueirUfZyo8zvzy+CY9TMRSFCS0/2O9wFSFOc6IWayC1Ji9Zedu/UtHeMQjBcn+duLu/Yw5ubxErSRFH3YdHhS2NpkP86DLSxx5IM8p5ruusOIUZKljQPix1scseOOhOXluf4d51HFGFrhqANhpVldKHfDjy/J5E7oE46rmkkpOG1UZG1riLSQpyM7T9qufSyvpY4GurBk5Ej1735EOBc1Q7dfYspxZBemYQsIKpnflyCSoWtKQbTnre+6Xr0KC3/ABA9ztB+oJCXb+377aPLgsERJq9RjtlHd4TJlg+zx67GLjYvMmU4UcEzrdmXB49aORQoLZIZPc26XEXUi4V6NrWeDSC++FhBWpOdb9+60NFRKe7tO94rvr4R4hoeYMp92LEksOCAmvp/s0OXih4JiQEHA9b3KAh9d0ISFixZt6/RRPY4UEj9HTY6zCsxYLCbMyfA/5ROSWt3RpG6v4rDp3A4SEMyFpGxa5x3gKCfPVhTpNm8rXCwn6hm42S9eUnBcSjDfWmzdZ17+mkBA1N71R2NWvC4WE85LrbJ/OKzXVmpIZV3TaN7daHASEv3ThnKWnvxi/OCd1n6vQ1Xl7j1gVLO0Zz4+0gkxdvdQ73fOpIz8Fzcnx2vM6dpUeF8N9EWLH09O7MbRlTYjVGv8VbuqJafQXjj+M4mwp5eEp4cpq1yGfprJU1v7HRO4XvN77dFLGen4i04wbxxvfm3Bexwrulmc0ITMmh9zady51NNzRfrx4ncUC5Zt+G4XHjUiYB5vkP4Vxo6SnUrDHFbZzxceShqWZasGAOv5A96DMkr2FfIIxGTx3deOBWzdvAqlQlJL0vnn5s+T4j0vCUakkQ2Y9bNMgdup3raSOK7sNau4YO1YrKfFtH7PVGamrtMyxqcGjlLcPfOjM11iT9E99JT/pXsUP8hgtAm4rlQykamy6XD2AQ05mTYjZ0LNRUy1K9eAIfftqUBe9FV8NaOfz42zGFV6+qEJOrMv2vh0qvwW2Wr7e3CWaLhiyrUjy9oOPQ86bbYIYRsNTzIjU9XjLHj1OLNBAZYqmQlcUPexREjRE+wlXswlZkNBpaETKuTva7WlCbrmc3vE832sCpMu1Sq/zS+kmWqXX4EuXsZaka5mrLORd8DekVsBYXKHpClIgdjQLPRepcYkFcr55bLdL90ttuVOTnhcdx8+3qyq/6se7XQPp2STfve3VyuMxyyWaZdX+mAej47668F5jBmRT19iU7IHrnfHIAaKK0Umqf2hqi/JCm7k9ezvo0cX2QqH+lSRRn2fE5JUXujRvAUzK33hfKPT+0JWGdZLl1bDQJqROw7ceQ6cFDIO9cq2b57pah3hl7JfK2C8e2C9qoV8U5NGVTVNPZV24geUHsU3IttJr5m9PLLwKn7kCe2KBtbWIb7Q7mivQQTOMbBPivfrq4J41fEPhnHaD/ur5nwdKQbYETnVwUQQ95BtkTWYuDvNdNyvOCCnEZVosXHTsgJivelbQ5Ma1mdhlidT3uq/3+8+zbizhqFYyaCfqf91p822pYgpfpoIMdrG5fjts7EK+V4GMq2p5YevzG1PLS7Fo0HSrxDXua3kpIYNn9Srzi18qlJJQt8bp4aHPfghjM2p6sPHXrePH4dj4ksBGlb0r7/Dp8L+GtvgS92WLZJ7HM8r+9yCZgTYrVnUyCzrDO6X5En/9M/erHS8a/L8W3YJk70xI3HO9ziO+pMPUSHraGHZQL4woR+p+LWXWH6IlLV9ESzo3l+7rqSlUdj6+Ww5H4gnbgnxU7mi7NPpr9v9WSlHNM+4jn/ab+L+VktFp1dBZOj2q/2+lnD2/9NXU949O/y+lGBC/sCuvAvZEacTZR6Nvr6/efwmnH6rI7RY922c+qr0SpCh97ZBoqHZZY1JSc6GlyZmJ41A4lyA1b2uy5M7+ex2vR8bCITk+sYvTZAfhOjXloUnK16kZ6ssuGioOhlHr8G5RpqTnmOCysk0fynjyERu8rGhNHM98+5YzSb8dXOdq2MHVMAprMNJy+zTVqsEeazCtUIM1ue25af7KqP0XYVVLlYwp5VhhtjLwiqhlrAXp2T/K77T7w7lQzJGZKfGma7uEtSCbGox1Glt/8hrYynk3mOBPKyVsZUKGhV2vZWpQrGEMEvN29pFKj2cJ23Pvo/cMp4eJNd4ZbEui8lxdY9CigY0gjLOctEc1e55IizRQouXrY4SvJeW9WXmPH9aM3Fzzplvj4ToWwJVCeAfulsTDNKqv9YIvBOI0lhlafpRIa2C0y1dqAZ2Ul9+GRC+5fMoie9tjKHHi48g4Y40Ozw6mj/zZcs5nodxjgcb2iOEU7d87evDJAGMKTwx63KHFgymxkC3lz3TaicvoLvlg5pqr/WdWisZdchkFch7tub7zgbXuXWnwiMABLkfDiwGergfFpFleqw/RAx+ooWRhOPXiTBbBOZ6JQAdOojrDfCLo4XWRg1Y9baCWqSTMA5r7gBGkmWJqhAV+JFjjx5qqGDbw3h4y6uCzR5pi+sI2XPh7FxXDfBoAxRPR4fX0QhGcieeubvYcFSFo6p1bIthWRsWO0GTOv/DtbTHqeRFREvwMvSVR0/vC5CQpvJ8vw5KSQhmI/v/K+86AKpJmbWdOmj6kIsMRZJCgmB0DumbMYRXMOeddXQXTuqtiwIiKWTEHVJSgYgJdc0TFHDBnxYiKARPfdvXMMKC777v3vvfeH98fzmHOTIfqnu6qp6ueSiT4/fF7M4TftUZxJ76xxWd2bbEXrS1mIXutE9xKd8Vt+UaMaDELMel+cCS8BD75IqEcPP5YBb8fTw+ByMQu+P3lzWM8HLmZQzlOypsd22Vbuw2m/vp0zuZwmoSVZuWlBYPoIjmSDpXnr05q0jQcbrBTvxsGyYtM+8Ol6vDNHT1ovnWhgJJ+UQbW6Auz7oHX1Vv+aRjog2iAEvVoT748qfAu4szCQarmKZG+X+PLck5en+Gwi4zpeSDg6CEDjpQIwA08RU959nlIf3DE1WqKbrGheBfYNwyniA3W5IedIEo0pJrHk7lJqr5aai5PvYxs5qITvOCJGR516K5jVHNCVIY6DPQFOuH3Y6CPQZjFXHgPU8EZhHE6PDY8wVxgV+nx9HCKAU8sJ9Cj4vkmOEQJqx5ypNYDx5+nXK6yAV5dZK8o4Cu6kkOkbTGHSNtSDvsQgi9pWc3aJmJPKmNPArAn3tgTe0QvqSycsO1uKAtPXH8L4/WieKUM/loZZ1Ed/B6CuSC7oooXKnoz+ic32g0ODzr3c/g2POSQ9mEWD4fZ3J5igAm001Os8Uw33lakXteT7SHGSdRJ3YlDy5l7Cra3uwaxBjZZVCzWTaNY2mMP7bCHLChHLy9DbJyIJiEkUnThoSidFLxUgUz/cc7WbY/65kBPzWJrygM+KUOv+gJI5UhQ98TJ0esr14ZL+zBY1IyOn1OscSzjbfG0d7I9MhzHOEGUm8hLVznSpfYSPqVVeCQcTuZlEic8RWcDN1eHA5eiQ4iUpn4TDOJ5Djs2CDv225+lCuIp+otZvMPw0p+we7Wxe57YPQccPAMOng4HT4+Dp8fBM+Dg6WTIHIfKwIaKrrk4OVFAOEyUgoythnPM+PsUa4i3xd9xmCiZRlFYXkZyJE3bdt42L57bT+OVcec3SgOJ+e3cmMy7RWpBrBn764lC7o5CrifTvdExtNZsJWbsqk4NvDCj1s4y8NjinQz/zx1HPXPOkJ5zpEjX0A11hvguhymRzNHLQxPq0RVrrIc1lsca/bFGb6yxINbogTVasEYj1mjS1MjeC3Qrw1YVxu2lKApVEa2A74VOCVuxGIRQij3rBCTJPsE8jFfpUepTDOgeMMGIPsXzGU3JIQHmUNQWZa1I2GISrofCtsl0q9z8gIN7UZTYp1upcN2+FL4xRCqemdpViDo+lxF5aTFH1p0TZpb/waU7vL9ng5pEYTwt8MTeumBvC2Nv/f9cmezFexx2t5rFILiJsSwIe4y8hNqoboi0n90tvBCihNRZDMJaATv2gmDHrlthSPU7GyS8OwzMJ8JRpGB0givcKSgKUmHSYetgH09xYjlYY4tj4Csv5Q3kmkCykIbnh90t4OTwSGFZAzkAhyaPjOxo1XfBlNgJkGnCEBw3sYxUiayMTmlze3zjUrDuGiPqcbOY8LRnoYCda8Gc6v4cjMLiKeqAQYW1kML0Lg3OfQzsWzJYJQnYxZHeH199SbkR6afsGV4acMGoBBkKzG2I1yRjNaje0P9nO8YjjlRMH93sbWxfe9wx6MadxePKc5DHlWcX2zKOsS2jm2oYG3GD+Fdbhi2K04Cvhvnf2DIE3DIAtwxX3DJEtg65snXInW0Zpv/KlrFr3ooVxeofWvg/uWU4PTz8qmdsL/t/uGV0qvhz54VVOr/8Z1tG76N7Rtr1On4m35Zxlm0ZsWzLOMi2jIy/3DLOsi3jKtsy+mD36mD3PLB79v8nW8bde0sDmjSoeEizZfxMlvT1WvSjm2GfsmXUw/4uZ/2dxKGYfTX2Rx5ndUHAZVnZMqywo1a5mYqxQ24Y5UIPkp5z5M3hC+6XDna8/f/JhnEvZ/nTV3cLfP77DaMS+fGA+PX8j5kJcKaIvF2w96OifEbLzs318ltRUd4aKkoDSGj2CGNYUuErcGkkPtlINtnZ8yPlZXu4vFCPxJqJvPpO4GRXIjrPBGGFHHQlCJE87OE1xqFRuOAICa6SI/mh0uulGQtmBMEguU2CVIJsOFBy+shCH4tCJVzsluhkH08ZfWAx17IrgheZ3bR/ySGZUzfBbD3aldEcxlnQxb+wyEvFSKPKp5dd8PY6DzEsp6o7GpMuaLJ0R/dUgqf1NHz1mjTf9tzg2bNgL4d0qbStIgSIOsmL7Jx3Lubdormp8LOcTJA5DVBJuIs03/H+2TMzR+5cnAj76GNBmIzUjrQfsrPqsj7iVxnlcyWbO8buXvXKa4XM0KKXGVrsSIH4a+s33Bh4XPWwP7zKXZjesCwnX+hKtgx98MO7X2scgY3WecNT8lj1Rhli8cCYKns8bLSSY6pkFhULLwTKTCx0gGZzcILC9Ekc6ZRUd1mVptldYPN7JW1UbsJSvSZzuau6/gq4G1ghemGH75IzbrCeiK8XRW+AQHzfmuBT/dCemE3janXCCY7Fb+lZ/JaRxW/pWfwWz+K3TCx+S8/it0wsfotXgs6k3RzZEzb+dK8hvrEwdaWzBrt2w5a6YUudsKXO2FIvTUt9saXlsKV0eQwUd9AmNRGX0Nr7iW9oRbM5MYpH3jy6iGGDfViD3ViDbVmDXVmDrViDrViDzazBRhZwZrTohNcBFoGF4qGH2Nb4W/Ucq3luUCN9ra58WPpmfdduqteCHfmlxK1SJUt4MOoReuHKe36faxDfRKYrcSMtpm2xRKVJleA0p/GgphPLbeeXChX8R1eQn/Uh20P5IqO6uGRSt3cVY3eUvVvYi2VHzrzdd3u8V3df1aV83e9Dy52bciZahhDjYWZwtIvtJvnfHTV6t93kskGhGii3Z/m228nnusj/Zl06EF522ZFD8vE5Sb9h6jd8bZTsmmxD7G6/3HXZw2IjO6TzB0t4X5rbLUL1vihFviYFtfF/5TCVnrIx0k6Wc9egIe204N7AqDtd574acCMkuJnK7/LYr+k0afj58+qF4qPLHUpeW8pBvXAg7PnZP25fuytfsCHLJlRMz7aQX2W+A2Fgib2l2j1YDojxnEOvFVdSJ/LepQOba/dEwm+MSqFilFxIhzoDLniua1gDZlAv/troikV9+dcd8hhYpEyZ8qqj9hfTqE9ve1ZdqV7wEcp7ZFZv8Va9sLrd+gmn1gyrpV7IGN6g8rDrPjnqhf6rl0yKa7Rjj3phEj+td2Jofxf1wrSdH6ZUe/lkhXxhEkcev+qTZRv1KQCerhkm+86z+HkBXZsoCOVItSaLIKzjYDzTX5/rcUIfMIk0rO88JTSY6ACfClp0Qmxx6l1dG7e6nD64v0StZF7L57OZLvh4nA42XqbA1OkVJni8zEo0S7+STqlDlgw/nbEGwpffY1GtbD/mBUdVqSkJ9Vjt1Jf+gAnOW6GuTSvQyxVQ8ge5AlweTq8wIWBJq6E7a+w2e6TcmP3VAq8fBYggOZOXgSWjYzrV9UB1voAc8GJPJndN/DptQaVhwJZn6p10q9GuBaN1C7qol7zJhu1j/JY7PopC1hBlOXbMJS358zVt2+GGr9PBS23kOeVNethZ7ZiW6jUE+c2VZ5zwGcbw600O2MSMuFu6Rupf3mJPnE4tH3kkpHRzNWu7PUnsmPHwwEu3cuolF+Lsl+W3c9Tj93DAwyIIWTawzg5v3VWxpVXW+3E9VL4NR5IycFGZRV9794exFoT7xlokRxLsvS9smtfDQhDlygI9XP+0Wu9A6dT4fkEAcdT/3R280KbEsE+LINwV4LMZQ/ccA+fNCH18tyhUlXV0thzZk72rWr9r8LzpGLWhJUmjNcsP/nK5uANsn7108gQWAGEDbzade/cB/xEdLQIs+rp8HVsfX7+2L3Fu05O2GGjNY5b08Fbdx0YfnFMPJq7fNH7/129LKCiVJBtBcrXs6W/7b1aTXDxcr7vT7FdNNT+mpIasc1vb5W+qsSfVR8aVeTp10zn1OVdyPnlN78DaUXXAUYG1gRcdqWtJ3K1nF62nbFM3/ezx1yMz1/1RUr0Q26v9kVrZY9LlC/akzSzXWlfKFz2uFm9Hii8Jc4jjH7nI97iRC2teB4Yah/djLhACLu5mUZAcydGWz2f08P4STxMB0zFd7yptNZKUqpkXexTsWR4yIlKm7BtgMcG6R2udRHeLCd6uelRQNFhMMP9BdiXR3mKCWau3NxCtLSbYk/22Fd6TcTqjtVjQYoJ7Vxe1Fy0WE2w+OqeLKFhMkHx/Tij+tGj9w+H4ZeUfd8eINpSOafydcKqPCbB90swJ7NvsD1vmc/hrxob70RR6FGD3lIdLKUeTANdnxGzEfBswI/vsDk70tggw9+GjgxzSQi3bc+MGhS4JrIua94ATp1PWqA9xn75wYhGLAJMP3JiEbAXwLuZBLC9WtQjwYOu2XTw+/Hp37BlebGsRYE1E3ANeBIsA43ZenazDxrxd/WIqJjeEsbtSF+iwMeNishcjwz8cy/mykm6dAoyfenyNTvS0CLDz65MtOtHLIsCB8G1JyKYAHz5E7dSJrhYB7m+NT9Zh5849Pn6JlXxty8R0nWhvEeDW5fBbOiaORUefs1IWnT30kl3bPP3US6p4CDB+1cK3rJTj2dPH6fHZxZsmROpFfwuB/XefpevFcCqE9ImvH+hRbtvDZ+TocZ5PiZgxwYAV54RPnmjAAifc3TzNIAoWAotm34syiJQ+HSLnnVxqEM0WApcjDx40iJtpV+ZtvHOIRtcKkHw46yQ1xwWYHLP+roFGxcPcVcteGSwExp/9+NkgZtFSruxd/5VG5AtwfFnsIqPobxHgalbKKiNKf0H84z1GrHj+2hepRvE4reNN6vuTRtGZdupU+kUjPrwmLifDKHawCHDkfXa2EQWyfvvCjzT1gQBvMhd9ZgWeikmcaBIr0fvSb84yYUvPPj01z0RNdHi0+OYmE/Z486zdm01Y8sSXR3fRXwlsfXjxhEmcR1sdcWVuugkLXJW08qYJx33a4qvPTLhodu3j06gt394GJnD4Lk2gusvGStPvB+hrLwQ/fD2pLnI6rdaRT14fPsqOGp4kfua6PdfS56XIgZbssESQyersSbWyf6woElDmoWZ1d//x/YKDG4O6qJeKkp6PCjvccb1wEzZyjGASWNYDa8USZKaY5EiGtz6Sfvxw4izYRFj4olGyIWXnHvaeOapbW1lDexI8yMYt/f4wWUNr2WOq5zhDU70aOlP5Up12R/ZeMqgBaE+OX0lYfXWCv+y0aU/0Y9ePdO23KJBGtQv+UJyyDdZ6HlloSFKgynTZ7NKpRvw8a39gsd+U1LO1R4+M7XcPlVZ75kTeRlU/OmZD6AaqyhoFFygoEglItbPtCp20asZ8USOp8+Hrmnd6tepxVA+Ks1j/Sc6OyddXdZYvOJKwviWymw9f2AuGySEW1aSCpGdKc78mn6fc/A69vieZWMMvPnNrQd/vkoiXJ603859XJrZO+Cdc4c3I8ddvZ+1YP6j/f4jg1p64Zp944hJ2KhImmCw6iDBJjqTx5e27Cjj0tKFJ4elk3EVHbcfhG+9mv3/bUh2A1yNSL9X+OngRMr3pRYsUzZGBVXf07d4wdDqsHaoxJfVq/LwJwUAiwzJ6lTTJGSeuB/71Q5OrLH6vhRZFHidv5L8xCuN4uCCzy1ARpLGccVNoz3NYRw+a4QXVJ1Y4QISb5E6ykio82xgiTIHUL3YWs3BynQkSnlFcdCZHevqtGvjG6qoFHpbWEGbYa04mTKpKa1LTCtA+MOInRlJqxj7YYB8E7AMLMNFr+mAQ5jFI8xDjHRnH4AxkvaHsf5QlR3IjTaQTm05/PbASnr3hLERIC4VrU6mu3Y8E5fwQ9eyicRCsTqIPsvBUyi7H2qCXDXOjapTnsq3S36J56i+gEzINCqOJIKyzgit2eOfZYItJJmaSOhCvm5eP/3Jz13sId5Q5IXIZ7QzYewP2PpdmRRlBgr2nHaoFNEbIJAyGeUx/Zy76dYj/rnrvR2WscYL5ReQ1i2IuM5hzflGNokeH1Fqci0QiorUMnVM/5CA64xrb9wxxDCtUHh6MZTEeDM8oggPYAgcwGAewgsZNrBh2oSB2wRa74IBdsGAXXLALttgFMw6gFQ4gyR1AWzaAAhtAMyNion4BmkFM4siHgQ/cfzrVtCrEh1OmDA8s2IAFC1iwCQummtxgsSAr2p0V7cCKdmFFu7CZ7spmOv1tihFPe3NMWPtBs+hMT1ts8L8VDvjqR7ghKH7RC64G4Fx7XxH9D+IaMAIok7B3FKyJ4Sxm4doyHs5k8+xlWJYV0aiU24BMOCFpEBsbzcug17wMJpSlWfNCE5SlHcrSTjMdDHK0Fe2y8Tsvg04YpyWAUuS4kSPJW9/23r21cAicuafXzMFckB5Y3jGswgOhJGUVETSriAnlrGfVGli1hMnZxORszeRsYHImTM6EydnE5KxjctYxOeuZnDEJC5WzVIfE1kwakXw04Bm84ZRNQeDQ6FL8DpHAB7+z1FEmILj0AwrQGTyk1iR9Yopx2KeQBvCpCGNdERhVEvLrCX74XVlfBOTtHYxtyhUoNZJxlcT3cJ8O0vRSEEkUa38dsODRZoh0V1ON5JZtlHlzKAVQLSYZg8IyppThTBa/rOpSd9aKvVBYxk4AnKXW5Hp2wxllG9dwhem2mvOWktjlQOxycexyMRxCXxxCV80QGnMbAn7KEi95kEm7IuOS2na+AZGCah4ahd16OEnN4krXc1o7BR1S4IqS5FHU4QktO1z4CB3Ukx9G+csLRE7QwlDfclBTKk3WTzb3WVX16gIYlP92jM1it7IUKDUhWKpD9j7gM+3uvAqEHXo5URg7tDAohctRboxq2gLe+FkOauL1YOgp6qQSZFn9DW5xF99IMIVXE78oZ4aO1B5D/h69EAxhUinSp6iVW8nwAtnwlcvPAk5DgyjLkeb+EsS17OVigd2W1YaTXD5OH0f5fhomye4uRlxiwkzzOYd42J57t07TEsbZVAmCJT9yyRjWvdrZtztgx20vi1GYe5wdez49j/z0Cw0wfbNJKkcG7Du0vMu4pkmw8GF5+TaKqTw9r4PshYx4avpmSv0Xs9cMy9/aIq3js46Rv/Ntt02E8PAVXhZrYenUOzxseUoNE8mHXO4/I2twwoQq8DzTxmIWPqzi4MQjDpe4ucd5eHpeJ5Uk464OTbIbV/sg7BxLXX8+rGJYzolHHNA2UMxGbqSokzzIh5HDdkzeGFINwsPP2FmshaRtHzig1YqCVJZ8adl6av2Nlq2wlkqaQ2kzViQTwoY+eC5dC7WuEbCasncP3xH39Ommm1k0czsbHHarLSJgFhRkGahlMeEDIi+VI63mXJj+/ukpC82awmpRaqAwpA8eENHHakFbpZ6SJN66cvxMt97ugAxvejlY0DH3kdw6dNJP5IlVrV9eJhaOgaTD9vKvvDDCYhRWczT/kE74QF/zqQKuwjl0D/nIsnPHOeHHpYK4uJzzwwUvuhzufOfrIi59qzMqEZnhHKxL5KSfyNHsHdVTtr2d979QmSuxvVS0VObPfX1g8gy64F0IhnOhoiCVJtOvt31Q4LfKHDwyyO4DvHy+pqfna3i6NimXYqUkWeXz6tika9FRECpP/1xWNLoIsHMqXga1fciN3lWTblZd3R8Y14yB8XGqx4qUHqQMCe5dpGHmu7ROcFvAAy76BhZVmyPTN0FXmpmEsg1L/sRnRr128X/MSYOHvMYjgNd2AUIkf9LLKfRdarW73WAjj4d3FNzUY4i0QlBC7/MihRssXXLh0qHpCCwqLgk65ZRbKkainw/md05qfhR2GlTKL12u4wKY1ca5k5JPqjr0nDBgJUa8FpBPvakN50yq9bCrXcd6fxdgGZpMaDVJZPr2mEGGzaVCYLleDd1jp0ZlZPcGXhUBHvNJErm459CWIwdHTYHxvJw/LHckNM4SUFTxGpUKksVN2/+U2mf4FlyvtK6EBsmHHM3xbHnkXceovxmqAOJ7yDcotcms1/A7cypUKTvz3+pN7pgOTe7jecQDf1ACwvjcDYOGILXuNq7BoKr3wSQTOFLD1pmcrrW/sd+ZAXEy8adJtojPlWpXZEar4D7ysY07GXq5eWAn++gD3xG04Y/xO9ONT+zzCLogGRF7Jvv+qPXlviuASovr3R36YOi4v52rWxad2t3kYH8OrupV458SDOtwztIBwzsVwl2pEOnyY9SxH80zysJC7VzFLKRQWfIlTx50eXzqsk0O3OXYyvbtPJWKki7FPQfzY6p/hHt65dQX6wxR/V7YINuRYgPaPPStls7LYvIlp0+1ruUZKo2C95zmhFEnE/zf5SCSnnXvGPXDK/c5zbZBPK9u6N+8WJIvOVZ56rVf/I40ouyDLKj72+Y6EzGu37zVDfauzjOEvuSNVfTehCcnz/5dU9xJf2PXdq2tL/72nXFdGee9Myp6iCnPuHqRxO4Tanb5fK4qmncFxCKysiEzykrVSa/XVQMe1D1zHebOoaQwi3WQqFeWVKMQ5wSXKLnkOT+ILke5Y5IZG+viK3pI2UTDZN41OjutRTNH6//a8+7k5rnW00K61Z8HU3dT3+J1iRzsesFm8ZHJRdc9q9ak/zc/+ZEysy9NP2Ux3YQV4bTWdYnMf2bXC+qmsOkQD8uTdZIf6Wa36feuqa+y//a2OsTV/DYl27OfGWYf4uUtUCfcpIt7Ag+L6QAk6uEDpsywhThKrHmpIJxjqf3kVkl1SHRI4i9pHZ8e/e+U4ky+pk6JmD/oeFXkkGQR+HRBuLv34JuOcyplyaR6lCSxkFSbLBzj8Pbooi5X4MQFQU3wigfSBK7QE7F91WFbM4tZyFrFQQ7mBtULYydh5qE0Hk6vp/4ELxpcjZ9WIunUX8yRluT0RB/7bd2KpUO4UWFdY5NTViEVzVimlWZmCDsHRXl7owsTBePKMeYMCJbaknJVvtZpsH78J/isLVWrPFuptA+5pRrlrIa0VF7N6lsOO10TgkW9NJJ097D96e4r300wkbHEFctVeGVeLitNclW9GgxC0MSzQi8CW/xrL0MztlirHdZqxlr1WKsz8oBYqYr5zwTGNtplXzutPaSW1ZhvyovMVHQqL+a5QbU6Rnwuq9+4uIahAiMTEz/nQLafHukgxWAhwmOTHGbeinwSTSVPnRh9C8YV1EQT8soajmNjVOvTyym2jVSFR9lWwieCIUxbbGfSSjDP2hjRqQrMstGkTeRlTI7lPjaqKBZLWcxyd+exJbCrYSwNzXOkZjXAY5MUTOov3zHNvkrWIzhlYFG3SqCtPDy8GgzCrPS8opKbDsEM+Hqkk4KIeHLmrJPDR46CJ3GDLUQ4FwpUd6d2NVXyzbINQe3kp+dZBAS1I6jKN32zCWL2mqUupNNey9boJb06wv1bsVSRPBeKgQuKpcDLhejkQsxqIUYBDQLa0b3MWW35W1s4t8iZmg4vq8KGA62Rlvnt5MNzb3huz4Tw8KxwLo+F4i0Fklanq3xqecJigSvZgdRqDkYF9lwoSwi3ikOiRWazmBWbReSlVsR3xTD7JlNDvWDWzNWc0nD2iCIBQbWiWOMFufHUopElgJZOdlQhyM4ohvbUsvI+7aX2n+9DeHhKzTzWjbfUnVTo3vZJ74CP9SDBV+WWUZhpKTJgxtFn9odOhW7a4giOQFRuNUNRbrIkJgksW0nuQin1IK0bd2x44I1QEWZUUC2ob00iplvUklmE9Fi+wMrn2RKsLd0gJOpxrD4YYKog/UouJVwrOiqo3RtIW6/YaWwBUnqhtaN4oRay+jJLiuYl4iCBZ4XS0fpgwHd3KnNdzDGL8maoUzdDgW2GIi8NIT+EXd1wHOZegIM7OI2J+K0tRquk3dKpZhB2iYpvMUOwc+vnWf08q5/PV7+0hiNTBsxZ6Cl2XACXxv6qsbB0wmqOyUsnYJ8Ws4OBROYz+MGAUp0qIMyVY0Zg6yP13kXTC5jpZcNMLxtmerky06swM71obE1mOGOXo3sx/cQdnYYuHeLxpGF5sg4WX9FLqzgyG36/cexpK1d4ebIWDrIifNpYHF49mz56Jg2BNdnEmkxYk63zNNmWNdmNNdmFNRlYkwlrMrAmF2RNNslNNspNpu/Irhcc0ObqpOKk14J9x/mMwbXgwbRxdFBuV2Is9GhHOmpeLmupIRFbzNgYufpWFEx3RK9J2RdYtkbyucjiYkU9OalXI7U18b1i1mZ7Uj2gml3m3InukMRrlnytB3muMaa4tOpkH3LFYUnhGWKmqV41TSP9NzZ40aBMTVndL/QddX8QKdj93PkHz375CrPsFJdlTaUK1M944VUfKY0drHiL8rIezby7FQWel/uuV63HmsTY2rw25VF6EmRao+t7/pKMGud3JkcjlmVgFqI0kBw8PfDlqjsRNWGqSQmGFBhQxbac/Bl5clNt0PoUP1clk5zi3KwsQApCIFukUnkSd3bH0aVnR5shlWO+lfkyzLPcIFa5Dv5gLXUk9qd/5p19zwdBhlG2D6n2kutfyaul8BrPc8UmN6haGPPMZaOmSLEgWVOsYL/61Y7slY1PBrU6oBHhTVoMW1vFvUanAKRaV3601XDthJJ2/aqUd09JfwWnjBo6q2/HXq96b2llSH2ZefRllt37NKPP/4VF35E8zOmQUeb1DICLujz6jeyHJEtDJ0uDTvdcL/x8E1x92xSz0Id83F6j8IYynkmY+lshc2Zum0Y0gY2SD5mx4NaZRkvaFP6bd6ImKfnLmYwllSCMnoPnyk9Qxh5MskcZM45pXCGfp4RA0rPJ5vsJdTgewjSk2go6bNa8uXkel/yIDdx/UmxO+TnANmNP9E/WZg5huEJgw22/P6p8zEW2PkUZQKgasaCm4+IUxv3hLRUkfIuigv2YDwnfnSWPLxx+NSdqWa2/nCU+pOWsl426pQSE/a1MT8Q1f3T3/bWf/kamoaRK+qPytYcvaQjJxjyGsQalYCGWYNQEfPHfW+rAKZ9N/n1goippc2BBz9YBY50ZiFYA31DVP1qmblMy0ytIgF6GLeoRkvxa8AquHwabtU8bZa8IvahT26qsMbmrSi5S0JlUHsrZL3y8sz7cF2T4w6CxV7T9NKjcwso+otesR4hY4ve8cMhWl7Xt3AstGy0Peh1yovyvBdLKjakEB3jNUahR9jtA3Qu0+wmvebkVjKI9Cas3yTbg8dzl8FD3jUliyKVIV5nvrOUgGWWJVQMrVDxIgViaEyu+zMzi+4uMhiu8pmyTKlpeEzelU4WrbD3fE7MzWfn52s745BOpeV6JemTku/0JY9rV6U/zhGtHMdcJg/83xFGQbE1YdzW25Mxp332TRoeeSMrYc+r6X75JVcj++RUX1wm46QHTWaj0JBYq7Y83sa2XyNOKbSy5hvtg8uaSr6tt+9dxsCbVEeeQrG2jfofasMB0bUVp1DE1ScfUJKIqragg6ZiChCnQ68Ktzt/BcwaTN3M9m0r7Tqb9r1VZkcSUPh7SqXFDf0jMkZjWppe1Nr2stTnKiqZBA/tUJIdS/YMWLVzL/7PnKpOsBsE33jytvw3Wp9TP94CV/IBZ1mgNFrOi0Yr0UacP/J53uq1t//Gj4Rw51qbfhI4uGSXhcYpTHuMgV2VH+eqERL1i3qhgEyq6xjxC1TNFV8e6zsvN0amKbn6cLJwjZODGRh2fRc/8v2pCIZLTf12EVbegRIhlcZG2iJLZy3Ez7qTG6KYzJg8afQ8mMt8jPMCkGeEWcuRC2g7dwQa1m8OznDJqQpmW8BMNMGVTdCGdk/eZqXiItmqPHsc+3QDLTBpczSBc88fjp4VlVYzNSDE2bHNOGiejbEaKsuG10+vp+3lwMaZcjzcgSBDxyAi3zwk0AXHaGMu1ThXbw2G9bOPayx4JaH3iAq+AaJSylkFo1Yn/4bGnVg34XBdu6v8SgMsLldGnGVDGS4PIg1PhswKq95kHpwvhLgB5QDLz34Jkdrhus/qsNSCZ9TcgmaNco5VUl/z0srj58063vjAVZHhMcRjkBRv1xDgYN+gwmrCY+xYCkyqRrVeKDzL8ZPUzJOq+KYbIkBS1oRnSRZ+shNhgdTJm//AmYbxfbVihlx2gWQ6ovEiZTm4KUuLmQlhSWdK1cYntzW7s2QgDZa88VqlePfjKRaywCKkmCf50YvPqmOLVIG125W+xKaoQzj2u4DI6GZfhNchUCHHs6J+W+YPRGo5MPsd9H5miDxs0x9O0QTF7zX+BRXmQ9lFXTcOWH3oC4eFLGuWBohylCiQ49UWTpK1WXpB5z+u7UJRRbr1Rc3zelEwP+NJj4JbMJzBp/qC8OBQv36/7zmm+BoXLh0DNNBTYWHZj4+oQHj7DLw8C5Sg1IK0f/ei0p63+PqwrpKJCDAniNYDJv8aZqhMx9kqLbT+scoVUX/n5XCTJkAdJEhiYj+PDtjGd1IAUCnzocqNsoAMsQSaTtjDie4hQ3p2O/w4i1ITMWmAVtrTtu5swfTqXF+vR/S3Woz0JV5CeeRxZGDJqU4112zfD6t19/h7aMbGSCGujwMqyYziJLVu7zXlwEju2druytdsxH07yd9DOEo4M2jYq4qef5/4GuycxWEcR2mrm1vgvQB2rPI21YY11YY11yoNDGfK4AEDebd7wXVCnGCnRK8PnUOkhTeHFp175MR2TBtMxSzVI/O4Ud8/lk2rAVfIXmA6vwXQMKq7B/AekIDImx65v9IF9NtSbQDH09SotoUE2NGTDUTZpGEQoR/9LdqS75NtrY+iC6bgkOUotyYYPVaWA8Gu1YaP+u+iMQjr9LS7DrHKmcuvQxUDJm1qTtL5du2GIOewpbDV9F4Hhcw9w8a/Sa9lnQmpPlpnaNr0w8LQ7I4XKRWByEQ0NTQ7kQw4YcS+rBfKd/0vlyPWBRZYGL6ieBD/lA1t4DbWUPk8qxLrk7ZVLN9YV3TILhubDWvg8uIbSKoYr6PMNgCs5f3dvh6/dw0uAoBgLGCzoSUZfyBnSfaB7cTBrTCq9HJlXjzh/cSh3npuaBru1CFFeJEX3jXUhm0mqN0lN0vV97WeWLWP+gHlcXoRETRenU8BAHPn8/iie5MaZr6d0V1NnokqneJsz4grqJuf98/qX76Pf3ZBnmA9pPy6mb9PLNgNlu0YNA5YjN6l0i5ALPX40xY+O4SEIn7OTsQ81/awMX7iSX1xsbUPbfLSVQ5Ed1Ewd7iPT2ybwHQvL9dqRYEvSbyMb1+PkC65kyY+dPpJic9O/Ef2D2BZ1bYPmHfyu6D1JiR6nS24cMmvTX3W4b8THTu8PvJXrqU8+T8/c8GVW+F4Y880BfV4EgteMF4tdpPHkClQTQLo2fOZyPTmFRytXCblQJZcLLkilSWR3q+c3Vo5oj4dqirlryIckqG+LVJ30aR/enrvaqhg84/N54+jUJeRbtEAnoy125IdCa6sHnd83Wu51BTIrPbrk4mc3mtAgBM1ppsqLq7GBVWxLqkLeFWpYZ5JrlcHQV/MYrwJh2iTqTDiq5S9VIFOL74tsO2DeGZA0DxvzSTp/Vlw7crFe0w2Vv7TtI7c9kPgWn77yfK3pCRCYtxFqIkX+u613JbvHz11z9dOb0t9MqZNPXedU++Hd4O9OqdIkYmKrbvUn7kiB0fhzVw0fWD5LHYyiXmpOrvhNjP25umUzLIxiznt5HAa+MZRxkxeYOaVYUnTrR9cKtI+l5iStfvKrocOPbfzPlVmRpOmift0ZED0J4s94fN9SNsr7vT6Phd16a8Vqv16fO+ifPVeZlP7Sv4bPJUMQXIgvke8BnfyAUVYsdPks7LJ97bvur/TDvH/8aEsSb9Nj3ZTik5vA0ht2qvWKyoQ+j9VKxXO+bn6bVU/r+MZibUl2JXxZ321I3+H/yVLdiE+6aejIzduDYTkLq7Rm3iKSKwlJLnV/4ogDZprXjVrAqzn0FRlEOr5qd2Le46AwuJNcJK/haxQWYvrhXKOX1xi9gnDNHxaWxW85aRxQw1ZPDdt/Yda2JqaPv2Z2n364BMQxW4sFx1g0DJAsHoDgDmWlOc1gbA7m3PUKB48uFSapNalT+eWvVg1tJtJ0BbTc1lhuwb8tV5uH3eq75ZYglqE9LszsVYJHJyyN56DuOz6DJUiBhJd7BzXs+eDfubsOafp50eIhr8LqUcrDf3WGoc+3SytUCHWIayXupj2/8dh/pxRHUiHuy+oDgmsyBChqgORIrL44jU0eNa+o5iKQ+iuDE8I//zEQI90OVpQKkcgNCwvdPli6FLgjHLkuUGYqZdwhlYjv1z5TuwU3+Q3iqDwKiBvecZojAKPWxQOMaB4wpHQAAX+3E5HmV8Nhgi0WLeckqcVoutVoMCcN3YdO9pm3k6MQiAzus1TNOjk/cD+RMWfACU5JSC15ks7Wk04efDGxKe6BigsKYRqT5Ec6BVV5mxLZewC0kDUSHmheXSV/rV5wBUp+YTvW2/K6fhJLJOoqFSLZh9cWsK61aJIsn10VtZQWUlEyyPoKeWrf/AYks+3QiARqArKYm7FwutPRNIzJietfdDJ5iKAQCqFqigH/JUnU+qad1lafX4ymkNSeUKhuNKrmCiapEHmfnOkw5+LVt9+HzcqQNtPuFrusm9MTymGrNzPRu+TThGXvJSCSG2nulzXv+d1GWTJRbyonc2nWICfWN3B9XGqFA1x5UYpyojaFGx1wTGLnMFPrYBwHEamUp8sonHrGrk2dx8OeQzzyQzh9WfO0eUWbl2oGhUCbOPO1U47NENmmGcLRw1HyJLPnFLnaZOCoY7LnmrUSbwQ60SDF8mT742NV17d2cYS4pC75zl6rohxGI5/VA2pi24gZ9ANEGrUoOIm36Ie7OIOuiF7iFvpRhJEqlhUv0Y9q4n4d8rNgEGUX8Tl9YLj4hE62eZx4nsdc1GIk/czAjOZGYQ0vYqKZ57yI7gLHdWIni0HYrRer/1nUSYNYgeYmNCGT2V0BTdrPZvy4YYMm7QJ7jBPbT8O13llwG0/3xo8FxXBDeVgerdxpQTS0WrjRHI72QRLXlZjlzyxMP8HB0q8cbn4bZ+gg7TWdUJEcWRhkM61i5TU2MGMlO2mItELKrM/WSJmVZUSKsA16pAh7wijCouiHUczkkR0MoSmzuIpD/Ks5BuVUxiPfkshhRBdoL5FFhDio0VXVcG40gS74mcHBGl4SSXKZeUfvmXu3g5eMaC6+BDbmDtOTTdJCnmS+vFuveYDNSJi26YHWvlViypxxfS+HzaCxYs5iIm2gByO+9BOnsbHMpB+1xMO0Y63FyRQwGCxm6tkg3tNjyKH4QocBReIdFmxJuQxpPJOI2RvS9LTPRhrrFc6xYK8WLNirLAv28mLBXq4s2Iuubhe9kCHxagCy97yvKBah4EUDkeYcWdMFkZa9o0Q3OmNiOKQMuZKOqwgNtaNpd7PpWmUWEl7pYPJMA1KRbL9mgQsLfKT7PDn486sFru+SHsLymvjSGjQqLpH9QJiDJdsErXHEnBHR1bNVjlGdgaNMeJa7vrqIdhZeoCfT7rg0WDC5kA7jE9nGVwhL9cJ6RPzrLbPB0es+uAn4qpFi/vhCFsEljLlvMNy4GH4vjs+UwCEtiX9L4a+lNdRnZfFOSXUE1Qvl8Z4KaKIEyrFKGDEBLKGbXs4eX92ih5pYRm0ZquAxiZsOM9rx0MDCCw0teqER9rQxy34uNLXwEEwT2tsPjd5zTb+yJeycjK/AhGKoxz4rDbsqMo+japS9QThWD2KD8SXd3gF17Ml9EZFKHoa6aMZEBkWlLGIJNi8mcCLdhB8d4TCzZ8xdDhNMHB9L844bhfkxzAkx/RSPfMwZn3jYsIluv+6EdOi2/PWZDEdINVt0wjJUtw0wR5DqkgdjDuwJ3NG5Fnx1w1cK5z8njme+MILsOsR8VOm+bAOOuCu2oewZwhhIpqxhdiTt8ZIfDL836idn8HIkGzqOPe6cNeIEbKJ82scF0ShVIUW4sis3W6dth/tJFN6NNUO4NfNFYwTYS+ki9dIBkbxsZ5y/B93hsqdolH4jv548ltD+ne9jyDzuTxVKEyQKGHqaTqX5zBFSXbGscR4otxhvOEblkxkISUH0HKYp3KU56bZPoG9l4lKm4o7dxaS87Cb7P3Iy85d6lkwV209ZPCzepZPec+Sc/4uGh+6n3Ycvn9ixbH3cVorlJ7/J4+hENxO9AtHgbGEnIyaZ9pHR92kjItjsVRye0EmJ5TXEQ3p0faHRpDw2+jMPh6it9hUZxVlofoSJQbgMWM7GrElChhVenMgYu9MBnjlaDMKxIjjtxpXGrSQzEKN9k4JQXUdpibxUljTs2OzTvdH3jLDtfhHmFGARhC2tYF0Plgd2IoeU4dFLOLiwjROdpR9I4ijPEPNPa0vCtRAlLBYD7LVBsYISFKsT0vS4TEKOSfIhI8jO17OKX58IMxzZ/XpNIDu7qSgpkh1xsV+BKCuYWpiVpssTJW0xCi9sYIWDdJgj8f6nt7Yt5XMVlrzuKMePUyzfBmN3XTF2N5A10p9FuDZha/o4jq3pczjW0J4sercQi96twBb0SmxBr8wW9OJsQfdjC7ojW9Ad2YIObEE3sAWdrgdrusDeUThHzmTTmZfwSoc6z+SZBrh704iG1YZMAc5esaJkWP0q9Ijvt3DTO0geokk50hQnXmNUgRujHjMSp15HXNI747QLwb2uJS7VFTAgtzQus74oDidNLLqA4uCZOPSaMdMpY0Az8TU80Nu/9fFBPvBlbQUmdpSMgUnGkUnGwiRjwyQDTDJ2TDIOTDLWTDL2TDJ2TDIC2+qsLUSOI8fxupJO7Vw5nlzqT1baFx/zoEG/SrC9kupfbNCwKDhgx+2x44xGzxU77ogdt8OOu2DH7eQgfBbD/Q0XhFSRNLq998zjhmcmYUytUAD3Qw5FyyPzuUI4SFcNA+qi1gDSFI6cGtNjhe+VtVkQlziTY8sukvAJjCPBkZHw2TASPldGwufJSPjoUvw6AIU48wdUDc4Go0wYiwKuGRsus0iA2xt42LsMuVD36uHFUtqOYxGiRRCOpJSAmZerSY1J8aubAlNnfWwDr6xxkV/E4SI/XYdK3D7Ge9oXu1ERhekhI2kE5EhsVHzgECet50jPAZtqNyOm0vhKsUUrEIXQBLkM+4kVGX+ixAgi+iFBBFWzqJklIm/EMj1qQZkGfHfmCGItJo1aTBoVmDRcmDRcmTTsmTToxnE2GF7+gkvg3mXsrZH7jmvXp3MCPMqxksaQ5N8a3Ur3G/oeNoxltosdDlt57G9d1FnH5vLZCuII1H76o+34C86bxmg7VkItpDh21B47aitbkNhRI+soz5gXedWcPMiR+qeLezVJfHgTMs8gZ34T1EH64UDP5sSa7MlGTEQzZRHFySLqwERUjIkohImoKRORxETkxUTkyUTkzESkZxPGkDth6Eu04TIt/vYGhgzQKZMrNtqoT+fofvsoxwoenEP9JEKEIyklJFdyuFXhT7vaHrgJZWR/AOTIlqZxxHVHRavQE3v6w6RNvDaPqaDHxcSgAVgIVqJkM6W7nbOGecCgsgPMY2d9h9jh6rhveEwsOuEq5ad8XxHiGqCwcSWVfMhj/82DJ6X52cJBHwWvMgqHjXCIqk9vbGCVk+RCToil3lVJsAmCZQaVWVQv+ZIHw+Y3vD/rWhZk0rsd5OwO1ZAq2yg0hhaiIHmQjBEx7T8VmNgOMqksaQ56QH5HZ1GQGhObslnniz6clwGZVgoSLxhlJYDFLWHqVYGxgypMp00svNCPTQcDcnhCNC91IxsGvN9ZsH7dBnDfImsXCmOMUWQauxH1c4MaZeOBfwPwelVoY+GFMVSdZPKcwQ64p1I57tHDYcr92jLOp03dpMu92KhKdmTn0FfXxsQltJC1OAuBVYX7XprzIQtjvICgzdgCOoo0KyapeytWuNz1Mcs8I1lIyNWTUxr0KRMG9xmQTm8OhGp4c8Iu5x02Yw61lqMsfcjb80MWXm68rAKcmUT52tM5OE5JzczC6k8czP5CkXVXYhNaK/yLe/pj0GLqlLxv4oNrhVt4vOr5zQ8lnrxuFxHWvgylDmVhGtQhVnInu7f1nxgbNa8jTCiIbQiwGMAg3qEMT9w0h4FuFUN7QCksxlWqRJwedrt/tnL7EXCe4VX35vOyU6GCzhgobzngpEauYmr4UIqnRtsP1LYecGSnmsq28cycZRfSh66SLzgQpyMQl1ipjQ6i2LPekjexWWxXbfaMjN//Mq2MHRmxOubp6oZVKqmEme6O6+71bNvntnrBwq36fDjLtqt6oX7QWNtBxWZ/VS84mpyetG/jWUq9EPIweXNTH/0R9ULq1t7Pjv9UtLN6ofO1C/FFml5+ql7oElHvUoC5UUX1wqV7DWa41PBuIl+wJ8dvFk57/6S7WWWitCEZ+4Ys80q7l4rsXY6kSGTS6v5D9weDTDyB7sZDys991uZ41iIspwhNWvmpZXp4uw7s2KmFZEf6ObjWbnyyWDRe8JfcyITd+jrho74WAwG3tWOcfCZjR8Y/jHjS+lLvcXirhwTEd9eRPh+tqiYhZrmEJqyDUcOinee8m4lXzlDf11fWbQv7Ld01CB/q9GeTspp9yMp0uMIOj8IkII266Oa361C9hVKKHYnq/sfI8k9Ot8dbukhAVg/f3LkcBG7FW/6gt/xS2j/Ub0+d/nhLXcmOfHxQOFoIf3lb7dgVL/daF86vZOkoq1DaxWVx9T9faZehXmgu7jnaIKthJ7zgJQHhiizzWTez8XqsZhrtz4CIUr+k7vHuhFem04r3c3apPU7GMgduGxpGOrH63AkO7aPlXFZ+MlVaTqhrfY8fFx3Giz6SDXFM8Ohj3y28Ow5XZ1L/1qRmIwLr/gqXDQrUpjKxsOCSwrg4+WhyQhGNJ7JR9b0ClSfdHSjvf3kIkjqT1psuR33ay1f8nynfl7yssHC37c3PPcBf6yzLZqeJ+fxJvuT23uHx/aOb9P27u6qTH456u3+MkFKgB94Vo9PoFTrFlV1zHkn1IhuETtjzYYOtS5Sx77xMfn7lP3u+C2k9fl/zGscn1YS1ZtZMtjBZaSB/AQtw1+Qdq6uQbAoU3qVGPIiCjOBQjlSGx1BhdSFS7YQZLT/5t1IqGP+frcCb/PEoZW/E7O5l4KqNjM/KydwsBjCKN+lSsP+59+9hdVy2yUuKO3nx86xnvbpGJML9qLNLrCwCJB1bn2bAn0osDzlpu/Gn29/85EB+G+tWoewEV1tYQhcGW9GaZv6MuNAt63PIEJlxzp28bLtkXK+UHaXgWmmLTnhJoym/uMJumsq1UuLlaY+XLFmPzXCm2VCD1o2+9Ml/gHphgVOFbs1Cxm+RL3iSI1ahIRnXv+6B4pozcVv5/MCOdG40yuj4mqyXc5m6k9iGH/1r+qaskhOl8YrHouRKJrmfbDqo44oLeCiPAUnAejzq7tzKlVybXaf0QYi95+Zda5Xy6OZ7//cXwKzN65bKCQIP0VtXnjCe46wFHi7vXHnC6BZ+h7vNWT3m/DO5Av8P2OGOiUiWAQA=","hash":"06i+fzKWQ2iG0zb4iv2f8dhA71w=","signature":"AdijBNO53tdyZx+322UFCO/b3aWGvp8cd20Twkkdr2Y=","timestamp":"1768447064"}],"pseudo_low_entropy_source":5413,"session_id":9,"stability":{"browser_last_live_timestamp":"13412920664460256","exited_cleanly":true,"saved_system_profile":"CKHd9soGEhAxNDQuMC43NTU5LjYwLTY0GJD4oMsGIgV6aC1DTioYCgpXaW5kb3dzIE5UEgoxMC4wLjIyNjMxMr4CCgZ4ODZfNjQQqN4HGICAtK37/x8iBFNFUjgoAjCADzi4CEKOAQiCIBCAMhoPMzIuMC4yMTAzMC4yMDAxMhFHb29nbGUgSW5jLiAoQU1EKTpiQU5HTEUgKEFNRCwgQU1EIFJhZGVvbiA3ODBNIEdyYXBoaWNzICgweDAwMDAxOTAwKSBEaXJlY3QzRDExIHZzXzVfMCBwc181XzAsIEQzRDExLTMyLjAuMjEwMzAuMjAwMSlN6xO5QlXyWblCZQAAgD9qGQoMQXV0aGVudGljQU1EENKenAUYECABKACCAQIIAIoBAggAqgEGeDg2XzY0sAEBygFICgNBWlcSBFNFUjgaJ0FtZXJpY2FuIE1lZ2F0cmVuZHMgSW50ZXJuYXRpb25hbCwgTExDLiIQQUxBU0tBIC0gMTA3MjAwOSgCSgoNLMOlLRWAjX3KSgoNmHbPJhXHktxuSgoNEdZvphXHktxuSgoNhNPsDRWAjX3KSgoNbCkq3hUM5OPuSgoNiHO6phWKmdyBSgoNulZg/xWAjX3KSgoNxlxsjxWAjX3KSgoNj2pT2RWAjX3KSgoNyh7ilBWAjX3KSgoNlERNHBWAjX3KSgoNFP6CgxVa5Xs3SgoNWOHqnxWFX2GdSgoNyGmMFBWAjX3KSgoNEAz4CBVzWYwfSgoNLgUsphWAjX3KSgoN8ImVoRWAjX3KSgoNlaqVMBXfF0o/SgoNmcwHlRWl68MzSgoNYNxxSxWl68MzSgoNn3wMSxVa5Xs3SgoNVVngGhWCS1QzSgoNmQsJPxWAjX3KSgoNufUU8xVUsurcSgoN2OowDhUOxP7fSgoNnlpZlRU1wfM9SgoNaQ6cmRWAjX3KSgoN9avbdBVa5Xs3SgoNElliIhX/tz7qSgoNVq+k9RUyJXKySgoNRF6KVxVa5Xs3SgoNQ4MV5xXqHT3ySgoN3pAX/BWAjX3KSgoNQsX19hWAjX3KSgoNB1t43hVa5Xs3SgoNBkCcfRXrFKe6SgoN15mvJhWAjX3KSgoNZS4r8xVa5Xs3SgoNuKGCpRU99NNaSgoNcNFtvRWAjX3KSgoNyJn0aBWAjX3KSgoNklw1bhV89kaYSgoNNbxkARVa5Xs3SgoNjc1enRVPmy/RSgoNAJJaexWAjX3KSgoNHW5KdBWAjX3KSgoNm/X6fxVGplgnSgoNE8f2nBWAjX3KSgoN4WuUIhWAjX3KSgoNKaLebRWAjX3KSgoNl0cDPhWAjX3KSgoNvaj0MRWi5u0SSgoNbSM6XhVkxDtgSgoNnj4lDhWAjX3KSgoNbm4EyRXfF0o/SgoNKnobpxU0ozRfSgoNfZEHeBWAjX3KSgoN/8mCSxWAjX3KSgoN4qGPyBWAjX3KSgoNaSNd2BUc0eS8SgoN7R+9LRWAjX3KSgoNDO+PBhVa5Xs3SgoNUYxtbBUsiq7VSgoNxN+Q8xWGFdPNSgoNDxZJ1hVa5Xs3SgoNkoTejBWAjX3KSgoNufzJOhWAjX3KSgoN6u7BchVa5Xs3SgoNIkx95BVYbATNSgoN/kOxvBVE0JwCSgoNjf9j9RWAjX3KSgoN5a7D6hWAjX3KSgoNOpCsGhWAjX3KSgoN5RhfXBWAjX3KSgoN9O+QqBVa5Xs3SgoNrldstRU/gJ2nSgoNHSm28xVVq79nSgoNevNGvxWAjX3KSgoNNhDo2xXGB9eiSgoNMrd4XBWAjX3KSgoNcV86nRWAjX3KSgoN9N3cHhXVE51lSgoNUcB8WxVa5Xs3SgoN5kX60BX5G1IFSgoN25yL/xVa5Xs3SgoNSnJ7eRUDN6T5SgoN503GUxWzRKkgSgoNC9BGwBWAjX3KSgoNM1kGWBXfF0o/SgoN8P10oxXB1yvhSgoNKp36UxW3c+mjSgoN6nyNnBWAjX3KSgoNqMuheBUVqy7VSgoNVWet/RWAjX3KSgoNB9ltyRXlk2jASgoNjMOJ6hWAjX3KSgoNMiEYMBWAjX3KSgoNIn2qwxWAjX3KSgoNYIdNSRVDXTJSSgoNVQjGOhWcKm5ISgoNo7bcYxU9SXFUSgoNRucG5xXNbifSSgoNDBmW8hWzEaC8SgoN4qpCRBUeZ1hxSgoNZM+Q9hV2GTtuSgoNd9PRDhUUD8zhSgoNoPDwdRUUD8zhSgoNkD8McRU8sfbXSgoNgYSx4hUG+2R1SgoNiRjn5xV1BdZKSgoN3lG3chWAjX3KSgoNbuQHGxUjVTZOSgoN57zUdBWi5u0SSgoNwkZiLxWi5u0SSgoNEDiT4RU3/gWLSgoN6gSCqhWAjX3KSgoNI8nUlRUdnCyiSgoN2lgXoxWAjX3KSgoNIssobhWAjX3KSgoNkrdXsxUwrvLcSgoNmM6BlBX09Ec9SgoNA2xCKhX09Ec9SgoNmPaDqRXFYbKfSgoNGIVncBWob+beSgoNNIczvhWob+beSgoNqQeZXxVuam8gSgoNmsvsjhWob+beSgoNg1ZGKxWob+beSgoNJnn8UhVpYT3uSgoNHTabvBWob+beSgoNiHEapBWob+beSgoN3L9x/xWob+beSgoNDN1ZIRWob+beSgoN1XnM5xWob+beSgoNRVWTSxX09Ec9SgoN47o4mhWnyEZgSgoN4QStQRVAXwbkSgoNo0MeLRX09Ec9SgoNFM4KNxXfF0o/SgoNZ8JtOBX09Ec9SgoN7j3Z8RWAjX3KSgoNNWtApBXW4lcWSgoNRqGNQBXW4lcWSgoNfZad1hUuyZU2SgoNoXWPPBWlQPimUARaAggBaggIABAAOAZABoAB4OGcywaQAReQAXWQAYYCkAHmBJABrAeYAQC6AQwVWJ35AyUAAAAAKAG6AQwV4Zod2yXg85ZRKADCARUIIRIHMC4wLjAuMB0AAAAAJdMiQWPCARUIMBIHMC4wLjAuMB0AAAAAJYaz2HzCARUICxIHMC4wLjAuMB0AAAAAJai0ZW/CARUIHxIHMC4wLjAuMB0AAAAAJfwvAI7CARUICBIHMC4wLjAuMB0AAAAAJTvKSRzCARUIKBIHMC4wLjAuMB0AAAAAJQljcb/CARUIQhIHMC4wLjAuMB0AAAAAJbafsODCARUIChIHMC4wLjAuMB0AAAAAJaQHx2LCARUIMhIHMC4wLjAuMB0AAAAAJdvtoADCARUIKRIHMC4wLjAuMB0AAAAAJXw/J1nCARUIPxIHMC4wLjAuMB0AAAAAJZlL2KjCARUIMxIHMC4wLjAuMB0AAAAAJW81x/TCARUIAhIHMC4wLjAuMB0AAAAAJVX0v/rCARUIPhIHMC4wLjAuMB0AAAAAJXY4jebCAR4ILxIQMS4wLjcuMTY1MjkwNjgyMx0AAAAAJYK7tfXCARUIAxIHMC4wLjAuMB0AAAAAJdvtoADCARUIEhIHMC4wLjAuMB0AAAAAJRGrEPvCARUIHhIHMC4wLjAuMB0AAAAAJVuEMhbCARUIGRIHMC4wLjAuMB0AAAAAJb4uBSXCARkIDRILNC4xMC4yOTM0LjAdAAAAACXUFs4CwgEVCBsSBzAuMC4wLjAdAAAAACXjyjS2ygEgCAQQBRgBIAAoADAAOABAAFAAWABgAGgAeACAAQCIAQDKASAIARAFGAMgACgAMAA4AEAAUABYAGAAaAN4AIABAIgBAMoBIAgBEAUYAiAAKAAwADgAQABQAFgAYABoAHgAgAEAiAEAygEgCAEQBRgCIAAoADAAOABAAFAAWABgAGgCeACAAQCIAQDKASAIBhAKGAIgACgAMAA4AUABUABYAWAAaAJ4AIABAIgBAOIBFjIwMjYwMTE0LTA5MDA1NC45MjkwMDD4AcgSgAL///////////8BiAIBkgIkZGM1NjNhOGItZjhlNS00N2U0LWIyNTctOTQ4YTVhMWQ3Y2JlqAKlKrICJEy0VBM4qugDY3cefZX3Iz1gx7F+G/UF8TkL3aLoElc2TPMNXboCDgiQ+KDLBhjw3p7LBiAC8QLhl4iEBEJXqPoCLw0ARE1BEgg2LjEwLjAuNyIQQU1EICAgICAgICAgICAgIDIMMi4wLCAwLCAxLjU5igMGCgQAAQIDkAMA","saved_system_profile_hash":"D5F0B7D0B896B05F36ED6051CC3EED25D5AD85B9","stats_buildtime":"1767747233","stats_version":"144.0.7559.60-64","system_crash_count":0},"unsent_log_metadata":{"initial_logs":{"sent_samples_count":3,"unsent_persisted_size_in_kb":0,"unsent_samples_count":0},"ongoing_logs":{"sent_samples_count":289727,"unsent_persisted_size_in_kb":54,"unsent_samples_count":343058}}},"variations_compressed_seed":"safe_seed_content","variations_country":"us","variations_crash_streak":0,"variations_failed_to_fetch_seed_streak":0,"variations_google_groups":{"Default":[]},"variations_last_fetch_time":"13412920031892358","variations_permanent_consistency_country":["144.0.7559.60","us"],"variations_safe_compressed_seed":"H4sIAAAAAAAAAOy9a5gkR3Ug2tmtaUFIQqUcPWZKo8fk6K2pUlf1cwQC9XRPz3RpuqfVPQ9JmK2JzIyqiqmsjFQ+urvGu3cxxhiQwXjBGIOxDRYYjMHAtcFgg/FatgFJjI2x1/Y19l7fXV+81/4WX67fXrz3ROS7sqqyZwTY+82PnqmIPOdExInXiRMnzkGv2FhZaD3eXVlcrq4sHtleXZjYOnFyfmv15KPeiZPL0yuL81tHmu3l+cPzi0dr84eX5+cfOnB86ckz7hnnUNVceUj++3F01fzyyjFquifJtjsn1dbQlQvMdG1mFPbu+a13XpCqt6M9x6hO5mknADthrrrWCYuY8hWu7RF1L7ppnq4wnZzomFRl20dM1+6uMWq6r5ak2jMSkk+YZI3Yi7i7RDfJSeZioP7bgvrNPuXljmUTx6HMPE471F3E1OjKUqU/BKcjS9NVBRWPmFg1SAaQI+pY3T+gFbsa2HCGNeOLErrpZMsmYUMaLiFm0JYv52nLZHX/4LaMVr5NjXlGQted3GKiKSejZvxOnmZUhzdj4tvTjFeg25eYrRH9hFnvA1YYUfcW+9GoPYz2+wQajUEUlH4U1u+UX1KZqpYnyrNTU1PlyuTU7WP3jFR3EbN0amN91HNaz3z4c8+OP/Yfnvt//vHKs9JrpBe96LOvuSAVpXH5G2PpuXcSXeXPvfq0pRWqe/7g6Rdg/n1JQjf3Gbh+MX/49L+qwfuvp9d/8vN//M1r4r1+tayhl8wvrxwxaJOq1KBud06q3YvGj2PP1FoFXb2FM3mD2JvEjkEJrurrSrrg4tWVqSlIT09WyhNQjbOS/OVRdOe80zW1k8zTWitskzjLnQ7RKXaJ0Z1vuMTe0GxmGHNSbRnt84nXV5lZnzd1m1G9LipE9IKu3p2TWO2VqBx1TB6Mwoh6dzEn8e9CD8Q6LS91JR/19f3yNZWpCvBx8tBEuVoBtk5zts75bJW/MYpunvd0yhaJxnRi899L1CDrBOvEnpNqk6gQsLI6UZ2ZqEzMFCTeo/3RACmY9HEkeSDSVejKRdLAnuEW1FoZXVWf11y6iV3KzMLIMOSj6I6om/rDAaHiQELH0J2xLhlMSRlEaX2PHA3jGcHv1jN/+/Hnx+UPXI2Uec9lDWoY87oOC8qG12wSB9rqnDBPdi1qNuekGkswf7oyMTlR2KU+ngdbnhwOcww7G65N22QRu1jFDqn9ooSm/BKP0WaL2CvUXGhhG2susZ2TbKPFtmKEYrWqHkC3dqhZN72OSuy6FiLVXVbvYFdrydLUt7Lqn5XQS9NVX6GOQ81mzhYo6BZoQUcgxZsgGiVLs9/KBnxSQpN+A46zLWKv4O14xWF/GcB6vD2Q9d/Smr9bQnv8mp9k1smuRRLVuwNd1aDE0OsufJFvOFSamyxNTpRmJkqTM6XKZGlysvQtrd+/Q7f61Ut+2PGkQhdVvIWuW6RO7zSWv2UNvjpaSn/9ytopdH9sbRxGrTCi3lHMUbPaaXQwvlLmoavkobuFXraD6vY0vjCiThcvimvb6KGdNCizZOViShZbxSSXgA5Vgq3i7/7i+XH5K6PonpAiPc1cssTsJWZ3sAs0zKazxOz5RoNuE2dOqj2ErgmWkED4ui8/gRpGlV7WD0EqjKj3FfMXoaJqBpNzlKHkLmP9dmDnBLCzOneoPBGJkxPTvtzz8VG0PyRn6mvYcbaYrTvL5gbukA3PbmCNzEm1mV5+HsiBWdtA9/Uysh90YUQ9UMxB9GQ4j+OsG0RVGU41xqzJylScWdU5wazHvvmnH/idK85K8idG0YGA3iLRPcugGnbJvKYxz3T98c6H4Vwv2+7MhVs7Ey4qEeMGwBdG1DuLuQg/hkq9zBtCWclDmTNwchZYVqkmR9ukP9pefwV6IKAk+HLY666yrTXcPY5dAuP4yLZLbBMbRvc4NdtEn5Nq8wgFwt/0RKGqVnZMBEiEh29OQt4xiZhUPlI7nJbKL4IgQ3M9PZwTFwos7rhACx3q7fkdlKjstMT1vXDwCg+0kzNiPf/tf352XP6HK9BDg8idsnTsEj3aNTaIxkz9ODWJWOfmpNqJ1MB4xSWSBIKJYfIK+RIJJgbNWnrQXDL5pyS0lGsMDSUFtSleYm1+QEJH8w2wXNVRLq066cE3JQbfO555blz++hh6aZL4EjUMajbXWswkC7Cs2d0FphPncNdf3+KZc1LtBnTdmk0sYlOm1/1BWEhlB6p2KXmiX00Pg4fkS6lM7fsltNhnEOyIENSkeEk1eb2EjvQbADuuinIpVVm/Vh6rTE2KLn/qr58dl/9wDL08SXDFM1xqgZbiSY847rJ5mtquh40FbOuLbMt0XJvgzhETVEgdYoIOd6N3O3/4UsnW3hRNm3T/7ZRWYUR9uHip9XmzhI7168WLqZByiRWKC2bVmYRcUY2kWCVZyCrZWmLWInUsA3cXidN2mTUn1WZ7O/COPKiZR8f+4Mmj4wCymUfHwXSVHHSFJjnUeFaq1UjlORMIYx8cQ+UUKWbCycEADap+nHWx4XahVxx/7l3aujefXvcm5B2WX+ug2X69MAQViivutDgzlNB6eydHecoOyxOnX95LM5Ph6ffHfvZL4/J/GkV7k8Q28CaZN3VAnZNq96ckoZsHgANwQsq5WR4AnJBgDqa7cCDqAlL69FYMCogUBxBZRAf69UGKitKfiuCsmA9zUwFnuRz6KSk6j/l4nmUx211i9jHWAQpnmN2ek2p6gsfSw3/xfRck9XgubHTn8tqxsPbwAXLXbEjGdJmvliQhtUQz16/qp3732XG4arr6RV//kQtScZc0OnbFLvnPdqE7+pW+innpRzqYwgD5N1HlKxMFpK7mw0R3xSvun/gAgH+Nag70gzEl6Mu56Mt56ceG4Vqtnh6GL3Rpj4dn5J6Rm0m4MKLeVcxVhdoT4TVa73juS1vJR/tV4S2aWc/X0sKIek8xfx9PRFXPT1/JST+u/JudTSx/fzKK7k9xoGu6LeJSbYMYRHNXiGtTzTnOmk2xTz3cu9GXdkSj1kRT/cbAILzCiFoq7qigFpruOyKGlaTspKT1vfIuEKTuiySoaV+1JX/PGLrtcebZsGjqy2aDHbaxqVOzuWxuENcFveKcVCujK8M9X90/FAPgQ2FA3S8PhU/IC9X0LM9B4AS6J+y0IbBAsDiU4Bq6N+qcHBSVYRTjoxx0srGt6AujaE/QnUt0e51s2dQl9rpn8CPn3XHmF/uDAmDE9aLcHzDB7vvT7B6EOR8aWUSTIw0EJIr9SRwOpYPYsM+iofSlkeBleLP8S194blx+1xi6LUBbbprMJgstorWBfUcMAscKhx8HktfK1YnpQhUG9hBUQIzd64eI8lDEhDiVNcKHEYiP8CGwYoQPI5gY4TkoKsMoil4Rtw6zE0GvvObNz48/9sz3v+stY2cl+c9jggsYErFNsuGp/L6ZmYvEJRow5PTknFRror1BF/Hud4gbmFJUC0g9hm6KjQ64BzlpY60NF4al4MM6sQyskQUMJi9niBpU9HB3nZg6sYm9rDs1CynpguZN/ZRDlnUnX4lohyXWk9ehYQHyC9Wk2GBbShpWZdP3DauyP6YMq/pTUPpSaKOZnirkaklhRH2guMPGG+FZMVbd3KUpOystsRJNB2P+I//w7Lj852PRUg32ZsaaTXTKBzgsQRRVg2HXD6q+0cI62+IrTb1SqU/MFqTqDejqDsDVMSwgJDCuK/YvrPYaKUdZfD0iybKuT5UlTP32oILTwYZRbzC7U7dhQfZNFgdVoork+MoZlBHfbXpwYuMYZ249aYzk1tNDL3PryaKh9KWxvjtUMD4xSk1fyfh3Y9EasGZTZlOXnucHUTjnn9gEWxZTxy6zu+sEe25rDgwekyezB3ZIAggkjl4PyDskkDhbPZzek3ZMLmuW58JMzvJ8hWXO8tylKTsrrc+Vwjt/8flx+fuuQMVoyTDwtq+VXu7ASW1Oqr2q90RSQweT4rsAPtMiZqAk5eruVW7P5AwqoEbDU0T6uDKYaGFELRd3VI3aubCDew4sw8tSdlbWkVD9E98y0q0vjKj7ioO4sxRaRSY2gyw6ygA6CRuB6UyDii+NRqKNb+i7DXpR2DOwsUGbJnY9mwv0a+i2wBqLmk2DbDDP1kh9czKQBmYL0sO//MEvSupd+WjWVFRZAgOzdWy2BeCCgR2HNuDCnjKzHuHFy/gwL0POV8Z8j0krkPjYGy/kJhETECcnDyUExL/6zNt+2bek/7v3gU31mPyZsVjjW2zrsKeqBnEOYwcGRTBvOUNf1iPOVwpJ5g3AB+yUTM+x5XzYibPUbHoRzUslS/E0CCGpeBpIOlPxNIy2kov2ehGuG3yzrUPlyoR/8faVDz8/Lv/eLnRLSETorY5jhyuA1mzSoNtzUg33dFy1IKmPDEFE9wWfTzlklTQxCCdr2AUjBDCCMox517Wp6rncoivdu7wIeXAR8k6KSAyB70oPgRe0qEfQXb3jJItqYUS9rTi44NpxdHfGyOhHTRlCjaDJnqoNb1FhRD1Y3AkHGqF6LlbpfOUoOygnbrw+XQ3Wqi98+flx+T1j6PYUK/jW5VIN2LHE7NoaNwHr1TFIqjIcFzB7lAySqsjDMRMjcTI9EvNQeDTUCvQMsB5gIFkcTnI9NAXsHWaZNJWhNBNPC0JVww9+9fnxxy788t/8wUvkt+yC9xkJIhuWQd0nqAV2AvxKPyl+L0S7BRzODYNtrTCbHOtaLWIep21yHKvEcAaSBaIJkXxBzkVUHkg0IaafTHfqC1JE1vYziFpy+xkEmb39DKOt5KOdfPPSt3nBm5f+7U+9eRlISRlEKa4PmAn1AZ/92+fH5X+4Et0KmB24BQ5MURda2GySDdfTu6erc1Ltp8d6TgvVI+jOJPgCNjUC0qNnb5LuSZs2m6CMkPd1Vxa8tZmVKTbhNc3a5JMV7ZGJtdajj9Qq7mPVRXRHkswiMXA3g0prZq6z0bGbx2NU1meWziwurpyuHkZKksoR22Z2D41H56eOLNhPWqsxGqcq52yvMf9kb002PE3jluIpKrV221o42n7iZIzKmam5rc2jpl2V0VWWzVQsntLJY5XyhErRAa6WPM6a1NxwsUsOkwazSbI4dIuve0x3A7E3qUbQgXTtAg3lypNGeHsTt9PNUaaw080BmLTTzUlZyUU5LjwM5IAQHgaCJIWHodSUIdTi3MzBfcHNPN2U4GZOykoeyuv3x0wLquVKdCSs+OJC7OWo/AtoyOQHlfeHpbTIUJkpVNW3S+he3r2nqeM/HF02BW5ACbStZzDcj6CDvmrZty05Ya7hJjnOMMAcJ7hN9AWb6MR0KYbdbMNlFh82vIQT5hKm/PlVk5ryrWCVZTCscyXYErNT4+kjUvpdT1BhOX+F5R1VeFid5EENSl7CfEBKb6X/YuuthU9G/LUmTwULI+r9xfztqemh/B6sO3lLUXZQSlxdtRMGCnXVTjCS6qqdlqXsrKyVcDU064N7ujCi3l4cNrNWw8s+qPpQesowenFBacBAE4LSoJGYEJSGUFIGUVq/A1SqoeqgOtnz1p4bbP+VhPbMbzKqn7Q9hy+dNu44C8wSip9Sr2612B8heYXQB8i/QuhHInmFMICG0pfG+i3yiyuTc2VQhE3E7DODJ+l/NIpuP4y19hKzt7Ct8wuoM9RtbbSwTbhZGX+X/kDP+fJQ4R5wsnB4KRMFEFLHSo4g90WILZfX1+5Lr5YDEONXjn1gxJVjPwKJK8cBFJR+FBI2ReHx/dXvhDcAEroZ2Nu0mWfqJ7HqLJsuaC3N4GruVeiODc9xMTWJvrZyym4S012kjoZtMOkIdrrpwl51Et08AFK+ftlsUJO6BEpZsgk5DyLJcrofBKlsaHlQAfEeqibeUIZHj2++79lxcHJw/WGCNWbCysXXscBeqhXOoPpmhZuFVm9Du+GZV5PZ3boF47Zu4g6RXxRkVvehayMAocN6MdZszQIS6o3ZZdXuSlmf3ihnwyU26bvTo64f1iF0SzTkMgAAtZiN+iC6NTbY+uAqmbic5+DboDw7cSi0L/2dbzw3flaSv3cM3XLYoGb7OG0QrasZZEOzqQXWeyrVdWLOSbXptHOJClgC3DYEEdCSuniBJg9BS2gSJtKsHYoePz8MhBTnh8HEEueHodSUwdREP8zxJ4iR6cmvfOxL4/LTY2j/YZttgUeDY9SBS715zWU2TPqmzdu+AifvQxnL6S546zoUGVB7FtZd6gE5B2qsR56oTaV7JBeJ+EvbodDipe1woomXtrmoKsOpimtUX6d6qFyZjNR28kNo90LLZh0CEotJjA0X+mJupFaIrN/0PR989xel9YJ8xaGJ8n0C+S3veP2VZyX502PoboG/zGUytyuUCf4tnrjAgJsoCrPu36NrA0849RWiU69T0Kv3IUTMukNdUqegwTh+xD3d6W7NxTUYR/VV3GV6dXdS93DFRHliTr03dxVq9dCiFgT6XDiFEfXeYu4Czobv2Lkwn7sEJW8J68vJu7xeOaY6SkxfoOP/HT1cHW3Y1V0Nu7QwXx3VSXXUcquj57D8m2NwwO0tdpFq5AxRRYHzmkYsl78L/h4pR/9tH3FnyXRzdj3Wf6efmF2dWjl1Krv/7t9BLVJHspxYwZEsbyGpI9kOSlHyl/Jt78lFohkgz+Ttyerxw5ZzfPvMVKwnH18/9/hRq3P64nsyqMXOejLAytmTYSE768l4KTl6MgB/IXvyx8aQklXwErUdd90zw7X0fI4eXO/iw49PrrbdWA+uOo/rx1ZXZ7J78I48pSce5w0HF4/zcpBNPM7LR1fJQfeF7J5fHUP3ZJUYnPtTG96r88yzx2cen2qc38B2XNu++oi+tHjmTHYv3Ze/EgnPKnmRhGeV3EUkPKvspAwldxkvZB9+tl8fiudhK8T0FqkDmme+Vv5v6OqwC4+zrd7+mz+2MdmyVqqtWP+dPHnKsac6K9Xrk/23a6I8MaADM2owvAMzkAZ0YFYRwzuwTxl9OjADOqsDk54W83fgR8bQnUPKDWfgv8sxAacPn650m0vH9PgEPP0keaTr9RE5785ZgYQTx1wYwoljPuIJJ465qSv5qL+QM+5vx1BlQKFrVGsTe17XgweaQee9Ic/yqT/a2jzddecTl5UdbcF5YtvM7r3Ji6hNzUEP5unJbOzCiDpZvIhCXfTSXD3cv1Rl56W+kD3/hivQVFYFRElcAQjScFA+Ab0XHFrnJPBuMrzzj1httbnRYvHT4mONzc3HmdfJ7vyZi6tQrRv6aMvu/2EECiPqTPHiij6PXj54FOQpW7mosl/IsfBfx1C5fx3WbNZhYsuP776vyzMKjm9smdbp1eZMXGdwbrp2lDq17FEwsdOqJFwh7AxVuELYYXEJVwg7L0/ZYXkvZD//9zE0kVn6FnW1lj/ElmzWie05oqeHCFqqt7bR3nDPrMQNZDr00eb5Ryp9BK3qzqtSezJ029WnpwcgF0bUanHnRdrh5tKvt4eUqey4zBdSIPsfY6i6k/LFvjMn1d6YZ3ar0+fZqaPruBHvdrz9yFzXtrJn99TFVKfmhZvtzvpdoBdG1KnixRS7GXod3WHfR+UqF1HuCznjP/Fv0F5eA5MS0z2ie/P80dZCi1rcuu6vvgu9KHKBDg/ZdN98paR2S02Dav4Tt9edQdd5tlHipoelBjXAmbD89dOvVCozc3NljXWUg0rV1MFlEXHL5yzloDKlMtYuM7upHFQOHdKJQ5um44MeOtTBbstPYNzGTquMtTI1IalqXRx80jTcNJiKjSiDGMQGz+YE2yY1m+GHFiWbZHJiYiLMcf3SxWs9DV6A2Ix1ou90kxhdTijI03VcnZoNU0wlwW9qq6YaJM5RFvxsu3Qz+G2UPYf/jzvdME8ltlumjP8mDaKHH0jbCX9TFas4Smm6GSXINo8w0Jthe8m0X7hBmjYrW4afMH22Gp7NSyirNiQ7+Dwzy5hEvzUc+81EJ0ZJrx1PdhKJMvaSaZWk0nYy3dlOpt3Ydz2GS5qx3070uxGDF63zf7vRb9OIflux307UTLwVcrVDbZweUh3LoI2wI02NOK4dJi2ynYa3yPZmSNCyjHDs2FqLbpJgNNoEG53om8sasFIapOMwYzNGzmEhMXAr6sDzIZdoLZMZrNlNfLJsYkUZ1HH5y9ygQMcrE533kNsiJm4RbESTz6UuuB2JinX5Sylslk3CuenxNcOk5rlwgG5ig4JtAYl17iY2XdogsECEBW9Sl4lRqmKt7TJHazFmiB5QseO4LWy0faKqqjHDwMEUU4muYreFTV0lXWYGs0ZtbFleCNPC5nkvSNCmxjodkJejHKoT7MSWGpW2sF1usk0xamBzgr/wq590NyF1zuPTygUzzQDCwFpbZdgO62Mw1iZukGK6bqRXJpUZ4S/WjueztlNuMtbkA6VMdT9zi+pN4joRWCdN0cbUtJgVJU29hD0tTNNmy3UsHHHCBqMtbLoWNrDfOapNXWyaVAt6VfXMc5iXUW7bPN0lRKwCqtfthGDdc15QNw0TXadN6mLDHy0aNoipcx777RJwHdWGVjEzmAUaNjdx+NkmxHZwgzATFPdRtkmaNM1PDdvMc4jBuVputXmW4/bwXcMuNrpgbOTFcrZoO+huTVMtMQ40zfJXT02nDvfLE8Do5pQedLZGzCZukmTKZFtRhuvZ3TLMUUjC4HajAa61SLMZ/x0t8lorWt+1dqUa8AhmosY6FjZpuOryTJ2dY/E0sXE82aZaO54GU4F42jI8B1tWPItvjMlOg2yXdhLpLWZHlMgmscME8/Ryh2o2c1jDDXKoicMVk2c4bWoYjsqY4/qlwRezgUPRACJnBO1nOtFapBH70oqDudh0o4Yz2PiImJwBvsFsrDN/9YPlAQaYG342z3lNj3RYRNQ0ybYXS7rEdKtpyUFjzIBFpYk7JIK1iYu39XNW2cLncLvc9Ge0xjwLR4OSeTbvLb8KVif85cA6HKRsfL6bIG+DlNYFV5BRznlCbaYzxzM2hefIaDnWPBJb9jTPcJ3JcBh7Ni0bdJP4v5nnnAv7cVOs0cESrmMbnxdkdZ50MTZN5nIlRDDSdfXJxMTVNUdPkSEG7IDhWNCJ4eJYBXUSLWfw26Gu1WJu2DE6caJe0ltN7IZl0SalGu5YYa9BjhhmZavN047GmuFXA84vQaKDtZLDDI9buvlLmM60VrjF6ExzktNCZ8zWQV71k+CjU2Xb8WR81uh2w2Zhv+o2VeF8H34EsSBJ3mZWnByzYLmCn57WdkDsDj55DOxwg2WAYNttJUkRFXeFUCd++TKcn+jEfgr5jae49MV/cRmL/+JSFfyinWAcE41FGw7RNSPkGNG50V5YhN4kphdPU1zGlsV/gpTidcIvlnf+fFR7YKXe9RkHi7iopO6VLeL/cIJPzqb/Y9MUPzQMZ9aQlKfhNok4AGnocovYDaK5EVgblw1X/DSw49KwhcEaRAzSwCacPly+soQTjhhsNp5yyCYNV0diuGYzmLikg5tlG7qUmJrdBZODkqua1XLTgWkVFmmeY4TGSDqECy5cYgc/89zSOpIMY/0IdIiDDRIMaeI6If9dp5ssZxt3miw8YEHSoTqJJy0cLvpkWyNENzpOmLYMZqe33ga2G8TVWmHSccX+7/dmgzZDeaJBTbNsMv7LbVLbKNnEwlrbKcNE5dmbxA442WhHu2bDoFrbjhJWG9tuOikY0DDothb/yjSseka0OTWMzYBZDR5DgoYyX4NtN5itCzm2YROtHY7Rhk2IAQcDO5Zh0XYqxU8uTWzAiVMTg7wViRhNOFRbOGQ5LPu6QcpbboOnbBWb55k4QTYJadOY1A1pp8Fs/r/P3CYxKbieD8gRkxJ+FA/T5zHZxIYn1vAgl2lwhA67sElY0yOOY4dpl1jhoGkSt4PttuPPZEgyO77jNIlr2Qws3sKTcpO4bpd2cDPc1Jq006YhG6gbLbvB5tlkTeJu4Wa0qDVZ0wNjXxzWnFHs8JkhOGJjnTgas0IEmxvZR6lOB9swPKIcUzU8Pq2x0xUCb9Mm2O1QUw+ZarMGsf1OsD2L4XK4ikBW1zwfMLyFQY1j41DkamHL6opQTEHLW3qDGh2NtIhpkg4VZ9UWsRyqejbWg7nRotiErcRlPKHSoBmtTvijpQUMbrEOgc3TDdNMj2+yLeY6LrbDVJdtEtsJ+NSyAzm25alOjIrXwWbZg22ElsSSLD7QMu00vYAcVVWxT1GNblIt4BsVgqEPQ91OqOahbRI0kxppCYsahtehJnZJ2HPUYJvE0oOFGAYSNdMLD+3oavgz2q1o0ABTp7gTrQPUbDAQ911qamGW49qeBv45ghwbDuXU0f31gToYa45GiakF6xkYeGptLrEESNvBgnqOGPgcblGj44U5ruWFo+McZW6gQDrXNjrlhgfsOddx/bF4jlHT8SzoqqDe59gmMR2Y2aFQdM6z4D1RyK5znuOWnA41iEm2fY3cOe/81EQJtsn2eeWgAgcNAdyuVC3strZw1ynzDoM83GLMFXt/G7eZ6gUd38bGpr+5djzY6iGPECspfbSJrTKmR+kWNrGGddIJ9vTYKaVNdZ13vvjt4NL54ItBqInN84Q2ia8b4llRf7RNsuWGC1mbNWPSRxsOnE1eWKADaXsuhiPKFg57uL0VbSoG9kLKBj4v5mLZBTHXUJ/0a85HnaY6RAzlYBBiy3JCCJWZGqO+qsogxOUHG78Q0iSm7rBGavgaxGbdDrEN6qu7QMwQgq1Y3QyyTTEcNaZDjG2KLQgO5wULGgjiW/Q8CRoBqs8Wjg1xyIFznNMikZrBYE0KAo/TMZsdN8ykBjOZS/x13mBb4eJtbAXrRQdrHWoY2AxXxPSHVDM7WOs64W/dxg52qdAKwazWnIhysxNfwTrYgFW0KdZL2IGIW+5iUyfbYnuGLNcyMHadAAZk5i4/2IWCnp8ZU5pBGQZ4VHBiGeBHXjyKiWU60UlHSFs809e1REk9FDZ5xhYW0lCYBZ6IAqpa08ZbpRYNj3Y8dmcpoWvtEOK0WJjoqARHn0yX2VY0mUAHhnVmUBVGuNGTAzW3s3JFA9K5XFfbk8tPj2Huph0TSniuTWO10QNlYqfVM0ZosCiI0gMNQvjZDltNXX8Kd4yEBNuB+4Eu7zw+1TtM7Xbwdvi1w5yWOF2W3S2eY8L5zafFfD16x9Etx2lh+xwOh5vngFAUzNpOFyf2005XKK7gFBxmET0UeDog7bihxqLTDVL+KOjGtBedbsSRLrOIGSvHxB2vDHor/tuzhSgndjQTb9IOFsu7iTc3u2n+mr4KzyTY8LcWk2DbYnoIAKJaOBNM4kKHRCkQncPUlkMMHKa23WayomTbdZllRXIO16Z0mB6mqb/7mxQOq5v8VztgsMk00JAGK5fJolZAlDLXDuUD8LeqR0ot03KJEUoWrM0PQH4HM4O64vgmRieMVl9LJKCNjjg1MmNb3BPAD34+gx+cy8zYjnYIZnQ7lr8K8JEDCz1odZKLDHSi4+Jtf0NgNtbCvZC5obaCwRznZCwsVJAW1o1wp7fA8Z6Ft4TkaWELh7rUEGLbwiG46sD26ZdpEWzrJFwXIOkws0RN10hmhSl+HKZcC+ZGmR64HAmSQi3ToA1S9hxi+zqy5N7vA6Xyug7VnLSkZ1Hd9rSW2Y0Naot2SDfcaCxqRpKcRc22uEr0OUK3caTPgBU7VSpfw3FHTALLcLcC3sB1mBGorS2zCTeXARILdcTgzwQbDjj68jSs4diJ32JOqxOdjLnSim4Sv51BMQyUQc2ypkHCarbBZyoOWwM+4TapTliUwd9ehsdxyzbdssORbabTJlcKht8YNI2ej6eJ46R2W8sO+Wozl7kE1s2yCRKgtRXoAZ/0aDCvn/RgJxLVf9KjMJ2jL+ejoQkpy+ZnWlLmO6ByULFx23NJdH8Ir3xJN93pcDgittP0bK/tBU211dgkg4MGNZugqI7luC3C7EB8jDIiVTbkcdEmhNFVL6Zws0kHLnNU8c3E1HHg+F4K1WixzDDHIXCBx3WOYrTYVGt1mKkbYbFMNUKdnc3ONbG9ReHyShxvxUJjs/PEbeNomNsev2fzL8V8ZJ97/lblYJUGegkHQ+/ycRgNQgfDsdDUScA4BxtYJ+KGTmPEiYOaLpfGML9SsF1qhzibpNPlqp4oZxM7cFEJgqSfp7XEoRwqbKSveERmTGUmmsXUc0QLhUw/L7y89E9ROrWjddPRWHQL6Gg2VfVYwkqtNA4hDt4qdwj/bTQccB4SFtfC2MA4SjWw4LzTIjRkWItZJLqAi5Jc5g+TAROjdKcbpa0YrOg48ZtvLPC7yZi+FUl4kBVdLTstD3yu8UNkkEU7niFkGL9g6rikg5kKihkbN2h8EEQabfiZWni5LrxpY6tVFvwP8pxIz+y0jVBb6rRt5rnny01O2qA6AakoGPsOHJ/hPSMpmzi6/+HZIAiVYJ0KMk1sWSTQfTtMs+N6NYeZXSO0nXCY1aI4BLVxNKkdEMHjegTHivQ9EO3JacVtOByL2dFWC5qMGKdh6mK4+OziDnHDoeFiuxHtcY5LcIcfqsLjNM9KSJ08J74DBtnUFzwclxok1go3Jik5rk1DDRWMWcLKDer/psTZIqQdavAgj2leLBX/0qWOgU09nuNgC654+AIsMrpmVG2vHautp8IVPT/kOx6fq+EXCyRb06SOuA53hHOv1NjybK+JS11fAnW2aDOc3O5ESqPt4jbxGsKJg9/RcAnktPAWUUMYpmIWJuxmuN24BGstV6PxZJd5doeZcJoLCBJNHFhcEupbXGIyO/ztuDFlKCRNvBmmtt0WCVd1t4Vd2OQC0i0ibtbdFgT1DCm2QiUU07uOQ7rRB1hA4S/MoWZbg9NRmGFDGNkgRTskoXN1eTmRNO52ojHqmpEZg8vNDqKh5rI2s/hFS5jusg7jpwIxi11mtUKhEZS0YvS5ltbwnOjwAHcc0dWya2PTMWAbTIwBnu0F95iujbdL8cnq2mATEiVMvRvudq7tdYn55JPh9uu6NoNrLhyeIFxuLCeGoMuDZfsfPP/QKH5Th3BZIeQJTJnz4edN7LRKntkh4b2dR3VMY+Ad05+2nhkdSDmgyUWyKOVgOGmcxzwllp/wo+OG15ieFYFZlm2pfkGWo8WKtWIX6p5LtrETVMNlNjNBn8gpuHZzM/iyxWwj4O6mpgUYm0RzCQnV0JtEx6brhSlTZ0ycsTdbBpgq2OG4FBKouxWJ2ZtU7+IOhGyxwxzinsPh/rRJO5208nUTGBUpPoLk+eg3V9/5v7l+y//NdWT+75YX/ebrkv9bDNwgYUS/rfhvAcOPaFQT2+9m+q5n01aD8bbpEOZsUteXCzYDDcOmR1vMx9+aDO6yBc4W1ltb2KQN2JbEUVsM/S1sGDi6x97CRkzV7KcS9x9buNvAIYe3UtqmLQImUnDSEU3fIqrJNokRfnZcYgSbNqgHuNooqAttUyuRNnSV2DYlvrpjixrhSrVFtztW9DuxaIMm0RbyFbz924rOTHwYJtYriEiDI2F7a8tkdqSZ3XZtoT0RNeqCfjk8J3SJwxoNGt2kdQ1qYM8N6t9loazSZV6gfQ8zXE8lJbfldVQTU6PUtLGqRqTE92SKH5MTOSG67vuOigi40cw4D8adBAuJDxKm7ttansfhSnmeiyOi5ueJxW8FxIQ/T8FALgAzGVx5CV0CpNl5nx3nXRxcXZ7vCkMxQHlV9SZhh6saTGuHdrijr3xV9S60Dz6AGr/UAW1jylZ3/JXKA2XlVdU/vaIHMEnsV694pXLPK+i9cFgkDtQAUrDshwksQpf5qQ42cZOHAglgwZ9VAGpZRtf/zaOcgnIBU5v4eaBS8n9qxHZDB+0Buu1SzQiAg47xk5Ywmw5SzKBaUBQEKfB/OkTzwuJA7g6Kw3ZQYbjEiDWvQ3WX2B0/1aAmNlIt8JOqF5SngT8v5rlhUwyQFdzgc5M5Dg0KdphGQ4qgmfd/wvVdUH3TZJ6pxZlq4YiN9Lz/E45s/s9Y/YEToA31k3BotDfjXNWw5WotHBQWmhAEVDej6nHFVgRIm2YMECzcDGI2AwCDOA4zlVeBz7HjxHQgcoSBuwm784TPsX5AwudYXxIJn2ODaCh9aawXE+ElZ6aLu+CZBXeiclaS3zSG9kWG8ycsl3boec7CJT5N5qRaJfLDUt3z8R+/IIGXolhxvUiAEsQjq+75GEeRh6AknD9leSgajB73UDQQUngoGkws4aFoKDVlMLWEY+DJeKCgxz75uq+/3Y998OX/80tSUbpW/u8S2hP1xykLVoGFlme2hdOue+PPGCDma6zoJHAiFmtfKBGLtT+RRCzWgVSU/lTW98YcpoLnu13w0CMYgb+faPFpkNAWqDC7EzHwehz9XY9kKCsJWptGNyfam/xcGFGvL2ahzaB9yRb24ikZeCIuiAgMA+6noscrs/7jlbOS/NExtH+BdUA/jl1ylDhw2S6CnTH7JO0Q5vGgdN+Nrgs8UDlcruA+xKuvQDNaiF1vCvS66+NBEKa6wcxmXRfunOsOhNcG4/0gNNSBHMXXHkTXBT6sYoWDB6rhuAm3YnF3VENRhTuq4SUk3FHloqoMp5rwEXgoEbvrZ69CxQXPcVmHnifiTVMU0gT66p8lNOl3FrgeBNe+J6wolA0U4awRe4Nwt8ExP3/V+9CdHbxd1wLqdY2Tr2PPZXWnxbbMOpc2ZGm6WkWlYbCOX0KAozaQAmFX/YDgqUYE9UTFVbffN/mO/vgRE2p/I6H7MjhwwtTId6LhlW9bw78moX2xhp+EkyvFxsU1deIimjqhNlCuqg5sbA5m1f5tpqfKRh7cfMyUB9QwKQvEXf0ML124+snRwoSrn3x0lTx04wEV8jBCBFTINf4SARXy0lby0Y5H3erfMyLq1oCeS0TdGkxHGUBH+AuMwgvNihX6vf/12fGzoyAuff37IVTU1fKXJYQWt/AS4XGm5qTa3njI3KvjH+FTFCT3ajn+KRE95Za08JmEvRPtjhw+h9kAVoyD3YWujzlyTsApMbj16+Rd4Ef0vlhU4K+Pout4iIYVTM0aU7mf+LmRWhPdHVt+4hBhtJj6xsn5w8ePFKQ9n3jvBam6B107r+sU2oENjiDvqkxMdBx1D7ox9cUn9WpJqj2EbkqHoYkI/8J7L0jqHnkAeoyb47WH0G2R5+VMlMKIuqfYh1zt5aFDYfC63Bdf6YMf3+mn5oKd/jeeBjetMI4++uMwjkbln7gC3cnx1hutRSIMI0HMO2Ge4gfxeVNfBHsRCN84FR9id+fEq51CuyMvoxMdR0htBam6GyEXO22Rlnfxj/nJnoicl1YimoUEzdHKDghOxWfJ3XJOrFiXn024HMqFLlwO5Ssp4XIoN3UlH/V4dKFKGF6aBzX7dQkVFlV9nWzijuUvp3NS7c7e44ncC1iroL0RS1IfCyOqXOxFqaJirKEZOEoPzvp++ZoKPKUvz1an58qTs7Fohb6PYvmfX4yuXSSWTcCRs2j+nFT7gyuRHIwjl1n16al6ZWKioFf/cRy9mOvXDOq48l+Oc8XfQX6JdZBrTg9yLe5BrnQ8yK2PDm4RtWQZ2IX3BWVQ1xzc2tqqlHuzK9VZ7gu9chD0O/CMOICOXbzwZEyzydMNrIWm/jzDYrbpW9Xz9DZX9XNl4kG4WfEvNvi3hMqY54AtNObWMwGMDe893TAZmSgehOdJ8CeuckTtfA2vX7S5vR0mXNp2Y9VU/UuEBFr5nHVwi8CT5VgdW9gNXi4e1M8TMJ06uN2Cq1kfCsyuMBU/PRde53ITl5BCwsDwYJiKrDqTUKl8eEgJhmdhxpMeE1pf0azgsoqnwvvxgzEzOvEllRaqb57cjLgS+wk+ECJWJn0C8CzNFHU6D0Y2nsPz4r8Dw/iDsUqAWlvcRRxkptEN3mDyj8SxzN5u5l0Cw4pficFzxQDEY8HjQ4Hu22QJZmL/xlPUNHj4y1Ox63kxElQtGry4a4k7KlGL4EV99Xp0LTyEZJ5bt+C9tzgElHpmMCqmMg5352HSHqeOW3sA7Yktxwmwwoh6XTFNrDYRLlZ8ie3BUHow4tJj/5oI6XFATRPS42A6ygA660X5xUI3M1GuFF9cmRKrTKCVecc+EK/4grlKtk5iFeJ7zEk1Bd24ZhOQiJleqa+tBSef2YK05x/fckEC0SYOU03B/FMGzGQK5n9kwEylYL6ZATOdgvnnDJiZFMyrf6gXZjYF8z0ZMHMpmNdkwBxKwXyvD3MA3RTxcCIF9NosoDSnvy8LKM3q12UBpXn9/VlAaWa/Pgsoze03ZAGl2f3GLKA0v5/KAkoz/AeygNIcf1MGUDXN8TdnAaU5/oNZQGmOvyULKM3xH8oCSnP8P2QBpTn+1iygNMfflgWU5vgPZwGlOf72LKA0x38kA2gyzfF3ZAGlOf6jWUBpjr8zCyjN8XdlAaU5/mNZQGmOvzsLKM3xH88CSnP8J7KA0hz/ySygNMffkwE0leb4e7OA0hz/qSygNMefzgJKc/x9WUBpjr/fB1LR/pNYPWozz3JWmO4Z5AliMx6nLw7+5++7IKmTaHd71bVS8GhfRmZIpKci6Q77QFZt0x32wSygdIf9TBZQusM+lAE0ne6wn80CSnfYh7OA0h32kSygdIf9XBZQusM+mgWUniIfywJKc/zjWUBpjv/vWUBpjv98FlCa47+QATST5vgnsoDSHP9kFlCa47+YBZTm+KeygNIc/7QPdBbdlhrdKcUzAP83PkHkrAki72iCzKS765ez6prurs9kAaW767NZQOnu+pUMoNl0d30uCyjdXb+aBZTurv+YBZTurl/LAkp31zNZQOkJ8utZQGmO/0YWUJrjv5kFlOb457OA0hz/QgbQXJrjX/SBdHQgNZI2XHgInlqx0Z7/u/+KPXxAttF9/UvpGf1oz9cuZfTPhvfbZj0DtjCi3lDMolybC+NqNRr9MJVMzOUwVGBmkWH1CiPqrcWBDajVQrOO7EokaCkDaYk7hdAQZnoqZojx2j/7wE9ffVaS/3wM1KTiaOhai+C0xo9ptNE1tXXypEdtbqs0J9W+V+oN2DyHlABPlB7dsPA68WCAskzC3Prk5KHqzAw4hX5JEhPdkUxn16NWQjfF721iCIURtVBMEa2VQ12AuJ9JwStp+PhtVp76iNusXDVP3Gblpa3koi2MM2IGJ5FSN1IDfGMU3dejBpiHBwSHsb0Gbz9OmOQoV0MexmAH9bKeOGGVAtrz3vdckNRb0b5V14rDJwjBPHxZT6gwwH4Px5aHYl+PCr5+PcJeS0y0QRTERBsEkZxow2gpA2kJJbrv1zW8c4GbrbOS/F92of0+19fOzDtr8LpV42Yn85Z1ygIzY27o1Ekxu1I5VJDUM2j/Bjh6cNe4DSTX23OuxJDRvjNEnbesbNLoevH1lEPWbNrBdndZYyYUl+idoLhMaHl4JeSBlUjeN8btZoYSFnYzQ8GSdjO5qCo5qMYH3KAGigE3kAWJATeMljKYVjwEZFaHiRCQmR2fCAHZD1fJxE1dUlfnxED/6tueG5f/TEJ7FsnmSbCmn6cLTCdglASOF3hkgezotf0QEpak/YCEJWlfEglL0kE0lL401mV5F6hV74tZkMrfkNDuAOGobvkOnsFQagPt9du44WLbJfZhrDdJuFXegm5wRH5dhQ91IoCFH2b1hkyyCWkm47uQZrIQE9JMH0wlCzOz1R8cR7cuEohffxjeMfg2T7Gw0OBz+r3poO6VialCtXoz2n3Cpk1qngTjoSUC7l+1tu9+WkbXbGgt0sGniQ0kZamqvpKzIlWWg+7JyFwiOncZra8TcHIiIiig4hoQc9wMhNqT6YUP6qi+Us4qUs5dpDyoyFQfpr+HfdiDmO7DLEwlEzMewShvG0QEo7zQyQhGOylDyV9G/JqlP4PFNcuADkhcswymowygI/Z5YQI7FYbAfeqvnx1/jfTiF339qQtScVQalf+PMXTLIoXnY13wr4+F8/fjzGwusg6m3Mj3ZO96OI9u9+WEGBa3sjxOTXKSugZJ0l0n8KgzRrf2KLo31uuDaRVGVKU4tMTaerhX814eTlMZTjNuuj6wQcJ0fXCbE6brQ6kpg6nFjJwnD02WZ0Ij55mqb8guPzeKbl4Udt/HXNdyHvWwfmiDv0Q5rK+yOal2D0LBKsijP+9BNy4yCAoAN/R2DB4gE3Gi98j9IBMGgvem7bX648WNkbJBhDFSH/SEMVJ/fKUPPmfnBBxLpg5NzgoGro+q+vqoyVrP/NIXnhuXnxlFN/Vh52VWxlm5L4uVbeKz8elRdPuizaxl0/LcIxDg3TnTgsATmJruMWbo4pAx3bvsKMMRk+vKEGB/XRlGMrmu5KCpDKUpJq8QT+emYy8UZqpVf/J+bQxNA5kV4tpUcyBCxyqD6Dy6pxF9yQa3zCdMo7vcONki3WNYX2WLuCNuyxfjVnCzF0kHqETWZrPyRVJJHKe+O4xVJXpnx+QKI+ps8SJr8m/RK5L9eFGlKxdXevpA4mu4/r/XPjcuv2MU3TK/yai+6FkGPD0k3CDuMGlSk5Ock2rV3ulw2xCsxOY1EFJsXoOJJTavodSUwdTE+PfVEFOJ8DLTYvw/9oNv+dGP75J/cDQ4qRxmrA2OjuDco20cm69Oz8xJ8JBq0Q8WU+8LB6+x5P5kEq+x+hPhr7H6E0m8xhpIRelPJfFyKaEcmwg29Z8ZRUWBz4tb9F+jnmQL4O6AP0OLTf59g4ABNJrh++RBoIlpHJd1++MIWXcAzYSsO5iOMoBO3DA02G98a+3XjAWvt45hs3kGHhoTe26k9vPp41+1UimASfZuyurgDwPrdYM16xBcwJClavVedAc4jSA2sevgUpg4Tr0P6B6026OZX+5Dd3ouj0QV0gBRLgtW3Z1R8dq9PS8/KgUpGzTRX5OhuWrQXzHQwoi6u5hBYSp8sxf2TgpL6cUSJvOzvsn8q38Onm39UTiHN1rMM/SNFtviUeZ8hUsl0RczE5WJakGC95N9kQAlxogQRR6AkmDIwbQsNRC1d33IgIqvD1lEMtaHPlSU/lQEe+eCFwn8VdyfSYF58GligwZuAbxFcingqphVO1fr3LgpQOrco2Qdnjg59DyRx6oTE/B0s5dO4ulm72fxdDMDLfF0MxtPycBb3xtodKJrgUAi+uQouvmI2QCqK+Fr/0UKzvxoh7+Gxj23ANWCXj2I7hJ60wg2fnJfJ67dFe8vRmda6i0DC6kdDdcsYEdfuMKIektxIKFjobqWM2ggJWUQpfieAdJj7LWrbyUvv24M3XIEjGUtmzoEdH3UbC4xe9W1lhgTL8mne2bhTAGBjDEQEdBSM5GjyUPQEo9Ts16UD0aPSzYDIYVkM5hYQrIZSk0ZTC0t5x0SM/UbX+Q3LL8lod1HHHXemYdbMaJvENe/U7mnV767IRM2oaLL+C5UdFmICRVdH0wlC1O4KYjaVImrW989jq47sm1Rm+j8wg8s9UFt9I1dqMjzu/H3qMFrhYJe/dSu+OuFD+2Kv84/6kHwhxWmE+PINtHgMadIHWfcI+OiJ+ZutXyUMAijAIk1YkO4UlB/HXwhiZ2evEhyqyxyJXLpletD7fTkwVXilh/1qMZ1V2vgHm3V64SJJUwNzyZnWsRcw/A0DYITULO5M7RV5sYw8SZt8opseM2m8EZSPkpcoZpaNhvMl/cbzCa8z6nZjJCy8Zed44y1sUHb5JRtXASBNWLD85UF8ILiDMZfYSqPeknKCy1q6PPClQyYInhOwPEY0AZ3Oe5Cl6wxarrqTeiG9Jg/zppUWy/IV8yF2/OP/9pXxuX3XYH2HNl2icl7K7R44Fs637L2nHLIAnYIOARxlq1WsI5OF6TqAXTNdp1ardImtiFymiyLF8klj5a0FrVK1GrBBTc8I+1XSK2BiqkiTlfjhdyVLuSG3kJKm9WLKWdy5+VMDi1HDcs5SkxiUy3FNCVdznV+OZi/LMvFs7WebW26IKkPysUIYwECBVoOgdeMEDJXHkiRS25Tk8HQ+Pw7nvdfOYrXsi+Rn74C3XJk2wUjiePg32+LwL+n5pcCBwlzI7W3jqLiYZttOcQGJQM8A5uoT9SnK9X6ZmWyIFXvRLcKX6dcrOMHC6fFDL1OzbradYkjj01XqtVJVH7Swza4YjVJXQN/znAo4U4rwNth3XeYGqFJE9VD/ZEccAnYi3RlZWJqbnp2proXyQ6PY2k26w1beMLoymOViYnq7aggHCwGRyLiyFeroo11eBDERZBBfAHxIegrzgUuPgzESJwFErLEIDRflhhIOSlLDKOmDKaWPEwJaf8N42jvEtEXOhukCXKg2A78l3tzUu0EujMQ4/g2clrMgUp4YAwfCz/8xaeFu6AsSryIUw6x+xGsZhB87lIITmYQ/NKlEJzKIPhbl0JwOoPgly+F4EwGwa/kIjiffgQeJ/EbTwufToNJxObAqxJzYCCamAODKSfmwFBqymBqYt2sBHPgPR96dvyxP3j+5/4ULAJ/ehQkWtNdxC7eIDZcgs4bxhmiLghnuCCGLoVy9eIZm7qkoFdl9CK3axF4piqPi1zg+EBKCQ4NhBQcGkwswaGh1JTB1PjD4kg6n8q6TPhDKXCMsEg1skKbQsTpe+7IgE2cOzK+i3NHFmLi3NEHU8nCXFfkl8QusSvVydjZdjY0FvzELrQHnFM0qGHM05XJNU81qLbGPcr9/wfbXxiNbuZOTxWkh3/pg1+U1B8bjSMtggNccgTCo1PioHL05TRzQem4xMOxbbg2NZsOpA1Yq1dFOC20P4I/A87oXPF5PfJ5hw6kQU6TFjgVTBiD3AQSRKxsCI+mGsRBu+E8Fkip4lDmoH0804cOYFeIiyE+pvjapzYOujX6mlERbtb4iVF0Vahb54z7xrsuAOPkvoyTd8g4eTjj5DyMk/sxTs5inDyQcfJAxsnDGbdehFEb+UeZmI2ML4TI98zTIPJJ8ptkJEeVXq7MmUe2T8GQfdMVvebLCtqHfdg6pvUmYXVq1bnXTH6AHl1erd6HDsRhOrDX1Ak/VoKnIt87mTw2M+FUFVTshXWIqdexpfkWT/ej2+MwwAZi12MW0lSXr5ycrEzNzVbU3x9Ft8Va04ToKAvYwirXePNTGbohDXCUsGUL3ZjOPs4ghDM6lM4/0yLwEh82hmPYmdd1eH5+wl7DXe4CDNbIJWYvWy10S4T6iMm2zJM23iQGscXIi8/9VSxckyzrC9jW0U3Rl3XC6fsosbpvcEbwrRzdHWULz3o8GwyeiePOm/o6cSxmOiReJHcRA+s5Nyfjl/UdZ4FHPA9O+M7Kk4ZznDVBv1Q7ge6JLvIGs7gwou4vDuuH2lp4Sw6XecMpKkMpvjS01eytIu/kwoh6UzG7/2svC+0VMqoTYit9sBNebDIHku/FJvNbyotNX3ylH/73Suhw3/JzD9jCiPrS4sWP99prJbTQvxk7qoZyCdVIXDkPmoH+lfMgkNSV8zBqyhBqcUPdfrNfGOr2+5o01B1EQ+lP4xXhcItXI7HUFEbUvcV+61Dt4bAdiUr0UFD6Usieq7FFLT1XY5/6zdUUttIHu44mMooeuHAWRtR7i3lX2drZ0Jo0Ub2hJSi5S8geR8klPT2Okl/7jaNeGkp/GvE9Ycj+IfaEYZtMYk/IQVEZRnH9IBxMfCOPQ+XJ6Zg1g38weWKUmuouYpZObZyV5NdchXYn5aFlCJU6J9X+qvc9l/pV6X9peePypn9507+86V/e9F+gTX/9jujZ5Ww1YVlWDUx0qXlWkj90FSokF2F+JP3h0Ys6kl5epS+v0pdX6cur9OVVOt8qPVxkrgpx+QmxWv/sGLrpqEG1eX5fKNwR+jdDc1LtRyQwZvOto7ddYpvYOIJtozuvwVUrX8L3Ng2qwdU4s0vEoE2qGqTkUtDO7po4WDlYBccJAFPnMHUSWj/VLZs06rq4RJJl/41oXe0Geeoe9OKwcuiq8OcpWjuA5JDVYX5hRL2qGGHU7gi9OTcaSSglBnV36Mw5RuoULYyo1xQTZd6DbsggJyCVOOT6Gflq8Ps8UZ6dmAk9zf7czz83/nHpZW9//VNvfK/0vV/7tbd+CP3m37zx9T935ev+6Y+f+f1b//kDr37H+278ykc++txbC1995zN/+zMvevrdF37zB/a9+z+++a/+7NYP/M5zb/zNq+UPDuyut0lgbZfsrlWW7LDbB3XYGHTXdK7uupbbE+p13dfw/6/XV5++xL565yi6lRdkWcQU2oBHPcy3VQOioSwvzkm1yd5z6e1D0PTaSrh4+lzoC1oYUW8vDiO3GoogAa8G0lOG0Ivbk05Ml6vREjR9KLxz+ycJHQAy/BJy2/WwseARMFdjzQZjejB656Ta4V658WZ0w6qnN0FQgZAca8QWhmPy6FQLPDSniSY8NKc/Cg/NPSgJD81ZOEoPzvo94KEZ/JHOVqYr5cmqGEtv/qnnxz8uXR0fS/KPSWgfNN9vbmjWCFaO5grWuLP7npExjq4AJPiU6P/CiDpeFJ+K6CXJvoRvCv+2g+q9egzdwlHECnNmda23Xx7srd/dYglYhvUIXQM/j0MIuRVmE7Ei+PR6VgSOEa0IPNm7IoRQSgzqfnRjglRYYmFEvbaYrETtYOhQxyeZgFZS0OnFxq99tNgEzelZbGKQShxyB13w5qvFMhBcOvodcIaasT74HOqdHK9C9wcLvMfFkxIzS+Ce22XNpkFKPNxlqcNsUvJsQy7f3oK3qA8+8EBvaNwHmqRDTfoK66Em7AdNYrrVbfTgQPIQHbbplFxW0pjpwMvOkoMbxOjy0h4MCuNx7mgiyPMDEK7OeaAJNnk8wnIJ0wc8h5RETLzqayW0tNOiPRMuGzWX6CWbOJ7hOslqDGtzhF/38as/K6ESr4a/E5ZcrJYw3177sPi7h5b2ADadLWI/UJmcPjR1aKbyipbxEDEPiJgxd52nltV96M7qAvgNL7UgGrXJm9npluDGubTVImaJloBXgl6JmiWBXDXQy3ZUW0GRh02EZssHB1Qeh/Wenp2YOVQ5VH0Y3cpLI6EVYykKrMiZcWtAT9Q0Qc6ynKrmc9dpMdvVPNcpGSImmt2Hu9U8felH3+lQs75Fzeo6uiVdSJJoZQdE2w6n+Xmpt+a+LXifmr9dutiBERCuU7PBUuMjLBS+ge0E/NZZMDKAySWNGQbR3NJWq1vCpl5qsa0SdUrUhTGkV8+iB1ItGTrGSztg2NqxqolevsMSLmlcwmP6xNp+av34AjMbtJnQMGSDCA1DH/SEhqE/vtIHfwcbwptG0c1A5CRWedz13h35kd7NYD/a62K17hBsa626y5ihYruueq7LzMgZT0BygXVUdph/TFhrZXwX1lpZiAlrrT6YShYmP7umefHEqOdk8+ODY0gBfoDmQhjec21VL1v+rwxffkf9BQAi35ccjl1iEG61WnI0ZhH5rmB4RfEqsEUdMbw8t+UPajCY7iFkizu/kgjQMladbFWX0fU9YIl1RpDjUTRwurzNCp+OopHQXxnNTvRXxnfRX1mIif7qg6lkYe5g7D41iu4GCqFJe/TqwuntsGwHWv3wE8qffkBC+dOXREL5M4iG0pfGDrjxTl/45wfzo/NZwv8lCNfrD4LR9yFh8Oore9bjs0gcTz/zG//5r3/x2k8nq3ZWkj83jh7glePF89c8yxBAxdTIYewAk09SYh+twPsBv0Shebg9tFDug1PQVdM/9QhZ5CRW/SOUL+SKCT24ZHQ9b7pwEkmgFkcNtiVyT5m0QcGLAtnQbELMhEu7QQULl3aDIJIu7YbRUgbTike9G95iEfVuOFwy6l0+ukoeunEPfFnMFx74sr4kPfD1w1WycdPFpns3Kran33uKzcJVMnHXXx5zBjCRUJlGs+jT0p74tBEz6lNP/eHT39x7VpKfuybPQJ6Tap+V0L3DZk1gnz9R2PvwT0N0ttdJL8Ak4uKIuAA40WhAcCC+nu1kcoGJ77ulwD2EXt+gOlnDJjHiNf4A1NgbUuGdVeY6yE00rH/9viqh6Z76zZt6HmZ/EKr+o99+Zu+0fcE7jp227/2iffLA9sk52if3aZ+c2T65t31y3/Yl/FddXsxfiMU8fd7p7bfovNP7rfe8k42v9MP/Du0lcQcmPeNPODDpyU46MMnEUjKwvkPb1iOpRwOHIDbWVBQba2d7GLwy+MpPiPCZl7ezy9vZ5e3s8nZ2eTu7vJ39q9/OxuQ/vyLndvYq9LKhi1Gd3zQ5LvgjqDchCghfkyYqE7PBmrQ7Y4mAxeBV6GVD1/LB5PlutDtjhQXyj6D7hpPfAbHhrMjb8MQqeEfadVMW1rdxvF/68T8uOl0ea5fH2rdnrI3J37dL6MiPmK7dtcDLEPcSwZXTc1LtBoiLK4LMhG7aCntrn5fQjT67j2OVGL5bGKteLaDqQXRA3OaGJIVLHE6zhA23RCFiyq4GNhxSnUT3DYBu0WaLv4YumWC6EyCV0J0DkBy4mDSgXv5lVbF/G2vPxqR33pZ5U4dQHmFz7s/XHPF0+Tvdmoz+mizM9lx2ZOFGlx2ZlHsuO/rRUPrSEE7qQscKk7FwW/IHR9FLAG/JJmew3RHe6abQrf4oq57BTipwxqRwY16QU3i1e9HuVPyKvqCJib4/PdF74eOhtZKfRGitFHgitFYvvJKCXz8ARoWHgD/Var+ZfVaS3zCGxgHz6Pxlg6qjF2VQtfSiV7/lE786DtJiaPVcEdF68i2l4h7srCT/0JjYkJbXjh0xT22EV3FTPcGqwEXUregacBkBCCft7rIrh0nh/2uqJ+ZUCouDyUkiSb9SD6RH8a3yYOx4zyUARc8lK5jouR5oJQWdRZoXmiQt6pFJOoRWktDC20Xko2UmdnEqPz0mRj2PYAFPEeak2mrUH0vUacHdcUFX59D+edNkcCjTIdab79wG3ryGyGj3MYJ1gzgOHKgWsMW9y8QjdA0lISJ0DQVLRujKRVXJQTV+x5/RFHHHn9XGxB1/H0wlC3N9f9KfuOibr3wYLpLHwwuvJ9HVoXBzEqtzI7UH0XiwiD388dddkNS7kiBCicRTLlZPgWNsOFRz9yf7E08Ypiq9TxjOSvLvjaHbgESkplvE1OkutDA1RcQ/EaZqdzBWYrfsBV19EO33XdMI4KwbfXQDV5SkySYGzFAiYsAMBUsOmFxUlRxU4y+3MhsjXm5ltzPxcqsvtpKNvT6VdPk6ETeHGHR5+rFRdGeqY0NVlXjEEPm8ne3XvbcOVnP+C9W9XTTPfnAU3Z7kWa+qivtJ78OuPf10ut9h9dr6dFoLlJcjr/HfXkQcSevQ5qTaA/34cWO2Lvs7pO276GHxp5LYPUMmzEm1g/3anHUc/3aehS+2kb09ndYl5ujpHtXld0jrebFMeNu1wigQtElEF8vkGQotf/vVl18IXH4hcPmFwOUXApdfCAwcl/+KLcInxbPAfk8csu3FL+4N4Xf4ucR3wsr9kK9h6rXuzlAwJQ29Py4J3vtawUBdMSfVbu/V9V0jNHqBxjGtK4u0jb6uLADs0ZXFIJU45LqSOFgHEeSEdBEd5t81iu5IyxJZh8t/tYb6L011ZeTuuDLXo6pNd+lv70K3H+WT8YS5eHhjYcPFpo5tPRb1GcJD/6WE7hkCFhivzBSkPX/31AVp57GjXy9davDo+0Udg9oNjHo9MNL0hyR00wJfu/3DrRNv3t8/dUFSXy9datzpndR2YJDqP5FQUdCCvkk5QocK/+13qD8GVHpHrc+O3vyOZ54bf+xrP/T1v5f8yBFPiZvD9+1C9x/Dpm6QVWbyaJPUbPLoo86yuaHZzDBq2GyfnhJBK0X089KRyIvvKtk6TFp4kzJ7ARwlBzSicJYFqfowmuVelOsmM+u6D1FvcJC6y7awrTv1VhANRXyocwz/dk0t7aiatXdI6I4BlZw3DFG/glR9xcXXTdzk7bBqD8bjJpbkHeHG7ghwrYmmIo1wfiKFEbVU3FGpLTQd0yDvrCRlJyXFgzEGkdtaz3zmM8/z+Mm7IVQg81wnDJNyenJOqt0Xhays7nnTT16Q4JVcBiiYBNwX8b66580cVu4Hm7hVvCt9H5ONl9TS9373tfQZiEktfTamkoUpeMZ39uqhMIDl+976/Phjn37uXW/wp/svvEcYpfzJLnTTMYKtNRs8CBH7sMFYZ4kaLo9suYL2BE7bkwvjBFxgPSDfEEddJyBYg2HljacccJrVXrIJiRGsPRW5pFllsQ8xotV96AaTgR4IHNFYNlN972PyWKU8wWO/ZH9SH0A7rM0bIn9G3666oH51OYIKwQV/WD7eOYPjKv5MTKHiz/yUVPH3xVb6YMfPAtm1E2eBPjVPnAX64yt98OMLReBYpvXMj7zxuXH5t0fRnceoe5I47mFm68Rexzr1IHrAhou1NjWbvuJ9Tqoto31RAOAOsZtg//QINYyNLeqKS3g5H7HaK1E56oo8GIUR9e5iTuLfhR6IdVVe6ko+6gmXPYdSYYP5WUf+soRkHrV+idqOu0ixwZqn6JxUu7v3EHB9FmgiEGjvZxEINAMtEQg0G0/JwBOxP6LTzkTMD1EQ5Ff+b7vQbnHtEAaaXsWbcLR5f8yVVhQFqxKItRDNa8+F916Qqregm/QAt27izQhaHq041SPoFsoLqCegnDrjoqUj3xGe90PtBFdcJHJgO8uoJ2xR2RWtJir6W8MqWv2OVXQyUdHfHlbRyW9DRafQdeGKEKvbl98rRIU+WDFR4WxCBMiAFyJAxoekCNAHU8nCFKtheHXghwx59TufG3/s/T/0X74OL7vfdDOSl03NJtghMF8mTzm4SeZGal+7DpViMTaFqsWzCcR2PEZNcZbjkVnDGFF73vb+C1L1LwoIPelRrd4CKPmrhWpHN0uaWTaJe3BqapL/YRE8Ja7Hj77pHaYCQiKzY1k2g1BwQKesmVlfmN1MfDF1m1G9rHEfZNllBSDxPFCoZcFaVqlDsOPZQi2dqqHQUmYh+uVXBnyrDvg2OeDbhP8NFIaasA4ZVPQQsGo+sMl8YCKslJNSU0ZQArMUOPvtC+dY5S3qtjKYoGPbFV5M0uNLZ55qEM2gWnvAp/hgIaZmdy248XFVc6LcBO0r1RLFJUAqw0Gqw0Em+4AE7hX5JRgPXEjNZj8ONRgf3RmEEtOhWdZYlGgTzQSlfgKCsXLTiCdBoY5NbHRdqjnpEZ/+nvExIwvrwcjIpgfN6/fF6vMlsymQzzodYmtZ1dDZlgkBGTKwGtyI10kPHPGRiTC7JLsiDjZ1lW33+dg1dT+iQTaAi5vi2svu+30w71zuAXcYhzex3vtl061k5FXTeVTPWo06mZmeQ7Vyl3mupya/sCbUwMLByjyThR4C9Rn1rJm5SrNYGOQmhEEeQMIycDeLhk00bLlaC6eHQPghvQnFpykDuaKJXbIVUu8p2XGZjZuk32fP0rHb/6uttWiyW7aoTjapSeJ18q+k4jM6uqVKYkeXV+HQ6QeQrgz/lLH08H4vqySZkRoIfh7RPTEtsj62qZ4ssevGyKovR3KvbCLfeJxtEZvHocbba1hrE3eDnidy4aTdhdzDXV8uAyntUxKayhJ1VqhJO9gYJPH8MEg8swmB596BDI5nvxB1/+MxNJdVd6Gk5rrMQfV/O9T/P40mGvD50QEbSt629R0XgyS/f0l7cL+1IXOpg8ZmjO8XooP1SPWW0X9vff8FSX25fMmlxA4qUuJM3ktYnMl785Nn8mw8JQsvrjHKrrPQGGV/S2qM+uMr/fDjboDTrBFugNO5STfAWThKD444iolIGYdCm+nfePo5P3rjR39cRG98fgztC85jnEXY1J0WbpOTIszi3EjtaQktxaY8V/nqWbDwQA5vL+tGkJExgN4LC8AN6CVJQIii7VRvRtdnkZXHKtOOug8V+5cMQyoZTThV7Htg3O6Th5BIaNqPoANhP/VHK4yo+4oDyNaW0B1R3w2mowygE1c0Tkz3688x+cNXoOuWzRZVqbvx6PE1m4DMySNq7+3J9u8apwt71YkMLPnmnqwT5hLdJvrGxmLtcXRgwOcE6UF05N5ya0fQtcE7rRiZDMjBNYz15t6EEWkPkjAi7a1Iwog0E0vJwDoa9nhGUVH9CiPqLcWBDTgWGohnFZ+kpAyiFNfLzIVXM99837Pj8l+OojsizHViwEKwgLUWWSEdZneXG6uE6EQXjzfXbAJXmUwPngMWUtnhhWLyFdFs+tbqLjlXqbXHUSmDl/0RgHQxH+knQkV5gruDaSu5aMcna/Rg5Y/+MMnvkzY2HawBR5Zs1okHEF88/C3j98BSs/g9ECHB78Gks/g9lLaSi3Y2v/n4/h+jSFl2mIFd4qzZlNnU7Z5yyJrNwKQoyJmTareiYg+3g41ktpD6ntpoZtPdEvXEdLon7pBz1CfhAGU4uHCAkoNswgFKPrpKDrpx/lfDW7Bf+sJz4/JPjaLdNaYGkIcZc/x3M4MYPjeE4XP9GZ51QZ5RgYR2POO70I5nISa0430wlSxMwSU/pn0lwaUOQiuEuGeIenTt1JwExo+hLwN+1VuQHv7YD1+QQEgpopeErgmCbx8V3+IWN5GQALeRQkj4i7eJy/d/nyruALopWVxghjRbkB7+3PtEuQci+aoX6Ffet4MKjIHb5DuFpYWzTuDdHT84nlBFbO7ljmWzTa70nhupHe8v16E9PwBy3d1yPmLQiuNRU3upvYlTy1m1lMC4lrh5zUVB3LzmAk3evOamruSjHpcPpmfiDyzPSvL/K6GbfCrzpr5gY6e1gTuWwWfx4aD9tTq6JryUX/IMo/DaK6s3oWv9yDx1DfCI4xuu3YpucnwadTBAq1vErneoYRB57NDEBIRPCSseXPQvg4gaJnkVSEEfSKrSh1Rczl+/Tr5ieqp8X3HXoUO+v+KzEvgPuI2HlTkSxJ2P4tH5x2P+9C/+KntqolKZKOjq/qGoiXh7Q2BFvL1hBBPx9nJQVIZR5J6kYZUqz1RmZsuz02JMvOn1H73249LVn/jPn/vk07f+6if/5JN/OSr/tYSKK+wcWzbhzdwKceBGbw13ubYb7FDviQyjdPVmtLcvcG0htKwFvvSBKoyoNxcHEFkMD26cFwOoKP2pZBkj8PhMh+Z8AUNW0W389ZhlkOO4S+wVwoOfkQaYOmy4ng5iBULjR8GNzWIh+r1QEAtldQ7YOz05F8y4Zz76rL9Q/u7nviQVpStlDynZZRw9sxEvRo6K2fMRf8GWo+L2fDi2Pg8o9vf8Yv++gOTVk2sLrGMxh6hsu75Smaryd+/h5tM0mIqNgvTw6999QVKr8v4I+pRDHGGI6+eJqEzyNauuFUFBHX93NNrpAoLV70ZXCbXNGrZxRzYWmsvL89u12sL8kUfn19ljC/Pzj06tPKEeXZlfWV6ZX3lkodk9XDXcx8/oxvEuo0e36HzrkUONI61HPe3oeuf40f/J3ptAOZJdBaKlzO5y+7ndpYqu7srKru6uVnV1ubuyVFJIypRMewmtKWVKqdSaqWHIjlBEhiIVilBFhFKpmvnnG38Dw2qzeAEG8NI2eIABDG4YtsNi5mC6/XuGAwzDh8/25zBgDJjlc/4f/PnnvlgUT1sqq9t2M+Q5LnfqvXvvu/H2d9d0v5k56u7S6QBbj/U2Q/F2QxLjedGIN2ld3K62xUo91m5sv+UtYHBbFhR+U9HLPW2fbQomE+a+dQmdL7fU/vAbGl17S7uIzplV2JYlLyg9qwIIQoUmsIaQ7bCiUFFVK/gKvYwoqIQS2F3xorQovv3duF/R8f2Kxvv1bxbQkktmU+5xHcn4Z9nDFEJQafbAHL3+vlfQ6/92EV0f63VG4csdVjMs0H+Wg7CEvHgQXP1wl8PzPa9geH54EfknDU9JEHsyq1UGXYG3fDT+KYySDy2To+T+gNfKcvrBVzBeH190QroR48VIndOx+iKM1fN3P1ZmkIRhAJ2QdV/8hp95ESIe/caP/+6ffOGBz33d89/8ew+++8X3//VPPPjpn/nlb/uzSzsf++Mf/LN7zLvHz78T3oaI+sIyeqBQKZYEVubUo4JpIPtDi+hRJpsn2YZLSeh09F+l0f+Lj7zs4eInH33qgYLRdY0WrNy/W0Q3XUV7AM02jb2ypIiyYH3Ia2n4LqPzFr+bLChWoWeo11lsvwYH1yJYEpqCgmO4tKTuXY77X97luKMJ4/6T96A3Hz/usJnvFYxu4TU2CXxo2eIKdyDW0VeEI8M92v+MJ8pfwUQp38VEOWf1alpgjZ4m6JNmzi/eg97injkVVpb3KmrXnjMzZtA/nclzddLkeQA+dfil/3PPoc9/MefQ796D4pN2nxJEtJMUEcw/XvsT6RH0YGLQBHlmUWabArgcQFZ0Z/xPt6jp0+uvv5jT67vuRcyx0wtL617Ds+sZ5HMNjyskeIXlygJEW5Gc6MMzZ+J59IY8e1TogSOcoFMLwcDp5Jw9Of/mizg5ZwWpm/X++snf+eO/fMD9/noD9Z570eWCYPRVrb3dY0ElkNINqcMaqsboA6UZPZM7dJRopPNoMOj1LP3M8y976MfQQ7ywL2h7PcWQ5D0FFoBuCF3biz6M6FltFFRD2h+UDVZzK/5z7/Ag37BhQasCcTzfDKHr5uFnn8cuXFN4ML3l746FrZGQumZ7P/38yx4uTN0NQZcu6nyuh77C0X+cnJb3DBdevhseDtGzQ43J3bXru4t2zQDezqQNu+xkzCn5c8+bRoq/40FXLfJl01y8KGi2er3C6u3tntATwGMyjqgKrGMcbGFoLLD0q6DZvTYXldzbiSG2KXwaU6DmoUCYWzmBL37lz148u/P5//fPP3G/+XFf+E7z40R0rqCqXaZnqAx/CGEIo1ixPLT4eYMrUANp53NuxNiBsBIcVeT+wSJawgNh+YRUBFnoCIY2KPe5qCf3IQ+6aqti4OAqQFQuWboD0UFw4CiBr2oyBKq4ha5Po1NUZRlHVjAE7ZCVqXuC4XAAYt5PQ4Dt3lTM6sN49NOAcwl01R6amSxyy9R0IkQP3hg1F5mF6Y4dNA3IjB00lQQRO2gWDd9UGoS1jROc4ve+46Wz1I8vIG/B6MbBMwRmptpRYVW8Db1hSxHwz70a7fXQFxDqwq+bxqArUGd1CZTpEIHVnACjJHJvQsjud8DnlqhpkIQJrdvSejK8aWk9hRZhaT0d3zcFf3R7CZod9Ucv/O9nn1vAoWe+zjzxTnvt5L12/2mv3UWvvfG01+6i1x447bW76LVzp712F73mpX7wPvToFtMzWvhZLKuipCRUtS0JelxSeNN29b3DhwjcQ9SekYIopk3BvndadpH0eXSfYNbw9tOnYV+zZjaCQnMAlbEh3zC8WO67PehN0/lKQwSLLyN33+pBj7sdiSZ3mdfFlHkj/GLy1B17z615PVyDmqdF6q5aJGJ01B2DbHtNzCTmPcNdW56HtdyOY8jvrJZjKfvmotx3HotzsTz6/d4zXGT5rjruCL3lRJ80qWXf3bQ8snWE6KFum/pPi+ja1v6+oBUlpaLCG5BjtayCowCVeopJRDAfdW9F5+0HVlfVseoL8khdn5MC4NtzlcCn5sQnduPo6MNnbjJuO+e5MEw75/mIE3bOc1P3zUfd7RQZdfxE/uSTL54dHgAe6l2L6JEJ5Kz8GHCCrg4j+dsDQfthKB6diQl4owNo4VEz8YiB848O3DHIbne0GXCmO9osQoQ72jGUfLMoubwEQsNIgT/2A59xDQOifmMBLU0gsq/GWQ1H/BpGWwSZwTRQAHRCLcLrfiog0cuT5AJTMd1ygWlAplxgKglCLjCLhm8qDffsHsZb/dt3veTq1rPU33vQ1TEK9ZZgj47VBVFPLoYeyKu6IQ/MkGoC722ACG0O5Nxb0YMk6l6k2zS8986LH0VvXFdlHOrWwaTmwcRbdQgbagchalxkOLeoXzmLrmx1FIlTj1zC86QqQjjspKC3DbUb9eT+4l6UEKzVDXGA9lhpr9mSuvoeq1glqkllrwMHCMQj3DMDMu7xJrG9YDjs5ek3oYsMz1sKh3jPMFQFZy8ES2hOkNW+k6xBJFVCO6ZKKBt9lVVCG6fqn1dP/XNpgk2rlYHzhJoh7l9/EZRC6EJd4KpZa8IzUqeodntddN5diotKK9S9IE7Eri+tX3jHF16EPC/TNEbPeaiPetDbt1xRbyqsJgpGRlDtlA5FQetIOBp0URN4Cc8pPaOxfI+VrZSJr8y9dUzsfZ66NxiKWp/wjk/8AJZ3f8yDmHE+3VLV1wijn/egy5BuLy8YLKSPsPai1FGXxbF1o57c+z0jCSDpAO2l6SX0oJVXQuDNUNCaJOiU5xn6YXR+WAMDI+Pyt//ih172cBkUdKX3s1L+wbdbkb/LLJ5yeDHYTCGqJHRUQ3AzClrxy6MPKGDs7b/0IdPf5CHq9cGQK2O6qQZ5zkP9ygK6WmQlxdja39cFUyskYybSEBobprlkYLfzzLGxUa9R85Ai3lpzwJtvrXkIE2+tOSn75qHsdkKCg308CSH1gwvoQpHV9bYwqCqy2mznzYBe2KtzqEOCHFOTwABoGAT8YWoyEDGnr4/ejKZhudNXTQIw01dNRCXSV03D9U3EdWtHwoQv8nMe6rMehIr8/vAW+RZHk42Vk3a68Sgd9dI0hV5naJIoChr1Ot2s5u53E8j5yMlv4nH3U24Y4lp5zcl+q+wNYbxnuPuX3ThPOXk34PsJOJ8LztxOLK/F1qe+8e/cD5kF6gc86KEiv7/VM7b2LY/tLI4aH/XkHh0PmIvQfQCtdqX93BPovJtPXOg9w6HlIYjPyfZr8ujA+BwYM4umYxUejjhZLiJrlgP0zvf/yc9/9vXUNy+gB4r8fpk9FCpqUpMOBZwwzXkvW/ercMDrWXoHaGK9o/CwF90aPpDdCP/4UUCgJiAQY+POxkyCmtmYyTIyG/M4vG8E3u0aPYxR8Kcff+nszjf8zS/8/utMpfCfvd98g/6z7o/3/uWPvQe5+2Pxn3d//P63/cR/e8DdH/dCf1wg8cs97VAYmEGjkXNViHgv0SH0ICSa63UgN5m5n92UeOpyarVV4nN3OplAT1RyodvB5kagriUL0dv7h3QEPeSKCupGK+xuxIpcZTfpQqv0D3vhncghTaE3jAWlf3gyq7mnhmoE4BOfI5PgXINAlx6Cy2rI3PHMnEc43/vnvMhbFLT9hNrhJEXAoY2intwvvR5dsPoCfNJtES8M+reCiZAfXc+zzYQmGVKTlZOS3i534dmhCTqE3a3YMZ/zcWqRjgToZ9GtDo70steEqC97uqGp4Hcu7MNTTu1pTWFPl+4IrmjRrw8GwtHI2mogQMfQyjRsQzVYeQyVDsTWghE6EKCvostDaEEDYdZeV+spwp6VzWs10KHL6DG48wHze1ZDOMekImj6XofV21QwAMTgfzRNwx/Ob1xm/hFw/gNlfnR5lGhHVSRD1UySDzjgGJ17+Sy6yHC6nJZZI892s/aTN8920QPYGKgsGKa8FT3NHKoSn5BVRWA0Ud9SnHQS6Z6Cb+NJSe+yRrOFrmPQqqIIcIyx2iAjGDheonRHMJ/W5lXKoukCLLfUnsybARBKUrPFQJBFnOjmUlLShKZh37dUDcab5bPdJvKmWd0osmBiUmJ1Q9DQlUxiS2E0jR3EeyCHgBSe5isizUpyTxPQk3m2iRN7xtlmW9QgKQ5E/cANW8evoKPLsyYcesYMJIRjCiVarCIKZTzsJXvUizDoSRhztOyCHYFCj+YPm1Uc1LMmCX2Qk+AHp0mSRw8V1KImlASWz7OSkpTl7H5Z59ETcLm3PkzVSmBvsqUk1E5HMuyPRCUInikUi3kdPVrCcaYqLFeVStb017P7diNX4MEASbyVpiDDDaupSRADEcd9Y/W2jq6YGUfrEh5nmR1sqmq7140P1vNbhWxlq4QeKstSxxwmeINLELei20QXy9aUNLtg057l6CGyIm/OVHSxAi89xfUMLOJknWjF7CSzhTyrSN2eeQ9fF+SuoG0pRVYTFMP8JOoiTBWgXmS1NuwqZUMDgSb1jBULyu6FpNBUeYGHfOlbismKPcTUrRHYkaHTRxFynz07pqOCDezbwOYQVtsUpmbOjxMwjE7KMDVt/VMj65+af/1T865/av71T01f/9TY+qeOXf/UXOufmrn+qROsf2r2Gqcmr3Hq+DVOudY4NXuNU8eucerYNU5NXuPUtDVOTV7j1LQ1Tp1ojeMnVThoP6n+5tdePLvza3/w0nfdZ96/fvUj5v38hxbQE0PpUVkyBEe5wfKSas5IrCkae2ZdnQMzV0bPDO+ax0F7z3BXl+cgWnGCisGNdB6qvuOpYhmFKXEPQKDR4RMvaskonvNQ37OAr2cWJZ3JFmNmYBhCqBWI0ateD0TsGYUFSOKhbUFS45CErOLqqKxiEoY7IOtopRmQdQyFCMg6Ccc3hkPc70cCeFLvW0DnCITDMFZxjcv8EHd+DBQAx2RwiDtPjQES8ap8o50zAeGW84gZ6ZvDMCAsjyEEnM4c7RkTwzeKYSrXxxKCmkbg1B/fi95UlFkDUgQP9bjmwiXtY7Gb+L9ElN1jEbMrgsE17wX6UbRU1YVRhKzCC0eUJ8I9hZ40T4mqLpS7QhOgiqn1UXg3+dW5ya/eDfm1ucmv3Q356Nzko3OTf3ZkEmLiEHhyLmzipe2OQjkPthmFcq52iCiU89L2zUW79BQh7YpEzZn8XT8Fem0UhCkehChhO7/6j+/6+nvcBsjvX8CxDpsq3FoMiG+5IQwE3vIxiHpySSdKEhhObVVKXh6UTFpP2VOVPdXQLEXS5Vl0iIjG08HMiMYzyBARjWfT8c2gYwq3TXU1BJ1zCbcDzsHxqQV0bUiioCplnH7F0l+5EwGfyb15/Ky9Pic2YdMyF4Zp0zIfccKmZW7qvvmom+dvDKddDNGu83c1GHO68SUPnhj7gtFsxVW13WG1dpzVKqZYJ4qDZ0+OABnxoqXvBPnYZbRsY1poaVWzaY7E3x4n8V0fNeNvzyQxamdlHQUg4DFvX3/6PvP29Z896JKNVxD6FZaDS+3waxKzvua7gZXHwMdtBHHkexKzvuffYiLUsUTcB+7Mz6P+twWsT8SYkNSX78n4W75yKOQsw+MJ9BBeng6gN7XHwIuaKsLFGADjgm6k9vdVzc4O++AE+kRY7LFaMyz2OBIRFnsilm8ca1QXEHXpAkLORP1ThK4WNXjq8IJGp1lZBhsQh1hXaJZ6Mvb0+gcPumJ3TEG1A87He5ruWJPSXs/S50HMF0LPtGdQdbrPfC/ci4nQb0HhGUhVHdJANtvYBXFdYHngwIBo9ZYNQAjdmICOY+fiFxXeBRXRik1pjdG1ub4eJtbXLqBr459v+aKBGNHVB38NfRA9UR+gIaXXeEe8c2JHwNvXdMtzd8TfQEeET9QRZwuqUdVf653wjy7fvdld8Ld33wXP3mUXmPYvX+QeSIzJyOBr/+p502lzTiLEJZQwFzge3zIXOB5wxFxgPsq+eSiPHDC0dQH96Xe/dHbn3/3wO37dCrT1d5ZX7e8tojcNqdZZrVPtDmVhaVVz3RSiHnCLJV+j0MPcM/PTGHGsdShQ81MgHvdfMfp+PQklFgUnjO5sJGhief4mOERPGufj2/DN3QYWKliXv4hjSQtCq+c81G8uouszCQ0vL9graNLwPj03CSAwYXSfpuYmQAzum0cH9wSE9lBgvrEd4kADy3M38JwzeY4bWbIF37wtzBzXF+9FN2fSgQ3BEnHatyVp4uiW0VMzCWU7HYGXWENAT89mXFUc0NyFSfOAHFx+dHDL1JyMUCdg5F86z65jpoGD4j3DvWl5Tk5yX+XMsuMmAUHfNy/9prN9HDeLXR/tPcPdWD5BH/EoNO9MHmnFN38rM2fzbywin0MJZMxZSHyPNR1mjglBS5ZTUU+uPP68fztaTqiKLvEYxuQCqzf0cqmIfKZJ70TiIEapljYJkch0UqZIZHo9KRKZTcc3i4477cfx3JtpP+b4SiLtx3x0fXPQLV0CXQntf2Yoc6CtoBPU73sQBVotcKVKamo3tb8vNA2sETnOnPMCNQGTSBI3Xm0miZuARiSJm4znm4BHhH9fcwunaMuzgvq9p9AjGBHMN5uSIt607HZvgtGxEj2T+9Q1Z8ru4TIvT3/fNXS2iU39qe+4pndT8Wgqv9GL5zdSqbTO0+lIMxDrVemCzHXSA7YeLTMtMZ4S21I8VAjs7uQC/A5TTg6yBbYeOeBovsfulA4367VeI66WsmKsy3UKhw060uUzUaPZT3VihXw8r6rbCXE3K2aZVJZJbcS3JYaRmERK19MJXUwnRCPQ7KQP2GBM5ju1Hp9V141+dYMpq+VkPX2wS9fuNGlZYutHXX69XY5ncq0mXS0n6jmZ6xRUrp4esEfZ9G7nqMt19HIik9PZekTbofmDlMhLzU4s1KRrg5SYO9g9ymZ36daAo4MyF8qX43ThkFNKMqdsl+Odksx35INGKbvRyMh32GDsYLdeUBulbKaxzg/YnZKcEruysA7whS5HR+6kxEaHy9TaDbpajtcbQOtOSiwozfVqmaHl/u5RNleuR9qNnZbcSJUSKfGoC+3B9/IZ+ZBTgIejFp+p9XZD7XLC+VvOcZ3GYUrkdY5Ot9l6REmJDaNRDx42lXY5Xg8esp2YkRK7Bkd3D7lypMNlYqGU2O3t7jS6Dcv1IiXyh1w90t3txMIpUe7v7hTu8HRs0FjPl9M7cbnZaRw2O8EW1ynIO6HCQaMeaTU78mHzKLvfzNQGjU5swNXTvV26to//W+flphQ5aK7D71qg2ZEPmkfZxgxYpdlJ99l4dmO3k77TKEf6XIiXm61supmJhRo72XJiHcYR+gTGKDho4P7KyU05pnKhQiAlBiuNnRzN1gtyjY4NWDyWrTvsei3QyMRCXCubbIbSekrk7/CZ9CC7bzDx9UKE6+TLifXSYTNzBPNKT4mBUqIl9hqdo0P+KFvO8mv9akfuNQYRabde0Bqh3CFfj7RTYi7IlrIJ/kAsJ3Z2w5udoMzVYwOhlF3nD8QeT6fvcKWsCHNkt57TG/VtY1dpG41MrbO7U9P5RBD3T3M9d9joyDp8Y6Ze6jbptLQlZZn19fghD98g5drlgwBTXC9EmqGSzNViRmOnNGDrhTspid/KMUyV3ylAP7RyfFbcCRVa3E5cb+zky9WOyGyuA28wx4N3dusNeSdQu8Nl5F4jwMSr+USqWMpKCYnZWM/EBo1B5IBdzx1ydTnIlcPxG/24zOy0A7v1UovPpAYpJlXe7KtGQmoPcgwTSffj+3khX8u3+ttMKdtItJob6Ur2iEmWYMyVBl0bNI+yrUQrurFeyXIM01mNr+f2C2V9e72v8omWTmf7DJ3cTm3HRHEj2hdXSyIjshn5Dp+JwZwwNrdVURcPthNMN5k4iCR260fippyTm6H4Iawv2AsaO4U7m3LtTmMnl8PrRmrHUolIYXenld5ttrOl9dqgxMviZjutc+lSpJmp3UkVwomEpG7k5HirQdfysH42W9Vgar0h1zKysV1OM+V6pM/vlFKN+lFLqOS3OVFtJVqBdHlnu1fJpAONeuRAKEeK1TvZXqUaq1UDtf1aoJUuVfvbDUY9SLRiQrbPiNV0Ll0NFtKleLxda4tMImWk66XAQSIV3SjLm00m3tpu7OTiXEc24k2xWlJyLa5e7cXr0ex2KCfHS3mxloltNzu1O416JJDYDmfZelBmhICYKqrxhLS7ka3GjEYzur3ZLqi7O9kWkyi1a5lYubETb7H1SCDJM6lUoZ/eYFqJZudG3AgwvVomLTUHkSoXKrW4dCHE7pQO2GSaSSbz2zrTjh/FUyqbCgJ+lV3Pybv10p1tOtZr0LU7eF9qMenEgbpRqNQ4Js3EG4NgLZWKtPiOrCTYVJQLNLpNpRAAHNiv+EwjyDFVpRpPNMuiupY44LO79YhSo9OBXboF+0Cu2ZdbqVQryHWaveSOmK+u5w53BzuHTKqdW08yvYq5f+gpJrVR3FYj/YMAk0wXVH6nHC+L29sMG4kyTClXudGNMvFqbH2nny1sq0e7ms4k0jmZu12tpfbbpe349jazrYYSB1tSoc9EtCMRfhsJia+Et9Usv8P0crt6tkbXpM3dcLs5iGxxdCTN7cQDQrle20nmtwPZ3ST+/jY/2N2Jq7AmN+WCwdGxAJupDQpp2DsLMqeUUs1OrN/M1Nqlhphq3inEhYNWpbGTDsIcauzkt3dFNZw4KKW1RB/O1gFHH+nlTrrHDiJy/Sg1SFZ3o9iVrt3oCplau0bLPdjXUtn0YTKervCZ9a6Q3O5t07EgnC/5FpPMMNWNdCDcYJjt3UxaHTAJcT+TYDYyolovdWpyI7suxRORMtMIhJuhUoUL1Qa7dHWbSWpZZltli3I1W0pEKlwn3W/SrUN+PV9mjg7U+CDb3Oh0EwzTlzYYtZBnq9XtEJy34u3q7RSTYfK78XL2MNHaLm1IrcxuXdYb9VJ+d6fW2w2qR0yiv5uJt6VNRi1t060ul9k2btW7+yZ/8Y0Ok67CHpDdzNyIphixqdR6zUG8xSfiLS7TF/mMbDTK8S4nxQ/YndwBXz9qNaW4xNcbncZOVuQgkmS5L+7WI+1sptBqrpeCsHaymZTIr+dau3RVbA4C6fVEPMRmaj0o7zd0Pbuek5uZ2IBPxLvNQfxA3InsNurbejZT7TUGYZGn5QCbiIvlTE1vJpgb2XQ2l6u0WpwUzzVDhWCjzvQSut5MtKrBhnjUb9Rr7Vs6k/ty/8vqTC5ZqG4kWrFyXRRvHG23d8ut6kZwNR/dOIwwSTHCJFt9KV+qbgQH+ejG7e46/N6I7xTu5PuxDbWxlRS3pQ2xfZtJbG3UtiODmsgMdphwMyvv1g6im8FiQrux2w/Dv1RWCuS0bvc2xmFStzN6v8AkIj2OgTqx1UhUj1LlaKpST5eb/XA2e9C/vapUtxKJbGyjFwklRVEqDjRa2F6lRYYRbokBKdbHf9eKg0YM6gsDrb6Pcdu3Q2oKcA83NDYJfG+Xdgp3Uv3YRu/2BvwuHtXZTqN9Y6O3UUoehjP4X1fNAH8lYe0gng0dJLfE9XJXuVHZjtCV7TDT7IfTSZERs71sJZWIHzakeDephSuVTO0On4gPGvXCYbNTwnOKzcgKm4j30x1xeysj641ynN6tHwUb5fDGQTy6EWciGylmu5y8vVPNJbPriWySp/vgNrsRaezsBuKMmEy1muktUZRSmbAkH2WZzVIumYlvs/H4gdg92ryxuc29kn+9zW0ut1mKMxsH4Y0tZSMdT4m9Uj0oNeqldqNeqrP1kswFYzvsTknNSds7G3FGyLb1GsMwTHHQTYUOmd1SypCFeu5wdyfXTm0lq8wgt7XR7m+UbkeaGeaoxNdrwWSLaTCZ6tZOSSw3j5pZfCc9qNbjtTiTHqi1RCteadb7Pb7TgL0S7l9bfEsUU5viTradvb3NqKtZMbWbSRV0tl7r8ev5rY2j3bDr3ljYrUfgzB7kW8xuUhUbxUytXa6X9EYp2VdhTAfddOLgBl1imFZRbB3yO9ur5e3kjU5r50anVRU6rRq91RfZdjycGjDrN9rxtS/jv/AW8FHWmFWBiZZlMVw+OgpUm5007O/Guq7y6+sluak0Wtx6XkxqOp/IxHrZBJeF+ZlSdT6+XjCSh7t8cj0+4Ogsu30UYyOlABuKhwYH/Wj+qBXdSG6vFpP9o/1SphZIGU3hVlcsfqn+ZbpiMb4VLiUlsbfZFYupjeh64nZ/fUsSe/Gcvn5LEnvz/OsDfDy7W1H0XsrQ+0z8qJwRma1mOZCFd1ztQGSSYuAwHs8KlQORyWSOuo1O7UCo57eOEmEm1w6LDBMfZIz+7Y1E5A7cORrrNXz3riq7hxmp30uuwxu2NEhK0d1EiG+xdC3YjG/2N2+F86/qv6ia3zwSN1b74Y2kHJezt/VGIl3brbayzOZaRCz0K1tJJhxOlCNi4UgaMOLtQ0ZUd/NiKpDubgcynUAonkslku1qTm1lg6Ki0gyjxe9sM7202g8yTDUXh2y/g6y+lRDXuUys1YB7/1G2yG6vDfL97V7zaOMgz6RKDHNQ6ohiOU5H69vJrXLgoMrEj9bkQp/ZyKnRUiKerTWTcjkrq8H4er5c0PqhSjdAiwfbweRhtl/v5oO3xDxdFfP0rdvbwVf6L3x7O5gs5OOJlkh3mN0bobKe3RLVYlJMrTLpbFmolMONemm7mgrstlNhKbcel3c7OXWX7nY42mg1MjlltxPRuXpMaWQMbbeehve/AfeYzVp8u1LOsUUmwTQ6wU6jEzzg6rnDRr3batSPtF26YOx2IhL0FUenW2xGbrGdvsEe9Jn9jNxmlbjKZrqt3Q7cW2pSE/b7zpHO0YVDdid+0KjXbsO+xVT624keU0m05HJP6ud3ArVqLbq2WxQrbPxGLczEkzfKibv5x/TKCWa71O+mE63m4Aaj5hs7pdDOEVdKbSZvxwftLMOAPCaSrAQi1VKtVd0JFnbKtVKyHM9ulFJypZpKV7cDrXS1pa5XqrVCuRrJVO5oN1aTyVf5X1xYTTJM/c5uoBhohbhQTmsO4nfYerDLZdIDbr0t7u7kxert7VwiEZf47Uij2G/d4QaMtJWMpUq10k7WfveW46bcZz3f486hNxJirdwN9DApebNrvGe4c8sjwCuOk5wtb3ND+0jo0rLLm6v1qRfe8ztnP+E5+4UXP/1f//t91P99DwiGpSZIHSWxZeijbvF27sPqMBoPtg1eDa7tpQpeD/csupEtru8RRLCsFbsWZJuqsslygmxFUIDPdgHmnkYXHEElSfccNQJKKDfyo8qNZ6mTsDFKW0ThYSbo+cl4z3A3l0/Sbq6FIq7c0CdryXeilsgJ5cKxJ5T7+0cm1Ai0j4QuvR0colfNCUXfKyg3q2X8n0wc/4ep4v8kGPyfbKG00GRLC5JSWmB7pv/0cx7qt17JxMsVvzgTD9M9nXiv2Yl3xT3xFg5Y+t4D9mauWFo46DoT678sWhMLtr82Dlo0eWI10CMjE2tVUPaYqqP4ioFC1kWo3ON07HkDREzz2k0c82NDGKD7yy2125UUEVxoRtSKc9Kw1Ypzgo+qFU/Qiu8ErTyNHnKbiTvf6D3DPbBMfvUzzsibZt8ErI+ALd2i7g3Sa5AR2gmL4948hjvKgoA3jlc+stnC6ch+OUc2W5g0spLynIf69CsY2QN2L1c8Hdkvxcg+MWlk8Q4MmzHsws95qK9dQJeLmnTINgdlVuE59cg6Z8GTo4ntZG64U5U/5qiqSSwIKNw19FzWCYio7M0C9J7hHlueTSqHnhp+63G0fDNpmaprK/vEmj84VF2HrJgr1F8twlxUIXId1vKDo60Akd6EsiQqkpKoMMPop9g7YNR6KOKluRsnIAIkRqyCMAnqBCQI68xnRy87JyJFLqg5sewFNW8jIwvqBK345m+FyDUS81uhaT/8314ciTv/tx60ZLsHSIcC0wTbGskM0xH15G6OG9csT0cgAl5OAzIDXk4lQQS8nEXDN5WG6foSxcEe16KEB5FtpPFHC+ApMhkdPFCbYzM74PXQQfRYd4i0x7qx9joQsvAcb65AcL9qSbwws7cCk/z3Z2IQ9/rXSGe7U8s4/quf/vXPnKV+chE9WtRUQ42zusCnnLAxZl4XM2L6qjsY2dPoerULRt8Qr9CQOkPI1KGgGHpVh6CTQBHwhvHJnqbmxjvWmHReQm5j0jlxTGPSeRsgjElP0IJv3hbcW8TamjsiGvWNC+jRYk8TBRykAfuTlQWBB1c907k+6snR41vD48dg5Tac40zZmwnpPcM9vnwMsU103TV5j6Pmm03NtFkLuWzWIquWuyH10UV0tdjTW3kIHCFKiphpdlIK31UlxagLXLentyAkRNSTC6PX29tGyLuI3RSOxwMsex/AWNRcWK6Z/FW51dGZPCcRwpnheHjLmWEOwqQzw3yUffNQNmct9gun15wsR+BMS/2RB12GuBaMMjBaOMQGyzOy2nMF8X1mfNJeRA9NRMp9hRNsUNmbCOE9w11cnoL8rJPUYn9/OrZvMjaejCA1GJ5cQfvk+sVFdH0iUkUHZ+OyIMLxj6fBhO11MmZ5FHNse50X79jtdV5C7u11Thxze523AWJ7PUELvnlbIAJOjm2vl8xYKnCUdo1NVhF7OPBqD9+rk8NIbcGAl6cvovN59oiEhdDK3CMz6OQSzuEOXTgFynuGe2R5BpGkYwiNu2kGFd90KqVLQ5fu1Zg/4HqNPeehfnkBXTTDxaRVxdiUlLbtyQQvr6fcM/jSVEiAG87YS9RUOGKGPjM6Q2cgvs3JMwPdOREGCCxPJfB2576Gu3IqBd80CqVlMplneM2cU3/+Xz5zlvrQvehJM6ZQUm32YBbiTHjsoSTij8MpCM0716c86CmrTxlZTkPkT32v3Ja6lZamGgbh0Uw/iO6VhUNBphAryzdxmFCde6cHXcPBhjbZgaBVNAGHGkoKsgBNbSn4XV/uQ2g3kid0BdoxywTNCg9kRkqw2oYtwl1LVGY7XU09xKlh9NynPejG2GcU1BHYL963zM0pdexH537IM+EdjOjzNsP36T0O8wvsjvIxH/uvJrsXkHckw2vEm56SthOE3Dt/94nv/n9eR33DPegRm25Z4u1A0zjImDk1/xcnT9Fw5jIKX+5xThxF3GAAcm+Cs/sMcuBt4hCxHEcfnclAruckInK1uKXIA3erwRO0amVPOqbZ0Mjg43Ygf8csJNdGxhLJPGYgmck8ZlElknkcQ8k3i5L7dRGJ2sffr37gM2d3/vP3/+W3Ieq7FiASICh92U5X0JycwWZAi5QiSoqAnxnOWVijvTznOx4rt42edvXGbGDvGc63fDzJkhN4C/fL8TR9x9I0T0VLRBMxT0VLU0Q9v4j8JUEHn2ejKOCAcVml2zPwGw4SHFTUuBncWlLM6HRRkH2ds7rKyk+76kVL3wpRbx+HmIwzqIGT87PonDUJXdjvwdjU8dhEBKnA6LF6HAXiYTgT0nwYziZGPAyPpeabTc0dn4sOj6TO/V4vHLomdrkr4By3jMJnNLbTYbV1SWzJWA0Y9eS+bgGSOeAlAnkezIHq4DD7vJNhw+uhvwKF5qFoBdqzKVrO9G9BkRMgD3mw0J9F4ROgj+QFgYBQ82BDhI6HJvbEl/nr33KXX2/t8fN+/v/woAuuz3/Vxv6td/v1ViiKL83gf8Fjp4+cMPefvbvvtz7gn8Tk/ysPus9m/Ms94l+iCf/XTuBxa5F/WYf5S/TRn/eg1796U/ufxtoOuZ/gT1HzIbkuDl9JBPibB9sM8DdXO0SAv3lp++ai7b7qxoL2FeHvP/GZs1QGXYBQuioLtyHByQsUPZNbQufsJ1RdUni1r3v5pa/54Gc8ONJswM4F9Kn3fODfvO45D/VJD3ojpB6CGMIQzjce9eR848LMcyNQhGkTUWOaNpHAhGnTGLSPhJ4VuMsO1LdAvWMRXS+z+4IxWO9xWaWpQcRoyM/SVzU+0RKa7bQm3O6Bs3fUk6s7lnPBANa8wT005qWXvu9DL3vop5GPc0Io3+xaRG42gcpNCdRLh6xMLQYDPPcG9HqnVbieDgmHSMIfPAHh0ATChPL58ui99w3UEDp31UmMouw5pQC07AJ60kkEA8YNbijfEMp9Jw04MvB3fstnzu78zXt++nutmMTvseL5/MoietJ8d9iRgWDq2kGg7DJs5vBBD7pl9ZMbJq4aLSuOnT4W9I5e+thHX/ZA2MmO2tMh113fzhT3OLqkOG/hva7V0l4XZ29bULuA1OvuqZoLCfSfJrfDZ7Q7ct7bpoffo5c+CuH3lqmZBIgRc+tQpyGZOtRptaQOdRYN31QaI8Glf+QnXjq78zX//n8EzXH8no+a49hFlyELXqrTNQYZQQfLxXJTU2XZjGMd9eRC7iecqU/mIRrhLDRTamPKZmMBfzDmklN/YAE9VhZguAwhCZHG8yoEADODeeMw3rjRsV3oynFoubzzRIN+nwXqPcNdWT6OXAG9yT0Gx9HzHUPPHeUh5I5dPYxj8bULyGcZMdVVrS1oTM9QrZBlw6gVUXhWHxfXAs/XyZRG5udkIHt+TiExMj+n0/BNpTFBORqlLUnFZy+jRwm8YZR7a16eyf2hGXFqHx+XaRUinNiL11LN2VvymveTaOn3P/ayh2bGM3bEhX1VEyCrF2seHRDPEmeKvACybpjlbhDuTxbQtblo4HBHfVbrEB9SEkRJNzQ7/VqynEJRU8WRYPFdYAI0iHrKhqqxIli16VuKlT4MRWb2UVqdjI/8BFoepk9aUvgR1sxMkFVNpp49rpmZ2GvHYRP15abaFXBGAthW/3IRRSZhOECzRvwPTkfcHvG7HYMv7VSBEf/8Ilqb+lkmyqwx/8P/Ccf8FfXpl3rGUCecMTDm/3URPT5y/Zo0tv/nl3xsTzr755wL1F3PhVe4Fd/dXHhFO/j9w4vxn18gIp/PNQRm5PO5QMnI53NT981JfSTA3xzD7AT4mwN2LMDfnPR989L/ag9iRgw3Tj79vGe4Ny/f9eTNvdOD4qN2H3fHhO/umfh6D0pNvv2ecDV5z3BvXX5F6zH3DR6UnnKNvgtmfK+MmX+F3jp3v0zsY+8Zbm357raY3L9Gb5u/I6a27rvL1v9X9Pa5P33KXuc9w8WW73ajzL1juDrn+P4ZLPjumoUOWpvcB8cee94zXGD5hEdlTkHRKR88V3u+E7ZHGHg6Ctff+w6cEOkTr0MM2S1gbNcsqT1D0EpsUygIRl/V2iWQKeoGpP5UtQ6YsLgsXHAO7Isj5jbBvXKFiW+mvJeWfuMjOEl5ro+eAgIuzBGfABfOb37kZQ+XeBWYg4Z/wINuTm4Zbklp6WgCA78FDHReBQbQm2aSsHDT0hE9Ik27lPt2D8pNnpl3w4j3DJdYfuXfk/sOD9qYMoHvli3fq8CWO9L4vD1uRhqfF5qMNH6SNnxztzEaW95yNPrI9710dufvv+vnPvnG5zzUH3rQQ+UWC1YwEtYrsVYmw6gnF3E51tHnELIy4Ep3BMpDg232RETCNnsihGmbPRmZsM2eiu2bjF2iwDY7aroURhwj1t/yoHMmfIXlMpra64JslEdLOVVSwIKMTGgXXPPSS+/7ppc99DKi9Jba39MFhd/bFwQeNBGWKNyHHoTMm0AXbLMsStQbXIWwBi+PJsHD1N//TeYu5pZ3l/zUG52Iy1H/Kj000ftpD/VjP/XzH//sxZef//UP/+gDn/z6d3/u48vPeah/eAhdLMo9neF5DWeqJDwA33vWPX5h5BU0TdVuatjn5GZPk6krLcPo6m++dUtUDdUvqqooC/6m2rmld4SbXE/UaQEhWWA15WZH1QSqbsPzalN3w/OWueMt/lbwDq3z8b5STdNGWW7JoRItVeX2mnjYKXO9zdrOlqhJxWwz197ZvtXVhENJ6NMbCHVYhRUFzNZb7GY6A7bZBCNlgreWJMi8wN8UOqwkv61ndPZMW8C3NFua2hHoOHqDyvaM1k0djmUqZFPr9/sWHbYr6ZgWgDkEJV73m1xo9MPonGYupJuGmZsDdFc6HUIIRx3WMKPXbNIuEje77Egr3DctosvM/r4kW94teApmlX3VGh30JpDn7kuybBak4MPWhZ4m6YbU3OoZEHo6rWodHV2zIYusppuAOFoCo/BFmW0KkINa0NDjOMLCcGaYcaGHGajGANKSphuQxtuOb3HDVckovKZK/FZXUDIdPaFqQh53E4w4RG5APjclyyIa3HewqvzIyAtKj5iokNcbvictyTJRkZFVjpUrqijKAlpyVRQ1gXWSt6KnXDWutFpbSlUXNIXtCGkYDh1dIBeH2duEC/CsYTFdgGdBkC7Ax9HyzablPnPmnQ/mmTMvNHnmnKQN3/xtELKJeSarJZuYB3RENjEvdd+c1LccTZUVPWX6AvKe4Z5YPm6V5YqOrasdJWU2Rd+xFGewOLqEJ7I4CjSTxUkUx1gco+iOQXOCTcSMQXMCBDIGzQlb8p2oJXeI/+O3OjPE//FwZIj/+ej65qHr9oaZsuua3jBTKklvmBkUfFMpTGHBvb+PseCunMrCKAXfVAqEC/aUk8RywZ5SO+KCPYOGbzoNQuA517FlCTzngh0ReM5N3zcv/Rh6dBL7zmnqPcM9vDz5nH2z8w4gWSNwfRNxS09AlADwz1uNxaJ+y5fqH37jZYg191Pv+Nxvf/tleLssoGfKLbWfZ5UeK7tTu5aEQ6v/dccwB+dLGjOHWDkJiZzghIfAkVDmRPOe4VaWT9LMvrOFmlFUTtCO7wTtmFZiQ/OSkMul1fav/vz9CIEHSXwA/x/15D63OEzUCRKPhKzqgt2d9DPoKq+p3T0DJ3PfU3q8KOwZ6t5+T5b3OuzRXl/ijRa1GFoNHAMrKTYspMYOoGemw2K4va6gNcG/E7tfRugr6GE3Bn7H8eCLRZ0NhgOBjk770GU3xEQq19FyR1KkPUNVZY7V9kxbwT0rG8jrgWoTOoD7LQ/y4a7ANmZCheWySrkrSwZ4fNUkdl012sIAPQqn57A/i5KCu9K+dT9GVldYzrREsesvlKy8e5YRKKjnZPcAoUvDvyEzSgV/WwG6Cy0Pq8B1EY6KgtCPs1C3NKwrCzjRNxhXqhp59h3/gVZ6m2PhRtLbzEXXNw9dt7PKzL42nVVmgpDOKsdS8x1DzW1XNXucTbuq2TCkXdXx9HzH0XPv9JOmmbnTT6ohd/ppuL7JuNcco0rFxZ33DHf/smte555CF1xbIgHnc8O5HaunLgXTsXpqNelYPZOKbwYVd56q6UvPzFM1vZ7MUzWbjm8WHcJcbcpqt8zVpu0FpLnaDBq+qTRGzpzQqivUlR1G4R0L7r1qQxhwKqvx5ZaqGc0eSLZujZ/jl2ehTBmKUbDRoRgjM2UoJtHxzaAzyYSRjEVA/e096P5yW2IzGtttSdiA9Hs96LpL01AUNB10cIphWnDZJh579WzBu0hfQRd5tq/swfsApJeHrCzxbr9X+jK6gCH0ttR1V5vmwU+gS7gWrIa7TlN7WARsSUAfIFnM/ZIHPeNiUO0Z2IJTww67HcnQv/Q80o+jhwXM0h5v8bKnY2Zsn5HRj2iZDmCWvPZV5JZ7gCJbWkIXXH7aw5b+BRlvz4VixdtzEyHj7Y3A+gjY0iPDWRcOuz0hPug5s/OzH/nqz91D/V8e9BQ4mGeLCfA3UQS5yPZ0y3NaVTIgENXt6In10Thc2AP7MnoQW+UrrLzXF7ietKeCXNzq7qvoiWPp52Kj/vbY5foqdTwq4e3hGN9DDIZ3el5/3/d+4GXP8sKfvQ7itARMP3q+p/CsYgzNvkGdIrgvzuuqjMX+UU9uzRWeApLozksCEIdxMk6CGEX32e2bWXfnxiQ0WHMiWRqseZsgNVgnaMM3dxtEpDwngNk3/chLZ6nP3YtQWVa78V6zLcCh8NULzsOEjH8As2fp0x952UNfQKjZ6iltU4d1NkKH6WiU9qFlwZrH+6pmbh97mqB3VUW395FH0MPwesHYOmw2e5Z6gPJE6YeR11VpqAYrUwshmn4aPdrBAazAvULXe5qwZ4egsyJH5LeSqRJTSdFL6By8eLje/r6gmezdG6LXVqP0MvJCU5Im7HUtlw/qbD6VzFbz3P3uLgB9Eu/kVU8dNeUebxollKxv0d0d8mvQIVdnfrq1Zsda6TmtwD6fVHvwZxyzXh6mscetvAitXJ7aeQvB1cm9txoeb/bDHnRzwteN8eBu/6V5v/LVYvKZSXvX0mfAAOB+ioQlYrw5URh+93dePLvzjT/2u+96nelh8hcfBg+TRep7POjx0STBzL4haEVN6rDaYOcAlJqXiD0ZDpWIl377//fRl3HVyMkGVV+AKsLt5tyIo5TpAOME/P/1//DS2Z0/++z/8UeLJn+//D7g7x7qNxfQhbIhNduDIXJF0A0c2Mu1/eFwG1bUO0uRzch9dqCn5Z7eAtihnyKOsjEdlggX5B/17zoGmYzKMRXOjsoxndBIVI6ZlHyzKI14Gv3H5186+9wC9ase5C0boE6ug4DC1s2/aWyg17w8R43D5oLo0vAkGKn0nuGo5XEUGi27dvYJOL4xnFGPw+DQLycY8wfxpfabFtDlshUrx3Zfw4MtcT3DjIkWHL/ZPzYbiVDnzQI01XkzSRHqvONo+WbSMu/42FIqRBNxTiN2RN/P34MeLvelfaPcYiFkkNDVhKYdHG6ALrvriNwCMTrm5bk6epiRZbWfDCWDwTqrdW11AHUVl5fVfaPPakJm065I9oSKmtBYvSXo1JIJNGzDhsq9xTHBUPYmt+A9wy0tT2k991ZH9A86uqn4vmn47rCHc3yIGfZwDkAy7OGclH1zUXY/rad1q/m0ntrpxNN6Fg3fVBqjT+s1VwJk+135kUX0BNhhJwVD0DqSAhHhwMDCVHjxcAHrwTkSG7nbB3H426tzII/d3i1Uag5UYkMPj27oc5EoO7GAlL1joYHo8hxEK44MFPaFeaj6jqfqjkEYdO62P/dzn8ExCB8E/KoubOkJbdA1GH2gNHGsc3JcAsE1r4d7aCI4AJOhq0xgaiIw0fdrTgZusxdHgL1nuIeWJ1KJOkJEq6cmYPomYRKXoZDdG3/wS585C+H831Qe6IbQgVjarJxQZUuCOG6Dab7SyMfWnKiAOLx6wFtrXkSi675idNqehBLxapsTyXq1zdsE+Wo7QRu+udsgxnLVHstP/eiLZ6n/7kEPV1guwXZB5gzmLxyrgajSDOQ/dvgvTQMnTqnJIOYpNQWdOKWm4/um4LuOd3p11X28B0N2GPNFREPc0SIrKUZF6oCoAm4LWYUXjrKKZEisLN0xTaylI5eYIeaewCvomfmJAOpwCq9QJ0ElJvFbRifxyWi51aTzo5lq0hM0Q6hJT9aO7wTtjJjRBi1t9A//wotnqX+MosXqRj56JvfHUffWHIwGQsGwl6d/JYq8dRC/yZJupOB+KOjUj0YZTu0ZlZaklyVDMM+DFYbrQQR304ZTUJqCY2A1o8qfYw9Z0z0+KbGyKs6CrbBcFYICzoIxA56ALcwKEUven+2wopAUnDQh+ki9HW8Qinsa2xxUpK7N0rDE/lYed/imyvIrDA9GNtafehaH9BAUaMK/yeqGu2CF6XSHwKbZjj/Jau1KS+gIfjDzgl+gWXKq8z3ZkMyvMmPo4IktGYNJEFgC5VSUm5ogKCXVDBrsFIOJhGVmLfDwgxFBDI+JrzDdLmQ3YbrdhCw122AO7CozNza7oKAqTLcLG6ipI1mx7dT8CVbjzVDxSaEpkXVJkB2pXUFLKaJlpTSsTPGSIfD2T4HHZhyMgSXwI23gKrDWsceEqID4ejVHhu2qVLUODsBHFmE6PTwhsltlss4U/xsCPyxel3heUErw5NHtoMysjBsG2eD4R+NZwDYNy81C1TrDupLQBTM5vowtc4Hxoibwpml4ySIt3XE3b+ogBT7P6m0bD7rcBeHYxKRxP06q0cHUwsUjbCn4E5ISb88Gq47RQTvBKoY/qySwmbIVs0VSxAlAm7Ar4IWWlhRJb7nanwS0pWD90nG0MLsVFWbsbDjw8ZvYpLlXroA/VFrV+qzG48e//TzFnmGwC+DFva7qRklgdVWZiACvmOEZ4wI0Pa3SEHxl9LcZOhdCew/9k1wwcK9MqJ2uLAD7ZPnQZW0F9KH4M2RJaftdlnPmHucoqC0AcIjKKrDtWAXrlfwmWJIOaTh7kv3TOVesErNj/fiqa/6tWzWmR1lF6tjUq7oZmFvQVuKyCvPa2VnNmbNVZrpdf1bRDRZmJtPtEhXWFuMuqiqSCT0KW9VZ0Wwbb1Y4uuaK6e1lNgpRtYrZFehUVZcMVfM75e5CmFL2CoWOgz5lm4ZelJptQfNj5wvsqAJHjL5ihVDDx62f4XmBJ4vwMAt8fICnKlEFB5MNbg6as1lba3piHV6oVkWPlc1gP+6C4aJeSRSruF/yAgsye7y/JjRV17c0SZQUW+pj6ThTHU7gYelZF68V2PGxW62BowipR4OVpGDArOetYGL+oZsGK6/YoaL9Wz1DBssWqSNgwW651TMg9pIDYVoD8ytJtY+9qv3Due4U4VHQel2isCTovY67wF7heCP3myGH4oIoKf6K2mu2JpTXW4IgE+XmxJ2AYFVYGEeGgHOu6X5XH+LF7JitKoa5JEJu6LrAWWesf0MQuix0jePbZO2JaUkWzEcJU8y6MFbSstp01iTEas+zRrPFGIYA2bZWMoIiQIQhVyDrlQz22UiqTX1rfx8SNzm8rJga1KbuL3dU1Wgpgq778QdvsgZEDJoIMKuuAC5n+EgqmuZmYDrSFcw7kT4RZW5AiAPeE1uwkNclMLkYJOQebHy6/TvPKlLXUiMQlyur3tUpWR6q9iXWvOOtDMPvmn/mBaOl8n7zgJAOBT/uZ6KuoCp4mkqsYjBdacXZt0oQ5hxvX/oKcelzYuRrkiFYOycOqLyS3Sq7dmNzEeMWBR3XZXXrCRPX1D5sHVCIc4vCHlNRISOElX3OqYIy5/Ossoaqdqx4i7jM3oAzqiLggmppMy/pHWg6q2wKItscQLhUWeoMO88U9mgrcEE3L8141MD50Jmam+xA7Rn+pKR3ZXaQ6BnwC99B7ebhVK5JvKCuAAI+GPSioFXU7iZcA+2+wrU4eRC++KjaCo4tTzo76iubqigpIJUyt+lNVW2zstQWqprsd6lhnc1wBWJYY7btrWNY4pomeYGXWHz7hs/wW+tsrLjHS6q15Y7W5XuGwPurSqdnWIlgLYg4q0vNoswO4HFslaXyKT/TlSB3Hs5YdSC4MaDW3Cnxb/BMd9VYXWFXWbsHvrfaUM6t2m+ZLjn7zTgAWPTY3GVFRdUcqLQg8DCwTfVQ0Kwy0z4d/22dFrrf/Np4zzBwzDlddyhssLIg8Sr2YvOP9fYmuOVJiuh33XWFpqrZ2PCwxL1q/caTCAeAF8DplYCtw0TG1wDrt8DhwSKGDP/gZIGEw39AD5ieqFaN6Y7qT7A6pAcq4+Xj7KcwVauaTEACt+bDG27lEjgqgo7MOqbckBWWm1APWnbyWLXKKiyXVlWjq0mKsZKXjpz4rTD1el1RY3kBzkfsQWgfH3mVk2QhDU9jHo4CmBu4CF8Sk5ImNA18p3EXu66JrlITjAgraC5QRmm2VC1lxoLNCxDIVJ8Eh/cKSWnjC9osgBk07P2rzmqdXtcFYd1RC4LhN3exyma5BpZUqrJSUPGA2nEQV9x2GSvWGem6Iul2GfCj+8EjyNxerXfyylZHkTj1qCw0e6Asyyo8EFO14RPRfJ9udQ2pY0lfMj2JF8ZLYOyMHsz+lSLOY2OOqKJYL3UdFyfVDispILXDP9OqJljPAeu1DaVQHe9xnCysOLuy/YcfbijmvcC6MDo1WcvEaVhCOGVbqxvejUMASVSw5YL5MrTLEyzOiIp/Y7s+K8LpCn5EFE0HWUsCuWJX4vev/cM6aPx1QZY3FLWvmGeHXQ2XP9lYKbIDHNW72/XjaDyqdZDrdo1925pdW9FYRTdv+UwHTqOVotDtCpo/rqltQVuBvUVoGo48SV9xudjDLW1TVUQI5Dhabq7XyaXW5IRKSeWlJvmyw4wOr8KTgVzPvyLoZKwZ4PyJb/wrRbknSoruT8us3sI3FaUprBTVbq/rx8bnvPUDL/Oiqhms7LcesfAbDhbIkCb4s0pThbXlx2fl5CqLSF/QcOvlpqCwmqRaIjBWxrIje/2ZLwnil998JpSK5t5A1jmxY3l7dwMADe8Ew5luTi/d+SOhSkpalrpOATbhZGTZvIY5xTZN69qxLuGp0uNkqYnf0DAcllALvqKqC1Nq8W+Tlzrjr0m6ZKzAlQxH/hTsruVdZSWhKUiH4PuvG5Is23c3J90JfHJPFjQ8ycxScBFwP/OrOqaIDYCkQwHfm0efsGS1+y1YZjsCnFdJCayN8OsFpI/24TG12rQ3WjF/7vdkG9DiDG5Y+DhaMcWOcQ0icuLDx94z/abrTkXquookQ3AJAs04B8P41344Gpz3zuRq601tRS3w49lUUSEo1IqdsNlvSg0SrGYMy0jZnlNcB1GgAEFkrA6Bs11XzQeHf6ec9FvXcz++1QNqh9VAfqphsUw5X7bGWFsplzf97lPbfMhPLKVX7Je5c1d1JQpKSzJIVFwlJYHHB7nfnJhlrYmvSK65uVJhOefuv7WVx7/NwdFbqgE/7b13uNn4sUMsIwuakZZgu5kFBdcrfInRZ4Gl2UOpqSrmu3omwYKqDO3C3Qe2LTqYgVuRDFk4pg3nCBX4Lc3aEF2g7guYC6/CcjDFYG44Xiew5MsGfsxOpUB6Drhah3Fw9rA5sY9reVPaF5qDpiy4nl/u+grLAQhEgxgpti9erlJT0ONUgIikoqax9BhPYHyKwvN3+NfwezR4rvNwB7cUFf5Ny3UP5GLWI2ACFNbZTCjf7rGwQ6aUfVCWQe/UJGs1rpjh+VawEsNWi7h/ZM26smCA2FU3n/61qL/O6h2/GZsZFowENx2y2HxqjJaaZ6p5zR+pqkhwOle7KzVJA5Gc7TVhfhd8UHHDlnraP60xTim8XeKIOu0C80iBH92uP8lK8sC9y9cFbqtSzHa6bBMDlSoJv+WMus5qh/AKVkS7wrxjHJX57op5zfObolJTgrlT8ptSCXPv2CnB82in5PwBJ7Kj6xiF8k8rsDZR7l60WG13Sl7qnrWIbSH4wS/8/lnqq9DFap65CdcSc0xv2mkRop7463hTHpJD6KyChU5ebK7Aq+K+qvLeM/iHE4HGS90TsmJHt97x2Xf+6LnnPNQfPIPOVdudMgsyHEUsmdHMP/YMomCb1aHYNEYJBWJeHgylGY5VeFUR+HKp6Eq35onQQXTjBJpMyKJJn0dvcOkKqYXVAO1FaKgypBaCYYhlPyxJ9HRDdfgNUwvhAH0NXTlOtUh5aPoxtDRNJ4iZgfop2jNqYS1AX0WXZynRqEWaDtBLiBpXplELwSh9BT0yQ5dEeUL0JXTe0knYPSJo1D3BUCAAeUjHtBP4268jn1kx7F9HEOW3Hns6EL+AHiC1GdRCODKk61JqUAuhAJhEj2owqIVYgF5Ft/D5LiliRe2CdNIWUpHFTFcynyY0tbgWCNCX0cURPIcPD01fRBS+IAi4uyxJJVRcQw+TahFbQkm9wVVOX0dL07QnJOAT0NCoNmUmLbd2hQR8Ej00UdtCQtHo6kSoktDTBb6MLytZnsS5hh4z9x588/abeV0T63hgMQFqMRgN0E+hxyeBrePLtA1HB+gnSTjrnBES63kBLu8A54nSlxA1rhuiFmORAP0oWjLVQQKeuZZYw8IM09fMyMSCbQIHlabozTXXYP08llCVQ2tO+svWPW2o64Np+iSm5QBZetRRqGfQ1YSqtiVBt2+ZfmyyaeofbOEtBHUK0DEUtGHxTajIasYA/k8CagKfVbDqwnVXr4Woe4J0IEAH0TPzq4bMMbmMLiazxbJLopeW1X4BAi17QvQN9BSuxef4UEZiypyGKDUagC8iCp9o5soo9yD1zQAqHkbnRpRG1CK9ht3ok2rHejkJmt8xoSDeUpbqglqgA/Qt9PQcGOZCphboCP0MepJAwF6+Zv0QSRaohQjsp9S4Lou6zy6jr6ALkxRbLojLyDuq5ZpSa8kKXbUPovvdaivIIQMnxWPuwhwLO58tR4Nf1OJqADi/6NJVbSmuc24xuBqgI8h/Ml0WtUiH4Wx4cIJuClbQFbQ8XUNFLYQi9CX04AR9EN6q19CV43RY1CRkOoqemISIt5mymRpImIxJo0dmaMUm4zyGlqyNnelKfoY/BOmLqUbCU+tJ9PgxKizKs0ovowuTdEzUQpCmn0CPzFDHWHvQozM1LXjiPoy8owoXzOEyujBJ74LrltCDE3QncIStoOsTavwN3bAfuCnFTNwKM+EN6F4sD6cW8Gby8GTlC54SV9AjM3Qw0PRl9OAEPQtltgARMoaak4xgmFedtKoVVVnCGwSs92tzaVeA9SdsfiYqI/AdKICuz6mDGDJ5aao2woZZhs8c0xGYa+6SU+fWFVh3H2pcFQAf8jS6Ol7hr7DwqIyzvBkFQMdj8Ay65hrTUYmy37ksw7ZNo5uzYM3LF0istQ5rT/cn0CMuHFs4Zkub8GcsowcnKAWoRTjA3oquz6mcoCYRga3lOKXFZMQY8h2vzJiMGkVPTEI18+FsKeugcZuM+WZ0dULxiOhvSqsPI++o4gRvrheR11rufizq1GTdvOifR/e7RTCw3G6i63OqQfB74wa6hmVz2vCRBIJkLII2byzW2lrA74rzY4oS83Z3Az01VuO3tCUC79KgAIuPoouTdSo0fuJcQA+QuhU8yR9BD01UsVivokftHdZS8alaWtUYvsKKov1KuYQeLLKSvd8Nd+QIPhQn6EKAVx9adl3TzB6xXtk1mronGsYH+pVRRQm+5CUSFff74mn0xARFBaNI5krDezN1TxCui9BDk3UaeLU9iS7PUmJQ9wSjATwmLiiHM00Q7kiKmJIl0bKrhTW+gq5NADbVa6YwE9+0aWoxFAvQD6FzI3oN/Eh+Cn+hu9jvnp5YMAW3fITuxRMMNqSH0P1u5Qdl1tAPIjRUg9iF19Djx+gy8EA/iN5IKCrw/HkCPTJDs2Gxf+U4BQdeM9cRZe0EIG+0T8PzwzKriP4KnHNmBNCPJ5na0y2vWvyBE5Avo4dcyEMVvBnZKoCenlg7kfpiOIIfYLY8erjW3UucBvmJHz09G6rSkjQeP18w/JPosdlaDrw+n0JXQBWhQ4wIi/qoSgKPwKPo4hStAx7Dm+g6oQP1w53GrSca3vDhoL+ELpDgW4q5FvFMNfUUVnIBP0DIguHfUpIg21IHcFxGYYMFPuzHPBRR6I24CC6I+5Z7vg1myUGh6En0GBSl2Q7EY4UvcvrTfsqEI7DXgeOf67IGE+wiOj+mV8Dgz6Crrgqs8510hVuMRvC9bbJsGTfxFLpSYbmScAiyy4rGYiNKEGAPRdO4xRC6ORxx57mrCWwba7btk2W9UimmwGQCi8/Oodc7Qme8Ii+i82NSaAx5Pzpryofx+D6KHobZgw3R4IoBoFi4ah4yD6Nztag/k/BDHMgECNLN8jei11lyXjyJnkAPTxYfUzYYfQU9NFGUPIS4hpani5WHYBS63y3fxafkQ8hrSvXwJmIJKEL0G9F9tuQVToOH0fk9Syy6p1uSRMoTBDEHBDXhj/b2zahZuruaOz8mKs09gFDqUNAGRktSRO8ZHKE8HDYjlIetNH2nItZTEeupiPVUxHoqYj0VsZ6KWE9FrKci1lMR66mI9VTEeipiPRWxnopYT0WspyLWUxHrqYj1VMR6KmKdX8QaIZJAUt94P3oMzGSrigR7vGQMblY0iZVvBm9antVRT+48ug+O1u5eIOj1LH3ok592F9Fez9KHyaKQ17P0EbIo7PUsPU8WRbyepY+SRatez9LHyKI1r2fp+8kiCBz7A2RRzOtZ+jhRBMH1lv4dWQTc/yBZBNz/EFkE3P8wWQTc/3uyCLj/EbIIuP9Rsgi4/zGyCLj/BFkE3P84FN1vF9EBr/tXkPhFE79CxK8w8StC/Folfq0Rv6LEr5j7V4jgJUTwEiJ4CRG8hAheQgQvIYKXEMFLiOAlRPASJngJE7yECV7CBC9hgpcwwUuY4CVM8BImeAkTvEQIXiIELxGClwjBS4TgJULwEiF4iRC8RAheIgQvqwQvqwQvqwQvqwQvqwQvqwQvqwQvqwQvqwQvqwQvawQvawQvawQvawQvawQvawQvawQvawQvawQvawQvUYKXKMFLlOAlSvASJXiJErxECV6iBC9RgpcowUuM4CVG8BIjeIkRvMQIXmIELzGClxjBS4zgJQa8eIdODZ6lD37y054SInwaftaDHp98GgRcx4FDM0B8Q4D4hgDxDQHiGwLENwSIbwgQ3xAgvgG2ebdjxij7b0dXpnA/lf0RCr/sQU8d0wE3dVaRjMFruR/ePW0Y6cDUU/0jL4yd6s+/MHaqf/SFsVP9Y1BETKwPvzA2sX5wcco1IzKVoa8ZZ+hrxxn6unGG/s0LY9eMr39h7JrxDS+MXTO+8YWxa8Y3vTB2zfjmF8auGd/ywtg1490vjF0z3vPC2DXjW18Yu2Z82wtj14xvf2HsmvEdL4xdM977wtg1430vjF0z3j82Wu8aH63NKdMnMn0XmDEbv+4i8k0kF/A7o38z+GVfT/e7h9T1i+AlSPASJHgJErwECV6CBC9BgpcgwUuQ4OX0Huj8Or0H2r9O74H2r9N7oP3rZPfAN6LX23tdgPwZJH/S5M8Q+TNM/oyQP1fJn2vkzyj5k+QqSHIVJLkKklwFSa6CJFdBkqsgyVWQ5CpIchUkuaJJrmiSK5rkiia5okmuaJIrmuSKJrmiSa5okqsQyVWI5CpEchUiuQqRXIVIrkIkVyGSqxDJVYjkKkxyFSa5CpNchUmuwiRXYZKrMMlVmOQqTHIVJrmKkFxFSK4iJFcRkqsIyVWE5CpCchUhuYqQXEVIrlZJrlZJrlZJrlZJrlZJrlZJrlZJrlZJrlZJrlZJrtZIrtZIrtZIrtZIrtZIrtZIrtZIrtZIrtZIrtZIrqIkV1GSqyjJVZTkKkpyFSW5ipJcRUmuoiRXUZKrGMlVjOQqRnIVI7mKkVzFSK5iJFcxkqsYyVXsmHfhXDdx+vQmbnfn6U3c+nV6Ez+9iZ/exE9v4qc38dOb+OlN3P55ehM/vYnf5U38ezzo+jEampuWHWP0zIhi5Ns/9OKoYuQ7yCJQLbyXLALVwvugiJD9f9uHXvRAcLNYYCS42W/fh7xVRS22WF2gk4LeNtQuzqL7xoKqdq0Mvlir8f3f97IH8vt+3IMetNI8VRXVDfED3/eyh/s6D6KyxfU9CPabVeKCIuxLho6eKAldmW0KEIkWwparOvivmEDmbxTBoWwxZSt7Bph+gk0feLilVc10ugNDy25LY3UBLIV06qLdmtqDUNvY8Aw8kIDXj3lGkxFjRj9uMToNlZrwBdTxX0Dd3RcAo0T+4Qh6xEkeNs6I9wx3YXkCg7lVJ2Xh/v4UPN8kvLc5ieCGzY10iPcMd2l5Wm/l3u4k/3Q1PIGCbyoFd87KY7vZzFl5LBiZs3Iuqr45qP4r9FYiMeSJh9t7hltbvruZkvvX6G1kcsm7at13d62XlqkHXAmOg3TIDML4t+966ezOxz/wSy96zHzYH/8A5MP2UL88eWv5IQ962LV/xFybzOuX3vua20Jgu7O3EJLX953uIqe7yOku8mruIt/+27/wH+517yIL1H9cRCum83dWdxzYTE9Y8ENSDHlgmqWDJXePB3OdVXf60KfR9TnRAW+YO/Rpam48InHom0cTh56A0B4KOLNiThxoYHnuBp5zsuvu75+kBd+8LZiJb80M3BEnpTNOFPq+BXQeMrsJ1pzh0zIrRj25W+i8nTW0XGHimymQ7tGQ9xagUwkAyyqmMyBMLkCwN2QCgZqGQGyL7qy5k+HNrLlTaBFZc6fj+6bgl86DaXbIjl/8vv/04lnq+QV0paoLWV0H3/G2oFRUnB3M8raAEsgNHBnPDew7HjG3jZ52f+9MYO8Zzrd8PMmSs8+afXAsTd+xNM1swrSZuT1kZhOO4GzCazErm/DfL6BrsIOk+J7pTDQM72EFmKCLqqQYkagnpyCf1Vew84J7Zq+T5U2XTrVn2B0I3iYSLwt7nLCvasJeS2APB30B8gJQC7TOXZ+zxdy/QH53Jx+P4T3DXV+ek/hXoltEd89H3Tcf9dITkNoXp3EOhWL+cHDY86sBq+e/cxFdqUWtFJcpcCZhZNkKyJ5mJRlcFKKe3GNouagJXZx8ZM+Vo301YEoiiXrXq8yufwidH9bPTidei8LC2uNNlvYE4GmPdZja27e4ItKJz4tkphOfuwkinfhJ2vDN3Ya5q5rZtUMBe1f9mU+/dJb64D3oqVoUnPQhGY/pBMg0mzh9Jp9VzHxbm1JHAku+p9E1YgR08JqDrHUZTe0bLXswol6UexJ7wlmgeQlcFOVxqMexS50FVVDHAWaNOdRPHPNnc4nRMaepgNVZgvWpex38rXus/bF7krIn4s/dk+F7c7dRbHTs50aGJpdP3qSG3jw2F07Upu/EbU7JzQ2TY+ez73/3h89R37KIlmrRrCLsQ14i6VDIs1obPKJYiJCf66DzkA2lLN0RKi1N0FuqzHt5+hp6VBqi7InNPV26I+wZNgh1T8Afi3C30E17FuOkenskkr6n/P+tXV1sFFUU3tlO6+WCcL39oQxWh+FvBVpmh+26FYxiC9QF2mVbKCK67OwOdHGdrVtaaeKD0aiJvvhgVDRiRDTxwURNeMRfEkkUjYo864MxEGN4IeKDibk/M527O7M7NT612Xu+75xzf8+c2T3XylfJxjrFu+gxmKxbkaGQKGJuVhaorAzvrl+bobVpC9PmOcMSRsJzhiUNg63Zg1+e+uEXGf8ehasPpNhazVQq5axVtvLT1qi9l659z5YqLA83phU/dkNWMQ5N1i6htTiM0vQE3OQZn6byhFgJRXwQ9nrHIhSzFoZZiDkTzu747MVLbfjrKFxPy0BkSgXyS7oHbf6Pc/kgC2sN3UikpPS2+gjrrtB4IXgPiWHBe1gFQvC+AA1aWA3ZFSQ4jfdtUNzTRndigJ+i8E5aLePEJKmCwg6oEevJrHWUbAikulBKSschdA7+AwYyzFVNQQTinAsMgptChHh+FMbcbm8CRBFzldKUPeMGzEePhmHUmjGy+cn2hfiAMz+ffuPbNvxFFK6bsMxdmf2s27LkV7fb7Xx5brpESqBkK+bMNL0BKyWlt9ZPz1hYePoRN4ik3RQCgiJmTAlL/6g7+VmnheTXQvLTmbllwDsz43yl42ejsGfCMjPVCtmkh8pTY4W8ncmTO4Do1Wqk6zRvRqATtvtIEZn5p/9O7Csj7LB3u5kyO+cjjCJmp+LLkoI9850VgNT8kEIc6O50lz+81IaPwrXsjp5eVnfNLds0Yh2r0N8ss300FUkvh+3OdfW53aS2IL0UChXZ+cUiidSA8AyWZLqOSPjNKGxnigYr5Up1e6EwU80XCG1Q+N8fN+jXFIJCQadd6Nt1tadXJ/ZTK4yBTzsbAz+gMAYBSM0P6T8GZ377pu2IhD+T4JKJyfyJ6RHryeH8CTL1npt/XZYrWk7sm0RFYwOElp0jFRFypSK+PWnaByaTqX079ZljdnrLE/HCbn1k38njU4M7xwwMF09VKyavhIZb4n26uQluGKZXZ5KnaPL7fXIf7Ex11poji4cn3B1rsqvJCkqxxIMRLVpGa9HqHRymf4Z2TF7465NLxINz9R487/HAsv+rB+2iB7Lep8cX6EK314VWy+7dP+ba/XHjnj+e/796Xu9LLdDsTqHnj+ddmy9F4TJXip0XKSl9CCJh9ZCv4hi1Jk/1n8zPFvbu7/eYnDWShS3j0yWSOnNouS2cPd1X8zqUcpPMWYB8YObMX55lzgK4hMxZMF4LwGdV8pzj5o2NuDAL6B74fhSqE6WiNUvu4HUvAdxTKlj2tDU2MzVVqZIHnh2wx93/9sYTem7P9v0jg8M7hng6kSTWcFMiIbHWTJgl1ppSCom1MJxaU05WC0IXy+2+KMOVEyU7U86fIF9KcC7Xy1Qrs6WiVU1J6XMS3OPMwhErX33cyk2UbFZqzRV3C/3kGpC5ubaNcGVtGy9NQqo34iUOwahdnjOTcHmAMLU8yBDhLVQAAXsLFdAovoVqwKAFMuyCazzzItBUFDF7lIa+DMO13tnQkElrxMSip4Q3ejIS7ol+TYJdBGxWTo5Uhsxjk1Z5il2TnZLSG+tjzu4gcXGD8BXhG4Q/XNwgAvFaAN77+B2Ps/CFH9NbXGd/isIVHD5GrwgcztvFskVvfCZnRswbKK5sIEsk58PFlbiBpBDYbKoNbBpCB6FW26P1UoREaUAyBFfX9as/ixbM4n2IcfqTvdg5IuErEuzYYReqc6RwKimZNZyfJqVoaMqxbgJ1+QunB9yQzM75CaCI2aX4Q++Bd8y7GITVfLFZRThX+g3PRql1saAhnujVB3S9P9E3YAzoum6Mg58//05CRQUACcsggiQFgCiWQRS1KAC0YBm0oqUKADKWwTLUowDQimVwB4orALRhGRiooABwC5aBjGSVkMUixji48n+yErKYZGwDP/7KWW/FMuhD2xUAlmIZPIB2KwAswzLYg/YqS8FtWAZLUC+WwT50RCWgmGRMgk+f+Z6hia6YR1e/AgCgdi5SAFiEZbAVbVMAgFgG96IHFAAWYxkMomEFgCVYBhC1cxseRKPchgwaV9//m2p6Clx/4ftg74nObrSCa1qHNnNNOrVoMbVoK9e0Dd3HNd3v8XYn93YXtQhROwoqURqTjE3g+ksB2h/ifX8IHVaJEJX+45UGtrbQEWhViVBMMpLgq1cDpDu5dBdazse1G21UiXhMMrrBVRE3ql59leu/9lodYwtljPORMtCoSoRiknE/uF4vzfS3c1wHnU0ynU3r58davc4Y1oDTr1OGReDqLZxiEbhG/jVRQSWNMcnQ6Et7j54o19OCOtQPXuc+/XNKkGlXyQfUp49OCy0yR3fQWc1mf5tKhKhPl98Webh0Bo1x6XH0MPfpMGVopVyjKgFSa8+9EzQqKmmi1v55hsu0MJtU8gFtufhuzdiQD2jLy2dFXpV8QDWeP+trcwcqqOfPcvSFWvQFp+WG2CKrNxzet94L5CVNFH3zPcGTqHqTtvwLUAZa513VAgA=","variations_safe_seed_date":"13412919773000000","variations_safe_seed_fetch_time":"13412920031892358","variations_safe_seed_locale":"zh-CN","variations_safe_seed_milestone":144,"variations_safe_seed_permanent_consistency_country":"us","variations_safe_seed_session_consistency_country":"us","variations_safe_seed_signature":"MEQCIGaCGvnU3yoDuL7AYE3KJnmPxS1FtVMZ8V738+NKEDNQAiAdQRJA3d58EGsMy+UvsNEm5e55ctdvCkebzzr16pJlzg==","variations_seed_date":"13412920031000000","variations_seed_milestone":144,"variations_seed_serial_number":"SMChYyMDI2MDExNC0wOTAwNTQuOTI5MDAwEgkIABADGJABIAA=#LFqWtWs92nM=","variations_seed_signature":"MEQCIGaCGvnU3yoDuL7AYE3KJnmPxS1FtVMZ8V738+NKEDNQAiAdQRJA3d58EGsMy+UvsNEm5e55ctdvCkebzzr16pJlzg==","variations_sticky_studies":"RollBackModeB/EnabledLaunch/StickyActivationTest/Default","was":{"restarted":false}} \ No newline at end of file +{"autofill":{"ablation_seed":"m08T9EHN+kI=","states_data_dir":"C:\\Users\\27942\\Desktop\\haha\\user\\user_data\\AutofillStates\\2025.6.13.84507"},"breadcrumbs":{"enabled":false,"enabled_time":"13412845268343097"},"browser":{"shortcut_migration_version":"144.0.7559.60","whats_new":{"enabled_order":["ReadAnythingReadAloud","SideBySide","PdfInk2","PdfSaveToDrive"]}},"cloned_install":{"count":3,"first_timestamp":"1768405749","last_timestamp":"1768482818","session_start_last_detection_timestamp":"1768482810"},"hardware_acceleration_mode_previous":true,"legacy":{"profile":{"name":{"migrated":true}}},"local":{"password_hash_data_list":[]},"management":{"platform":{"azure_active_directory":0,"enterprise_mdm_win":0}},"network_time":{"network_time_mapping":{"local":1.768484677667991e+12,"network":1.768484677e+12,"ticks":1592488972.0,"uncertainty":1814516.0}},"optimization_guide":{"model_cache_key_mapping":{"1563922A0C010C80A5":"4F40902F3B6AE19A","2063922A0C010C80A5":"4F40902F3B6AE19A","2563922A0C010C80A5":"4F40902F3B6AE19A","263922A0C010C80A5":"4F40902F3B6AE19A","2663922A0C010C80A5":"4F40902F3B6AE19A","4363922A0C010C80A5":"4F40902F3B6AE19A","4563922A0C010C80A5":"4F40902F3B6AE19A","963922A0C010C80A5":"4F40902F3B6AE19A"},"model_execution":{"last_usage_by_feature":{}},"model_store_metadata":{"15":{"4F40902F3B6AE19A":{"et":"13415437281571574","kbvd":true,"mbd":"15\\63922A0C010C80A5\\CD6CB3B5336F163C","v":"5"}},"2":{"4F40902F3B6AE19A":{"et":"13415437281000771","kbvd":true,"mbd":"2\\63922A0C010C80A5\\FB2EA656F5A7FE54","v":"1679317318"}},"20":{"4F40902F3B6AE19A":{"et":"13415437281331171","kbvd":false,"mbd":"20\\63922A0C010C80A5\\E16F49A806D04DD8","v":"1745311339"}},"25":{"4F40902F3B6AE19A":{"et":"13415471215966555","kbvd":false,"mbd":"25\\63922A0C010C80A5\\BCD4AC56FE256AC4","v":"1761663972"}},"26":{"4F40902F3B6AE19A":{"et":"13424941281924190","kbvd":false,"mbd":"26\\63922A0C010C80A5\\166274B4A1EA07E7","v":"1696268326"}},"43":{"4F40902F3B6AE19A":{"et":"13415471215967598","kbvd":false,"mbd":"43\\63922A0C010C80A5\\15F15E29613C17FC","v":"1742495073"}},"45":{"4F40902F3B6AE19A":{"et":"13415437282177951","kbvd":false,"mbd":"45\\63922A0C010C80A5\\325E7DCB82E1A87F","v":"240731042075"}},"9":{"4F40902F3B6AE19A":{"et":"13415437280977459","kbvd":false,"mbd":"9\\63922A0C010C80A5\\88D911EA74DFC80D","v":"1745312779"}}},"on_device":{"last_version":"144.0.7559.60","model_crash_count":0,"performance_class":7,"performance_class_version":"144.0.7559.60"},"predictionmodelfetcher":{"last_fetch_attempt":"13412958287117336","last_fetch_success":"13412958287677587"}},"os_crypt":{"audit_enabled":true,"encrypted_key":"RFBBUEkBAAAA0Iyd3wEV0RGMegDAT8KX6wEAAACJWH3wU+wvQKx0EsvXTZUmEAAAABwAAABHAG8AbwBnAGwAZQAgAEMAaAByAG8AbQBlAAAAEGYAAAABAAAgAAAAmDHoXzTwpiq/YdeSZnqk90005wksaOaIg9cJWw5XzZEAAAAADoAAAAACAAAgAAAAUq9Lz5YQNrpFt8nbHjNtt4IO3l0Bp+LbIMcCiTfOv3IwAAAAx2JpRcN5yWlyFnYJtTrVvTjfTHnN0uGWD4y6PfCR9HmKnYLV9nnMLvN+FY1+t/73QAAAADMRa8daKqqtOYLqGFVRUluA+/v2bUvOibclahcXUcyHPNzzdRm5wCXh0QyDIp+YfBNlXXvJfO35+g2dN2c4Fpg="},"os_update_handler_enabled":true,"performance_intervention":{"last_daily_sample":"13412956410671564"},"platform_experience_helper":{"disable_notifications":false},"policy":{"last_statistics_update":"13412956410512994"},"profile":{"info_cache":{"Default":{"active_time":1768482810.667376,"avatar_icon":"chrome://theme/IDR_PROFILE_AVATAR_26","background_apps":false,"default_avatar_fill_color":-2890755,"default_avatar_stroke_color":-16166200,"enterprise_label":"","force_signin_profile_locked":false,"gaia_given_name":"","gaia_id":"","gaia_name":"","hosted_domain":"","is_consented_primary_account":false,"is_ephemeral":false,"is_glic_eligible":false,"is_managed":0,"is_using_default_avatar":true,"is_using_default_name":true,"managed_user_id":"","metrics_bucket_index":1,"name":"您的 Chrome","profile_color_seed":-16033840,"profile_highlight_color":-2890755,"signin.with_credential_provider":false,"user_name":""}},"last_active_profiles":[],"metrics":{"next_bucket_index":2},"profile_counts_reported":"13412956410515326","profiles_order":["Default"]},"profile_network_context_service":{"http_cache_finch_experiment_groups":"None None None None"},"session_id_generator_last_value":"143336964","signin":{"active_accounts_last_emitted":"13412956410413885"},"sm":{"device_key_data":{"DevTools":{"key":"86505A17EB589C0875D5BE2222C6B9F5","last_rotation":20418,"rotation_period":120}},"persistent_logs":[{"data":"H4sIAAAAAAAAAOy9d3xkR5Xo71FkNJZtzGhXDNgYHrBegncw9th+JiwY/PAs64VdHuwPln3wiA9Y1oTFGAPbiq2c1VIrS62cQ7dyzmqpg3Jq5dDKarVStzo9D0Y9dW/37arqe/te/T5v+UufQVZ97zmnTp06derUreiH3pG7cCb1evSRTzzzzFO3n3ru2WdfeOrO7Y/feeYDnr/78cdfevUj/j4+3/g/P//+v7/+qyde/dqjPp+4/dTtp55++s4nP/H0f/Px+u3zd/7XnWceKV709ufxxBUGy/s+4PFPX/zH50uv/fn/uuvj+/GYj3/Uz/9hufmuj2/E0IObfgfnJc/d9fEteu2lhy9/TvtLhffl7/xP1S/i/LbelfD6XR/f4d8Yavzqfln3gbf+fdKr1fo7H/+Lh//l8ufGX39VffnzH38mfPny57rXXii9/PmLbdPP+f1ctRx818f3ux++9g9+IU/86B7bD3P/+qeXv/PlT/33F/zKv/3Xy3d9fL/ypPaZy3/XJW5a/85A2m6en+Qrxz+/6+N77edPzPh99Ev/+Om3xvrkx/762cufv/X9v225HCv1Y194ye+jX/+n1Ls+vrPpvwy5/DtSy7mb308bfn/vGx/y+XSD3/YPv9h218e3tWb+635fqfV9866P7+efjPrby9//6s7j7778m/82/8l/9hv71y+M3fXx3Wv5ka/f6UDBP7/1+90VZ6mXv/MXP/7Yv/u9J+75V+/6+H745d/+/eXfeXTyA9GXP7+7bXrv8vdjY5fO/Z7/lYf/XR/fZ//w7aHL33lA8atPXf7Od377616/H/whMequj+9G/5v/5/J3FNcT3nH58/vk7+b59f2k7N73vllXWnP53/7zStSjfh8ezNi96+P72Y5Hrf/tJ1+QTFz+/EZA0Ot+Q5/6+9y7Pr47Gd9vu/z371ap7+t64F//+vLnp79U/+blz/9p+qnSb/K1z13c9fH90k7NuZ+f6G8W7vr4Hn3i7tjl7/zNIx9796Xu/ipbseX3k5KLx9/Skf9r0V+5/J1/uTnxxuXPv0159nuXP//FP33r3X6//5b55K6P7+d+d/aby39/WbIsu/zGF292Dvs9EfMN01sylNQ+o/OLW/jyPVv68Oof1y5/58HPPi65/G9/8XePvH75c/j3+z50+Tvf+rvvf9bvc5+ZvmcbP9NG/5XfN2488fxdH9/gzVd9Ln//mUXZ4OXPn0qvLLz8uWX3M7uXP5u9PYMv/2Z8UXeR3yPK7ntsoozPveY3cidC/hZ//+hzr13+/sGLd7/tF3ynNOOernWpeda5k/+/962cfX/7Rb/Iv/3lPZ73NsU8f/n3a6d83+fX9k1FxF0fX9OdF167/PeKrm9F+n3x24/FvjXHb61sBfptfq8h6a6P7/8aea/u8m8ufzZ0/lIv7YHfz/L7Ychz937nifjKh/3+d+9xx10f37mlj969/P111ZOVfoKvvzRx18e3sybR+u2Vsvgn/J76blraXR/fs1cirLLqaa4VXf6c0Xbke/lzgW73rt+Hf/7i6V0f32/8zx//u9/v3qz/3F0f35rR64/7eUuyPnjXx/f3Dcb3+XX4f/Xv7tnJv/36ut929fOrd3183x//N95+p3/gd71lnyv/9u+9fo9/Y+/6PX/y5Nee9/vKTzduvqXrqO+ooi9//qef3XjOr+nssem7Pr5TAZnLfsZHn5Tc9fFd2/vgll/zzY9/+K6Pr+dhs8A677763d/5/WfCR+/Z2zcSfvbspW1Xjm397vLnv2p6/DE/z9j1x+76+H70Dy9a54XmcOVVv43ap8ve4jf+89hjl//+qn/+c5c/q179p2W/4QbxyD35d2/d8rvhGd9wT7YVP3rz8mdJ0u+i/T5Z+N1n7/r4ZtbF/cjvtYPf3b7r49v7z8e/ufz5leVQi19GVWXnXR/f6l96xl7++4uxaT+5/PnxpU8N+FVvx//NPXv+yWPKy3//Rsi/rV7+nFzy2C8vf/7jXw6bL3/+//ivaC9/zltPlvp97uGQ1rdk+PXoJ7/4p5+/4rF67S+evv30nduf+MQzH7/9wu3bzz7z1AtPv3D79u1atw9+Wfy1dz1fuuX+vdcf/0Py+X/79HcGav74nlPPoxduLORtPfqNO18+9v32kdtKSliwx+e/URzn/kDzNW3VO31+eP1dbl2/+cLpwPveuffuvanif2lrv3Xj+g+/mPN+37WIfH+3Wzeur39t+398/C/HM/wfuPWu65G6mne4PyR60d+8WzE4YpFX/NWtG9df+JXsde33sv39H7h14/pR1Q+//p9nqWf+7k9c+2tZbNsN6d9/5Es+v70/znMv/+ZDAS+u37p18/oXomOe4d8+eMV/92I/zGixWCzXbt24/oM7GvcXX/Nc83/S/oA3r/9KkfTmSvXYmb/l8n/3/ruXot7T9VpGy6r/mxgj50VXHetcM/Iv7Yz80P2R65XBP2P7a/9LzgyN+Ss7Yz58f0yxJH7IGxyUYu7gDRpwzbGMZyziBP3bf+Lm/aGBPwxjSBH1RJodM/zeMcJKWVSJERvh4fsIc2ejhXhiB1Rtmj31dFrqD94fM/4aOOivHet6MlEUcI35Ud9wLOjMnSbVhc18YmXoyaqoHpOLhobIurWwUEfQMNymUUb9D8ejZpaOtd/7r62jxrmz8bFN52F1LhBxIMSLKA+XAvCnMADR0ZPfZ4ZA2FstgE+P6hvjezvpQcZOTWEORv6D45FPCgb6PZ388E5T54iepvT7NnZGmfLhTkPkHdbnGbiG6KvblulcDfG64wVFtDjxdSfNsNJgWvZ0/uuXek4NLrcDmKMfiUwx2Dh6Z11uJc7Qmvj5FeaWN6yh1zMyIm2/mpmh2XR7xJHtxW2Aoa8oxN930tAUpU1Kmt+9HLc542zAqJ3pafSkHhni7gtNB+fOuvvYIfGAAfLh/28PD1H73njSHtbwgNoVvNlZr6s4Msyxp0w1LtFy7PbDK0yI/fN9Mx2IueOoUxjE1dXBYUzr/oWrdcCtx7U38wEJBK6lFeMHV4AGMsSHyx7g8L04a2xH0UQoc5HFGs6uqsgws+jOxMq+hvPBCeGaLT1jQQXW0JuC6jNXyRoytHT4qMA26cfKV+tEnXKzi4aGJYSCtfHOJ/+cHTUnSZPLvobLgmrFHBnXqfQgwVUahgxtXordcJVdQ9S8sZqbxr77kiU2MZjywxp6L7y3kCPPmTRUGWx7WsLK0DmJiRsWboYeTlTmMbf1xjLu2KNeCyMJfKxRk/rCtC4YFSJm4UKYmqO1MSZCJeRo6IG29jCO7DqqsiTFdmhnl6p1HAtLaw5qZyQiWMfa5hTnRyW4YJe3Dt1oAJ+eoDMb3V04PEwGqoXCOlpZZAZkwO9fM3ApA6l6qsbCtQzkvedeHMogNlKaR2vLzwREfqpUSutojQkI8Ur0Kq3DnSNNdoftMRceRNdW57zJ1ZKAZGAE6UefYDT/A58QgASCc+Pz8Q0SyMCIVCWx7tTDQ1bDnuBaFXO7J6yhG4OFPOZiAKyh85YXwpk728GKAQotJ4eMbNy2cT74ICpbYStrZ4MenhtOrcZBzRYjYiaOCvlgQbppk7ntItYHG/bzed7MixnmSof6xGO0Ihz7zowIAcnlx7aGmJzN5Ud318QTRg5ww3Cjo8lNzbQS2XXLB2av/xre/vBsHuFgfXiqsmcRP34Ahm/vapxzYHWQ0CGod/hjjAYuAVhT3rmvByBGwnovfcZV1QBkP3Gcf1Dl7NF1Wp8pzpmvZ3F4SEXioapV4gFWJMY6u9bIsJb03AO+OxMrHNaos9Wd54yMWuqBEUj0d1ZV2qa8nS5+8sD44CBlTw4jVa6NHjheZXF8u4LW7tR+yRkRAjKvQmKF3R4uHB4ieVWuJpSRVHAfjqkt5+l6mYtZh3A+eGyrUeHF+qjm7bkgRsRMHBUSrTSvBKudjVYEC6Icb+qRYZvtwBILcwn3ZZyhZ6c67dRwOju0xhMcugBwKN6ib1paH7j+6Vs3ri9lfbKtrbf/wP/z9kcB/l6b162Hr3/T9NObdz71oTH/tFWh6t7k//CXP/iPX/h244R/WEltzPJol+lPHqnqPe/lf/NRzRLxpsz3vvPzqe98+vdj/u+79eD1n2zGln/t5eSn/RsIIsqDcPpjchaGqcyetx69zynQ5G1MGU/cQUqAHaB87NaN+5R/BCFzmYB86D5kYpjpl7feeZ9xQDXderb0byiIgCBnCMmGYiYYb95n7C7jy/+8xgLSDIqOaj4IW0aSJoCaS0AthaC+BxO1NmWnznK5OFpRu8OaAvTl0UgG+k5qA82HwN7CNNCsXnkygbMxKlWzVJ1G4gToAc6boIneBDFLmMAEZKreE4xf2Mg0b7wnM7Kq9gKF1QtkfS/OnMcV6eLRjsgLtNKu87GIjPNKWpBFEMj3Ygp0K0/Wp7eZTy0Ng3MtuRPucNLPg6SvuJJ0dTsqUmdDyjcGzsxq43BJX8IxUlzS1p6GIJONkQ6ezYfKlsZ1KEZKYP2cK1m7CnJidTasqRnj/dsdm0Zs1pddOaGymrUrHqDyx2XzLSOKZlwPhTWhcD0U4MkB0oCC/vLioyJPOKkbJald1T94n3TEi5G5L1kayu6qjvCCL0+32Vuewtv3D91ACx2obLRMKpLMKBZKiKBu4Sj/XYz4KI0opj+oqtcbTuoOkn4aJBVBSB/FjPV4gdpfg/LcbZqaG9CakZZ7AuUTIGUhhPImpjwTG4S7f17ugbh0Kj9qPajkPzEVT4hLcpiI9QBxCi+m/EGV10VvBRYoutxvPXqf0Tqx0CI8GKJzER7A2Fw4MlPWF+IGMlq5kaI7ph28oWBc7Q1a5VmAxdjZVm/+03xyKEjqOQ7bgfyl8w4eIJ1vqtHMnFTq4aSfoVZ5NhOLO2CVHX25b4Aaj0kbLO5UHHjANE5Y0p/F0TgSIaBx+Ul7hycox6yZ0dmNvR0TUY5QyK/izBxcyNGUsGh3UI7i0cGhuTCNOxbii64MjiejtekGG6OcDYi+2Bxq02EK8yc4GRtcUuVoicI26Ngzx9Wro+a9sDjfdKVlti7o5wjCzI6QhTYpc42YwvwHqNqBEC7Jg5EQbjcgeG0tKNkL5oq8QVdU7IHjNd/JiNe8iN5aLBo+JcnUig+gXuMaNeC8Nf3YPGuhhQqb9g8zstkwJ6Y1NJ6nEDYbwPoEoD7ldGTMDGnrhLqksnDpGibpYzhpOxqkgPrrC5YPeNUTBgsSK2AAKnecAJmGrQJiXdEGnkmTVryxLLWQg0k1PlxTmJJYhDupuEBVF0xlD+nXTJioGQRUuxl7wP+XuNGN8JpVwTEJa54wz/8l6iAUJs6nGRHn5rK2o3E3DVfzaRxovv9Y02kYH77ARI3zYH/ilzZMlwYrN+nIlB3QfqNu8Dyl1c2FEqVhpwCoQdo9dBy6jwfKhUSjE5fS9ptS6NgoLGn3EGYI3d1SO0nY3M2ezefFNMpIiygQWQGcfuCC/yTOrP8AI7N+NEq/0TJeosec9TEcOKgBuaSnuqIBN4oOhi9NAOqDmCvTZJn0OdA+Y4fmpvY7473gmn8W1Lw/TlCKxAiIs3xVE2R7mBy9nJW/NlHgiUn6JfbnfFJJo6wz99gDS+2BHFhoeO1RuiEjAncJ1bm73EIByO24gSXJgsJAhLTG0kgWCstC+GC60MjllgRCfYshJkI2WJ+ig0MSMqIP4Zwl0BVkimCOHyRYJR3HA7E+kigZoQREeVJXUeANzp7y1HTLaG4O4egYiPUIkIBRJrmxP9EltRtb3WYZ3uw542DnmVAe2BoSkeeJBbrn+mkOIE5GtVenZLYRFiJgN0Jlm4/i5BxoLETAPGrN3BwbLLHoifOIihUQ6AhWCRYzq6Yk91RyoWhyw0Q1YpVgMSPXM2nNdGJbxgW2XMcIsIxkxsHTr+oItRfIeX7YnLKbzrdgc5rdXb8mAapPrEnP72tN84RTUq9Jrp71XRsmQV5TjhuKswcYb+Mcz9FlPA48WzhLXiAcK1l39Eh+CWaSzEz1tZau8LzGEm8szjs4J3S0TbK5e7yjenfjGgyRZYMEJvdBztjxge6ItGmz5kWoxPg4m4zC6ZPEjqNtUrBpTYkgmSQs7sA9P7RvkikJ3auHQ2p3OCelm4QtkzRAAZGuyMr72tbODCgipURlRO82Kw8gzri6rvWai1pPLMZOrKiDmY2lZUMiaksQ4aaRd7A0zwyquVgVGFy8pcNEXWY1OLZsJTSIMksIeyIgE4Y0412YpQGKwHpHCjIztd9FAXX6cgIzvkk4mr0fYu6/homqdcdZMXFzs8tnS9GE3bBePyWqqogieFBrfokqL/s+9vOyAanV2xNCHW4qaZGDGd87k1B+OBWI65wm3NkMOkclabKdQrEHTO/U893lq1HpTGq+KWfXDY4IZrc5WI1EXaOrwQPDuGfEYxwkagb0iuboVj3euRYXoB2i8rH8ijG8HPcYB7NdcBI5kiHjGzCVP+iOs3bi3kbo7Z+aMdug6naWq+fWwkmhiLV2AEB9mPI2AmyriUsq2k9rs5P4rCzpXMrLpMHpav85MdoXFH6wTLBPa7oWyX8ynei2ySPp+bJOYSmPXEVtF5IyVmJa3zFH2bu2VyVqJvrHJ2uTPWD6pi73dnWEnCXstEwOiAmJJGAXwnWEDJCGDgdvxO9WX8MkfRwnd0g77JyRtqqTxS2EDQcQ4iEFnq4+z0oMrJ1KG5sj3TWyT0mtdHY2G8ntybHF4kg3FFJgrndjLZjM2GdkefBQWMWkFyaq0o1VA83PO1UFSI8IAgXiPCQDha1BzkECm+HDtY6Fodjvgl7TGuAhEbpGjMAcapvOLW/f2SWlO63BHSPzHKnSF4Ac3iqtJEBqqoSjYqEYIS56B2iRpe5seqPTJdnyRZ6adDfXvkk6742YmeKmwPCVnPNiJFJAoP2EyANWlka7pmK5rsc4WyS3oEiUuwODoI7ten6ohRTF2ZvmBK1/hCWtg9ModjehcXzDiEIKaF1zDSfhRfuIqDthRROjGfWAMXKn8U5paHF4j1IP95kEjX+Q2RPBdoRkbEDV2uJs2YfgmJSTnP4hdbvjSR63I4kwZQVY4MKkVjis+cIjmMK0n0ioGtzZjmu9MKFUyT4Esj6C4zVpsAKKD5HOlgVEvAtWi0aNyY5IcxL2FC1RcgNKRRrXrGMBVbqDSoUBpeqDmhW2xWSGNWapKXciiuyh7B20c006ONzQu8lPt8DPXTkhBdYl3unwnmVrxRt+XMS1TBfXM47XasNJ6W57mXmuSS9U831quRAhA8b17B+oWhgY1FeRugTZT9twbak9e2HG1uxIhA0811KtaDtKyghI06FE+Fzb6oYmSpZ9IUaI86lJYVEfM/pfKdtdKLs4dYMFVNSckKafM0O75Yy0xx/yAkeFNJQdUBoKnX13ZkNVuGHbqDnlHRjtNwcjNOe2z2w4++W5hKHp35We8YFbcFwsj58TkU6abQh3pVvdcKYbDVgwvze6KKjIisC9LP9O9kkXkjLXa7QDtEhh7pYZA1BnHWqyo/Iv0AyAipUdYy2YPAvjiyZN2Mba4c4+bG3mGG/tKNWIDSslbLZhJ/cfwoRVHWlKbc/yJIEieY6MWJNpL5fq43xrjzecBwWkOtPbsm/RXZjgaV8HqDCZvsaITEPLxIHHIWfeLpQpPNVPBB2f2LHobWQ6WCk6CVFOkaIYKz6A+jHqqh361RBEVOHQgMh2UiWtb6RW8yIQ1E/dRZL+6TiRtHmxf9pW+z3brYW85kHo6bjzVRvwdCCRMyu2IvzChrOsLCp+qt1ECAyt3gDg9AU5X8VZp3CNVDeeHmmbqN4bj5P0JbWQEv+AOyCYKVVSHTbzacj0ESComitNSPlHOKcvofsI1u2qrzGyRlWaeMWxodtmFKESGlBlYbmpJ52XKgC7Xn0eEsNrtMDdlC91OT7MAJ5nJPzTx/FXitoEnjBQBzKl3+Bhxgc8sJhdLfwUceuaIC4bTCTFUoBBUBXB4aked/Iv8CeltmeTxrqMuriDc3qosMNeJFTg2KK9qLyVQJndqOicmTW6XSmBdvE3Osw2Ak2pE6Ybg0O8rxRqjLlPaDuXcjJGq0oP8t1poTI9m/oKd79C2EWdByXGGOd0NGcT/ZsDRBNVbu5ZPMEzoOSe6hqp/P+Afsnqqzif8ODCJJIl9u1Mk6o7MFGZnvDSacki4ZwyKU/ZcLA0f0GLErYi4Qp0Qx1eZutB1caM2e0NYgNhTFBYnIcbO9kPSXLL8ku2x2tJF+mB1QqAvUMZ57HDytvXqgare0worNTNM5iO8+2HJCpxY8JgzyFhP2JdVpFkCuPENVT7nN3ri53hgjQ3GOdDlCf/9AtnUHSvWRYOmJvbSJtme6SESopKrEJtZlSvydm46A0eIYBaYxUq1X8KZ3NPQ/VgLlq1Iys+OybdyrBHyrXy4yNbarf7wnRwUoLyS9zYV35u86p5MbuBkNmzRn9Uyv88sxXwKCKN1DVGLdQKSbs7e6TUTR/YkWjNYUCQeU1LyOtZg1QqiX6Nfc6jzc6awskWNxgndeEpO6voRXN4Ub4ojpTZASJqKpl+k33WHnUEP1anMaOwPkuZMWM6C2WfVblVnT1SIdP9qQrMynq5A6AS6gddGZvaB+0QzSaWvX3nyTEotduH7e+YmVGDR1vH84XHMEyC4r3YN9KGvIbGnqpq8mb0/paKkRCaGd3nCfSda8F1RhRWavW7cIkC91BBxy2p46fecFJqC2CHtCUqaragII+QMwE2q0hz34UxH0AauLckXD3f8YCTUmufnVkVO7Smbz4YIW327LNS65+dpX/7uC7/KP2YsPRbMwBIs5+diL9yW1A7NVpAOs6zR8rJ3AdIiyK1CoM62gwnpdY9rG4eXulFzEfZ3H9rHG8OOF5NJlSdADkKAPJpyjIvpjdQGUOBlQYbAxVJM1pUYuJlI2BHTXXkXMlwB0JKVLBDatdowGq5kFQgA+wAqWAXr+E4KfilCSLsfo6Bb1seEZmRs3FRlWRCgSXYgA+zxZMoUypfZxnYjx80wDMorizzRCE9jBjnqyVpF5iJiUdwQmlmSHMjw8LF6lzMUJrhKl8U0OyVDq2+ZQspRuVE/WCHtZlzyZl80Q0zRuHAUMeS+uo7Cspx11MCKaTktXBBf/jns3kGSl5bb4BDxwJCMp1OP5D/GfO9Kor0vq53fP+JVyuIH/2Dn4x+ZiPuREh88PT9z35k6pX2uVf8H4AKtPph++9SM9s350+jQAzscEMiz1esEXJ0mO9B0L/fWP2wo1YaiY25Zn7JBq0u4ewIM2BuPGVCWYP3oFK/O06QTgMUOIstDZVOHJp/gcXZynCHQTtKB3uK7u6mzBorSTlZvGvM9Dc8RFnav9Ra118SVdv4Mo07zPQdNJFztaS03vZcu6l6s1pcvE6KeawmS3Wz9RE2tR4ZlF7VsZeggzM630mWhtaBqa7rjljfKy3whnNStj6lf5e5+mGHd5lFFqNcN1JwgalxrC0urm3aDx7kx8E5Te1hZjgpdfBA/0GyjnfBSfcLJfF8QzNuX8l+hjvNoaBmyLp5J0Ei3KeJuEDdSRqcqis5xW2B2coBqqpG3bs/R37fFYrazAHq3lFQWPpoBa5UqxkOSChRgUXUFHwSnx73SSzOSobbTFJygq+C7CpOFLIUvHA5nwCaRXt96niXzRoKiFJemXMQKnnD+bCJ/gJKlKT9BTSqrFYiX+zhtvdLx7sc9n5pDDyI1SQSnx/E6/1Cv62kHWWDD3kuTZZvp20TnnBmu/MLpbYBoxy6qNzsXf0rGp1f6JfREpVt03psKry9WlHYSzoOBBZRpOZj7EQhE4Ky3PlE8vMAUEeUx4HHXGrdVyxnXeCBpjLcKs3OJAJzrAZJ+EFmBamVChDpIU0k2JEAvHEj5UQC+5rPjguLteILNFbK7nP0j1pQfPxQXEVs6E6EByZqM9bpBQ1UQK4J0XMZbePk1j8INvAqjpNybkUCnxudKs3rTBTpUDBd2ZHM8aqkKw+sF2/yEBypK99OQ1F7/1JoaaEh0oTi9J+lPmFjx5WaVMoxtUGN1+NcwMHGIzN+YjQwuBh35xnFcIbRsZGebAYkNh3vE0pqgM0dkpHS79hqLygBIGURAWOjK0pv8Ejtcq+EFI+wY5nBsX0C7VAcXuI7goNoZCVgeUrdNIv3ngEP64kVutFIfUhKiqpyllQ7aUfprmwcjuI7z5sSF9okUWYEUMrFnR1/VHucXTKUvWTG9Edmhp9wRTFQfnzF6HlhE56Bnrix6Th3qy1px4MdhKgO2JBwbaHArjNrMqavYP9fUUDBB3GxKn2YCes1eR0zhzkm0uYTATaUg7B+ZzzrUG5sdsdELce6goIkV0fPWRS3blWvLm9aaIqU/r1YyBKv6M7YTmqqIrgma6R3hdb47QD5hblvD+/NZi2WC6WRHAFApeHCqvblPLwcLRGUnWVJupnXLM+Lx12WttzYzDCG6ze6msMCPWHm6coe8igeVNRTlVtdHE4Spn1SynDE5ZO9JiGmvT2ymrCFswbPjCQYP8+IaaoL6kUFWWu4OzgVB7Mo6zBFvS/i4Z7IqlidRYOi5qTRBsk1mN65nkWSoc2U6BkJKbFsn5SysMHlqXrRZOdMau4B6aI+EOUjzSRXp5VXJYuKkd1GIwqlK/XeiRDSaUzzAYadc28UUkDvYoa9Z6dj7xm2vjtWXxxJ2BxZwxIkndN/wMYeIljLKRoZaF4wkyaQNSRBgqS/get0aJgjgRMxBRGnpFJde4LkxCzBa/lxdXP7RdMGFFLALEcYLq8jogLldYBtTo8mDZumSgkXYIBVlKXyOseKj4+c344/I7cxs2ecrnyoHcUfSXm1fXrjgjuc0+nogxkL5QsLBita5XoUkVIeH9CvBOx0fGx0YikfXOupQvBKzh8a+TpjnIDKo3vit7qyg9zhE4j6HUL6Z4UoOm8L3hMfFLaTzgoRWL/JbAqMkhVIgcUmTezPNPwCBRQs8Gf4BBZFqpMh5sjAtFRyLwa4VG+zJFXAVtcDi+Nj9ydxST/PfmC3s6DoaZlK8sY0AAHDOVCkaaXIWtnfVBnRDACAbXRjH3ZVW5W7ppXpsGGlWM3rcWMT+xmxBXlYdcv+CELNgCtvkaGQhi6XdIxEBnvCT+O5Jk3oKo2I35lzhx8fu/JiJiUpYKpR3UUVsVub8ANFrkV6stsUWt8V4QXP13NCCtbfJU/WNc7sXcCTja58fAVFpl1FXSv9IoEXLJ3Dte6j4tuPdakBHvAEBNe6n27tqU5u2TbD96Rc6/54U1+n6N/0gsX8zt+pgT9XEegP52zSHpzMm/hIL5YAK+koVgkWDVSwuH6x0dJ1/Cid90rYkakoPn/EJEnAfQCkEqs6gxlUWWnEdls43w0TVYgV9dFABeZ+xEhPbN6sBv/JoiyseJoZ2MWUyAhtbS/i8zpOtzphBrbcmHWeFNCnx4ZN4wC2epGXql1qxTeDag6m185ExbxBdeyOiRrO8FNARFT7z9bUN02ItfUjrny25pPOgwIGEFpdlMjrMpPiP0xUu+HKg/dR6yk6W2AKNVkVnVlSE03nfSX6SRUiqP1HNhL6B81BCdGky99WmwBQXfkgDJHU/oMwW+rc1L15BSlTARgFoS8T1T07+hXuKFJtlfGLiqa3TSisvtQpavpN2VDCqyjRYfH+tD+c1MHrJfR7hVOaADCrkqrzj6UdcwRTtc40JPXTv3hHqX6AM2isJnXkSOMJ4yRMqZ9BpxTgpvJx3ZT9NXW7TNqsjkwgHUraQ2VR9/afhJHkpyx1HyS5gemUS8ulKjdh+nmIQH+HJ+UqY3vWubSesKUCJIxGCXNQuNK03zdus2Qgaka1TuprzDmsxpgnt/WmG7sVoi514wVNWKb1//bzIID+S/qySnbl5fQo6dfxBPqDJ37GHP2PQWGOF/Wu9c0P6q+YMI/lKVUEYa7OSQ7Dj3j0JhPTlG+/rwNeulvoCK+YXPC+UrMIeBEGUPzusWGsjj9svGJTPk6ZEmb7RGWgLlbYNj5soAlLv/KIqP95S32LFxg7bZjDB9enXqAFSf+FJaJE85MCa2w7sO4mzZ4P6iPpWSoMFV4zQUSt5Wc22G6exOby2rVukRctVKa3TxTHPDHjA2MNzaTiHmusAqC68p0dlIzEWrCsLFhV4wnjpG68TL9FCQpnTk9zWWrFIJTTQUE500G+fdCtpfLJ3to6Ql2kNQKkUjzWQ1DMKD6uXj8fWkt8m9Iepys7bqNMpbpKXtdOyRxpKtkjdWW3fRSJ1sp7kvK0TQRXCgTUVLp/3JV5CIoEb3FnWHXUBClyts9KmFCTDNciIRnAhnl9SxJOfl3tfvCPJFh2WMWtacK0jHEDCit1g1R2JpZ+87DatCYk1SFaNytUUmX4cQgU0omRk56xhCo9nJTaWbHj/GXhFeb8/gUPGCfXrqqyNnUsRXBCbON7fwfIiO6ZIW3sPBoMOAjxgJNSzyf6rwKh5EsFAlOLLv83oOqtm1WuBQpmTXoSTrP21aSeifZIXflUJYrqW9ShvWfSJAKndWN9hdxTuVK9tF3QScqW2iPl2j1Vd1SM1gede8A4XflyFYpEZxSjsrzgEtIyCmQqkDZQTJ8/2WcdjUnMLAxb1aOwuvLtIhTW9sTw1sSTWiS5cr5EzQ9XSkZHCdE0kP6hsoDb7FtA6WZnpTSgj5RBs8/KyW4KkKo29Cz/dLQfgZS6J6kLl1PwDlfLScFBRwehTvYyrUal/Dss5SUA5adPSgPqa3IsFhgotTzZWfdz1o53x5LCSauUNf1HJdJPsZ+Z2G+PiVTN13vBOLnOTCyr91enhgvI3aftkBJ0/1Vm77oTj3XIF7nkY+3diwOthIITvJ60TE8j+1djZMoRQVm42BvOSdmUlv6FTceilCQbwkyJVYTSSPYbKVIKE6yKzj4KCzImkk5xGW+kiAtr/wm4EQMvpepimviM8mWyl1C84XRpLDOgA+r9gcNMHeHkEUikUaH2u7R0Z1XVrrBFnV1ZXltcSSBsmoGFCqkkxtXTKaFpvj3BMERgxG35CJMm7rkTUBQBds6N7M0vaizygive+af0mCENjzhISU8IIZgosEohkdJvqWhH72C9bvyJcDxJg9Kp0HUN61C8qOmwdKt+fthCp6WiqydRWWa8zMiTENYk3PZ/7KxJ8bVtwgZDBmnryUEHQBRYPj+1rK8jQo8Ny3QHQJTQafow6nTEmM91B0BiRYRNB8DB7Zqy8r10fP2HMtyI2LF30q6srbTV6El1z3g91pjO5dlvJtCtL4rYzP4PGg3WXC3Lg4kqWVKxjrQ/YrvTFsp819ZtbheeaC5QSCk7bdFvYeVYnPzW/UTtvbIYWi2s2PH2hvECdX0xT4fGStnEytW7486QjD6JcYCwO2a79RKKOA8WYszq1kbSTGK99RJp62G39VLDqk6TOzlIq/US06T20zeJzfVdQtM5Qo2WK285o5Dmru8qLDURJngJDNekh9rMtYKLcRPmST0HpOnJXWvn/F4z5qEdw09ko5AO60L01fw4C/YBE1tSBTf1+pi6uHutwvAOQjjQf/G+bk5ffkLuVApLMxNI2X2nOvWD9pvC4ixH8C6vfxoFIrvC4ayRhnEl+SgB76VqJoXnBv2snCfhwiuDXK4acYcOs/MkXHprElmLIvEEqVvRS6D8BrFUfRMTdmPMKDbaTGhpgbC5vXCOcAoLfABhOadEhcWcuKh1+0vltnItNzQe7Zq0pE07NizsbgASLLATFiobAgl3A7K3RwsMhz+4UhLl5y2qbW9bpEkXuqcWY3U0JQrbD+NKNHTQ0O1OuK641ZQ8nlJquWKcusymbTfCNrO1Z3UoJseAwvkUezO/R5c1YHtZdSNOI+bHFXrREinTqG1r0ja9DWq/qpHXkpLvAUf1okaFbd+xtb9h7HIj3FI2Z42KtnVutHTPtI1W7WxICTYqaytSFndmIc0lFm1U2Zu6Ybs6rYXF9i0ENLlfKV8aMxCxYetLg4IKTvstJqS57wCWaSttjM4IIdyvXNIVWUaGiJeVOZ/2e8GLlbbaF4/PGHOVI/RQmda+Lq9+wmijfcEOv7U2J8pEU/tMw+4cVETZ2cSHj69ODpcjwTpwAUzDBmzLi822McpBqUw/GUs36mPar+oFGj7h/COzMy23aXMGiZNF/7+as7zkSShqUs0dZDYOkGI+IHLhxlLVhxEC22lVPxE+lD1ea6QJy0jID6SZq1cEbxJO6LRbqdrEeC9akEx7/txuWTfhznp5hWlJ15vhRouSac/Pi+mYtY1NY0PkUpG+k55AmTbRfkVlnu26z48LbaqajbbQNFGm572lMy2BwDlk1AQqcoouaHLCasZwhVq2tymxrXO5EMWkbfGjCXdsreE1WrgPO/zEFaghUpRPYGxdjtSNnm1602BkWphAbAI+N6OsV8lqZq4S6IghZ8A2uTxVpm85OubR0TrToBW88Txb96TdCi3qLci8RgMUVoWFa54TPFmXG5iFimlLbxMf36aBCLsGgLtqVoUXf4LwpG1bb13fRRjJIwH7UzRMpt18RUCTwU6qrKryMHy7yEITlmk3L82OTCU8iRQycjamKdvV0+RkOkkqnVIve4Lm2bS3ru499AUhgW0JN8IsEM+uEXIlcSdxbcfJWSQLxeZkOrKzaUC2GxfVc3Q05EWLkul5dBwZu2Pb00s3oQ1sbhDpr5hIpds5fEKwHC+UyUUpw/REyjRly35xDSGZw6/cr081iT2v1DSKyFY3EnTer+sz9qnkBpo6Z/xALDVCbBt6nk3tCUMXcr2vlEi7W2onCbv4zPXd4EytjK5nYtrNz3UtdBLc/Eh2nGTp+G+ulN77lUqpbfAZqJAmaqPrr9ZU6gm8aCesSJLK7uWSiGa6U4nphMjMxs4vCD2S0qPnW6sW3a+UMEOD9yIJD7VtBVW1KkZNuiu2Fr2dWgSkyVNkNi6INgmUQLqRm2xI7dBSnu3y3lyV1dNtVpOWd2xYpkU6MVZzQDirs/RUbFfUDbvRonztPuTW68+bP7X83AMgJLzip/xZiroRoCDpAXDEVLo1NTfv19QA/wrjLHnBfsYLRHv1PtnfxT71oanML37c/t/1vf93jSf3CrGOqn749f88Sz3zJ5QP/fD+39t7995U8b+0td+6cf2HX8x5v+9aRL7/vU3s+te2/8fH/3I8gyjp1sTmjZg908onbt24/sKvZK9rv5ft7/8AOA7hwsFv74/z3Mu/+VDAi+u3bt28/oXomGf4tw9e8d+92A8zXtYj/eCOxv3F1zzX/J+0P+DN679SJL25Uj12Rqxjsn7wHzBGzouuOta5ZuRf2hn5ofsj1yuDf8b21/6XnBka81d2xnz4/phiSfyQNzgoxdzBGzTgmmMZz1jECdacinVo+x7ILkOKqCfS7Jjh944RVsqiSozYCA/fR5g7Gy3EEzugatPsqafTUgc8cSLB5/7asa4nE0UB15gf9Q3Hgs7caVJd2MwnVoaerIrqMbloaIisWwsLdQQNw20aZdT/cDxqZulY+73/2jpqnDsbH9t0HlbnAhEHQryI8nApAH8KAxAdPfl9ZgiEvdUC+PSovjG+t5MeZOzUFOZg5D84HvmkYKDf08kP7zR1juhpSr9vY2eUKR/uNETeYX2egWuIvrptmc7VEK87XlBEixNfd9IMKw2mZU/nv36p59TgcjuAOfqRyBSDjaN31uXW4gytiZ9fYW55wxp6PSMj0varmRmaTbdHHNle3AYY+opC/H0nDU1R2qSk+d3LcZszzgaM2pmeRk/qkSHuvtB0cO6su48dEg8YIB/+//bwELXvjSftYQ0PqF3Bm531uoojwxx7ylTjEi3Hbj+8woTYP98304GYO446hUFcXR0cxrTuX7haB9x6XHszH5BA4FpaMX5wBWggQ3y47AEOP4CzxnYUTYQyF1ls4uyqigwzi+5MrOybOB+cEK7Z0jMWVGANvSmoPnOVrCFDS4ePCmyTfqx8tU7UKTe7aGhYQihYG+988s/ZUXOSNLnsa7gsqFbMkXGdSg8SXKVhyNDmpdgNV9k1RM0bq7lp7LsvWWITgyk/rKH3wnsLOfKcSUOVwbanJawMnZOYuGHhZujhRGUec1tvLOOOPeq1MJLAxxo1qS9M64JRIWIWLoSpOVobYyJUQo6GHmhrD+PIrqMqS1Jsh2Yl5kxrDmp3QUQA2+YU50cluGCXtwndaACfnqAzG91dODxMBqqFwjpaWWQGZMDvXzNwKQOpeqrGwrUM5L3nXhzKIDZSmkdry88ERH6qVErraI0JCPFK9Cqtw50jTXaH7TEXHkTXVue8ydWSgGRgBOlHn2A0/wOfEIAEgnPj8/ENEsjAiFQlse5Or4Y9wbUq5nZPapyhG4OFPOZiAKyh85YXwpk721HjxACFlpNDRjZuRzgffBCVrbCVtbNBT5gbxge3HtRsMSJm4qiQDxakmzaZ2y5ifbBhP5/nzbyYYa50qE88RivCse/MiBCQXH5sa4jJ2Vx+dHdNPGHkcDcMNzqa3NRMK5Fdt3xg9vqv4e0Pz+YRDtaHpyp7FvHjB2D49q7GOQdWBwkdgnqHP8Zo4BKONeWd+3oAYiSs99JnXFUNQPYTx/kHVc4eXaf1meKc+XoWh4dUJB6qWiUeYEVirLNrzTjWkp57wHdnYoUbx3o14fP2RwH+3qIneA8lbVWoIlxBKtiev+g4aiE1uAHQgJso7wNvojQQLkvArur7Y3IWhqnMhPuG54UzDfJl8r0egJ6q7/cfGccErp0lhpl+CVIGd8QlzVeE6tAoAWnOYF2VQsIErkp1l/Hltj3fA7XtvUJZMqJIAdhcrNuR78GErU3Zqfuz7QH3pQIye3lzZYVucCt9J7WVwm4d3sK00qxeeTJBpKvqRFF7kILU89nKDlDeBG30JggJ606NBAk2ttoTjNvek1s9CpQPdyTo4KReIOl7QVJYCxFccS4e7YgI9w5FS6MRnVNyb+cRYcJ8L6Ywt/Jkfba9OfTZ+SFRczITXJifB0lfwfH0uKSr21GRtpfLeaVh0oDBfTzOl1wp0daeBjvvUSirzwyCeosRU6KfcyVpV0FOrM6GNG1wIURck6PHJH0ZJIW9QoLtl5q1Kx7gLfjBrvG2k+y/x3JK78WxTlynBLhuwDpzLea6JL7CHcbpRslp98EEsMO6l/MTHgBNUyrDKsvqEFaj2+ytRuHt+4eEu/q1xbE16bJcBB9PiJhu4UyidznvlgDSkb2issXECgRSd6dJb2KSJjYId23XTcOg0DBwEmHBlOlNHMUjRUxAFCq8mPIHGY9yaqpCNkwkaVptFi1WgoXKtGOliu69kOXaFVITWIAdKVpiehIZCsbVhH5WSZMhRzHCITNcmNSTCNYU7mFGvOewRnwwbdR6wzg/Q610WM9CpCUTsMyOvtw3CAGdUhsuD+z3gmucsFg+i2OYSIyAxuUn7R2EraYyKVE7dTCpRzFMAuZXXYk5mhIWTXiToHl0IX55ndz3EwHzRVcGSZPR2nQ7zwUnJ41Je/O9MUl/Al3aaZAqR0sUtqF8fBQ/hrcUYsaW6ps4XglX+a0L+jmCQIPixEOTLYNumJD/AELa7XECxEolbs7MdkCWZ3tZ87rYUj3cdX6J2iUxvR3u7Z+aMdvui46mtMHlEsIDDwA+gPqw03tNXFLRflqbrZdfDx8okFSneNEhhU0lXNKYo+xd26CutPQ8fq7rhLTA22elXjthOw+ktROYSsNbpZWEBT55ZLpYXFRkRMF8B2inpYQ2LpD88Gx15zkj+eEVT4wj3/7Oqkrb4mRnh972xPjgIGVPDiP9CEK9cM5/Fse3K2jVEdm/HEyEgJyAhMQKuz1cODxE8qpcTSgjRbsiLwxTW87T9TJXXSDG+eCxrUaFF+ujmrfnghgRM3FUyLly80qw2tlzZcGCKMebemRYWVRgiYW50mglztCzU512bts7O3SFN4aWZ4Z2yxmpXIm5jpPxexS6qiXeAEMvXqD212CUkLLbfFJeY/DESqc8gZNJ48Gjw8Qb8NT5/sqZem16wQSPEb2pY0SsRykRUO3vr5f1qcZuqZHQUxLAp3qUkogKO9qjgQpItWU+OsIQO0qKabBhYREtPPZCgZ1va1sLmRWQMizWbAbh2RrXRYkoFjCRsVlYJ6rxwuJ8jH1LPZSEKgUtUi9M5Us4sNRlsUwgmFDqsC2VC9iqrFXp8SzfgA1bhgX7NCOwopqM5fE1A75kSzjwrZOK3oOig0ZPTNRsDoxgKEobdVZWhu9bSziAFVUcGZV9RjM2LJ5kmbFYTWiDuKtn/f8fFisfKq/cSD3B9bHZWPn2h1BQbdq0Awe/gfKGrgjR+0FIIDYAIP3AJetJHMYHMUPVyTLpc6Ag22aSkrYnaq/BGZ8FGf1xElpIjIDKy1c1dooSCqpad3nhraSZj8D6JZzQn64863UH56G9ag8wSLEGBEjShGWvfTCtMnK5JYFQdKg9bc05qKslVXfYgyTkBR+CZq/pihF8gn5ePZcvryEpGwhXkETJCCUgypO6igJC9nIyM2hogJ9DCp6tyykBEnBDSW5synKv6rxvs7OX9FgEEKBQyfJRnEWImUme1dWyrcpT6tFYAZGOYFVF0oAFqyIHJ6uMSmxUIxYq/LAKBVU+Nlm61VPjhoka7OHK6WSojlATKg63hlI2EwNa3DEp2wnTCXb0S9t/CvOnz7bn2nUoiqf2oC5Z2AHKCYMkw7CRaEFxTQDjbTaDj2Bh/WTGajAhigMCfCS/xE7wMbCyHDaUfEA67kdgvcOqaZrbDgVlZpkZBZNl0wTUHt3Pky2fEJ+HAbZKVKJ8HKf62SlGIHTvKJB1r0o/BCICGyQky2THs6/GlXXlLK24oZACPjMCa9PGDOrWaLEuKXvAgxaqyxehkUVZf0ZlLy5lJ9YLS87NdICyaC2vfXk/DUHt1PMc5jofYSSvcBhfoskoPjKg7NseAlkfwUkx02AFyzvmF5cGqzahGyNqTlixIQ1OwDvlXkzlzE/8GL43ogaFnS4wI9CdtLqBkAq1NzxS4po07pQnF+2se8IXTmpSdiZU+VFFXfKgklTZY3/yU7NCqigGlIZCZ9vibKgKN2zvkabfwDhzHozQnNt2AXH29FeBM3Thgv7Qts2cs0MnPQgOHUv3Aa8b9x/wojiAB8YufcT+nTNmE+FNj8BNVl5YUz6bEIaftQ/GSoT7MgLbFXuxNDK9aMGGDWT4iAEFtjEyeLs42oiftQ/EOmumAQssW8UFx6lVe+/HJNW544SqH3CeFHwgsEVWNS0pwD1fOMNCpSFUAHWoJ6I8e1yPWxix546j/w9hoqqONKU6G/2n5MRFR2XdgFd6+oCkxVjT6g3nScHy/uLVBXltJVL1rANYmAX81HlY8O3aUF1F/3wSQvk0DVRmjLWtMCxZ1NPshmmsO+7se9bCwxQFP1l6ge1Zl91xcj5Ia5bN6+8AZ12JqGWnJ4PECSxiVOeM78PBhJ+FQjAzdcat2O1E0kIFLF9ImCyFK93r6Y3DThQZLHJgp9OZqxXm6nkTNuwE1mKFZAAA7PjEjsX26q4lvS9M12Ai7LIAXwugfowQBl7D2WMzgxo4cTy1ObvvBuYCrJ4WDRSWq4JngYiTyiZXlSbuSkyJSPGAz3xCrmoTy0PhUtpkpQNWNgYXFzd0KB7KlUfOTY84OjARCJcCNuoOzSgOipD0/QhOIIVECc2kLu8e5Re3pOKS/pb9BT9BHLFxvmXALS0b48CRCoZF+/GjIj22Ix3ECqXh17uIsMKhAZGtXIVTgRVZibPu8JiPuq0E/YtoRNLmxf5p21A6siuxjz/Ub0EJpakvzdE/k3I8+w8mk0ozqpJIlRzWbSBSuQn9UxTKuQ82jqot74wu7jOikAJGOsfB1rTcMBrYHh+EG+33czD5z1KKurdH5vBDPi5ghypX8o+GMvFDvlZ3xldUADYrtiL8wmbTH1nSuCQ8+Nqtd94nvcwDAJi+4Kx6FcdUKZ5NR6EETHWv1Dw+m1XoDQ9MfUGBmrG0/zwj2s+uqZScBchJB2r2YQnXdrIIG37YiRoN7QNyrUwzzJUvTLvDomhfp73qy4wINbBYY7zYKiT5f3ukDkRKv7jUziIFCLMnuEw+s28gCNOaUUGqSYBtnZgJT9VDEQEV1ZkInIAo17HK4phZoBZ0J/HZ2WO4ad5mDny+seIod0EXj+/zuYDdTk4dlhXH4R+hVBNgYVUUuEkp5eaehVCgPxymMAoL/zsICXhXKsgsrMQpbjZigT8ptZ1Se5tmWc603psWKmzBx5WndFqySKhKOa0w7/RenHleKYFuqMPLbAVqapEoo0dKva6UQOct9S2EBM/YsT75oKOIoHZgqUKjhO1IcQXamFt+aBvnnQdMKvq2/5UWKSwmwZXnYd/hIMExDRfOdNc19JEcEzYn03o/lqdUESZSbFrQYt70CD29My3NreZFISGxt14zq7ooXdS5WJp09/btY/Ji7dwy6YQESPKzdAECZXe/EcdvlRVtGNBYwfN8QhE8rDwWrvpmO8c5gIG2h7TVV3a3E6Jla66PpaOcZoRIJKk/tKJGTb5QghCJVDKcL6GEBYTakXoS1Fxixk2W5mOl8+F2ioK6PZWii4nKcwO39ZfRFMB5B1T/B5k9xEFR/9LJkmZF9acV3THoQy48d6AEBVbPrvLWQ+GYD4SS4J28mN3No2g9yyjcV/U3EGa9NTKlUjvW+QgzalcaJvvl8/0GC5SUWu/0T3JQSPXTVWddpd16OCm17l0448Ga4+mSDk3tF0BMa7iPNOPZUf1x9KxRrNaSHgGwR0qtenYmU+JIIW+lIsAdxkmteHZMNDWrLnAvO4PUJMi6f7pC0z47kidckIgv4KRcT3tFZFlFmSgSQaZca38jgDduShaTSK37Uirt32GflCcKrV+dVyCQuvLGOIor1S3zVvoTb4CL/eXumUqen2c2i4siT01rXndpY6ueGDvZAXXl5UwUUPPyvLmBP0vaMwFbfa6NFHD6FfxAfk/mBALps5QLKTvLU9e2TLc1PkOof7KmJZAWfHY4S4Kq0iprjqCc1JOeHc1HRh/mB2w1ESo2gAQKlUS/w/586kvfmuW3hpH2zPZZCVJ9gdnDsGaHh2GykTOdxNTiDstAUHsnpu3T/mFYj7K4qWg93huL8zs48b1zyRzwqZK6qM6e4y2SwoGSiCuU0IkOF7TuTzbh99TKY/gcDAX2IrWnZEqThd+yjgtYc714eSp+Fj9VlkqApV+pZWfeg8UvgoXhdHMxqf7JWmp0hWZ+XlxSWdpcsTsWJ2Hm079G3uy4NHd6onBkuluHIExXtotw7OjrG4U19clHnnDfRK1wppd4+wqP5kVkFEyJvTFJv4NDSmOuAzuQ1Ch+Rarpa5gTXcCBVwpRC+fio8fx/X0Uq15pMT48aaS/gLT5tNaXIBkp03k8wEgB1YfLkloHEv8DC5Ndp2Tk5ci3xK1muCy5c0rilvPtiJ5WQmkrUKJzhZxSqjlPvhAy441JiqVy2seJI00ZRceWUMIcB47ukOJPds7oTqdFzdLAJNwzuggOXGfZ4XyT0ZSJX9PMBWx8j+Rcs7qPXzLGc8fZISM5JwB2P8fAt73TUD98mjYRUkoqfAD2zQDs06DB+rDpo0LqoypFNRI3+KTi2kedVxfGtA91eWOSutRHvd3NF7x0lahrzTqZI0ACu1EqH/Uk+9Fdt2R2yZL7ZcyJZHZjf9ZL+vfP5pID8NtXnGD1fKSdIckaymlIzCwlbeSB7T3SCsXI6YKDILQ5Z0oT3LJAipXt2yjXU54nG5Ur9PVumKTfwUkx0g5LFBnCzN0AmTt4AHK5dbpCMcn5AF/baVR6YM4hrRv7qIrp8KqOkw5vWqjs+CZhiiq+7mwYvwEEF7ARqULx4F49fvKOCyPIVmrMm7mjuDE0F6hbFX0RyQenuDdEttzYDPS05ztTmX2JHvC1ib2jWvvlreNTzV37W016lHWU7QwEINCj6P7dmMZVbzgkdQaCfodax4v9qeR0Mij7T23dHa9OrrwNhqLztq31zjPTAiYouydgGfMdQ4mbUaStMrCBvkKr/Uny7lR4dQBuw69NDrzn4WlQtzCiCPcCOBeommB13UDLNG4MpSKgZrlizgMbu7hYozJ6/ZOEisHLfBTXsT1Y1LqqjlN1HOtINZgwUnazzA0h+bkHc+S3O+xBurInjWMfXzjRIBsePkVyS1wv7QfThX2CrkADNivW8Rf8rSuUBEnk/IRwT/AjzLk+x0FcH7c7fhK2nYifw1Vi3Qeia6grMtVWhpBnJq7xl3koJCt1/RlDVndiUXk6Yd0Etk1IK7yrjxELoi08fm0x6eKCdX+PJEjXZEWA2bOfFykPE/qBhNaYBEmKrlE12MI3pq1XXxxH8u3WaORKqLosvjcqQrJBUrU1P4Kkati0pr0R2p+dSqjSL3nDELlbIsXqsHrTWD2pLwKQu7lCS+RmUGtNQV+MAZsVazNEOzI6z9rubj+JQ8Lk7gR+f63cID9pR3DnXKe68zsbYmsq+Lik7Cp97jBCID84IGU77WOyrHTwwb1jiXl4iFyvZs0ncq108PbE3NxGU3G6BZOU3T1QYr8sfWU64QIOSa1yV9d5z3RHLY7PqLxh4QbX1Z77JwXVKZvE58mhnOyqO1t+LF8vmiWFHPYguVO35kCxdDKgcYcFblzP79BCkTkjzYQQYlIrnP4DxJA4uLljtNuYPqYjbssud79IYbBLUlrg2+P6A1VYQg0M0PnZDe+6iTK7187XF4t3hz2hmJTvUsJidSROR82g5edZI6ERBR7OI8LmNv1zlfbKmeazKm8IIrX3of8WFEouWF9RVcdLNiO01Xblq1UopGuSrq2Z3S3CSar9RtCufFoNhbRdubVynN3nCWtay4lEAZc5KxCmn/ZqSCGRve6FrnwHDIX0ZLO8s2limlTtY79VENdSNVnyMjtWk0jl8fauwXFNmiaoCRDVVpPWdXs3YrjWf2+PZDZkswPp1h7XUj2Z6FfN15UjXI/g2qMmzG70Ze8QCz7sl8u78hFIFJmqi/i1ceEWHV5vIw5cf3aNZStPkEII6aG9eDjgFDUKZuNzDwlLFLRxDAeTabVpd/JcJycdr0LbnHDgoniZFc012fWk0yv7ld1cT/ym9KS19EM+QkEqJxMfOH+RJlTxtHOfhRcnUYPC0onMiHSgqV+U3lTpBqn74Xo+tR/KApS8VoRyBa5tVKQoVWQtTLnDT9i5XpzkGj3vOP5UBz0Q5trpF042DsSGWdxg561ccyoastT9WZHQkziuXX5UwuGQse0M6TyOa9bx4j5l+nmNDuXMg2v9h3ZNJaYUNUET9Vw70+2eurTJTJURnmPmWqL1rZahzSCJNyx/y/UqmjxzVnc2kuwGSZpRY8IqleBP5nbehCu+3FLaMBESg1+pFMPwS8SUsEAINZosEE7MPUnrNWr6damUpID2W/oy5Tq1Crfal+nnnVGE2lqdYuoo9Hfp887MCDW4x6DKPm/BvYDC9PPOKKhpqrX48aQW3AtTewy/9NR509Gx/J7mJHkyXkNaSIeitFFnZegd1ukf3BEFSnHX+Ex/tpeV4YFJegfH8cMPSjpvOjypPdpeiOiKzrKgCNSVtVeO1S7fr1k/3R0hUWpCG8RdPeuOGsVhqR1+MEapdsA5HSUHLh0ZrqOAOv2+Fw1SQKoTawp5bfggolQpYRlRvqPzxrH2Kk1btcQbk7KT4XeeUJxoYHtfiuzAiBuZ7HDg72OSQ+uaEnS491CWWfX3g8rtJHET+RkVIALk2t8DE78kIdUwWPNjFFBAnjPX2J/4F4kNcwqDyIAmVfBiLMOvZhEnvk1VieK8c4E/OUAqI7IGqoxclaOxJwEmU7FKejjL38aN8xaxHvRlJnjuOwpM3Rz9C1pvuNOvvnQ87Q/UybUVpftmuOKpJ71rliWwpUjAXnj6XKwFBZLy5XZ2fH2tPmqyutKMG9sz/Tg2yu7eGDgh1Ri68dvwcQHbJw857zmKwH8rcYyDBV/bGltfva7F3eAPsjrzu0vb+lO7yfUb1m301Zj53dEjoYVbCQYUSMqlnp2FqdXctVk2X4yr9H4O7LM8oYMfFSHHXUNbWbXPvXjtfnLUAUn11rCfpTJxlPRD+ZygOam1D4/zcVbjO6WsbDCjQEISpjWWQorvYI4efo8XxdGvN6kFJbWp+KtSM9ZEogELNuIsaOxZNVZx/dgwilzz92PqVxfL8Jsx4smVGQe1Ezs7r+AP0Htq2NUOqqHXtJCf1WmCzylqBwUTJzO70NjU+dWakVQkUkCc3QRx0u8sg+JLTSmBdYnSPg8sUOLFeJc702xddmHAdDFJnNbIH8mZ0m9/A4HM2osrbDg/JWUegJifpWvd9jABfauK86LqtMcEDwrE+kiQ9O8v2ZnoAGPj+JKkOjDQA6ZtV3ZlQpk7E4HCkZjpWi84Jxh/XmN17kwuF6YYY/NJgYg1dmbpGr9jfXeOTYh7CvK94ROHoPGP4CzqNDQOntbsrmSMT5F3xVSsgNY113AE6tzZF5AJ02Tr6mN1L8EhuTv4GhMkmaJ2ZKRaB/uuiPodL9h6zsxEt+Q27Je3EZsDUpFSTnWXH3hqhxQqDX/JgiJRV15OdTzZF+cSa9Xn/Z4wd0Q91V24yQSTybu7qvjqb8ExwdAdKw3CTKypm+4ImlSTK2+hqKVY+Xl4FRYRdbWktN4WtbdnXdZtiiSlla17OirzfITNtShFPr9XGNpFfLbt/hYZKfpgZy2qDmnuzU4h91ukYgVUP4Jlpcx40MbmvEFhzjguagRbEwo8UZDuV6SejnphomZhbduZQe1MnavKN5550EJ1+boUqN1VT9RFIhmqK9uiOI5H6rpbE6ZCI81w58T1toOvVaxJQvq84JxcTHpApPz0zaLToCgTikgpJz1MpszMpLK58xPdrsoDCzQLK1/DDGidIaWktymcDij9jmf2JjzAKBjM3eusG/TGWuVdP9kBwrmzrf0JWSVhxwkkbBlJJTIz2TOXEwqMYd3XUEgpp7vL95u7yrABxdZX4JCubEuBkuhOWivYHC/OcYNXB7nyEgjK+YG0dqXzXEtO3NirwXDlJRAUmcqCVEcB7WvesBNjV14CQbqw0FG4rBV7wE4NuVb8oGU3JyCCvEuyl5PnWvF1WfM7Ubkd3rD8JycSBTg3O8o2548OvODpMFfepkPR/dhR8KxkuwcphcO1nR6dNyYoSxP08MQD11LtiutN603IN6FsQLiWaudJ0n5uyTZCzMz1rMo7OshuaGlAiKGoSWEx1MNQUtG7ER5xXE3rKKkNIN2nHNaID6aNWoKnegqMoURuOEJlBlUYmM9PF47rUVABob6TfdLslXJpc9OoiQ4pbJmiQQpeskiTSEbkJe7Oc7JjpmtFjQkxZTIkiQJm2uHOkkiBUGq2qqpRPv4wFmcbVgaCGZGG5EyfTYSO4Iq0jwNUw+h+TkBXN66TSiVcUqV/aCd6t6Mk2dHGnDB7aIHmbTX6V0GIArWffSo+CGuJGKsxoLFS3gGjn8mlhAV8lHJ4fWq2UOBOC5UR7Tu6rqYVtNaXhGx4YVISr6u52kY3FivCK9J1pGgP92IV/ewOitr5sdXG0ugddxRSp8utmbHQanF1iCw+1AMTVctwiaBj3S/wVsKmC0aM8KQJteYZYXQ0i6LjzgtWCra94IiUd2voH9LbkSN4CtrUIJ+rCvSEpXQ4lOLibFxeyWazFxyRcuK42hprw7QVmXNiUvTBdkU9yuQOTWie6+7Te2FxPs6mRZZ05m0MiFvdYTkxV5b+okQdvPL0MGlhA73SXxcuPuATc5LpKHHbygUmqpLh5/rs6B3YaQRWFIzwln7mfCkoO7KUdwYtDvflIZQoO6gQc7UsF07nyzdNH3e+8or++TaKM5I0Vvb3J056wDldWHqFovSC1IrMvqYihNpaB6VXsM3Qh+ANsB4DUVVHmlKdDapudOBwMD+H9DTN2V7WvC62lNSmzQeELcbq1/RJ52EBAzgI2x8bzjjxdCnqG4ygjqVVKuMClt1civppRlBT4qXdyUeF9FAZeOSLgJoVWxF+YWOt9Vtl5buDLSRrBWwYgPUFvdWrOHlQhKdBCKy68fRIWycQ0TcqyL/YIXl+qwkDpB+j9Kv01ygUqQaUr00l71ZY4KS+oAHkY1W54ArVfsq2aCCiL3pN5AYD9SZUuXjgBM40tA+Abhd317X2rhA2SlafcIV0v6ETFqYL1SQrtUdK0H2jG47uv8aI7o/r5tJ5K5HuMFAHumdn5g9EVLS0qIdJlddWN4ukfQbe1aLSPljSKpuu3hK3eMA4Cb70tzhW+hHnVQ82R5mr3U8+JbdIsEfqQPmw/CKS8oHMw9ipKYxAmdqn64zuIFfmWF0W1WVZ11JWze6tEapujfLJgjFzFcnbWycXGiVM7bgTaT/HwLcNTrWd5rAZ3cQFLVQGHsR9DNw8GXP0PyY8PHokmJ1tbKYnTwZeKyNoPc401+kJzvSq88yhndF69yvEOG+pbyFk7iKyBMdj2Z1eV4hxQRg67U5oLsJPLJcOhtPRNdMz/GJmKZ9QZptdkxdYFXRAyMgDHpSbGa4x5sltF6DputLq/KMcd1qojER0gECP5SlVBJdZUJAi6BCckVphYHMy8HgiQpiUtF5cdNLdRii/AVYmAPUOZdKWHdKVQnWa+WLhGpyUkHnycuW+0378MZmxEtVy3kTadwIrKZVUmX48E0GqdaH5Rs2QwgtO6tInuxGkqq8WhUvnl0kH8cCij2Sr9C/VobDu9vZ3iuYmLlBYCUm9TKxiMWZMIKD1ZDK3SkDIkwFhCpVYP8g+qTa6XnkYFYpA6sprvyikOdWZ/Ty5gLChtwZVVBK9zT5ndFOg1hBt8IBxPkvJ6ULNAxOqbS9nvKl+nhQ2W0NAKoneYV+i45Ll2cGEPCgn1xZaJMrgd7e3Eo9HLsNVJHmyo/kLdatOutBN0rw9UurXndmRaAwvO7Fgb4sgUWtwTSVRf/YlKmriJY51kt9VtUdKkOg32CddmD7d3i8SklIk1l0A0oLPju738jRF+8ZwTxinS99KR1nrh6bP46vbCeEesF9BWuvZCfeEu5sH4uU+0kMW9lldeWxPZM0YCqw02Ei1Q2PajBquI5ACISAhhQs+t+PG+L4UbJ6halfYouYlHQynVEgIhmpdspByzTD1IzxNjpDMOy/YGBgfKCZF+/aF+jTI6sM+qynvoMtU2U4qZwbcLBIr/X6SLR+AT6u0zB6ZWT6K308yjuEK8ZYPOGzrFNl0JghdJVXfLotlAsGE0lGFONZ6Cr/BRBSp/X40Z6l9wtrTWVK1KF4/Gvo32BKfhJOGLUw1N4nHSFJFuGLN8K3Q7I9RsAKOqiJ0I22zqx/v9j+BMxrgNJ1OP5D/GfM/3rp5Pb2v6x3ff+LVCuIE+cFPRj+zEXciBP/1xvX3P/uRqVfa517xd4N+0+iz9jrMQnX84H25jbhDBxl7Fj7DT+YiFzqHZhGu/r1E6GKOVfl0ExN1Y8woNtrouDuwODE8b4SQzwXwCVpmDbVuf6ncNnBqrM3ObjsO9KKFCvOaSKhA6lmobAgknInsRhr26+vWrtGihC1EuALl5y2q9bb7uuAMQ2XOKSlFxrlIQwcN3YQjnPT18yXzdgU9G2WaUpfZtO1GeEptMv88WRqNYJ5Psaf4Hl3WgG0NyW7NXLG8Kt5MU/FMw7atSdtsrVSUEJ5nvjg2oMB6saj/DWMXQf9qZbnaNKN2o6V/2MKOS1m1syF1I5Q3G4ZDEpQVJhRpsminyt7UDaON6s2bxrSQQC2S6llcnmIGIjb0NstT1Xh6+eZKGr3liWn9N0ZnhBBORidW9o4GFxIsV2zq7wUvVtrqn7/fmHbWUEx3gWJa/7q8+gnbSGp5uKw7TN59tSKpnYOKKNtIqkorzcsTya/WUhWwLS8224bSwrC0yd3Uqxaj6AUaPiHsmzNLRS2zHfS8P9OUqznLS56gNE+zgk+HUuNJmXxr5MKNjaoPIwS2c39Aa9TpstovaKHCSsmQUIEcSfWK4E3CAtWmHJ3fCtLRgmRa67ndsm6C1vXx463Bi5n0RMm01nkxHbO2kelUW+RGasYJPYHCqptxUfsVlXm26/141knzAU/seYU0b+lMSyCWwRTVjAVkLNMTJyMxCSDOsr1NyZ8zuMCVtv4NqbLO8CrIaY2o0SJ8WCkhrjQNkaJ84ptFu+lJWSdT7jQYmZYlEIoAsuRNCCzhAV+kwcn0FBox5AzYxiG1hr6cylOBFw1Qpt1SBW88z9YtnQ2PTq+V60nNnDi2zwmejLgDzYqOtvSf7nhyzQgsmFXhxZ8ALTNsenpMVeYPRknAjpQjlQc0GWzde+fW3GRM7rkbLVSmHbw0OzKV8AjQ4HFp5IRizv1qUU6plwkByNTZoaynKZd0PGPdhXAzfQrEs2uE6bMjHh3inw260WBkWpI2jwDVhDQcJW8W0ZMk0xPoODJ2x85FtajakYyqU9OVUrp0O4dPuGaR0LkxZKlb9abBCOvCjcvYsl9cQ+jJvC8wdRxU/ugK2WVEtrqRoOweQXHy3pHCQkvZTAcdG6kRYtvb03F7srSlTJn7FbLK7pbaSYJVLkeqsqeXRjyukMrnuhY6CU5d3BueqhDv6q+UyvuVSqltnFmTkh2Wauq+SirvCbxoJ6w+goTh5bklYqMmLhwRELzNbOz8gtDjrHRFnyzYpuMrGT8rDN6LJOS3M+bP5nhrKVdr1bHJFpprsxsHdpIIyrZmELnJx9QOLdnZ+DT3FGxuh5+SUkeYqEwrfWKs5oBwqBUizVjaiiCnOTApX7sPufX68+ZPLT/3AAj5ABRy8LMUNSBAdcwD4IgCutUxN+9XxwD/CuPseMleGgunFIqik43v/TFaJV7wPiYbm7kRCjPN7jAwVopGNrisqcs91QH7GnqsZc51skFiBc94eRMx56PVpGNTxiVL0cwGV7Lla4r8pTyja9sZURRDUrPab75RF59XG1NEbpVttWOkZjZO9l2hRrXfz2QsV7qdMTlHrEC7NGKkKmMny+GRZAo+ybk2fBZb2u0FA3XQysbJLiHUpPYr92t2J9dHCwQeMFIHLS2cvKSNq/z+/HxVze4IwVsBXgFJ/TBnxdCUOpnKXldl80nOyj6sg442MFqKjjZIJgDQLs/FbO0uJ5hRaB2YAUs+oF4RJMhZSyIE7FZ368qeRrhGEF86utov6yHtJe2hUje2gS1XFI1tcC2gvTRVbTiQmuCoDvTvZIsTEqtNaxtA9T1JF1mL6RsE1Vv9F1r3A9hbTtiQb3e2ASBXZ7ajCuLEhBw7MMPQMGF6x55LwA0TwmvHUXW8wQwPWqxOXjAisTrobdNUalqb1qeRrmxhczLjn2za2wCgmrDOxuCzvYurBvp2jxsANNMsyNme6zNeNdC3G90AoNFLmbWn8iW6qmd81tt0uxGdNZ+dNwkI1WeAV+Vo1ttvd9N1MalYquBdo8XKuEjf7ncDYPIySzo3Zk89aGE62RMYN4quUO9LFUP9hOXTuloh3SdmPCixv9KLl04jZZUDpKySPVTqbjcsoc4H9qfyI5ZIt7StyytSsxuW1C/SKo0Tyd1QUMYvFOPKNMd4MCjr7yGp3xoGIFmqk/e0cVHPFAv87VqFGY7qoNONK8UK6D93duE4Q20guCogakG6/u5kByFcsW6OJgZkDetJmz37sNS9RBhPowCwwCGxdnxMpUp5mfCgz/0YC6nfDUtilapKNPz8XD3pOSe7sNRNb1iCrazqKxbWSknhHxAUIvVpYQk2tomnEZm39Siw1AbLkiPISVWatoqIFfNADHuV5NpwwN/cW50lGYF9WOoWOCwtsOKYpuMEo4aQpbSG3Eg9cFgCTR5XJSq7DrxgoNQtcFgCXT4LazUo6wmntdaNAVIcwBJo1Hy3ebRgyQMGynls1dGq3Sva5ZPK2Ky7GKQggCXU0QDVbL+kQwdHpZYq46l0oAcOgNqY01ecV2Ah3e0DgkO0Ljgwp4q9tQba4IBBa3Zeu7B8l5SvAJYwRhLUFO1lcLN/0ymVs0eDgd5wwVJ3l4E5AYZQz5eHhKfjWoITsLpaJNDf3ed87uXffCjgxfVbt25e/0J0zDP82wev+Gerxqr+PE9uXP/BHY37i695rvlT1B3cvP4rRdKbK9VjZ+D8Ar5J1kDYML9hZ+yH74+9HnbEv7d1sA4L/FG74z98f/xMwYjFy8HQsFlK0f0H+IPzTQgORVhjmDSqTkm7CoT2Pw1YtQQM0Z7EN2VlLPcbadI6+fIuLm1x4+lkTk4OqQwV+kT0LQ5Qd3IbGkRhYjMm6mMc2EBIfLeqqSsU32IlWClbOrSA/7vYqN9I3o10p8XKkmQ1ObqlhpWxC2zJlmEdJ8Lji3u0Dt5sHDjndYjmzMTbzfc9A1InMPp7NZJI7T/llmIIX6uOqSD3jIDDfgmnAtQ5iQLpmlThdEFp14MgIzDNkAQKO0yExxP3GIFjhcjllgRCMW1K+/n5wFwiSZb2OQlNwB5yvXUCmOlB/LXicRXJ61v9AJIw6Zc8kqzTfrFb7/raqVgd7NoyQnjJIzUrINbAjIaO6iByn0IOih6RaEdOg+UFxxd0ix5htPCiRyTa8ImRA8VEso4mLf09MInWfnmOMCl1rSEmhFQFbrVlpLJH+rtKEqr9p7zOqtuHyw4LSEYLmDJLtW9Icl07iRSVbO6bUGAdlD/SLyqkDlaAJSsu83ypOOkVOKpL6x+prQBscCPiR0bPzBDiFcBBINkA/bM7ahsAUJuFogh5X+c1OKqD6kcYK7z6ESm0rtpPMVdY6tzhrNybQOpqjyCttZLACnhdlqofkUxAZogLGJsPdoOjUlc/wjwWvPoRacOy0jWzPSvfJblX+7AObMDJV7+oQ1eb+sfOVP1slmzongOzYl46MLRyGMYZ3y5/BBxqYsJsqor/dcJFtcsZxlYVFEnr9rtrF2Vo+xt4c6TyEkxWJ19Ro94GkGsflQkhufqiIPLVPzxK+pW5JK3bPOyXuCE/7iltdKcBSb+gjARpU/W4JNJOtWnqyJd7Oca0qXmsC86ZP2gT0TNM+qWZJMy3Kx4BTF5m6sKWQUuK9gFfytFst1/zuMvLCe+UjXrTYmVcqDZv/I0VVe+MJCjpCpXxNd7+wjlXVpYcYFSQLNW6SrF0iowU5XXHlNbMNS57wUCpqx7plzwhyVRxfhG91rBkshBW+ctVFanokSXSwJzApOojowVKSn2GzHj61D5p2cXeiqhGTMr1AwEAkqUyvn+2D3uc0nAWkH9mQIF1UPnIkmhH5CmZPWNLpNgZiFpYqn1E81ehWUMBqhITCizj76jhZiZ6LEUN5rHXQYdljbKQKh9Z8qyBK41Tx+Er12Cgrqx6RNJ+VnHE0HqAgbS2AkEhUnWeK5dWQKrG5FVRSkGmFxyV2lBZkmtu1w5fHa4hzSogir1KclW2ZC42Lu25wVGpax5ZQh04KtFnzI4SjlWAoBup6pElE5iYF5SESIZIa5Z9WFdWPiLJNXsgens2KYRwi9S6PWDprg6SVOMCec3BYvKDivZQXVn7iCTToi7l6cBCOmFaAXsZlmofkVAThgbStoX5HnBUFqUK1D4CIYCsPbdxaPBNkBSIDtEKH5nZs0Lf/4sem2wYWB0glBNb1zCWih6p034AqDRlvXN/L9UbLlTqWkKWUPc3e7YnjyoIqICnZQSV4lE17LWqOVhcWr5MfHzBbnnKQ5TvqrGEGqufCd9oUxJclf3qD2pU2KRiSqrjMxHKWhG0AoQalH552l4bAujphEhWqeHjlqc1MFxKh8TasDTUsRd25E2LlX49JTUrEAGsB6wPJw2lkyIAtks/kVAN8UG8oijy7Qe2Sz+RUI2KYNPE5BF++S/T5ZRItFP1/MiRBrOeJi1Lsys/JGUhNDbKDZO1jGHWfRRWyWDkqiVjD9drZXPB2lN7tFMwEoLrtUoYtlhqVvBxO55puLw+An9+cUIrGQypX5gQ4NNmM3wSfI/Wpn8y+OLNVGD1/23uzH6a+9Y6nh+8QNToOXFIjFHvjMcYjTmJJ3pzEk3UxJN4qZd65Y13akw0UctQWspQZkpLmcpUylQKZS5QZijzVAqUeZ4pLXQ2+Obtb+3VvVnPPmvvXf6Dz/7uZw3Per7rWWfbD1gpOLacIZi/gc6wP0IpSd10yYnLO+UHpurL47ngULcuhYTIbVqlz62w385uqW652TDL87IjZDW5DdX0JmCCmredaxMdkyZGZCKrF0hPUmCSkxUsML86qhHKfavhdrNyLplMKaafmiBlTqbffvm4x1iYkKUVJCWp9g+DRKR8sbQ3Mp5CeG6pfhq478aiMrZQcZV+SnkZ58i2b2wEsdu+I5Hsnf7HB8ZBiuD9WMlGahDrc/rY6uX0pbis/yIM63nmyGTL+kAqFWuNKOMJOZtazk7vumz5J3KYclV9xBnxaL3H8Bh8flBidp/YRgp00Ed/JM29GCG/PDyufqqLbKbxAv2JBLM82jTEU22pb+oMkeVM4CzfNjir7epTMMY5sh0F/XPxF8xJh3PU0KT9jkzJLSW9bwqLzPWN62j8Q9W7lR3e4txxbEGKTadcZ9BZjC709K2MuVkRWU933oZbHWMMj09sMoWRCr75ZL8j8XzVqjufnMP6L8QWVNDdE5KoP6JARVtuO6wH98Mm4u9nGPkjvDpZ/5kwKfJLuW+tPHcshURK0cKY5vcjpJbT7bta6zAxUH+ZcydKGv1/LUxuvDqhi3StDmBzPhvqB6LSO2ax+XTl/DbKyIzt9pYZ68UEdkwaiweYZ1LwSWpfsTkfv9Rnd13k6Tp7vlCQCi7o/Havm7HWp7+UXFZurQQ/l6BnFzmmeEEXtQv1fct9aRSk9DVSTNA46/ns5qZ/3tOMGSSQ4QUDJR2J8Za0v67tIX55arpPn66wtoYoaQWP04eph1nmqWiWc6U2eJP2uTDjOtnOHFT471ZNKVSYggfp5aC7kjHqi5xeWWuHjTZI6T1HoLXpSTs8+jo+idn5kKVAENMJ7xHFvjdZL9m8yqotAqD+CueOXyJdJwbOn5tHSvwQXcXsEQyCLS2p6gkVZ2Irf2yN5QoBXsYTmhBAUFXBZ3mxNx+Ayh0CEql6t3HvWa2oCpNRExMA6L2eiUj9fG8JY2pFdi+faQ6Ynt+ufXjoSyOjJiYAEFRjUVX6tV//HRmVOwAEz6XYUescp44l/Sjj5mFsSwga/8IsrETQq7nSrMvr01QSKPfPl0hRS/vg9oViJ40EmvCx3z2fr4pophmHfchGG2Q7p78rxY2KnJabm8wLa0f/RSYVs9UUaO4PhMNKV30LdqEHyQi4ZP3LBESAP/2i1zjcm0JGFdPLC9L1uKko6/DVjq2psQQGFKz0N49Awfq2N7raOfz7JM4/5VxQJZqoXA1jW1t5G4yjlFiqJZHlHPTvo4vNDd1X+EtgbKgJH/4jvoPZCn0JlvojmSGXrv+UAFj/zInVNHgdhcAylP1zYd3cGCy7m7vTuL1xFNUxyrrIB0jk5gbpKjcuefddQSxe2bwxYrq5QXPAa3lf71SvLYXsPeFGJUWrQKq2jjfvHmg92C1kdg+KmNZzkK5tdatHobf1L6Rab8JVfThe3jLd7WDHQOzVVG5Y0jaQBhZZWa8Wi22XN//D8xQoEf//ctA9lbf1nMLrrCIRkqZnbd+oF/6EZ1KdCEmzCxXDRQc93/FKAHnNqWRHbJYdIGl4sKyr9uZfqeyw9E6Pd9QPnB7D6SP6quGaJBprJH2z2XfIj0wzawZFVfV8DbZD4WuOpG/cyyYm8seVZW3Xxv3fpfFGkkpTZNMhFpvsPUadXXmGMWMntj9NQP9WEO3WXmWxqrA0TElLbzzkpkVfsas4HK/rGqIzSdKXKDFWdl/SgDz3WaUqwwYWojfM70PvogLRHi/4V3V9V1gz55jeUnmTMFZ2c8rMVNdV8+AcQ1dk1IG8SaQgIHuTuFERWcenJl7VV+f4jpo1CD7wJ5Foyf4k7mUVoTX2qy5qzW4/hFZUjxIoDGxNl/t7BUdfSAErpkcJJGvdU/nB8c2Dnzy2RH27HtsJxHmUnrKtBQpnD5anIDEhlQMEExVxKaHFSp22S7uiDVHSCi5rnFNpdVk5tnt/GqAEFXwdYPcqKSuqdpdv7WmfS9Q4t5Kvq6r8qV+FzavIQBOmCyFvURG3ErJ5HWnIOByy/C0VKr0HCNM0zqo09eJb6V6pSqLCFPzXxzWgrG95Xe25yPBT/nrBQePMStcrK1eFncVixyjv1ZQ99/eYDEH7wAvjmBJZESSyKYBQy+ZyyodsmlQyqphWJdDSP9Sde2QsPMbSK3ZYMRt7gk5Vdu2jRfezP0BJkVUW5FSgf24CJGvu6kLo/NCJbVXYYcW0qoDCVXHbZOpZUaWRUbkjQKJwVUUfZmdvlbi/8vsdzGeaBlavFduROWsqGTXhIXBmXn722SeSyKjcIUBfWgdNAlVBo3294N/RTCW2J5TIrASSdDyiyPMUtSSTQBPz75Exle10P7z47jBbBRtqwof/hPWgU9GegR9dfr/XlsiwBArU13XPzmrzX5BJf/7TdYFG/2hZpL/boWM0of6WEoC8SmIqivx+80q2ezu8E4iSSMW8jQxS1Hp5NWJfrE9CR1QsfQEFqUSDPzMwuKx+dGLXlNhQub1KEq1RMnv6lKL9lLFGIbmWRG4lEKrz9WH7KsefTEYVs4kLCHVqunNj79jE2KQgiaFEXiVQrB6VWi/23/RYYs0Oy+1VIsHCKpbEt3FGc8sKPa/7WHKNfALIrUTvAAEp2+lJP6k4OfJDskAx7Sog2JthhcwycRrlnVsJbK4CDa/uOe+z8vkSkK6Iaa4Aoc4NZrrGjfv8NqwMUPoCtmoaUBKunBrwq1x22kcy6QvYINqGlQVLMNNGS0tfwOamRU1r1VdvR/Pt4j5ES86wMFb2kvDhzdG03Z2NHQYgektVwAbR1kdDQ82lFizNiuktVQEbY2WvXFbe7hzmjywxNgXIqJOogM2NisjatyS/mXFUhyBB8EEBmxQE5AI2Rss+x2o0s7uvjpNkMquo5WtQEJTe1dX3nZWlkMJVzPI1t6joe09vNZbwXWOAPLI+EJX+gb931rjyNdqLvPI0vdHgYegZiwepaqyYoOyl63bj2ZBas48lhTxZBRf0a+EaEfREoXl0jTXSQAouKFK0RgTVtq7P9vfJAlSC0p9bYoLGFa2HxtTjai9uBEeGl1QGC0xU9hYbdTetjuLG7jAlreCyfq1bI6Cb5n7HTvkcrayCg8ZVrm/bmu9O7fLoZwONq1yHigLj5lsX7a8XfDfFvj5Z76+j4zd4C6jYciBRyQqEevdwMXbvMETJqGKWLUCo7Q8ydzhrAYAq5i1r0K4vtFD9dB2tZgQrssZK1GIDhHpVcXOjHi9IIqOKaV0ABcBif/mpwXqOHVqxw4rZYwGk6/5uu7xn/JHRuiC2f/lMM0B4rySwrTNgkxUbKncA0JetuFHRq2C6Vb+26KckTjFtKyDO892m0c3WP0KjFNkQfqbR/zR6N3i28/IdGTXho9/8aKw8sTxjrlV22IQvABNl+n25rZGBimy2JSoIglCtrqqlcN5kChlVzIv2oBAIGT1jO9FebBeIpAUS9dkA6erO7tzs0J6kkFHF7LMBQp0P9AweV20yDqmQHAYUrRKFwObL2M1UaBCbBdhhuQvYEq0DNTvdxeOa/0BJkYwLtAmQiFRrMjqvz/+GTCpm+RoUq8eDb6c9uinmHdbvs0NQ+Voi1Dpt1VltxkAyGVXMRhsYKnvxuqOiWS4rbcc2gbEPkKjRBmgGOHHqcty3BxGeGavAtWBQAFRUtV3YQsVfeOZWkqEiqs4FtKNTBRcRnllAIlQ973KvK/obknjuWQV+47HFCUDdU0c1vepnxh4gAW0B3lk/aAtgqu89MpUpqZ75oYe0XH0I2ZTlWvM4vQnuXfAO+VHvAsOBtyTT345tT/j2LqC3VbxzEo0KE4v9Kl1Td4DSqEAa9mRbBTctskXxr17qc/X/lmBPBTcq+jTNYLVlY/o1lYqVFKzkEwCMFXEpILIOD1VkDKT/A+qv/aY0zKFA37KemxOdSk9r/btNt4zztJjOMFL6kz+MFCmj/xCxgd8UzLr+EP33yEADOSlII4rspOAGRcd/ebExq+YmzHRXs/z9D2wUJFSyjQJDZd+e5OU3tY6Uhd6IqB8U/Ol3/SBVbbujctukCbP9sIWqmD4KkKr33u5y/aDaT0YVtQ0AtqjGtQGI6pQb/QdX2DqFhIRUVWpMVHYvRV7+44J5pJ+Wlv52NSZrnJui4tx4NrXdmkaFSe+nwERlbwLgPhm3+Ee6kqlYBY/UOD/FVlHe/UhWK+YBR4aZVE0AMFHZmwBofZo8feZPqFAF1zTOTNGTnrPeteoOUWoqOGicmeJtZ7HtauD0jRJU8IH/1UyBvv5Tc3JX/+z7QoVJf94LWqLMA5GxLkUBJiqyIkhUSuWGRYQtyCiYNmQa0sioYlbTQLpaLGOj+e1mkK5iVtNAuuZ2tsgabfspzNk/tsyCCqqCpynsB+kFoWNNac0/kkkTHgGVI519E7K3CL5PYYNNTASgL49nyqeztRWYQTW2g0n4JIA+BCZ3DmqaKgNkVDFfrQCNK6/p/HDh4DKNBCqmmQYE+thz6vFknzOS/9iWUCI/Bejn6yMN/QuhFcyjxoaa8J/f+KIqyXizpZFAxewBANI0UJfe3T71ilX9ka22RPVpEOzzw7q6ZTMYhMCK2QYAFAIL17PBwWttKnqm8i0pAFkpJOLcUK8Xdc3WJxE4uX0UEv38x4PWI9WhAbNTIwmMRL4fkKjFC8Nv2b4+ACq3j0IiXXPqFJ77NSW2WUXyLdD6LxFs6OVMlWvFOxaxw4rppgDBdpuOWtR3e9ij2rEEEeSmkGi9KvcuTlXdaFJIoNxeChIorPxHfLRk3jJuGbAGGF1gY/ASNQEA/fwOt6vR3lUQhOSAYjYBAMFet1bInmyRKCRdEdOiAIIdPO6xPQfxqwrEHCARqHUjZ/PKt+cwzx0rLzfFj4mo/c+AGSCrQtHrnTQk83RTGHkdWJOdHyDW8PnTdH1FSxoVK6liQcOKhID6bSR6N7OJVSx4+1RIB5fkdeCdFreAoIcAK5fax+dybAqQ3gTyjvmRCcRaI99vMxZTmkDoHTVscqKNlTvvhjKfJxnDSfoXLLAIZXeqdNT25WTt4o3AE9AABETbJ+tbzW3QJL4BCDctEga+7qwX19MMXQMQcYIV0bTEGDwp3FvDTtViKwIoC6T3UmOCth0/ZsbXKsvGe133ivpUMigip4NXhxIaUkTUKf+8pt3wCBIVYQ3xYv1tYVhdngaVbskV5cmaJcIShcz9wS7VBaMCvPN2P/LcdxXhiWlLQjENoi9R7tEMd3XbuZ+MKfUChb5TkGNandyvx0zpsZ0VaMyTnoH6OaVEhvuuok/lfMhOJTFyC0nvocBGELuDruG67qztuJ/hoEWWKql6J3Gzoi1q95Yddzo/Vu+JLVVS9U7CWNnb5kSfLJbTw2PGAopsWCTqncSNij5S0ds3fjPRht2gZg8CUR//AeUldQ92WZ+5IwChFbV7EigMhq4VwxmjQ8SAFdP1B5L1Jjx/vrB6/kYeWx+ISu9SwebVuO5Jsq7A6XgPMz1BIkIqexomKeL5Q1t/t7pDk7rNNCpWeocSJmncwz+lszt29+IzlkAnXlR2z59vOTec1T+QRMUqeJx+9fyhRfSMzLvhwQeGmwoZYlJ5UzFJ2Tso7d8fTtRXhTEvHW9awSM1zvQ3rDitdbSnhz8baJzp775fseybMdEqKniYxpn+uhqKrnfNw2mi6sl7KWU/PH2eHDHolSFGBSW2HIBqfcL8eHKbh3Wfd9Iyn0wCFbNzCjcoavV19C5o335A4hTT6AMS9GbPMNEWnWPsTGKLq0RGH9AmymbUbE7NHmJHJ2yoYvbNAqHOZct1L00bUTKqmDY/0O9/01TXmkOjjLkU2bQIUuYXKADsg+7Wzr5HLDlhh01MCCC6Nltm18P6aCoZNeEzwPm972bkjlk9j+0EP9MMoD9p3wvKd/A0igVVTKsfSFPXQ2dNwVJvKgk04T+/bKF1qc2hZLyiEttfg8xTEoFma4bKj12nX0igYrZMAkXpltl1mjN8gHk8kDwA5POTCLbG6HW1XJ+FILBimv1AsB6jWR14vMcWACRxkcjsB4rX+RJnSDumTyajimn2A+l6MnxU0lamxlI/JM8SxOwvkK79y0/3GUeqJDIq90wg0ZSVe5HZsbBxwpiyYkmhRG2TQAHQvJcbXj2QYQsrG6qYb/5gqOxtk9Tjffq2hn3sPB35AIkaJ4F0bTzbsgVbGgDVXjFNaSDUx+1I1cuYJUKu/In5iA5oWB2c5r7mv9Wk8joCSARoc/Bht2nekcorXxXY6QnLVwcX65VZ6X7emVUiVJ2p7F8OdT8m8coBfsjn6I88q7p8H5bRc9+eGkon7xJum3vH/MiTcFe4brdUFVDa5kjFCbIj7Z2T6JrSKPNG3GMmOtcUiZXsRwOxnsnX14ZqKxLtRgOxugaqlnKmC5KpWOnv+mKs7IaKwgl7UfPDFWNHFdNaquZJIFLra/Bta3yUcU4dU1oqMwVGyu5QyIrKzY9HOvzhlG+jDWSmIIUq2UwBQt1068suG28wVLYAEPUZKoyVfU01TpVkKladfjKrqA2UQLqe5d3p71fHsfNqtnDltlKQxhXZSsEtKzKudhocmdmqjVQSqKhGCmxdjTNSTBxXd21YKxhTKhIPUtX8MUHZjRQn88a20qqOL1SsJPskb0m/GimQclquN2DeK/9PKkr6kj+mKPtLVNuBxdGjyyh2nMKblv5xL0zTOB9FpzFzsOJAzhhLsfEFgxR8NUVcFAhp+pCzR+cIJlGQCi7nVwcFArmlGziwlSylUEAKPjXFuSdk4bGBM10H5vBNtJZx3onshx6HMWOT5ofTH/KBFqSxvZAhNLzA2OjF5n+JuqSANiS68GFgQW7CNiRsqGJWz0Calrpthlr/YhoJVMzqOUjTW0+0qm/Ihh2cxpZUUPGU3jgD0nRG41Nu7vrTSKBiVs5BmvoiGRp1U2+QrKmYrw7BhtRQ4Pax3RZl9kj9tlUBDX76nsOwEdWl9G5VLqUSOLl/vkSKFjTs9jxt5kaIiiZm6KPvNxd3Trnyowx3H7LzAw19euMMSNQmm6Ot+8WCHe+yw4rZJA0Eu+QwKpUzWVEIbMLn/yf9zIxdVo6tqbF9tUT1aBCqc3fH1zkVCpJRxaybgoZWZm/DqdPSxACNZQAg94REoH2O48KmmkgyCVTM56ZAP39oIVxXOabEqnuxhOUzxWme/vrpZHQkSkYV87EpblTkTMItX1ufKf51dJ5C0ivQ8i8RadP8qE/l+jMyacLHfl/hdHrLFbNmGksGJfJMgOJUU2deP81UY1t/NlQxPRMYKrtnwjxrvMvf3cRMXsgHSOSZAOl6KfOW5S118U1TBa5Eg2LVXN5Xun58lswrpfohn+EvkKZnl50tVvf/V3R57P8FtqGAJB2fVq327suTeG5UefVGItejXwKAuunIq8JTpo1+oaqb0r/k4+VkRZ/Hvb8brRj4maitXMjlaG5UJFZfNu6WxnYqscmKNy39qQpGy17m9Z7d7zXLfYxx9U1sqa73g0CNtosrT9DKKEkhUktVkcZY2cuR9ht/v13eiKUqsfEGqkiT/j+5Is2NinrRsgJTIyNq0v8X9TkfDJR9CajJ67t39Z5iLw+xoIpajQZpahpzqgotS4BQ5a5GkyYrcjUapGqGvecxK8OOGajYYUV90Oed9qMHfaoWfcGhrmnsVAUJCqkqqJis7A/66A/X2kLqUISSVnBZ4673Z18+rloejmlBBZeVvTDd0agu216fCVHS0hcpMVnjCtOOqYyOPnsFYxeIDLUEicp+wV+3r3xp1lZjUwBvWsFFjStPFzuPFi4Gnz4Z5tcCNYqZe3BrznfQ/XvBMeMK1BOR9OqrYHcaFabgCyp7UpVztK03vk4wWJEFQaIiNQhVNvW0MGALJpNRxaxTglD71/a2DbKnVDKqmGUKEKrxNTTTOrfCGPrIGitRrQq0o8rxba/nLM5h5il22ISHwPragX276jSVjJrwENAeHakbnAuMgYXsXj7THLB20Rrp3exOIaMmPABsfYvpyy4fQNWEB8BBkWH5demIgYpsCCW65w9CDY7WKPU7TQBUMavVoOmq2ButaNQOYAkAO2xiQgCBrTgaqyif02Hev9hmW6Lb/qAQMDcMXc6/TaSSQMV8zgMEWrh4VW/abGTEKpISSHTXH/T7J32F6qKXRixW2WG5K9YSBUBDsVWzuHrDuOkTy2BAkUrf54kbFDla7xj1ed0rv0ri5C5WSzT461oOlHrPI1avjGVbgpjVBJL0Wl/hNxz9lMQpZq0aFKNqhWvG4rIzbarf8kJQrVoiUE1m9opvryiVBMpdqSYFKblSjYGyV6rl020HsopZ/C7aN3xQnZr+zjRoPC1cnAS6c/KxNi+AXFXgsiooAA4fS6z9Bc1feOZUiUANOQffVi5lgC21mNfmYblqd3Nm6fFiFLL5+/nL1eQnZ/JVaWRdi7f1zs2jl0Q/OPPO+sHN+Vnd8uld7hRmVeX7Rgq9pCtFAElzWnrGjurH+b6OVMPrmJqGFT2mrjrLyJTJsVhNQAC8034QAHVzu571wfsoXQDQP5Twjomc/75Y2hvT0H+vq+y5LOrwMrw/sXhgMCJaNiQLD/mBlvWmnPVjpxXL99gpESV/F4UkveZAhjwri4dENnuHmjyF3PPfiW2U8c74UaOMxTGrW5ubjU1LfBtl0D/d9M5JdNCo9vVFHad2sR9DIluTuGmRgfQUnDCWp2vEfWaK7E0CKRvcqinN9OYGKZWlH/hsYwrh7H8YqncXmiM0A5/+Zi8mKbsvSbWzfj6mWGfMo7GQEMaVREOKTFT2/Ms7l/HX0D+PxIMwzUdgf57dQYOgWibDJ8N3jH0JMimA/FMkUrJ/ipsU+f3H3uqi4X39F9Lv/8BARSIlG6gwUvbN3lSDyf5sbSCSiuqfAmm6Nj3fU5ZhSiVHqpgPo8BEzY7oKrInvpBRP5CV/jY6tvzH9fPwth03exrMjJv9sXiQqlECJih7N4/jtqteo+wumYKUtOPjLWdcL4/ucONuXwYNo+Bqsr+HIttzn7ldS18oSOmdKJiaX81SyGI/0X+tHip4xi5MxEaWVM1mMEHZzVKG88P23q6rMBWr4JLGvYWi25vLX23dpJNU8GkpziqVr82R+c9rUz4TZJxRar+4rb264jmVApK+7MC9GCHT0tmhvlE2/juMBuPfJn6J/BHcnEh09rTbVJ6jByytZ0MV0x8BQtWUKmbP7uVvZFQxi+MgVE9nmc89o8BUja2nErXyAO2anufmhzVZrmQSqJh9XECgs9a65nq5PYUEyv3zxRz6qOG4ej5r4LY4Cb0b8W2XIsg9XoGGfkQZDXlWMoLMWxwspGI+fwRSVLF20Vwf2iApmvBhP600qKuq8WEf2/hJZIsCoYbkw+EO7Y2fjJrwgZ/btNqkrBv6QgLl/v30nhiQpremFvNJuhk7K0W21BK1RgCp6mzrvJ8sak8jo4r5CApIV3uvz2rc2MRuRSDbf4mMUSDYQ6+tqztHF4TAivnWPWiXWisbt52X/wHDwvV9ugIKV4lkbX8cvd0y420H2GG57VESzViRnMha75CPsVWJ5VegLYBEoP3tw9ejV/nfkUDFdEaCfr9+9kJeOHuB3eKNpYMS9fIAodb6q/ofn70RMqqYvTwwVHaHlDbPFtzNVGKDCvkAkEeKvkEGKFa3HrtqHWXXqbzyVIE7eYBA19dOLvs3etN4ZVQ/5LOtFgj0+qX9tuXyNZnP9l9gFxdoRA3Myu91p/URnntVBip9ufy5ElDUtR3MnXszjZGEl8u5aZEAKFjObHk1zNC91kBfLgcpa50Je56mrmnL5fS5NUbLXomW5x1fyKsjjJbDMbWl6uUBIvVaJ+eyZosZBT5Ea6l6eWCs7MXI6/n+7AztEuM6LzLiQLVo+tcluFHRc1VzX4myOIQVJ9hCQNTXJTBW9vn1RNUc8BSbImRWUevRoBC40Lt8m87yZHK4ilmP5pYVvSjruc/YsF4kkVFF7ebxzvpRN4+ZcFNZe08hNrEiMSFV0Q8Tlb0mnXtXt97UqkqmYhVc1LheHg2nT5ZR563/s4nKXppuNE6EhkrP0qhY6SupmKhxxWlXSYE30H+BHa/GhplU1X5MUvZHJuomF9uUtc1JFKT05VRM0LguHjWNhsZr/dYXCkjB/3rcIxO9e5HOneWIn+qvC475tTSNPieVG3hdCcsCVJj0h2mgBf80kBV8aW7F8n5kIZCoQg1aRvP21F0N9TYAqpgXuEG6WtrKrmxZNW8QXcV8rB2kq8d3n7NyWcUo/MZWV4lKVSBVs5/21A73DLY9ZUMVs1QF0vRlad2Trj5JIYGKWaqCRWreTtTYY8b2J8iuBTQD0LdxAcG+OsKbg+PVbxDYhM8BTdXelRqvOgqBFbNgDRtabuV8c9CGHavHtoOfaRao0ZhGXzaqA2TUhM8CV7v20LWsmgiamN+P9psoCpUNd1kZzXGQTbZE9T/Q7zetRZefzPjxHzusmNUqEOyAYaO4tc2EJSqxlABUrpYI9eTBdRbZ642QUcXs4gGK1pOjh+N72SEjpYplMBL1mwGBPuy/5fQFmNc52UDFbOMBU9RtHep6UjLyfiTdEiQLEAh12ris8g9cJpFRxbSrgIZU0VpjU/bILra3QvJDULVaItjr+cxdo1UVgMBy16tJhyrkejUGi9SrEbuKLNCyGTL8GCVF+EHFavqSJShcLf6DWflxZxrPpFXgcjUIVePUnG8tdBPzQDHLwCDQtciY4yh/OYVnEpAITYvUV511dQ3JvLaqAjfymKkDgOqNw15Xm46hKe8+DvRXkN9Z8SvICGVZz9FZ72IPY/Ln28WBvjXGjukXyPPppq3Y7zBWYPvUBEj6TvuBpCv7styDszMqSf/ue8afqf/497b0f/VHRKxd7S/+1i/9wlPnP//9//o0vt9EP/r/AFlEEiIHXwQA","hash":"/aRupj5LH9y0RgvlUEUdLPG9RKA=","signature":"78QPqWQ0GtRe/AyMYhp6k4lfRi2gE7pdZCDNqYs6a9w=","timestamp":"1768447064"}]},"subresource_filter":{"ruleset_version":{"checksum":13817805,"content":"9.64.0","format":37}},"tab_stats":{"discards_external":0,"discards_frozen":0,"discards_proactive":0,"discards_suggested":0,"discards_urgent":0,"last_daily_sample":"13412956410488404","max_tabs_per_window":2,"reloads_external":0,"reloads_frozen":0,"reloads_proactive":0,"reloads_suggested":0,"reloads_urgent":0,"total_tab_count_max":2,"window_count_max":1},"toast":{"non_milestone_update_toast_version":"144.0.7559.60"},"tpcd":{"metadata":{"cohorts":{"+85uj8UpFJFs1LbZzRODD1aQ+Vs=":2,"+EvRah+wIaVJthrhxHGvfjZWQqY=":2,"+Goy06x/MCwrTV/aHU6CfXEkvHs=":2,"+OlMW5y2ANwBFsH03kShVXYVYM4=":2,"+WavPWcVf6qGVorrutx5lkDvL8g=":2,"+exM1B26jXxhR2Ux05ie/WWp0x0=":2,"+mNvpfM3JkKTeK+6ohl+LXstAC8=":2,"+qkOunaBVbv6XoaIwvMn3m6HluM=":2,"+tsbvVZgVIUs6CaBR9z7zuZH70o=":2,"+xOc8Z8Bc8iWT3jhs1SRha/IbDM=":2,"/AzXcP7UuUNwY1auU8IKM+kO+4A=":2,"/Bvm/Rrh3ZMwqH+/+4QOIcUQPPk=":2,"/FeZnUMHLubMD1MVDBjadEPAlVo=":2,"/HAmLxXpHT88v9y7xE9hHTkgIvM=":2,"/Qdp4MAUrNtjqZV9mfb20WAMugw=":2,"/QxFmTaKVmgoQI7u32pqfP+71Bc=":2,"/aGCDNLRew1LLZH+59lHCuAYNdk=":2,"/hbF3j5JOvAak7vNsAbK79bOP34=":2,"/llw2C0PMltsatGnpTHqrkbluYM=":2,"/oHhyW5YAQhdBpgYcbm1vJyiP+Q=":2,"/rtQf7RE4vMc92KjutC8LkjUZgQ=":2,"/xVDyosmqM6bfIMKyDuRAUI1Qyo=":2,"0Eq8eriICMngC2bt8vmV6V5tJCc=":2,"0OWhcqeF92w5b13FI7cuw0wYOiM=":2,"0b9gyhS7XLqmkmOe5OQuD409YLc=":2,"0gnBMXopl7lReGu+XSk/UzZakLk=":2,"0o2/D9RwYjAcr69AeW+JJDm3uHQ=":2,"0y3W2Bn1Kfxh/5CIvP2vZz5fwTE=":2,"164zkQ1BuqOVnZxlkMScGNXYC8Y=":2,"190T6zIzSL3PTH7lqquaA8KAqVg=":2,"1KHE7JEW3MsvkGFH8et2wPovDqk=":2,"1MfDQw3vHCQqaDa7CJ05y8CkuJs=":2,"1XfEZ7+2f5d1GWbkN5KoDjaQBL8=":2,"1v+25/b3OROEvLwpc+58pTQHvUQ=":2,"24O8PXrKNoFD7n9OiIn/kPM8q1E=":2,"26KadWj8dsla9qY4pbLWwc3WCQY=":2,"2EnXui3e9m8cVkso31bGopul3g0=":2,"2PGjwY0nYdnDLk59gOOl/h012PY=":2,"2W5F+NooL0WF8r0ykkHsqw75NVM=":2,"2ks61ETyiwJVBKjWdeLi+jBzvHw=":2,"2ogzRk2u3FpQekT714FkK0vkFy8=":2,"3IgtLbRDI7pm77T7imadPrRxR5E=":2,"3LIGdlgJ5Rw05ZwZulvKp0JajOw=":2,"3UWlaBDJKI5jNgpXTezvx7uZ7L8=":2,"3dFQSDfXS18fA563uc5mxhMXjLk=":2,"3iGyG3EVKY4vxn8RarUIggZVVkY=":2,"3pCe5f7oscOC94pJnWvhlszLhr0=":2,"3qs39ewgIOr/6zygzv+0ltu0SjE=":2,"3vvP54USUtSZlm/osFRbdXjCN/U=":2,"4+yW/l/2EqzM0fGVj0BcXV5TqDI=":2,"44pYIrJiSE08LkH770bq0wwoNEA=":2,"4TwK5fjrPUvueMXp4HZKGWvCJ0M=":2,"4ZC+GtEmLmHToJys2q2fbofqXeE=":2,"4eXKnzRS6ifFncgprkihsauqdGE=":2,"4qJ4K07ijGN6GmvmTNYzTJYmtRw=":2,"4rqrzEd2r2LoSpwBy3Wd1v4Drtc=":2,"4tQsYPAXpmciDFIC4nUACa9X4Wo=":2,"4vXUVM3Beyj2Rn+4lrrMuX455kY=":2,"55tALpi6iGTNuAMJkIQHrV/h8Zw=":2,"5Mo2uOqOAgDMAFR9xJxpj+Ps9vw=":2,"5Roy+ahYhL8V+JUUKT4pljRssYk=":2,"5UJk8zfVHpYxYI3tEGAQfMrks6k=":2,"6/9fhC6bkvQ+GDnCZzKV5b1uEs4=":2,"6218Tv51tHCkvM+pj15cmmrEp44=":2,"6AuvpHbKzPKvnQ5Iq4ZnJrH7VJc=":2,"6DjDzfLMbfYOmlGOJVAk9WK0yxs=":2,"6Edcp8jwSlxhClh0ZABA7VHryeY=":2,"6HE+xAlLmyPiZz4+IOE6QJR2+qU=":2,"6MJKJThHrZ77JxHeDkpqjqsJmPc=":2,"6S99zH9nPCcQM3Z3Z1tFjU0qI/8=":2,"6WtNqNcKg7znf4yFj/CmTJII+Ik=":2,"6iyZ50rVcsj89+phE3AIAQJ5Rl8=":2,"6sUp2EUK4KkR37GrEyH5Yoqc+Vg=":2,"74ScHGU1kOsGMCDn6+SMbExuJ0Y=":2,"74kVp2Qz/ClJ+826v36FnrVlEmU=":2,"7G9aQ3bdYQZRR5Xfs9AsSwsaPRs=":2,"7JjfkitOjBaGC/olVMv7P7VXegA=":2,"7Q3tTd5EeObvMV4js0wywUGWCDo=":2,"7ZvG0q9vmUTKE/kR/8lnxgr+W9g=":2,"7trRGs2suPfs2j1Fw8il8Ct2I4w=":2,"7ypMXoaWrM++zdAbjUUcvDdl6DA=":2,"84VFR/BgNC855g31gNI+lcgcvK0=":2,"8EArI4IQxFb1Jy5KKpgqxnjYqU8=":2,"8WDNGSYrBtXaSuNuCUcuENOqzbE=":2,"8jVuTrHMGXgJ62nUXx9V7cN/mzM=":2,"8nS7YyD+ru/R67lIeZKe30RKet8=":2,"8tt9aAK5Lm7Zcy9hZvUy06bgxCU=":2,"8ur3KjsVLO0lz7bfhzH5Rz06+fM=":2,"9J2Hjgd0WomJNXCVXUnnFp7HblY=":2,"9MZYN7ZW722NmXNr0I0a6xNGHw8=":2,"9PrZjFg2RssHXVdygP2FMo63tHk=":2,"9UuNM5QRWcp6mYkcu/t/I7FADLw=":2,"9V5BfQG4ZefovfNaXdHkf3YSIbM=":2,"9fj5AS7ShECezTEbos0drF7hGYo=":2,"9kQgpCCVk03s/PvG6sFZp1HUjFU=":2,"9rJ/kzjFOsSGSnyRLXimccFODIk=":2,"A24Vd0mboNwTK86qjAnL5NPT0ew=":2,"A7mJev6l+9dO4av3/tE3zj9JzLY=":2,"ANAAVt1I64nz8zJraV4+sB3bn5M=":2,"AgtaUdyyXGWAAMwjRWqwR8Ni8fk=":2,"AsgodONRHQuPbpgDwflsruAzPns=":2,"BJMwY+kVmXIH7sXwmXK/Q13fPkY=":2,"BVHoUpngEWtu0oY2qTH5s35an88=":2,"Bg6wgMZDYx0+/TxkfcfpqINBID0=":2,"BhE51h7DPwhQMQULRUIC2yvAK0Y=":2,"Bpex3OdFL9MLPykjDHF83THK4XU=":2,"Bxd9P1pUJldfaa0T/bjJ4RryaWE=":2,"C3WnzDhbWkxjLSTmT0Q4X+C5Y0g=":2,"CAPrE/fqgLuDiAW9p2hVJvKDVow=":2,"CBUdQZWRoFXyEsfV+uWNQuCMeFA=":2,"CFfzn2HEP0aH/l6Ix4YZ61KhVaM=":2,"CHJAmkWmDHuhYsu3pfxXnIh7HZQ=":2,"COZfIR9QIUwbad3hWuzoXMpnAN8=":2,"CQDGAq5GGMwFpHfW1z5j8CT63sM=":2,"Cjr9Pmookm1kE1NrmqrajTbbNGQ=":2,"CkEWJOcxrLmlVHE98ZW0fCC7cLo=":2,"CpdpCv4T0/puu4pnh4QKOoEMmAY=":2,"CvqZCPmZan5z33NXlrLvk5mzYrc=":2,"Cvywmg5xUNWlVmE1IlOnnaftKTc=":2,"Cz5dAHQlqdvtLvLtHPDUZiiiu+8=":2,"D7m1f2X1ZclMkgJz6eoxMvjV/BY=":2,"DBJzFXqFvKfiVCuXYUaENduUW+4=":2,"DK9He0ANXehmcN8YZhoASlkBlBo=":2,"DjMDHHpf+nnOnHxm/T1q8y5AoGs=":2,"DptldxPMxrOcxrsoRizh9K9nzEs=":2,"E+JAai/R1FoHjUcPV6PvZ+pFENY=":2,"E6/wFsja05ZZziyq3W/qhIfGjWM=":2,"E6h3qgjEj/9/yT6FUGw6YpUCrEU=":2,"E90biI3zHl/mrbRJIr35sUO1G2A=":2,"ECSWj1Bohkn3n1AWHIMEKlbepxQ=":2,"ELx9iaWnrWA5GpWryrvIbwgayb0=":2,"EYpM3f28E5iXkICbU1lbq13/xDs=":2,"EcH6B6F0qgOh+aDUV+DrOVR8Ag0=":2,"EdIuR7LPx1E9lRrlGHXSFSHL2zo=":2,"EkweGdn7Hj2CcJIpLShtXcn4Z5U=":2,"ErqMWkx4Pxb7qmvS+z+hDqzHXtM=":2,"Ew5jcdiDb1RN24kn4qz0nvhVBRg=":2,"Ewtt2SfL5QqYenyxIDEkC9k3tXs=":2,"F+TX3oARl/flaR0nHt5Js6PSCF0=":2,"FBC4lg/vz1H0FxdIxuTqNU4ZEB8=":2,"FJGJZYWxDCoJrYWPy2BUgtq1HM0=":2,"FRQtGBzKKPjy+HEtL7DsX3Felx0=":2,"FcelBmyYBLBRw/HaUwB9s6j5p3Q=":2,"FmvG9vz/LOjYYeU35txjwm9nZRQ=":2,"Fo02W4qlJUivZslOW61nZcCyA9I=":2,"FxMDzlEZgYp2JToAhAg+/yUllRU=":2,"G37v4qWLagnhBfOYr/ow2BEX8wQ=":2,"G3w71gAwbEQRQHACN74TIHrskus=":2,"GA+aolhIHd7aBXICZM5+0OrHfac=":2,"GBKfC442lwAxRkYbckvrizRO9s0=":2,"GVXlVv4EGFdKXDT5DPw/i710C9c=":2,"GWb9dIET7NeLkFZHxmz/DyBcwvw=":2,"GYhBRDeJahYz7i3JJ/8IyE2P5Oc=":2,"GgzZdRVruTyuSjP6N/LfEPt+Rw8=":2,"Gpss+UglPt1UUU2jy1ZlC2Haaos=":2,"GtCeVEmWQHdw3rryz0AuH5gyJxM=":2,"H3GqtTSpNlUUna7Umw0oI+0NgR4=":2,"H4j81ysGT6UYvop5kplp6lxlqXg=":2,"HABGlXq1BaOVH1Ifx+TyX6oI1c8=":2,"HKs5tNwpPQnqsBWBwrTC+hZGTTk=":2,"HM/pWnlnNgRgj3BUP0fYxxzl73Q=":2,"HPKcn8DkK6LusgLP9nDxVh2uJC8=":2,"HSh4Zm3wQfJIatvBZlrOfUeOfwk=":2,"HeMPvC/blr02FSRJtCharxgmzco=":2,"HmcCaa4SwSvvXXelNnwnv7AJeY8=":2,"Ht53X4lOUdtiGjATCg1fkJrokAU=":2,"HwkleqQc/sC85c17L6GdLZZRy14=":2,"I+7UKSXKSzGBgefFdkILZwsI9bs=":2,"I/ZGfrelShQUfRY9aoFBE2Ey1es=":2,"I5BwwRq++KWQv4ptZSLHGgVymIs=":2,"I9HlcZVHx3L832KLRSQTyyKcszM=":2,"IR5VBOOYDolqu3h+57TkJv62y4Y=":2,"IVYz/Wpt7sibxI0sN4+ORgouym4=":2,"IXYNhiWHet2dJvLpHZUkTrdX3T8=":2,"IYpFc21SFnpXN7O5VIPFH6jzdDU=":2,"IZM2fgogPf28F3qsGfathZESrto=":2,"IbS6gvfuP5iBCntJRl7/kGFWfU0=":2,"IpkxtRCHzfxeCqhGtGlgTZho5PA=":2,"Is6xz79EUUUlkrq+vTsITATIXy0=":2,"IvBIWWt8SMIZYO4zi8CNRQBdMa4=":2,"J0sdM/l3EGX6Frv/rSg7j7GL01Y=":2,"J6lcmiUnipJu3gVcoFiUbu+lbDs=":2,"JCDhMYyv6cBx12AS4NeS46EYq1U=":2,"JNVlxkqEWTvStjmY4qJmC71fnzo=":2,"JTODY14/ed4R5V5Q07Wyq1nHZCs=":2,"JWymogHaDHPgCtgoLPRcgF77J7g=":2,"JX1E7bBowYq/NXrg6uP+3EJOu1E=":2,"JgkRGWnXEHJQ70T82y1m8BrqX3Q=":2,"JslOsSCDdI34ClPlNXHA44C8BdM=":2,"K/m4A4gm9l73A6cVZkwC06VtJOU=":2,"K0pey71AM2vyu7pnYfphijaZFQQ=":2,"KCVNDq0FuwrUaqe8KovMG7Uj3F4=":2,"KCmDv40c4KHL+sZ06jr0iETCE/o=":2,"KHAia59NLQnyXDqGRHyg0ZiaTFA=":2,"KJyIq4mOXhu24VxX9gSFD3D93v4=":2,"KfKkkVLOQcHL8t9vHg9yVAoakwQ=":2,"KixfNZ8p0zlprYxunHrPzxobaq4=":2,"KmZM9Qj7kdUlBfwHt3Ha5IOIaXo=":2,"KnVtOxTqcw8Bj0cILIShIFWDZRU=":2,"Koq5VrYu1jgSuPxzC8JneftbXrY=":2,"KqtJUSyT2ifVLtE+YTa+Jwrew0k=":2,"L/1K37AEimYFLDPtWP00QHs4Y68=":2,"L2SILwi57slYAS17LPKLyjzn//M=":2,"L67fEFjVgKvKrPk8WOq+ypaV0dc=":2,"L8Sb2X7fKyM5N332D0ndTxRV6UY=":2,"LBcANp6Rge+D7JyH+lPItmNHsqw=":2,"LH6IDw2lqWicdgcu+tSQmhjaVvs=":2,"LI77XnWaUgy77p5DAeqIO7vOH14=":2,"LIcUrXtcBWBDTsYmK/hSjTpkhOQ=":2,"LK/nTUZLp4wQL8LSp6SlGXML0Xo=":2,"LLWfG5BXDbqHYtiETKDto5KENC0=":2,"LPP/dWFPHE2kpSUwpzspR7jegbE=":2,"LW/7lCwmMHUj5quQrOys8yKgpSU=":2,"LYaNdeviHa0JUthz/IPOwEOXmQQ=":2,"LZMdcjkdapf2PBM+TcQgrrw5l1Q=":2,"LadD1LUTKp90k3P8uJv25vGYSHI=":2,"LcbdMwrGmghZm+QEi615YhcnzP0=":2,"LhU39BVBhzq0HvhANd7D6dP5Qu4=":2,"LtHcu/ZmzB4KTac2VXn1G9F2+yE=":2,"LxPYBWzEULXwJn7iyMSa8QtD+kg=":2,"M+ZG7S72MQJCJe2aQVcvZoKftWA=":2,"M/Wjwu0AfUQ2o20egq9z+7bIzRE=":2,"MVHNDtRF1gJXlUK/+UZ6MIq+cMk=":2,"MXK6lMxDUXU9R5KLAL2bNOMx//A=":2,"MYnF7KiFcThaEWDO9xNzhikWzZg=":2,"McPp8MRX+uUUktsdxYDRi8o+eos=":2,"MftGgIb+TIwSyHnx7apoYs9NrDA=":2,"MpWCvxXFEf9daTeLjHcm3R/E81U=":2,"MqHL/cxomXHa8ev3atB93jJzbZI=":2,"MuDS3URWGZcyPBilzs4FXRzmboc=":2,"MuuNU16haFees5FcNMYXYToRZfY=":2,"N8NipVw4J3jV3lwC90mjPwfCHxg=":2,"NEHnjJf0uubHBmHAJBilzidYpks=":2,"NF8b22VZThqOOVOFtwz90G+TnlE=":2,"NMjxROmwGnztdYpQh/UAc4Bbnr4=":2,"NQamteBltpv0Ps+H619TiFUCf+I=":2,"NdXqc2xTrq/FN6tgl0gsTiq3F38=":2,"Ne1UYIth2fIOE+GqWmLouOzVGoM=":2,"NeSyTyiMagGROQJlNI8QSaSlBSw=":2,"NgAzcAy15WMJsY2pkT/2GxdgG04=":2,"NmMsYpAfxlJVp0FWodzxuSiHS3c=":2,"O/ynEwzhifwXixFynPqJ/W/oWh4=":2,"O0wSnPIMZPh/STNUh0vac3hUGJA=":2,"OEU7USrAsrnhG8bqMiZ26hK2CNg=":2,"OGH8Nmp74ZiT2sjux1xx41S2tNw=":2,"OJcSYTQfOFc27T/8rITzt7968R8=":2,"OQmSZcXWlR6aMwil6XEKlWcjacg=":2,"OVBSN2PMsKlMAlmaAKYB1cRcoY4=":2,"Obd7ogklY6JivNJCQIXV8d0qDuk=":2,"OjHuY9k7IqD58ta4pJplHxor6YM=":2,"OrjPTpbv6b9JNjns2OKkVTiKM+s=":2,"Ow215V5uWo11K+h3r5uqPKLzJI0=":2,"OzlQr4k8StWsbx6xo25olxpqFPo=":2,"P20wwKcWg8wwuTQl2+Brvgsvt0I=":2,"P2fxs0FUJWvTtwxgQ60U8ShnO10=":2,"PDaqV454hbqksZYGhTh5MEKnTws=":2,"PP/b+e8PPjUMQYS2OBT8GhMPS1o=":2,"PZwAWgz5MHGCT1WnkwTC53E/m9M=":2,"Pmvf6keEdJ2RdJbIEPbC6yjlB2I=":2,"Pn/ePL4HFaa4hTTOIC1z+UcbhSE=":2,"Q7VBdSOn3tXuYecIipApfUrWc0E=":2,"QANgRaF/b2zkl6ZtfzavHjFDGww=":2,"QGhV7+yJFgHnsLlp61izzFLm+8M=":2,"QKSyrWjQ6MjhtW2FNppRoKVNRCY=":2,"Qbrqdt73OY7jzL0r98xuGkILcf0=":2,"QtCZzUY6hCGEqCUTc2M5HNrrs4w=":2,"QuBiJAmt3+xnOmt838WFWkZNBII=":2,"Quz0fwq2iFeVentUcxv7EtGXBgI=":2,"Qy0HTOBuuQRuxmyN6GCjTBI+2MQ=":2,"R7CcmUEwytA73udabElrP9G8sN0=":2,"RF2lGGs4R20QEkXEifuLc5MTiy4=":2,"RIrVY4vPSyEJqz7rQNux/M6K2Uc=":2,"RNUHLVNAftYYrVsfw0XdkUFumwo=":2,"RSTkS8lWrQGjrgVquWcQVopYcRc=":2,"RUj0ztXJ7+kOsCpP9Kv3TDeFJJg=":2,"RVzwez9xPSX1AEn5pHSL/PR1Ak0=":2,"RYWzXqC3fQdwkaxnwdmOPmZixUw=":2,"RbcSJm/cbTD27QN7lN6Us62QIlE=":2,"RnwhHERLjD4kuXuJm44mHsUem+Y=":2,"RpqgmmdI4JgMujDXyfPAuYlQsNc=":2,"RqXHWd3nIsw7tt+RmTWynHdd0X4=":2,"S3CW+p7BtwcbD0fgDCiZ0RAQyjE=":2,"SAo2aVtafLNYHW7zVkEhRT9bh2Y=":2,"SY+bhxGSSGCnz1kQKI5yVUmhEfE=":2,"SYm5CVFkFOVllamvQ9D/tRM1JDw=":2,"SdL3nSP2tifv3D4axuGNQnI2bUc=":2,"Sdit/gOF9Dasz7o9sp6F7f95VxU=":2,"Sf6QB4b+AtQzltHOGfemdKTv/FI=":2,"So1TyGdA4U1tMl43UysxLdrBD+8=":2,"SvBLShco9LDUjRwg1aaiMvtvTFo=":2,"T/wIOHUG39AOmrfsXhUAzuEQY68=":2,"T2+of555wmTbJ2TrkfFXZPtJe6w=":2,"T9Qe0SNV0OBiGFU2oks1F78khLA=":2,"TMo985XELW9v74mmn50qi7dfmbc=":2,"TXp5FPH1q8BqEe/vPr2XzQNN4DQ=":2,"TYN2QA74YpLLdgx/KIWyDC7yWrs=":2,"TmrP6vdRPLfVW5N55bGHKWuqKxY=":2,"ToVZFnRaRPFc+bC+kUfL0o6oVbY=":2,"Twx+PUyhAazRa7zunJLUk7AuLcc=":2,"U/HvDF5lgUDIOvDbP9v5BmirEUs=":2,"U/MXSpdHG3Qh2p/vzyc0aFq/U94=":2,"U3KMQW6Rs95g1UJIi3OsZRqYWvQ=":2,"U7ti2JIQ2rB+nGUoJfrARNYcm/o=":2,"U9A/mkuLQvuMuaD1/0NbkxKJwsk=":2,"UDzrIJUrsqeKvuc/bTIuZnU0+5Q=":2,"UHJJhRN9z3qlaau2hbL1mfcfrI4=":2,"USKrPvDKw/JS/mQnPgXXm0PjWhI=":2,"Ucs6z5K6yxsQzCuxBg8IhFUW1uY=":2,"UyrsycnE0Y34SKsZr4aPMI19T4Q=":2,"V2W3L8FR9XTVZQtEl9UZ76GRaOk=":2,"VC/PaSikiazeBowkWU8F8s8Fbdc=":2,"VXhkGMKyQv4EGmsqXOlEmAdtX8E=":2,"Vus+nTDrUYcfuhZkTwWq8pp72Fo=":2,"W/vJPSCn52d0z02T4zSZuXmUFIo=":2,"W3JXUQpisayYUb8fvciX7mz/LUw=":2,"W79Q1UtfGoRJvjuDwvvCFd/g0g8=":2,"WGcOskzornIFeV5Wbec+z/7T8yQ=":2,"WN6w7LqpMGoL89o4ulIxTcXAttM=":2,"WirG4pLCvHATRD/XepELhtbx2z4=":2,"WybscQ6r1DfHRHCfANqlzsLEfR4=":2,"X+IBU7yum6s8R9EIK1eZ5xNXHzY=":2,"X1hwqKxZESTzs9BvFVN1cudNbU0=":2,"X3CsotjCGLmix01VOhQnaVzerc4=":2,"X3r0cKrB50GCupilXtIT0OsNmNU=":2,"X88GhHdCWKsBm24R727HFAkDr7U=":2,"XIcpBEZDocLvzctDOSolZeZZGMM=":2,"XJGnm7SMThSxDgLYX1WCQCpXIeE=":2,"XXS4Q2MvRlQ3g/5H4ppGQKiDMuc=":2,"XdRdTTf2L82I/5T7+QKhT3Pho24=":2,"XiqKy7gubyO5rqh2hQCzWLmuRP0=":2,"XkVTCFQo/kf96t12VPlUHI7Bsoo=":2,"XlU2doslDe9k2Sjyz+HoF+s4Fuk=":2,"Xmi6obAjhT4C07AkOLr1DrZOYng=":2,"Y+3yeiQnPoLWrymZUS7uiptfvWE=":2,"Y9F1acusJNtR1MKQ9sV/LUbtLcU=":2,"YCITb6CU1HEkdv0e/aMbXU15Bsc=":2,"YCrDNn1PepBzFGwS4liz7EGhd20=":2,"YQX9fwmNvbp79I5BVuG+xSFVcjM=":2,"YXSX9V1CWZmwRJWSO+196koeC7Y=":2,"YeDH3FcQ76eu+6wKfeDV3Z75z4k=":2,"Yv9p2UhdpPR9HiQAehTqepmaOtk=":2,"Z1cXRToCPBewKDIjZhu01gzNgvM=":2,"ZAqPZQWJRYyqIy1vmo7cQCQVpEU=":2,"ZCc7WSp1R56ujdXzRr1nbB6X4PY=":2,"ZIWJDsMLDNK3inlfrSMccHToQv0=":2,"ZN87pxH8AlA0PR/ktFLGAjm8JDc=":2,"ZSyVOd9TPha8GxMzhtgZiF93aZg=":2,"ZcCE53MqfEUAG0OC9vuXsgNygQA=":2,"ZnEawSbVIhbrxvLmTU/51FR3PHc=":2,"Zntf7wQ+SmweAQbnVsys7KRLiCA=":2,"ZtCtW2Sze8YbTG1fS4loW1n3F4s=":2,"ZuT1OewLis1kVKZoBEacnH8c4oQ=":2,"a/06Cc1qCMoW5/jphsMeYfBLXrA=":2,"a13zReUtyPNWrTN/Br6vION4M9k=":2,"aMpjfejGmbvrz24NGwVgyoJWmB0=":2,"aOhZbO9SzuqTcdPglSVnbInJ0HY=":2,"akhZxq2ZypH9U+g8ptVEix2Ys30=":2,"b390+KlW3do0iY5dWxyw/Nvj8y8=":2,"b64LG8t0nZIMAH4frxWe0Xe0lVc=":2,"bAfivuZXv6xQHZCq1H7RdaBGeJs=":2,"bI1Vo/T/gZu6ziJq0A76h0bkQ3A=":2,"cDMRM41OYKodBqf5yPs7PXp7Ibc=":2,"cFGuCTImI1LKaInDPxQtiun7tc4=":2,"cFmOFeeAC2RTc++FepBrbqvZJu8=":2,"cS+k6IBZ28FX5Gu5yS+3rwfash0=":2,"cU2FpWNjt8mGURI0k5QPpMUA1p0=":2,"cVRrJOXl5PBGO3dbZJV8A5XlMQY=":2,"cYEiRDkwdEht5TZ8ftQ2T12/vmI=":2,"cZnefofy4yEnFmkQ0gaP7nfgGBQ=":2,"ccdh7Hta93FtJR+qwt7DElNPqBI=":2,"chKNF84vgaJ1RtQrKV4ytLiKjlk=":2,"ciN5+j5UQseF5/8p+leZThdpwLk=":2,"cnQYSsJdyO+otNbyW42g39tQHFw=":2,"dCGPD+ybLSgoWN7NZsSKWMIMa8g=":2,"dNRX77I/GjMbKJwIPRRuZQnef5k=":2,"dSgRwJW6QXt5Gyti9tvXKOSloVI=":2,"dULO06RXKgWKOnT+2EPWFhzSOzQ=":2,"ddNzLLovIOQAjI1Fuour/azCRPs=":2,"dfVd5Cks1FFJVdNmS+sD4zItmmQ=":2,"dhvEuIu4bREe/yc3n+uWgemDH+Y=":2,"e7QR994kinvEvNi5PEREfEgRBPk=":2,"eIkv3FutAxmGf2Mh7yo0HiDjrls=":2,"ePMMAHx9Ax6ezSppn6dpqbBnLhE=":2,"ex04CvLWFikDWXjGQ4RtjbOeRNM=":2,"f/TYvHakawJF91GiVgpjciGJPc8=":2,"f8cvQ/sraTsg0bwM+aS4D6pFT6I=":2,"f9ysKU6hcNbVfpf1njOmFQ2qbZ0=":2,"fBmcT7XNbLpOQsfKdgdXEdc1P38=":1,"fLj05EfmTLEt58m3jVUhPVS04sU=":2,"fMus4OBg1K5k+k8tLnAZyRBbnLY=":1,"fa4i6qfS5+dDiDVKFZDjsFnF6Rc=":2,"fnRvo3ItSPsvU3LKSXBRXJg0FUs=":2,"foNSnwHq8ph3wPaXJ8I88LehpI4=":2,"fuy5x4yKH5LLTw4kz6c1pnFiOcQ=":2,"g0FiO0sC3nMBLvy49sLKeESA7h0=":2,"gCgo0usJBkT8uf+0XUuS3gWGdoA=":2,"gJJSwVtCLng5e1xxugIzmlnHbd4=":2,"gJK5pMWuNFrD9OGNIgKananYNSo=":2,"gMpTRAKA7Ayl+W/YVqQhr5GU6x0=":2,"gSTTNamgmAMk2//gdb5jcZMN9AQ=":2,"gqGHjniFghep8E6txoAdzX/4h3M=":2,"gr0I/I6o5WZbCX3ANuvNoagEEe8=":2,"gsU6EH/i8w1ThrqsEm6GK79feO4=":2,"gtc5hvQud0vqhMhm2fmcV4S+Agc=":2,"gxn+9RnfotKjIQsWN6Ldd6tJFwQ=":2,"hGJJ6Hh+MF5i2sXu2g4Yz8nZwHs=":2,"hJM03Qy65rIixL+QnwFnZUWdS7o=":2,"hRdDjllKxVjmSDiRpxs+uOUT9Q4=":2,"hl/Ql44a9B+9BQR34dUhENrlIJ4=":2,"hmt01LHgEU30nJb6VMA41XMWRyg=":2,"ho9bP3IJ21F4d3qP3pTJA0JkTj4=":2,"htyr9QaPXQOHGsfVmr+97oeW0UM=":2,"iBD/DGiehe+56IosGVlv3c1wJ3Q=":2,"iD9S1fFa6FpM5DcIk5pQUCSj4aw=":2,"iGzRH+UPc4Ea3ApuY49us3/XCaA=":2,"iHnWlD4n0QHbXoUv3k90wclViuU=":2,"iXvZsH9NpG0qHURLzLTudfP9aeU=":2,"ihQuIV4rmAFYvTr6lwMV4HokREI=":2,"ihRhUKLVahjKDEOmS0BbYyhgv7k=":2,"ipbKvdY2LsQlCcEkuSqe8v4By6g=":2,"ipt6XYj9NCIb0hWN8BbyXEF5DfQ=":2,"irephTXGVO+MmlZ2AS7MbB5AyLM=":2,"j+6DOgEHMZgTIWSHhf9CjmUGIK8=":2,"j+GDvmG+Am9Xd+4Q/XDAlrQrFz4=":2,"jAuqNF/yhbdqVNpoWw+2Jo6e6bs=":2,"jEtGDH1uWCTHnmHc2bGPDrpEHCg=":2,"jODdAGIb3/eRchqP2DHAiTYlP0Y=":2,"jQfCzjp4d/PizsLo5UpdD2f8www=":2,"jUoBtJ03/Xr45tg4Dqenc5cYWAU=":2,"jVgQocUsQaH7V/2UxhLVOidhP20=":2,"jYhk6dm72WAaxSdjIvOSNJ3d0sE=":2,"jaMkW1knsztb/0+GNCKx6G/SzaI=":2,"jc0TPKjiMVneKPNeY2avjLI9KVY=":2,"jq2rGPyUu7grG5FJi/I/qcKLKg0=":2,"k/v8xkMt57fg28L2fh73gxXa4Yc=":2,"k1J17FRo3myPzj+UE+LXaZ9ohSc=":2,"k3bwFkPXH/EDNGF7Npn6kwKJu6Q=":2,"k7hYQMMCyKjXIXP+LR8U+d3GIzQ=":2,"kDJnIwokySTxXp20eRGTskuMM9c=":2,"kLV2LBNc1aIFljjZItvqx2bhY1U=":2,"kMGe+97jR78zimxmtL9Ak8a0OHw=":2,"kOvgd336AvzRZ7zhd6KqxVNyMiU=":2,"kYI0w0yGJWsEW8mUvaWKX5BGN34=":2,"kYvIeNAo8XJrY0sLt9RkQb/ArLk=":2,"kbEmSJ7AT4IyCib5dANoydcLsmE=":2,"kfmukk3rEZbsice63or/akfPSU0=":2,"l1TwOsy32JiZV/bM26UQ8oCnn7k=":2,"l1l9LWMnuHXWDBSLcfQ3Zp7bVVk=":2,"l38tVXmuuGlAgD9a3eXwX/jQwgI=":2,"lHA+dhHLhlHLq/O+0+Xz7buufJ4=":2,"lJcNksg20bY6CgGPqZu5aQHbRhE=":2,"lUbDYyCRhvBzS0nDrz8rx/nq0A0=":2,"lUfzJ3y5Jzs7p4PBHh4xhm+zoG8=":2,"lV/IOzmMkT+d9gXfFgqtsErYe2M=":2,"lY3+bGoDRF7A0eSICXUJ1yfpxo8=":2,"lZpQb3elaMvd1gsI/plZxcpUVwY=":2,"lcXOtK8KVWFVeHE4WLEewHPCWWY=":2,"ldPbP2/DX6N+AldQ7AFtoht/Bvc=":2,"lhONN2tBTBA/tSnMtizicuNBPLU=":2,"lmXhk+G6r/qbCMYZcVdJbnn+93I=":2,"mEj21qtta3LLlAxWkZ8sijZvktM=":2,"mSNPvAXxob4waWjBxs3ziW6z71g=":2,"mYby0t8WAz6jV9RgYIRRGyfeWB8=":2,"mg1zJLHTYaJIMLNxa+rsYWsZJhI=":2,"mh3wxEYkuAk6sRhlr/C5G/gxYRI=":2,"miEzBOZuMem0Cj9Uxw1LjN9S9cw=":2,"mlWAbHBzQ5Td8U9HSp8fcPdPyzQ=":2,"mmci9ejkh1yqEt/tTbqbQeSaSwI=":2,"mqI5UE1zlvwODeiYkE+97gk/N38=":2,"mv8xDlT2/YhQtkLKnptz6SQB5uM=":2,"nAj3Ny++JKnx/3X/T3HRcVSVXN0=":2,"nHcOob6uJ8APh5510nMH7Ikg5XI=":2,"nNG/hSMKDgXudXzByhmJ+8Udww8=":2,"o/9SDeB9XVwuJyTLitMsvbgaQKg=":2,"o1UwUqLfJmuxKSuFfNRz/EzR9So=":2,"oHsvpBtYgeqeqVOdT/DQDeNAyp8=":2,"oIsMwEfYOTvIzVNKHP6nF5RhkVk=":2,"oNPOB+kuiVqZt91Ceva1HD2babU=":2,"oNrKGepVbapve5qoLE4s7JK926I=":2,"oVr3ZmvWmeO5V4lOW6+8gEGE5YY=":2,"oX3Jk2hkzKOTCsCjIb8aBoEQxCY=":2,"oc/SFHoD/b37HnDYvDl1S+Ln8+o=":2,"odROFyqXD/frsFAhnWAK7yW9p1E=":2,"oibx5gMRdevDCHgIZ8xHbhmCom0=":2,"pCDKhit9yDclLI07LYJ2Arec58E=":2,"pFBMDn/qQ2sU3hbTzN0XE+gPNlE=":2,"pGtFao+Eqv0xw/MJ4ne73wMtss0=":2,"pKocQQbERh0k2bBtqqHvsL6IzwY=":2,"pQbhy62y3+Jaimld0fQXsr90MPU=":2,"pSQhqungWlpbyd5qgvoDgc7AE/E=":2,"pXA8CdPQ2YBCgTcuH0u3ji94FpM=":2,"pj/VyHVWYMY781dFmsalRMjAdng=":2,"po8Y5k48QpkNI3OQK3HJSajJvIk=":2,"qGuRw9GZC5DTd5qdb/ri4A76b90=":2,"qX+92itsZYUdfyqVnkRNS1z8pEg=":2,"qhL0XSJvQoCDATRSMO6uHK6s0AE=":2,"qnTJ6qWlEO3mGlvjzZxRj1SWBSg=":2,"qpvlQsYaJOxyL6Vr9sOa7itTjWg=":2,"qtTOojYzivrM05kWyMG+4B3oavI=":2,"qxM7PjtM2REivHU89TUKjRFyX/c=":2,"r2jAg5LKs99/R7UDy7n+RVExthw=":2,"r66x+/C7gcK0ek2UGYaFgDG9W7A=":2,"r7iJmf1gYZfcG8O+Vd5YotXOO98=":2,"r7yFRxkCgT3Oeq05RWA9OtXpSI0=":2,"rBvqswHFQGNJ+GA8LqPPr3KtF+8=":2,"rEMdbHd/v8VQAKMX0knLaZEP8KI=":2,"rFDwZivZT0u0vRe8Vj180HEOHEI=":2,"rPu9e+cSQCdzkKfYpDy9vIMdrTU=":2,"rSlZi3H7e2ESXD48TLSxA+uHjp0=":2,"rVsxB7wqXgKFK40cRaUdv5100/8=":2,"rXmjfschRYJInGVNNv9jGIRrjJ4=":2,"rXtx9FDQjNrYAd+Xt+sv0IjIaJ8=":2,"rc4WJXNzddjdAyW+WERMtKMaYYI=":2,"rjWw31OACJd76/zAEVPT3BCWrpE=":2,"rp1qUhW5AwlfEo+FC5F3v84IJG4=":2,"rzbYuWFx8KRHnLGL8HtL+0dJhIo=":2,"s6btLO7QAG1u99wehXlGkxKUb0Y=":2,"sD67cLr9VrAeoarwQnBVmBOjfCs=":2,"sDK4hQp8T2RmWpWvgnHk6FQ2iwM=":2,"sIl513b2C2/QeDrHSuBpH2c6C0k=":2,"sL1dde8EjkxF+Lb89yeCnsBYBOU=":2,"sNAV48ni/e0b7Gn9jEfM3Q3dVe8=":2,"sPTnbQmrNOyx/qW0Xu4g4cu0aR4=":2,"siHaDi1iEPE3xPgGISfpfwb8h4M=":2,"skXg82RVCi6BZHNRI23RIG2DRC4=":2,"sunLW+vgbWmbUrarV07NcFmnKgE=":2,"t/DNJowu9uHR/kBc3bc1Nm7+9lo=":2,"t97bh7mYz2gwiY6nU+/w1i9dgZU=":2,"tBZZ8SUVG/FjRUpROxHXX3KaCyw=":2,"tK2lpUcycitAF1Et7B+/ZhiQ0ZM=":2,"tPPRnCQb4zC0dD4BJYFC6KAMVWw=":1,"tR2fhHtwBTc9bKHWDB/g0JFDNBY=":2,"tWRGM3CFPPslofcsSqj6vpcd7JU=":2,"uBMu4M5/0KKZY37hxUNLN39LPtA=":2,"uKsvvIzSMOyMR+4LPExkT1A8iDA=":2,"uNmw0kNAuK13LWxLuTZiaO140LY=":2,"uSACpi6t4iSWKjHFN6UHju08OB4=":2,"uf4z/h0h9ZnyOD7ycAiwgx/aHFo=":2,"unvMMzjFrurZix1N1pOtUC+RriY=":2,"utfiG74gl+SIxnKipbPl66ZNVWc=":2,"v6RXBuPtNohU+Lb6MHwV9z4lt1w=":2,"vD6n6Z9JW8prLB0rVlTt/g+4cCI=":2,"vDX9FACK55aBjFOaPdncKX2o+Bg=":2,"vW9hX9bdu7jEnh05U+zjXI+SbA8=":2,"vWbt1X54cCEDXSdUl4qpqdCohNE=":2,"vYmUY3JR7HpU6cV3sp31ubgx+YE=":2,"vqAjPDOmXZGBn833qAWFeo1PtsU=":2,"vqaClXLm/YZ8MhiUAukne10yy/o=":2,"w1vJ0NG9kDFtUNHq8zCMuDUVb8M=":2,"wAsstIPtDtjSlxUGn0gh+TfTWmQ=":2,"wJ4TJKlTMrrNezUg8dfBuOltq4U=":2,"wK4Zb71UwMahGOQFp0E3RYeMfYw=":2,"wZinPjTdOm5rrXI4u1NIKiffmp8=":2,"wib9u5YbRGJAqT5Bvh9zNZp4iTY=":2,"wqO+JoG3Un7fd2bDdvRxfAhbJ3Q=":2,"wr9Z2KN9f3Tq2jo3nTe3DpsNr54=":2,"wv3DmXgFeOrq/dbsherqtSjmrO8=":2,"x4c04qHrWNjtvJ2XgQQpd7wW1rA=":2,"xFo5PPJwZaq7i4dWLyzXeywAOEY=":2,"xUJ/eh98DaHs0DxWLA9fYYD6PzM=":2,"xgEKSqpgWJmo+flxFClV2/NiOJk=":2,"xjHJCBSoTdEQjebMV8aARzFcEkA=":2,"xm3y8sIKteMNAiUYEkt/ocEG7VI=":2,"xoxgp5Cx/yYkyO4yumq70s+D5t0=":2,"xtOFUD8jRLwrgCyGI5QnD7K+CG0=":2,"y0OlqPMUw6B8jvG1d2F9DOvkDp4=":2,"y2Kf0efsIVsF8PYgZBOV7tc5AfM=":2,"y2QRZhLYezQlVyzaDO4PEKbAmAc=":2,"yAXQT+zYHydb1uUhkuwtxm5At5k=":2,"yAyH2ZVkhzgat7fcC+nSDXQ11jw=":2,"yKtZdPSQMfJNQVKjIJ6noDw07mQ=":2,"yM5jN0VjPFKIKpUqRuN5KyRPd94=":2,"yad44gD7FAnezf8DgiIRZiDGlRY=":2,"yekkHNxtLVYK9WvooNiEKVWXabA=":2,"ykSAQyJm33Umehd0Txp/8rpum2I=":2,"yx1gN4z+x0naLVTbhc4/HO1c7cY=":2,"yzJqCQsowhulZe3Hx/xsWOvlTbw=":2,"z6CTfToXHCMt/46aowVDcKOYuL8=":2,"zAmtiHUH7ncF4kcOLIROCCAtn5Y=":2,"zTzCkN1zga1linYQP6v2AyMYW5w=":2,"zd+y/4GyfV5LQFAHFVfIKQuur+U=":2,"zejOvMNeql2wesKjXICcANkzyPM=":2,"zvV3Pm+WpZE4xD79k4mjhrJu0gw=":2,"zwzjvFMamlRnd5MSmg2F0LgPqso=":2,"zydtsLKKSp4EUItk7o34H/+dTNQ=":2}}},"ukm":{"persisted_logs":[]},"uninstall_metrics":{"installation_date2":"1768370531"},"updateclientdata":{"apps":{"bjbcblmdcnggnibecjikpoljcgkbgphl":{"cohort":"1:2t4f:","cohortname":"Stable","dlrc":6953,"installdate":6952,"pf":"b96a7ce4-09e7-49f9-a145-790ad8a76194"},"eeigpngbgcognadeebkilcpcaedhellh":{"cohort":"1:w59:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"6fe2886b-4d4d-4cc9-9c28-adc4035f4d80"},"efniojlnjndmcbiieegkicadnoecjjef":{"cohort":"1:18ql:","cohortname":"Auto Stage3","dlrc":6953,"installdate":6952,"pf":"f49c3b4d-d0f6-4a1f-a943-26761fce1025"},"gcmjkmgdlgnkkcocmoeiminaijmmjnii":{"cohort":"1:bm1:","cohortname":"Stable","dlrc":6953,"installdate":6952,"pf":"4cf47ecc-e24b-4443-a041-0a40c11e924b"},"ggkkehgbnfjpeggfpleeakpidbkibbmn":{"cohort":"1:ut9/1a0f:3fb9@0.025","cohortname":"M108 and Above","dlrc":6953,"installdate":6952,"pf":"988b0fab-7984-4630-9120-963fbbbcf5ad"},"giekcmmlnklenlaomppkphknjmnnpneh":{"cohort":"1:j5l:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"681c60bb-3087-48f2-9723-9da1a75ba6ee"},"gonpemdgkjcecdgbnaabipppbmgfggbe":{"cohort":"1:z1x:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"45862d59-6d4f-4b71-a340-1b7810f433c8"},"hajigopbbjhghbfimgkfmpenfkclmohk":{"cohort":"1:2tdl:","cohortname":"Stable","dlrc":6953,"installdate":6952,"pf":"a3023dae-0763-4575-88b7-c4f6adac82a8"},"hfnkpimlhhgieaddgfemjhofmfblmnib":{"cohort":"1:287f:","cohortname":"Auto full","dlrc":6953,"installdate":6952,"pf":"01e671e4-a674-45e8-ba3a-65a42cf0197e"},"ihnlcenocehgdaegdmhbidjhnhdchfmm":{"cohort":"1::","cohortname":"","dlrc":6953,"installdate":6952,"pf":"4a089bed-e675-46e5-b5cf-aec3426e9fb6"},"jamhcnnkihinmdlkakkaopbjbbcngflc":{"cohort":"1:wvr:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"84fd4946-efdd-43b6-bf64-48f3c5633778"},"jflhchccmppkfebkiaminageehmchikm":{"cohort":"1:26yf:","cohortname":"Stable","dlrc":6953,"installdate":6952,"pf":"2f8dbb06-7dff-414d-8d84-1bd8c9f3a048"},"jflookgnkcckhobaglndicnbbgbonegd":{"cohort":"1:s7x:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"da33a81c-9789-4633-ba97-278077723f76"},"khaoiebndkojlmppeemjhbpbandiljpe":{"cohort":"1:cux:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"7e359af4-3f8e-4983-89a2-bc150ffd1bc8"},"kiabhabjdbkjdpjbpigfodbdjmbglcoo":{"cohort":"1:v3l:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"9712df40-a230-4219-8b71-670bb11216a7"},"laoigpblnllgcgjnjnllmfolckpjlhki":{"cohort":"1:10zr:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"5f362b92-91e2-4d75-b4d8-0c1f5f3ef537"},"llkgjffcdpffmhiakmfcdcblohccpfmo":{"cohort":"1::","cohortname":"","dlrc":6953,"installdate":6952,"pf":"ba2c6045-898f-420b-a67d-719f21bc7c66"},"lmelglejhemejginpboagddgdfbepgmp":{"cohort":"1:lwl:3fa9@0.1","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"4733d57c-798a-46c0-814c-797b5562849c"},"mcfjlbnicoclaecapilmleaelokfnijm":{"cohort":"1:2ql3:","cohortname":"Initial upload","dlrc":6953,"installdate":6952,"pf":"71b2169a-734b-485e-9a3a-61f9e04099c5"},"neifaoindggfcjicffkgpmnlppeffabd":{"cohort":"1:1299:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"211c5d2c-ca8c-4bdb-8491-c342614911dc"},"niikhdgajlphfehepabhhblakbdgeefj":{"cohort":"1:1uh3:","cohortname":"Auto Main Cohort.","dlrc":6953,"installdate":6952,"pf":"ce18eb98-8779-4784-85a2-a58f456000dc"},"ninodabcejpeglfjbkhdplaoglpcbffj":{"cohort":"1:3bsf:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"fa98e7ca-7b40-4d4f-bc1a-dc088bd4356c"},"obedbbhbpmojnkanicioggnmelmoomoc":{"cohort":"1:s6f:3cr3@0.025","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"7754c491-bf43-46b1-a298-5c728d0e3349"},"oimompecagnajdejgnnjijobebaeigek":{"cohort":"1:3cjr:","cohortname":"Auto","dlrc":6953,"installdate":6952,"pf":"baa1e6f5-d503-4399-808e-3cc08505726b"},"ojhpjlocmbogdgmfpkhlaaeamibhnphh":{"cohort":"1:w0x:","cohortname":"All users","dlrc":6953,"installdate":6952,"pf":"e095aea4-eea8-462c-966a-ef17ecbc7f6f"},"pmagihnlncbcefglppponlgakiphldeh":{"cohort":"1:2ntr:","cohortname":"General Release","dlrc":6953,"installdate":6952,"pf":"55f3d893-28df-4b22-8403-ffb50bbb2038"}}},"user_experience_metrics":{"client_id2":"70030c14-5c89-4665-b273-89de3f954564","client_id_timestamp":"1768482818","initial_logs2":[{"data":"H4sIAAAAAAAAAD2Ue0xbVRzH771AKQcOXB4Hus5BA1MQaXN7aUvLghhAlMMjU2A8HPJo68YCRQYMnGOrBF8LZJWkKgoTRmAMlQmo6GRmBBwwIA5xsJjyGLKAmE3GS0Q2XM3Ozl+ffPM9v/M939x7HEbUI/HPyw+GsUDc5iBsnNq4JnBj5QqFjJOFKJUamYqTqhQi02bDsMDX7vhhaWRCoAiAlFyDrqC0SJKQ5AbknIyT8bwqWM6XAkGZWpWpUrD9J0VGY92FOzs+vu6JbxQV6/Ml+48W6Eq0xZKE7Hx9AM0ti9UNjhFASLGUmOKpUCo+8sfJiORj9FiEnqKM4UdEwOkFvaEk16CPMRTr89iV6iARK6ECbCto6jRNtdGPzvqKpjGArhMFLWigxmLAAOY9HTiNnOZ/v4sBHMyt8kDG6vJrGEDWaVOIitKqfDCA5jYzh2a8cDgGsHbE3oya/+wLxgBmWQpjCX92wikWpd9+MwQDmJw2KyZzvl/3WEVJnUsWDODNJc4ZOfc/mMEAnk1PMyNl72oYBnDa5LVN/BE/rW8Qnqy9+BTh7xormlHY2ng6BvD1sfzLRB+sXTtMWNmjo0mGT9e3TqHollR/DKD7wEYd8eT7hb6KdP37sqwZnn3SmegGg+0QuWPg8d3nkaJJkYkBLP/Avox4doYqYgnPNZ4ZJJzrl3ETPTE23/Nw/h2fy1Kiv1SVn4eCTrffwAD2z5hW0TtofBQD6OIZM0Fy1lROVz3uansolPDS3d6jxOMbVz6PUvNsrXsfRHb0oKjrdQwGsHpHu078t9v7lgiHmr543P/aX6ZWMqc9Je8bFG6sP48B5LvLDiLfU65DVs+UxRvdcK/XWzNfOfEK8S/EX01EXVEXJBhAx+vRV8jM4DRBKulq+X5xE+qdfOaWtbf6rUTUXfRHEwawdbixDKHPZda7Jx/68j7Zm/VufAyKzOBfturCq6GoLtDwIgaw6VuLFoXFFCZhAKMXBAto1OD/CwbQadeHK6jLtcHa7VxbRBTyPpRaiAHU/WzaQMd27bN+w6XjY87Iw2XEmqFhebmEsCncqZDwW5Udc0jwr64EA/i+aGEBldhN4Ifn+g39akZ76oLOYQB/S/VqIjl9hwMMhGu6U7oQ175i2W+bzgipI0Lrj6imnqOM9OytumHBxzQ1R3vyHK/i5HKFlNNwnFIh0/AajuM26UE3I7NDFv0eQ9cwe3VapSo4W50jfU2tV0oVIXqFNIdXhkg1CnW2MluuC9Hm6FuZ5sBOZm/c10nu6rZFG22pd7n5b7+wrIGOk7vX7e5pHKfOLbqlqOJWYcYlxln4/7MjWp4+OyyQMPeYxQMtXmdYhb3JhuKhw4H4/vHZPRlBYoaleReHzO0fNBc/Gv+EpcUMy/AuDq6OfYWXtjo3HgmuDl7/DC95Fo1WsZX2Yhv2bftZml6k/f8DW8rxYAIFAAA=","hash":"omXAq5JEgbecwTLqxiER0VKp/Zc=","signature":"qUQFFmsTdRsl8IPLrmuuB6Vods6a8mtqISDhHkKe3yU=","timestamp":"1768482818"},{"data":"H4sIAAAAAAAAAD2Ue1BUVRzH773Ashz2wOVxYN1CGDBFhl3vPtnFiAKjODzGBOMhJMauAwZLCgiZ2IY0mQPDxkSFAYE7mpEDYRlaUDKQgOAEQ4I4y0MeA5EPnps5JLlNh/vXZ37zPb/X+Z7r0M4dvFc3cyyTdRT94sCvH7Xc4LmyUoVCwkmClEqNRMWJVQphf4+pl+drdyxDHB4bIAQgIVOvzSnI9YmNdwVSTsJJZDKVXCorALxCtWq/SsF2nhAaDNVf31/39nWLeyc3T5fts/tIjjY/Pc8n9kC2zp/mFkTqOscwwKdYSkTJqGAqJvzn4bC9R+mBMB1FGUIPCYHgFZ0+P1Ovi9Tn6bLYpbJAIetD+dsW09Rpmmqg/6/1LU1jAF2Gcs6jrgqzHgOYtT1gDAmmpx5gALszS93RmaZYjAFkBY/4KDep1BsDWNlQyaFxTxyKAazqs69E5/7skGMA08yHowh/eVwQhZJn3g3CAO5NmhAhQ1nRDQzg1VX3ZRR/ad6MAbw9zzmhclP5DgxgbXJSJVK2L4dgAMeMnmtEH/brqoXwcFXTVsJX6ovPoZCVwWQM4NsD2W0k3l21kkFY2aqlSQ9frD5+D0WcT9yGAXTrslQjS0PgQwxgtl/wG0jbuTPN2sMLzzmRs3q9bQ+Zsehj+0ISX+8pjiI8WV/eTTjTL/U2enZguvVpzvvebWISf600OwsFnm68hQHsHDcuoyspe6y7dfaIHCK9VZSMlW7sZ60nmPD8g/YjRPNk651FlJhlexMD6BtdNE00T8KbW9Gu/moGA7jtJDOGgi5fHcAAlq2nrxLNTGPHPOFg48WNu1h5aLxA8jcmZF1GoYaarzCAspbClA3NqHkzuuVWo7POcu34PqL3OgXnST/NtvdOIqfakSgM4GzM9Thy1rE/4hravm/pIgZQnsRLJPtc+CfPhCxTHu4YwICax3GoJfcPk9U/H8ZEovBU2R6rZ/jXg1F1gP5VDKDpB3M6Yh12nMUARszyZhEz0mGtK9j06RJSvcS2We+iIWwXyrcbsnpV+5vRgo5u2mn1c8HggBNyd+67iwGsW1jIR883W4af+tkYKjiMZtfH38IAvl/SPElyfiScnSV5/Hp+r0Re1YHWuncSPU1kLt9efz3hipaE7xDXuGTebZvM8KlDfOujVFMvUgZ64m51L+9zmpqkPWScTMVJpUoxJ+U4uUoiVyo5jntETzkZmHXy0acYuoLZEsRxci5dqhAr09UasUKlUorflAXJxWqNVic/qFEqlCrFBWaEucRsif4+3k3dMGeTXrC5qPIvv5C0ruYTz6zaLWocR8/OuSaoopdh6o+MJ/+/X5BLn7ov5mVpSohwYay2l+djs8hUZByY/Kb4kzKjDSWDDq/HdA5OeKUGihiWljk77F/7SdP02eAZlhYxLCNzcfD8u3feI/dmKVtiL7JhP7CfoG3maP9/AUyA9E4GBQAA","hash":"sRooyhTCmPreZ2Vsp8SMH6rE/vU=","signature":"jE2RXPSiE+43DQ0I+A8dvaicd4/0V8DblI4b75cf6j0=","timestamp":"1768482828"},{"data":"H4sIAAAAAAAAAD2Ue1DUVRTHf78fsCyXvctP4MK6heyAKTAs/vbJghEFDMXlMSYYDyUodh1xYEkBIRXbUCczGDZmtsIWAhlMGQdCU7SgkYEERCcYEsQB5DnQ5oPnZg5JbtP1/vWZM997zrnnfu916uD2PqydPZzNCsRXnfh1Y9ZbPFdWplQGcUHBKlVIkJqTqpWi/t76Pp6Pw+F90siEABEAydl6bV5RviQhyRXIuCAuSC5XK2TyIsAr1qgz1Eq265jIYDBfeLTu7eOW+HF+gS5XsuNgnrYwq0CS8EGuzo/mFsSaWucIwKdYSkzJqVAqPvKX4Yhdh+iBCB1FGcL3i4DgbZ2+MFuvi9EX6HLYpfJAESuh/OxLaeo0TTXS/9f6gaYxgBuG8s6h7spRPQYwxz9gHAlmph9jAHuyy9zRmeYEjAFkBU/5KD+1zBsDaGo0ceiBJw7HAFbddjShhj87FRjAzNEDsYS/OyqIRWmzR4IxgLtSJ8TIUF5yCwN4fdV9GSVdsoxiAO9ZOCGqqK/YhgGsSUs1IVXHchgGcNzouUb0Eb+uWgkPVzVvIXytrrQBha0MpmEAPxrIbSfxnqqVfYRVbVqa9PDt6rNPUPS5lK0YQLduqxlZGwOfYABzfUPfR9qu7Zm2Ht54TUj26vX2veSMJV86FpP4em9pLOGpuooewtm+6ffQqwMzbS9yPvJul5L4u2W5OSjwdNNdDGDXA+MyurZnp222Lh4xQ6S3yhPjZS/ns9YbStjyuOMg0Tzfcn8RpeTY38EA+sSVzBDN88iWNhTVb2YwgFuPM+Mo+Mr1AQxg+XrWKtHMNnVaCIcaL768i5UnxvMkf1NyzhUUbqj+HgMoby3eg8ZGJr+wacZGN6G7btU621luHN1N9F6noIX002L/8DgS1ozEYgDn4m8mostRFyQYQOf+6BvIf/fSRQygIpWXQua58E9BPbJOe7hjAAOqnyWi1vw/6m3++Sw+BkWmy3faPMO/GYrMAfp3MID1V0ezEOu07SwGMHqON4eYkU5bXcHGr5aQ+i223XYXjRFRqNBhyOZV7W9GKzq0cbvNz0WDA0Lk7nJ7EgNYu7BQiF5vsQ6/8LMxXHCA8KcnWqZIzs9Fc3Mkj2/v7ybkZQ601b2f4llP5ubT56cnXNmafBlxTUujO+zTGD61n297lBrqTcpAT0ya+3jf0NQU7SHn5GpOJlNJORnHKdRBCpWK47in9LTQwKyTRZ9i6EpmczDHKbgsmVKqytKESJVqtUr6oTxYIdWEaHWKvSEqpUqtPM+MMJeYzXE/JrlpGuftsoo2lZj+8g3L7G459sqqw2KI89jZeddkddwyTP+JEfL/+4JEC+M1fTyJ3SJzJGPCL0XX0GS0o+TQ6b34rsEJr/RAMcPSchenjLWfQ5q/HjzD0mKGZeQbnDz/7rN45N8pY084iu3Yk44TtMM87f8vKwgPD/0EAAA=","hash":"sK7XydqVDzfj4PoMIml2xyK2LR4=","signature":"nwef4SBUKyDUUt6dM3ICYuKcxfn1OMVI5DSLW8sPqYQ=","timestamp":"1768482837"},{"data":"H4sIAAAAAAAAAD2Ue1DUVRTHf78fsOxeuMtP4MK6hTBgigyLv33yiihwKC6PMcF4CEntriMMLCkgZGIbUpkDw8bMVhgQuIM5jANhKVpQMpCA6ARDgjgLIo+BNh88N3JIcpsu96/PnPnec84993uvoIs79LBh9ng2C8VXBPzGcetNnisrVSiCuKBgpTI0SMVJVArRYL9pgOfrcPywJDoxQARASrZOk19c4JOY7AqkXBAXJJOp5FJZMeCVhKgOqhRsz0mRXr/W9GjD29ct6f2CQm2ez96j+ZoidaFP4jt5Wn+aWxCHNDhFAT7FUmJKRoVRCdE/j0btP0YPRWkpSh+ZIwLOr2t1Rdk6bayuUJvLLlUGilgfyt++jKbO0FQz/X+t72gaA7hlJP886q026zCAubsCJpDzzPRjDGBfdoU7OtuaiDGArPMaHxWkVXhjAI3NRg7d98SRGMCaW45G1PRntxwDmGU+Ekf4mxPOcSh99oNgDOD+tEkx0leW3sQAXlt1X0bJlyxmDOBdCydEVaaq3RjA+vQ0I1J2LUdgACcMnutEH/XrqpXwaE3rDsJXG8uaUMTKcDoG8L2hvE4S76tZOUxY2aGhSQ9frz79EMWcT92JAXTrtdYia3PgEwxgnl/Y20jTE55l6+GVl4Rkr05n30/OWPq5YwmJb/SXxRGeaqzqI5ztl3kXvTg00/E85yPvTgmJv1mRl4sCz7TcwQD23Dcso6sZ+2yzdfGIHSG9VZdPVGzOZ70/jLDlcddRonm2494iSs21v40B9I0vnSGaZ9FtHWjPYC2DAdx5iplAwZevDWEAKzfUq0Qz29JtIRxmuLh5FytPDBdI/paU3MsoUl/3LQZQ1l6SsakZN29Dd9zqtLazXD9xgOi9TkML6afN/uEpJKwfi8MAziXcSELh9a4ZGECnwZjraNeBpYsYQHkaL5XMc+GfQhOyTnu4YwAD6p4mofaCP0w2/3yaEIuiM2X7bJ7h3whDtQG6NzCApitmNWIFu89hAGPmeHOIGeu21XXe+sUSUr3GdtruojlqDypyGLF5VfObwYqObQ23+bl4eEiI3F1uPcAANiwsFKGX26yjz/1siHQ+QuIflbdNkZyfiebmSB6//t+NyKs20Fb3XqqniczEd8BfR7i6PeV7xLUsmffapzN8Kodve5Qh1KuUnp58UDvA+4qmpmgPGSdTcVKpUsJJOU6uCpIrlRzHrdHTQj2zQRZ9mqGrme3BHCfn1FKFRKkOCZUoVCql5F1ZsFwSEqrRyg+FKhVKleICM8ZcYrbH/5DsFtI8b6cu3lZq/MsvIqu37eQLqw6LoU7j5+ZdU1TxyzDzR0bI/+8LEi1M1A/wfOwWmU+Kf0nLyDFpDXaUDAreSugZnvTKDBQzLC1zERxc/ym09cvhsywtZlhGtkXg+feAxaPgdgVb7ii2Yz92nKQd5+mAfwGROX4z/QQAAA==","hash":"U5oOkkDLG+NdftthgOyXk+JUsEo=","signature":"66FwCvg6CfWq1s3QCYw8pG4g+fIbsyVFFqHj0nFIpM0=","timestamp":"1768482910"},{"data":"H4sIAAAAAAAAAD2Ue1DUVRTHf78fsOxeuMtP4MK6hTBAisSuv32yQESBQ3F5jAnGQ0hqdx1xYEkBIRPbkCZzYNiYocKAwE1zdhwIS9GCRgYSEJ1gSBBnQeQxEPnguZlDktt0uX995sz3nnPuud97BZ3c/geNM0dzWKH4soDfNGa7wXNnZUqllJOGqlRhUjUnUStFA33mfp6/09EDkpikYBEAqTkGXX5xgV9SijuQcVJOKperFTJ5MeCVaNT71Eq2+7jIaLRaHq77+nskf1BQqM/z23U4X1ekLfRLejdPH0RzC2JNo0s04FMsJabkVDiVGPPLSPSeI/RgtJ6ijFEHRcD1Db2hKMegjzMU6nPZpcoQEetHBTmW0dQpmrLQ/9f6nqYxgJuG88+hnmqrAQOYuz14HLlOTz3CAPbmVHii0y1JGAPIuj7ho4L0Cl8MYI2lhkP3vHEUBrD2pnMNOvtnlwIDmG09FE/4m2Ou8Shj5sNQDOCe9AkxMlaW3sAAXl31XEYpF+etGMA785wQVZmrdmAAGzLSa5CqczkSAzhu8l4j+uhfV22ER2pbthK+0lR2FkWuDGVgAN8fzOsg8d7alQOEVe06mvTw9erTj1DsubRtGECPHlsdsllCHmMA8wLC30G67ohsew+vviQkew0Gxz5yxtLPnUtIfL2vLJ7wZFNVL+GcgKw76MXB6fbnOR/6dkhI/K2KvFwUcqr5Ngaw+55pGV3J3G2frZtX3DDprbp8vGJjPmt94YTnH3UeJppnW+8uorRcx1sYQP+E0mmieRbT2o52DtQxGMBtJ5hxFHrp6iAGsHJdu0o0M81d84TDTRc27mLlsek8yd+cmnsJRRnrv8MAyttKMjc0Y9Yt6LZHvd5+lmvH9hK9z0k4T/ppdXxwAgkbRuMxgLOJ15NRRIN7JgbQZSD2Gtq+d+kCBlCRzksj81z4p9CMbFNenhjA4Pqnyait4A+z3T+fJsahmCz5brtn+NfDUV2w4U0MoPmyVYtYwY4zGMDYWd4sYka77HVdN3+xhNSvsx32u7BE70RFTsN2r+p+M9nQkc0Rdj8XDw0KkafbzfsYwMaFhSL0Sqtt5LmfTVGuh0j84/LWSZLzM9HsLMkT0Pd7DfKpC7HXvZvmbSYz8e8PMhCubkv9AXHNS9ZdjhkMnzrItz9KDfUaZaQn7tf1876iqUnaS87J1ZxMppJwMo5TqKUKlYrjuCf0lNDIrJNFn2ToaiYwlOMUnFamlKi0mjCJUq1WSd6ThyokmjCdXrE/TKVUqZXnmVHmIhOY8GOKh8Yy56At3lJa81dAZHZP6/EXVp0Ww1zGzsy5p6oTlmHWT4yQ/98XJFoYb+jn+TksMp22wJgUDe9bkwMlh4K3E7uHJnyyQsQMS8vdBPvWfg5r+XLoNEuLGZaRbxJ4/90/71Vwq4ItdxY7sJ84T9CCOfrlfwGDGi3F/QQAAA==","hash":"/0CEIYWPJf9Wx6iMg/LdGuWVzfg=","signature":"R12ZZxulEJyoI+hapQs1mG+2g83wCFhuRzE6qShvBjI=","timestamp":"1768482945"},{"data":"H4sIAAAAAAAAAD2Ue1DUVRTHf78fsCwXLvwELixbCAOmyOyuv33yMKKAobg8xgTjoSS1rCMOLCHPTGxDnMxg2JihxIDAHc12HAhN0YJGBhIQnWBIEGd5w0CbD56bGUlu0/X+9Zkz33vOued+73Xo5A48aJw7ksW6CK868JvGLLd4rqxUoZBwkiClMkSi4sQqhWCgz9DP87M7clAcmRAoACA5S5uZW5zvm5DkCqSchJPIZCq5VFYMeCXBqv0qBdt9TKDTmYwPN3z83BI/zC/Q5PjuOpybWagu8E14L0cTQHOLwuBGxwjAp1hKSMmoUCo+8ueRiD1F9GCEhqJ04YcEwOlNjbYwS6uJ0RZostnlSpGA9aUCbMto6hRNGen/a31P0xjATcO551FPtUmLAczeHjiOnGZnHmEAe7Mq3NGZlgSMAWSdnvBRfmqFDwawxljDoQlPHI4BrL1tX4PO/dElxwBmmPJiCX9z1CkWpc19FIQB3JM6KUS6ytJbGMDra+4rKOmS2YQBvGfmnFGVoWoHBrAhLbUGKTtXwjCA43rPdaKP+GXNQniktmUr4WtNZedQ2OpQGgbwg8GcDhLvrV09SFjZnkmTHr5ee/oxij6fsg0D6NZjqUMWo+gxBjDHP/RdlNm9M8Paw2uvOJO9Wq1tHzlj6Rf2JSS+0VcWS3i6qaqXcJZ/+j308uBs+/OcD306xCT+dkVONhKdar6LAeye0K+ga/t2W2fr4hEzTHqrLh+veDGf9b5QwuZHnYeJ5tnW+0soJdv2DgbQL650lmieRba2o6iBOgYDuO04M46CrlwfxABWbqjXiGauuctMOFR/8cVdrD7WXyD5m5Ozr6BwXf23GEBZW8k+NDY69blVM2bajO661WusZ7lxdC/Re5+EZtJPq+2D48i5YTQWAzgffzMRXY76zhcD6DgQfQNt37t8EQMoT+WlkHku/lNgQJYZD3cMYGD900TUlv+7weqfT+NjUGS6bLfVM/yboaguUPsWBtBw1aRGrMOOsxjA6HnePGJGu6x1nby+XEaqN9gO610YI6JQod2w1auZv+otqMhrp9XPxUODzsjd5fYUBrBxcbEQvdpqGXnuZ324Ux7Rf1LeOk1yfiaYnydx/77fapB3ncha936Kp4HMza8/QEu4ui35MuKal027bNMYPnWIb32UwdTrlI6enKrr552mqWnaQ8bJVJxUqhRzUo6TqyRypZLjuCf0jLOO2SCLPsnQ1cyWII6Tc2qpQqxUB4eIFSqVUvy+LEguDg7J1MgPhCgVSpXiAjPKXGK2xP2Q5BZsXLBRF28urfnTPyyjp/XYS2t2SyGOY2cXXJNVcSsw/UfGmf/fFyRYHG/o5/naLDETa6f/9prOK9LbUDLo8E5899Ckd7pIyLC0zMVh//pPIS1fDZ1haSHDMrJNDp5/9Zs98u9UsOX2Qhv2hP0k7bhAi/4Fo38nFP0EAAA=","hash":"mI328jqL1AEmwVetAhQzo7x4r04=","signature":"7YWjKYd7yJDzPxiSUqAMPLIIZ0+YxHoAtfKBYmj/t9A=","timestamp":"1768484202"},{"data":"H4sIAAAAAAAAAD2Ue1BUVRzH773AsnvYs1yBA+sWwoApMux698mCEQUOxuExJhgvSWpZRxxYUkDIxDbESQ2GjRlKDAjcwRzGgbAULSgZUEB0giFBDBB5DLT54LmZQ5LbdLh/feY33/N7ne+5gnZu36Pa6SMZLCu5IuDXjVpv8VxYuUol42SBanWQTMNJNSpxX4+5l+fjcGS/NDzWXwxAQoYhPTs/xzs23gXIORknUyg0SrkiH/AKtJq9GhXbeUxsNHbf+GXVy8c17qOcXH2W985D2el5ulzv2Pez9H40NyfR1jqFAT7FUhJKQQVTMeE/D4XtPkz3h+kpyhh6QAyEO/SGvAyDPtKQq89kF0oDxKw35WdfRFOnaaqB/r/WdzSNAVw3mH0edZWPGDCAmVv8x5BwavIJBrA7o8QNnW2KxRhAVviMj3KSSrwwgBUNFRx64IFDMYCVtx0rUP2fHUoMYNrIwSjC3xwVRqHk6Y8DMYC7k8YlyFhaeAsDeG3ZbRHFX7KMYADvWTgRKjOXbcUA1iQnVSB1+2IIBnDM5LFC9GE3lq2EhyqbNhG+WldUj0KWBpIxgB/2Z7WReHfl0n7C6tZ0mvTw9fLzT1DE+cTNGEDXLmsVsjYEPMUAZvkGv4fSO7el2Xp44zUROWsw2PeQGQu/cCwg8dWeoijCE3Vl3YQzfFPvoVf7p1pf5nzs1SYl8XdKsjJRwOnGuxjAzgemRXR1zy7bbp3dIwdJb+XFYyVr+1npCSZsedJ+iGhebLo/jxIz7e9gAH2iC6eI5kV4cyva3lfFYAA3H2fGUODla/0YwNJV3TLRTDd2WAgHmy6u3cXSU9MFkr8xIfMyCjVWf4sBVLQU7FnTjI5sQHddq/W2Wa4fTSF6z5PQQvpptn90HIlqhqMwgDMxN+PIWae+iOtoS8rCRQygMomXSPY590+uGVkn3d0wgP7Vz+NQS84fZpt/PouJROGpil02z/BvBqMqf8PbGEDzlREdYgVbz2EAI2Z4M4gZ7rDVFa7/cgFp3mLbbHfRELYd5TkM2rya/qvJig6v32bzc/5Avwi5Od9+iAGsnZvLQ683W4de+tkUKjyIdH5F9RjAT4ubJ0jOU+KZGZLHt+e3CuRZFWCrez/Rw0zm8un1MxAub0n4HnGNCyM77ZMZPnWAb3uUWupNykiPP6zq5Z2hqQnaXcEpNJxcrpZyco5TamRKtZrjuGf0pMjIrJKPPsnQ5czGQI5Tcjq5SqrWaYOkKo1GLf1AEaiUaoPS9cp9QWqVWqO6wAwzl5iN0T/Eu2obZu10+RsKK/7yDUnraj72yrLDfJDT6LlZlwRN9CJM/ZER8f/7BYnnxmp6ed5288zjHfIzKac+/91kRymg4N2YzoFxz9QACcPSCmfB3pWfgpq+GjjL0hKGZRTrBB5/91rcc+6UsMWOEjv2hOM4DWdp6b8qzf4q/QQAAA==","hash":"k2SUqGJV6pPH6u0/9DEHCo+Fzgk=","signature":"tM8ADMluDO+6qSGElUbN/ysRR83vP2zqxoW4AGxOaiQ=","timestamp":"1768484227"},{"data":"H4sIAAAAAAAAAD2Ue1DUVRTHf78fsCyXvcuPx4V1C9kBU2TY9bdPHkYkEMXlMSYYDyWp3XXEYEkBIRLakCZzYNiYocKAwB3NGAdCU7SgZEAB0QmGBHEAEWGgzZTnZg5JbtPl/vWZM997zrnnfu916uT2P2yYKcpkXcWXnPiN49YbPDdWrlLJOFmQWh0i03BSjUo00Gfu5/k6FB2QRiYEiABIzjTocgpyJQlJbkDOyTiZQqFRyhUFgFcYrNmnUbHdJSKjsffaL2s+vu6JH+Tm6bMlOw/n6PK1eZKEd7L1/jQ3Lw5ucI4AfIqlxJSCCqXiI38eidh9hB6M0FOUMfygCAhe1xvyMw36GEOePotdrAgUsRLK376Upk7QVBP9f63vaRoD6Dqccwb1VI0ZMIBZWwMmkGD6wSMMYG9muQc62ZKAMYCs4Akf5aaW+2AAq5uqOXTPC4djAGtuOlaj0390KTGAGWOHYgl/c1QQi9JmPgzCAO5OnRQjY0XxDQzglRWPJZR03jKGAbxj4YSo0ly5DQNYn5ZajdSdS2EYwAmT1yrRR1xbsRIeqWnZTPhyY+lpFLY8lIYBfH8wu4PEe2uWDxBWt+to0sPXK08/QtFnUrZgAN17rLXI2hT4GAOY7Rf6NtJ1b8+w9fDKS0Ky12Cw7yNnLP7csZDE1/pKYwlPNVb2Es70S7+DXhycbn+e80+fDimJv1menYUCTzTfxgB23zMtoct7d9lm6+IZM0x6qyqbKF+fz2pfKGHLo87DRPNs890FlJJlfwsD6BtXPE00zyJb21HUQC2DAdxyjJlAQRevDGIAK9a0K0Qz09xlIRxqOrd+F8uPTWdJ/ubkrIso3Fj3LQZQ0Va4d10zPrYR3Xav09vOcvXoHqL3Pg4tpJ9W+4fHkLB+NBYDOBt/PRFdiPpOggF0Hoi+irbuWTyHAVSm8lLIPOf/yTMj6wNPDwxgQN3TRNSW+7vZ5p9P42NQZLpil80z/OuhqDbA8AYG0HxpTItYp22nMIDRs7xZxIx22eoKNnyxiDQ72A7bXTRFRKF8h2GbV3W/mqzoyIbtNj8XDA0KkYfLzfsYwIb5+Xz0cqt15LmfTeGCQ0T/cVnrFMn5mWh2lsT9+n6rRt61gba6d1O8zGQmvv3+BsJVbckXENe8OLbTPo3hUwf5tkcZTL1KGenJ+7X9vK9oaor2VHAKDSeXq6WcnOOUGplSreY47gn9QGhk1siijzN0FbMpiOOUnFaukqq1wSFSlUajlr6rCFJKg0N0euX+ELVKrVGdZUaZ88ymuB+S3IOb5uy0BRuLq//yC8voaS15YcVhIcR5/NScW7Imbgmm/8gI+f99QaL5ifp+nsRugXmvyPu1+JLoIpMdpYBOb8V3D016pweKGZZWuDjtW/0ppOXLoZMsLWZYRuHq5PV3v8Uz91Y5W+YotmM/cZykXeZo2b/XNjPD/QQAAA==","hash":"mdS+ACWeG0yC9AdfHmYxn4ODEfM=","signature":"8uthAhOqHBTdQcP4XzTf2N9Yi6IcCLEvf45lV0yHHxI=","timestamp":"1768484415"},{"data":"H4sIAAAAAAAAAD2Ue1BUVRzH773AsnvgwOVxYN1CGDBFhl3u3t29sBhR4FAcHmOC8VCSWtYRBxYVEDKhDW0yB4aNGSoMEGQwh3EgLEULSgYSEJ1gSBBnQeQxEJny3MwhyW063L8+85vv+b3O91xJJ3fgUd3M8UzWVXZVIq4fs9wSubJKtVrBKYI1Gq1C4OSCWjrQ19Av8rU7flAeGR8gBSAp05CRU5DrE5/oCpScglPwvKBS8gVAVBgi7BfUbHex1Gjs7fx53dvXLeGD3Dx9ts+uozkZ+bo8n/j3svX+NLcgC6lziABiiqVkFE+FUnGRP41E7DlGD0boKcoYfkgKHN/UG/IzDfpoQ54+i10qC5SyPpS/bQlNnaGpJvr/Wt/SNAbQZTjnAuqpMBswgFnbA8aR4/TUYwxgb2apOzrbEo8xgKzjUzHKTSn1xgBWNlVy6IEnDscAVt22r0SNf3SpMIDp5iMxhM+dcIxBqTMfBmMA96RMyJCxrOgWBvD6qvsySrw8b8YA3pvnnFB5Q3kQBrA2NaUSaTqXwzCA4ybPNaKP+GXVQnikqmUr4Wv1JY0obGUoFQN4eDC7g8R7q1YOEta0Z9Ckh69Xn32Eoi4kb8MAuvVYqpGlKfAJBjDbL/RdlNG9I93aw2uvOJGzBoNtH5mx6HP7QhJf7yuJITxZX95LONMv7R56eXC6/UXOP7075CT+dml2Fgo803wXA9j9wLSMru3bbd2ts0f0MOmt4tR46cZ+1vpCCc8/7jxKNM+33l9EyVm2dzCAvrFF00TzPLK1He0cqGYwgNtOMuMo+Mr1QQxg2bpulWhmmrvmCYeaLm3cxcoT00WSvzkp6woKN9Z8gwHk2wr3bWjGzJvRXbcavXWWGyf2Er3XaThP+mm1fXQSOdWOxmAAZ+NuJpCzDgNRN9D2vUuXMICqFFEy2efCP3kNyDLl4Y4BDKh5loDacn9vsPrn07hoFJnG77Z6RnwzFFUHGN7CADZcNesQKwk6jwGMmhXNIma0y1rXcdMXS0h4g+2w3kVTxE6Ubzds9WrGryYLOrZph9XPBUODTsjd+fZDDGDdwkI+erXVMvLCz6ZwxyNI51/SiAH8+FTrJMn5mXR2luTx6/utEnlVB1rr3k/2bCBz+fb7GwhXtCV9h7jmJfMu21RGTB0SWx9lCPU6ZaQnHlb3i76iqUnag+d4gVMqNXJOyXEqQaHSaDiOe0pPORmZdfLRpxm6gtkSzHEqTqdUyzW6EK1cLQga+ft8sEoeos3Qqw5oNWqNoL7IjDKXmS2x3ye6hTTN2egKNhdV/uUXlt7TWvzSqt2i1mHs/JxrkhC7DNN+YJzE//2CpAvjtf0iH5tF5pxbcYVqofawyYbioeSduO6hCa+0QBnD0ryzZP/aj9qWL4fOsrSMYRneReL5d/+8R+6dUvaUvcyG/cR+gnaZo4P+BWXf94z9BAAA","hash":"IrdQ1TdYVIBXDBBHUTHg5JDVz10=","signature":"2BsoKWEjduuA3Q1Txj0ojy1eXupcZMd78FLpu7NoVxg=","timestamp":"1768484439"},{"data":"H4sIAAAAAAAAADWUfVBUVRjG773AsnvYA1fgwLqFMGCIDIt3P9nFiAKH4vAxJhgfSlDLOuLAkgJCJrYhTmYwbMxQYUAggzmMA0EpUlASJCA6wZAgzoJ8DkSmfG7moORtOvev37zz3Od933Oee0Vd3KEHtXMnMlgX6VWRsG7celPgzMpVqkAuMEit1gVqOJlGJRnsrx8QeNudOCwLj/WXAJCQYUzPzs/xio13BnIukAtUKDRKuSIfCAq0mlSNiu05JTGZ+rp+3vT0dol7PyfXkOW191h2ep4+1yv2nSyDH80tSbW1DmFASLGUlFJQwVRM+E+jYfuP00NhBooyhR6RAPHrBmNehtEQacw1ZLIrpQES1ovysy2iqXM01Uj/3+tbmsYAbhnJvoh6yy1GDGDmTv8JJJ6deYgB7MsocUXnm2MxBpAVPxainKQSTwxgRWMFh+6741AMYOUt+wrU8Ge3EgOYZjkaRfjrk+IolDz3QRAGcH/SpBQVRcXz9fZ111UU37powQDeXeQcUVl92S4MYE1yUgVSd62GYAAnzO4byFRaeBMDGPbrupXwaGWzL+FrdUUNKGRtOBkD+N5QViep91WuHSas7kinyQxfrT/5EEVcTNyBAXTptVYha2PAIwxglk/w2yi9Z3caP8MrLzmSd41G236yY+Fn9gWkvtlfFEV4uq6sj3CGT8pd9OLQbMdzz788O2Wk/mZJViYKONd0BwPYc9+8iq4d3MefrZNb5AiZrbx4ooTo2zf6gwkvPuw6RjTPfO8to8RM29sYQO/owlmieRbe0oH2DFYxGMAdp5kJFHSlfQgDWLqpXyeauabuRcLB5stSwmuPzJeIf1NC5hUUaqr+BgOoaCs4iMbHpj7lNeOWbeiOS7WB3+X6yQNE73EWLpJ5WmwfnEaONWNRGMD5mBtxxN9hMOI62nlg5TIGUJkkSCTnufQ0tx5ZZ9xcMYD+1U/iUFvOH/V8fj6OiUThKYp9fGaEN4JRlb/xDQxg/VWLHrGiXRcwgBHzgnnEjHXzfcVbP19BmtfYTv4uGsP2oDy7ET6r6b+Zrej41t18nvOHhxyRq9OtKQxg7dJSHnq5xTr6PM/mUPFRpPcrasAAflTcMk08P5HMzxMfn/7fK5BHVQDf916iez3Zy3vAz0i4vC3hO8Q1rVj22iYzQuqIkP8otdSrlImenKoaEHxJU9O0m4JTaDi5XC3j5Byn1AQq1WqO4x7TM44mZpM89FmGLme2B3GcktPLVTK1XquTqTQatexdRZBSptWlG5SHdGqVWqO6xIwxrcz26O/jXbSNCzb6/G2FFX/7hKT1tpx6Yd1uWecwfmHBOUETvQpTfmAchf/9giRLEzUDAi+bZcYXiZ/Wpbb+YrahFFD0VkzP8KRHSoCUYWmFkyh140dd8xfD51layrCMYovI/Z+BRbec2yVssb3Uhj1jP0m7LNDcvyUpm8T9BAAA","hash":"Uqhvv9XupRErjHxJtF1UF7DoW1Y=","signature":"BWg+WElE09pzuN6VuM/GzHjM0jJWQqYPeEV+BZgHXvE=","timestamp":"1768484677"}],"last_seen":{"BrowserMetrics":"13412919779958424","CrashpadMetrics":"13412958039243754"},"limited_entropy_randomization_source":"8FD5446D5FA7B76A8D4DD664D50EF8F6","log_finalized_record_id":48,"log_record_id":20,"low_entropy_source3":1891,"machine_id":2568378,"ongoing_logs2":[],"pseudo_low_entropy_source":345,"session_id":20,"stability":{"browser_last_live_timestamp":"13412958329505153","exited_cleanly":true,"saved_system_profile":"CKHd9soGEhAxNDQuMC43NTU5LjYwLTY0GNDJo8sGIgV6aC1DTioYCgpXaW5kb3dzIE5UEgoxMC4wLjIyNjMxMncKBng4Nl82NBDEfhiAgMjBv/8fIhNTeXN0ZW0gUHJvZHVjdCBOYW1lKAEw8Bo4oAtCCggAEAAaADIAOgBNQ77XQlV2AdFCZQAAgD9qGAoMR2VudWluZUludGVsEPKNLBgQIAAoBIIBAIoBAKoBBng4Nl82NLABAUoKDRHWb6YVx5LcbkoKDWwpKt4VDOTj7koKDchpjBQVmq9OSkoKDRAM+AgVc1mMH0oKDZWqlTAV3xdKP0oKDZnMB5UVpevDM0oKDWDccUsVpevDM0oKDZ98DEsVWuV7N0oKDVVZ4BoVgI19ykoKDbn1FPMVVLLq3EoKDdjqMA4Vj6OPL0oKDZ5aWZUVNcHzPUoKDd6QF/wVgI19ykoKDULF9fYVgI19ykoKDdeZryYVgI19ykoKDbihgqUVPfTTWkoKDXDRbb0VgI19ykoKDciZ9GgVgI19ykoKDTW8ZAEVWuV7N0oKDZv1+n8VZBo5lUoKDRPH9pwV9qos70oKDW0jOl4VZMQ7YEoKDZ4+JQ4VmTaf8EoKDW5uBMkV3xdKP0oKDX2RB3gVgI19ykoKDf/JgksVgI19ykoKDeKhj8gVgI19ykoKDWkjXdgVHNHkvEoKDe0fvS0VgI19ykoKDVGMbWwVLIqu1UoKDcTfkPMVuFxS7koKDQ8WSdYVWuV7N0oKDZKE3owVgI19ykoKDbn8yToVgI19ykoKDeruwXIVWuV7N0oKDf4m2vEVWGwEzUoKDSJMfeQVgI19ykoKDf5DsbwVRNCcAkoKDSeDAt4VN7W50UoKDY3/Y/UVgI19ykoKDeWuw+oVgI19ykoKDTqQrBoVgI19ykoKDfTvkKgVWuV7N0oKDa5XbLUVP4Cdp0oKDTK3eFwVgI19ykoKDfTd3B4V1ROdZUoKDVHAfFsVWuV7N0oKDR2IDeoVWGwEzUoKDbEE7IMVDp7ZS0oKDedNxlMVWasdE0oKDQvQRsAVKVvyrEoKDTNZBlgV3xdKP0oKDfD9dKMV9uMWFEoKDSqd+lMVt3Ppo0oKDWCHTUkVQ10yUkoKDVUIxjoVnCpuSEoKDaO23GMVEAkvokoKDUbnBucVAtnDzUoKDQwZlvIVNkEQvUoKDeKqQkQVdQXWSkoKDWTPkPYVdhk7bkoKDXfT0Q4VFA/M4UoKDaDw8HUVPLH210oKDZA/DHEVPLH210oKDYGEseIVAtnDzUoKDYkY5+cVdQXWSkoKDSPJ1JUVHZwsokoKDdpYF6MVgI19ykoKDSLLKG4VgI19ykoKDZK3V7MVMK7y3EoKDQUO8PQV3xdKP1AEWgIIAGoICAAQADgAQACAAeDhnMsGmAEA4gEWMjAyNjAxMTUtMDEwMDM2LjM1NTAwMPgB4w6AAv///////////wGIAgGSAiQ3MDAzMGMxNC01Yzg5LTQ2NjUtYjI3My04OWRlM2Y5NTQ1NjSoAtkCsgIkTLRUEziq6ANjdx59lfcjPWDHsX4b9QXxOQvdougSVzZM8w1dugIOCNDJo8sGGPDenssGIAPxAuTYAc2MzaTskAMA","saved_system_profile_hash":"8108CDC3FD1B8A6F11D1AD27DA6D3C4D9426E5F0","stats_buildtime":"1767747233","stats_version":"144.0.7559.60-64","system_crash_count":0},"unsent_log_metadata":{"initial_logs":{"sent_samples_count":0,"unsent_persisted_size_in_kb":11,"unsent_samples_count":3},"ongoing_logs":{"sent_samples_count":0,"unsent_persisted_size_in_kb":0,"unsent_samples_count":0}}},"variations_compressed_seed":"safe_seed_content","variations_country":"us","variations_crash_streak":0,"variations_failed_to_fetch_seed_streak":0,"variations_google_groups":{"Default":[]},"variations_last_fetch_time":"13412958278019296","variations_permanent_consistency_country":["144.0.7559.60","us"],"variations_safe_compressed_seed":"H4sIAAAAAAAAAOy9a5gkx1Uo2Nmtadkh2Srl6DHTGr1y9NZ0qav6VS1btnq6p2e6ND3T6p6HJONbisyMqoqprIxUPrq6mnv3CgPGtrAx18YYGwM2ErYxBtsLBhts4CLwQ5IHjJfXYthlF9bswof5vLy5sHsi8l2ZVdUzsgx886NnKjLOORFxTjxOnDhxAp3dXFtqPtpdW14try0f2T6xOdVZO7XYWdt51FvbOV1aW17sHGm0VhcPLy4frS4eXl1cxEcW2eraKa18cvnh8omdRzcXG43DRxePPHDw0Vnv6Ozp6U7V1B6Q/2EcXbG4unaMmu4psu1WpOo6unyJma7NjML+fb/5nvNS+Ra07xjVySJtB2AnzROuddIipnyZa3tE3Y+uX6RrTCcn2yZV2fYR07W764ya7pOSVH1WQvJJk6wTexl3V+gWOcVcDNR/S1C/wae82rZs4jiUmcdpm7rLmBpdWSrlQ3A6sjRbVtDEEROrBskAckQdy7f2acWeOjacQc34ooSuP9W0SdiQukuIGbTly8O0Zbp8a/+2jJZeosY8K6GrT3WYaMqpqBm/PUwzyoObMfXSNOO16JYVZmtEP2nWcsAKI+r+iTwa1QfRrT6Ber0fBSWPwsbt8itLM+XiVHF+ZmamWJqeuWXsrpHyHmJOnt7cGPWc5rMf/ZXnxh/5b8//P/90+ePSG6SXveyzbzgvTUjj8jfG0mPvFLrCH3u1WUsrlPf9/tMvwvj7koRuyOm4fjF/8PS/q87770fqP/b5P/qXV8SlfqWsoVcurq4dMWiDqtSgbrciVe9G48exZ2rNgq7eyJm8SewtYsegBFf1DSVd8MSVpZkZSM9Ol4pTUI3HJfnLo+j2RadraqeYpzXX2BZxVtttolPsEqO7WHeJvanZzDAqUnUVHfCJ104ws7Zo6jajek1UiOgFXb1zSGLV16FiJJhhMAoj6p0TQxL/NnRfTGjDUleGo75xq/yK0kwJ+Di9MFUsl4Cts5ytFZ+t8jdG0Q2Lnk7ZMtGYTmz+e4UaZINgndgVqTqNCgEry1PluanS1FxB4hLNRwOkYNDHkeS+SFegy5dJHXuGW1CrRXRFbVFz6RZ2KTMLI4OQj6LbIjHlwwGhib6EjqHbYyLpT0npR2ljnxx14znB7+azf/eJF8blD12JlEXPZXVqGIu6DhPKptdoEAfa6pw0T3UtajYqUpUlmD9bmpqeKuxRHx0GW54eDHMMO5uuTVtkGbtYxQ6p/oKEZvwSj9FGk9hr1FxqYhtrLrGdU2yzyToxQrFalQ+im9rUrJleWyV2TQuRai6rtbGrNWVp5ptZ9c9K6FXpqq9Rx6FmY8gWKOhGaEFbIMWbIBolS/PfzAb8vISm/QYcZx1ir+HteMVhfenDerzdl/Xf1Jq/T0L7/JqfYtaprkUS1bsNXVGnxNBrLuTI1y5MVqYnp6cm56Ymp+cmS9OT09OT39T6/Rd0k1+9ZMauBxW6oOItdPUydXqHsfxNa/CV0VT665dXT6N7Y3PjIGqFEfW2iSFqVj2DDsVnymHoKsPQ7aBX76K6PY0vjKizExfEtW30wG4alFmyciEli6VimmtAC6Vgqfj7v3hhXP7KKLorpEjPMJesMHuF2W3sAg2z4awwe7Fep9vEqUjVB9ArgikkUL7uGZ5AFaNSL+sHIBVG1Hsmhi9CReUMJg9RhjJ0GRu3ADungJ3lykJxKlInp2Z9vecTo+jWkJypr2PH6TBbd1bNTdwmm55dxxqpSNW5Xn4eHAKzuonu6WVkHnRhRD04MQTRU+E4jrOuH1VlMNUYs6ZLM3FmlSuCWY/8y5986Lcve1ySPzmKDgb0lonuWQbVsEsWNY15puv3d94NK71su30o3OrZcFKJGNcHvjCi3j4xFOFH0GQv8wZQVoahzBk4PQ8sK5WTvW3a721vugzdF1ASfDnsdU+wzjruHscugX58ZNsltokNo3ucmi2iV6TqIkKB8jc7VSirpV0TARLh5puTkHdNIqaVj1QPp7XyCyDIUKVHwkPiQoETuy7QQgu9kt9FicpuS9zYDxuvcEM7PSfm89/61+fG5X+8DD3Qj9xpS8cu0aNVY5NozNSPU5OIea4iVU+mOsZrL5IkEEx0k9fKF0kw0WnW053mosk/JaGVofrQQFJQm4mLrM33SujocB1sqOooF1eddOebEZ3v3c8+Py5/fQy9Kkl8hRoGNRvrTWaSJZjW7O4S04lzuOvPb/GPFal6Lbp63SYWsSnTa34nLKQ+B6Z2KbmjP5HuBg/IF1OZ6vdIaDmnE+yKENRk4qJq8iYJHcnrALuuinIxVdm4Sh4rzUwLkT/1N8+Ny38whl6TJLjmGS61wErxhEccd9U8Q23Xw8YStvVl1jEd1ya4fcQEE1KbmGDD3exdzh+8WLLVt0bDJi2/3dIqjKgPTlxsfd4moWN5UryQCikXWaG4YlaeS+gV5UiLVZKFnCCdFWYtU8cycHeZOC2XWRWpOt8rwNuGQc3cOuaDJ7eOfchmbh3701WGoCssyaHFs1QuRybPuUAZ+/AYKqZIMRN2DgZYUPXjrIsNtwtScfyxd3Hz3mJ63puSd1l+tY3m86QwABWKm9htcWaoofVKZ4jylF2WJ3a/XEpz0+Hu94d/6kvj8u+Oov1JYpt4iyyaOqBWpOq9KU3ohj7gAJzQcm6Q+wAnNJhDaRH2RV1CSo60YlBAZKIPkWV0ME8GKSpKPhXBWTEeKjMBZ7ke+ikp2o/5eJ5lMdtdYfYx1gYKZ5ndqkhVPcFj6cG/+O7zknp8KGx0++r6sbD2kAFf121IxmyZT0qS0FqiketX9VP/y3PjcNR05cu+/oPnpYk90ujYZXvkP9uDbssr/QTmpR9pYwod5D9FlS9NFZB6YjhMdEe84v6ODwB4blRzoB/0KUFfHoq+PCz9WDdcr9bS3fDFLu3RcI/c03MzCRdG1DsmhqpC9bHwGK23P+fSVoaj/frwFM2sDdfSwoh618TwMp6Kqj48fWVI+nHj3/x8Yvr741F0b4oDXdNtEpdqm8QgmrtGXJtqznHWaIh16sHehX5yVzSqDTST1wf64RVG1MmJXRXURLO5PWJQScpuStrYL+8BReqeSIOa9U1b8neMoZsfZZ4Nk6a+atbZYRubOjUbq+YmcV2wK1akahFdHq756q0DMQA+VAbUW+WB8Al9oZwe5UMQOInuCoU2ABYITgwkuI7ujoQzBEVlEMV4LwebbGwp+sIo2heIc4Vub5COTV1ib3gG33LeGWf+RD4oAEZcn5DzARPsvjfN7n6Yi6GTRTQ40kBAYiKfxOFQO4h1+ywaSi6NBC/Dk+Vf/MLz4/J7x9DNAdpqw2Q2WWoSrQXsO2IQ2FY4fDuQPFYuT80WytCxB6ACYuxcP0SUByIm1KmsHj6IQLyHD4AVPXwQwUQPH4KiMoiikIo4dZifCqTyhre9MP7Is9/z3rePPS7Jfx5TXMCRiG2RTU/l583MXCYu0YAhZ6YrUrWB9gci4uJ3iBu4UpQLSD2Gro/1DjgHOWVjrQUHhpNBxgaxDKyRJQwuL2eJGlT0cHeDmDqxib2qO1ULKemCFk39tENWdWe4EtEuS6wlj0PDAuQXq0mxzraSdKzKpu87VmVnphyr8ikouRRaaK6nCkO1pDCi3jexy8Yb4V4xVt2hS1N2V1piJpoN+vxP/+Nz4/Kfj0VTNfibGes20Snv4DAFUVQOul0eVG2ziXXW4TNNrVSqTc0XpPK16Mo2wNUwTCAkcK6byC+s+gZpiLL4fESSZV2TKku4+u1DBaeNDaNWZ3a7ZsOE7Lss9qtEGcnxmTMoI77a9ODE+jHOXHrSGMmlp4de5tKTRUPJpbGxNzQwPjZKTd/I+Pdj0RywblNmU5fu8I0o7PNPboEvi6ljl9ndDYI9t1kBh8fkzuy+XZIAAomt133yLgkk9lYPptekXZPLGuVDYSZH+XCFZY7yoUtTdldazpHCe37hhXH5uy9DE9GUYeBt3yq92oadWkWqvr53R1JFh5LquwA+2yRmYCTl5u4T3J/J6VdAlYa7iPR2pT/RwohanNhVNarnQgH3bFgGl6XsrqwjofknvmSkW18YUQ9M9OPOSugVmVgMsugofegkfARmMx0qvjQaqTa+o+822EVhzcDGJm2Y2PVsrtCvo5sDbyxqNgyyyTxbI7Wt6UAbmC9ID/7Sh78oqXcMR7OqotIKOJhtYLMlAJcM7Di0Dgf2lJm1CC9exkd5GfJwZSz2uLQCiY+/5fzQJGIK4vT0QkJB/OvPvPOXfE/6v38GfKrH5M+MxRrfZJ3DnqoaxDmMHegUwbjlDH11jzpfKiSZ1wcfsFM6PceWh8NO7KXm05PosFSyDE/9EJKGp76kMw1Pg2grQ9HemIDjBt9ta6FYmvIP3r7y0RfG5d/Zg24MiQi71XHscAPQuk3qdLsiVXGP4MoFSX1oACK6J8g+7ZATpIFBOVnHLjghgBOUYSy6rk1Vz+UeXWnp8iLk/kXIuyki0QW+Ld0FXtSiHkJ39PaTLKqFEfXmif4FV4+jOzN6Rh41ZQA1gqZ7qja4RYUR9dDEbjhQD81zsUoPV46yi3Lizuuz5WCu+sKXXxiX3z+Gbkmxgi9dLtWAHSvMrq5zF7BeG4OkKoNxAbPHyCCpijwYM9ETp9M9cRgKD4dWgZ4O1gMMJCcGk9wIXQF7u1kmTWUgzcTVgtDU8H1ffWH8kfO/9Le//0r57XvgfkaCyKZlUPcxaoGfAD/ST6rfS9FqAZtzw2CdNWaTY12rSczjtEWOY5UYTl+yQDShki/JQxGV+xJNqOmn0kJ9UYrIWn76UUsuP/0gs5efQbSV4Wgn77zkNi+485Lf/tSdl76UlH6U4vaAudAe8Nm/e2Fc/sfL0U2A2YZT4MAVdamJzQbZdD29e6ZckaofHOvZLZSPoNuT4EvY1Ahoj569RbqnbNpogDFCPtBdW/LW59Zm2JTXMKvTT5S0h6bWmw8/VC25j5SX0W1JMsvEwN0MKs25SnuzbTeOx6hszK2cXV5eO1M+jJQklSO2zeweGg8vzhxZsp+wTsRonC6ds7364hO9Ndn0NI17iqeoVFsta+lo67FTMSpnZyqdraOmXZbRFZbNVCyu0sljpeKUStFBbpY8zhrU3HSxSw6TOrNJsjh0o297TIuB2FtUI+hgunaBhXLtCSM8vYn76Q5RpvDTHQIw6ac7JGVlKMpx5aEvB4Ty0BckqTwMpKYMoBbn5hDcF9wcRkwJbg5JWRmG8sa9MdeCcrEUbQlLvroQuzkq/xwaMPjB5P1RKa0ylOYKZfVdErqbi/cMdfyLo6umwA0ogbX1LIbzEXTINy37viUnzXXcIMcZBpjjBLeIvmQTnZguxbCabbrM4t2Gl3DSXMGUX79qUFO+CbyyDIZ1bgRbYXaqP/20lL7XE1RYHr7C8q4qPKhOcr8GJQ9hPiSll9J/s/XWwisj/lwzTAULI+q9E8O3p6qH+nsw7wxbirKLUuLmqt0wUJirdoORNFfttixld2WthbOhWesv6cKIesvEoJF1Ijzsg6oPpKcMohdXlPp0NKEo9euJCUVpACWlH6WN28CkGpoOytM9d+25w/ZfS2jf4haj+inbc/jUaeO2s8QsYfiZ7LWtTuQjJI8QcoD8I4Q8EskjhD40lFwaGzfKLy9NV4pgCJuK+WcGV9L/cBTdchhrrRVmd7Ct8wOos9RtbjaxTbhbGb+Xfl/P/nKhcBcEWTi8kokCCKltJUeQcxFi0+U11XvSs2UfxPiRYw6MOHLMI5A4cuxDQcmjkPApCrfvT74H7gBI6AZgb8NmnqmfwqqzarpgtTSDo7nXo9s2PcfF1CT6+tppu0FMd5k6GrbBpSNY6WYL+9VpdEMfSPmaVbNOTeoSKGXFJmQHVJLVtBwEqWxouV8BcQmVE3cow63Hvzzz3DgEObjmMMEaM2Hm4vNY4C/VDEdQbavE3ULLN6O9cM2rwexuzYJ+WzNxm8gvCz6WD6CrIgBhw3o51mzNAhLqddllVe9IeZ9eJ2fDJRbpO9O9Lg9rAd0YdbkMAECdyEa9H90U62w5uEomLuc5xDYozk8thP6lv/2N58cfl+TvHEM3Hjao2TpO60TragbZ1GxqgfeeSnWdmBWpOpsOLlECT4CbByACWtIWL9DkAWgJS8JUmrUD0eP7h76QYv/Qn1hi/zCQmtKfmpBDhV9BjFxPfvnjXxqXnx5Dtx62WQciGhyjDhzqLWous2HQN2ze9jXYeS9kTKd74K7rQGRA7ZlY96gH5SFQYxJ5rDqTlshQJOI3bQdCi5u2g4kmbtoORVUZTFUco/o21YViaToy28kPoL1LTZu1CWgsJjE2XZBFZaRaiLzf9H0fft8XpY2CfNnCVPEegfz2d7/p8scl+dNj6E6Bv8p1MrcrjAn+KZ44wICTKAqj7r+iq4JIOLU1olOvXdDL9yBEzJpDXVKjYME4fsQ90+52KnELxlH9BO4yvbw3aXu4bKo4VVHvHroK1VroUQsK/VA4hRH17omhC3g8vMfOlfmhS1CGLWFjNXmW16vHlEeJ6St0/L+jh8ujdbu8p25PLi2WR3VSHrXc8ug5LH9uDDa4vcUuU42cJaoocFHTiOXye8HfIQ0hv+0j7jyZbcxvxOR35rH5EzNrp09ny+/eXdQitSUbEivYkg1bSGpLtotSlOFLeckluUw0A/SZYSVZPn7Yco5vn52JSfLRjXOPHrXaZy5ckkEtdifJAGtISYaF7E6S8VKGkGQA/mJK8ofHkJJV8Aq1HXfDM8O5dGcICW508eFHp0+03JgETziP6sdOnJjLluBtw5SeuJw3GFxczhuCbOJy3nB0lSHovpji+dUxdFdWicG+P7XgPTnMOHt07tGZ+s4mtuPW9hMP6SvLZ89mS+me4SuRiKwyLJKIrDJ0EYnIKrspQxm6jBdThp/Nk6G4HrZGTG+ZOmB55nPl/4SuDEV4nHV65bd4bHO6aa2VmzH5nTp12rFn2mvla5Ly2zNVnOojwIwaDBZgBlIfAWYVMViAOWXkCDADOkuAyUiLwwvwp8fQ7QPKDUfgfxliAM4ePlPqNlaO6fEBeOYJ8lDXy1E57xyyAokgjkNhiCCOwxFPBHEcmroyHPUXc8T93Rgq9Sl0nWotYi/qenBBMxDem4eZPvWHm1tnuu5i4rCyrS05j22b2dKbvoDaVB10/zCSzMYujKjTExdQqIteNZSE80tVdl/qiyn5N1+GZrIqIEriBkDQhoPyCdi9YNNakSC6yWDhH7FaamOzyeK7xUfqW1uPMq+dLfy5C6tQtRvGaMuW/yAChRF1buLCit5Br+nfC4YpW7mgsl/MvvCnY6iYX4d1m7WZWPLjq+8bh+kFxzc7pnXmRGMubjM4N1s9Sp1qdi+Y2m1VEqEQdocqQiHssrhEKITdl6fssrwXU85/NYamMkvvUFdr+l1sxWbt2JojJD1A0VK99c3Wpnt2Le4g06YPN3YeKuUoWuXdV6X6RBi2K0fSfZALI2p5YvdF2uHikiftAWUquy7zxVTI/scYKu+mfLHuVKTqW4YZ3ersDjt9dAPX42LH2w9VuraVPbpnLqQ6VS9cbHcnd4FeGFFnJi6k2K0w6uguZR+Vq1xAuS/miP/kf0L7eQ1MSkz3iO4t8ktbS01qce+6v/429LIoBDpcZNN995VJtTvZMKjmX3F741l0tWcbk9z1cLJODQgmLH/9zOuU0lylUtRYWzmklE0dQhYRt3jOUg4pMypjrSKzG8ohZWFBJw5tmI4PurDQxm7TT2Dcwk6ziLUiNSGpal0cZGkabhhMxUb0gRjEhsjmBNsmNRthRpOSLTI9NTUVfnH90sVtPQ1ugNiMtaN8ukWMLicUfNN1XJ6ZD1NMJcFvaqumGiTOURb8bLl0K/htFD2H/4/b3fCbSmy3SBn/TepEDzNIywl/UxWrOEppuhklyDZ/YaD3g+0l037hBmnYrGgZfsL02Wp4Ni+hqNqQbOMdZhYxiX5rOPabCSFGSa8VT7YTiSL2kmmVpNJ2Mt3eTqbdWL4ewyWN2G8n+l2PwYvW+b/d6LdpRL+t2G8naibuhFxtUxunu1TbMmg9FKSpEce1w6RFttPwFtneCglalhH2HVtr0i0S9EabYKMd5bmsDjOlQdoOM7Zi5BwWEoOwog5cH3KJ1jSZwRrdRJZlEyv6QB2X38wNCnS8ItG5hNwmMXGTYCMafC51IexIVKzLb0phs2gSzk2PzxkmNc+FHXQLGxR8C0hMuFvYdGmdwAQRFrxFXSZ6qYq1lsscrcmYISSgYsdxm9ho+URVVWOGgYMhphJdxW4Tm7pKuswMRo1a71heCNPE5o4XJGhDY+026MvRF6oT7MSmGpU2sV1ssC3Ra2Bxgr8w10+6W5A65/Fh5YKbZgBhYK2lMmyH9TEYaxE3SDFdN9Izk8qM8Bdrxb+zllNsMNbgHaVIdf9jh+oN4joRWDtN0cbUtJgVJU19EntamKaNputYOOKEDU5b2HQtbGBfOKpNXWyaVAukqnrmOczLKLZsnu4SImYB1eu2Q7DuOS+om4aJrtMGdbHh9xYNG8TUOY/9dgm4tmpDq5gZjAINm1s4zLYJsR1cJ8wEw3302SQNmuanhm3mOcTgXC02W/yT4/bwXcMuNrrgbOTFvnRoKxC3pqmW6AeaZvmzp6ZTh8flCWB0c0YPhK0Rs4EbJJkyWSf64Hp2twhjFJLQud2og2tN0mjEf0eTvNaM5netVSoHPIKRqLG2hU0azrr8o87OsXia2DiebFGtFU+Dq0A8bRmegy0r/okvjEmhwWeXthPpDrMjSmSL2GGCeXqxTTWbOazuBl+oicMZk39wWtQwHJUxx/VLgxyzjkPVAF7OCNrPdKI1ST2W04yDudh0o4YzWPiIGJwBvsFsrDN/9oPpATqYG2ab57yGR9osImqaZNuLJV1iuuW05qAxZsCk0sBtEsHaxMXb+jmraOFzuFVs+CNaY56Fo07JPJtLy6+C1Q5/OTAPBykb73QT5G3Q0roQCjL6skOozXTmeMaWiBwZTceaR2LTnuYZrjMddmPPpkWDbhH/N/Occ6Ect8QcHUzhOrbxjiCr86SLsWkylxshgp6uq08kBq6uOXqKDDFgBQz7gk4MF8cqqJNoOoPfDnWtJnNDwejEiaSkNxvYDcuiDUo13LZCqcEX0c2KVounHY01wlwD9i9Boo21SYcZHvd086cwnWnNcInRmeYkh4XOmK2DvuonIUanyrbjyfio0e26zUK56jZVYX8fZoJakCRvMytOjlkwXcFPT2s5oHYHWR4DP9xgGiDYdptJUkTFXaHUiV++Ducn2rGfQn/jKa598V9cx+K/uFYFv2g76MdEY9GCQ3TNCDlGdO60FxahN4jpxdMUF7Fl8Z+gpXjtMMfydnai2gMr9a7POJjERSV1r2gR/4cTZDlb/o8tU/zQMOxZQ1Kehlsk4gCkQeQWsetEcyOwFi4arvhpYMelYQuDOYgYpI5N2H24fGYJBxwx2Hw85ZAtGs6OxHDNRjBwSRs3ijaIlJia3QWXg0lXNcvFhgPDKizSPMcIjZF0CFdcuMYOcea5p3WkGcbkCHSIgw0SdGniOiH/XaebLGcbtxss3GBB0qE6iSctHE76ZFsjRDfaTpi2DGanl946tuvE1Zph0nHF+u9Ls04boT5Rp6ZZNBn/5TaobUzaxMJayynCQOWft4gdcLLeilbNukG1lh0lrBa23XRSMKBu0G0tnss0rHpGtDjVja2AWXX+hgQNdb46264zWxd6bN0mWivso3WbEAM2Bnbsg0VbqRTfuTSwATtOTXTyZqRiNGBTbeGQ5TDt6wYpdtw6T9kqNneY2EE2CGnRmNYNaafObP6/z9wGMSmEng/IEZMSvhUP0zuYbGHDE3N48JVpsIUORdggrOERx7HDtEussNM0iNvGdsvxRzIkmR1fcRrEtWwGHm/hTrlBXLdL27gRLmoN2m7RkA3UjabdYPFssAZxO7gRTWoN1vDA2ReHNWcUO3xkCI7YWCeOxqwQweZO9lGq3cY2dI/oi6kaHh/W2OkKhbdhE+y2qamHTLVZndi+EGzPYrgYziLwqWvuBAxvYjDj2DhUuZrYsrriKaag5U29To22RprENEmbir1qk1gOVT0b68HYaFJswlLiMp5QadCMZjv80dQCBjdZm8Di6YZppscX2SZzHRfbYarLtojtBHxq2oEe2/RUJ0bFa2Oz6MEyQifFlCwyaJG2G15AjqqqWKeoRreoFvCNCsXQh6FuOzTz0BYJmkmNtIZFDcNrUxO7JJQcNdgWsfRgIoaORM30xEPbuhr+jFYrGjTA1CluR/MANesM1H2Xmlr4yXFtT4P4HMEXGzbl1NH9+YE6GGuORompBfMZOHhqLa6xBEjbwYR6jhj4HG5So+2FX1zLC3vHOcrcwIB0rmW0i3UP2HOu7fp98RyjpuNZIKqg3ufYFjEdGNmhUnTOs+A+Uciuc57jTjptahCTbPsWuXPezszUJCyTrR3lkAIbDQHcKpUt7DY7uOsUucDgG24y5oq1v4VbTPUCwbewseUvrm0Plnr4RoiV1D5axFYZ06N0E5tYwzppB2t6bJfSorrOhS9+O3hyJ8gxCDWxuUNog/i2If4pkkfLJB03nMharBHTPlqw4WzwwgIbSMtzMWxROjiUcKsTLSoG9kLKBt4RY7HogpprqE/4Nee9TlMdIrpy0AmxZTkhhMpMjVHfVGUQ4vKNjV8IaRBTd1g91X0NYrNum9gG9c1doGYIxVbMbgbZphi2GrMhxjbFFjwO5wUTGijiHbpDgkaA6bOJY10cvsA+zmmSyMxgsAYFhcdpm422G36kBjOZS/x53mCdcPI2OsF80cZamxoGNsMZMZ2RamYba10n/K3b2MEuFVYhGNWaE1FutOMzWBsbMIs2xHwJKxBxi11s6mRbLM/wybUMjF0ngAGducs3dqGi53+MGc2gDAMiKjixDxBHXlyKiX10op2O0Lb4R9/WEiX1UNnkHzpYaEPhJ4hEFFDVGjbuTDZpuLXjb3dOJmytbUKcJgsTbZXgKMt0mW1FgwlsYFhnBlWhhxs9X6DmdtZX0YD0V26r7fnKd4/h1y07ppTwrzaN1UYPjIntZk8focGkIEoPLAhhth22mrr+EG4bCQ22DecDXS48PtTbTO228XaY22ZOU+wui26HfzFh/+bTYr4dve3oluM0sX0Oh93Nc0ApCkZtu4sT62m7KwxXsAsOPxE9VHjaoO24ocWi3Q1Sfi/oxqwX7W7EkS6ziBkrx8Rtrwh2K/7bs4UqJ1Y0E2/RNhbTu4m3trpp/pq+Cc8k2PCXFpNg22J6CACqWjgSTOKCQKIUqM5hquMQA4epbbeRrCjZdl1mWZGew60pbaaHaeqv/iaFzeoW/9UKGGwyDSykwcxlsqgV8EqZa4f6AcRb1SOjlmm5xAg1C9biGyBfwMygrti+id4JvdW3Eglooy12jczYFucE8IPvz+AH5zIztqMVghndtuXPArznwEQPVp3kJANCdFy87S8IzMZauBYyN7RWMBjjnIyFhQnSwroRrvQWBN6zcEdonha2cGhLDSG2LRyCqw4sn36ZFsG2TsJ5AZIOMyep6RrJT2GKb4cpt4K50UcPQo4ESWGWqdM6KXoOsX0bWXLt94FS37oO1Zy0pmdR3fa0ptmNdWqLtkk3XGgsakaanEXNljhK9DlCt3Fkz4AZO1Uqn8NxWwwCy3A7AW/gOMwIzNaW2YCTywCJhTZiiGeCDQcCfXka1nBsx28xp9mOdsbcaEW3iN/OoBgGxqBGUdMgYTVaEDMVh62BmHBbVCcs+sDvXobbccs23aLDkW2m0wY3CoZ5DJpGd+Jp4jip1dayQ77azGUugXmzaIIGaHUCO+ATHg3G9RMerESi+k94FIZzlLMTdU1IWTbf05IiXwGVQ4qNW55LovNDuOVLummhw+aI2E7Ds72WFzTVVmODDDYa1GyAoTr2xW0SZgfqY/QhMmXDN67ahDC66sUMbjZpw2GOKvJMTB0Htu+ToRkt9jH84hA4wOM2R9FbbKo128zUjbBYphqhzc5m5xrY7lA4vBLbWzHR2GyHuC0cdXPb4+ds/qGYj+xzz1+qHKzSwC7hYJAu74dRJ3QwbAtNnQSMc7CBdSJO6DRGnDio6XJtDPMjBduldoizRdpdbuqJvmxhBw4qQZH0v2lNsSmHChvpIx7xMWYyE81i6jmihUqm/y08vPR3UTq1o3nT0Vh0CuhoNlX1WMJKzTQOIQ7uFNuE/zbqDgQPCYtrYmxgHKXqWHDeaRIaMqzJLBIdwEVJrvOHyYCJUbrdjdJWDFYITvzmCwv8bjCmdyINDz5FR8tO04OYa3wTGXyibc8QOoxfMHVc0sZMBcOMjes03gkiizb8TE283BbesLHVLAr+B9+cyM7stIzQWuq0bOa5O8UGJ21QnYBWFPR9B7bPcJ+RFE0cnf/wz6AITcI8FXw0sWWRwPbtMM2O29UcZnaN0HfCYVaT4hDUxtGgdkAFj9sRHCuy98BrT04z7sPhWMyOllqwZMQ4DUMXw8FnF7eJG3YNF9v1aI1zXILbfFMVbqf5p4TWyb/EV8DgM/UVD8elBom1wo1pSo5r09BCBX2WsGKd+r8pcTqEtEILHnxjmhdLxXO61DGwqce/ONiCIx4+AYsPXTOqtteK1dZT4Yieb/Idj4/VMMcCzdY0qSOOwx0R3CvVtzzba+DJrq+BOh3aCAe3O5WyaLu4Rby6COLgCxoOgZwm7hA1hGEqZmHCboTLjUuw1nQ1Gk92mWe3mQm7uYAg0cSGxSWhvcUlJrPD344bM4ZC0sRbYWrbbZJwVneb2IVFLiDdJOJk3W3Co54hxWZohGJ613FIN8qACRT+wi/UbGmwOwo/2PCMbJCibZKwubq8nEgbd9tRH3XNyI3B5W4HUVdzWYtZ/KAlTHdZm/FdgRjFLrOaodIIRlrR+1xLq3tOtHmAM47oaNm1sekYsAwm+gD/7AXnmK6Ntyfjg9W1wSckSph6N1ztXNvrEvOJJ8Ll13VtBsdcONxBuNxZTnRBlz+W7Wd4/qZR/KYO4bpCyBMYMjth9hZ2mpOe2SbhuZ1HdUxj4G3TH7aeGW1IOaDJVbIo5WDYaexgnhLTT5jpuOExpmdFYJZlW6pfkOVosWKt2IG655Jt7ATVcJnNTLAncgqu3dgKcjrMNgLubmlagLFFNJeQ0Ay9RXRsul6YMnXGxB57q2mAq4Id9kuhgbqdSM3eonoXt+HJFjv8QtxzOFyftmi7nTa+bgGjIsNHkNyJfnPznf+b27f839xG5v9uetFvPi/5v0XHDRJG9NuK/xYwfItGNbH8bqXPerZsNehvWw5hzhZ1fb1gK7AwbHm0yXz8znRwli1wOlhvdrBJ67Asia226PodbBg4OsfuYCNmavZTifOPDu7WccjhTsra1CHgIgU7HdH0DlFNtkWMMNtxiREs2mAe4GajoC60Ra1E2tBVYtuU+OaODjXCmapDt9tW9DsxaYMl0Rb6Fdz960R7Jt4NE/MVvEiDI2W70zGZHVlmt11bWE9EjbpgXw73CV3isHqdRidpXYMa2HOD+ndZqKt0mRdY38MPrqeSSbfptVUTU2OyYWNVjUiJ/GSKb5MTX0J03Y8dFRFwo5GxA86dBAuNDxKm7vta7uBwptzh6oio+Q6x+KmAGPA7FBzkAjCTwZGXsCVAmu347NhxcXB0udMVjmKA8vry9cIPVzWY1gr9cEdf9/ryHegAZIAZf7IN1saUr+7465T7isrry39yWQ9gktivXvY65a7X0rths0gcqAGkYNoPE1g8Xean2tjEDf4USAAL8awCUMsyuv5v/sopGBcwtYn/DUxK/k+N2G4YoD1At12qGQFwIBg/aQm36SDFDKoFRcEjBf5Ph2heWBzo3UFx2A4qDIcYsea1qe4Su+2n6tTERqoFflL1gvI0iOfFPDdsigG6ghtkN5jj0KBgh2k0pAiWef8nHN8F1TdN5planKkWjthId/yfsGXzf8bqD5wAa6ifhE2jvRXnqoYtV2vioLDQhSCguhVVjxu2IkDaMGOA4OFmELMRABjEcZipvB5ijh0npgMvRxi4m/A7T8QcywMSMcdySSRijvWjoeTS2JhIPC85NzuxB65Z8CAqj0vyW8fQgchx/qTl0jbd4Sxc4cOkIlVLURyW8r5P/Mh5CaIUxYrrRQKU4D2y8r6PcxR5AEoi+FNWhKL+6PEIRX0hRYSi/sQSEYoGUlP6U0sEBp6OPxT0yM+/8evv8t8++PL//iVpQrpK/isJ7YvkcdqCWWCp6ZktEbTr7vg1BnjzNVZ0EjjxFmsulHiLNZ9I4i3WvlSUfCob+2MBUyHy3R646BH0wN9LtPgMaGhLVLjdiTfwegL9XYNkKCsJWp1FNyTam8wujKjXTGShzaEDyRb24ikZeOJdEPEwDISfii6vzPuXVx6X5I+NoVuXWBvs49glR4kDh+3isTNmn6Jtwjz+KN23o6uDCFQO1yt4DPHya9GcFmLXGgK95vp48AhTzWBmo6aLcM41B57XBuf94Gmog0MUX70fXR3EsIoVDhGoBuMmworFw1ENRBXhqAaXkAhHNRRVZTDVRIzAhcTbXT91BZpY8hyXtekOEXeaoidNQFb/KqFpX1gQehBC+560oqdsoAhnndibhIcNjsX5K9+Dbm/j7ZoWUK9pnHwNey6rOU3WMWtc25Cl2XIZTQ6CdfwSAhy1jhR4dtV/EDzViKCeaOKEm5cn35aPHzGh+rcSuieDAydNjXwrGl56yRr+NQkdiDX8FOxcKTYurKlTF9DUKbWOhqpq38YOwazqf86MVFkfBnc4Zsp9apjUBeKhfgaXLkL9DNHCRKif4egqw9CNP6gwDCPEgwpD9b/EgwrD0laGox1/dStfMuLVrT6SS7y61Z+O0oeOiBcYPS80L2boD/zpc+OPj4K69PXvgaeirpQ/fyVCy5tH1m3SwXa7MlL9QwndFhujR9qW2/VzIYxzEDRzuiCVp9CYZxvy3U3XtZz777uv0+nE7H33icOw+wDTs4pNt22UD6BrdojNao54wbrmigcLxNXRBz//wfOS+hhEMyRa6xh1jxi04YfFRpf7dUC3bxDPgYdzbP6UJDUb6zaDJxBWmL2Gqbliw10IeW8IUeYIx5jjPilJ1T+V0GSsees2AUXrLFFXmOk6J9jG+jEO/81s5xdegnb+SXKNEQF+D9vMNehL08gvvgSN/KvkepLVrP3oapt/Ew2oNZnj+jeVX+wWP9enxVkt2C0boMXbPdFrpwvSg5/jJctZJWfyTg5Klocv+RpU8JeUqOSR6nyo/Pvh9ZOlF0bUayeyqlWthEGHg5D5vZhKJma8yIy2iSIzMpJF5mAqmZg3o0K8SOBcYUR9+UTAxuot6OoE6QBCCSHiUaSG4rmIIjUUaDKK1NDUleGop17wXBChZ5/8/B9BpGZYSj75FlhKJPnLEkLLHbxC+JOFFam6P/76+pXxTMiK3lu/Uo5nJR7iujFtx0jC3o72Rm8HhJ8BbCIOdge6JvYmQAJOicFtXC3vgZDU98QemP/6KLqav/YDDKkylT85UhmpNtCdsZknDhE+PFbbPLV4+PiRgrTvkx84L5X3oasWdZ1CO7DBEeQ9pamptqPuQ9elcnxSMO4eQNenXzSLCP/cB85L6j65D3qMm+PVB9DNURD/TJTCiLpvIodc9TVhbHoI4J+Lr+TgxzeNM5Vg0/gbTwf96GM/Av1oVP7Ry9DtHG+j3lwmwsceLAYnzdPcprto6svgeggvAc/Eu9idQ+JVT6O9UcDqqbYjDAAFqbwXIRc7LZGW9/DM4cmejOJglyKahQTN0dIuCM7ER8md8pBYMZE/nph3hkIX885wJSXmnaGpK8NRjz9UV5oLugt/H/PXJVRYVvUNsoXblq+ZV6Tq7b2WLrkXsFpC+yOWpDILI6o80YtSRhOxhmbgKD04G7fKryhBVJbifHm2Upyejz1864e7l//15eiqZWLZBN4EEM2vSNXfvxzJQT9ymVWbnamVpqYKevmfxtHL+VGNQR1X/stxfoZ0iPtDHOKHcIf4geAhrr8c4o6shzpEnbQM7MJVtSJY/g91Op1SsfdzqTzPn9UoHYKjAohIEUDHlCKejB2S8XQda+GtMf7BYrbpX9Di6W1+aszPpQ7BIb1/Rs7zEqeP/Atcq8HcETOAsSF0gBsmI2/3Q3DTFf6EV4ConX9Y6Bdtbm+HCZe23Fg1Vf88OoFWPGcd6hCIfhGrYxO7wSX4Q/oOAS/cQ9tN8PLxocCDF1Px03Mh0AP3lgwpJHzVD4Wp6IJAEir1He7kgw9z+OEJj4kDRNGswO+Bp0JXq0Mxj2yRk0qLU1Se3Iq4EvsJ4XQiVibDy/BPminqtAP+mp7Dv8V/B3esDsUqASek4lj7EDONbnCdn2cSxzJ7xcxFAt2Ke1fAzfcAxGPBPXaB7rv3CmZi33lG1DSIIcFTMU8v0RNULeq8uGsJdwdRiyA4S/kadBXcqWeeW7MgdIiwJ032jGA0kfpwuLsIg/Y4ddzqfWhfbDpOgBVG1Ksn0sSqU+FkxafYHgylByNuiMiviTBE9KlpwhDRn47Sh87GhPxyoT1OFUsTLy/NiFkmMPC/+wCoV3zCPEE6p7AKNoaKVFXQdes2AeMK00u19fXAiDZfkPb909vPS6DaxGHKKZh/zoCZTsH8jwyYmRTMv2TAzKZg/jUDZi4F8+T398LMp2C+IwOmkoJ5QwbMQgrmO32Yg+j6iIdTKaDvygJKc/q7s4DSrH5jFlCa19+TBZRm9puygNLcfnMWUJrdb8kCSvP7qSygNMO/NwsozfG3ZgCV0xx/WxZQmuPflwWU5vjbs4DSHP/+LKA0x/9bFlCa4+/IAkpz/J1ZQGmO/0AWUJrj78oCSnP8BzOAptMcf3cWUJrjP5QFlOb4e7KA0hx/bxZQmuM/nAWU5vj7soDSHP+RLKA0x380CyjN8R/LAkpz/P0ZQDNpjn8gCyjN8R/PAkpz/OksoDTHn8kCSnP8J3wgFd16CqtHbeZZzhrTPYM8RmzGn3yNg//5M+cldRrtbZ1wrRQ8OpDxMSTSU5G0wD6UVdu0wD6cBZQW2E9mAaUF9pEMoNm0wH4qCygtsI9mAaUF9tNZQGmB/UwWUFpgH8sCSg+Rj2cBpTn+iSygNMf/5yygNMd/NgsozfGfywCaS3P8k1lAaY7/fBZQmuO/kAWU5vinsoDSHP+0D/Q4ujnVu1NnmAD8f/MBImcNEHlXA2QuLa5fyqprWlyfyQJKi+uzWUBpcf1yBtB8Wly/kgWUFtevZgGlxfXfs4DS4vq1LKC0uJ7NAkoPkF/PAkpz/DeygNIc/1wWUJrjn88CSnP8CxlAlTTHv+gD6ehgqidtuhBTJDVjo33/V/6MPbhDttA9+aX09H6072sX0/vjRxcZsOLoIiMjeXSRg6lkYq6Gr85mFhlWrzCi3jTRtwHVaughmF2JBC2lLy1xphD6VM7OxHz6vuvPPvTBKx+X5D8fAzOp2Bq61jLEP/Ofx9vsmtoGecKjNnd7rUjV75R6TH/lClICPFF6dFjP68TflZVlEn6tTU8vlOfm4H2BVyYx0W3JdHY9qpPo+rgLQAyhMKIWJlJEq8XQFiCO+lPwSho+7hgxTH2EY8RQNU84RgxLWxmKtvDzi/kuRkbdyAzwjVF0T48ZYBHuoh3G9jpcIzxpkqPcDHkYg0vtq3uenCwV0L4PvP+8pN6EDpxwrTh8ghCMw1f3vDoJ2O/n2PJA7ORJqMBeTwy0fhTEQOsHkRxog2gpfWkJI7ofIjw8c4GTrccl+f/cg271ub5+dtFZh0AJGvdgXLSs0xbcWOE+s+0Us0ulhYKknkW3bkLMIHedu9Nzuz3nSgwZHThL1EXLyiaNrhG5p+EQkrax3V3VmAnFJaQTFJcJLQ+uhNy3EsnzxrgL5kDCwgVzIFjSBXMoqsoQVOMdrl8DRYfry4JEhxtES+lPK/6acJbAxGvCmYJPvCach6tk4qb8ncoV0dG/+s7nx+U/k9C+ZbJ1Ci5mLdIlphPwb4UYPvyRmuyH0PMQEpcS8oDEpYRcEolLCf1oKLk0NmR5D5hV74ldRpC/IaG9AcJR3fLfCgCf202032/jpottl9iHsd4g4VJ5I7rWEd9rKmTUiAAWji3qtZlkE9pMRr7QZrIQE9pMDqaShZnZ6g+Po5uWyRbVyGG4Eue7zy5BzHEe99KB5ws+IKXnsKmZQrl8A9p70qYNap4CP9QVApHEtZbvHySjV2xqTdLGZ4gNJGWprL6OsyJVloPuyvi4QnT++oC+QSBelniMB02sAzHHzUCoPpGe+KCO6uvkrCLloYuU+xWZkmE6P5RhD2JahlmYSiZm/DG8YdsgHsMbFjr5GN5uylCGLyN+zJLPYHHM0kcAiWOW/nSUPnTEOh866fjr/FN/89z4G6SXv+zrT52XJkalUfl/HUM3LlO4idyFp1qweEfkODMby6yNKb8vcqp3PlxEt/h6QgyLO+wfpyY5RV2DJOluEIgPEKNbfRjdHZN6f1qFEVWZGFhidSNcq7mUB9NUBtOM34Lq2yBxC6p/mxO3oAZSU/pTi92XmV6YLs6F92Xmyv6dKPn5UXTDsrhCdAx8Gh/2sL6wyS81HtZPsIpUvQuhYBacnSqUwfNomcH7MnBCb8fgATKYiwSknAeZ8DW/O+2vlY8Xd0bKBhHOSDnoCWekfHwlB5+zcwq2JTML0/OCgRujqr4xarLms7/4hefH5WdH0fU57LzEyjgrD2SxskV8Nj49im5Ztpm1alqee2QLbgGdbcIbRpia7jFm6GKTMds77SiDEZPzygBgf14ZRDI5rwxBUxlIUwxeoZ5WZmOX3ebKZX/wfm0MzQKZNeLaVHPgsacTDB560z2N6MIV86RpdFfrp5qkewzrJ9gybovT8uW4F9z8BdIBKpG32bx8gVQS26lvD589FNLZNbnCiDo/cYE1+c/otUk5XlDpyoWVnt6Q+Bau//e7nh+X3z2KblzcYlRf9iwDbrET7hB3mDR8n9uKVC33DoebB2AlFq++kGLx6k8ssXgNpKb0pyb6v2+GmEm8VDYr+v8j3/f2H/rEHvn7RoOdymHGWhAzD/Y92uaxxfLsXEWCO7nL/rtjtVw4uNgr55NJXOzNJ8Iv9uYTSVzs7UtFyaeSuASbMI5NBYv6T46iCYHPi1v2AxucYksQOYffaI4N/gP9gAE0GuEH5H6giWEc13XzcYSu24dmQtftT0fpQyfuGBqsN7639hvGgovAx7DZOAsxK4hdGan+bHr7Vy6VCuCSvZeyGoRWwnrNYI0avFNjyFK5fDe6TTjFE7tmCaf4Wg7oPrTXo5k596DbPZdfWghpgCqXBavuzah49e6eS4SlgpQNmpDXdOiuGsgrBloYUfdOZFCYCa9/h9JJYSm9WMJlft53mX/yZ+AG8B+GY3izyTxD32yyDn+w1De4lBKymJsqTZULElzFz0UClOS1F4Ei90FJMORQWpfqi9o7P2RAxeeHLCIZ80MOFSWfimBvJbiRwC9Y/5kUuAefITZY4JYg8DDXAq6IebVzs851WwKkxoMT1+C2rEN3iDxWnpqCKAC9dBJRAHqzRRSADLREFIBsPCUDb2N/YNGJjgUCjejnR9ENR8w6UF0LA8csU4gLS9s8sAbuOQUoF/TyIXSHsJtGsPGd+wZx7a64fzE611Rv7FtI9Wg4ZwE7cuEKI+qNE30JHQvNtZxBfSkp/SjF1wzQHmOBE3wvefmNY+jGI+Asa9nUIWDro2ZjhdknXGuFMRGUZLZnFM4VEOgYfREBLTUSOZo8AC0R5yArOEl/9Lhm0xdSaDb9iSU0m4HUlP7U0nreghip3/giP2H5TQntPeKoi84inIoRfZO4/pnKXb363bWZsAkTXUa+MNFlISZMdDmYShamiHgTtakUN7e+bxxdfWTbojbR+YEfeOqD2egbe9AE/96NhzYIbisU9PKn9sRvL3xkTzzQy1EP3hFaYzoxjmwTDeICiNRxxoP7Lnti7JaLRwmDF3kgsU5sePkazF+HXkxiZ6YvkNwJFkWluvjK5VA7M33oBHGLD3tU47ardYi0ecJrh4kVTA3PJmebxFzHcDUN3rmhZmN3aCeYG8PEW7TBK7Ipbr5CJLujxBWmqVWzznx9v85swmVOzUaElI2/6hxnrIUN2iKnbeMCCKwTG66v8DuiTn/8NabyB5RJcalJDX1RRCUDVwTPCTgeA9rkr1e4IJJ1Rk1XvR5dm+7zx1mDahsF+bJKuDz/yK99ZVx+5jK078i2S0wurdDjgS/pfMnad9ohS9ghEFvKWbWawTw6W5DKB9ErtmvUak5uYRse4ZRlEdxi0qOTWpNak9RqwgE3RCTIK6RaRxOpIs6U44XckS7k2t5CJrfKF1LO9O7LmR5YjhqWc5SYxKZaimlKupyr/XIwv1k2FM/We5a12YKk3i9PRBhL8Oas5RC4zQivr8t9KXLNbWY66Bqff/cL/i1HEXjhlfLTl6Ebj2y74CRxHELFdgj8e3pxJYi1UxmpvmMUTRy2WcchNhgZ4BrYVG2qNlsq17b47fbb0U0ibDZX6/jGwmkyQ69Rs6Z2XeLIY7OlcnkaFZ/wsA1RvU1S0+BpANiU8PhHEDi35sfejtCkqfJCPpID0WV7kS4vTc1UZufnyvuR7PAnkc1GrW6LoEpdeaw0NVW+BRVErN5gS0Qc+UpVtLEGF4K4CtKPL6A+BLLiXODqQ1+MxF4goUv0Q/N1ib6Uk7rEIGpKf2rJzZTQ9t88jvavEH2pvUkaoAeK5cC/uVeRqifR7YEax5eRM2IMlMINY3hZ+MEvPi0iz2VR4kWcdoidR7CcQfD5iyE4nUHwSxdDcCaD4G9eDMHZDIJfvhiCcxkEvzIUwcX0JfA4id94WoQH7E8iNgZenxgDfdHEGOhPOTEGBlJT+lMT82YpGAPv/8hz44/8/gs/8yfgEfjBUdBoTXcZu3iT2HAIumgYZ4m6JOKqgxq6EurVy2dt6pKCXpbRy9yuReCaqjwuvgLH+1JKcKgvpOBQf2IJDg2kpvSnxi8WR9r5TNZhwh9IQWCEZaqRNdoQKk7uviMDNrHvyMgX+44sxMS+IwdTycLcUORXxg6xS+Xp2N52PnQW/OQetA/iHNWpYSzStel1TzWots6Dk/7/G9ufG41O5s7MFKQHf/HDX5TUHx6NIy1DLHVyxHSpS4mDilHOGeaC0XGFv+y56UJQDAiHsWLAXH1CvMyIbo3gz0JcU1dkb0ThU9HBNMgZ0oT4tAlnkOtBg4iVDS9tqgZx0F7YjwVaqtiUOegA/+hDB7BrxMXw1LLIzamNg26KcjMqwt0aPzmKrght65xx33jveWCcnMs4eZeMkwczTh6GcXIe4+Qsxsl9GSf3ZZw8mHEbE9Bro1BbU/OR84VQ+Z59WgRIeauM5KjSq6WKeWT7NHTZt17W676soAPYh61hWmsQVqNWjQdg5hvo0dUT5XvQwThMG9aaGuHbSgh65we6lMfmppyygiZ6YR1i6jVsab7H073oljgMsIHYtZiHNNXly6enSzOV+ZL6e6Po5lhrGvDQ1hK2sAjTw3dl6No0wFHCVi10XfrzcaZhg6CF9PezTQI38WFhOIadRV2H6+cn7XXc5dEkYY5cYfaq1UQ3RqgPmaxjnrLxFjGILXpefOyfwCI0yaq+hG0dXR/lbBBO30eJ1X2TM4Iv5ejO6LMI0so/g8MzcdxFU98gjsVMh8SL5CFiYD7n7mT8sL7tLMFLR+EO31l7wnCOswbYl6on0V3RQV5/FhdG1FsnBsmhuh6eksNh3mCKykCKrwp9NXuryIVcGFGvn8iWf/XVob9CRnVCbCUHOxHFJrMj+VFsMvNSUWxy8ZU8/O+U0OHc8ofusIUR9VUTF97fq98loaX8ZuyqGspFVCNx5NxvBPpHzv1AUkfOg6gpA6jFHXXzRr9w1M3LTTrq9qOh5NN4bdjd4tVITDWFEXX/RN48VH0wbEeiEj0UlFwK2WM1Nqmlx2osK2+sprCVHOwamsoouu/EWRhR754YdpatPh56kyaqN7AEZegSsvtRckpP96Nkbl4/6qWh5NOIrwkD1g+xJgxaZBJrwhAUlUEUNw7BxsR38lgoTs/GvBn8jcljo9RU9xBz8vTm45L8hivQ3qQ+tAqvblek6l/33udSvyr9h9Y3Li36lxb9S4v+pUX/RVr0N26Lrl3OlxOeZeXARZeaj0vyR65AheQkzLekPzB6QVvSS7P0pVn60ix9aZa+NEsPN0sPVpnLQl1+TMzWPzWGrj9qUG2RnxeKcIT+yVBFqv6gBM5svnf0tktsExtHsG10FzU4auVT+P6GQTU4Gmf2JOFhtQ0y6VKwzu6ZOlQ6VIbACQBT4zA1Eno/1Syb1Gu6OESSZf+OaE3tBt/UfejlYeXQFeHP07R6EMkhq8PvhRH1iokIo3pbGM25Xk9CKTGoO8NgzjFSp2lhRH3FRKLMu9C1GeQEpBKH3DgrXwlxn6eK81NzYaTZn/nZ58c/Ib36XW966i0fkL7za7/2jo+gz/3tW970M5e/8Z//6Nnfu+lfP/Tku5+57is//bHn31H46nue/buffNnT7zv/ue898L7//ra//rObPvTbz7/lc1fKH+4rrndK4G2XFNcJlhTYLf0ENgbimh1KXFdxf0K9pvsW/v94svr0RcrqPaPoJl6QZRFTWAMe9jBfVg14WGt1uSJVp3v3pbcMQNOra+Hk6XMhF7Qwot4yMYjciVAFCXjVl54ygF7cn3RqtliOpqDZhfDM7Z8ldBDI8EPIbdfDxpJHwF2NNeqM6UHvrUjVw7164w3o2hOe3gBFBV53Wie2cByTR2eaEKE5TTQRoTmdKSI096AkIjRn4Sg9OBt3QYRmiEc6X5otFafLoi+97cdfGP+EdGW8L8k/LKED0Hy/uaFbI3g5mmtY48Hue3rGOLoMkCArIf/CiDo+IbIm0CuTsoQ8heftonpPjqEbOYqYYc6eWO+Vy/299btTTAGrMB+hV8DP4/Aa6RqziZgRfHo9MwLHiGYEnuydEUIoJQZ1L7ouQSossTCiXjWRrET1UBhQxyeZgFZS0OnJxq99NNkEzemZbGKQShxyFyJ425ViGggOHX0BnKVmTAa/gnoHx+vRvcEE73H1ZJKZkxCe22WNhkEm+cvJk21mk0l4raR4S/BcSe8r6/c1SJua9LXWAw1YDxrEdMvb6P6+5OGh8YYz6bJJjZkO3OycdHCdGF1e2v1BYfzJVHgROFYavHzq3NcAnzzs0i0yiel9nkMmxfOq5e+S0Mpui/ZMOGzUXKJP2sTxDNdJVmNQmyP8mo9f/ikJTfJq+CvhpIvVScyX1xwWf/vA0u7DptMh9n2l6dmFmYW50mubxgPEPCieH7tjh1pW94Hby0sQN3yyiWHm5c1sdyfhxHmy0yTmJJ0EXgl6k9ScFMhlA716V7UVFPkLvNBs+VCfyuOw3rPzU3MLpYXyg+gmXhoJvRgnozd6OTNuCuiJmibIWZZT1nzuOk1mu5rnOpOGeF7TzuFueRhZ+g+5talZ61CzvIFuTBeSJFraBdGWw2l+Xuqtue8LnlPzd0kX2jECwjVq1lmqf4SFQh74TsBvnQU9A5g8qTHDIJo72Wl2J7GpTzZZZ5I6k9SFPqSXH0f3pVoysI9P7oJh68fKJnrNLku4qH4Jl+kTc/vpjeNLzKzTRsLCkA0iLAw56AkLQz6+koO/iwXhraPoBiByCquOa1Ord0V+qHcxuBXtd7EavFXlMmao2K6pnusyMwrGE5BcYm2VHeaZCW+tjHzhrZWFmPDWysFUsjD53jXNi8dGPSebHx8eQwrwAywXwvGeW6t62fJ/ZMTyO+pPAJ4D6xPHnmTwcnd50tGYReQ7eh/xwhZ1RPfy3KbfqcFhuoeQLc78JsUDLWPl6WZ5FV3TA5aYZwQ5/ooGTpe3VeLDUTQS5JXR7IS8MvKFvLIQE/LKwVSyMHfRd58aRXcChdClPbp14fQKLDuAVh5+wviTBySMP7kkEsaffjSUXBq74MZ7fOWfb8yPLmYp/xehXG/cD07fC8Lh1Tf2bMRHkdiefuY3/re/+YWrPp2s2uOS/PwrxLASxfPbPKvwgIqpkcPYASafovy+32cldHfolJwDFjgXTxX2P/hBeFrqjcG+R2gjp7Dqb6J8NXeYssVULqyXJ+t1eNmECwNdw5kiwkcSuN9w1GAd8fW0SesU4iuQTc0mxAT/xPdJwd12vbZJdbKOTWLEa/whqLE3oMK7q8zV8DXRsPz6fVVCsz31WzT1YZj9Yaj6D730zN5t+wIn9N227ydE++S+7ZOHaJ+c0z45s31yb/vk3PYlgu/Egyv2q7MIrtgPIhlccRAtpT+t+FO+g5klnvIdDJd8ync4usowdNPKWq/cImWtN69XWcvGV/Lw46Eos7qHCEWZlZMMRZmHq2TjxqMv9PQ/EX2h53My+kImlpKBlW5hul9HLUzn9LYwC1fJxN14KOXxvAAP+8xED/v0LGOflvbF1y2xpH3qqT94+l/2Cxfpr/yoePvv0nJ2aTm7tJxdWs4uLWeXlrN/98vZmPzHVwy5nD0z7HI2VSrNBMuZ+SJMsLtctb47d9XyK8ZXrdcPqNjFz96/fiGrk19Fvjp9x4uxOr047dj1KuS34ydEO16EVejSavNvcLW5NN1/k6b718TCB170huXSDH9phr80w1+a4S/N8P8xZ/gx+bv3iMOsI6Zrdy0IB8bDufBTpIpUvRYesBavQYXxFAv7q5+X0HX+sD+OVWL48ZusWrmAyofQQeF2EZIUsas4zUlsuJMUnjbaU8eGQ8rT6J4+0E3aaPKwBZMm+NgFSJPo9j5IDngQGFAv/1R5Ir+N1ediKwJvy6Kpw5s7YXPuHa45IsbAt7o1GfKaLsz3nEpm4UankpmUe04l82gouTRENMkwAsp07F08+cOj6JWAt2KTs9huizCSM+gmv5eVz2In9cLNtHhvoCCn8Kp3o72ph2ZyQRPT/q3pwJ298PE38JJZ4g28FHjiDbxeeCUFv3EQvH8XgD/lct7IflyS3zyGxgHz6OIlz8ejF+T5uPKyJ9/+yV8dB8tIeD2hJJ7VGm4qFQfWj0vy948JfWl1/dgR8/RmeGY+0/OqHMRyuwm9AmK7AMIpu7vqymFSBOqb6XkcLoXFweQkkWQAuPvSvfgmuT92XHIJQCG5ZAUTkuuBVlLQWaR5oUnSoh6ZpENoJQktwtJEwZTmYh4O8tNjotfzp2bgzlBFqp6I5LFCnSY4eRR0tYJuXTRNBgZIHR5l9KNQweX0EBntPUawbhDHAV1jCVs8DFT8Kb2BJMRTegPBkk/pDUVVGYJq3BknoynCGSerjQlnnBxMJQtz49Zk4H8hm698FDw+xgMtRH4CXRnqVKewWhmp3o/Gg0nswU+88byk3pEEEQcmPOVi9TREsAcDMo9TdGvirtFMqfeu0eOS/Dtj6GYgEW39ljF1uktNTE3xNKd4T25v0Fdi7jAFXb0f3erHkBLAWa436FquxKfJJjrMQCKiwwwES3aYoagqQ1CNX7HMbIy4YpndzsQVy1xsJRt7YyYZm3kq7rfUR6OVPz6Kbk8JNtxGidtGUXDq+Tzx3tR/S/1vdF94wTz7vlF0S5Jnvccy/EGDHHbtyzu//BYfJW3Mpk88huXIG/xLUhFH0tvLilS9L48f12XbU75FG+EL7hZ/IonVM2RCRaoeymvz3gxr0Uu4Bb/gRvZKOr3NHkLSPbv6b5FB4EKZ8M6rhPcumGuILqbJsxRa/q4rL13luXSV59JVnktXeS5d5enbL/8dX92YFvd38+4iZV/suLDLvt/ie03fiusoC76FqfcaRoaBKXkj4xOS4L1vFQzMFRWpekuvre8VwqIXWBzTtrLI2ujbygLAHltZDFKJQ24oiY118NSj0C6izfx7R9FtaV0ia3P57/ZGzatSoozikpcqPabatEh/aw+65SgfjCfN5cObS5suNnVs67Hn2eEd97+U0F0DwAJHzbmCtO/vnzov7f6R9zdJF/vK+72ijkHt+j5P3/dJ+I9I6PolPnf7m1sn3rx/eOq8pL5JutgH4ndT276vyf+xhCYELZBN6sUCqPDffYvk0afSu2p99jPr7372+fFHvvb9X/8HyX/i5SlxcvjMHnTvMWzqBjnBTP4sLDUb/JlgZ9Xc1GxmGFVsts7MiNdlK1L1AxKaPBKF2z5BOodJE29RZi9BRPOARvTubEEqP4jmebjzmsnMmu5D1OocpOayDrZ1p9YMni0SGTWO4Z+uqZO7qmb13RK6rU8lFw1D1K8glV974XUTJ3m7rNr98QdOJ+Vd4cbOCHC1gWYii/DwRAoj6uTErkptotmYBXl3JSm7KSn+amrwxGLz2c985gX+0PleeNOTea4Tvmd0ZroiVe+J3pYt73vrj52X4DprBig4iNwT8b68720cVs6DTZwq3pE+j8nGS1rpe/N9K30GYtJKn42pZGEKnvGVvbwQvjT7zDteGH/k08+/983+cP+59/uuYHvQ9ccIttZtCPVF7MMGY+0Varj8Cdo1tC94XSE5MU7BAdZ98rVx1A0CijU491x32oHodq0Vm5AYwepTUeyoEyyWESNaPoCuNRnYgSBilGUz1Q8TKI+VilP8kabsLPU+tMvavDkKPPZS1QXl1eUIKgQH/GH5ePcMjpv4MzGFiT8zK2niz8VWcrDje4Hs2om9QE7NE3uBfHwlBz8+UQQRoJrP/uBbnh+Xf2sU3X6MuqeI4x5mtk7sDaxTD5752HSx1qJmwze8V6TqKjoQvdTdJnYD3gB7iBrGZoe64hBeHo5Y9XWoGIliGIzCiHrnxJDEvw3dFxPVsNSV4agnYmstpN735nsd+csSko/B1nSF2o67TLHBGqdpRare2bsJuCYLNPFib2+2eLE3Ay3xYm82npKBJx7piXY7U7GAYcFr3PIz+9FecewQvgh/Am/B1uZ6tHfdJqA8ML0UeJ/MFZIZ5byM6byMmbyM2byMubyM+byMSl7GQjxjH7omauBUbk4pN6ecmzOdmzOTmzObmzOXmzOfm1PJzcnlQTmXB+VcHpRzeVDO5UE5lwflXB6Uc3lQzuVBOZcH5VweTOfyYDqXB9O5PJjO5cF0Lg+mc3kwncuD6VweTOfyYDqXBzO5PJjJ5cFMLg9mcnkwk8uDmVwezOTyYCaXBzO5PJjJ5cFsLg9mc3kwm8uD2VwezObyYDaXB7O5PJjN5cFsLg9mc3kwl8uDuVwezCV48D4JXROcOkYvnpacgrTvdz54XirfiK7Xg1WnZuKtCEgeLTnlI+hGypemWgLKqTFulHDk20JLcWjX5ibvxBfYCGWscLC5SdQ8VxJzuZKYy5XEXK4k5nIlMZcriflcScznSmI+tzfO5/bG+VwezOfyYD6XB/O5PJjP5cF8Lg8quTyo5PKgksuDSi4PKrk8qOTyoJLLg8r84PFQhvHwu4PGQ/klHg+VXEks5EpiIVcSC7mSWMiVxEKuJBZyJbEwN5jf08Dv3xvE7+mXmN8LuWNiISGJe9HLgt1aQdr3+x8U1pucAgZabzLwEtabjHxhvclCTFhvcjCVLEyxkQ29PvxnGZ98z/Pjj/zs+37xF+BF2bfegORVU7MJdghsdaZPO7hBKiPVr12NJn0Zg6uoOCXzbPKwR7Vj1BRmeHgmfC58h3ffO3/ivFT+iwJCT3hUqzUBSv5qodzWzUnNLJrEPTQzM83/sHigMu6CEeXpbaYCQuJj27JsBs9tA52iZmblMLuRyDF1m1G9qPE4z9llBSDxb3AWmgVrWZNtgh3PFh4FqRqKA+YsRL/8Up+8cp+86T55U34enPVqwrG3X9EDwMrDgU0PByae7nVSJ8wRlMCcDB5UyYVzrGKHus0MJujYdkWkyHT/0pmnGkQzqNbqkxXvLMTU7K4Fzjquak4VG3BwTrVEcQmQ0mCQ8mCQ6RyQIIQ991/ij8NTs5HHoTrjvTuDUGI4NIoaixItopngj5GAYKzYMOJJ8IXAJja6LtWcdI9P52dkZnzCetAzsulB8/JyrJyczKbAd9ZuE1vLqobOOiY8epeBVef3r5x0xxGZzHJpm+6Q7Io42NRVtp2T2TV1/9W4bAAXN4THkp2b3593Ln9lZBCHt7Dem7PlljK+ldPfqJ41G7UzP3oO1Ypd5rmemsxhDaiBhYOZeS4LPQTK6fWskTlL+/LhXG54VCd9SFgG7mbRsImGLVdr4nQXCDPSi1B8mDJQVRrYJZ2Qek/Jjsts3CB52Z6lYzc/19aaNCmWDtXJFjVJvE6+N1F8REcORknsyO8o7Dp5AOnK8KyMqYfLvaiS5IdUR/C/Ed0TwyIrs0X1ZIldN0ZWfQ2Se3UT+brjrENsSK/h7XWstYi7SXeIXDhld+Hr4a6vv4E29ykJzWSpOmvUpG1s9NN4fgA0nvmEwnN3XwbHP78Ydf+jMVTJqrvwL+DH0P3q/y6o/++OJhrw+dE+C8qwbcvtF/00v39La3De3JA51UFjM/r3iyFgPTo1zZDfO37ivKS+Rr7oUmIbGilxnNJLWByn9H5PHqdk4ylZePHDvuw6i8O+7LzkYV8+vpKHH39qJc0a8dRK+mvyqZUsHKUHR2zFxGuEC+F1t994+vlxcYT+sR+BI3RJfmEMHQj2Y5xF2NSdJm6RU+Ip+8pI9WkJrcSGPD+t17NgIcYG3l7VjeBDRgf6AEwA16JXJgHlsdKUU74BXZNFVh4rzTrqATSRXzJ0qUV0feyYP1Xs+6HfHpAHkEhss4+gg6Gc8tEKI+qBiT5kqyvotkh2/ekofejEz4inZvPkOSZ/9DJ09arZpCp1Nx8+vm4T0DkrUvUk2t/z2XcTmy3sV6cysOQbej6dNFfoNtE3N5erj6KDfbITpPvRkXvLrR5BVwVX7GNkMiD71zAmzf2J+z89SOL+T29FEvd/MrGUDKyjocQziorqVxhRb5zo24Bj4d2+rOKTlJR+lOJ2mUroVfMvzzw3Lv/lKLotwtwgBkwES1hrkjXSZnZ3tX6CEJ3oIu5GaMsKIjkUUp9DX7DkBfD5tMnqDnmoUquPoskMXuYjAOmJ4Ug/Fvo4JLjbn7YyFO34YI3uGv/hHyT5fcrGpoM14MiKzdqbpAFmHs6h5cPfNH73LTWL330REvzuTzqL3wNpK0PRzuY379//YxQpqw4zsEucdZsym7rd0w5Ztxl4gwdfKlL1JjTRw+1gIZkvpPJTC818WiyRJGbTkrhNHqI+ibhKg8FFXKUhyCbiKg1HVxmCbpz/5dCB6Re/8Py4/OOjaG+VqQHkYcYc/8pzP4ZXBjC8ks/wLOt4RgUS1vGMfGEdz0JMWMdzMJUsTMEl4Z9fLiW41EZojRD3LFGPrp+uSHBvJYzExr30CtKDH/+B8xIoKRPolWF0syDvYyIv7iwdKQngSCaUhL94p/Cb/K+p4g6i65PFBR7k8wXpwV95RpR7MNKveoF++Zn/j703gW7kug5EG6TUlp6WRpdaajbVklpotVrqZqOBAkACjmWrsBIgAYJYCBJ/JlQVqlgoslCFrioQRCf/fMfjxFmcseN4yTjjxIu8jbM6sZzJdrI4/9iRPPqT42Qy+fG3k8ycTOw4iWPn58xM/PPPfbWgHjaCLdlWJjzHbRHv3Xvfrbe/ux6BgVlITXPJNJLVSwKETMAPxzUOhAGClm21NXUfC72jJ3Kr4+91aO7NcK+7TE1HDL5itf+pw9R+GFObkrWBC2ORMJqbioJpNDcVKGk0NzV133TU3feDyKI7NsYzHupvPeisRYVR+ITG6s0y22rLeBXH7e/PbaN7HHvKdEeWvW98FX0WnbKyn243AE/QLZ+Dh9FZ3aKxDb4D221B225JsixQs7FAAFJUOozbNppZuKI6PzELgpefSCo4hpT7nl86Td0WCfuvzN8ei1k5YZ7xQOinR3DqztSB0OjATtLP+W09j3HUBndAnXAgGAx4ee7RQ1GJnOaHwJo5zQ8jSOQ0n4Ki7zCKOFsP7FL+xeDikn8pYs6JH/7+nzv1cc/dz33xNz757MO/+ckvfPIrM9TfedB8Xt1VswqEO8gLOmj0imwPS7vBheiJvk07zz2Izo0FziUcpyjolzFQ3hPcg/MTiCSdhxvuiwlUfOOpjLIjxTlwY1HrgkH9dy+iCpViQm21VV3g1IPtfDBM47g+zg4tyirHyl7P09//nhc9HE092oeu6oJuOhpZZWZ6WOqegtHuQ8Eu8/sz/ePAJkh/F7rLlG0UWY1tUXJCzGaZg1wuwaTWmZK6mWCY9XC+zmXyTD6bZ/IrCbEXp2Vjq8bLqz1VynQlprkS20k11zuNTKm1mkl3G5mD9hadDrC1WGc1FN+rS2I8LxrxBq2L69U9sVKL7dXXn3oKHIrKgsKvKnq5o+2wDcFkwlzc59DpclPt9r+h3rbX/Vl0yqzCtrp5QelYFUAQKjSBNYRsixWFiqpaweXoeURBJZTAFoRnrkXx6bfgfkWH9ysa7tevzaA5l2Cj3OFakvHPsocphKDS7IEpev2dL6HX/+0sujzU64zCl1usZlig/ywHYQ558SC4+uEWh+c9L2F4fnoW+UcNT0kQOzKrVXptgbd8UP8pjJIPzZOj5P6AV8py+thLGK+PzqIro8aLkVrHY/VNGKtnb32szCBQ/QCBIetS9YO/8jxEdPzcL/zxn3/j3q+86dkf/vx9b3n+XX/7i/d95ld++21fOrf5oT/72JduMx9Qv/4GeEAh6hvz6N5CpVgSWJlTDwqmA9BPzaKHmGyeZBsuJaHj0X+ZRv+vPvCih4sfffSpewtG2zVasHL/bhZdcxVtAzTbMLbLkiLKgvUhr6ThO49OW/yusqB9hJ6hXmWx/QocXItgSWgICo5R15Tatzjuf32L445GjPsnb0OvPnzcYTPfLhjtwitsEvjQvMUV7kCsyK4IB4Z7tP8ZT5S/gYlSvoWJcsrq1bTAGh1N0EfNnN+8DT3lnjkVVpa3K2rbnjMTZtA/nclzcdTkuRc+tf+l/2vPoa9+M+fQH9+G4qN2nxJE7JUUEWwkXvkT6UF0X6LXAKFfUWYbApj6C5reH//jLWr89Prbb+b0evftiDl0euF4ma/g2XUF+VzD48opUmG5sgDR5CQnu8LEmXga3ZVnDwodcPQXdGomGDienJMn59e+iZNzUhDeSe+vT/7Rn/31ve73113UW29H5wuC0VW1vfUOC3LzlG5ILdZQNUbvKY3oidy+o2kig2MEg17P3K88+6KHfhjdzws7grbdUQxJ3lZgAeiG0LajBIURPamNgmpIO72ywWpu7Xju9R7k6zcsaFUgjuebIbTdPPzqs9h1agwPZjSgW2NhbSBlgNneLz/7oocLU7dC0KWwOZ3roO9wlARHp+U9wYXnb4WHffSavlrh1tr13UK7ZoISZ9KGXcYk5pT8tWdNS74/8qCLFvmyaVNdFDRbB11h9b31jtARICJEHFEVWMc4mFRfoz73aVB/XpqKSu5pYohtCp/BFKhpKBA2SU5gr9/50vMnN7/6P/7y43ebH/eNf2N+3M/MOOvNIlo2PR9qksKrXX2yPUEwPNmeANcTBjRPDFoRnKXuH9k+EbVmJIQZtWY0MhG1Ziy2bzS2254gRPujZg/+q09jra2IThVUtc10DJXh9yEudRR/Yt+O6C5X5C7y408NfDxhezioHv7iLJrDM9fyNKkIstASDK1X7nJRT+59HnTRHgw46QsQplWWbkK4OBxJVOCrmgyRy66jy+PoFFVZxqG2DEHbZ2XqtmA4HIAkSOMQ4Hw01b16P0HROOBcAl2058NEFrl5ajwRogevDk6fSZjuYJLjgMxgkmNJEMEkJ9HwjaVB2PA40co+//YXTlK/MIO8BaMdB38TWMpqS4UF9zp015oi4J/bG7TXQ59BqA2/rhm9tkCd1CVQ0UNIfnMCDJLIPYGQ3e+Az81R4yAJw1y3/fZoeNN+ewwtwn57PL5vDP7gfhw0O+pPn/sPJ5+ZwbEI32ReEY577ei9dvdxr91Cr91z3Gu30Gv3HvfaLfTaqeNeu4Ve81IfuwM9tMZ0jCaWI8iqKCkJVd2TBD0uKbxpEfuO/ssN7iFqx0hBWPuGYF/ULWtL+jS6QzBrePutWLevWRMbQaEpgMrYPLAfbzb34x70xHi+0hBq49vI3Y940CNu96TRXeZ1MWXeCL+ZPLWHHsBLXg9Xp6ZpkbqlFl1r4plczTHzttfERGLeE9yl+WlYy2067gHOajmUsm8qyl3ndT0Vy4Pf7z3BReZvqeMO0FNH+qRRLftupeWBrSNE940BqP9rFl1a29kRtKKkVFR4NHOsllVwWMhSRzGJCOaj7rXotP3Aaqs61hVCYtHLU1IAfHuuEvjUlPjEbhwdfPhMTcZtPT0Vhmk9PR1xwnp6auq+6ai7XS2jjvfJWz7/2ZP9A8BDvXEWPTiCnJUwDU7QxX5qJ3sgaD8MxUMTMQFvcAAtPGoiHjFw/sGBOwTZ7eQ2Ac50cptEiHByO4SSbxIll+9BqB86+uc/4h4GRH1uBs2NILKjxlkNh4Dth98GmcE4UAB0Ym/D634sINHLo+QCYzHdcoFxQKZcYCwJQi4wiYZvLA337O4H4P/6G19wdetJ6u896OIQhVpTsEfH6oKoJxdD9+ZV3ZB7ZoxdgffWQeY4BXLuteg+EnU70m4Y3tunxY+ie5ZVGec+cDCpaTDxVh3C5t9BCCMc6c8t6ndOogtrLUUCgVxf25BURciPkhT0PUNtRz25v7odJQRrdUN0oW1W2m40pba+zSpWiWpS2W7BAQIBqrfNCN3bvElsOxgOe3n6CXSW4XlLQxPvGIaq4HTWYDrOCbLadbJ3iaQObdPUoWWjL7MObeVYX/by6cvOjTACtlKyH1GVxn33N0GLhs7UBK6atSY8I7WKarvTRqfdpbiotEDdDuJE7FDT/I3Xf+N5SPw3TsX2jIf62Rl0YU2JC3YUkUpTUw1DFjYkXlD76+glOMUuDG6+D1LnxrZIuKKMhTJdUcYTIVxRJlLxjadSup+6MxiK+iECuLn9vv4r/+mzJ6kPetDTa67oQxVWEwUjI6h2VrSioLUknFClqAm8hFehntFYvsPKVtbxl9ajQ4qC09TtwKk56K//+EewhuBDHsQM8+mWQ79CGP2qB52HjNV5wWAhA5s161IHbRanp4h6cu/yDORQpwO0l6bn0H1WajaBN7OpaJKgU54r9APodL8GBkbG5U//5vte9HAZFHRlyLayZsO3W8lzyixepHj7sJlCVEloqYbgZhQML84PPjmBsad/632mXyaeQmHXFMKatmc81O/MoItFVlKMtZ0dXTAVjzJmIg3ZZWBjkAzs/p85NL3AJWoaUsTrdAp483U6DWHidTolZd80lN3OYHAVGs7jTX1sBp0psrq+J/Sqiqw29vJmYDXsXdvXukGa1lFgANTPo/MANRqImNOXB7ezcVjuDLCjAMwMsCNRiQyw43B9I3Hd+qQw4RP+jIf6sgehIr/Tv3c/5RhLYP13xzRUCETpqJemKfQqQ5NEUdCoV+lmNXe3m0DOR05+E4+7m3LDEBfxS+i+fp84MN4T3N3zbpzHndR18P0EnM8FZ24nlvdo81M/9HfPuy7HM9RHPOj+Ir+z1jHWdizP+SxOvBT15B4azjmB0B0Arbalndyj6LSbT1zoPcGh+T6ID1EEjw6Mz4ExE9E7jgfhiJMoLrJkOaJvfvjPf/3Ld1I/PIPuLfI7ZXZfqKhJTdoXcM5hR8Jg3UjDAa9n7vWg7PcOwsNedL0vUnAj/OMHAYEagUCMzTV01v3NLlDvCc47P4Ce86M54vsH4H0D8G4X9X6siL/46AsnN3/wa7/xhVeZdgdfepf5av9n3R/v+Ouffyty98fsP+/++MLbfvG/3uvuj9uhP86Q+OWOti9AQJEPeRByrgoR7zk6hO6DXM2dFqT3NfezaxJPnU8tNkt87mYrE+iISi50I9hYCdS0ZCF6Y2efjqD7XdFZ3WiFrZVYkatsJV1ole5+J7wZ2acpdNdQXqcHRrOae7yveAE+8TkyCs41CHTpfrjeh8wdz0wb+jP/A8LbeJG3KGg7CbXFSYqAQ0xFPbnfutMJ4A2xAWyhOAz6j4AVmh9dzrONhCYZUoOVk5K+V27DQ00TdAh/XLHDeefj1CwdCdCvQddbOOLOdgOi72zrhqaC/7+wA49ftaM1hG1duim4AoHfGQyEo5GlxUCAjqGFcdiGarDyECodiC0FI3QgQF9E5/vQggbiv+221lGEbSsh7mKgRZfRw3DnA+a3rYZwmnZF0PTtFqvvUcEAEIP/0TQNfzi/cZn5R8D5D5T50flBoi1VkQxVM0ne64BjdO7Fk+gsw+lyWmaNPNvO2kKCPNtG92J7s7JgmBJq9CSzr0p8QlYVgdFEfU1xMrKlOwq+jSclvc0ajSa6jEGriiLAMcZqvYxg4LiV0k3BFEaYVymLpguw3FQ7Mm8GoihJjSYDwS5xrshzSUkTGoZ931I1GG+Wz7YbyJtmdaPIglFOidUNQUMXMok1hdE0thfvgOSGke3nTpqV5I4moMfybANKu3G2sSdqkFcSoq/ghq3jV9DR+UkTDl0xAzrh2E6JJquIQhkPe8ke9SIMehLGHM27YAeg0EP5/UYVB1fdkIQuSJbwE90kyaP7C2pRE0oCy+dZSUnKcnanrPPoUbjcWx+maiWw0FlTEmqrJRn2R6ISBDEVisW8jh4q4XhfFZarSiVr+uvZHbuRC/Bg2BcSYAQmww2roUkQixLH32P1PR1dKDc0QVBqEh5nme2tqupepx3vLefXCtnKWgndX5alljlMILWQIH5Iu4HOlq0paXbBqj3L0f1kRd6cqehsBV56iusZWMT57tGC2UlmC3lWkdod8x6+LMhtQVtTiqwmKIb5SdRZmCpAvchqe7CrlA0NRMDUFSsml90LSaGh8gKfZA12TTFZsYeYuj4AOzB0+iBC7ssnh7R6sIG9DcxaYbWNYWri/DgCw+ioDFPj1j81sP6p6dc/Ne36p6Zf/9T49U8NrX/q0PVPTbX+qYnrnzrC+qcmr3Fq9BqnDl/jlGuNU5PXOHXoGqcOXePU6DVOjVvj1Og1To1b49SR1jh+UoWD9pPqa7/7/MnN3/3iC+++w7x/ffoD5v38p2bQo33pUVkyBEcdxPKSas5IrFsbemZdnAIzV0ZX+nfNw6C9J7iL81MQrTjB3eBGOg1V3+FUsYzC1FEEIOBr/4kXtWQUz3io98zg65lFSWeyxZgZoIcQagVi9KLXA5GTBmEBknhoW5DUMCQhq7g4KKsYheEOjDtYaQbGHUIhAuOOwvEN4RD3+4FAqtQ7Z9ApAmE/jJWCwzI/xJ0eAgXAIRkc4k5TQ4BE3DDfYOeMQLjuPGIG+mY/DAjzQwgBpzMHe8bE8A1imOYI/SyTYbefAfVnt6MnijJr7Khaq6/5NhcuaVGMIxH8S0TZPWan+Akuec/QD6G5qi4MImQVXjigPBHucfSYeUpUdaHcFhoAVUwtD8K7yS9OTX7xVsgvTU1+6VbIR6cmH52a/GsGJiEmDgFAp8ImXtruaKDTYJvRQKdqh4gGOi1t31S0S48T0q6I5Rjx7l8CSwAUhCkehGhtm5/+xzf+wG1uk+13zWAfkYYKtxYD4oyuCD2Bt9wuop5c0gnEBaZma5WSlwe1nNZRtlVlWzU0S/V2fhIdIrL0eDAzsvQEMkRk6cl0fBPomMJtU8EPwf9cwu2Ac3B8agZd6pMoqEoZp8GxNH6WuhS2kuiJ3KuHz9rLU2ITVkBTYZhWQNMRJ6yApqbum466ef7GcObyEO06fxeDMacbX/DgibEjGI1mXFX3Wqy2F2e1iinWieIg5qMjcUa8aO7fgHzsPJq3MS20tKrZNAfioA+TePcHzTjoE0kMWqZZRwEIeMzb11+807x9/UcPOmfjFYRuheXgUtv/msSkr/lxYOVhcOsaQBz4nsSk7/m3mAh1KBH3gTvx86h/NYP1iRizDEYmHRl/y7/oCznL8HgCPYSXpwPoib0h8KKminAxBsC4oBupnR1Vs1T23H0j6BPhyYdqzfDkw0hEePKRWL5hrEFdQNSlCwg5E/UvELpY1OCpwwsanWZlGaxmHGJtoVHqyNiZ8B886ILdMQXVDvwf72i6Y39Lez1zXwUxXwhd2ZtA1ek+871wOyZCP4XCE5CqOmRSb+xhL9dlgeWBAwOyBlhWEyF0dQQ6jmGMX1R4F1REK0aoNUaXpvp6mFjfN4MuDX++5e4IYkRXH/wt9EH0SH2A+pRe4R3xhpEdAW9f0/PT3RFfg44IH6kjThZUo6q/0jvhH13ejpO74Ou33gWvucUuMC2Gvsk9kBiSkcHX/s2zpl/wlESISyhhLnA4vmUucDjggLnAdJR901AeOGBo6wL6y2954eTmv/vp1/+eFcvt7yzH7c/Poif6VGus1qq2+7KwtKq5bgpRD3hek69R6GHuyvQ0Bny3HQrU9BSIx/13DL5fj0KJRcERozsZCZqYn74JDtGjxvnwNnxTt4GFCtblL+LYHoPQ6hkP9fuz6PJEQv3LC/ajGjW8T05NAgiMGN0nqakJEIP76sHBPQKhbRSYbmz7ONDA/NQNPONMnsNGlmzBN20LE8f1+dvRtYl0YEOwRJz2bUkaObpl9PhEQtlWS+Al1hDQk5MZVxUHNHdm1DwgB5cfHNwyNSUj1BEY+ZfOs+uQaeCgeE9wT8xPyUnuO51ZdtgkIOj7pqXfcLaPw2ax66O9J7ir80foIx6Fpp3JA634pm9l4mz+3CzyOZRAxpxVdIPFmg4z14egJcupqCdXHn7eP43mE6qiSzyGMbnA6g29XCoin2kEPZI4iFGqpVVCJDKelCkSGV9PikQm0/FNouNOv3I492b6lSm+kki/Mh1d3xR0S+dAV0L7r/RlDrQVpoP6ggdRoNUC57OkprZTOztCw8AakcPMOc9QIzCJZH3D1WayvhFoRLK+0Xi+EXhEGP4lt3CKtnxRqM8/jh7EiGC+2ZAU8Zplt3sNjI6V6Incpy45U3Ybl3l5+icvoZMN7BxBvf2S3k7Fo6n8SieeX0ml0jpPpyONQKxTpQsy10r32Fq0zDTFeErck+KhQmBrMxfgN5lyspctsLXILkfzHXaztL9a2+jU42opK8baXKuwX6cjbT4TNRrdVCtWyMfzqrqeELeyYpZJZZnUSnxdYhiJSaR0PZ3QxXRCNAKNVnqXDcZkvrXR4bPqstGtrjBltZyspXe36I2bDVqW2NpBm1/eK8czuWaDrpYTtZzMtQoqV0v32INseqt10OZaejmRyelsLaJt0vxuSuSlRisWatAbvZSY2906yGa36GaPo4MyF8qX43Rhn1NKMqesl+Otksy35N16KbtSz8g32WBsd6tWUOulbKa+zPfYzZKcEtuysAzwhTZHR26mxHqLy2zs1elqOV6rA62bKbGgNJarZYaWu1sH2Vy5FtmrbzbleqqUSIkHbWgPvpfPyPucAjwcNPnMRmcrtFdOOH/LOa5V30+JvM7R6T22FlFSYt2o14L7DWWvHK8F99lWzEiJbYOj2/tcOdLiMrFQSmx3tjbr7brlrJIS+X2uFmlvtWLhlCh3tzYLN3k61qsv58vpzbjcaNX3G61gk2sV5M1QYbdeizQbLXm/cZDdaWQ2evVWrMfV0p0temMH/7fGyw0psttYht8bgUZL3m0cZOsTYJVGK91l49mVrVb6Zr0c6XIhXm40s+lGJhaqb2bLiWUYR+gTGKNgr477Kyc35JjKhQqBlBis1DdzNFsryBt0rMfisWzeZJc3AvVMLMQ1s8lGKK2nRP4mn0n3sjsGE18uRLhWvpxYLu03Mgcwr/SUGCglmmKn3jrY5w+y5Sy/1K225E69F5G2agWtHsrt87XIXkrMBdlSNsHviuXE5lZ4tRWUuVqsJ5Syy/yu2OHp9E2ulBVhjmzVcnq9tm5sKXtGPbPR2trc0PlEEPdPYzm3X2/JOnxjplZqN+i0tCZlmeXl+D4P3yDl9sq7Aaa4XIg0QiWZ24gZ9c1Sj60VbqYkfi3HMFV+swD90MzxWXEzVGhym3G9vpkvV1sis7oMvMEcD97cqtXlzcDGTS4jd+oBJl7NJ1LFUlZKSMzKcibWq/ciu+xybp+ryUGuHI5f7cZlZnMvsFUrNflMqpdiUuXVrmokpL1ejmEi6W58Jy/kN/LN7jpTytYTzcZKupI9YJIlGHOlTm/0GgfZZqIZXVmuZDmGaS3Gl3M7hbK+vtxV+URTp7Ndhk6up9ZjorgS7YqLJZER2Yx8k8/EYE4Yq+uqqIu76wmmnUzsRhJbtQNxVc7JjVB8H9YX7AX1zcLNVXnjZn0zl8PrRtqLpRKRwtZmM73V2MuWljd6JV4WV/fSOpcuRRqZjZupQjiRkNSVnBxv1umNPKyf1WY1mFquyxsZ2Vgvp5lyLdLlN0upeu2gKVTy65yoNhPNQLq8ud6pZNKBei2yK5QjxerNbKdSjW1UAxs7G4FmulTtrtcZdTfRjAnZLiNW07l0NVhIl+LxvY09kUmkjHStFNhNpKIrZXm1wcSb6/XNXJxryUa8IVZLSq7J1aqdeC2aXQ/l5HgpL25kYuuN1sbNei0SSKyHs2wtKDNCQEwV1XhC2lrJVmNGvRFdX90rqFub2SaTKO1tZGLl+ma8ydYigSTPpFKFbnqFaSYaratxI8B0NjJpqdGLVLlQqcmlCyF2s7TLJtNMMplf15m9+EE8pbKpIOBX2eWcvFUr3VynY506vXET70tNJp3YVVcKlQ2OSTPxei+4kUpFmnxLVhJsKsoF6u2GUggADuxXfKYe5JiqUo0nGmVRXUrs8tmtWkTZoNOBLboJ+0Cu0ZWbqVQzyLUaneSmmK8u5/a3epv7TGovt5xkOhVz/9BTTGqluK5GursBJpkuqPxmOV4W19cZNhJlmFKucrUdZeLV2PJmN1tYVw+2NJ1JpHMyd6O6kdrZK63H19eZdTWU2F2TCl0moh2I8NtISHwlvK5m+U2mk9vSsxv0hrS6Fd5r9CJrHB1Jc5vxgFCubWwm8+uB7FYSf/8e39vajKuwJlflgsHRsQCb2egV0rB3FmROKaUarVi3kdnYK9XFVONmIS7sNiv1zXQQ5lB9M7++JarhxG4prSW6cLb2OPpAL7fSHbYXkWsHqV6yuhXFzod79baQ2djboOUO7GupbHo/GU9X+MxyW0iud9bpWBDOl3yTSWaY6ko6EK4zzPpWJq32mIS4k0kwKxlRrZVaG3I9uyzFE5EyUw+EG6FShQtt9Lbo6jqT1LLMusoW5Wq2lIhUuFa626Cb+/xyvswc7KrxXrax0monGKYrrTBqIc9Wq+shOG/FG9UbKSbD5Lfi5ex+orleWpGama2arNdrpfzW5kZnK6geMInuVia+J60yammdbra5zLpxvdbeMfmLr7SYdBX2gOxq5mo0xYgNZaPT6MWbfCLe5DJdkc/IRr0cb3NSfJfdzO3ytYNmQ4pLfK3eqm9mRQ6ClZa74lYtspfNFJqN5VIQ1k42kxL55Vxzi66KjV4gvZyIh9jMRgfKu3Vdzy7n5EYm1uMT8XajF98VNyNb9dq6ns1UO/VeWORpOcAm4mI5s6E3EszVbDqby1WaTU6K5xqhQrBeYzoJXW8kmtVgXTzo1msbe9d1Jvft/pfVmVyyUF1JNGPlmihePVjf2yo3qyvBxXx0ZT/CJMUIk2x2pXypuhLs5aMrN9rL8Hslvlm4me/GVtT6WlJcl1bEvRtMYm1lYz3S2xCZ3iYTbmTlrY3d6GqwmNCubnXD8C+VlQI5rd2+gXGY1I2M3i0wiUiHY6BObNYT1YNUOZqq1NLlRjecze52bywq1bVEIhtb6URCSVGUij2NFtYXaZFhhOtiQIp18d8bxV49BvWFnlbbwbh7N0JqCnD3VzQ2CXyvlzYLN1Pd2Ernxgr8Lh7U2FZ97+pKZ6WU3A9n8L+2mgH+SsLSbjwb2k2uicvltnK1sh6hK+thptENp5MiI2Y72UoqEd+vS/F2UgtXKpmNm3wi3qvXCvuNVgnPKTYjK2wi3k23xPW1jKzXy3F6q3YQrJfDK7vx6EqciaykmPVy8sZmNZfMLieySZ7ugqPxSqS+uRWIM2Iy1Wyk10RRSmXCknyQZVZLuWQmvs7G47ti+2D16uo691L+dVbXudxqKc6s7IZX1pSVdDwldkq1oFSvlfbqtVKNrZVkLhjbZDdLak5a31yJM0J2T99gGIYp9tqp0D6zVUoZslDL7W9t5vZSa8kq08utrex1V0o3Io0Mc1DiaxvBZJOpM5nq2mZJLDcOGll8J92t1uIbcSbdUzcSzXilUet2+FYd9kq4f63xTVFMrYqb2b3sjXVGXcyKqa1MqqCztY0Ov5xfWznYCrvujYWtWgTO7F6+yWwlVbFezGzslWslvV5KdlUY0147ndi9SpcYplkUm/v85vpieT15tdXcvNpqVoVWc4Ne64rsXjyc6jHLV/fiS9/Gf+E14KOsMYsCEy3LYrh8cBCoNlpp2N+NZV3ll5dLckOpN7nlvJjUdD6RiXWyCS4L8zOl6nx8uWAk97f45HK8x9FZdv0gxkZKATYUD/V2u9H8QTO6klxfLCa7BzulzEYgZTSE622x+K36l2mLxfhauJSUxM5qWyymVqLLiRvd5TVJ7MRz+vJ1SexM868L8PHsVkXROylD7zLxg3JGZNYa5UAW3nEbuyKTFAP78XhWqOyKTCZz0K63NnaFWn7tIBFmcnthkWHivYzRvbGSiNyEO0d9eQPfvavK1n5G6naSy/CGLfWSUnQrEeKbLL0RbMRXu6vXw/mX9V9Uza8eiCuL3fBKUo7L2Rt6PZHe2Ko2s8zqUkQsdCtrSSYcTpQjYuFA6jHijX1GVLfyYiqQbq8HMq1AKJ5LJZJ71ZzazAZFRaUZRovfXGc6abUbZJhqLg5Zl3tZfS0hLnOZWLMO9/6DbJFdX+rlu+udxsHKbp5JlRhmt9QSxXKcjtbWk2vlwG6ViR8syYUus5JTo6VEPLvRSMrlrKwG48v5ckHrhirtAC3urgeT+9lurZ0PXhfzdFXM09dvrAdf6r/wjfVgspCPJ5oi3WK2robKenZNVItJMbXIpLNloVIO12ul9WoqsLWXCku55bi81cqpW3S7xdFGs57JKVutiM7VYko9Y2hbtTS8/w24x6xuxNcr5RxbZBJMvRVs1VvBXa6W26/X2s167UDbogvGVisiQV9xdLrJZuQm2+oa7G6X2cnIe6wSV9lMu7nVgnvLhtSA/b51oHN0YZ/djO/Waxs3YN9iKt31RIepJJpyuSN185uBjepGdGmrKFbY+NWNMBNPXi0nbuUf0yknmPVSt51ONBu9q4yar2+WQpsHXCm1mrwR7+1lGQbkMZFkJRCpljaa1c1gYbO8UUqW49mVUkquVFPp6nqgma421eVKdaNQrkYylZva1cVk8mX+FxcWkwxTu7kVKAaaIS6U0xq9+E22FmxzmXSPW94TtzbzYvXGei6RiEv8eqRe7DZvcj1GWkvGUqWN0mbWfveW46bcZznf4U6hewixVu4qeoCUvNk13hPcqfkB4AXHSc6Wt7mhfSR0ad7lzdX81HNv/aOTH/ec/Mbzn/nP/+0O6v+9DQTDUgOkjpLYNPRBt/iy0eHB4a3aj1+EbYMXg0vbqYLXw70GXc0Wl7cJIljWil0Lsg1VWWU5QbZiTsBnuwBzT6IzjqCSpHuKGgAllBv5QeXGa6ijsDFIW0Thfkbu6cl4T3DX5o/Sbq6JIq4c3UdryXeklsgJ5cKxJ5T7+wcm1AC0j4QuPQ0O0YvmhKJvF5Rr1TL+TyaO/8NU8X8SDP5PtlCaabClGUkpzbAd03/6GQ/1By9l4uWK35yJh+keT7xX7MS74J54M7ssffsuey1XLM3stp2J9Z9mrYkF298eDvM0emLV0YMDE2tRULaZqqP4ioFC1kWo3OF07HkDREzz2lUc82NF6KG7y0213ZYUEVxoBtSKU9Kw1YpTgg+qFY/Qiu8IrTyJ7nebiTvf6D3B3TtPfvUVZ+RNs28C1kfAlq5TtwfpJcjM7QQScm8e/R1lRsAbx0sf2WzheGS/nSObLYwaWUl5xkN95iWM7C67nSsej+y3YmQfHTWyeAeGzRh24Wc81PfNoPNFTdpnGz0rlYV1zoInRwPbyVx1p4x/2FFVk1gQgrlt6LmsE0JS2Z4E6D3BPTw/mVQOPd7/1sNo+SbSMlXXVoKTJX+wr7oOWTFXqL+ZhbmoQqw/rOUHR1sBYuMJZUlUJCVRYfrxYrF3wKD1UMRLc1ePQARIDFgFYRLUEUgQ1pmvGbzsHIkUuaCmxLIX1LSNDCyoI7Tim74VIp1NzG8F833/f31+IFL/1z1oznYPkPYFpgG2NZIZpiPqyV0bNq6ZH49AhAgdB2SGCB1LgggROomGbywN0/UlisNjLkUJDyLbSONPZ8BTZDQ6eKA2hmZ2wOuhg+jhdh9pm3VjbbcgyOMp3lyB4H7VlHhhYm8FRvnvT8Qg7vWvkM52J+Nx/Fc/83ufPUl9chY9VNRUQ42zusCnnLAxZiYcM8b8ojsY2ZPocrUNRt8Q4dGQWn3I1L6gGHpVhzCdQBHw+vHJnqSmxjvUmHRaQm5j0ilxTGPSaRsgjEmP0IJv2hbcW8TSkjsiGvVDM+ihYkcTBRykAfuTlQWBB1c907k+6snRw1vDI4dg5Vac40zZngjpPcE9Mn8IsVV02TV5D6Pmm0zNtFkLuWzWIouWuyH1wVl0sdjRm3kIHCFKiphptFIK31YlxagJXLujNyEkRNSTC6M77W0j5J3FbgqH4wGWvQ9gLGoqLNdM/s7c4uBMnpII4cxwOLzlzDAFYdKZYTrKvmkom7MW+4XTS05eKHCmpX7Pgx5Z70iNVVURBQ1CTSRMN0lwxDW9X4YM2q1sa3Pv+/CLHu7RQ/HBG+R1g6nmMIH3YwLUFAQIj/+Q/QVf+ZH/cHLzMz/zX75u+TT+/odNb4w/9aDzEKyDUXpGE8cNYXlGVjuuWM5XhlfiWXT/SCQiPdxICDM93GhkIj3cWGzfaGy8wkAU0j+Og/Zx/Juz6PJIpIoOHtRlQYQ7DZ7bI86M0ZjlQcyhM2NavEPPjGkJuc+MKXHMM2PaBogz4wgt+KZtgYiiOXRmnDMDxMD9oG2ssorYwdFkO/ixkOyHnwsGvDx9Fp3OswckLETY5h6cQIcIgzwWygyDPJ4IEQZ5IhXfeCqlc30/9cWYP+B6Yj7joX57Bp01Y+CkVcVYlZQ92z0LnpOPu2fwubGQANefseeosXDEDL0yOEMnIL7OSTcE3TkSBgjMjyXwtHMJxV05loJvHIXSPJkEN7xkzqm/hJDS77sdPWYGSkqqjQ7MQpwQkd2XRPxxOHWneZH8lAc9bvUpI8s4arW+Xd6T2nbsapebNn0ful0W9gWZQqwsX8OxT3XuDR50CUdQWmV7glbRBBw/KSnIAjS1pmBhRbkL8epIntAFaMcsEzQr5pEZ/sFqG7YIdy1RmW21NXUfZwjSc5/xoKtDn1FQB2C/ed8yNafUoR+d+ynPiMc9ok/bDN+hdzjML7A7yMd07L+c7J5B3oHMyBFveky6W5Dcb/7dx3/8v7+K+sHb0IM23bLE29GzceQ0c2r+7066qv7MZRS+3OGc4JC4wQDkrAUP/gnkwIXGIWJ5wz40kYFcx8lH5WpxTZF77laDR2jVSqJ1SLOhgcHH7UAal0lIro2MJXK6TEAyc7pMokrkdDmEkm8SJfeTKRK1j79P/9hnT27+xw//9dsQ9e4ZCG8Immy21RY0J9e2GaUjpYiSIuC3k3MWbtBenvMdjpVbR0+6emMysPcE55s/nGTJiSaG++Vwmr5DaZqnoiV3ipinoqX+op6dRf6SoIMjt1EUcBS8rNLuGPhhCnkuKmrcjNgtKWbIvSgI9E5ZXWXldV70orkfgVC+j0CgyQnU4K7+GnTKmoQu7LdibOpwbCIsVmDwWD2MAvHanQhpvnYnEyNeu4dS802m5n6C0E4SHSuD8k944dA1scttAac6ZhQ+o7GtFqstS2JTxrrNqCf3phnI6YGXCKT7MAeqhXMH8E6iFa+H/g4UmoaiFT3QpmhFCHgKRY6A3OfBQn8NCh8BfSA9DES5mgYbwo7cP7Invs1f/9Qtfr21x0/7+f/Tg864Pv9lG/vX3urXW/E1vjWD/w2PnUV0xNx/za19v/UB/yQm/9940B0249/uEf8WTfi/daKpW4v82zrM36KP/qoH3fnyTe1/Gms75H6CP05Nh+S6OPwLImrhNNhm1MKp2iGiFk5L2zcVbfdVNxa0rwh///HPnqQy6AzEB1ZZuA0JTrKj6IncHDplP6FqksKrXd3Lz33vez/rweFzA3aCo0+99ce+/1XPeKhPeNA9kE8JAiNDjOJ41JPzDQszTw1AEfZaRI1pr0UCE/ZaQ9A+EnpSNDI7+uAM9fpZdLnM7ghGb7nDZZWGBmGwIelMV9X4RFNo7KU14UYHPNijnlzNMQcMBmyZcyDmped+8n0veugnkY9z4kJfa1tErjWAyjUJdGb7rEzNBgM8dxe602kVrqd9wiGS8HuPQDg0gjChUT8/eO+9i+pD5y462V6UbacUgOZdQI852W3AYsMN5etDue+kAUew/4Z//dmTm1976y//hBVo+a1WkKLfmUWPme8OO9wRTF07spVdhm033utB161+csPEVaNpBefThyL50XMf+uCLHoil2VI7OqQ87NoJAx9B5xTnLbzdtlrabuMkfjNqG5A67W1VcyGBUtfktv+MdocDfN34mIL03AchpuA8NZEAMWJuxfA4JFMxPK6WVAxPouEbS2MgYvbP/uILJze/92f+Z9Acx/d80BzHNjoPyRBTrbbRywg6mGOWG5oqy2Zw7qgnF3I/4UwlOQ8hFiehmVIbUzYbC/iDMZec+sdm0MNlAYbLEJIQPj2vQlQzM0I5jk2OGx3ahS4chpbLO0806PdJoN4T3IX5w8gV0BPuMTiMnu8Qeu7QFSF3QO5+cI7vm0E+yzKrpmp7gsZ0DNWKw9YPxRGFZ/VhwTrwfB1NaWB+jgay5+cYEgPzczwN31gaIzS+UdqSVHz5PHqIwOuH7rfm5Yncn5hhtHbwcZlWIWyLvXgt1Zy9JS95P4HmvvChFz00M5yGJC7sqJoAqcpY8+iAIJ04YegZkHXDLHeDcH8+gy5NRQPHcOqyWov4kJIgSrqh2TnlkuUUipoqjgSL7wIjoEHUUzZUjRXBVE9fU6ycaCgysY/S6mh85CfQ8jB90pLCD7BmJgStajL1msOamYi9dBg2UV9uqG0Bp1mAbfWvZ1FkFIYDNGnEv3g84vaI3+oYfGunCoz4V2fR0tjPMlEmjfmf/C845i+pT7/VM4Y64oyBMf/Ps+iRgevXqLH9f77lY3vU2T/lXKBueS68xK341ubCS9rB7+5fjP/yDBHOfaohMMO5TwVKhnOfmrpvSuoDUQunGGYnauEUsENRC6ek75uW/vd4EDNguHH06ec9wb16/pYnb+4NHhQftPu4NSZ8t87ED3hQavTt94iryXuCe+38S1qPuR/0oPSYa/QtMON7acx8F3rt1P0yso+9J7il+VvbYnLfjV43fUeMbd13i63/H+jpqT99zF7nPcHF5m91o8y9vr86p/j+CSz4bpmFFloa3QeHHnveE1xg/ohHZU5B0TEfPFV7viO2R1itOgrXz78dZ3n6+KsQQ3YLGNs1SmrHELQS2xAKgtFVtb0SyBR1A/KZqloLTFhcFi44sffZAXOb4Ha5wsRXU95zc5/7AM68nuuix4GAC3PA0cGF8/sfeNHDJV4G5qDhj3jQtdEtwy0pLR2MYOAPgIHWy8AAemIiCQs3LR3QA9K0c7kf9aDc6Jl5K4x4T3CJ+Zf+Pbm3e9DKmAl8q2z5Xga23OHTp+1xM3z6tNBk+PSjtOGbuo3BgPmW99QHfvKFk5t//+5f+8Q9z3ioP/Gg+8tNFqxgJKxXYq30jFFPLuLyFqRPIWSl9ZVuCpSHBtvskYiEbfZICNM2ezQyYZs9Fts3GrtEgW121PSTjDhGrH/gQadM+ArLZTS10wbZKI/mcqqkgAUZmaUvuOSl59755hc99Dyi9Kba3dYFhd/eEQQeNBGWKNyH7oN0okAXbLMsStRdrkJYg+cHM/th6u96s7mLueXdJT91jxNGOupfpPsmer/soX7+l379o18+++Kzv/f+n7v3Ez/wlq98dP4ZD/UP96OzRbmjMzyv4fSbhFvjO066xy+MvIKmqdo1DTvSXOtoMnWhaRht/dXXr4uqofpFVRVlwd9QW9f1lnCN64g6LSAkC6ymXGupmkDVbHhebehueN4yd7zOXw/epHU+3lWqadooy005VKKlqry3JO63ylxndWNzTdSkYraR29tcv97WhH1J6NIrCLVYhRUFzNZTdjOtHttogJEywVtTEmRe4K8JLVaSX9cxWtumLeBTjaamtgQ6ju5S2Y7RvKbDsUyFbGrdbteiw7YlHdMCMIegxOt+kwuNfgCd0syFdM0wPR5Ad6XTIYRwKGUNM3rJJu0ica3NDrTCvXkWnWd2diTZctnBUzCr7KjW6KAnQJ67I8myWZCCD1sWOpqkG1JjrWNAPO20qrV0dMmGLLKabgLiEBCMwhdltiFAYm1BQ4/gsBH9mWEGu+6n1RoCSEuabkBucjtox1VXJaPwmirxa21BybT0hKoJedxNMOIQjgL53JQsi2jwScKq8gMjLygdYqJCsnL4nrQky0RFRlY5Vq6ooigLaM5VUdQE1slIix531bhyha0pVV3QFLYlpGE4dHSGXBxmbxN+zZOGxfRrngRB+jUfRss3mZb7zJl2PphnzrTQ5JlzlDZ807dByCammayWbGIa0AHZxLTUfVNSX3M0VVZImPELyHuCe3T+sFWWKzq2rnbol8kUfYdSnMDi4BIeyeIg0EQWR1EcYnGIojuwzhE2ETOwzhEQyMA6R2zJd6SW3HkLDt/qzLwFh8OReQumo+ubhq7bG2bMrmt6w4ypJL1hJlDwjaUwhgX3/j7EgrtyLAuDFHxjKRB+5WNOEsuvfEztgF/5BBq+8TQIgedUx5Yl8JwKdkDgOTV937T0Y+ihUew7p6n3BPfA/Ohz9tXOO4BkjcD1jcQtPQqhD8A/bzEWi/otX6p/+NyLEEDvl17/lT/80fPwdplBV8pNtZtnlQ4ru/PVloR9q/91xzAH+8wOmUMsHIVETnBiXuDwLlOieU9wC/NHaWbH2ULN0DBHaMd3hHZMK7G+eUnI5dJqO41/9W6EwIMk3oP/j3pyX5ntZx8FiUdCVnXB7k76CrrIa2p728AZ6reVDi8K24a6vdOR5e0We7DdlXijSc2GFgOHwEqKDQv5vgPoynhYDLfdFrQG+Hdi98sIfQE94MbA7zgefLGok8FwINDSaR8674YYSeUymm9JirRtqKrMsdq2aSu4baU4uROoNqADuD/wIB/uCmxjJlRYLquU27JkgMfXhsQuq8ae0EMPwenZ78+ipOCutG/dD5PVFZYzLVHs+jMlK5mgZQQK6jnZPUDoXP9vSPdSwd9WgO5C8/0qcF2Eo6IgdOMs1M3168oCzl4OxpWqRp59h3+glbPnULiBnD1T0fVNQ9ftrDKxr01nlYkgpLPKodR8h1Bz21VNHmfTrmoyDGlXdTg932H03Dv9qGlm7vSjasidfhyubzTuJceoUnFx5z3B3T3vmte5x9EZ15ZIwPnccG7H6rFLwXSsHltNOlZPpOKbQMWdfGv80jOTb42vJ5NvTabjm0SHMFcbs9otc7VxewFprjaBhm8sjYEzJ7Toit9lh1F4/Yx7r1oRepzKany5qWpGA8e+uD58jp+fhDJmKAbBBodiiMyYoRhFxzeBzigTRjIWAfX129Dd5T2JzWhsuylhA9Kf8KDLLk1DUdB00MEphmnBZZt4bNeyBe8sfQGd5dmusg3vA5Be7rOyxLv9Xunz6AyG0PektrvaNA9+FJ3DtWA13Haa2sYiYEsCei/JYu63POiKi0G1Y2ALTg077LYkQ//W80g/gh4QMEvbvMXLto6ZsX1GBj+iaTqA9aOivFzccvdSZEtz6IzLT7vf0v9GBhF0oVhBBN1EyCCCA7A+Arb0YH/WhcNuT4j3ek5s/uoHvucrt1H/xYMeBwfzbDEB/iaKIBfZjm55TqtKBgSiuh0SsjYYXAx7YJ9H92GrfIWVt7sC15G2VZCLW919ET16KP1cbNDfHrtcX6QORyW8PRzje4jB8AbPnXf8xI+96Jmf+dKrIE5LwPSj5zsKzypG3+wb1CmC++K8rMpY7B/15JZc4SkgM/C0JACxHyfjKIhRdIfdvplKeGpMQoM1JZKlwZq2CVKDdYQ2fFO3QYT/c6KyvflnXzhJfeV2hMqy2o53GnsCHArfM+M8TMj4BzB75j7zgRc99BmEGs2OsmfqsE5G6DAdjdI+NC9Y83hH1cztY1sT9Laq6PY+8iB6AF4vGFuHzWbbUg9Qnij9APK6Kg3VYGVqJkTTT6KHWjgqF7hX6HpHE7btuHpW5Ij8WjJVYiopeg6dghcP19nZETSTvdtD9NJilJ5HXmhK0oTttuXyQZ3Mp5LZap67290FoE/inWTxqYOG3OFNo4SS9S26u0N+Fzrk4sRPt9bsUCsdpxXY55NqB/6MY9bL0k3B3crz0Mr5sZ03E1wc3XuL4eFm3+9B10Z83RAP7vZfmPYrXy4mr4zau+Y+CwYAd1MkLBG4zonC8Md/9PzJzR/6+T9+46tMD5O/ej94mMxS7/GgRwYzHzM7hqAVNanFar3NXVBqnhuMChaIeOmn/78PvoirBk42qPoGVBFuN6cGHKVMBxgni8Hv/fsXTm5+6cv/95/Omvz99juBv9uoT3uQt2yA2rMGD2lbh/zEEENLXp6jhmFzQXSuv2MNVHpPcNT8MAqN5l070Agc3xDOoGdcsO8/Eoz5g/jy9eYZdL5sxXSx3axw10lcxzBjdwWHb6APT0Yi1E6TAE2100RShNrpMFq+ibTMuyi26AnRRJDRiB1O96u3oQfKXWnHKDdZCG0jtDWhYQcx66Hz7joisH+Mjnl5roYeYGRZ7SZDyWCwxmptW2xNXcTlZXXH6LKakFm1K5IdoaImNFZvCjo1ZwL127Chck85pgLK9ugWvCe4ufkxrede64ioQZc0Ft83Dt8dc3CKDzFjDk4BSMYcnJKybyrK7ifguG41n4BjO514Ak6i4RtLY/AJuOTKPmy/fz4wix4Fe+GkYAhaS1IgchkYApiKGR4uCh3Y72IDd9Agjj17cQrkoVumhUpNgUrEKQsPOpZORaLsxKxRtg+FBqLzUxCtOLI62Bemoeo7nKo7Vl7QuYP92q99FsfKuw/wq7qwpie0Xttg9J7SwIHGyXEJBJe8Hu7+keAATIZYMoGpkcBE3y856a/NXhwA9p7g7p8fSSXqCLusnhqB6RuFSRzaTtTLL/7WZ09Sn5tBT5R7uiG0IJA1KydU2ZJ0DdsKRj25p4aPkCvTEyAv+FMiWRf8aZsgL/hHaMM3dRvuaO5Li25vzpD1fKP+mwc9UGG5BNsGMSVYTHCsBtItM6D9UCfOjQMnDozRIOaBMQadODDG4/vG4LtOWnpx0X3SBkN2OO9ZREOoyiIrKUZFasHrFg7urMILB1lFMiRWlm6aVrnSgetlGnM/MBfQlemJAGo/MMQCdRRUYik+NbgNHo2WW7M2PZqpWTtCM4Rm7Wjt+I7QzoDlZdBSYP70bzx/kvrHKJqtruSjJ3J/FnXvksFoIBQMe3n6d6LIWwOJjSzpRgquaoJO/VyU4dSOUWlKelkyBHNrXmC4DkQyN83+BKUhODY5E6r8OXafNT2qkxIrq+Ik2ArLVSGO3CQYM0YGmE8sEDHV/dkWKwpJwUmXoQ/U2yHqoLijsY1eRWrbLPVL7G/lcYevqiy/wPBgl2H9qWdxFAhBgSb8q6xuuAsWmFa7D2xaeviTrLZXaQotwQ+WQfALlBFOdb4jG5L5VWbYFTyxJaM3CgILLZyKckMTBKWkmnFmnWLQqluWuQIPPxgRJLeY+ALTbkOWD6bdTshSYw8sSF1l5sZmFxRUhWm3YSM1xeoLtmmTP8FqvBkyPSk0JLIuCeIGtS1oKUW0DFv6lSleMgTe/inwWPPPGFhoO9AGrgIDD3tMiAoIybbhiD1dlarWwjHbyCJMp4MnRHatTNaZEmND4PvFyxLPC0oJXh+6HceXlXHDIE4a/mg8C9iGYVnmq1qrX1cS2mBZxZexMScwXtQE3rQmLlmkpZvu5k21lcDnWX3PxoMud0E4ZhRp3I+janTQzrt4hC0Ff0JS4u3ZYNUxOgi0WcXwZ5UEtmy1wnxIijgCaBV2BbzQ0pIi6U1X+6OA1hSskjiMFma3osKMnQwHbmEjmzT3ygVwoUmrWpfVePwOt1+K2JkIdgG8uJdV3SgJrK4qIxHgQdE/Y1yApnNOGuJ1DP42o61CNOi+S4sLBq54CbXVlgVgnyzvezktgAoNf4YsKXt+l7GVucc5Ok0LAHxosgpsO1bBciW/CsaHfRrOnmT/dM4Vq8TsWD++dZp/61aN6YQEkdjtAt2M5SxoC3FZhXnt7KzmzFkrM+22P6voBgszk2m3iQpri3EXVRXJhB6EreqsaLaNNysckHHBdBAyG4VATMXsAnSqqkuGqvmdcnchTCl7hULHQZ+yDUMvSo09QfNje33s2wBHjL5gRd3Cx62f4XmBJ4vwMAt8vIenKlEFB5MNbg6as1lba3pkHV6oVkWHlc34MO6C/qJeSBSruF/yAgtiXry/JjRV19c0SZQUWwBjqcVSLU7gYelZF68F2PGxJ6aBA8+oB72FpGDArOet+FP+vmU/Ky/Y0YX9ax1DBmMIqSVgWWC52TEgXI8DYRqQ8gtJtYsdcf39ue4U4VHQOm2isCTonZa7wF7heCP3m1Fq4oIoKf6K2mk0R5TXmoIgE+XmxB2BYFVYGAeGgHOP6X5XH+LF7Fg6Koa5JEJu6JrAWWesf0UQ2ix0jeMOY+2JaUkWzMcJU8y6MBbSstpw1iSE986zRqPJGIYAWacWMoIiQFAaV+zjhQw280+qDX1tZwcSGDm8LJhKt4buL7dU1Wgqgq778QevsgYEmRkJMKmuAF5K+EgqmhZKYG3QFsw7kT4SZWpACB3dEZuwkJcl0NL3EnIHNj7d/p1nFaltSZ6Jy5VV7+qULA9VOxJr3vEW+hFbzT/zgtFUeb95QEj7gh/3M1FXUBU8TSVWMZi2tODsWyWIjI23L32BuPQ5YdU1yRCsnRPH4F3IrpVdu7G5iHGLgo7rsrr1hIlrahe2DijEOTZhj6mokETAysLmVEGZ83lWWV1VW1aIPlxmb8AZVRFwQbW0mpf0FjSdVVYFkW30IMKmLLX6nWfKXbQFuKCbl2Y8auCv5kzNVbandgx/UtLbMttLdAz4he+gdvNwKm9IvKAuAAI+GPSioFXU9ipcA+2+wrU4iQ6++KjaAg5HTvrH6QurqigpICAyt+lVVd1jZWlPqGqy36W5czbDBQh7jNm2t45+iWua5AVeYvHtGz7Db62zoeIOL6nWljtYl+8YAu+vKq2OYSVEtSDirC41ijLbg8exVZbKp/xMW4Iccjhz067gxoBac6fEv8GZ2VVjdYVdZe0e+N5qQzm3ar9l7eLsN8MAYARic5cVFVVzoNKCwMPANtR9QbPKTJNm/Ld1Wuh+82vjHcPAYcp03aGwwsqCxKvY8ck/1Nur4MklKaLfddcVGqpmY8PDEveq9RtPIhwzXAA/SQK2BhMZXwOs3wKHB4sYMvyDkwUSDv8BPWA6L1o1pgejP8HqkCanjJePs5/CVK1qMgEJ3JoPb7iVS+DbBjEMrGPKDVlhuRH1oJglj1WrrMJyaVU12pqkGAt56cAJ+QlTr9MWNZYX4HzETmf28ZFXOUkW0vA05uEogLmBi/AlMSlpQsPAdxp3seua6Co1wYhIdOYCZZRGU9VSZvjQvACxL/VRcHivkJQ9fEGbBDCBhr1/1Vit1Wm7IKw7akEw/OYuVlktb4DxjaosFFQ8oHbovAW3Kn/BOiNdVyTdLgN+dD84kZjbq/VOXlhrKRKnHpSFRgf0VlmFB2Kq1n8imu/TtbYhtSzpS6Yj8cJwCYyd0YHZv1DEqU/MEVUU66Wu4+Kk2mIlBaR2+Gda1QTrOWC9tqEUquMdjpOFBWdXtv/www3FvBdYF0anJmtZxfRLCD9ea3XDu7EPIIkKVnabL0O7PMHizKD4NzYFs4JiLuBHRNH0qbQkkAt2JX7/2j+sg8ZfE2R5RVG7inl22NVw+ZONhSLbw4Gg220/DuCiWge5btfYt63JtRWNVXTzls+04DRaKArttqD545q6J2gLsLcIDcORJ+kLLq9suKVBHiqI/TdYbq7X0aXW5IRKSeWlBvmyw4z2r8KjgVzPvyKoR6wZ4PyJb/wLRbkjSoruT8us3sQ3FaUhLBTVdqftx/bKvPUDL/Oiqhms7LcesfAbDhbIFCb4s0pDhbXlx2fl6CqLSFfQcOvlhqCwmqRaIjBWxrIje/2ZLwnil998JpSK5t5A1jnhRnl7dwMADe8E/ZluTi/d+SOhSkpaltpOAbb6Y2TZvIY5xTZN69qxLOGp0uFkqYHf0DAcllALvqKqC2Nq8W+Tlxrj35B0yViAKxkOFinYXcu7ykpCQ5D2wV1cNyRZtu9uToYM+OSOLGh4kpmlYFXufuZXdUwR24xI+wK+Nw8+Yclq91uwzLYEOK+SEhio4NcLSB/tw2NstWmismD+3OnINqDFGdyw8HG0YIod4xoEccSHj71n+k1vj4rUdhVJhuASBJqu8f2QyX44Gpz3zuhq601tObr78WyqqBBHaMFOXOw3pQYJVjP6ZaRszymugShQgLgjVofA2a6r5oPDv1lO+q3ruR/f6gG1xWogP9WwWKacL1tjrC2Uy6t+96ltPuRHltIL9svcuau6csukJRkkKq6SksDjg9xvTsyy1sBXJNfcXKiwnHP3X1vL49/m4OhN1YCf9t7b32z82IeSkQXNSEuw3UyCgusVvsTok8DS7L7UUBXzXT2RYEFV+qbE7gPbFh1MwK1Ihiwc0oZzhAr8mmZtiC5Q9wXMhVdhOZhiMDccRwVY8mUDP2bHUiCNzV2twzg4e9iU2Ie1vCrtCI1eQxZczy93fYXlAAQCCAwU2xcvV6kp6HEqQERSUdNYeownMD5F4fnb/6v/PRo813m4g1uKCv+q5e0FcjHrETACCutsRpSvd1jYIVPKDijLoHc2JGs1LpgR3RawEsNWi7h/ZM26smCA2FU3n/4bUX+N1Vt+M5wvLBgJbjpksfnUGCw1z1Tzmj9QVZHgdK62FzYkDURytqG9+V3wQcUVW+pp/7TGOKXwdokj6rQLzCMFfrTb/iQryT33Ll8TuLVKMdtqsw0MVKok/Jb/4jKr7cMrWBHtCvOOcVDm2wvmNc9vikpNCeZmyW9KJcy9Y7MEz6PNkvMHnMiOrmMQyj+uwNpEudvRbHWvVfJSty1FbOu9937jCyep70Rnq3nmGlxLzDG9ZkfSj3rir+JNeUgOoZMKFjp5edD08qq4o6q89wT+4QQt8VK3haxww83Xf/kNP3fqGQ/1xSvoVHWvVWZBhqOIJTMA9oeuIAq2WR2KTbuQUCDm5cG2luFYhVcVgS+Xiq4MXZ4IHURXj6DJhMSL9Gl0l0tXSM0sBmgvQn2VITUTDEP4835JoqMbqsNvmJoJB+hL6MJhqkXKQ9MPo7lxOkHMDNSP0Z5RM0sB+iI6P0mJRs3SdICeQ9SwMo2aCUbpC+jBCbokyhOiz6HTlk7C7hFBo24LhgIBSF05pJ3A334Z+cyKfv86gii/9djTgfgZdC+pzaBmwpE+XZdSg5oJBcCKdlCDQc3EAvQiuo7Pd0kRK2obpJO2kIosZtqS+TShqdmlQIA+j84O4Dl8eGj6LKLwBUHA3WVJKqHiEnqAVIvYEkrqLlc5fRnNjdOekICPQkOD2pSJtNzaFRLwMXT/SG0LCUWjiyOhSkJHF/gyvqxkeRLnEnrY3HvwzdtvpgJNLOOBxQSo2WA0QD+OHhkFtowv0zYcHaAfI+Gsc0ZILOcFuLwDnCdKn0PUsG6Imo1FAvRDaM5UBwl45lpiDQszTF8yg9kKtjUaVJqiN9dcg/XzcEJV9q056S9b97S+rg+m6WOYlgNk6VEHoa6giwlV3ZME3b5l+rH1pKl/sIW3EAcoQMdQ0IbFN6Eiqxk9+D8JqAl8VsGqC9ddfSNE3RakAwE6iK5Mrxoyx+Q8OpvMFssuiV5aVrsFiM3rCdFX0eO4Fp/jfRmJKXPqo2zQAHwWUfhEM1dGuQPZUnpQ8QA6NaA0ombpJex5nVRb1stJ0PyOCQXxlrJUF9QMHaCvoyenwDAXMjVDR+gr6DECATuGmvV9JFmgZiKwn1LDuizqDruMvoDOjFJsuSDOI++glmtMrSUrdNXeh+52q60g7QicFA+7C3Ms7Hy2HA1+UbOLAeD8rEtXtaa4zrnZ4GKAjiD/0XRZ1CwdhrPhvhG6KVhBF9D8eA0VNROK0OfQfSP0QXirXkIXDtNhUaOQ6Sh6dBQi3mbKZjYZYTQmjR6coBUbjfMwmrM2dqYt+Rl+H6QvphoJT63H0COHqLAozyI9j86M0jFRM0GafhQ9OEEdY+1BD03UtOCJ+wDyDipcMIfz6MwovQuum0P3jdCdwBG2gC6PqPHXdcN+4KYUM9cnzIS70O1YHk7N4M3kgdHKFzwlLqAHJ+hgoOnz6L4RehbKbAGCKvQ1JxnBMK86aVUrqrKENwhY75em0q4A64/a/IxURuA7UABdnlIH0Wfy3FhthA0zD585pCMw19w5p86tK7DuPtSwKgA+5El0cbjCX2HhURlnedNxXMdjcAVdco3poETZ71yWYdum0bVJsOblCyTWWou1p/uj6EEXji0cs6VN+DPm0X0jlALULBxgr0WXp1ROUKOIwNZymNJiNGIM+Q5XZoxGjaJHR6GaKVTWlGXQuI3GfDW6OKJ4QPQ3ptUHkHdQcYI317PIay13PxZ1arJuXvRPo7vdIhhYbtfQ5SnVIPi9cRVdwrI5rf9IAkEyFkGbNxZrbc3gd8XpIUWJebu7ih4fqvFb2hKBd2lQgMWH0NnROhUaP3HOoHtJ3Qqe5A+i+0eqWKxX0UP2Dmup+FQtrWoMX2FF0X6lnEP3FVnJ3u/6O3IEH4ojdCHAqw/Nu65pZo9Yr+wNmrotGsYH+oVBRQm+5CUSFff74kn06AhFBaNI5krDezN1WxCui9BDo3UaeLU9hs5PUmJQtwWjATwmLiiHM00QbkqKmJIl0bKrhTW+gC6NADbVa6YwE9+0aWo2FAvQ96NTA3oN/Eh+HH+hu9jvnp5YMAW3fIRuxxMMNqT70d1u5Qdl1tD3IdRXg9iFl9Ajh+gy8EDfh+4hFBV4/jyKHpyg2bDYv3CYggOvmcuIsnYCkDfap+HpfplVRH8HTlMyAOjHk0zt6JYjJv7AEcjn0f0u5L4K3gyGFEBPjqwdSX02HMEPMFse3V/r7iVOg/zEj56cDFVpShqPny8Y/jH08GQtB16fj6MLoIrQIayARX1QJYFH4CF0dozWAY/hNXSZ0IH64U7j1hP1b/hw0J9DZ0jwNcVci3immnoKKx69HyBkwfCvKUmQbak9OC6jsMECH/ZjHooodA8uggvijuXRbYNZclAoegw9DEVptgUhPOGLnP60nzLhCOx14IPnuqzBBDuLTg/pFTD4FXTRVYF1vqOucLPRCL63jZYt4yYeRxcqLFcS9kF2WdFYbEQJAuy+aBq3GELX+iPuPHc1gd3Dmm37ZFmuVIopMJnA4rNT6E5H6IxX5Fl0ekgKjSHvRidN+TAe34fQAzB7sCEaXDEAFAtXzUPmAXRqI+rPJPwQOjABgnSz/B70KkvOiyfRo+iB0eJjygajL6D7R4qS+xCX0Px4sXIfjEJ3u+W7+JS8H3lNqR7eRCwBRYi+B91hS17hNHgAnd62xKLbuiVJpDxBEHNAHAz+YHvHDLSku6u500Oi0ty9CKX2Ba1nNCVF9J7AQa3DYTOoddjK7HYsYj0WsR6LWI9FrMci1mMR67GI9VjEeixiPRaxHotYj0WsxyLWYxHrsYj1WMR6LGI9FrEei1iPRazHItbpRawRIm8g9UN3o4fBTLaqSLDHS0bvWkWTWPla8JrlWR315E6jO+BobW8Hgl7P3Ps+8Rl3Ee31zL2fLAp5PXMfIIvCXs/cs2RRxOuZ+yBZtOj1zH2ILFryeuY+TBZBrNGPkEUxr2fuo0QRxLmb+3dkEXD/MbIIuP8psgi4/2myCLj/GbIIuP9Zsgi4/zmyCLj/ebIIuP84WQTc/wIU3W0X0QGv+1eQ+EUTv0LErzDxK0L8WiR+LRG/osSvmPtXiOAlRPASIngJEbyECF5CBC8hgpcQwUuI4CVE8BImeAkTvIQJXsIEL2GClzDBS5jgJUzwEiZ4CRO8RAheIgQvEYKXCMFLhOAlQvASIXiJELxECF4iBC+LBC+LBC+LBC+LBC+LBC+LBC+LBC+LBC+LBC+LBC9LBC9LBC9LBC9LBC9LBC9LBC9LBC9LBC9LBC9LBC9RgpcowUuU4CVK8BIleIkSvEQJXqIEL1GClyjBS4zgJUbwEiN4iRG8xAheYgQvMYKXGMFLjOAlBrx4+04Nnrn3fuIznhIifBp+1YMeGX0aBFzHgUMzQHxDgPiGAPENAeIbAsQ3BIhvCBDfECC+AbZ5t2PGIPtPowtjuB/L/gCF3/agxw/pgGs6q0hG75XcD28ZN4x0YOyp/oHnhk71Z58bOtU/+NzQqf4hKCIm1vufG5pYH5sdc82IjGXoe4cZ+r5hht40zND3Pzd0zfiB54auGT/43NA144eeG7pmvPm5oWvGDz83dM34188NXTPe8tzQNeOtzw1dM37kuaFrxtueG7pm/OhzQ9eMtz83dM14x3ND14x3Pjd0zXjX0Gi9cXi0VsdMn8j4XWDCbHzTWeQbSS7gd0b/WvDbvp7udg+p6xfBS5DgJUjwEiR4CRK8BAleggQvQYKXIMHL8T3Q+XV8D7R/Hd8D7V/H90D719HugfegO+29LkD+DJI/afJniPwZJn9GyJ+L5M8l8meU/ElyFSS5CpJcBUmugiRXQZKrIMlVkOQqSHIVJLkKklzRJFc0yRVNckWTXNEkVzTJFU1yRZNc0SRXNMlViOQqRHIVIrkKkVyFSK5CJFchkqsQyVWI5CpEchUmuQqTXIVJrsIkV2GSqzDJVZjkKkxyFSa5CpNcRUiuIiRXEZKrCMlVhOQqQnIVIbmKkFxFSK4iJFeLJFeLJFeLJFeLJFeLJFeLJFeLJFeLJFeLJFeLJFdLJFdLJFdLJFdLJFdLJFdLJFdLJFdLJFdLJFdLJFdRkqsoyVWU5CpKchUluYqSXEVJrqIkV1GSqyjJVYzkKkZyFSO5ipFcxUiuYiRXMZKrGMlVjOQqdsi7cKqbOH18E7e78/gmbv06vokf38SPb+LHN/Hjm/jxTfz4Jm7/PL6JH9/Eb/Em/h4PunyIhuaaZccYPTGgGPnR9z0/qBh5O1kEqoV3kEWgWngnFBGy/7e973kPBDeLBQaCm/3hHchbVdRik9UFOinoe4baxolX7ymoattK+oq1Gh/+yRc9kBL2ox50n5XmqaqoboiP/OSLHu5NHkRli8vbEOw3q8QFRdiRDB09WhLaMtsQIBIthC1XdfBfMYHM3yiCQ9liylb2DDD9BJs+8HBLq5rpdAeGlu2mxuoCWArp1Fm7NbUDobax4Rl4IAGvH/IM5q/FjH7UYnQcKjXiC6jDv4C6tS8ARomUtRH0oJM8bJgR7wnuzPwIBnOLTvbAnZ0xeL5ReK9zEsH1mxvoEO8J7tz8uN7KPe3k4XQ1PIKCbywFd/rIQ7vZTB95KBiZPnIqqr4pqH4Xei2Ro/HIw+09wS3N39pMyX03eh2Z5/GWWvfdWuuleepeV67hIB0ygzB+/Y0vnNz86I/91vMeM4XyRyEvvcdD/fboreWnPOgB1/4Rc20yd8694xW3hcB2Z28hJK/vPN5FjneR413k5dxFfvQPf+Pf3+7eRWao/3MWLZjO31ndcWAzPWHBD0kx5J5plg6W3B0ezHUW3elDn0SXp0QHvH7u0CepqfH+/9auLjaOqwp71mP35iY01+PYcSY4nU7iZPNjZ3bWu1knQdRxnNgb/2zWjh3awGR/xvYmm1l313aSigdERZGKBDygtGlFgZAW8YAESOEFFQREoqgNfy08wwNCCQjlpWp5QELn3juzM7s7u2PEk62553zn3P8zd/aez0MceryWOHQTQAbWnFERUAcMyIENXHZYdpeWNmNBDWqB8QkzMuyYw65MiUJvhXAXMLuZfMzkzxQzywkheRR32ayhc/Ojp6bG4XRPB95bkB4fA7FJi10GhMEFCvaC7FGQ/BQ8y6KbNbexPGPN9cHysOb666s++uku+Gl21M5ffOv373ZKd0NYuVAxJysVuDt+1bTmS5QdjN+2gCfADRyr5wZWWysmz+OD7vo2FSZtWVVuDZl21lnWBi0x1ZaYjE1YZyTqURdxcuzYCGcT/iiEB2AFGc+vs8tE1fQePMGEnioVrLVYQkhaWOVtBSsvXM9cvzaZZ1c6S+trdgPCbZNCvmgaWXOpVDaNFTOzcfO6CbwAUkivZA8EtJh8Dg+5G7m1BmnLHpADgl/CRz3NHQxdDYbO2OspjXM0OjI0HKm2fFzjLX+7HSsLCU5xOQ6XSUaLRZ6Q/UymUIQrCgkhuQfLqbK5SslHDBddelxjJ5GectdbmV3eg7uq5dUF9UTtgnpICi8kYGIZeeaSYYJPRsZxyljiXnloxYMqMVrxwCY8tOKbsaEGtuHmrI9q9qr609+81yl9W8T7FxJwSR/IeNglQE57DzklGN/WVOFaAX7JdxAPeHqgArfmgLXubLl0fW3F7owEwcl99CYcF50uwBXFYr3UU/RKHZeaKdULNOtzKG/Y5yeTY7V9rksabyyTV9W4RutqZOzKGgXLWKbVNYpQ3+TzeKS27wMrg0l58ybL+HjdWNiUTXXTNn24uWFwXPzHK1+7s136ajvuW0hMWuYS8BIVNszpTPkq3IjKQIb85DXcBWwoc4UXzPmVsllZKRXzJK8P4P5CVcVYzhmVwgumsWaLSKI2NBLLHsWD9iimpHqGV6liWGamDAvrKm+iqzheNyMDaZK27FF5k8aK+Fj93AxsTd2cNdceNqwPu/awuK6zOXvxl7f/8BdR+nsI711IsLmaKpWKabNoZirmrDVN575rSfVMDyem9T52QlZvHBqvnUIDUhCjyUV8xNU/LeUBWA4EfBEPuvsiELIaBNkTcw7bq+OL7zzolH4dwgdoGohUIQc36SYt/o9NPsjCWl3ThxNC8mR9hHUwsL4neA+ow4L3oAY8wfsmLKhBLaR3QXAaGTokO7uNZscA74fwUzRbxtoKZEFhG9SMeT1tLsGCANmFEkIygrG98S/oRM8+3VIJVOx9galILVU88fwsDjvN3kKRtGWflluip5yAeWkpCKLaCpGNT7YuREbs8fmF197rlH4RwvsXzezZ1AXWbGm4dTtqZYo3KwVIgZIuZdcrlAErISRP1A/PcFD15GedIJI2UwAV0pYNy0HhP+cMftZoAfHVgPh0ZEZH3CMzwme69GII9y+a2VS5BIv06eLqXC5jpTLAAUSp1aDpVPeJQA/ubiAFMtW3/x6poYxnhT3mnJRZRgNh0pbtkRuiJHB/tbF8NNVGmp440FnpPvjBg05pCQ8wjp5BlnfNSds0Yy6X6J1lto4m2pI7cbdNV2+cg9yClBSK5Nn+xSKJxIjnHSzObF0WpNdDuJsZGisVS+XRXG69nMkBrF/4H4vo9GcKfqGgXe5p2/21u1eP1Mispw8alLM+aKTo6QMfTbWRZuM+uPO3dzsvC9LPBbxtcSWzVpkxr09k1mDofan6uczIm3bsGyd5/RDGpmVARgSjkJc+Gc9aCyvxxPkz2vqylYw+H8md02bO37iyOnZmTpfw1tVyKcszoUntkSEtewQfmqDUmfAWDff3gQ92vbxh3oTJww/cbW/Se2EGJdjBgx7Km3pH3hwcm6B/To+v3P/oxw+gBvfqa/CSqwam9b/WoNtbA1Eb0iKbrEKfuwodpjV4Yc7x+0fNW/5K5v/V8tpQYpNu93ha/krG8flBCG93pNh+kRCSz2LimT3wUxy91uXV2I3MRm76QszlclqP56LzlQIcndmw3BeOnhyq+RxKseHkzEfe9+SssTw7OfPB8pyc+eurPvppBd5znHNjPeIZBXQNfCuElcVC3twADl6HBHCqkDOtijm3vrpaKsMLzzjud9a/6ciwZkyNXpgZmxg/zY8T4WBNagnkOVhrJcwO1lpCeg7WgmCqLTFZLgjNm273ZRHvXixYqWJmDX6UYJPrpcqljULeLCeE5D0BT9mjcMbMlK+ZxmLBYqnWHHEn0Y/RBMw5azuMd9eW8dQkkL1R2mYDzFrFm9k43ukjTD33c8TzFcoHgH2F8in0foVqgqD6IpzF+1zjwtdV0pbtl5vWZQIPuEdDUyS1GRKLnobd0ZM+7OzojwTcC8rZ0o2Z0uns8opZXGU02Qkhebg+5uzzE/cuEA1F+ALRWN27QPjqqz767tfvSISFL3ybjjqVfT+Ed3H1OUoROJGx8kWTMj7DnhF2B4q7m8iCZDVc3C01kfQENkdqA5umqmNYrW3ReikAkZuAnMZ769q1MYrqj+J+ibHbk33YuSxIfxbwjnErV74JiVMhZdZEpgKpaOiRY90A6m0snBxxQjLLaCRA2rK9cmPV43hPtYp+umpD3bTs2VdiunuhHMRb50wzny4Vi6X1tWQvluYh0y2ko4Lf1CWG48fiJJ8W2ehSe1mMEYkNahFNi8aHorGYpmn6SfTHv/5WIHkZoU9IIhoiozJCT0oiOkXOyQhtl0Q0RablJ1GXJKJtZFAS0XlyWQGlsKCvoJ998XdMu0MSUZhEZIQ6JRHpJCYjhCQRtZEtMkJbJBGdICdlhLAkok+RUzJCWyURjZEJGaFtkogw6eY+TJJZ7kOKzCtv/Zta+jx6/GVuSaCogoxQSBJRiLRzm31kF7e0nxzlljTq0Vbq0Qlu6ST5NLf0jKu2Z3htz1KPCPUjp4DRsKDH0U9e9lgXufUO8oSMULskIkQGZIREan1EAfGwoB9Bj7/i4/VnuN6z5JICQlT6n99oUkeQFkmHAkLUp1/d8pHu4dK9ZCf3qY8cVkA8LOh96KFXb1Z5eIvbf/RKHWI7RYzwHtbJrAJCYUF/Bj2ul2b2u7neDtLP7e8hB6pjRHnMEPahN16lCFvQwyc4xBb0CP7NkpwChWFBV+n3dpedELfTTnYo33+V1+k/tz0y3Qo8oHX64RsNe24HyXEvO0inAkK0Th98y4vDpVNkjkvPk+d4nS5RhA6KNauAIvX23nf8ekWBIurtv+5wmXbmkwIPaMk7363pG3hAS75+14urwANq8e27DX3eQXLK23e59v1a7ft2yYfeElH50Mb95pu+uFBEtT9+01OTkPKxXfKn79VYhAdh4b+JipLOiekCAA==","variations_safe_seed_date":"13412958040000000","variations_safe_seed_fetch_time":"13412958278019296","variations_safe_seed_locale":"zh-CN","variations_safe_seed_milestone":144,"variations_safe_seed_permanent_consistency_country":"us","variations_safe_seed_session_consistency_country":"us","variations_safe_seed_signature":"MEUCIACCBbNXyyknrFQqhy/LqfuikX09GIT+yWRb9vo+M1PiAiEA2dKBTI5uO8+M8R9EcPaCuaQuD5WolfMuCTmIYy0+S48=","variations_seed_date":"13412958277000000","variations_seed_milestone":144,"variations_seed_serial_number":"SMChYyMDI2MDExNS0wMTAwMzYuMzU1MDAwEgkIABADGJABIAAaEAoIMTc2ODQ2NzYSAggBGAE=#Y5uG5U3wJnc=","variations_seed_signature":"MEUCIACCBbNXyyknrFQqhy/LqfuikX09GIT+yWRb9vo+M1PiAiEA2dKBTI5uO8+M8R9EcPaCuaQuD5WolfMuCTmIYy0+S48=","variations_sticky_studies":"RollBackModeB/EnabledLaunch","was":{"restarted":false}} \ No newline at end of file diff --git a/user/user_data/MEIPreload/1.0.7.1744928549/_metadata/verified_contents.json b/user/user_data/MEIPreload/1.0.7.1744928549/_metadata/verified_contents.json new file mode 100644 index 0000000..3b355ef --- /dev/null +++ b/user/user_data/MEIPreload/1.0.7.1744928549/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJtYW5pZmVzdC5qc29uIiwicm9vdF9oYXNoIjoicDdPYWZ2ZGVLODEzeVRHdGlxelZUN015MzZPLVZDWnY2QUVWUEtqaDRFdyJ9LHsicGF0aCI6InByZWxvYWRlZF9kYXRhLnBiIiwicm9vdF9oYXNoIjoiXzh1dHpQeGhDc2tGWFQ3d1VFOURrZDk5b1RJZ19hX2pWWmlyUVMzYUlzYyJ9XSwiZm9ybWF0IjoidHJlZWhhc2giLCJoYXNoX2Jsb2NrX3NpemUiOjQwOTZ9XSwiaXRlbV9pZCI6Imxhb2lncGJsbmxsZ2Nnam5qbmxsbWZvbGNrcGpsaGtpIiwiaXRlbV92ZXJzaW9uIjoiMS4wLjcuMTc0NDkyODU0OSIsInByb3RvY29sX3ZlcnNpb24iOjF9","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"wdnAXs9c2mrFkJxe6NtA57Nj1m_1to_CNmtpbGa52um1D9j8bQGG932EUfEl6i3f8bcf63uZFe1K4nOboaghps7LWclATkIeEx-Jssp5XNytbN8z6Bs3e7Pa0sBEftItOAiUWo5l8iToxRxxdraov0QXKXPIfwXEKSbpbmhonlijWBhORp_VAzPTal1O4SUwoG7ZsCFAhRIvARPUjHMKkSsuEKuCzCwxiyuoubY6RkJ88sHmLkBEnoJHFYcrgMJa0iB8e9t-pAt0kg2p9yZp4Bc8o1e3p0xBb5F1nGoU_jqWP_WJ1DQLAW0YCVDyoM4wraKVXtA7RAaotgRlr491COLTiSBOOr4A3ZqlfLEC4Sv7bgs8WRSZK4gaFZxudfEad1PYd5sb9-xpKnNpd6NVG0GNoCt1vUuPsOY8uV6W-ImCzkfikxZKAUnC8dLIYQWkk8WDiYuxj0EL4nwUNUMCmBS4T2FHsH3ok1gTdQOGv7Ek_KAl41kpU4omQbDwlG4oT0_nJGTnv_9BTxKk3hcR1b96qE6mcCNgxVgQRy3jM14AkspfbouxnIxu4mQcDmM1XbrN61Hj3C2LpU9wR6MWGhbkkN5XRKdCFchzepcrk9PtD_1OwnQi9DVO-zTnHLOh9cxP6b9FMmsfAoZyZXBZG-nlQzKP0rnNSUXPFKFS0ao"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"Z1uvfiWoXwlOIdgpfQEigVREVBWOv7dIdSHpYdSdf_xodOc0R-HJ4Nny9jx4sganoWvGUwhVCyj1n6PHc3D54XoP8M6BIAqdX8xDa6-FhpdbS2z6hokOfl2swaXfpN09P_5yVjDY_fIC0sYjfdVrQKqG6M0dTTasmD3RctQyON4lD_dfzyI7vOzLGF5Gp8fPbSKzZHrtj86IiKUUCwvlD-hyOdxeLAGvv2baWpHygSlQ4YCFcVLK_vUiEyI81tB2T9_tx3C42H-qoOEA6dYyxsEayYuUe6ECWwUpsTc3EY8L_4reR8JQjr4PDstySbDuF2azn3oHqhp7FTl3YSPD0A"}]}}] \ No newline at end of file diff --git a/user/user_data/MEIPreload/1.0.7.1744928549/manifest.json b/user/user_data/MEIPreload/1.0.7.1744928549/manifest.json new file mode 100644 index 0000000..011b71a --- /dev/null +++ b/user/user_data/MEIPreload/1.0.7.1744928549/manifest.json @@ -0,0 +1,8 @@ +{ + "description": "Contains preloaded data for Media Engagement", + "icons": {}, + "version": "1.0.7.1744928549", + "manifest_version": 2, + "update_url": "https://clients2.google.com/service/update2/crx", + "name": "MEI Preload" +} \ No newline at end of file diff --git a/user/user_data/MEIPreload/1.0.7.1744928549/preloaded_data.pb b/user/user_data/MEIPreload/1.0.7.1744928549/preloaded_data.pb new file mode 100644 index 0000000..5ba766e Binary files /dev/null and b/user/user_data/MEIPreload/1.0.7.1744928549/preloaded_data.pb differ diff --git a/user/user_data/MediaFoundationWidevineCdm/x64/1.0.2738.0/Google.Widevine.CDM.dll b/user/user_data/MediaFoundationWidevineCdm/x64/1.0.2738.0/Google.Widevine.CDM.dll new file mode 100644 index 0000000..52d2463 Binary files /dev/null and b/user/user_data/MediaFoundationWidevineCdm/x64/1.0.2738.0/Google.Widevine.CDM.dll differ diff --git a/user/user_data/MediaFoundationWidevineCdm/x64/1.0.2738.0/_metadata/verified_contents.json b/user/user_data/MediaFoundationWidevineCdm/x64/1.0.2738.0/_metadata/verified_contents.json new file mode 100644 index 0000000..67c938b --- /dev/null +++ b/user/user_data/MediaFoundationWidevineCdm/x64/1.0.2738.0/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJHb29nbGUuV2lkZXZpbmUuQ0RNLmRsbCIsInJvb3RfaGFzaCI6Im9ZZjVLQ2Z1ai1MYmdLYkQyWFdBS1E5Nkp1bTR1Q2dCZTRVeEpGSExSNWMifSx7InBhdGgiOiJtYW5pZmVzdC5qc29uIiwicm9vdF9oYXNoIjoiYk01YTJOU1d2RkY1LW9Tdml2eFdqdXVwZ05pblVGakdPQXRrLTBJcGpDZyJ9XSwiZm9ybWF0IjoidHJlZWhhc2giLCJoYXNoX2Jsb2NrX3NpemUiOjQwOTZ9XSwiaXRlbV9pZCI6Im5laWZhb2luZGdnZmNqaWNmZmtncG1ubHBwZWZmYWJkIiwiaXRlbV92ZXJzaW9uIjoiMS4wLjI3MzguMCIsInByb3RvY29sX3ZlcnNpb24iOjF9","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"KTPeHzS0ybFaz3_br3ASYWHjb6Ctul92067u2JMwtNYYm-4KxLiSkJZNBIzhm6hNSEW2p5kUEvHD0TjhhFGCZnWm9titj2bqJayCOAGxZb5BO74JJCRfy5Kwr1KSS4nvocsZepnHBmCiG2OV3by-Lyf1h1uU3X3bDfD92O0vJzrA8rwL2LrwIk-BolLo5nlM0I_MZwg8DhZ8SFBu9GGRVB2XrailDrv4SgupFE9gqA1HY6kjRjoyoAHbRRxZdBNNt9IKNdxNyaF9NcNRY8dAedNQ9Tw3YNp5jB7R9lcjO4knn58RdH2h_GiJ4l96StcXA4e7cqbJ77P-cSrjNXbEpWLbHtz50yz6o-c-csn2SyNC8bXmPRJ_LrHjJq8aLMH_6w2J-IGblmchhRi6tgV4EDfbh0kJKZqVRDccFK4_MuHpD42ZSEQcGfkUCvnjLM7iAi7AC_ZQHd4UnKbNoIElxC1Vzu3Y-ePQa-NFI2u08cweC8Ey9_i4GRDS2Gagvf7x8XodOJygBbU8PMZKkijBqP2Jyyxw4usfV6Ix4ciau077yfG4U7KR7Q-K1e4ykh3-Yp1bu0_UUyAS9BVWagF69nyZOfFQ97GpwFereI7bu71aPQzrMrXy2mH1FBEng7WIb09AXSX77_13JUUAxNXUtt6EKcF26oMbHOAWXnSzZj8"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"dDViDDNzZ9pW7kGoF_-6V-6uQVaUuBrHHc-ti72nCCxT54j8HhW_BKMetvtVgMBRwXOgXPdDKEevRg4eVVmtzL18r9HIdUT3a1_sWSuAL6EkXVKheCVM31LdbN72aR0SofQCQKbxC6yBTi9VZOY9e2abp2hgL5B1ZkVfXzWNv3Rd8s-g_KoD-wbDC6HxXi3FBkE1ZCbTTvU7wEXPBq9jIi-ExpLDBS_S4D0GuzOhmsdSMhfODl3NRMo59pAbWFLpP1R6bs9Az6NJHIqpM2u74BpU7615sTKh9l6Sba-4cWQmv8r4ONzNutlT4J_PNphp9P14tx6g62h8JFlCQGGL0w"}]}}] \ No newline at end of file diff --git a/user/user_data/MediaFoundationWidevineCdm/x64/1.0.2738.0/manifest.json b/user/user_data/MediaFoundationWidevineCdm/x64/1.0.2738.0/manifest.json new file mode 100644 index 0000000..bd9f7e6 --- /dev/null +++ b/user/user_data/MediaFoundationWidevineCdm/x64/1.0.2738.0/manifest.json @@ -0,0 +1,10 @@ +{ + "manifest_version": 2, + "name": "windows-mf-cdm", + "version": "1.0.2738.0", + "accept_arch": [ + "x64", + "x86_64", + "x86_64h" + ] +} \ No newline at end of file diff --git a/user/user_data/OpenCookieDatabase/2024.10.17.0/LICENSE b/user/user_data/OpenCookieDatabase/2024.10.17.0/LICENSE new file mode 100644 index 0000000..33072b5 --- /dev/null +++ b/user/user_data/OpenCookieDatabase/2024.10.17.0/LICENSE @@ -0,0 +1,27 @@ +// Copyright 2015 The Chromium Authors. All rights reserved. +// +// Redistribution and use in source and binary forms, with or without +// modification, are permitted provided that the following conditions are +// met: +// +// * Redistributions of source code must retain the above copyright +// notice, this list of conditions and the following disclaimer. +// * Redistributions in binary form must reproduce the above +// copyright notice, this list of conditions and the following disclaimer +// in the documentation and/or other materials provided with the +// distribution. +// * Neither the name of Google Inc. nor the names of its +// contributors may be used to endorse or promote products derived from +// this software without specific prior written permission. +// +// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS +// "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT +// LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR +// A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT +// OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, +// SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT +// LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, +// DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY +// THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT +// (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE +// OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. \ No newline at end of file diff --git a/user/user_data/OpenCookieDatabase/2024.10.17.0/_metadata/verified_contents.json b/user/user_data/OpenCookieDatabase/2024.10.17.0/_metadata/verified_contents.json new file mode 100644 index 0000000..b465a8d --- /dev/null +++ b/user/user_data/OpenCookieDatabase/2024.10.17.0/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJMSUNFTlNFIiwicm9vdF9oYXNoIjoiUGIwc2tBVUxaUzFqWldTQnctV0hIRkltRlhVcExiZDlUcVkwR2ZHSHBWcyJ9LHsicGF0aCI6Im1hbmlmZXN0Lmpzb24iLCJyb290X2hhc2giOiJxQmc5MThTVmw3OVFWTlF5SFc0eFBkYVJ6N0ZsQmU1T2hiT211T2NUekNJIn0seyJwYXRoIjoib3Blbl9jb29raWVfZGF0YWJhc2UuanNvbiIsInJvb3RfaGFzaCI6ImJ1OTBYTlItcWtMQkZ5c2hHWFo5a1FGTFBSMEtXaWVSM05Xd3VOY0habVkifV0sImZvcm1hdCI6InRyZWVoYXNoIiwiaGFzaF9ibG9ja19zaXplIjo0MDk2fV0sIml0ZW1faWQiOiJwbWFnaWhubG5jYmNlZmdscHBwb25sZ2FraXBobGRlaCIsIml0ZW1fdmVyc2lvbiI6IjIwMjQuMTAuMTcuMCIsInByb3RvY29sX3ZlcnNpb24iOjF9","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"gZ0OaqFuS6xUJk8AHeF2gVWlxjRwemKZi8sPZGD21rM_eaA0PNloYLxgHew-pNT_pWQzLkJLkj6v3pNgncydQVn8doLTz4uat9LJs309QLKCP3eUValomyvE3Ub83clUn-6lMeColKxfLQ6oD21heGtDMgHt0nTczkN6szF6DZiMBcwIhd70sopQTfZhvStrnCSv0laS-oJY8-nelVBXErEGC7kxR97EUp6gpxHmbthAsqclB5sxmmEu4z6SzB_MF9I9IHZjk3JTc6HQQbxvx5wJAs0YrjSgbwI5whsdQN6-PWgS3thsAbOiZN-IPw_rcMROwRm-6b8sk_kJyiAtERdxENkGZzrYYkTxCdx51baqUoVLmb4du9zmOlcMIMt_4G_58dj-Es3TLXdS7A74mncWriqgkX6Fhi5vS_Qs853ZT7e7rvJR76kbdjHgpR3xI0If02r4S5fz51jcMQp-JCgKmKkjFL_2HdQHwGflwHGUp88S1xYVltrlxJ8uuOQwPP6U0AhhxzKVjtC8dJRPxYLUCqXtwuIk6eyGVzfoyfUgMWa2bx9XAmUNRvAosstooGw2puU6UggAfeU4Vwbb4qNTh2emuDc9KE7G458qGmGsvwbfCewbqMruT5ALU5qGLmalFGo7-5Dg5sIPhygkbGuSKVOd0Yf5z_iorFTlF7o"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"LphcjgS01spW-bPZJjwH46S_v-aAK_I2jC7Xtax-zcy_N6FoG2r8ZINvi-0Zzvq47_idOMw7VXH3a_zOjXsdlR2PlWJjJjs4fV-qd4B-dra5RHEOi5LhCZBHRFzXLVTCzbfWfpXh4GCJhz61jQ0nQR4KlVskxGyJNzM6zFdIcH9Nsgce_IT0npanCqIDwRYjA4GlaKrfs5-xHnTsN0Ug4kOe3NrV9OHAxk5r3_jdMoO7Qr7th-AirNch3OUeDkFlfvPTGBBTZ_9QMuCDGegGAaKFyLPVom8SNDfKhpIPlGbyQFdkOTYOWEnleBkJQOKnnimHwyKq_hXxQSLOXxdAkg"}]}}] \ No newline at end of file diff --git a/user/user_data/OpenCookieDatabase/2024.10.17.0/manifest.json b/user/user_data/OpenCookieDatabase/2024.10.17.0/manifest.json new file mode 100644 index 0000000..3651604 --- /dev/null +++ b/user/user_data/OpenCookieDatabase/2024.10.17.0/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "Open Cookie Database", + "version": "2024.10.17.0" +} \ No newline at end of file diff --git a/user/user_data/OpenCookieDatabase/2024.10.17.0/open_cookie_database.json b/user/user_data/OpenCookieDatabase/2024.10.17.0/open_cookie_database.json new file mode 100644 index 0000000..2620a2e --- /dev/null +++ b/user/user_data/OpenCookieDatabase/2024.10.17.0/open_cookie_database.json @@ -0,0 +1,26390 @@ +[ + { + "ID": "256c0fe2-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Tag Manager", + "Category": "Functional", + "Cookie / Data Key name": "cookiePreferences", + "Domain": "", + "Description": "Registers cookie preferences of a user", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "317ce4c0-91e3-4ee4-9ccc-75c15a0c2305", + "Platform": "Google Tag Manager", + "Category": "Analytics", + "Cookie / Data Key name": "td", + "Domain": "www.googletagmanager.com", + "Description": "Registers statistical data on users' behaviour on the website. Used for internal analytics by the website operator.", + "Retention period": "session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6ca095be-4711-47f0-9e83-eecc86ff12c9", + "Platform": "Cookiebot", + "Category": "Functional", + "Cookie / Data Key name": "CookieConsent", + "Domain": "", + "Description": "Stores the user's cookie consent state for the current domain", + "Retention period": "1 year", + "Data Controller": "Cookiebot", + "User Privacy & GDPR Rights Portals": "https://www.cookiebot.com/en/cookie-declaration/", + "Wildcard match": 0 + }, + { + "ID": "256c1410-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Cookiebot", + "Category": "Functional", + "Cookie / Data Key name": "CookieConsentBulkTicket", + "Domain": "cookiebot.com (3rd party)", + "Description": "Enables sharing cookie preferences across domains / websites", + "Retention period": "1 year", + "Data Controller": "Cookiebot", + "User Privacy & GDPR Rights Portals": "https://www.cookiebot.com/en/cookie-declaration/", + "Wildcard match": 0 + }, + { + "ID": "256c1550-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Cookiebot", + "Category": "Functional", + "Cookie / Data Key name": "userlang", + "Domain": "cookiebot.com (3rd party)", + "Description": "Saves language preferences of user for a website", + "Retention period": "1 year", + "Data Controller": "Cookiebot", + "User Privacy & GDPR Rights Portals": "https://www.cookiebot.com/en/cookie-declaration/", + "Wildcard match": 1 + }, + { + "ID": "a03ec23f-e06d-4f6c-b089-5e89039594b2", + "Platform": "Cookiebot", + "Category": "Functional", + "Cookie / Data Key name": "consentUUID", + "Domain": "", + "Description": "This cookie is used as a unique identification for the users who has accepted the cookie consent box.", + "Retention period": "1 year", + "Data Controller": "Cookiebot", + "User Privacy & GDPR Rights Portals": "https://www.cookiebot.com/en/cookie-declaration/", + "Wildcard match": 0 + }, + { + "ID": "f21e0af3-6f2c-4570-9385-a16bc250a5c0", + "Platform": "Cookiebot", + "Category": "Functional", + "Cookie / Data Key name": "CrossConsent", + "Domain": "", + "Description": "Stores the user's cookie consent state for the current domain", + "Retention period": "Session", + "Data Controller": "Cookiebot", + "User Privacy & GDPR Rights Portals": "https://www.cookiebot.com/en/cookie-declaration/", + "Wildcard match": 0 + }, + { + "ID": "0ae97a8e-ebff-440b-8114-9480f6b59d4c", + "Platform": "Cookiebot", + "Category": "Functional", + "Cookie / Data Key name": "1.gif", + "Domain": "", + "Description": "Used to count the number of sessions to the website, necessary for optimizing CMP product delivery.", + "Retention period": "Session", + "Data Controller": "Cookiebot", + "User Privacy & GDPR Rights Portals": "https://www.cookiebot.com/en/cookie-declaration/", + "Wildcard match": 0 + }, + { + "ID": "b8aa928c-fa80-451f-9a23-f45e22309946", + "Platform": "Cookiebot", + "Category": "Functional", + "Cookie / Data Key name": "cb-currency", + "Domain": "", + "Description": "Stores the user's currency preference", + "Retention period": "Session", + "Data Controller": "Cookiebot", + "User Privacy & GDPR Rights Portals": "https://www.cookiebot.com/en/cookie-declaration/", + "Wildcard match": 0 + }, + { + "ID": "35a27898-d3e3-428f-948c-3db70359ba5d", + "Platform": "Cookiebot", + "Category": "Functional", + "Cookie / Data Key name": "CookieConsentBulkSetting-", + "Domain": "", + "Description": "Enables cookie consent across multiple websites", + "Retention period": "1 Year", + "Data Controller": "Cookiebot", + "User Privacy & GDPR Rights Portals": "https://www.cookiebot.com/en/cookie-declaration/", + "Wildcard match": 1 + }, + { + "ID": "24daac45-6c94-4c77-a972-66a9e5248413", + "Platform": "Maxlead", + "Category": "Functional", + "Cookie / Data Key name": "cookieconsent_variant", + "Domain": "", + "Description": "Stores the variant of shown cookie banner", + "Retention period": "1 year", + "Data Controller": "Maxlead", + "User Privacy & GDPR Rights Portals": "https://maxlead.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "87a6c581-24b5-4d1b-bf99-c0e493364625", + "Platform": "Maxlead", + "Category": "Functional", + "Cookie / Data Key name": "cookieconsent_system", + "Domain": "", + "Description": "Cookie consent system cookie for saving user's cookie opt-in/out choices.", + "Retention period": "1 year", + "Data Controller": "Maxlead", + "User Privacy & GDPR Rights Portals": "https://maxlead.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "b735da18-68f1-4dd4-95d4-ee1e29f1d37f", + "Platform": "Maxlead", + "Category": "Functional", + "Cookie / Data Key name": "cookieconsent_level", + "Domain": "", + "Description": "Cookie consent system cookie for storing the level of cookie consent.", + "Retention period": "1 year", + "Data Controller": "Maxlead", + "User Privacy & GDPR Rights Portals": "https://maxlead.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "551c9acd-8d52-4808-bf2c-88acc840c091", + "Platform": "Maxlead", + "Category": "Functional", + "Cookie / Data Key name": "cookieconsent_seen", + "Domain": "", + "Description": "Used to support the GDPR / AVG compliant cookie consent system", + "Retention period": "1 year", + "Data Controller": "Maxlead", + "User Privacy & GDPR Rights Portals": "https://maxlead.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "256c18e8-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "_ga", + "Domain": "", + "Description": "ID used to identify users", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0ccecd8f-5d07-4412-a875-f077462d9e21", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "_gali", + "Domain": "", + "Description": "Used by Google Analytics to determine which links on a page are being clicked", + "Retention period": "30 seconds", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d7496a0e-7f4b-4e20-b288-9d5e4852fa79", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "_ga_", + "Domain": "", + "Description": "ID used to identify users", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 1 + }, + { + "ID": "256c1ae6-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "_gid", + "Domain": "", + "Description": "ID used to identify users for 24 hours after last activity", + "Retention period": "24 hours", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c1c3a-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "_gat", + "Domain": "", + "Description": "Used to monitor number of Google Analytics server requests when using Google Tag Manager", + "Retention period": "1 minute", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 1 + }, + { + "ID": "256c1d7a-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "_dc_gtm_", + "Domain": "", + "Description": "Used to monitor number of Google Analytics server requests", + "Retention period": "1 minute", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 1 + }, + { + "ID": "256c1eba-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "AMP_TOKEN", + "Domain": "", + "Description": "Contains a token code that is used to read out a Client ID from the AMP Client ID Service. By matching this ID with that of Google Analytics, users can be matched when switching between AMP content and non-AMP content. Reference: https://support.google.com/analytics/answer/7486764?hl=en", + "Retention period": "30 seconds till 1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "2caa7a78-e93f-49ca-8fe6-1aaafae1efaa", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "_gat_gtag_", + "Domain": "", + "Description": "Used to set and get tracking data", + "Retention period": "1 hour", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 1 + }, + { + "ID": "256c2090-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Marketing", + "Cookie / Data Key name": "_gac_", + "Domain": "", + "Description": "Contains information related to marketing campaigns of the user. These are shared with Google AdWords / Google Ads when the Google Ads and Google Analytics accounts are linked together.", + "Retention period": "90 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 1 + }, + { + "ID": "256c26f8-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "__utma", + "Domain": "", + "Description": "ID used to identify users and sessions", + "Retention period": "2 years after last activity", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c287e-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "__utmt", + "Domain": "", + "Description": "Used to monitor number of Google Analytics server requests", + "Retention period": "10 minutes", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c29c8-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "__utmb", + "Domain": "", + "Description": "Used to distinguish new sessions and visits. This cookie is set when the GA.js javascript library is loaded and there is no existing __utmb cookie. The cookie is updated every time data is sent to the Google Analytics server.", + "Retention period": "30 minutes after last activity", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c2afe-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "__utmc", + "Domain": "", + "Description": "Used only with old Urchin versions of Google Analytics and not with GA.js. Was used to distinguish between new sessions and visits at the end of a session.", + "Retention period": "End of session (browser)", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c2c3e-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "__utmz", + "Domain": "", + "Description": "Contains information about the traffic source or campaign that directed user to the website. The cookie is set when the GA.js javascript is loaded and updated when data is sent to the Google Anaytics server", + "Retention period": "6 months after last activity", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c2d74-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "__utmv", + "Domain": "google-analytics.com (3rd party) or", + "Description": "Contains custom information set by the web developer via the _setCustomVar method in Google Analytics. This cookie is updated every time new data is sent to the Google Analytics server.", + "Retention period": "2 years after last activity", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://privacy.google.com/take-control.html", + "Wildcard match": 0 + }, + { + "ID": "256c310c-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "__utmx", + "Domain": "", + "Description": "Used to determine whether a user is included in an A / B or Multivariate test.", + "Retention period": "18 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c326a-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "__utmxx", + "Domain": "", + "Description": "Used to determine when the A / B or Multivariate test in which the user participates ends", + "Retention period": "18 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "adaf20d2-6e49-4f6f-a9cf-141429e079ff", + "Platform": "Google Analytics", + "Category": "Marketing", + "Cookie / Data Key name": "FPAU", + "Domain": "", + "Description": "Assigns a specific ID to the visitor. This allows the website to determine the number of specific user-visits for analysis and statistics.", + "Retention period": "session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0383d3ec-050e-4463-9023-72c1cf98c19c", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "FPID", + "Domain": "", + "Description": "Registers statistical data on users' behaviour on the website. Used for internal analytics by the website operator.", + "Retention period": "session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "db552746-1482-4f31-be94-0bafaf3112ff", + "Platform": "Google Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "FPLC", + "Domain": "", + "Description": "This FPLC cookie is the cross-domain linker cookie hashed from the FPID cookie. It’s not HttpOnly, which means it can be read with JavaScript. It has a relatively short lifetime, just 20 hours.", + "Retention period": "session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "f6f65358-15e8-4dcc-9014-13ae87d0e880", + "Platform": "Google reCAPTCHA", + "Category": "Functional", + "Cookie / Data Key name": "_GRECAPTCHA", + "Domain": "google.com", + "Description": "Google reCAPTCHA sets a necessary cookie (_GRECAPTCHA) when executed for the purpose of providing its risk analysis.", + "Retention period": "179 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a7c6fd4e-b7ea-45fa-abf3-39fd556af0e9", + "Platform": "Google AdSense", + "Category": "Security", + "Cookie / Data Key name": "__eoi", + "Domain": "", + "Description": "This cookie is used for security authenticate users, prevent fraud, and protect users as they interact with a service.", + "Retention period": "3 Months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c9619c86-c109-41e1-ab01-d133dffe3604", + "Platform": "Google AdSense", + "Category": "Functional", + "Cookie / Data Key name": "pm_sess", + "Domain": "", + "Description": "This cookie is used for functionality allow users to interact with a service or site to access features that are fundamental to that service. Things considered fundamental to the service include preferences like the user's choice of language, product optimizations that help maintain and improve a service, and maintaining information relating to a user's session, such as the content of a shopping cart.", + "Retention period": "30 minutes", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "25e3aef9-eaf9-41d0-bb14-c0b45a938ae6", + "Platform": "Google AdSense", + "Category": "Functional", + "Cookie / Data Key name": "pm_sess_NNN", + "Domain": "", + "Description": "This cookie is used for functionality allow users to interact with a service or site to access features that are fundamental to that service. Things considered fundamental to the service include preferences like the user's choice of language, product optimizations that help maintain and improve a service, and maintaining information relating to a user's session, such as the content of a shopping cart.", + "Retention period": "30 minutes", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a4818583-f3a0-49e6-b7f8-beeec8e9afac", + "Platform": "Google AdSense", + "Category": "Security", + "Cookie / Data Key name": "aboutads_sessNNN", + "Domain": "", + "Description": "This cookie is used for security authenticate users, prevent fraud, and protect users as they interact with a service.", + "Retention period": "30 minutes", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ca596088-42ff-4166-8c16-1332d2acc760", + "Platform": "Google AdSense", + "Category": "Functional", + "Cookie / Data Key name": "ANID", + "Domain": "", + "Description": "Cookies used for functionality allow users to interact with a service or site to access features that are fundamental to that service. Things considered fundamental to the service include preferences like the user's choice of language, product optimizations that help maintain and improve a service, and maintaining information relating to a user's session, such as the content of a shopping cart.", + "Retention period": "13 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0dff2311-5b7b-4b10-883e-934ecad895cb", + "Platform": "Google Analytics", + "Category": "Functional", + "Cookie / Data Key name": "GA_OPT_OUT", + "Domain": "google-analytics.com", + "Description": "Cookies used for functionality allow users to interact with a service or site to access features that are fundamental to that service. Things considered fundamental to the service include preferences like the user's choice of language, product optimizations that help maintain and improve a service, and maintaining information relating to a user's session, such as the content of a shopping cart.", + "Retention period": "10 Nov 2030", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c86ce0bd-8cdc-42ac-b5cf-63be0d1e27f0", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "Conversion", + "Domain": "www.googleadservices.com", + "Description": "Google uses cookies for advertising, including serving and rendering ads, personalizing ads (depending on your ad settings at g.co/adsettings), limiting the number of times an ad is shown to a user, muting ads you have chosen to stop seeing, and measuring the effectiveness of ads.", + "Retention period": "90 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6f4a8f61-24b0-402c-924c-1b9221850394", + "Platform": "Google Optimize", + "Category": "Analytics", + "Cookie / Data Key name": "_opt_awkid", + "Domain": "", + "Description": "Cookies used for analytics help collect data that allows services to understand how users interact with a particular service. These insights allow services both to improve content and to build better features that improve the user's experience.", + "Retention period": "24 hours", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "cbb19074-b720-443d-930c-05f716d8e4ac", + "Platform": "Google Optimize", + "Category": "Analytics", + "Cookie / Data Key name": "_opt_awgid", + "Domain": "", + "Description": "Cookies used for analytics help collect data that allows services to understand how users interact with a particular service. These insights allow services both to improve content and to build better features that improve the user's experience.", + "Retention period": "24 hours", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "786e0660-5aaf-462b-9c40-a796941ffda6", + "Platform": "Google Optimize", + "Category": "Analytics", + "Cookie / Data Key name": "_opt_awmid", + "Domain": "", + "Description": "Cookies used for analytics help collect data that allows services to understand how users interact with a particular service. These insights allow services both to improve content and to build better features that improve the user's experience.", + "Retention period": "24 hours", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "16fd1470-cd7a-4026-bdab-985ce4a2456d", + "Platform": "Google Optimize", + "Category": "Analytics", + "Cookie / Data Key name": "_gaexp_rc", + "Domain": "", + "Description": "Cookies used for analytics help collect data that allows services to understand how users interact with a particular service. These insights allow services both to improve content and to build better features that improve the user's experience.", + "Retention period": "24 hours", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "060ad0c7-1668-453e-b15e-9411a6b75060", + "Platform": "Google Optimize", + "Category": "Analytics", + "Cookie / Data Key name": "_opt_awcid", + "Domain": "", + "Description": "Cookies used for analytics help collect data that allows services to understand how users interact with a particular service. These insights allow services both to improve content and to build better features that improve the user's experience.", + "Retention period": "24 hours", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "97fa8293-8665-4128-ab02-cea9dc0bf593", + "Platform": "Google Surveys", + "Category": "Marketing", + "Cookie / Data Key name": "PAIDCONTENT", + "Domain": "doubleclick.net", + "Description": "Google uses cookies for advertising, including serving and rendering ads, personalizing ads (depending on your ad settings at g.co/adsettings), limiting the number of times an ad is shown to a user, muting ads you have chosen to stop seeing, and measuring the effectiveness of ads.", + "Retention period": "30 Days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "39843495-56eb-4525-8cce-2b6afb833024", + "Platform": "Google Optimize", + "Category": "Analytics", + "Cookie / Data Key name": "_opt_expid", + "Domain": "", + "Description": "Cookies used for analytics help collect data that allows services to understand how users interact with a particular service. These insights allow services both to improve content and to build better features that improve the user's experience.", + "Retention period": "10 seconds", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "fde73d6c-b934-4e40-a7b1-b9b759b75aa6", + "Platform": "Google Hotel Ads", + "Category": "Marketing", + "Cookie / Data Key name": "_gcl_ha", + "Domain": "", + "Description": "Google uses cookies for advertising, including serving and rendering ads, personalizing ads (depending on your ad settings at g.co/adsettings), limiting the number of times an ad is shown to a user, muting ads you have chosen to stop seeing, and measuring the effectiveness of ads.", + "Retention period": "90 Days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e9271972-3290-48c1-84e8-f25bc1d0b4d4", + "Platform": "Google Flights", + "Category": "Marketing", + "Cookie / Data Key name": "_gcl_gf", + "Domain": "", + "Description": "Google uses cookies for advertising, including serving and rendering ads, personalizing ads (depending on your ad settings at g.co/adsettings), limiting the number of times an ad is shown to a user, muting ads you have chosen to stop seeing, and measuring the effectiveness of ads.", + "Retention period": "90 Days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "f54e4e1a-9520-4c58-8499-0119302caf49", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "_gcl_aw", + "Domain": "", + "Description": "Google uses cookies for advertising, including serving and rendering ads, personalizing ads (depending on your ad settings at g.co/adsettings), limiting the number of times an ad is shown to a user, muting ads you have chosen to stop seeing, and measuring the effectiveness of ads.", + "Retention period": "90 Days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a94fd98e-f1f5-4de9-af1a-e2165ed92e54", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "_gcl_gs", + "Domain": "", + "Description": "Google uses cookies for advertising, including serving and rendering ads, personalizing ads (depending on your ad settings at g.co/adsettings), limiting the number of times an ad is shown to a user, muting ads you have chosen to stop seeing, and measuring the effectiveness of ads.", + "Retention period": "90 Days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "877f434a-514f-4b24-be46-e0b797f179a6", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "_gcl_gb", + "Domain": "", + "Description": "Google uses cookies for advertising, including serving and rendering ads, personalizing ads (depending on your ad settings at g.co/adsettings), limiting the number of times an ad is shown to a user, muting ads you have chosen to stop seeing, and measuring the effectiveness of ads.", + "Retention period": "90 Days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6c9fcc47-04cb-44df-8f25-e0eefe3f4bb2", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "_gac_gb_", + "Domain": "", + "Description": "Google uses cookies for advertising, including serving and rendering ads, personalizing ads (depending on your ad settings at g.co/adsettings), limiting the number of times an ad is shown to a user, muting ads you have chosen to stop seeing, and measuring the effectiveness of ads.", + "Retention period": "90 Days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 1 + }, + { + "ID": "995b9a10-86e4-441c-874b-abcd2cccfee6", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "FPGCLGB", + "Domain": "", + "Description": "Google uses cookies for advertising, including serving and rendering ads, personalizing ads (depending on your ad settings at g.co/adsettings), limiting the number of times an ad is shown to a user, muting ads you have chosen to stop seeing, and measuring the effectiveness of ads.", + "Retention period": "90 Days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "f0d36ea1-1fb5-4778-9ebc-f05ff2d386bc", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "FPGCLAW", + "Domain": "", + "Description": "Google uses cookies for advertising, including serving and rendering ads, personalizing ads (depending on your ad settings at g.co/adsettings), limiting the number of times an ad is shown to a user, muting ads you have chosen to stop seeing, and measuring the effectiveness of ads.", + "Retention period": "90 Days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6f12cc4e-0649-4fd5-901e-8a7fe4717863", + "Platform": "Google AdSense", + "Category": "Marketing", + "Cookie / Data Key name": "__gsas", + "Domain": "", + "Description": "Provides ad delivery or retargeting.", + "Retention period": "3 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "39235f09-fa59-4a79-963c-38f340e49419", + "Platform": "Google AdSense", + "Category": "Marketing", + "Cookie / Data Key name": "__gpi", + "Domain": "", + "Description": "Collects information on user behaviour on multiple websites. This information is used in order to optimize the relevance of advertisement on the website.", + "Retention period": "13 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "86f2a180-bed9-44c0-967e-e27e81e23c29", + "Platform": "Google AdSense", + "Category": "Marketing", + "Cookie / Data Key name": "__gpi_optout", + "Domain": "", + "Description": "Collects information on user behaviour on multiple websites. This information is used in order to optimize the relevance of advertisement on the website.", + "Retention period": "13 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b65551f0-5561-40dd-83bf-e9653b8141ca", + "Platform": "Google AdSense", + "Category": "Marketing", + "Cookie / Data Key name": "GED_PLAYLIST_ACTIVITY", + "Domain": "", + "Description": "Improves targeting/advertising within the website", + "Retention period": "session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ccb157dc-7e8b-43ee-9d02-c2a04b6f822f", + "Platform": "Google AdSense", + "Category": "Marketing", + "Cookie / Data Key name": "ACLK_DATA", + "Domain": "", + "Description": "This cookie is used to help improve advertising. This targets advertising based on what's relevant to a user, to improve reporting on campaign performance.", + "Retention period": "5 minutes", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "217c63cb-7c0f-47ba-be0f-abf493c61bbd", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "_Secure-ENID", + "Domain": "", + "Description": "Remembers user preferences like language, search results per page, and SafeSearch settings", + "Retention period": "13 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "79834b6b-a95e-454c-8f4e-d1a997681992", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "Secure-YEC", + "Domain": "", + "Description": "Serve a similar purpose for YouTube, including detecting and resolving problems", + "Retention period": "13 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "30998f8f-1ed6-4521-92e1-a55581781acb", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "CGIC", + "Domain": "", + "Description": "Improves search results delivery by autocompleting queries based on user input", + "Retention period": "6 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "06714cc8-f1c9-4a75-95cc-43e04d038164", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "_Secure-YEC", + "Domain": "", + "Description": "Used to detect spam, fraud, and abuse to protect advertisers and YouTube creators", + "Retention period": "13 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "85ee88c5-a024-4791-be4f-3fa0f842243f", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "AdID", + "Domain": "", + "Description": "Show Google ads on non-Google sites and personalize ads based on user settings", + "Retention period": "2 weeks", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ddf78359-a760-4c18-a9b7-790544dc8a3c", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "DSID", + "Domain": "", + "Description": "Identifies signed-in users on non-Google sites to respect ad personalization settings", + "Retention period": "2 weeks", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0610ebea-5103-4541-8afd-ae0df06c58fb", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "gcl", + "Domain": "", + "Description": "Helps advertisers determine user actions on their site after clicking an ad", + "Retention period": "90 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a248e499-5297-4f83-abbf-d8e7a821f621", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "gac", + "Domain": "", + "Description": "Measure user activity and ad campaign performance for advertisers", + "Retention period": "90 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "cf2f2038-a2b8-4856-ba2d-7b9c332b8a46", + "Platform": "Google Ads", + "Category": "Functional", + "Cookie / Data Key name": "AEC", + "Domain": "google.com", + "Description": "AEC cookies ensure that requests within a browsing session are made by the user, and not by other sites. These cookies prevent malicious sites from acting on behalf of a user without that user's knowledge.", + "Retention period": "6 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "1af7a9b5-b4a0-49b8-a1e7-03132739256c", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "ADS_VISITOR_ID", + "Domain": "google.com", + "Description": "Cookie required to use the options and on-site web services", + "Retention period": "2 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "9e56660c-afe5-4829-bd92-0d730c15a25a", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "__Secure-3PSIDCC", + "Domain": "google.com", + "Description": "Targeting cookie. Used to create a user profile and display relevant and personalised Google Ads to the user.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c5b5ac86-e7d0-449d-a667-07bb7593f5bb", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "__Secure-3PSIDTS", + "Domain": "google.com", + "Description": "Targeting cookie. Used to create a user profile and display relevant and personalised Google Ads to the user.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "eabd72b0-2436-4fc9-912e-b7addf1295ca", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "__Secure-1PSIDTS", + "Domain": "google.com", + "Description": "Targeting cookie. Used to create a user profile and display relevant and personalised Google Ads to the user.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "1511ad6e-79a7-4296-b2e6-b0fc8c8038ec", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "__Secure-1PAPISID", + "Domain": "google.com", + "Description": "Targeting cookie. Used to create a user profile and display relevant and personalised Google Ads to the user.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d57f4820-a329-4925-a1ec-288afc3e0729", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "__Secure-3PSID", + "Domain": "google.com", + "Description": "Targeting cookie. Used to profile the interests of website visitors and display relevant and personalised Google ads.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8e1dbb8c-95d0-487d-bf33-1bef7d2f4177", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "__Secure-1PSID", + "Domain": "google.com", + "Description": "Targeting cookie. Used to create a user profile and display relevant and personalised Google Ads to the user.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7e3cac28-1fb9-402b-8fac-d1d2989b18bf", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "__Secure-1PSIDCC", + "Domain": "google.com", + "Description": "Targeting cookie. Used to create a user profile and display relevant and personalised Google Ads to the user.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "dd3f910b-6f8c-42f5-9bc3-9174981087f2", + "Platform": "Google Ads", + "Category": "Marketing", + "Cookie / Data Key name": "__Secure-3PAPISID", + "Domain": "google.com", + "Description": "Profiles the interests of website visitors to serve relevant and personalised ads through retargeting.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "33eb887f-769a-48c5-8c42-a53a6e732aef", + "Platform": "Google Maps", + "Category": "Marketing", + "Cookie / Data Key name": "OGPC", + "Domain": "google.com", + "Description": "These cookies are used by Google to store user preferences and information while viewing Google mapped pages.", + "Retention period": "1 month", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b7be9e13-1cb3-4e9e-beaa-2ae74e80e999", + "Platform": "Google Maps", + "Category": "Marketing", + "Cookie / Data Key name": "OGP", + "Domain": "google.com", + "Description": "This cookie is used by Google to activate and track the Google Maps functionality.", + "Retention period": "2 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "82fd4cb1-c1ad-477e-9c87-b67c7f43ace2", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "1P_JAR", + "Domain": ".gstatic.com", + "Description": "These cookies are set via embedded youtube-videos. They register anonymous statistical data on for example how many times the video is displayed and what settings are used for playback.", + "Retention period": "1 month", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "45d71b84-2fcd-43b5-9b14-895966ac8f5b", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "CONSENT", + "Domain": ".gstatic.com", + "Description": "Google cookie consent tracker", + "Retention period": "20 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7327d6c6-c159-454c-8e77-0eff566f940a", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "SOCS", + "Domain": "google.com", + "Description": "Stores a user's state regarding their cookies choices", + "Retention period": "13 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "84adc20d-d55a-468a-8efd-7be4ecb9a0a7", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "ACCOUNT_CHOOSER", + "Domain": "accounts.google.com", + "Description": "Used to sign in with Google account.", + "Retention period": "session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "3388a262-a13c-4447-8351-88348bcf05be", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "SMSV", + "Domain": "accounts.google.com", + "Description": "Used to sign in with Google account.", + "Retention period": "session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e8f5fa5d-444d-41b5-8f89-9f8b14218608", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "__Host-1PLSID", + "Domain": "accounts.google.com", + "Description": "Used to sign in with Google account.", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ac6ad8bd-f2b3-44ef-aab0-068f222798c5", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "__Host-3PLSID", + "Domain": "accounts.google.com", + "Description": "Used to sign in with Google account.", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "989a2666-d750-4ee0-912d-2721074224c7", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "__Host-GAPS", + "Domain": "accounts.google.com", + "Description": "Used to sign in with Google account.", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "950de05e-9ffb-4d32-aeeb-da1ed512915f", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "LSOLH", + "Domain": "accounts.google.com", + "Description": "This cookie is for authentication with your Google account", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8e6c0c88-bf65-438e-9422-54c1623b9d0b", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "g_enabled_idps", + "Domain": "accounts.google.com", + "Description": "Used for Google Single Sign On", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5766235e-2e0a-4d96-81e1-6e31e1cfcb5d", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "G_AUTHUSER_H", + "Domain": "accounts.google.com", + "Description": "Google Authentication", + "Retention period": "session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "f769aa1c-b630-4b70-a1a5-3094b61eefda", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "__Secure-ENID", + "Domain": ".google.com", + "Description": "Used by Google to prevent fraudulent login attempts. This also contains a Google user ID which can be used for statistics and marketing purposes following a successful login", + "Retention period": "11 Months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "f9012303-313b-415d-812b-2f08aa799dc4", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "SEARCH_SAMESITE", + "Domain": "google.com", + "Description": "SameSite prevents the browser from sending this cookie along with cross-site requests. The main goal is mitigate the risk of cross-origin information leakage. It also provides some protection against cross-site request forgery attacks.", + "Retention period": "session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d75d8983-8686-42b2-aa0c-2ed071043ef0", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "AID", + "Domain": "google.com", + "Description": "Download certain Google Tools and save certain preferences, for example the number of search results per page or activation of the SafeSearch Filter. Adjusts the ads that appear in Google Search.", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8dc5d7e3-e31f-421a-8bad-6540172d787f", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "SID", + "Domain": "google.com", + "Description": "Download certain Google Tools and save certain preferences, for example the number of search results per page or activation of the SafeSearch Filter. Adjusts the ads that appear in Google Search.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0bc163fa-23bd-45a7-b806-99479027d645", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "HSID", + "Domain": "google.com", + "Description": "Download certain Google Tools and save certain preferences, for example the number of search results per page or activation of the SafeSearch Filter. Adjusts the ads that appear in Google Search.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "4b518a73-d523-4959-825c-48af82f7f11d", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "APISID", + "Domain": "google.com", + "Description": "Download certain Google Tools and save certain preferences, for example the number of search results per page or activation of the SafeSearch Filter. Adjusts the ads that appear in Google Search.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "411c539d-3b7f-436f-a9b2-8a0b6b691337", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "SAPISID", + "Domain": "google.com", + "Description": "Download certain Google Tools and save certain preferences, for example the number of search results per page or activation of the SafeSearch Filter. Adjusts the ads that appear in Google Search.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "29807136-035b-44cb-b1b5-91d45888e716", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "SSID", + "Domain": "google.com", + "Description": "Download certain Google Tools and save certain preferences, for example the number of search results per page or activation of the SafeSearch Filter. Adjusts the ads that appear in Google Search.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7a3a89ed-e09b-4719-8500-6982006125f1", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "SIDCC", + "Domain": "google.com", + "Description": "Download certain Google Tools and save certain preferences, for example the number of search results per page or activation of the SafeSearch Filter. Adjusts the ads that appear in Google Search.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c85ea658-6b34-44e6-8df2-23e421b82a27", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "OTZ", + "Domain": "google.com", + "Description": "Aggregate analysis of website visitors", + "Retention period": "17 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8a195dfa-5adf-49ad-ac4f-10bec8088b8b", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "A", + "Domain": "google.com", + "Description": "Google uses this cookies to make advertising more engaging to users and more valuable to publishers and advertisers", + "Retention period": "17 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "fcedd5a1-738d-4da5-a57e-ec6f4d15e480", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "DV", + "Domain": "google.com", + "Description": "This cookies is used to collect website statistics and track conversion rates and Google ad personalisation", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8879d41f-3de1-4f87-b1db-b1bbdfba7d3f", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "NID", + "Domain": "google.com", + "Description": "This cookies is used to collect website statistics and track conversion rates and Google ad personalisation", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b53b27fc-4b77-4655-a920-503bf5160739", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "TAID", + "Domain": "google.com", + "Description": "This cookie is used to link your activity across devices if you've previously signed in to your Google Account on another device. We do this to coordinate that the ads you see across devices and measure conversion events.", + "Retention period": "14 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0e67d1e2-d311-4465-85a8-5faca50b4ce4", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "FPGCLDC", + "Domain": "google.com", + "Description": "Used to help advertisers determine how many times users who click on their ads end up taking an action on their site", + "Retention period": "90 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "f0c95579-9131-4caf-8240-51eb01be6eb9", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "_gcl_au", + "Domain": "", + "Description": "Used by Google AdSense for experimenting with advertisement efficiency across websites using their services.", + "Retention period": "3 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "63855ee1-89f5-471c-bb7e-512f0b06f65a", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "_gcl_dc", + "Domain": "", + "Description": "Used by Google AdSense for experimenting with advertisement efficiency across websites using their services.", + "Retention period": "3 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d991f1cb-2ed2-4463-85d4-fa10098f76bc", + "Platform": "Google Optimize", + "Category": "Functional", + "Cookie / Data Key name": "_gaexp", + "Domain": "", + "Description": "Used to determine a user's inclusion in an experiment and the expiry of experiments a user has been included in.", + "Retention period": "90 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "4b44dca1-6588-4fa1-86e6-f51cd2f3c7b1", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "GCLB", + "Domain": "", + "Description": "This cookie is used in context with load balancing - This optimizes the response rate between the visitor and the site, by distributing the traffic load on multiple network links or servers.", + "Retention period": "Session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "33a4886d-2374-4a65-a1ea-2a391096b208", + "Platform": "Google", + "Category": "Analytics", + "Cookie / Data Key name": "FCCDCF", + "Domain": "", + "Description": "Cookie for Google Funding Choices API which allows for functionality specific to consent gathering for things like GDPR consent and CCPA opt-out.", + "Retention period": "13 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "fb2f09bf-40c9-4798-b3a7-6d60d5a07dab", + "Platform": "Google", + "Category": "Analytics", + "Cookie / Data Key name": "FCNEC", + "Domain": "", + "Description": "Cookie for Google Funding Choices API which allows for functionality specific to consent gathering for things like GDPR consent and CCPA opt-out.", + "Retention period": "13 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5bb1e580-4276-494c-a00d-5be4404756e7", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "receive-cookie-deprecation", + "Domain": "", + "Description": "This cookie ensures browers in an experiment group of the Chrome-facilitated testing period include the Sec-Cookie-Deprecation request header as soon as it becomes available.", + "Retention period": "180 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6ca594b8-269b-4ed3-86d1-127c2f1bd20e", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "_dcid", + "Domain": "", + "Description": "Collects information on user behaviour on multiple websites. This information is used in order to optimize the relevance of advertisement on the website.", + "Retention period": "400 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b3a0611c-5ab5-483d-b7d5-b91e105e913c", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "SNID", + "Domain": ".google.com", + "Description": "This cookie is used to collect website statistics and track conversion rates and Google ad personalisation", + "Retention period": "6 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6e2b569d-c5ea-449a-8db0-db5e04378247", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "cookies_accepted", + "Domain": ".developers.google.com", + "Description": "This functionality cookie is simply to verify that you have allowed us to set cookies on your machine", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b37e458d-66fe-4e5d-bc02-1fe1810ebdc5", + "Platform": "Google", + "Category": "Functional", + "Cookie / Data Key name": "django_language", + "Domain": "developers.google.com", + "Description": "Cookie necessary for the use of the options and services of the website.", + "Retention period": "3 month", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "37094191-e791-4f82-8c82-9ffda7296119", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "GN_PREF", + "Domain": "news.google.com", + "Description": "This cookie is used to collect website statistics and track conversion rates and Google ad personalisation", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "20e2d3c6-7792-4e5f-b242-e433d149b82f", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "OSID", + "Domain": ".google.com", + "Description": "This cookie is used to collect website statistics and track conversion rates and Google ad personalisation", + "Retention period": "6 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c8f6e83d-4c03-4278-bc5a-6098ab0ecb42", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "__Secure-OSID", + "Domain": ".google.com", + "Description": "This cookie is used to collect website statistics and track conversion rates and Google ad personalisation", + "Retention period": "6 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d861c54f-2c45-445f-8506-7cdc58ed17f6", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "LSID", + "Domain": ".google.com", + "Description": "This cookie is used to collect website statistics and track conversion rates and Google ad personalisation", + "Retention period": "6 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "00714b33-b652-4fd8-96dc-133049533390", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "COMPASS", + "Domain": ".google.com", + "Description": "This cookie is used to collect website statistics and track conversion rates and Google ad personalisation", + "Retention period": "2 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "59a15040-c4c0-4245-8968-990d0843a7a3", + "Platform": "Google", + "Category": "Marketing", + "Cookie / Data Key name": "UULE", + "Domain": ".google.com", + "Description": "sends precise location information from your browser to Googles servers so that Google can show you results that are relevant to your location. The use of this cookie depends on your browser settings and whether you have chosen to have location turned on for your browser.", + "Retention period": "6 hours", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c8986-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "DoubleClick/Google Marketing", + "Category": "Marketing", + "Cookie / Data Key name": "IDE", + "Domain": "doubleclick.net (3rd party)", + "Description": "This cookie is used for targeting, analyzing and optimisation of ad campaigns in DoubleClick/Google Marketing Suite", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c8af8-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "DoubleClick/Google Marketing", + "Category": "Marketing", + "Cookie / Data Key name": "DSID", + "Domain": "doubleclick.net (3rd party)", + "Description": "This cookie is used for targeting, analyzing and optimisation of ad campaigns in DoubleClick/Google Marketing Suite", + "Retention period": "2 weeks", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c8c38-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "DoubleClick/Google Marketing", + "Category": "Marketing", + "Cookie / Data Key name": "ID", + "Domain": "doubleclick.net (3rd party)", + "Description": "This cookie is used for targeting, analyzing and optimisation of ad campaigns in DoubleClick/Google Marketing Suite", + "Retention period": "2 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "4421f8c6-111e-4891-8fb8-e06e14b88b86", + "Platform": "DoubleClick/Google Marketing", + "Category": "Marketing", + "Cookie / Data Key name": "RUL", + "Domain": "doubleclick.net (3rd party)", + "Description": "Used by DoubleClick to determine if the website ad was properly displayed. This is done to make their marketing efforts more efficient.", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8ad1ca29-b3d1-4ffb-92ca-a05524228dc7", + "Platform": "DoubleClick/Google Marketing", + "Category": "Marketing", + "Cookie / Data Key name": "FLC", + "Domain": "doubleclick.net (3rd party)", + "Description": "This cookie is used to link your activity across devices if you’ve previously signed in to your Google Account on another device. We do this to coordinate that the ads you see across devices and measure conversion events.", + "Retention period": "10 seconds", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "cd5b4059-c31a-4467-bb0d-5fe50b0589b4", + "Platform": "DoubleClick/Google Marketing", + "Category": "Marketing", + "Cookie / Data Key name": "__gads", + "Domain": "", + "Description": "This cookie is used by Google for a variety of purposes (e.g., ensuring Frequency Caps work correctly). It includes AdSense if you have AdSense enabled. This cookie is associated with the DoubleClick for Publishers service from Google. Its purpose is to monitor the showing of advertisements on the site, for which the owner may earn some revenue. The main purpose of this cookie is targeting/advertising.", + "Retention period": "various", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "aa3571ac-7c69-4840-835a-9c086e5acda0", + "Platform": "DoubleClick/Google Marketing", + "Category": "Marketing", + "Cookie / Data Key name": "GoogleAdServingTest", + "Domain": "", + "Description": "Used to register what ads have been displayed to the user.", + "Retention period": "session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e8f90515-90ef-4ffa-917f-660d257126e4", + "Platform": "DoubleClick/Google Marketing", + "Category": "Marketing", + "Cookie / Data Key name": "ar_debug", + "Domain": "doubleclick.net", + "Description": "Store and track conversions", + "Retention period": "Persistent", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "4204f375-a3e5-4b04-ae39-9adb71f3eb5d", + "Platform": "DoubleClick/Google Marketing", + "Category": "Functional", + "Cookie / Data Key name": "test_cookie", + "Domain": "doubleclick.net", + "Description": "This cookie is set by DoubleClick (which is owned by Google) to determine if the website visitor's browser supports cookies.", + "Retention period": "1 year", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "498e5e87-99a1-4f49-adbf-c2736e1af491", + "Platform": "DoubleClick/Google Marketing", + "Category": "Marketing", + "Cookie / Data Key name": "APC", + "Domain": "doubleclick.net", + "Description": "This cookie is used for targeting, analyzing and optimisation of ad campaigns in DoubleClick/Google Marketing Suite", + "Retention period": "6 months", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c33aa-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "comScore", + "Category": "Analytics", + "Cookie / Data Key name": "S1", + "Domain": "nl.sitestat.com (3rd party)", + "Description": "Comscore: statistical and analytical data", + "Retention period": "5 years", + "Data Controller": "comScore", + "User Privacy & GDPR Rights Portals": "https://www.comscore.com/About/Privacy-Policy", + "Wildcard match": 0 + }, + { + "ID": "256c34e0-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "comScore", + "Category": "Analytics", + "Cookie / Data Key name": "C1", + "Domain": "nl.sitestat.com (3rd party)", + "Description": "Comscore: statistical and analytical data", + "Retention period": "5 years", + "Data Controller": "comScore", + "User Privacy & GDPR Rights Portals": "https://www.comscore.com/About/Privacy-Policy", + "Wildcard match": 0 + }, + { + "ID": "256c3620-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adobe Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "s_cc", + "Domain": "", + "Description": "Used to determine if browser of user accepts cookies or not", + "Retention period": "End of session (browser)", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "256c39ea-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adobe Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "s_sq", + "Domain": "", + "Description": "Used to register the previous link clicked by the user", + "Retention period": "End of session (browser)", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "256c3b48-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adobe Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "s_vi", + "Domain": "or 207.net (3rd party)", + "Description": "Contains a unique ID to identify a user", + "Retention period": "2 years", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 1 + }, + { + "ID": "256c3c92-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adobe Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "s_fid", + "Domain": "", + "Description": "Alternative cookie with unique user ID / timestamp when the s_vi cookie can not be set for technical reasons", + "Retention period": "5 years", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "34ec510b-b257-4c77-80f0-660b068a30f7", + "Platform": "Adobe Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "fid", + "Domain": "", + "Description": "If other visitor ID methods fail, Adobe sets a fallback cookie or uses a combination of IP address and user agent to identify the visitor.", + "Retention period": "2 years", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "0e649408-23f7-4d86-ba7a-7b63c01e2d03", + "Platform": "Adobe Analytics", + "Category": "Marketing", + "Cookie / Data Key name": "s_ecid", + "Domain": "", + "Description": "This cookie is set by the customer's domain after the AMCV cookie is set by the client. The purpose of this cookie is to allow persistent ID tracking in the 1st-party state and is used as a reference ID if the AMCV cookie has expired.", + "Retention period": "2 years", + "Data Controller": "Advertiser's website", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "59604f12-af2c-4e48-a0c9-8b295845f0ce", + "Platform": "Adobe Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "s_ppv", + "Domain": "", + "Description": "Stores information on the percentage of the page displayed", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "85f9f4ca-4805-487e-a4db-11d707aec6b7", + "Platform": "Adobe Analytics", + "Category": "Analytics", + "Cookie / Data Key name": "s_tp", + "Domain": "", + "Description": "This lets us know how much of the page you viewed.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "9e583fe9-0868-4174-8e9e-c43e100e27a6", + "Platform": "Adobe Analytics", + "Category": "Functional", + "Cookie / Data Key name": "sat_track", + "Domain": "", + "Description": "The sat_track cookie is a part of Adobe Analytics. It controls the enabling and disabling of cookies and whether they are loaded onto the site.", + "Retention period": "90 days", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256c3dc8-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adobe Audience Manager", + "Category": "Marketing", + "Cookie / Data Key name": "demdex", + "Domain": "or demdex.net (3rd party)", + "Description": "Unique value with which Audience Manager can identify a user. Used, among others, for identification, segmentation, modeling and reporting purposes.", + "Retention period": "180 days after last activity or 10 years when opting out", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "256c3efe-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adobe Audience Manager", + "Category": "Marketing", + "Cookie / Data Key name": "dextp", + "Domain": "", + "Description": "Registers the date plus time (timestamp) on which a data synchronization was last performed by the Audience Manager.", + "Retention period": "180 days after last activity", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "256c4034-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adobe Audience Manager", + "Category": "Marketing", + "Cookie / Data Key name": "dst", + "Domain": "", + "Description": "Used to register a possible error message when sending data to a linked system.", + "Retention period": "180 days after last activity or 10 years when opting out", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "256c43e0-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adobe Audience Manager", + "Category": "Marketing", + "Cookie / Data Key name": "_dp", + "Domain": "or demdex.net (3rd party)", + "Description": "Used to determine if browser of user accepts cookies or not", + "Retention period": "30 seconds", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "6ca755d4-8ecc-4031-a28e-b6d42235fb38", + "Platform": "Adobe Audience Manager", + "Category": "Marketing", + "Cookie / Data Key name": "aam_uuid", + "Domain": "", + "Description": "Adobe Audience Manager - data management platform uses these cookies to assign a unique ID when users visit a website.", + "Retention period": "1 month", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "a4b664ae-feb8-4ce4-9f21-27ac382d4702", + "Platform": "Adobe Audience Manager", + "Category": "Marketing", + "Cookie / Data Key name": "AMCV_", + "Domain": "", + "Description": "Adobe Experience Cloud uses a cookie to store a unique visitor ID that is used across Experience Cloud Solutions.", + "Retention period": "2 years", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 1 + }, + { + "ID": "fc79d591-2969-4609-85d9-3750faa5d5fb", + "Platform": "Adobe Audience Manager", + "Category": "Marketing", + "Cookie / Data Key name": "AMCVS_", + "Domain": "", + "Description": "The AMCVS cookie serves as a flag indicating that the session has been initialized. Its value is always 1 and discontinues when the session has ended.", + "Retention period": "Session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 1 + }, + { + "ID": "795dc59a-1c7c-4bde-9ea8-53268889840b", + "Platform": "Adobe Audience Manager", + "Category": "Marketing", + "Cookie / Data Key name": "mbox", + "Domain": "", + "Description": "Adobe Target uses cookies to give website operators the ability to test which online content and offers are more relevant to visitors.", + "Retention period": "2 years", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "0b7e888e-67e1-416d-bea1-d574fd2bdc91", + "Platform": "Adobe Audience Manager", + "Category": "Functional", + "Cookie / Data Key name": "at_check", + "Domain": "", + "Description": "A simple test value used to determine if a visitor supports cookies. Set each time a visitor requests a page.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "2932ef1f-14ec-4003-91d6-959f68914913", + "Platform": "Adobe Audience Manager", + "Category": "Functional", + "Cookie / Data Key name": "renderid", + "Domain": "", + "Description": "This cookie is needed by the dispatcher (webserver) to distinguish between the different publisher server.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "d3310445-3289-4ae1-8086-4ca24f95c18a", + "Platform": "Adobe Audience Manager", + "Category": "Marketing", + "Cookie / Data Key name": "dpm", + "Domain": "", + "Description": "DPM is an abbreviation for Data Provider Match. It tells internal, Adobe systems that a call from Audience Manager or the Adobe Experience Cloud ID Service is passing in customer data for synchronization or requesting an ID.", + "Retention period": "180 days", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/nl/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "256c453e-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "TPC", + "Domain": "adform.net (3rd party)", + "Description": "Used to determine if browser of user accepts third party cookies or not", + "Retention period": "14 days", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "256c4714-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "C", + "Domain": "adform.net (3rd party)", + "Description": "Used to determine if browser of user accepts cookies or not", + "Retention period": "60 days till 3650 days", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "256c489a-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "uid", + "Domain": "adform.net (3rd party)", + "Description": "Contains a unique ID to identify a user", + "Retention period": "60 days", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "256c49e4-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "cid", + "Domain": "adform.net (3rd party)", + "Description": "Unique value to be able to identify cookies from users (same as uid)", + "Retention period": "60 days", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "256c4b1a-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "GCM", + "Domain": "adform.net (3rd party)", + "Description": "Checks if a new partner cookie synchronization is required", + "Retention period": "1 day", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "256c4cd2-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "CM", + "Domain": "adform.net (3rd party)", + "Description": "Checks if a new partner cookie synchronization is required (cookie set by ad server)", + "Retention period": "1 day", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "256c5038-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "CM14", + "Domain": "adform.net (3rd party)", + "Description": "Checks if a new partner cookie synchronization is required (cookie set during cookie synchronization )", + "Retention period": "1 day", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "256c5196-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "token", + "Domain": "adform.net (3rd party)", + "Description": "Security token for opt out functionality", + "Retention period": "End of session (browser)", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "256c52cc-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "otsid", + "Domain": "adform.net (3rd party)", + "Description": "Opt out cookie for specific advertiser", + "Retention period": "365 days", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "256c540c-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "adtrc", + "Domain": "adform.net (3rd party)", + "Description": "Used to determine if browser related information has been collected", + "Retention period": "7 days", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "256c5542-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "SR", + "Domain": "adform.net (3rd party)", + "Description": "Unique value that records info about consecutive ads - includes: total impressions, daily impressions, total clicks, daily clicks, and last impression date", + "Retention period": "1 day", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 1 + }, + { + "ID": "256c5678-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "CT", + "Domain": "adform.net (3rd party)", + "Description": "Identifies the last click membership for third-party pixels on advertiser's pages", + "Retention period": "1 hour", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 1 + }, + { + "ID": "256c5b3c-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "EBFCD", + "Domain": "adform.net (3rd party)", + "Description": "Registers daily max. number of impressions (frequency cap) for expanding advertisements (expandables)", + "Retention period": "7 days", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 1 + }, + { + "ID": "256c5cb8-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "EBFC", + "Domain": "adform.net (3rd party)", + "Description": "Registers max. total number of impressions (frequency cap) for expanding advertisements (expandables)", + "Retention period": "7 days", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 1 + }, + { + "ID": "256c5df8-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "CFFC", + "Domain": "adform.net (3rd party)", + "Description": "Registers max. number of impressions (frequency cap) for compound banners", + "Retention period": "7 days", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 1 + }, + { + "ID": "256c5f2e-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "DigiTrust.v1.identity", + "Domain": "adform.net (3rd party)", + "Description": "Unique value with which the user is identified by DigiTrust, an independent industrial body", + "Retention period": "7 days", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "5c4d75ef-55cf-4483-9a9d-a33ce8e950b5", + "Platform": "Adform", + "Category": "Marketing", + "Cookie / Data Key name": "adformfrpid", + "Domain": "", + "Description": "Collects data on the user across websites - This data is used to make advertisement more relevant.", + "Retention period": "30 days", + "Data Controller": "Adform", + "User Privacy & GDPR Rights Portals": "https://site.adform.com/privacy-center/overview", + "Wildcard match": 0 + }, + { + "ID": "256c606e-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "lu", + "Domain": "facebook.com (3rd party)", + "Description": "Used to record whether the person chose to remain logged in Contents: User ID and miscellaneous log in information (e.g., number of logins per account, state of the \"remember me\" check box, etc.)", + "Retention period": "2 year", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c61a4-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "xs", + "Domain": "facebook.com (3rd party)", + "Description": "Used in conjunction with the c_user cookie to authenticate your identity to Facebook. Contents: Session ID, creation time, authentication value, secure session state, caching group ID", + "Retention period": "90 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c62da-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "c_user", + "Domain": "facebook.com (3rd party)", + "Description": "Used in conjunction with the xs cookie to authenticate your identity to Facebook. Contents: User ID", + "Retention period": "90 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c6668-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "m_user", + "Domain": "facebook.com (3rd party)", + "Description": "Used to authenticate your identity on Facebook's mobile website. Contents: Email, User ID, authentication value, version, user agent capability, creation time, Facebook version indicator", + "Retention period": "90 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c67a8-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "pl", + "Domain": "facebook.com (3rd party)", + "Description": "Used to record that a device or browser logged in via Facebook platform. Contents: Y/N", + "Retention period": "90 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c68fc-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "dbln", + "Domain": "facebook.com (3rd party)", + "Description": "Used to enable device-based logins Contents: Login authentication values", + "Retention period": "2 years", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c6a32-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "aks", + "Domain": "facebook.com (3rd party)", + "Description": "Determines the login state of a person visiting accountkit.com Contents: Account kit access token", + "Retention period": "30 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c6b68-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "aksb", + "Domain": "facebook.com (3rd party)", + "Description": "Authenticates logins using Account Kit Contents: Request time value", + "Retention period": "30 minutes", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c6d8e-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "sfau", + "Domain": "facebook.com (3rd party)", + "Description": "Optimizes recovery flow after failed login attempts Contents: Encrypted user ID, contact point, time stamp, and other login information", + "Retention period": "1 day", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c7176-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "ick", + "Domain": "facebook.com (3rd party)", + "Description": "Stores an encryption key used to encrypt cookies", + "Retention period": "2 years", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c72f2-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "csm", + "Domain": "facebook.com (3rd party)", + "Description": "Insecure indicator", + "Retention period": "90 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c74c8-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "s", + "Domain": "facebook.com (3rd party)", + "Description": "Facebook browser identification, authentication, marketing, and other Facebook-specific function cookies.", + "Retention period": "90 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c7612-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "datr", + "Domain": "facebook.com (3rd party)", + "Description": "Used to prevent creation of fake / spammy accounts. Datr cookie is associated with a browser, not individual people.", + "Retention period": "2 years", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c7752-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "sb", + "Domain": "facebook.com (3rd party)", + "Description": "Facebook browser identification, authentication, marketing, and other Facebook-specific function cookies.", + "Retention period": "2 years", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c787e-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "fr", + "Domain": "facebook.com (3rd party)", + "Description": "Contains a unique browser and user ID, used for targeted advertising.", + "Retention period": "90 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c7c5c-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "oo", + "Domain": "facebook.com (3rd party)", + "Description": "Ad optout cookie", + "Retention period": "5 years", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c7db0-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "ddid", + "Domain": "facebook.com (3rd party)", + "Description": "Used to open a specific location in an advertiser's app upon installation", + "Retention period": "28 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c7f04-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "locale", + "Domain": "facebook.com (3rd party)", + "Description": "This cookie contains the display locale of the last logged in user on this browser. This cookie appears to only be set after the user logs out. The locale cookie has a lifetime of one week.", + "Retention period": "7 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0d249cd5-ae35-4dbb-ad00-d5ca46948619", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "_fbp", + "Domain": "facebook.com (3rd party)", + "Description": "Used by Facebook to deliver a series of advertisement products such as real time bidding from third party advertisers", + "Retention period": "4 months", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d437b1da-7729-4c74-a5cc-e73620f5e381", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "_fbc", + "Domain": "facebook.com (3rd party)", + "Description": "Used by Facebook to deliver a series of advertisement products such as real time bidding from third party advertisers", + "Retention period": "2 years", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c8170-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "js_ver", + "Domain": "facebook.com (3rd party)", + "Description": "Records the age of Facebook javascript files.", + "Retention period": "7 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c82a6-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "rc", + "Domain": "facebook.com (3rd party)", + "Description": "Used to optimize site performance for advertisers", + "Retention period": "7 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c84f4-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "campaign_click_url", + "Domain": "facebook.com (3rd party)", + "Description": "Records the Facebook URL that an individual landed on after clicking on an ad promoting Facebook", + "Retention period": "30 days", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "47a69b68-dfe1-480f-972f-0a09762af6b5", + "Platform": "Facebook", + "Category": "Functional", + "Cookie / Data Key name": "wd", + "Domain": "facebook.com (3rd party)", + "Description": "This cookie stores the browser window dimensions and is used by Facebook to optimise the rendering of the page.", + "Retention period": "Session", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "983bb537-a3d2-4d0c-b6ce-64f2fa4434cd", + "Platform": "Facebook", + "Category": "Marketing", + "Cookie / Data Key name": "usida", + "Domain": "facebook.com (3rd party)", + "Description": "Collects a combination of the user’s browser and unique identifier, used to tailor advertising to users.", + "Retention period": "Session", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "4c55ca74-d188-4923-a76b-d6d108063438", + "Platform": "Facebook", + "Category": "Functional", + "Cookie / Data Key name": "presence", + "Domain": "facebook.com (3rd party)", + "Description": "The presence cookie is used to contain the user’s chat state.", + "Retention period": "Session", + "Data Controller": "Facebook", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "256c8d78-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Platform161", + "Category": "Marketing", + "Cookie / Data Key name": "fl_inst", + "Domain": "creative-serving.com (3rd party)", + "Description": "Used to check if Flash plugin is enabled in browser of user.", + "Retention period": "7 days", + "Data Controller": "Platform161", + "User Privacy & GDPR Rights Portals": "https://platform161.com/cookie-and-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "256c8eae-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Platform161", + "Category": "Marketing", + "Cookie / Data Key name": "pvc2", + "Domain": "creative-serving.com (3rd party)", + "Description": "Contains information related to ad impressions.", + "Retention period": "13 months", + "Data Controller": "Platform161", + "User Privacy & GDPR Rights Portals": "https://platform161.com/cookie-and-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "256c8fe4-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Platform161", + "Category": "Marketing", + "Cookie / Data Key name": "pcc2", + "Domain": "creative-serving.com (3rd party)", + "Description": "Contains information related to ad impressions.", + "Retention period": "13 months", + "Data Controller": "Platform161", + "User Privacy & GDPR Rights Portals": "https://platform161.com/cookie-and-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "256c93ae-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Platform161", + "Category": "Marketing", + "Cookie / Data Key name": "trc", + "Domain": "creative-serving.com (3rd party)", + "Description": "Contains information related to ad impressions.", + "Retention period": "13 months", + "Data Controller": "Platform161", + "User Privacy & GDPR Rights Portals": "https://platform161.com/cookie-and-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "256c9516-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Platform161", + "Category": "Marketing", + "Cookie / Data Key name": "tuuid", + "Domain": "creative-serving.com (3rd party)", + "Description": "Unique value to identify individual users.", + "Retention period": "13 months", + "Data Controller": "Platform161", + "User Privacy & GDPR Rights Portals": "https://platform161.com/cookie-and-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "256c964c-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Platform161", + "Category": "Marketing", + "Cookie / Data Key name": "ad2", + "Domain": "creative-serving.com (3rd party)", + "Description": "Contains information related to ad impressions.", + "Retention period": "13 months", + "Data Controller": "Platform161", + "User Privacy & GDPR Rights Portals": "https://platform161.com/cookie-and-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "256c9840-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "MR", + "Domain": ".bing.com (3rd party) or .microsoft.com (3rd party)", + "Description": "Used to collect information for analytics purposes.", + "Retention period": "6 months", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256c999e-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "MUID", + "Domain": ".bing.com (3rd party) or .microsoft.com (3rd party)", + "Description": "Identifies unique web browsers visiting Microsoft sites. These cookies are used for advertising, site analytics, and other operational purposes.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256c9b60-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "MUIDB", + "Domain": ".bing.com (3rd party) or .microsoft.com (3rd party)", + "Description": "Identifies unique web browsers visiting Microsoft sites. These cookies are used for advertising, site analytics, and other operational purposes.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256c9eb2-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "MC1", + "Domain": ".bing.com (3rd party) or .microsoft.com (3rd party)", + "Description": "Identifies unique web browsers visiting Microsoft sites. These cookies are used for advertising, site analytics, and other operational purposes.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256ca010-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "MSFPC", + "Domain": ".bing.com (3rd party) or .microsoft.com (3rd party)", + "Description": "Identifies unique web browsers visiting Microsoft sites. These cookies are used for advertising, site analytics, and other operational purposes.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256ca150-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "_uetsid", + "Domain": ".bing.com (3rd party) or .microsoft.com (3rd party)", + "Description": "This cookie is used by Bing to determine what ads should be shown that may be relevant to the end user perusing the site.", + "Retention period": "30 minutes", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "8a195ee3-9a8c-4442-9ee2-37a718864253", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "_uetvid", + "Domain": ".bing.com (3rd party) or .microsoft.com (3rd party)", + "Description": "This is a cookie utilised by Microsoft Bing Ads and is a tracking cookie. It allows us to engage with a user that has previously visited our website.", + "Retention period": "16 days", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256ca290-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "ANON", + "Domain": "microsoft.com (3rd party)", + "Description": "Contains the A, a unique identifier derived from your Microsoft account, which is used for advertising, personalization, and operational purposes. It is also used to preserve your choice to opt out of interest-based advertising from Microsoft if you have chosen to associate the opt-out with your Microsoft account.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "b15dc96b-ad02-4c36-9dee-d0c7bafea40f", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "ANONCHK", + "Domain": "microsoft.com (3rd party)", + "Description": "Used to store session ID for a users session to ensure that clicks from adverts on the Bing search engine are verified for reporting purposes and for personalisation", + "Retention period": "10 minutes", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256ca3c6-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "CC", + "Domain": "microsoft.com (3rd party)", + "Description": "Contains a country code as determined from your IP address.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256ca4fc-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "PPAuth", + "Domain": "microsoft.com (3rd party)", + "Description": "Helps to authenticate you when you sign in with your Microsoft account.", + "Retention period": "5 years", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256ca632-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "MSPAuth", + "Domain": "microsoft.com (3rd party)", + "Description": "Helps to authenticate you when you sign in with your Microsoft account.", + "Retention period": "5 years", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256ca95c-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "MSNRPSAuth", + "Domain": "microsoft.com (3rd party)", + "Description": "Helps to authenticate you when you sign in with your Microsoft account.", + "Retention period": "5 years", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256caf10-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "KievRPSAuth", + "Domain": "microsoft.com (3rd party)", + "Description": "Helps to authenticate you when you sign in with your Microsoft account.", + "Retention period": "5 years", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cb096-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "WLSSC", + "Domain": "microsoft.com (3rd party)", + "Description": "Helps to authenticate you when you sign in with your Microsoft account.", + "Retention period": "5 years", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cb1d6-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "MSPProf", + "Domain": "microsoft.com (3rd party)", + "Description": "Helps to authenticate you when you sign in with your Microsoft account.", + "Retention period": "5 years", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cb30c-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "MC0", + "Domain": "microsoft.com (3rd party)", + "Description": "Detects whether cookies are enabled in the browser.", + "Retention period": "End of session (browser)", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cb438-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "MS0", + "Domain": "microsoft.com (3rd party)", + "Description": "Identifies a specific session.", + "Retention period": "End of session (browser)", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cb816-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "NAP", + "Domain": "microsoft.com (3rd party)", + "Description": "Contains an encrypted version of your country, postal code, age, gender, language and occupation, if known, based on your Microsoft account profile.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cb97e-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "MH", + "Domain": "microsoft.com (3rd party)", + "Description": "Appears on co-branded sites where Microsoft is partnering with an advertiser. This cookie identifies the advertiser, so the right ad is selected.", + "Retention period": "End of session (browser)", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cbabe-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "childinfo", + "Domain": "microsoft.com (3rd party)", + "Description": "Contains information that Microsoft account uses within its pages in relation to child accounts.", + "Retention period": "5 years", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cbbf4-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "kcdob", + "Domain": "microsoft.com (3rd party)", + "Description": "Contains information that Microsoft account uses within its pages in relation to child accounts.", + "Retention period": "5 years", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cbd2a-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "kcrelid", + "Domain": "microsoft.com (3rd party)", + "Description": "Contains information that Microsoft account uses within its pages in relation to child accounts.", + "Retention period": "5 years", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cbe56-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "kcru", + "Domain": "microsoft.com (3rd party)", + "Description": "Contains information that Microsoft account uses within its pages in relation to child accounts.", + "Retention period": "5 years", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cc270-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "pcfm", + "Domain": "microsoft.com (3rd party)", + "Description": "Contains information that Microsoft account uses within its pages in relation to child accounts.", + "Retention period": "5 years", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cc3f6-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "x-ms-gateway-slice", + "Domain": "microsoft.com (3rd party)", + "Description": "Identifies a gateway for load balancing.", + "Retention period": "End of session (browser)", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cc540-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "ToptOut", + "Domain": ".bing.com (3rd party) or .microsoft.com (3rd party)", + "Description": "Records your decision not to receive interest-based advertising delivered by Microsoft.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cc676-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "ACH01", + "Domain": ".bing.com (3rd party) or .microsoft.com (3rd party)", + "Description": "Maintains information about which ad and where the user clicked on the ad.", + "Retention period": "End of session (browser)", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "86987c90-d49d-4f18-92c6-cb7219941de6", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "AADSSO", + "Domain": "microsoft.com (3rd party)", + "Description": "Microsoft Microsoft Online Authentication Cookie", + "Retention period": "End of session (browser)", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "55cd7242-c471-4f79-beae-239c8527249d", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "brcap", + "Domain": "microsoft.com (3rd party)", + "Description": "Microsoft Microsoft Online Authentication Cookie", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "3b3839c7-29e4-488f-ac31-966017009ccd", + "Platform": "Bing / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "SRM_B", + "Domain": "microsoft.com (3rd party)", + "Description": "Collected user data is specifically adapted to the user or device. The usercan also be followed outside of the loaded website, creating a picture of the visitor's behavior.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "594f6af4-c339-43ad-8547-ca711c17ee19", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "_RwBf", + "Domain": "bing.com", + "Description": "This cookie helps us to track the effectiveness of advertising campaigns on the Bing advertising network.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "09d36a13-5d27-40e7-b833-f6054a7c8022", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "_HPVN", + "Domain": "bing.com", + "Description": "Analysis service that connects data from the Bing advertising network with actions performed on the website.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "5dd00925-86b2-4c0c-bf6a-1bd86db4fcdd", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "_UR", + "Domain": "bing.com", + "Description": "This cookie is used by the Bing advertising network for advertising tracking purposes.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "63fb866a-437d-421d-9740-b78b5365e2b1", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "OID", + "Domain": "bing.com", + "Description": "This cookie is used by the Bing advertising network for advertising tracking purposes.", + "Retention period": "3 months", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "365b8488-d7ef-48c0-bebf-285e31846a87", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "OIDI", + "Domain": "bing.com", + "Description": "This cookie is used by the Bing advertising network for advertising tracking purposes.", + "Retention period": "3 months", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "f0682f93-501a-4b71-805c-6b4957235a55", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "OIDR", + "Domain": "bing.com", + "Description": "This cookie is used by the Bing advertising network for advertising tracking purposes.", + "Retention period": "3 months", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "59744a0e-f21b-4686-a2aa-f6bbf527defe", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "BCP", + "Domain": "bing.com", + "Description": "This cookie is used for advertisement tracking purposes.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "09e1abf7-9719-42f8-b72a-50dd13e3c8f5", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "BFBUSR", + "Domain": "bing.com", + "Description": "This cookie is used for advertisement tracking purposes.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "975dd26e-1890-48bc-9106-34b5afe892ba", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "BFB", + "Domain": "bing.com", + "Description": "This cookie is used for advertisement tracking purposes.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "5d3b368c-0b2e-4e80-896d-aa40043b6ab9", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "ACL", + "Domain": "bing.com", + "Description": "This cookie is used for advertisement tracking purposes.", + "Retention period": "3 months", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "9b6136da-9570-4bbb-979c-7fecd0a472ad", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "ACLUSR", + "Domain": "bing.com", + "Description": "This cookie is used for advertisement tracking purposes.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "890efa28-0de4-4a5b-9298-075a15bdef7a", + "Platform": "Bing / Microsoft", + "Category": "Marketing", + "Cookie / Data Key name": "MSPTC", + "Domain": "bing.com", + "Description": "This cookie registers data on the visitor. The information is used to optimize advertisement relevance.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "d828ed06-e5b8-4a18-92d2-6b66b6440e3e", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "buid", + "Domain": "microsoft.com (3rd party)", + "Description": "This cookie is used by Microsoft to securely verify your login information", + "Retention period": "1 month", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "e2740aa9-302f-48f4-8da4-adc87a648d84", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "esctx", + "Domain": "microsoft.com (3rd party)", + "Description": "This cookie is used by Microsoft to securely verify your login information", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "d9a536e7-ec2f-45a1-bc57-44116eea5eba", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "fpc", + "Domain": "microsoft.com (3rd party)", + "Description": "This cookie is used by Microsoft to securely verify your login information", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "5ba88877-4115-44b0-86f5-858d5becb80f", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "stsservicecookie", + "Domain": "microsoft.com (3rd party)", + "Description": "Cookie for Azure Active Directory B2C-verification", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "0a8ed6cf-bb76-4870-a055-c728bba2a375", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "ARRAffinity", + "Domain": "", + "Description": "When using Microsoft Azure as a hosting platform and enabling load balancing, this cookie ensures that requests from one visitor's browsing session are always handled by the same server in the cluster.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "d26e571a-4f43-11eb-ae93-0242ac130002", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "ARRAffinitySameSite", + "Domain": "", + "Description": "When using Microsoft Azure as a hosting platform and enabling load balancing, this cookie ensures that requests from one visitor's browsing session are always handled by the same server in the cluster.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "4cd8f567-80a5-4338-80d4-4f803b198f8d", + "Platform": "Azure / Microsoft", + "Category": "Security", + "Cookie / Data Key name": "__AntiXsrfToken", + "Domain": "", + "Description": "This cookie is used to prevent Cross-site request forgery (often abbreviated as CSRF) attacks of the website. CSRF attacks exploit the trust that a site has in a user's browser.", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "27c3efb8-ae3c-411c-a323-487b49109a64", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": ".ASPXANONYMOUS", + "Domain": "", + "Description": "Created by ASP.Net. This cookie configures anonymous identification for application authorization. This is required to identify entities that are not authenticated when authorization is required.", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "ab2c6849-022d-46e0-84f0-12617c09d8de", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": ".ASPXAUTH", + "Domain": "", + "Description": "Created by ASP.Net. .ASPXAUTH is a cookie to identify if the user is authenticated( As user's identity has been verified)", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "9d87ca66-a460-4b51-8a78-3fa9277f1913", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "nSGt-", + "Domain": "microsoft.com (3rd party)", + "Description": "This cookie is used by Microsoft to securely verify your Sharepoint login information", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "a5ddb0d6-438d-46d9-bcea-ab4057e50ed5", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "RpsContextCookie", + "Domain": "microsoft.com (3rd party)", + "Description": "This cookie is used by Microsoft to securely verify your Sharepoint login information", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "33dd473d-db07-49aa-99b5-592f360a35ba", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "ASLBSACORS", + "Domain": "", + "Description": "Microsoft App Service and Front Door Affinity Cookies. These cookies are used to direct your browser to use the appropriate backend server.", + "Retention period": "Session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "2cd84dc9-cd06-4d89-a006-14b911e538e5", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "ASLBSA", + "Domain": "", + "Description": "Microsoft App Service and Front Door Affinity Cookies. These cookies are used to direct your browser to use the appropriate backend server.", + "Retention period": "Session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "b4cdb430-343f-4e20-acbd-4a59783552d5", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "ASPSESSIO", + "Domain": "", + "Description": "Browsing session: the asterisks identify an alphanumerical code that varies from session to session in automatic mode.", + "Retention period": "Session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "c049562e-e15a-44e8-81c4-baf64fe9ca8f", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "ApplicationGatewayAffinity", + "Domain": "", + "Description": "This cookie is used by Azure Apps to keep a user session on the same server.", + "Retention period": "Session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "46ef85a0-166d-47f6-9769-2ab599e2cf90", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "ApplicationGatewayAffinityCORS", + "Domain": "", + "Description": "This cookie is used by Azure Apps to keep a user session on the same server.", + "Retention period": "Session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "5af4a198-5e16-42df-9a53-cc1adcc6194c", + "Platform": "Azure / Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "VisitorStorageGuid", + "Domain": "", + "Description": "This cookie is used by Azure Apps to keep a user session on the same server.", + "Retention period": "Session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "0128daf8-544e-4ab1-8117-b50984228f9f", + "Platform": "Microsoft Azure App Insights", + "Category": "Functional", + "Cookie / Data Key name": "ai_session", + "Domain": "", + "Description": "This is a unique anonymous session identifier cookie.", + "Retention period": "Session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "9ad53afc-814f-4ca7-968a-3d82ac166c77", + "Platform": "Microsoft Azure App Insights", + "Category": "Functional", + "Cookie / Data Key name": "ai_user", + "Domain": "", + "Description": "This is a unique user identifier cookie enabling counting of the number of users accessing the application over time.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "ac37dcdc-9f72-49e9-8b92-1682565bee79", + "Platform": "Microsoft Dynamics", + "Category": "Functional", + "Cookie / Data Key name": "AADNonce.forms", + "Domain": "forms.office.comm", + "Description": "Unique identifier of one authentication session to prevent replay.", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "15d0764e-e305-4f65-987e-cec21ca7209d", + "Platform": "Microsoft Dynamics", + "Category": "Functional", + "Cookie / Data Key name": "DcLcid", + "Domain": "forms.office.comm", + "Description": "Saves language preference.", + "Retention period": "90 days", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "6b0fcf2e-09e7-4b4d-acb5-d39e946ae32c", + "Platform": "Microsoft", + "Category": "Analytics", + "Cookie / Data Key name": "_clck", + "Domain": "clarity.ms", + "Description": "This cookie is installed by Microsoft Clarity to store information of how visitors use a website and help in creating an analytics report of how the website is doing. The data collected including the number visitors, the source where they have come from, and the pages visited in an anonymous form.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "a8e8abce-2d0b-49f9-93ed-9cf17ef7b234", + "Platform": "Microsoft", + "Category": "Analytics", + "Cookie / Data Key name": "_clsk", + "Domain": "clarity.ms", + "Description": "This cookie is installed by Microsoft Clarity to store information of how visitors use a website and help in creating an analytics report of how the website is doing. The data collected including the number visitors, the source where they have come from, and the pages visited in an anonymous form.", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "56e8eec5-b667-4ea9-bd0e-bd6c4be2594e", + "Platform": "Microsoft", + "Category": "Analytics", + "Cookie / Data Key name": "SM", + "Domain": "clarity.ms", + "Description": "This is a Microsoft cookie which we use to measure the use of the website for internal analytics", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "c44c1631-94e5-457e-bd09-d089bf114bd2", + "Platform": "Microsoft", + "Category": "Analytics", + "Cookie / Data Key name": "CLID", + "Domain": "clarity.ms", + "Description": "The cookie is set by embedded Microsoft Clarity scripts. The purpose of this cookie is for heatmap and session recording.", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "d0f95b27-3bfc-493e-85d7-46a24b752256", + "Platform": "Microsoft", + "Category": "Analytics", + "Cookie / Data Key name": "MicrosoftApplicationsTelemetryDeviceId", + "Domain": "", + "Description": "Used to store a unique device ID for tracking behavior and usage of the website", + "Retention period": "1 year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "01902673-8069-4bc6-8904-b9f2ce3c54e4", + "Platform": "Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "esctx-", + "Domain": ".login.microsoftonline.com", + "Description": "This cookie is set by Microsoft for secure authentication of the users' login details", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "3dda7f31-dc56-4294-b8db-9b905fe680ee", + "Platform": "Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "isFirstSession", + "Domain": "", + "Description": "This cookie is used when user opts-in to saving information", + "Retention period": "Session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "19d2b26f-5f8e-44c8-a414-a624c160e3e3", + "Platform": "Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "MSO", + "Domain": "", + "Description": "This cookie identifies a session", + "Retention period": "1 Year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "85b50422-6f30-4d09-8806-4898ee3d31ea", + "Platform": "Microsoft", + "Category": "Analytics", + "Cookie / Data Key name": "X-FD-FEATURES", + "Domain": "", + "Description": "This cookie is used for tracking analytics and evenly spreading load on the website", + "Retention period": "1 Year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "26d74563-35c1-4f29-899b-efa6722e680f", + "Platform": "Microsoft", + "Category": "Analytics", + "Cookie / Data Key name": "X-FD-Time", + "Domain": "", + "Description": "This cookie is used for tracking analytics and evenly spreading load on website", + "Retention period": "1 Year", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "68da1a76-85e6-472b-ad59-7ebb9bae2e29", + "Platform": "ASP.net", + "Category": "Functional", + "Cookie / Data Key name": "ASP.NET_SessionId", + "Domain": "", + "Description": "ASP.Net_SessionId is a cookie which is used to identify the users session on the server. The session being an area on the server which can be used to store session state in between http requests.", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "256cc7a2-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "guest_id", + "Domain": "twitter.com (3rd party)", + "Description": "This cookie is set by X to identify and track the website visitor. Registers if a users is signed in the X platform and collects information about ad preferences.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://help.twitter.com/nl/safety-and-security#ads-and-data-privacy", + "Wildcard match": 0 + }, + { + "ID": "256cc8d8-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "personalization_id", + "Domain": "twitter.com (3rd party)", + "Description": "Unique value with which users can be identified by X. Collected information is used to be personalize X services, including X trends, stories, ads and suggestions.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://help.twitter.com/nl/safety-and-security#ads-and-data-privacy", + "Wildcard match": 0 + }, + { + "ID": "e4c4bc7f-a0ef-45f5-aa79-4a048cb5353e", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "ct0", + "Domain": "twitter.com (3rd party)", + "Description": "These cookies enable us to track visitor activity from our X ads on our website, and also to allow users to share content from our websites. They cookies do not provide us with any confidential information relating to your account.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "d26e6386-4f43-11eb-ae93-0242ac130002", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "gt", + "Domain": "twitter.com (3rd party)", + "Description": "Twitter uses these cookies to support plugin integration with our website. If you use the Tweet plugin and log into your X account, X will set some of these cookies to remember that you are logged in. X will also use cookies for their own analytics purposes.", + "Retention period": "1 year", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "ca0f3300-e7ff-4cff-8728-cb77a8299c5c", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "guest_id_marketing", + "Domain": "twitter.com (3rd party)", + "Description": "This cookie is for advertising when logged out", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "8c80295d-6711-40a3-b4b1-299099339ce7", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "guest_id_ads", + "Domain": "twitter.com (3rd party)", + "Description": "This cookie is for advertising when logged out", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "2757f362-78e0-4bd5-b1e4-fce5c7977ddc", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "muc_ads", + "Domain": "t.co", + "Description": "These cookies are placed when you come to our website via X. A cookie from X is also placed on our website, with which we can later show a relevant offer on X", + "Retention period": "24 months", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "6aa88c2d-b6d5-4830-b6fc-56bfa5847332", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "_twitter_sess", + "Domain": "twitter.com (3rd party)", + "Description": "This cookie is set due to X integration and sharing capabilities for the social media.", + "Retention period": "Session", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "9ea2f9fe-433d-414f-916f-1a646c52c4a2", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "ads_prefs", + "Domain": ".twitter.com", + "Description": "These cookies enable us to track visitor activity from our X ads on our website, and also to allow users to share content from our websites. They cookies do not provide us with any confidential information relating to your account.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "e6d53ec2-e120-4bcc-a16a-35807f20c07e", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "auth_token", + "Domain": ".twitter.com", + "Description": "These cookies enable us to track visitor activity from our X ads on our website, and also to allow users to share content from our websites. They cookies do not provide us with any confidential information relating to your account.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "08e4dd71-f1af-4ebd-b39e-41d06e46913c", + "Platform": "X", + "Category": "Security", + "Cookie / Data Key name": "csrf_same_site", + "Domain": ".twitter.com", + "Description": "These cookies enable us to track visitor activity from our X ads on our website, and also to allow users to share content from our websites. They cookies do not provide us with any confidential information relating to your account.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "792739e2-2e87-4270-8fa9-32abd418aac1", + "Platform": "X", + "Category": "Security", + "Cookie / Data Key name": "csrf_same_site_set", + "Domain": ".twitter.com", + "Description": "These cookies enable us to track visitor activity from our X ads on our website, and also to allow users to share content from our websites. They cookies do not provide us with any confidential information relating to your account.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "97378e1f-bb7c-4eb3-a5ac-c69892eddb77", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "dnt", + "Domain": ".twitter.com", + "Description": "These are third party X cookies. These cookies enable users, if they wish, to login to their X account share content from our websites with their friends. These cookies do not allow us access to your accounts or provide us with any confidential information relating to your accounts. These cookies also allow a news feed of tweets to appear on the website.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "1c4c68b4-7927-4bd4-ac94-4dc7db3b1a5d", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "eu_cn", + "Domain": ".twitter.com", + "Description": "These are third party X cookies. These cookies enable users, if they wish, to login to their X account share content from our websites with their friends. These cookies do not allow us access to your accounts or provide us with any confidential information relating to your accounts. These cookies also allow a news feed of tweets to appear on the website.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "c747dd6b-8d77-424e-a864-a945ce86fe9a", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "external_referer", + "Domain": ".twitter.com", + "Description": "Our Website uses X buttons to allow our visitors to follow our promotional X feeds, and sometimes embed feeds on our Website.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "0aea63ec-0c4f-4673-8fe3-c16811fa0ebf", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "kdt", + "Domain": ".twitter.com", + "Description": "These are third party X cookies. These cookies enable users, if they wish, to login to their X account share content from our websites with their friends. These cookies do not allow us access to your accounts or provide us with any confidential information relating to your accounts. These cookies also allow a news feed of tweets to appear on the website.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "b03a8c12-7a81-4fb0-af00-1d231b29ba23", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "remember_checked_on", + "Domain": ".twitter.com", + "Description": "These cookies enable us to track visitor activity from our X ads on our website, and also to allow users to share content from our websites. These cookies do not provide us with any confidential information relating to your account.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "193036b6-d22f-4167-ab5c-4a66de4656dd", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "rweb_optin", + "Domain": ".twitter.com", + "Description": "These cookies enable us to track visitor activity from our X ads on our website, and also to allow users to share content from our websites. These cookies do not provide us with any confidential information relating to your account.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "5ebcae77-10f9-4d62-839d-18ddfdf17237", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "syndication_guest_id", + "Domain": ".twitter.com", + "Description": "Used to collect information about users browsing behaviour for marketing purposes including digital display and social media advertising.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "2cd52409-5089-4c52-a20d-037251c1e8f2", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "twid", + "Domain": ".twitter.com", + "Description": "These cookies enable us to track visitor activity from our X ads on our website, and also to allow users to share content from our websites. They cookies do not provide us with any confidential information relating to your account.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "da6f4e9e-8e66-40a1-902a-a17588932f39", + "Platform": "X", + "Category": "Marketing", + "Cookie / Data Key name": "tfw_exp", + "Domain": ".twitter.com", + "Description": "These cookies enable us to track visitor activity from our X ads on our website, and also to allow users to share content from our websites. They cookies do not provide us with any confidential information relating to your account.", + "Retention period": "2 years", + "Data Controller": "X", + "User Privacy & GDPR Rights Portals": "https://twitter.com/en/privacy", + "Wildcard match": 0 + }, + { + "ID": "256ccfea-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_pad", + "Domain": "Inspectlet.com (3rd party)", + "Description": "This cookie contains the page number of the session recording.", + "Retention period": "End of session (browser)", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "256cd12a-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_sid", + "Domain": "Inspectlet.com (3rd party)", + "Description": "This cookie contains the ID of the Inspectlet session that is being recorded.", + "Retention period": "End of session (browser)", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "256cd3e6-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_ref", + "Domain": "Inspectlet.com (3rd party)", + "Description": "The cookie contains the referrer source/URL", + "Retention period": "End of session (browser)", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "256cd53a-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_scpt", + "Domain": "Inspectlet.com (3rd party)", + "Description": "This cookie contains an integer that allows us to know if the screen capture was triggered or not.", + "Retention period": "End of session (browser)", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "256cd922-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_nv", + "Domain": "Inspectlet.com (3rd party)", + "Description": "This cookie contains a value that allows Inspectlet to know if this user is a new visitor or a returning visitor.", + "Retention period": "End of session (browser)", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "256cda62-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_wid", + "Domain": "Inspectlet.com (3rd party)", + "Description": "This cookie contains an uniqe user ID provided by the website if set up.", + "Retention period": "End of session (browser)", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "256cdba2-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_uid", + "Domain": "Inspectlet.com (3rd party)", + "Description": "This cookie contains random ID assigned to a visitor.", + "Retention period": "1 year", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "67415e3d-9f91-4c1a-97dd-548930e7b93a", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_dct", + "Domain": "Inspectlet.com (3rd party)", + "Description": "Registers statistical data on visitors' behaviour on the website. Used for internal analytics by the website operator.", + "Retention period": "Session", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "256cdcd8-d881-11e9-8a34-2a2ae2dbcce4", + "Platform": "Indeed", + "Category": "Analytics", + "Cookie / Data Key name": "CTK", + "Domain": "indeed.com", + "Description": "This cookie is used to provide a more consistent user experience across sessions by providing improved job recommendations and other services we offer on Indeed. This also helps Indeed analyze in aggregate the best way to help people get jobs. This cookie does not use 3rd party data and is not used for targeting.", + "Retention period": "1825 days", + "Data Controller": "Indeed", + "User Privacy & GDPR Rights Portals": "https://www.indeed.com/legal", + "Wildcard match": 0 + }, + { + "ID": "3396e275-3c40-4d7e-8cfa-296449b3b126", + "Platform": "Indeed", + "Category": "Analytics", + "Cookie / Data Key name": "ctkgen", + "Domain": "", + "Description": "Contains information related to registering (counting) a job application via a job listing on indeed.com.", + "Retention period": "1 day", + "Data Controller": "Indeed", + "User Privacy & GDPR Rights Portals": "https://www.indeed.com/legal", + "Wildcard match": 0 + }, + { + "ID": "ab213874-e693-4de7-a939-d051ab018570", + "Platform": "Indeed", + "Category": "Security", + "Cookie / Data Key name": "INDEED_CSRF_TOKEN", + "Domain": "", + "Description": "This cookie is used by Cloudflare to identify trusted web traffic.", + "Retention period": "Session", + "Data Controller": "Indeed", + "User Privacy & GDPR Rights Portals": "https://www.indeed.com/legal", + "Wildcard match": 0 + }, + { + "ID": "0b4227d4-2473-4ff5-9408-bf219843b6e3", + "Platform": "Indeed", + "Category": "Analytics", + "Cookie / Data Key name": "jasx_pool_id", + "Domain": "", + "Description": "Contains information related to registering (counting) a job application via a job listing on indeed.com.", + "Retention period": "Session", + "Data Controller": "Indeed", + "User Privacy & GDPR Rights Portals": "https://www.indeed.com/legal", + "Wildcard match": 0 + }, + { + "ID": "2c1380a0-ec77-4161-af73-292f48c3ced3", + "Platform": "Indeed", + "Category": "Analytics", + "Cookie / Data Key name": "pagead/conv/%INTEGER%", + "Domain": "", + "Description": "Contains information related to registering (counting) a job application via a job listing on indeed.com.", + "Retention period": "Session", + "Data Controller": "Indeed", + "User Privacy & GDPR Rights Portals": "https://www.indeed.com/legal", + "Wildcard match": 0 + }, + { + "ID": "06dcc491-d34b-456f-ae56-f683284f5dbd", + "Platform": "Abovo Media", + "Category": "Analytics", + "Cookie / Data Key name": "tv_spot_tracker", + "Domain": "", + "Description": "Contains information about the timeslot of a running TV ad", + "Retention period": "End of session (browser)", + "Data Controller": "Abovo Media", + "User Privacy & GDPR Rights Portals": "https://www.abovomedia.nl/cookies/", + "Wildcard match": 0 + }, + { + "ID": "cf563c2f-115b-43c1-82cd-93030ef4fe6c", + "Platform": "CookieConsent.io", + "Category": "Functional", + "Cookie / Data Key name": "cookie-consent-io", + "Domain": "", + "Description": "Registers cookie preferences of a user", + "Retention period": "1 year", + "Data Controller": "CookieConsent.io", + "User Privacy & GDPR Rights Portals": "https://www.cookieconsent.io/cookies/", + "Wildcard match": 0 + }, + { + "ID": "7ca640be-cf2f-41fe-9290-58813a1f28aa", + "Platform": "CookieConsent.io", + "Category": "Functional", + "Cookie / Data Key name": "cookie-consent-io-timestamp", + "Domain": "", + "Description": "Registers user activity timestamp", + "Retention period": "30 days", + "Data Controller": "CookieConsent.io", + "User Privacy & GDPR Rights Portals": "https://www.cookieconsent.io/cookies/", + "Wildcard match": 1 + }, + { + "ID": "c2b375c6-534f-4237-8cd1-b2a0d88936be", + "Platform": "CookieConsent.io", + "Category": "Functional", + "Cookie / Data Key name": "cookie-consent-io-gdpr", + "Domain": "", + "Description": "Register anonymous consent identifier for GDPR consent compliance", + "Retention period": "1 year", + "Data Controller": "CookieConsent.io", + "User Privacy & GDPR Rights Portals": "https://www.cookieconsent.io/cookies/", + "Wildcard match": 0 + }, + { + "ID": "13f1566a-2358-4033-b842-89f58eb4271e", + "Platform": "CookieConsent.io", + "Category": "Marketing", + "Cookie / Data Key name": "ccec_user", + "Domain": "", + "Description": "Contains information about the customer to allow retargeting.", + "Retention period": "1 year", + "Data Controller": "CookieConsent.io", + "User Privacy & GDPR Rights Portals": "https://www.cookieconsent.io/cookies/", + "Wildcard match": 0 + }, + { + "ID": "4c1be785-76a1-4272-b890-155b3c2e130c", + "Platform": "Youtube", + "Category": "Marketing", + "Cookie / Data Key name": "GPS", + "Domain": "youtube.com (3rd party)", + "Description": "Registers a unique ID on mobile devices to enable tracking based on geographical GPS location.", + "Retention period": "1 day", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "87613af8-8486-47ef-93c9-b45c9c285106", + "Platform": "Youtube", + "Category": "Marketing", + "Cookie / Data Key name": "VISITOR_INFO1_LIVE", + "Domain": "youtube.com (3rd party)", + "Description": "Tries to estimate the users' bandwidth on pages with integrated YouTube videos. Also used for marketing", + "Retention period": "179 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "9c0c0aeb-8893-43e5-9943-7dbad447400b", + "Platform": "Youtube", + "Category": "Functional", + "Cookie / Data Key name": "PREF", + "Domain": "youtube.com (3rd party)", + "Description": "This cookie stores your preferences and other information, in particular preferred language, how many search results you wish to be shown on your page, and whether or not you wish to have Google’s SafeSearch filter turned on.", + "Retention period": "10 years from set/ update", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d0a28cbf-c082-477b-99fe-b45d0ef7e440", + "Platform": "Youtube", + "Category": "Functional", + "Cookie / Data Key name": "YSC", + "Domain": "youtube.com (3rd party)", + "Description": "Registers a unique ID to keep statistics of what videos from YouTube the user has seen.", + "Retention period": "Session", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "1de90fdf-b57b-4c6f-b41f-f169856a0049", + "Platform": "Youtube", + "Category": "Functional", + "Cookie / Data Key name": "DEVICE_INFO", + "Domain": "youtube.com (3rd party)", + "Description": "Used to detect if the visitor has accepted the marketing category in the cookie banner. This cookie is necessary for GDPR-compliance of the website.", + "Retention period": "179 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b1e3d99b-e670-4b9f-9521-0d00dedf8f58", + "Platform": "Youtube", + "Category": "Functional", + "Cookie / Data Key name": "LOGIN_INFO", + "Domain": "youtube.com (3rd party)", + "Description": "This cookie is used to play YouTube videos embedded on the website.", + "Retention period": "2 years", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "2728a6ef-63ee-4f43-960c-b523f7e0286b", + "Platform": "Youtube", + "Category": "Marketing", + "Cookie / Data Key name": "VISITOR_PRIVACY_METADATA", + "Domain": "youtube.com (3rd party)", + "Description": "Youtube visitor privacy metadata cookie", + "Retention period": "180 days", + "Data Controller": "Google", + "User Privacy & GDPR Rights Portals": "https://business.safety.google/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a578ee93-0514-4c0c-a51a-32177058f5f5", + "Platform": "Admatic", + "Category": "Marketing", + "Cookie / Data Key name": "__adm_ui", + "Domain": "admatic.com.tr (3rd party)", + "Description": "Used to track visitors on multiple websites, in order to present relevant advertisement based on the visitor's preferences.", + "Retention period": "1 year", + "Data Controller": "Admatic", + "User Privacy & GDPR Rights Portals": "http://www.admatic.com.tr/en/privacy-policy.html", + "Wildcard match": 0 + }, + { + "ID": "b9b6969a-e377-4930-bbf2-cc392ed0bbe0", + "Platform": "Admatic", + "Category": "Marketing", + "Cookie / Data Key name": "__adm_uiex", + "Domain": "admatic.com.tr (3rd party)", + "Description": "Used to track visitors on multiple websites, in order to present relevant advertisement based on the visitor's preferences.", + "Retention period": "1 year", + "Data Controller": "Admatic", + "User Privacy & GDPR Rights Portals": "http://www.admatic.com.tr/en/privacy-policy.html", + "Wildcard match": 0 + }, + { + "ID": "964f057a-34ae-4352-831a-b413901c1511", + "Platform": "Admatic", + "Category": "Marketing", + "Cookie / Data Key name": "__adm_usyncc", + "Domain": "admatic.com.tr (3rd party)", + "Description": "Used to identify the visitor across visits and devices. This allows the website to present the visitor with relevant advertisement - The service is provided by third party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "5 days", + "Data Controller": "Admatic", + "User Privacy & GDPR Rights Portals": "http://www.admatic.com.tr/en/privacy-policy.html", + "Wildcard match": 0 + }, + { + "ID": "c92f9463-6c9d-4aa3-a14e-d0eee6e03089", + "Platform": "Admatic", + "Category": "Marketing", + "Cookie / Data Key name": "uids", + "Domain": "admatic.com.tr (3rd party)", + "Description": "Registers user behaviour and navigation on the website, and any interaction with active campaigns. This is used for optimizing advertisement and for efficient retargeting.", + "Retention period": "3 months", + "Data Controller": "Admatic", + "User Privacy & GDPR Rights Portals": "http://www.admatic.com.tr/en/privacy-policy.html", + "Wildcard match": 0 + }, + { + "ID": "0083f4a3-159a-4ed8-80d0-0d26ec97b778", + "Platform": "Cloudflare", + "Category": "Functional", + "Cookie / Data Key name": "__cfduid", + "Domain": "", + "Description": "The '__cfduid' cookie is set by the CloudFlare service to identify trusted web traffic. It does not correspond to any user id in the web application, nor does the cookie store any personally identifiable", + "Retention period": "5 years", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "1170a387-6b75-45ed-9d7b-f4e536fb96a0", + "Platform": "Cloudflare", + "Category": "Functional", + "Cookie / Data Key name": "__cfruid", + "Domain": "", + "Description": "Used by the content network, Cloudflare, to identify trusted web traffic.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "36b7ca9d-ebcd-4d0e-b81e-27d44303f834", + "Platform": "Cloudflare", + "Category": "Functional", + "Cookie / Data Key name": "__cf_bm", + "Domain": "", + "Description": "Cloudflare's bot products identify and mitigate automated traffic to protect your site from bad bots. Cloudflare places the __cf_bm cookie on End User devices that access Customer sites that are protected by Bot Management or Bot Fight Mode. The __cf_bm cookie is necessary for the proper functioning of these bot solutions.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "11c9eecd-9cc2-40b7-9766-8f160d3b0e71", + "Platform": "Cloudflare", + "Category": "Functional", + "Cookie / Data Key name": "cf_chl_2", + "Domain": "", + "Description": "Used by Cloudflare for the execution of Javascript or Captcha challenges. These cookies are not used for tracking or beyond the scope of the challenge.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "d0a9b819-431c-4fb0-ae69-898ee704671f", + "Platform": "Cloudflare", + "Category": "Functional", + "Cookie / Data Key name": "__cflb", + "Domain": "", + "Description": "When enabling session affinity with Cloudflare Load Balancer, Cloudflare sets a __cflb cookie with a unique value on the first response to the requesting client. Cloudflare routes future requests to the same origin, optimizing network resource usage. In the event of a failover, Cloudflare sets a new __cflb cookie to direct future requests to the failover pool.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "f1fbdbbe-1326-4a0b-9a70-8d260c554936", + "Platform": "Cloudflare", + "Category": "Functional", + "Cookie / Data Key name": "_cfuvid", + "Domain": "", + "Description": "The _cfuvid cookie is only set when a site uses this option in a Rate Limiting Rule, and is only used to allow the Cloudflare WAF to distinguish individual users who share the same IP address.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "295b46f4-649d-4e06-9352-66173288b564", + "Platform": "Cloudflare", + "Category": "Functional", + "Cookie / Data Key name": "cf_clearance", + "Domain": "", + "Description": "Whether a CAPTCHA or Javascript challenge has been solved.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "b6f57431-6029-4265-96bb-1737109dd2c5", + "Platform": "Cloudflare", + "Category": "Functional", + "Cookie / Data Key name": "__cfseq", + "Domain": "", + "Description": "Sequence rules uses cookies to track the order of requests a user has made and the time between requests and makes them available via Cloudflare Rules. This allows you to write rules that match valid or invalid sequences. The specific cookies used to validate sequences are called sequence cookies.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "f45579be-391f-4959-834c-c807e71aa5ba", + "Platform": "CloudFlare", + "Category": "Functional", + "Cookie / Data Key name": "cf_ob_info", + "Domain": "", + "Description": "The cf_ob_info cookie provides information on: The HTTP Status Code returned by the origin web server. The Ray ID of the original failed request. The data center serving the traffic", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "ebc25c6f-c389-4428-8074-14db2637f857", + "Platform": "CloudFlare", + "Category": "Functional", + "Cookie / Data Key name": "cf_use_ob", + "Domain": "", + "Description": "The cf_use_ob cookie informs Cloudflare to fetch the requested resource from the Always Online cache on the designated port. Applicable values are: 0, 80, and 443. The cf_ob_info and cf_use_ob cookies are persistent cookies that expire after 30 seconds.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "b25d897d-28e7-48bb-a8f0-165fe44e57f0", + "Platform": "CloudFlare", + "Category": "Functional", + "Cookie / Data Key name": "__cfwaitingroom", + "Domain": "", + "Description": "The __cfwaitingroom cookie is only used to track visitors that access a waiting room enabled host and path combination for a zone. Visitors using a browser that does not accept cookies cannot visit the host and path combination while the waiting room is active.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "92c0239f-37c6-4dc0-a7e4-cc6b9ebdefc0", + "Platform": "CloudFlare", + "Category": "Functional", + "Cookie / Data Key name": "cf_chl_rc_i", + "Domain": "", + "Description": "These cookies are for internal use which allows Cloudflare to identify production issues on clients.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "35e6fb7b-e088-415c-bed1-4e8d9a22d12d", + "Platform": "CloudFlare", + "Category": "Functional", + "Cookie / Data Key name": "cf_chl_rc_ni", + "Domain": "", + "Description": "These cookies are for internal use which allows Cloudflare to identify production issues on clients.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "fadb907b-fb79-4e0a-997c-e9a495b452f2", + "Platform": "CloudFlare", + "Category": "Functional", + "Cookie / Data Key name": "cf_chl_rc_m", + "Domain": "", + "Description": "These cookies are for internal use which allows Cloudflare to identify production issues on clients.", + "Retention period": "session", + "Data Controller": "Cloudflare", + "User Privacy & GDPR Rights Portals": "https://www.cloudflare.com/privacypolicy/", + "Wildcard match": 0 + }, + { + "ID": "717b8c97-4205-4c1e-960b-0e6c1267b268", + "Platform": "Sonobi", + "Category": "Marketing", + "Cookie / Data Key name": "__uin_bw", + "Domain": ".go.sonobi.com (3rd party)", + "Description": "Collects information on visitor behaviour on multiple websites. This information is used on the website, in order to optimize the relevance of advertisement.", + "Retention period": "1 month", + "Data Controller": "Sonobi", + "User Privacy & GDPR Rights Portals": "https://sonobi.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "befebc70-9497-4f2c-be86-b76ef2a2d3f4", + "Platform": "Sonobi", + "Category": "Marketing", + "Cookie / Data Key name": "__uir_bw", + "Domain": ".go.sonobi.com (3rd party)", + "Description": "Collects data on visitors' behaviour and interaction - This is used to optimize the website and make advertisement on the website more relevant.", + "Retention period": "1 day", + "Data Controller": "Sonobi", + "User Privacy & GDPR Rights Portals": "https://sonobi.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b1ece5c5-f6b1-4109-8437-da5e522f1c2d", + "Platform": "Sonobi", + "Category": "Marketing", + "Cookie / Data Key name": "__uis", + "Domain": ".go.sonobi.com (3rd party)", + "Description": "Used to track visitors on multiple websites, in order to present relevant advertisement based on the visitor's preferences.", + "Retention period": "29 days", + "Data Controller": "Sonobi", + "User Privacy & GDPR Rights Portals": "https://sonobi.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "26db9f36-98f5-49fc-bc18-82561fbdaa10", + "Platform": "Sonobi", + "Category": "Marketing", + "Cookie / Data Key name": "HAPLB5S", + "Domain": ".go.sonobi.com (3rd party)", + "Description": "Used to track visitors on multiple websites, in order to present relevant advertisement based on the visitor's preferences.", + "Retention period": "29 days", + "Data Controller": "Sonobi", + "User Privacy & GDPR Rights Portals": "https://sonobi.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "4da9f26a-7deb-4dfb-9294-1d50cfac1fdc", + "Platform": "Pulsepoint", + "Category": "Marketing", + "Cookie / Data Key name": "_dbefe", + "Domain": "contextweb.com (3rd party)", + "Description": "Collects information on user preferences and/or interaction with web-campaign content - This is used on CRM-campaign-platform used by website owners for promoting events or products.", + "Retention period": "Session", + "Data Controller": "Pulsepoint", + "User Privacy & GDPR Rights Portals": "http://pulsepoints-new-website.webflow.io/privacy-policy/platform#consumer-choice", + "Wildcard match": 0 + }, + { + "ID": "12f79b22-7bc6-41b6-a99a-781a40dfae4d", + "Platform": "Hotjar", + "Category": "Analytics", + "Cookie / Data Key name": "_hjHasCachedUserAttributes", + "Domain": "", + "Description": "This cookie sets when a user first lands on a page. Persists the Hotjar User ID which is unique to that site. Hotjar does not track users across different sites. Ensures data from subsequent visits to the same site are attributed to the same user ID.", + "Retention period": "365 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5b248efa-5559-4cc7-8124-4f63dd14be68", + "Platform": "Hotjar", + "Category": "Analytics", + "Cookie / Data Key name": "_hjid", + "Domain": "", + "Description": "Hotjar cookie. This cookie is set when the customer first lands on a page with the Hotjar script. It is used to persist the random user ID, unique to that site on the browser. This ensures that behavior in subsequent visits to the same site will be attributed to the same user ID.", + "Retention period": "365 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "de424da6-ebca-4b4e-9c8a-8f787e6d6be9", + "Platform": "Hotjar", + "Category": "Analytics", + "Cookie / Data Key name": "hj_visitor", + "Domain": "", + "Description": "hotjar uses cookies to enhance the user’s experience on our website, for example to complete forms, navigating the site, and identify returning users and offer related content. Users can control the use of cookies at the individual browser level.", + "Retention period": "Session", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "24f2ca01-28b6-44b5-8522-45bb4e4b1ebb", + "Platform": "Hotjar", + "Category": "Analytics", + "Cookie / Data Key name": "_hjIncludedInSample", + "Domain": "", + "Description": "Hotjar cookie. This session cookie is set to let Hotjar know whether that visitor is included in the sample which is used to generate funnels.", + "Retention period": "365 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b905f5e4-95ec-4ee3-abef-519b4c29c969", + "Platform": "Hotjar", + "Category": "Analytics", + "Cookie / Data Key name": "_hjClosedSurveyInvites", + "Domain": "", + "Description": "Hotjar cookie. This cookie is set once a visitor interacts with a Survey invitation modal popup. It is used to ensure that the same invite does not re-appear if it has already been shown.", + "Retention period": "365 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c0133a22-7958-4591-a519-1103338ac773", + "Platform": "Hotjar", + "Category": "Analytics", + "Cookie / Data Key name": "_hjDonePolls", + "Domain": "", + "Description": "Hotjar cookie. This cookie is set once a visitor completes a poll using the Feedback Poll widget. It is used to ensure that the same poll does not re-appear if it has already been filled in.", + "Retention period": "365 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a2f3198e-04b5-4df7-8cff-e563ee09682a", + "Platform": "Hotjar", + "Category": "Analytics", + "Cookie / Data Key name": "_hjMinimizedPolls", + "Domain": "", + "Description": "Hotjar cookie. This cookie is set once a visitor minimizes a Feedback Poll widget. It is used to ensure that the widget stays minimizes when the visitor navigates through your site.", + "Retention period": "365 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "88f44d0f-5e6c-459e-b63b-e459a564c030", + "Platform": "Hotjar", + "Category": "Analytics", + "Cookie / Data Key name": "_hjDoneTestersWidgets", + "Domain": "", + "Description": "Hotjar cookie. This cookie is set once a visitor submits their information in the Recruit User Testers widget. It is used to ensure that the same form does not re-appear if it has already been filled in.", + "Retention period": "365 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d303f84d-98b9-46b5-82f2-9492aeaeda44", + "Platform": "Hotjar", + "Category": "Analytics", + "Cookie / Data Key name": "_hjMinimizedTestersWidgets", + "Domain": "", + "Description": "Hotjar cookie. This cookie is set once a visitor minimizes a Recruit User Testers widget. It is used to ensure that the widget stays minimizes when the visitor navigates through your site.", + "Retention period": "365 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "34479527-3991-4b50-8bda-e7b009e1b158", + "Platform": "Hotjar", + "Category": "Analytics", + "Cookie / Data Key name": "_hjShownFeedbackMessage", + "Domain": "", + "Description": "This cookie is set when a visitor minimizes or completes Incoming Feedback. This is done so that the Incoming Feedback will load as minimized immediately if they navigate to another page where it is set to show.", + "Retention period": "365 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "9aa4f191-9480-41a9-9a04-a42167692f42", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjTLDTest", + "Domain": "", + "Description": "When the Hotjar script executes we try to determine the most generic cookie path we should use, instead of the page hostname. This is done so that cookies can be shared across subdomains (where applicable). To determine this, we try to store the _hjTLDTest cookie for different URL substring alternatives until it fails. After this check, the cookie is removed.", + "Retention period": "session", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5a58ce72-7931-4e38-ac0d-417c55a417dc", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjUserAttributesHash", + "Domain": "", + "Description": "User Attributes sent through the Hotjar Identify API are cached for the duration of the session in order to know when an attribute has changed and needs to be updated.", + "Retention period": "session", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "71403a88-bf55-46d9-920c-9afe2697567f", + "Platform": "Hotjar", + "Category": "Analytics", + "Cookie / Data Key name": "_hjCachedUserAttributes", + "Domain": "", + "Description": "This cookie stores User Attributes which are sent through the Hotjar Identify API, whenever the user is not in the sample. These attributes will only be saved if the user interacts with a Hotjar Feedback tool.", + "Retention period": "session", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "f8d29695-1bd7-44b8-91fe-7a1aa2b18c88", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjLocalStorageTest", + "Domain": "", + "Description": "This cookie is used to check if the Hotjar Tracking Script can use local storage. If it can, a value of 1 is set in this cookie. The data stored in_hjLocalStorageTest has no expiration time, but it is deleted immediately after creating it so the expected storage time is under 100ms.", + "Retention period": "", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7ceaaae0-5c92-4d1d-bb53-0d17d2149136", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjptid", + "Domain": "", + "Description": "This cookie is set for logged in users of Hotjar, who have Admin Team Member permissions. It is used during pricing experiments to show the Admin consistent pricing across the site.", + "Retention period": "session", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ed193ad7-4c44-4745-9707-cbb809846a76", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjAbsoluteSessionInProgress", + "Domain": "", + "Description": "The cookie is set so Hotjar can track the beginning of the user's journey for a total session count. It does not contain any identifiable information.", + "Retention period": "30 minutes", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "883ed7d5-7aca-4881-8ba5-2d07914a4602", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjFirstSeen", + "Domain": "", + "Description": "The cookie is set so Hotjar can track the beginning of the user's journey for a total session count. It does not contain any identifiable information.", + "Retention period": "30 minutes", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "76fd02da-511e-442d-be68-2287d801687b", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjIncludedInPageviewSample", + "Domain": "", + "Description": "This cookie is set to let Hotjar know whether that visitor is included in the data sampling defined by your site's page view limit.", + "Retention period": "30 minutes", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "9f4670f2-4605-4369-9aa1-db1f378f3e1b", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjIncludedInSessionSample", + "Domain": "", + "Description": "This cookie is set to let Hotjar know whether that visitor is included in the data sampling defined by your site's daily session limit", + "Retention period": "30 minutes", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 1 + }, + { + "ID": "283823c6-684c-466e-8ca4-23b18231e5a3", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjSession_", + "Domain": "", + "Description": "A cookie that holds the current session data. This ensues that subsequent requests within the session window will be attributed to the same Hotjar session.", + "Retention period": "30 minutes", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 1 + }, + { + "ID": "d5da1a8e-0ccd-4b3a-a19d-ec38807a5444", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjSessionUser_", + "Domain": "", + "Description": "Hotjar cookie that is set when a user first lands on a page with the Hotjar script. It is used to persist the Hotjar User ID, unique to that site on the browser. This ensures that behavior in subsequent visits to the same site will be attributed to the same user ID.", + "Retention period": "365 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 1 + }, + { + "ID": "fbd277cd-4557-4f15-a904-059050e860a5", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjSessionTooLarge", + "Domain": "", + "Description": "Causes Hotjar to stop collecting data if a session becomes too large. This is determined automatically by a signal from the WebSocket server if the session size exceeds the limit.", + "Retention period": "session", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8ba37a44-16e4-4ac4-bdcf-9d362ae9a543", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjSessionRejected", + "Domain": "", + "Description": "If present, this cookie will be set to 1 for the duration of a user’s session, if Hotjar rejected the session from connecting to our WebSocket due to server overload. This cookie is only applied in extremely rare situations to prevent severe performance issues.", + "Retention period": "session", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "666ada6a-a291-48b0-806c-7cd370566ef5", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjSessionResumed", + "Domain": "", + "Description": "A cookie that is set when a session/recording is reconnected to Hotjar servers after a break in connection.", + "Retention period": "session", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "de5544b6-398e-4053-abfc-8694eb2629c9", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "hjViewportId", + "Domain": "", + "Description": "This cookie stores user viewport details such as size and dimensions.", + "Retention period": "Session", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e58f848b-7093-4d04-8bda-c725bfbf7b94", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjSessionStorageTest", + "Domain": "", + "Description": "This cookie checks if the Hotjar Tracking Code can use Session Storage. If it can, a value of 1 is set.", + "Retention period": "Session", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "385c6538-5914-4e21-8feb-227fd7bf85f0", + "Platform": "Hotjar", + "Category": "Functional", + "Cookie / Data Key name": "_hjCookieTest", + "Domain": "", + "Description": "This cookie checks to see if the Hotjar Tracking Code can use cookies. If it can, a value of 1 is set.", + "Retention period": "Session", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.hotjar.com/legal/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "886a9c0e-69e8-4a46-8098-92fee9adf89d", + "Platform": "Active Campaign", + "Category": "Marketing", + "Cookie / Data Key name": "ac_enable_tracking", + "Domain": "", + "Description": "This cookie is associated with Active Campaign and is set to confirm that tracking has been enabled for the website. Tracking is used to create reports of our web traffic and improve the user experience of the website.", + "Retention period": "29 days", + "Data Controller": "Active Campaign", + "User Privacy & GDPR Rights Portals": "https://www.activecampaign.com/gdpr-updates/", + "Wildcard match": 0 + }, + { + "ID": "afc3bacc-af10-4f2d-aafa-9579eed92550", + "Platform": "Active Campaign", + "Category": "Marketing", + "Cookie / Data Key name": "prism_", + "Domain": "", + "Description": "This cookie is used by Active Campaign for site tracking purposes.", + "Retention period": "30 days", + "Data Controller": "Active Campaign", + "User Privacy & GDPR Rights Portals": "https://www.activecampaign.com/gdpr-updates/", + "Wildcard match": 1 + }, + { + "ID": "00f5c304-26d5-40b9-98ae-6a2815d8e56a", + "Platform": "Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "ASP.NET_Sessio", + "Domain": "", + "Description": "General purpose platform session cookie, used by sites written with Microsoft .NET based technologies. Usually used to maintain an anonymised user session by the server.", + "Retention period": "Session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "7db60a47-ab52-4b22-bca6-2b07ed8f1b64", + "Platform": "Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "ASP.NET_Sessio_Fallback", + "Domain": "", + "Description": "Fallback session cookie to support older browsers that haven't implemented the Secure flag, in modern evergreen browsers this cookie is never set as it haven't got the Secure flag.", + "Retention period": "Session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "https://account.microsoft.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "2bb7633d-e2c5-4d14-b8f8-d3f13019b835", + "Platform": "Oracle", + "Category": "Functional", + "Cookie / Data Key name": "JSESSIO", + "Domain": "", + "Description": "JSESSIO is a platform session cookie and is used by sites with JavaServer Pages (JSP). The cookie is used to maintain an anonymous user session by the server.", + "Retention period": "Session", + "Data Controller": "Oracle", + "User Privacy & GDPR Rights Portals": "https://www.oracle.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "1e7e7ff7-508b-4663-8a5e-0b1069b517b3", + "Platform": "Oracle", + "Category": "Functional", + "Cookie / Data Key name": "ORA_WWV_APP_", + "Domain": "", + "Description": "Security cookie for applications.", + "Retention period": "Session", + "Data Controller": "Oracle", + "User Privacy & GDPR Rights Portals": "https://www.oracle.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "be2658e3-0144-4f3a-8c82-d5ac5bd4f248", + "Platform": "Oracle", + "Category": "Analytics", + "Cookie / Data Key name": "ELOQUA", + "Domain": ".eloqua.com", + "Description": "This cookies allow better understand how visitors use the website. This cookie data may be used to personalise the content or design of the website", + "Retention period": "13 months", + "Data Controller": "Oracle", + "User Privacy & GDPR Rights Portals": "https://www.oracle.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "deb8cd6d-bceb-4cc9-a3ea-50bc30deb61d", + "Platform": "Oracle", + "Category": "Analytics", + "Cookie / Data Key name": "ELQSTATUS", + "Domain": ".eloqua.com", + "Description": "This cookie is used to track individual visitors and their use of the site. It is set when you first visit the site and updated on subsequent visits.", + "Retention period": "13 months", + "Data Controller": "Oracle", + "User Privacy & GDPR Rights Portals": "https://www.oracle.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "492406bd-e296-41d0-8b42-16961a258b2d", + "Platform": "Laravel", + "Category": "Functional", + "Cookie / Data Key name": "laravel_session", + "Domain": "", + "Description": "Internally laravel uses laravel_session to identify a session instance for a user", + "Retention period": "Session", + "Data Controller": "Laravel", + "User Privacy & GDPR Rights Portals": "https://www.laravel.com", + "Wildcard match": 0 + }, + { + "ID": "87742550-35d9-4f2d-980c-d421f3f5bc97", + "Platform": "PHP.net", + "Category": "Functional", + "Cookie / Data Key name": "PHPSESSID", + "Domain": "", + "Description": "Cookie generated by applications based on the PHP language. This is a general purpose identifier used to maintain user session variables. It is normally a random generated number, how it is used can be specific to the site, but a good example is maintaining a logged-in status for a user between pages.", + "Retention period": "Sessions", + "Data Controller": "PHP.net", + "User Privacy & GDPR Rights Portals": "https://www.php.net/privacy.php", + "Wildcard match": 0 + }, + { + "ID": "e2cbbaa8-4fab-43ea-a527-f71ea8acdc79", + "Platform": "PHP.net", + "Category": "Functional", + "Cookie / Data Key name": "__Secure-PHPSESSID", + "Domain": "", + "Description": "Cookie generated by applications based on the PHP language. This is a general purpose identifier used to maintain user session variables. It is normally a random generated number, how it is used can be specific to the site, but a good example is maintaining a logged-in status for a user between pages.", + "Retention period": "Sessions", + "Data Controller": "PHP.net", + "User Privacy & GDPR Rights Portals": "https://www.php.net/privacy.php", + "Wildcard match": 0 + }, + { + "ID": "86531df2-94a9-43e0-9262-856c57f16160", + "Platform": "", + "Category": "Security", + "Cookie / Data Key name": "XSRF-TOKEN", + "Domain": "", + "Description": "This cookie is written to help with site security in preventing Cross-Site Request Forgery attacks.", + "Retention period": "Session", + "Data Controller": "", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "1b1067dd-9003-40f8-a2d6-c6ac72bb6779", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "lidc", + "Domain": "linkedin.com (3rd party)", + "Description": "Used by the social networking service, LinkedIn, for tracking the use of embedded services.", + "Retention period": "1 day", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "657f80f4-7eb6-41c9-9bc7-7d2570a0887f", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "bcookie", + "Domain": "linkedin.com (3rd party)", + "Description": "Used by LinkedIn to track the use of embedded services.", + "Retention period": "1 year", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "002f276f-84c1-428a-bbe3-951a6cf56175", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "bscookie", + "Domain": "linkedin.com (3rd party)", + "Description": "Used by LinkedIn to track the use of embedded services.", + "Retention period": "1 year", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "2bfa0944-e050-45fd-900a-73bc4518eb64", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "trkCode", + "Domain": "linkedin.com (3rd party)", + "Description": "This cookie is used by LinkedIn to support the functionality of adding a panel invite labeled 'Follow Us'", + "Retention period": "1 year", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "efbf7fc7-a1a1-4a65-8ac8-4df28f94a3a7", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "trkInfo", + "Domain": "linkedin.com (3rd party)", + "Description": "This cookie is used by LinkedIn to support the functionality of adding a panel invite labeled 'Follow Us'", + "Retention period": "1 year", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "8cd6fef5-7fc9-4df4-8eb1-bb1ff356596c", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "li_oatml", + "Domain": "linkedin.com (3rd party)", + "Description": "Collects information about how visitors use our site.", + "Retention period": "30 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "2ffce5f8-6d1f-43f5-be99-698d7894ce64", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "liap", + "Domain": "linkedin.com (3rd party)", + "Description": "Cookie used for Sign-in with Linkedin and/or to allow for the Linkedin follow feature.", + "Retention period": "90 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "de9a3d96-7cc3-4f27-b1bd-682203dd7497", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "lissc", + "Domain": "linkedin.com (3rd party)", + "Description": "Pending", + "Retention period": "1 year", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "d32a876f-84a1-4251-9ad1-6954cd330d9f", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "spectroscopyId", + "Domain": "linkedin.com (3rd party)", + "Description": "These cookies are set by LinkedIn for advertising purposes, including: tracking visitors so that more relevant ads can be presented, allowing users to use the 'Apply with LinkedIn' or the 'Sign-in with LinkedIn' functions, collecting information about how visitors use the site, etc.", + "Retention period": "session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "1874cfdd-0691-4ce0-a158-bc3c1605275e", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "UserMatchHistory", + "Domain": "linkedin.com (3rd party)", + "Description": "These cookies are set by LinkedIn for advertising purposes, including: tracking visitors so that more relevant ads can be presented, allowing users to use the 'Apply with LinkedIn' or the 'Sign-in with LinkedIn' functions, collecting information about how visitors use the site, etc.", + "Retention period": "session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "d26e3d52-4f43-11eb-ae93-0242ac130002", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "lang", + "Domain": "linkedin.com (3rd party)", + "Description": "Used to remember a user's language setting", + "Retention period": "session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "d26e4a7c-4f43-11eb-ae93-0242ac130002", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_gc", + "Domain": "linkedin.com (3rd party)", + "Description": "Used to store guest consent to the use of cookies for non-essential purposes", + "Retention period": "2 years", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "d26e5396-4f43-11eb-ae93-0242ac130002", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_rm", + "Domain": "linkedin.com (3rd party)", + "Description": "Used as part of the LinkedIn Remember Me feature and is set when a user clicks Remember Me on the device to make it easier for him or her to sign in to that device", + "Retention period": "1 year", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "92250c0b-2cb3-4eea-8b38-f8cc19228ef0", + "Platform": "LinkedIn", + "Category": "Analytics", + "Cookie / Data Key name": "AnalyticsSyncHistory", + "Domain": "linkedin.com (3rd party)", + "Description": "Used to store information about the time a sync with the lms_analytics cookie took place for users in the Designated Countries", + "Retention period": "30 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "e27a162d-c15e-4b12-871e-a133c095aab1", + "Platform": "LinkedIn", + "Category": "Analytics", + "Cookie / Data Key name": "ln_or", + "Domain": "", + "Description": "Used to determine if Oribi analytics can be carried out on a specific domain", + "Retention period": "1 day", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "ae06e8a9-ad4f-4bfa-96b9-0368a70528c0", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "li_sugr", + "Domain": "", + "Description": "Used to make a probabilistic match of a user's identity outside the Designated Countries", + "Retention period": "90 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "9f90b386-51bb-4c92-b0ed-3a0582b29d7b", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "sdsc", + "Domain": ".linkedin.com", + "Description": "This cookie is used for signed data service context cookie used for database routing to ensure consistency across all databases when a change is made. Used to ensure that user-inputted content is immediately available to the submitting user upon submission", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "8e14e455-1a4b-4c4d-8e96-10e5e939e3d5", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_mc", + "Domain": ".linkedin.com", + "Description": "This cookie is used as a temporary cache to avoid database lookups for a member's consent for use of non-essential cookies and used for having consent information on the client side to enforce consent on the client side", + "Retention period": "6 months", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "cc6df0e9-2b60-4dc3-800e-de0d81183ca4", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "lms_ads", + "Domain": ".linkedin.com", + "Description": "This cookie is used to identify LinkedIn Members off LinkedIn for advertising", + "Retention period": "30 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "20a6b2e9-0545-4cb2-8b6e-590e0b95a2b9", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "_guid", + "Domain": "linkedin.com", + "Description": "This cookie is used to identify a LinkedIn Member for advertising through Google Ads", + "Retention period": "90 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "198c31cf-ce07-4dce-b01c-f584d7d53276", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "BizographicsOptOut", + "Domain": ".linkedin.com", + "Description": "This cookie is used to determine opt-out status for non-members", + "Retention period": "10 years", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "945e3caf-7798-424e-9700-af7e130527e7", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "IRLD", + "Domain": ".linkedin.com", + "Description": "This cookie is used for Affiliate Marketing Cookie for LinkedIn", + "Retention period": "2 years", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "7c0cb836-620c-4079-a1ee-0c520bed18c7", + "Platform": "LinkedIn", + "Category": "Analytics", + "Cookie / Data Key name": "l_page", + "Domain": ".linkedin.com", + "Description": "This cookie is used for measuring conversion metrics on LinkedIn", + "Retention period": "6 months", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "668e64dc-d5bb-42e3-b083-d38900fc0948", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "ABSELB", + "Domain": ".linkedin.com", + "Description": "This is Load Balancer Cookie for affiliate marketing", + "Retention period": "2 years", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "f1ed3705-e2de-42cf-809f-6531be29fa0f", + "Platform": "LinkedIn", + "Category": "Marketing", + "Cookie / Data Key name": "brwsr", + "Domain": ".linkedin.com", + "Description": "This cookie is used to Affiliate Marketing Cookie for LinkedIn", + "Retention period": "2 years", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "c2e8e307-3f90-4709-8aee-a663d05d94cb", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "lihc_auth_", + "Domain": ".linkedin.com", + "Description": "Used by LinkedIn HelpCenter Live Chat to store language and chat start timestamp. Example names of this cookie include lihc_auth_en, lihc_auth_es, depending on language preference.", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "24dc49e8-19cf-4f32-852e-f556d45ad98c", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_a", + "Domain": ".linkedin.com", + "Description": "Used to authenticate enterprise users on Sales Navigator and Recruiter", + "Retention period": "30 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "a6e271d9-687a-409d-b707-4221a73dbd95", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_ep_auth_context", + "Domain": ".linkedin.com", + "Description": "User to authenticate LinkedIn enterprise customers", + "Retention period": "30 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "8fc60781-d155-49b7-b37d-87a49b9ad1fc", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "fcookie", + "Domain": ".linkedin.com", + "Description": "Used for bot detection.", + "Retention period": "7 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "d83b1164-bb69-4507-8d23-9b0b1774a9cd", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "ccookie", + "Domain": ".linkedin.com", + "Description": "To remember if a user received a captcha challenge.", + "Retention period": "20 minutes", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "c79acb52-8a66-423f-90e7-53448078c776", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "chp_token", + "Domain": ".linkedin.com", + "Description": "Used to denote whether the user has gone through two factor authentication or solved a Captcha.", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "1c1cffc3-b0fe-4fa3-8e4e-1b8f92f62083", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_cu", + "Domain": ".linkedin.com", + "Description": "Used to map a user to a captcha challenge page", + "Retention period": "15 minutes", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "47b94e9f-c30c-400f-a645-a237b59048f5", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "denial-client-ip", + "Domain": ".linkedin.com", + "Description": "Stores user IP address for anti-scraping and DOS prevention", + "Retention period": "5 seconds", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "f3a68b2c-6d78-42ae-96f0-ed817fbb7b17", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "denial-reason-code", + "Domain": ".linkedin.com", + "Description": "Used for anti-scraping and DOS prevention", + "Retention period": "5 seconds", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "7bba3267-6c3e-4f0f-8f97-3861e8751402", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "rtc", + "Domain": ".linkedin.com", + "Description": "Used as part of anti-abuse processes on LinkedIn", + "Retention period": "120 seconds", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "327a4ab8-f711-4a57-a27a-75152da16acc", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_referer", + "Domain": ".linkedin.com", + "Description": "Used to detect bots. Cookie remembers the referring website before redirecting the user to captcha for authorization", + "Retention period": "15 minutes", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "bc501153-d371-44c7-b3f6-b2a5488de212", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "f_token", + "Domain": ".linkedin.com", + "Description": "Used to detect bots for anti-scraping", + "Retention period": "3 minutes", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "12b4adc5-c04d-4734-a2ce-094c7b3e38f1", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_apfcdc", + "Domain": ".linkedin.com", + "Description": "Used for triggering the abuse prevention features on member device.", + "Retention period": "10 hours", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "d83446d2-f97e-44d5-a281-79035478f6e7", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_odapfcc", + "Domain": ".linkedin.com", + "Description": "Used to control the number of abuse prevention features collected from member device.", + "Retention period": "2 Years", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "d664591f-9f3d-45ed-a8bb-5e179aefe194", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "ac_L", + "Domain": ".linkedin.com", + "Description": "Counts the number of times the account center banner, which is displayed to inform users with an incomplete profile how to complete their profile, was closed by a user to determine display logic", + "Retention period": "180 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "5d80b4ce-4386-474b-99fe-35e25186d965", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "ac_LD", + "Domain": ".linkedin.com", + "Description": "Contains the date when the account center was displayed to a user to determine display logic", + "Retention period": "180 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "f5ee406c-ea07-4555-b545-824db53a197a", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "recent_history_status", + "Domain": ".linkedin.com", + "Description": "Used to determine whether a user enabled or disabled the Guest Recent History Setting", + "Retention period": "10 years", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "2c566b05-f25d-436a-8761-ba66019ee8e4", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "all_u_b", + "Domain": ".linkedin.com", + "Description": "To know if a user has opted in to viewing LinkedIn on an unsupported browser", + "Retention period": "21 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "9b929c49-6611-4b6b-aa0b-d48fd7992fc5", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "uh", + "Domain": ".linkedin.com", + "Description": "Used to set the user preference for the mobile web platform via a user's settings", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "d479c11a-1205-462e-8f5e-a00d9dad9591", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "pushPermInfo", + "Domain": ".linkedin.com", + "Description": "Used across multiple LinkedIn services to determine cool off for push notification prompts", + "Retention period": "365 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "55a86447-2a5b-4b6c-843c-739890dae9f1", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "pushPermState", + "Domain": ".linkedin.com", + "Description": "Used across multiple LinkedIn services to determine the user's push notification permission preference", + "Retention period": "30 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "96ff75d5-fb39-44ae-a5ff-1bdf7a82d13a", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "wwepo", + "Domain": ".linkedin.com", + "Description": "Used to ensure that useres who choose to sign up using phone only have that setting and preference respected", + "Retention period": "90 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "a8405a5c-daa3-4031-87f2-589842b3a150", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_ec", + "Domain": ".linkedin.com", + "Description": "Used to store unbound enterprise users' cookie consent", + "Retention period": "6 months", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "81c41695-b3e0-4acb-b23c-e9de1dd04f8d", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_gpc", + "Domain": ".linkedin.com", + "Description": "Used to remember a user's preferences on LinkedIn's Global Privacy Control", + "Retention period": "1 hour", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "a65b8a0a-c3b5-4d33-bb09-e7b3e348dc28", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_gp", + "Domain": ".linkedin.com", + "Description": "Stores privacy preferences for guests to LinkedIn", + "Retention period": "1 year", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "21dc9e98-ae66-4cad-8047-280e940219db", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "PLAY_FLASH", + "Domain": ".linkedin.com", + "Description": "Used by some LinkedIn services to facilitate the display of messages on page transitions . Users include notifying a user when a form is successfully submitted or fails , and to provide other similar notifications.", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "e78aed35-1707-4d8c-b195-f4e56c74cbd4", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "PLAY_LANG", + "Domain": ".linkedin.com", + "Description": "Used by some LinkedIn services to remember a user's language preference", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "a23e77e3-f262-4c56-bae6-890de0abd68f", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "PLAY_SESSION", + "Domain": ".linkedin.com", + "Description": "Used by some LinkedIn services to store session information", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "f1e4afe2-e658-48bc-9fbd-b35aa605012d", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "redirectFromM2MInviteAccept", + "Domain": "linkedin.com", + "Description": "Determines the appropriate profile display logic when a user accepts an invitation to connect on LinkedIn from a LinkedIn member via email.", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "b12ecb3d-bfab-4430-b4a1-54ffe9465f92", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "redirectFromM2MInviteSent", + "Domain": ".linkedin.com", + "Description": "Used to notify and provide the appropriate profile display logic when the user sends an invitation to connect on LinkedIn from a LinkedIn member via email.", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "dc6195f5-1cf2-43c1-b585-93696d641fc1", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "cookie.policy.banner.eu", + "Domain": ".linkedin.com", + "Description": "Used to display cookie banner in LinkedIn Lite", + "Retention period": "365 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "c31a65b4-61ec-4b86-8159-a6fe827f6ce2", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "cookie.policy.banner.nl", + "Domain": ".linkedin.com", + "Description": "Used to display cookie banner in LinkedIn Lite on the Netherlands site.", + "Retention period": "365 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "80e601cf-32fb-4bc6-80fb-d093bbcd72d0", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "appName", + "Domain": "linkedin.com", + "Description": "Used to identify the source as the LinkedIn Lite app to send the right service worker to the app", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "7958c2fa-0087-49ee-ba36-87bd3de13aa1", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "appLang", + "Domain": "linkedin.com", + "Description": "Used to set the right language on the LinkedIn Lite app", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "aebbbfd6-97c6-4545-9b16-a1a54043c2bb", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "lls-integration", + "Domain": ".linkedin.com", + "Description": "Validates whitelisted partners for content integrations", + "Retention period": "30 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "d9e296c5-815f-49c2-bb21-1856e1c17261", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "feed-sort", + "Domain": ".linkedin.com", + "Description": "Used to remember a member's preference how the feed should be sorted", + "Retention period": "1 day", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "41e21dbc-8dde-4e10-a1a1-0bed68725038", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "abiRedirect", + "Domain": ".linkedin.com", + "Description": "Enables import of address book during onboarding flow for users who choose to import their address book", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "179ece60-1030-4afe-8eff-fdd455468062", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "lil-lang", + "Domain": ".linkedin.com", + "Description": "Stores user's selected language setting for LinkedIn Learning", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "3732a894-dc58-4315-95f8-c2ecbb6f70f2", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_alerts", + "Domain": ".linkedin.com", + "Description": "Used to track impressions of LinkedIn alerts, such as the Cookie Banner and to implement cool off periods for display of alerts", + "Retention period": "1 year", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "dcdffc54-b2f9-4ee2-8697-b55075da639b", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_theme", + "Domain": ".linkedin.com", + "Description": "Remembers a user's display preference/theme setting", + "Retention period": "6 months", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "1e45bd71-017c-45df-9a55-fec342d4091b", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "integration_type", + "Domain": "linkedin.com", + "Description": "Used to determine which integration traffic is coming from to render the profile namecard experience", + "Retention period": "30 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "e23f6a7d-7614-4cd1-bced-91d4a01779e0", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_theme_set", + "Domain": ".linkedin.com", + "Description": "Remembers which users have updated their display / theme preferences", + "Retention period": "6 months", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "c2538158-5116-479e-9997-40e9fea13636", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "lms_analytics", + "Domain": ".linkedin.com", + "Description": "Used to identify LinkedIn Members off LinkedIn for analytics", + "Retention period": "30 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "b1ba9abe-9902-418b-ae40-7594f977d67b", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_fat_id", + "Domain": "", + "Description": "Member indirect identifier for Members for conversion tracking, retargeting, analytics", + "Retention period": "30 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "024f3a29-875c-4d2d-af0d-4df3a44a8b41", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "li_giant", + "Domain": "", + "Description": "Indirect indentifier for groups of LinkedIn Members used for conversion tracking", + "Retention period": "7 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "45531e07-1a76-407b-a4ac-55a49083b11b", + "Platform": "LinkedIn", + "Category": "Analytics", + "Cookie / Data Key name": "queryString", + "Domain": "", + "Description": "This cookie is used to persist marketing tracking parameters", + "Retention period": "15 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "fab4c35b-fde9-4dfd-884a-1f23561307c1", + "Platform": "LinkedIn", + "Category": "Analytics", + "Cookie / Data Key name": "VID", + "Domain": ".linkedin.com", + "Description": "ID associated with a visitor to a LinkedIn microsite which is used to determine conversions for lead gen purposes", + "Retention period": "1 year", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "ba30a65d-e2c0-4a43-87d1-978e7d05e7b2", + "Platform": "LinkedIn", + "Category": "Functional", + "Cookie / Data Key name": "recent_history", + "Domain": ".linkedin.com", + "Description": "Used to remember URLs visited by the guest to show the pages back where they left off", + "Retention period": "90 days", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "90f1f41c-2784-4139-aa55-3b051f3a0a42", + "Platform": "LinkedIn", + "Category": "Analytics", + "Cookie / Data Key name": "sharebox-suggestion", + "Domain": ".linkedin.com", + "Description": "Displays a banner that provides help text to first time users of the Elevate share box", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "f2b973c2-1fdc-4fff-bb04-ea04c7c4f30e", + "Platform": "LinkedIn", + "Category": "Analytics", + "Cookie / Data Key name": "li_cc", + "Domain": ".linkedin.com", + "Description": "Used to ensure a user's phone number is inputted in China", + "Retention period": "1 week", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "95ac0270-0653-43ec-93ea-1f93860e51f8", + "Platform": "LinkedIn", + "Category": "Analytics", + "Cookie / Data Key name": "lss_bundle_viewer", + "Domain": ".linkedin.com", + "Description": "Stores consent when a user agrees to view a Smartlinks link", + "Retention period": "1 month", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "da2f8444-d1b6-4c64-8df4-df7d375392af", + "Platform": "LinkedIn", + "Category": "Analytics", + "Cookie / Data Key name": "interstitial_page_reg_oauth_url", + "Domain": ".linkedin.com", + "Description": "Stores the referring page to ensure the Authentication screen displays correctly", + "Retention period": "1 day", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "2bdfc8fa-6955-4b81-a933-3ad184278867", + "Platform": "LinkedIn", + "Category": "Analytics", + "Cookie / Data Key name": "df_ts", + "Domain": "linkedin.com", + "Description": "Device fingerprinting sampling for performance optimization", + "Retention period": "1 day", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "2c2557e0-c0ab-41e3-9035-6a94ac6129a3", + "Platform": "LinkedIn", + "Category": "Analytics", + "Cookie / Data Key name": "li_feed_xray", + "Domain": ".linkedin.com", + "Description": "Used to show new items in developer option 'Feed X-ray'", + "Retention period": "Session", + "Data Controller": "LinkedIn", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "f2848679-5866-4774-9ac6-c8b503416706", + "Platform": "Oribi", + "Category": "Analytics", + "Cookie / Data Key name": "oribi_user_guid", + "Domain": ".oribi.io", + "Description": "This cookie is used to identify a unique visitor", + "Retention period": "1 year", + "Data Controller": "Oribi", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "8cfecb87-ae88-451e-8c9b-e356fc7b5c97", + "Platform": "Oribi", + "Category": "Analytics", + "Cookie / Data Key name": "oribi_cookie_test", + "Domain": "linkedin.com", + "Description": "This cookie is used To determine if tracking can be enabled on a current domain", + "Retention period": "Session", + "Data Controller": "Oribi", + "User Privacy & GDPR Rights Portals": "https://www.linkedin.com/legal/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "22352329-2eac-4e0c-b674-733e4483cd12", + "Platform": "Amazon Web Services", + "Category": "Functional", + "Cookie / Data Key name": "AWSALB", + "Domain": "", + "Description": "These cookies enable us to allocate server traffic to make the user experience as smooth as possible. A so-called load balancer is used to determine which server currently has the best availability. The information generated cannot identify you as an individual.", + "Retention period": "Session", + "Data Controller": "Amazon Web Services", + "User Privacy & GDPR Rights Portals": "https://aws.amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "9ae92467-906c-4876-b6a9-6426a034fb2b", + "Platform": "Amazon Web Services", + "Category": "Functional", + "Cookie / Data Key name": "AWSALBCORS", + "Domain": "", + "Description": "For continued stickiness support with CORS use cases after the Chromium update, we are creating additional stickiness cookies for each of these duration-based stickiness features named AWSALBCORS (ALB).", + "Retention period": "Session", + "Data Controller": "Amazon Web Services", + "User Privacy & GDPR Rights Portals": "https://aws.amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26e9be4-4f43-11eb-ae93-0242ac130002", + "Platform": "Amazon Web Services", + "Category": "Functional", + "Cookie / Data Key name": "AWSELBCORS", + "Domain": "", + "Description": "For continued stickiness support with CORS use cases after the Chromium update, we are creating additional stickiness cookies for each of these duration-based stickiness features named AWSELBCORS (ALB).", + "Retention period": "Session", + "Data Controller": "Amazon Web Services", + "User Privacy & GDPR Rights Portals": "https://aws.amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "95092dcc-a484-452b-afab-d7ed6a7c514d", + "Platform": "Amazon Web Services", + "Category": "Functional", + "Cookie / Data Key name": "AWSELB", + "Domain": "", + "Description": "AWS Classic Load Balancer Cookie: Load Balancing Cookie: Used to map the session to the instance.", + "Retention period": "Session", + "Data Controller": "Amazon Web Services", + "User Privacy & GDPR Rights Portals": "https://aws.amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6531c756-a65f-43eb-bd03-8336b8f237f5", + "Platform": "Amazon Web Services", + "Category": "Functional", + "Cookie / Data Key name": "AWSALBTGCORS", + "Domain": "", + "Description": "For continued stickiness support with CORS use cases after the Chromium update, we are creating additional stickiness cookies for each of these duration-based stickiness features named AWSELBCORS (ALB).", + "Retention period": "Session", + "Data Controller": "Amazon Web Services", + "User Privacy & GDPR Rights Portals": "https://aws.amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "27a0b41d-adff-4ee7-90a0-d5c5258a657e", + "Platform": "Amazon Web Services", + "Category": "Functional", + "Cookie / Data Key name": "AWSALBTG", + "Domain": "", + "Description": "For continued stickiness support with CORS use cases after the Chromium update, we are creating additional stickiness cookies for each of these duration-based stickiness features named AWSELBCORS (ALB).", + "Retention period": "Session", + "Data Controller": "Amazon Web Services", + "User Privacy & GDPR Rights Portals": "https://aws.amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7b4b999c-98d8-43fe-84f9-b218e4745003", + "Platform": "Amazon Web Services", + "Category": "Functional", + "Cookie / Data Key name": "aws-csds-token", + "Domain": "", + "Description": "Anonymous metrics validation token", + "Retention period": "1 hour", + "Data Controller": "Amazon Web Services", + "User Privacy & GDPR Rights Portals": "https://aws.amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "2cb771a7-12f7-4e38-a0c4-9bdbad75edad", + "Platform": "Amazon Web Services", + "Category": "Functional", + "Cookie / Data Key name": "aws_lang", + "Domain": "", + "Description": "Stores the language used with AWS.", + "Retention period": "Session", + "Data Controller": "Amazon Web Services", + "User Privacy & GDPR Rights Portals": "https://aws.amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "bba23965-929a-4fda-a511-ca890c148edc", + "Platform": "Amazon Web Services", + "Category": "Analytics", + "Cookie / Data Key name": "aws-target-visitor-id", + "Domain": "", + "Description": "Used to collect anonymised information about how which web pages are visited, how long users spend on pages and what users search for.", + "Retention period": "1 Year", + "Data Controller": "Amazon Web Services", + "User Privacy & GDPR Rights Portals": "https://aws.amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "1ef29cd7-0f08-4436-8708-3fd50ad3acb1", + "Platform": "Amazon Web Services", + "Category": "Functional", + "Cookie / Data Key name": "aws-priv", + "Domain": "", + "Description": "Anonymous cookie for privacy regulations", + "Retention period": "1 Year", + "Data Controller": "Amazon Web Services", + "User Privacy & GDPR Rights Portals": "https://aws.amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c61e67a6-083a-40dc-ab3c-2a10f520fbd9", + "Platform": "Amazon", + "Category": "Marketing", + "Cookie / Data Key name": "ad-id", + "Domain": "amazon-adsystem.com", + "Description": "Clickthroughs to Amazon websites: Noting how the user got to Amazon via this website", + "Retention period": "190 days", + "Data Controller": "Amazon", + "User Privacy & GDPR Rights Portals": "https://amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b3b1c8a5-9a3c-4f80-b6c4-9a2280be76c1", + "Platform": "Amazon", + "Category": "Marketing", + "Cookie / Data Key name": "ad-privacy", + "Domain": "amazon-adsystem.com", + "Description": "Provided by amazon-adsystem.com for tracking user actions on other websites to provide targeted content to the users.", + "Retention period": "5 years", + "Data Controller": "Amazon", + "User Privacy & GDPR Rights Portals": "https://amazon.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "dc906e7e-79df-4e0e-8a44-054969e6abbe", + "Platform": "Casale Media", + "Category": "Marketing", + "Cookie / Data Key name": "CMID", + "Domain": "casalemedia.com", + "Description": "Collects visitor data related to the user's visits to the website, such as the number of visits, average time spent on the website and what pages have been loaded, with the purpose of displaying targeted ads.", + "Retention period": "1 day", + "Data Controller": "Casale Media", + "User Privacy & GDPR Rights Portals": "https://casalemedia.com", + "Wildcard match": 0 + }, + { + "ID": "5d5492be-b079-4724-91c6-ca313b757413", + "Platform": "Casale Media", + "Category": "Marketing", + "Cookie / Data Key name": "CMPRO", + "Domain": "casalemedia.com", + "Description": "Collects data on visitor behaviour from multiple websites, in order to present more relevant advertisement - This also allows the website to limit the number of times that the visitor is shown the same advertisement.", + "Retention period": "1 day", + "Data Controller": "Casale Media", + "User Privacy & GDPR Rights Portals": "https://casalemedia.com", + "Wildcard match": 0 + }, + { + "ID": "de9295f2-9e49-49b5-b5a8-20d14e8ecc93", + "Platform": "Casale Media", + "Category": "Marketing", + "Cookie / Data Key name": "CMPS", + "Domain": "casalemedia.com", + "Description": "Collects visitor data related to the user's visits to the website, such as the number of visits, average time spent on the website and what pages have been loaded, with the purpose of displaying targeted ads", + "Retention period": "1 day", + "Data Controller": "Casale Media", + "User Privacy & GDPR Rights Portals": "https://casalemedia.com", + "Wildcard match": 0 + }, + { + "ID": "45e633a4-c426-4d6c-80ed-b892948f1526", + "Platform": "Casale Media", + "Category": "Marketing", + "Cookie / Data Key name": "CMRUM3", + "Domain": "casalemedia.com", + "Description": "Collects visitor data related to the user's visits to the website, such as the number of visits, average time spent on the website and what pages have been loaded, with the purpose of displaying targeted ads.", + "Retention period": "1 day", + "Data Controller": "Casale Media", + "User Privacy & GDPR Rights Portals": "https://casalemedia.com", + "Wildcard match": 0 + }, + { + "ID": "16644476-619b-4cc8-8fca-a3f765ef8737", + "Platform": "Casale Media", + "Category": "Marketing", + "Cookie / Data Key name": "CMST", + "Domain": "casalemedia.com", + "Description": "Collects visitor data related to the user's visits to the website, such as the number of visits, average time spent on the website and what pages have been loaded, with the purpose of displaying targeted ads.", + "Retention period": "1 day", + "Data Controller": "Casale Media", + "User Privacy & GDPR Rights Portals": "https://casalemedia.com", + "Wildcard match": 0 + }, + { + "ID": "694c598d-0740-468e-80da-6b48423fc2cc", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "cookieJartestCookie", + "Domain": "outbrain.com", + "Description": "Pending", + "Retention period": "1 day", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/legal/privacy#privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "f78cbb95-bec5-45b9-ab35-9e42cf2be030", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "obuid", + "Domain": "outbrain.com", + "Description": "Holds the anonymous user's ID. Used for tracking user actions, such as clicks on the recommendations", + "Retention period": "3 months", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/legal/privacy#privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "fc53bc46-9df5-4e94-8618-2fa8ca94498b", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "apnxs", + "Domain": "outbrain.com", + "Description": "This cookie is set by Outbrain and it is used to analyse technical data about the website", + "Retention period": "4 months", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/legal/privacy#privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "aa525714-6b3d-42f8-9160-8eaa01c55ec3", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "criteo", + "Domain": "outbrain.com", + "Description": "This cookie is set by Outbrain and it is used to analyse technical data about the website", + "Retention period": "1 months", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/legal/privacy#privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "db53d42b-a997-49ac-84be-4cd287f6e603", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "mdfrc", + "Domain": "outbrain.com", + "Description": "This cookie is set by Outbrain and it is used to analyse technical data about the website", + "Retention period": "4 months", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/legal/privacy#privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "87e730d9-e70f-4e85-ab6d-fae050199bab", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "adrl", + "Domain": "outbrain.com", + "Description": "This cookie is set by Outbrain and it is used to analyse technical data about the website", + "Retention period": "4 months", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/legal/privacy#privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "82d5e8f5-6990-47c7-9c6c-c85730aa6021", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "ttd", + "Domain": "outbrain.com", + "Description": "This cookie is set by Outbrain and it is used to analyse technical data about the website", + "Retention period": "4 months", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/legal/privacy#privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "f065b629-d233-4dbb-ad73-16c6b8f5c001", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "recs", + "Domain": "outbrain.com", + "Description": "Stores the recommendations we’re recommending so that we don’t show only the same recommendations on the same page", + "Retention period": "1 minute", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/legal/privacy#privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "8a803559-b6ef-4e8a-ad32-4f5529e4a24b", + "Platform": "CHEQ AI Technologies", + "Category": "Functional", + "Cookie / Data Key name": "_cq_duid", + "Domain": "", + "Description": "Used by the website to protect against fraud in relation to its referral system.", + "Retention period": "3 months", + "Data Controller": "CHEQ AI Technologies", + "User Privacy & GDPR Rights Portals": "https://cheq.ai/privacy-compliance/", + "Wildcard match": 0 + }, + { + "ID": "d021f36c-adf9-4bf0-a242-a0f9edeaf1af", + "Platform": "CHEQ AI Technologies", + "Category": "Functional", + "Cookie / Data Key name": "_cq_suid", + "Domain": "", + "Description": "This cookie is used to distinguish between humans and bots.", + "Retention period": "3 months", + "Data Controller": "CHEQ AI Technologies", + "User Privacy & GDPR Rights Portals": "https://cheq.ai/privacy-compliance/", + "Wildcard match": 0 + }, + { + "ID": "46949a58-d46d-4ae5-9a02-983a7ce8c9e4", + "Platform": "justpremium.com", + "Category": "Marketing", + "Cookie / Data Key name": "jpxumaster", + "Domain": "justpremium.com", + "Description": "Used to present the visitor with relevant content and advertisement - The service is provided by third party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "1 month", + "Data Controller": "JustPremium", + "User Privacy & GDPR Rights Portals": "https://justpremium.com/terms-conditions/", + "Wildcard match": 0 + }, + { + "ID": "3d9b3c86-cf0e-4bc4-8159-1c2fd0289769", + "Platform": "justpremium.com", + "Category": "Marketing", + "Cookie / Data Key name": "jpxumatched", + "Domain": "justpremium.com", + "Description": "Used to present the visitor with relevant content and advertisement - The service is provided by third party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "1 month", + "Data Controller": "JustPremium", + "User Privacy & GDPR Rights Portals": "https://justpremium.com/terms-conditions/", + "Wildcard match": 0 + }, + { + "ID": "478f9deb-9578-43a6-92a4-6a05ecdb4c49", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "PUBMDCID", + "Domain": "pubmatic.com", + "Description": "Registers a unique ID that identifies the user's device during return visits across websites that use the same ad network. The ID is used to allow targeted ads.", + "Retention period": "3 months", + "Data Controller": "PubMatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "45a07494-a150-46a2-9030-cec154399683", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "pp", + "Domain": "pubmatic.com", + "Description": "This cookie tracks the last publisher website that you visited that contained an advertisement served by PubMatic.", + "Retention period": "3 months", + "Data Controller": "PubMatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e801cd22-198f-4a02-bba8-b684d72575d6", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "SPugT", + "Domain": "pubmatic.com", + "Description": "This cookie is used to track when the server-side cookie store was last updated for the browser, and it is used in conjunction with the PugT cookie, described below.", + "Retention period": "30 days", + "Data Controller": "PubMatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "50bfccd5-9096-44aa-ac86-a061eed8f655", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "KADUSERCOOKIE", + "Domain": "pubmatic.com", + "Description": "PubMatic UserId. this identifier to identify each user uniquely. Some of the uses of this anonymous identifier are to support frequency capping, perform UID sync ups with DSP's, DMP's. DMP's / DP's push audicne data against this ID. API publishers sends this ID while making API requests to PubMatic AdServer. UAS Ad Engine also uses this cookie for FCAP purposes.", + "Retention period": "90 days", + "Data Controller": "PubMatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "4a91ceec-54d1-482d-8595-2de34aa42962", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "PUBRETARGET", + "Domain": "pubmatic.com", + "Description": "Pixel expiry. Used to indicate if user must be considered for various re-targeting ad campaigns running in PubMatic system.", + "Retention period": "90 days", + "Data Controller": "PubMatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5b6f63df-a3a3-408a-b401-04e401e48a42", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "KCCH", + "Domain": "pubmatic.com", + "Description": "To avoid race condition in PubMatic userId generation, showad.js / universalpixel.js set this cookie first. if and only if not set already. Existence of this cookie means that current flow of the execution should not generate PubMatic userId cookie, as its already being set by other flow which has set KCCH.", + "Retention period": "30 secs", + "Data Controller": "PubMatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "4198a3b1-5936-48b8-9b27-bac2935e99be", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "SyncRTB", + "Domain": "pubmatic.com", + "Description": "Keeps list of DSP pixel Id's PubMatic synced with so far. PubMatic does userId sync up with DSP's. This cookie holds next sync up time for every pixel. Helps to maintain sync up frequency at DSP level.", + "Retention period": "90 days", + "Data Controller": "PubMatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 1 + }, + { + "ID": "002d1e0e-ab66-403f-be34-b7cb682c743b", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "DPSync", + "Domain": "pubmatic.com", + "Description": "Keeps list of DMP pixel Id's PubMatic synced with so far PubMatic does userId sync up with DMP's. This cookie holds next sync up time for every pixel. Helps to maintain sync up frequency at DMP level.", + "Retention period": "90 days", + "Data Controller": "PubMatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 1 + }, + { + "ID": "d339f1bc-0533-44af-bc56-8446138caa92", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "ADUSERCOOKIE", + "Domain": "pubmatic.com", + "Description": "PubMatic UserId. this identifier to identify each user uniquely. Some of the uses of this anonymous identifier are to support frequency capping, perform UID sync ups with DSP's, DMP's. DMP's / DP's push audicne data against this ID. API publishers sends this ID while making API requests to PubMatic AdServer. UAS Ad Engine also uses this cookie for FCAP purposes.", + "Retention period": "90 days", + "Data Controller": "PubMatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "3ea9aef3-a7ab-4918-8422-55ac89cad19d", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "PugT", + "Domain": "pubmatic.com", + "Description": "It is used to track when the cookies were updated on the browser. It is used to limit the number of calls to server side cookie store", + "Retention period": "30 days", + "Data Controller": "PubMatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "210c6f5d-e8dc-437c-b260-686434558803", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "KRTBCOOKIE_", + "Domain": "pubmatic.com", + "Description": "Registers a unique ID that identifies the user's device during return visits across websites that use the same ad network. The ID is used to allow targeted ads.", + "Retention period": "29 days", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 1 + }, + { + "ID": "89fcf954-ff19-49f6-aedb-880a42d7a95a", + "Platform": "PubMatic", + "Category": "Analytics", + "Cookie / Data Key name": "f5_cspm", + "Domain": "simage2.pubmatic.com", + "Description": "This cookie name is associated with the BIG-IP product suite from company F5. It is used to monitor page load speed, as part of site performance monitoring.", + "Retention period": "Session", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0252d350-3bbc-4599-adfb-5c96f040409c", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "KTPCACOOKIE", + "Domain": "pubmatic.com", + "Description": "We use this cookie to check if third-party cookies are enabled on the user’s browser.", + "Retention period": "90 days", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "018480be-3b99-4e1e-9e32-7ed9647ba5b7", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "COKENBLD", + "Domain": "pubmatic.com", + "Description": "This cookie sets a flag to “true” if cookies are enabled on the user’s browser.", + "Retention period": "1 day", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e375f89d-feeb-42e5-a675-c58847e174e7", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "USCC", + "Domain": "pubmatic.com", + "Description": "This cookie enables PubMatic to sync user IDs properly in situations where multiple advertisements might appear on the same webpage.", + "Retention period": "1 day", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c013f01e-99ae-40c9-9222-8a9e82aeca8a", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "DPPIX_ON", + "Domain": "pubmatic.com", + "Description": "These cookies enable PubMatic to properly sync cookie IDs with our partners by ensuring that our partners do not override each other during the sync process.", + "Retention period": "20 seconds", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d2353b54-3448-4e9f-b9ea-cc99c6138020", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "SYNCUPPIX_ON", + "Domain": "pubmatic.com", + "Description": "These cookies enable PubMatic to properly sync cookie IDs with our partners by ensuring that our partners do not override each other during the sync process.", + "Retention period": "20 seconds", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b3f68e9b-c9a7-47d4-a6b1-c788e0721f53", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "PUBUIDSYNCUPFQ", + "Domain": "pubmatic.com", + "Description": "This cookie indicates the last time that we synced IDs with our partner.", + "Retention period": "3 months", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0f9b0fea-d25b-4681-bc29-bfe62827c8f8", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "camfreq_", + "Domain": "pubmatic.com", + "Description": "This cookie is set for each campaign and indicates the number of times (e.g., frequency) that a particular advertisement may have been shown on the applicable publisher site.", + "Retention period": "30 days", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 1 + }, + { + "ID": "e36c535b-4e3d-4472-9b90-3735bbb03428", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "pubfreq_", + "Domain": "pubmatic.com", + "Description": "This cookie is set for each advertising network and indicates the number of times (e.g., frequency) that a particular advertisement may have been shown on the applicable publisher site.", + "Retention period": "30 days", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 1 + }, + { + "ID": "8ccebab5-0dcb-4a20-9e20-a9c9a3050192", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "pubtime_", + "Domain": "pubmatic.com", + "Description": "This cookie stores the period of time after which ad frequency counters reset.", + "Retention period": "1 day", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 1 + }, + { + "ID": "f42b671a-b7ba-4e34-a886-6fbb1705d979", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "PMFREQ_ON", + "Domain": "pubmatic.com", + "Description": "This cookie ensures the proper functioning of the camfreq and pubfreq cookies, described above, in situations where one cookie may override the other.", + "Retention period": "1 day", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "9835c4b2-1423-4657-94b3-65954018bcc9", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "DPFQ", + "Domain": "pubmatic.com", + "Description": "This cookie stores information regarding the number of times that a partner’s pixel is loaded by a user’s browser. This enables us to cap the number of times that a pixel is used to record a user’s visit to a website within a specific period of time.", + "Retention period": "90 days", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7427b529-e7c5-4991-b020-30a651979534", + "Platform": "PubMatic", + "Category": "Marketing", + "Cookie / Data Key name": "pi", + "Domain": "pubmatic.com", + "Description": "This cookie enables us to determine which set of pixels needs to be executed on the browser.", + "Retention period": "1 day", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e4b35336-20a7-4271-8b27-540cccb7b49d", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "FPtrust", + "Domain": "pubmatic.com", + "Description": "This cookie is a session cookie used to support the opt-out process via the Network Advertising Initiative.", + "Retention period": "1 day", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "667ca36c-6d90-4705-9fea-d40ca16fb5c5", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "_curtime", + "Domain": "pubmatic.com", + "Description": "This cookie stores the current timestamp.", + "Retention period": "1 day", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "31fe69ca-964c-474a-98ca-6383495c21c1", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "PMDTSHR", + "Domain": "pubmatic.com", + "Description": "This cookie is set for Komli ad server and is used for default impression when other data is not available.", + "Retention period": "1 day", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6c439033-bc86-4148-b105-30a979fc0ec2", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "chk", + "Domain": "pubmatic.com", + "Description": "This cookie is set on Google Chrome browsers that have a version less 67 or non-Chrome browsers, and is used for testing purposes.", + "Retention period": "3 months", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ee79a1d2-23b6-4107-92fc-e65e968ff5e2", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "chkSecSet", + "Domain": "pubmatic.com", + "Description": "This cookie is set on Google Chrome browsers that have a version less 67 or non-Chrome browsers, and is used for testing purposes.", + "Retention period": "3 months", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "25b6636f-ba42-49b0-8b9d-abb9ff3f8d03", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "chkChromeAb67", + "Domain": "pubmatic.com", + "Description": "This cookie is set on Google Chrome browsers that have a version above 67 and is used for testing purposes.", + "Retention period": "3 months", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "4fff74de-df07-46e1-a7c2-a931424ead76", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "chkChromeAb67Sec", + "Domain": "pubmatic.com", + "Description": "This cookie is set on Google Chrome browsers that have a version above 67 and is used for testing purposes.", + "Retention period": "3 months", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "25b84ce8-ed55-4bde-af7b-928f633a072b", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "pubsyncexp", + "Domain": "pubmatic.com", + "Description": "Sets a unique ID for the visitor, that allows third party advertisers to target the visitor with relevant advertisement. This pairing service is provided by third party advertisement hubs, which facilitates real-time bidding for advertisers.", + "Retention period": "1 day", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "67947227-f9d0-4bc5-9fb2-ad49e364bc92", + "Platform": "PubMatic", + "Category": "Functional", + "Cookie / Data Key name": "ipc", + "Domain": "pubmatic.com", + "Description": "This cookie is a short-lived cookie that stores information needed to coordinate cookie syncing.", + "Retention period": "1 year", + "Data Controller": "Pubmatic", + "User Privacy & GDPR Rights Portals": "https://pubmatic.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0d33763c-b5ab-47f0-b79c-6cc7395a3b69", + "Platform": "Kiyoh", + "Category": "Functional", + "Cookie / Data Key name": "Kiyohnl", + "Domain": "kiyoh.nl", + "Description": "Cookies are associated with the use of Kiyoh to collect and display customer reviews", + "Retention period": "1 year", + "Data Controller": "Kiyoh", + "User Privacy & GDPR Rights Portals": "https://www.kiyoh.nl/disclaimer.html", + "Wildcard match": 0 + }, + { + "ID": "cadac166-ff43-4094-b8a3-8da2699c4c78", + "Platform": "ID5", + "Category": "Marketing", + "Cookie / Data Key name": "id5", + "Domain": "id5-sync.com", + "Description": "Sets a unique ID for the visitor, that allows third party advertisers to target the visitor with relevant advertisement. This pairing service is provided by third party advertisement hubs, which facilitates real-time bidding for advertisers.", + "Retention period": "1 day", + "Data Controller": "ID5", + "User Privacy & GDPR Rights Portals": "https://id5.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "1798e3dd-210f-4453-bd36-f2eb4381b68d", + "Platform": "ID5", + "Category": "Marketing", + "Cookie / Data Key name": "cip", + "Domain": "id5-sync.com", + "Description": "Used to present the visitor with relevant content and advertisement - The service is provided by third party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "1 day", + "Data Controller": "ID5", + "User Privacy & GDPR Rights Portals": "https://id5.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "446cfe80-bc72-4b91-b3a2-bd85f6680d4e", + "Platform": "ID5", + "Category": "Marketing", + "Cookie / Data Key name": "car", + "Domain": "id5-sync.com", + "Description": "Used to present the visitor with relevant content and advertisement - The service is provided by third party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "1 day", + "Data Controller": "ID5", + "User Privacy & GDPR Rights Portals": "https://id5.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d08ef865-4f8d-4f48-8ba3-268d60586a28", + "Platform": "ID5", + "Category": "Marketing", + "Cookie / Data Key name": "callback", + "Domain": "id5-sync.com", + "Description": "Collects data on visitor behaviour from multiple websites, in order to present more relevant advertisement - This also allows the website to limit the number of times that the visitor is shown the same advertisement.", + "Retention period": "1 day", + "Data Controller": "ID5", + "User Privacy & GDPR Rights Portals": "https://id5.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "3aada5ca-ab25-43c7-87b2-d7c676dd424f", + "Platform": "ID5", + "Category": "Marketing", + "Cookie / Data Key name": "cnac", + "Domain": "id5-sync.com", + "Description": "Used to present the visitor with relevant content and advertisement - The service is provided by third party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "1 day", + "Data Controller": "ID5", + "User Privacy & GDPR Rights Portals": "https://id5.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0926e9a2-8d64-43df-8754-c0f5288c5c11", + "Platform": "ID5", + "Category": "Marketing", + "Cookie / Data Key name": "cf", + "Domain": "id5-sync.com", + "Description": "Sets a unique ID for the visitor, that allows third party advertisers to target the visitor with relevant advertisement. This pairing service is provided by third party advertisement hubs, which facilitates real-time bidding for advertisers.", + "Retention period": "1 day", + "Data Controller": "ID5", + "User Privacy & GDPR Rights Portals": "https://id5.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d9a88445-80df-4409-9619-ffe234f4ddca", + "Platform": "ID5", + "Category": "Functional", + "Cookie / Data Key name": "gdpr", + "Domain": "id5-sync.com", + "Description": "Determines whether the visitor has accepted the cookie consent box. This ensures that the cookie consent box will not be presented again upon re-en try.", + "Retention period": "1 day", + "Data Controller": "ID5", + "User Privacy & GDPR Rights Portals": "https://id5.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "89c83c41-018d-40d8-b20a-e59116440143", + "Platform": "ID5", + "Category": "Functional", + "Cookie / Data Key name": "gpp", + "Domain": "id5-sync", + "Description": "A valid IAB Global Privacy Platform consent string. If the string is missing, misconstructed, or otherwise invalid, we will treat the request as if it has no consent string and process accordingly.", + "Retention period": "Session", + "Data Controller": "ID5", + "User Privacy & GDPR Rights Portals": "https://id5.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "ba085448-f3f6-47cf-9d33-78f41aa07359", + "Platform": "ComScore", + "Category": "Marketing", + "Cookie / Data Key name": "UIDR", + "Domain": ".scorecardresearch.com", + "Description": "Collects information of the user and his/her movement, such as timestamp for visits, most recently loaded pages and IP address. The data is used by the marketing research network, Scorecard Research, to analyse traffic patterns and carry out surveys to help their clients better understand the customer's preferences.", + "Retention period": "2 years", + "Data Controller": "ComScore", + "User Privacy & GDPR Rights Portals": "https://www.comscore.com/About/Privacy-Policy", + "Wildcard match": 0 + }, + { + "ID": "1842a174-010a-43ad-b4af-b28c07cdeafb", + "Platform": "ComScore", + "Category": "Marketing", + "Cookie / Data Key name": "UID", + "Domain": ".scorecardresearch.com", + "Description": "Collects information of the user and his/her movement, such as timestamp for visits, most recently loaded pages and IP address. The data is used by the marketing research network, Scorecard Research, to analyse traffic patterns and carry out surveys to help their clients better understand the customer's preferences.", + "Retention period": "2 years", + "Data Controller": "ComScore", + "User Privacy & GDPR Rights Portals": "https://www.comscore.com/About/Privacy-Policy", + "Wildcard match": 0 + }, + { + "ID": "4e6c97e1-d42b-42ec-a37f-1979a5da04c3", + "Platform": "ComScore", + "Category": "Marketing", + "Cookie / Data Key name": "PID", + "Domain": ".scorecardresearch.com", + "Description": "Collects a code that identifies the specific website or advertiser participating in the ScorecardResearch data collection program.", + "Retention period": "1 year", + "Data Controller": "ComScore", + "User Privacy & GDPR Rights Portals": "https://www.comscore.com/About/Privacy-Policy", + "Wildcard match": 0 + }, + { + "ID": "07e85dc0-bd8a-4d76-a74a-782302d85caa", + "Platform": "ComScore", + "Category": "Marketing", + "Cookie / Data Key name": "XID", + "Domain": ".scorecardresearch.com", + "Description": "Collects a unique identifier assigned to a device (computer, phone, tablet) to track the user across different websites.", + "Retention period": "1 year", + "Data Controller": "ComScore", + "User Privacy & GDPR Rights Portals": "https://www.comscore.com/About/Privacy-Policy", + "Wildcard match": 0 + }, + { + "ID": "b15f9684-e3a1-44ee-a396-5ca7b40719fd", + "Platform": "semasio.net", + "Category": "Marketing", + "Cookie / Data Key name": "SEUNCY", + "Domain": "semasio.net", + "Description": "Registers a unique ID that identifies the user’s device for return visits.", + "Retention period": "179 days", + "Data Controller": "semasio.net", + "User Privacy & GDPR Rights Portals": "http://www.semasio.net", + "Wildcard match": 0 + }, + { + "ID": "9f2cccf1-9a5f-4108-9864-6c4f118ed1c8", + "Platform": "Federated Media Publishing", + "Category": "Marketing", + "Cookie / Data Key name": "ljt_reader", + "Domain": "", + "Description": "Collects data related to reader interests, context, demographics and other information on behalf of the Lijit platform with the purpose of finding interested users on websites with related content.", + "Retention period": "1 year", + "Data Controller": "Federated Media Publishing", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "126ea187-97ad-4bad-925a-5c2d755fb3a7", + "Platform": "rekmob.com", + "Category": "Marketing", + "Cookie / Data Key name": "rek_content", + "Domain": "rekmob.com", + "Description": "Pending", + "Retention period": "6 days", + "Data Controller": "rekmob.com", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "62d55d01-69a9-4223-a020-ae274c03fe3d", + "Platform": "Improve Digital", + "Category": "Marketing", + "Cookie / Data Key name": "um", + "Domain": "ad.360yield.com", + "Description": "To enable the bidding process.", + "Retention period": "90 days", + "Data Controller": "ad.360yield.com", + "User Privacy & GDPR Rights Portals": "https://www.improvedigital.com/platform-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "a3b82f4c-3673-426b-a619-3c1c4c284ee3", + "Platform": "Improve Digital", + "Category": "Marketing", + "Cookie / Data Key name": "umeh", + "Domain": "ad.360yield.com", + "Description": "To enable the bidding process.", + "Retention period": "90 days", + "Data Controller": "ad.360yield.com", + "User Privacy & GDPR Rights Portals": "https://www.improvedigital.com/platform-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e05e2ae9-16ff-4072-8f49-1f05a3ab08d2", + "Platform": "vmg.host", + "Category": "Marketing", + "Cookie / Data Key name": "BSWtracker", + "Domain": "vmg.host", + "Description": "Collects data on visitor behaviour from multiple websites, in order to present more relevant advertisement - This also allows the website to limit the number of times that the visitor is shown the same advertisement.", + "Retention period": "694 days", + "Data Controller": "vmg.host", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "3a267085-9f06-436b-ae64-d42a63c19b3b", + "Platform": "1rx.io", + "Category": "Marketing", + "Cookie / Data Key name": "_rxuuid", + "Domain": "1rx.io", + "Description": "Sets a unique ID for the visitor, with which external advertisers can target the visitor with relevant advertisements. This linking service is provided by third-party advertising hubs, facilitating real-time bidding for advertisers.", + "Retention period": "1 year", + "Data Controller": "1rx.io", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "3196b95a-9b88-4c48-aff8-0df0905520f7", + "Platform": "Atlas", + "Category": "Marketing", + "Cookie / Data Key name": "AA003", + "Domain": "atdmt.com", + "Description": "Collects information on visitor behaviour on multiple websites. This information is used on the website, in order to optimize the relevance of advertisement.", + "Retention period": "3 months", + "Data Controller": "Atlas", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "76ecbfd7-314d-4a01-9692-603cfe212330", + "Platform": "Atlas", + "Category": "Marketing", + "Cookie / Data Key name": "ATN", + "Domain": "atdmt.com", + "Description": "Collects information on visitor behaviour on multiple websites. This information is used on the website, in order to optimize the relevance of advertisement.", + "Retention period": "3 months", + "Data Controller": "Atlas", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "64b3c4d8-ad3c-4963-9e0c-5dc5ec24ef5d", + "Platform": "Teads", + "Category": "Marketing", + "Cookie / Data Key name": "tt_viewer", + "Domain": "teads.com", + "Description": "Teads uses a “tt_viewer” cookie to help personalize the video ads you see on our partner websites.", + "Retention period": "1 year", + "Data Controller": "Teads.com", + "User Privacy & GDPR Rights Portals": "https://www.teads.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "25b4a1fb-346c-4dbc-ba30-5e0269ae05d0", + "Platform": "Teads", + "Category": "Marketing", + "Cookie / Data Key name": "tt_bluekai", + "Domain": ".teads.tv", + "Description": "Avoid calling to bluekai. This avoids unnecessary calls to bluekai.", + "Retention period": "1 day", + "Data Controller": "Teads.com", + "User Privacy & GDPR Rights Portals": "https://www.teads.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "5085dd3e-3a25-470b-b083-4eb9846985d5", + "Platform": "Teads", + "Category": "Marketing", + "Cookie / Data Key name": "tt_exelate", + "Domain": ".teads.tv", + "Description": "Avoid calling to Exelate. This avoids unnecessary calls to Eleate.", + "Retention period": "1 day", + "Data Controller": "Teads.com", + "User Privacy & GDPR Rights Portals": "https://www.teads.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "4a8babdd-ff24-48d4-a644-cacec51b83f7", + "Platform": "Teads", + "Category": "Marketing", + "Cookie / Data Key name": "tt_liveramp", + "Domain": ".teads.tv", + "Description": "Avoid calling to Liveramp. This avoids unnecessary calls to Liveramp.", + "Retention period": "1 day", + "Data Controller": "Teads.com", + "User Privacy & GDPR Rights Portals": "https://www.teads.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "1387014e-ea7b-47f9-85b9-31c704f229b0", + "Platform": "Teads", + "Category": "Marketing", + "Cookie / Data Key name": "tt_neustar", + "Domain": ".teads.tv", + "Description": "Avoid calling to Nuestar. This avoids unnecessary calls to Neustar.", + "Retention period": "1 day", + "Data Controller": "Teads.com", + "User Privacy & GDPR Rights Portals": "https://www.teads.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "2202e01f-c751-43f3-8fe0-77b5d0ce8ca0", + "Platform": "Teads", + "Category": "Marketing", + "Cookie / Data Key name": "tt_salesforce", + "Domain": ".teads.tv", + "Description": "Avoid calling to Salesforce. This avoids unnecessary calls to Salesforce.", + "Retention period": "1 day", + "Data Controller": "Teads.com", + "User Privacy & GDPR Rights Portals": "https://www.teads.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b478ffd8-aa0d-4d33-ad21-b46a1d0a1860", + "Platform": "Adobe ColdFusion", + "Category": "Functional", + "Cookie / Data Key name": "cfid", + "Domain": "", + "Description": "This cookie is used to determine which type of device the visitor is using, so the website can be properly formatted", + "Retention period": "1 day", + "Data Controller": "Adobe ColdFusion", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "dcaebf29-7f2e-4522-b295-23f93020b89a", + "Platform": "Adobe ColdFusion", + "Category": "Functional", + "Cookie / Data Key name": "cftoken", + "Domain": "", + "Description": "This cookie is used to determine which type of device the visitor is using, so the website can be properly formatted", + "Retention period": "1 day", + "Data Controller": "Adobe ColdFusion", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "191053d2-9b99-4fd8-beed-0848de0cd971", + "Platform": "Visx.net", + "Category": "Marketing", + "Cookie / Data Key name": "um2", + "Domain": "visx.net", + "Description": "Sets a unique ID for the visitor, that allows third party advertisers to target the visitor with relevant advertisement. This pairing service is provided by third party advertisement hubs, which facilitates real-time bidding for advertisers.", + "Retention period": "2 years", + "Data Controller": "visx.net", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "d62265f5-b213-4830-ae2a-b1c84f9b9c8b", + "Platform": "bidswitch.net", + "Category": "Marketing", + "Cookie / Data Key name": "tuuid_lu", + "Domain": "bidswitch.net", + "Description": "Contains a unique visitor ID, which allows Bidswitch.com to track the visitor across multiple websites. This allows Bidswitch to optimize advertisement relevance and ensure that the visitor does not see the same ads multiple times.", + "Retention period": "3 months", + "Data Controller": "bidswitch.net", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "74bb46b3-b3eb-4a2a-95b7-bc4cc2e1f8fb", + "Platform": "adscale.de", + "Category": "Marketing", + "Cookie / Data Key name": "uu", + "Domain": "adscale.de", + "Description": "Used to target ads by registering the user's movements across websites.", + "Retention period": "1 year", + "Data Controller": "adscale.de", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "ef38b65a-94e6-4b44-a596-5b6cb5a618bd", + "Platform": "adscale.de", + "Category": "Marketing", + "Cookie / Data Key name": "cct", + "Domain": "adscale.de", + "Description": "Necessary for the shopping cart functionality on the website", + "Retention period": "session", + "Data Controller": "adscale.de", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "a9cc924c-28a7-4a56-8688-38aef554e390", + "Platform": "adscale.de", + "Category": "Marketing", + "Cookie / Data Key name": "tu", + "Domain": "adscale.de", + "Description": "Used to target ads by registering the user's movements across websites.", + "Retention period": "29 days", + "Data Controller": "adscale.de", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "452ba8c5-b674-4910-803a-46d1461f75ca", + "Platform": "betweendigital.com", + "Category": "Marketing", + "Cookie / Data Key name": "betweendigital.com", + "Domain": "ut", + "Description": "Collects data on visitors' behaviour and interaction - This is used to optimize the website and make advertisement on the website more relevant.", + "Retention period": "10 years", + "Data Controller": "betweendigital.com", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "ea3efa31-071a-4e8c-8916-89c0ed348d8f", + "Platform": "betweendigital.com", + "Category": "Functional", + "Cookie / Data Key name": "ss", + "Domain": "betweendigital.com", + "Description": "Necessary for the functionality of the website's chat-box function.", + "Retention period": "10 years", + "Data Controller": "betweendigital.com", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "4b1ab77a-d10f-4915-aa8e-dbcb789f4bff", + "Platform": "Seedtag", + "Category": "Marketing", + "Cookie / Data Key name": "st_csd", + "Domain": "seedtag.com", + "Description": "Date of the last cookie-syn", + "Retention period": "1 year", + "Data Controller": "seedtag.com", + "User Privacy & GDPR Rights Portals": "https://www.seedtag.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "dd0ee2e6-80c0-4e80-8ec1-d2a1fc1ed735", + "Platform": "Seedtag", + "Category": "Marketing", + "Cookie / Data Key name": "st_cs", + "Domain": "seedtag.com", + "Description": "Unique identifiers of DSPs", + "Retention period": "1 year", + "Data Controller": "seedtag.com", + "User Privacy & GDPR Rights Portals": "https://www.seedtag.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b92dce55-ffca-4ba8-bbcb-4e9ca17579c9", + "Platform": "Seedtag", + "Category": "Marketing", + "Cookie / Data Key name": "st_uid", + "Domain": "seedtag.com", + "Description": "This cookie is used to store randomly generated unique browser identifier", + "Retention period": "1 year", + "Data Controller": "seedtag.com", + "User Privacy & GDPR Rights Portals": "https://www.seedtag.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "73be3ddb-3e4d-48a6-81cc-80e53e9a3c17", + "Platform": "Seedtag", + "Category": "Marketing", + "Cookie / Data Key name": "st_cnt", + "Domain": "seedtag.com", + "Description": "This cookie is used to store low precision geolocation (Country, City)", + "Retention period": "1 year", + "Data Controller": "seedtag.com", + "User Privacy & GDPR Rights Portals": "https://www.seedtag.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "624734b3-5c15-4cff-84d8-4be4d28e39ba", + "Platform": "Seedtag", + "Category": "Marketing", + "Cookie / Data Key name": "st_chc", + "Domain": "seedtag.com", + "Description": "This cookie is used to store Cookie-sync", + "Retention period": "1 year", + "Data Controller": "seedtag.com", + "User Privacy & GDPR Rights Portals": "https://www.seedtag.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "406e235a-9688-48f8-b9e9-cd5024a178b2", + "Platform": "Seedtag", + "Category": "Marketing", + "Cookie / Data Key name": "st_ssp", + "Domain": "seedtag.com", + "Description": "This cookie is used to store low precision geolocation", + "Retention period": "1 year", + "Data Controller": "seedtag.com", + "User Privacy & GDPR Rights Portals": "https://www.seedtag.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ea39fd05-dd35-46f9-93a3-b939196c1dae", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "cnfq", + "Domain": "smartadserver.com", + "Description": "Technical cookie used to trigger the injection of monitoring scripts from a CNAME", + "Retention period": "360 minutes", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b1157f8c-fdb8-4db9-b2e4-26610dee2281", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "lcsrc", + "Domain": "smartadserver.com", + "Description": "Technical cookie used to refresh date serialized in ISO format", + "Retention period": "13 months", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "778744f0-b143-408b-a4cb-c6afcaad89fb", + "Platform": "Smartadserver", + "Category": "Functional", + "Cookie / Data Key name": "dyncdn", + "Domain": "smartadserver.com", + "Description": "End-point and traffic data", + "Retention period": "1 day", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "51dc1bbc-309d-4137-b43b-b1e0b67716a0", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "gid", + "Domain": "smartadserver.com", + "Description": "Global unique ID cross domains associated with an end-user", + "Retention period": "13 months", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "a7fa8fbb-d8ff-40c9-a5b2-77a7f04a1823", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "csfq", + "Domain": "smartadserver.com", + "Description": "Technical cookie used to trigger the injection of monitoring scripts", + "Retention period": "6 hours", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e64bda3a-2b05-4a03-895c-ebea8a7a3c0b", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "partner-", + "Domain": "smartadserver.com", + "Description": "Labeling end-users with keywords defined by a client.", + "Retention period": "13 months", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "78a8b8c8-608a-409b-8f0e-f95fbf6c4296", + "Platform": "Smartadserver", + "Category": "Analytics", + "Cookie / Data Key name": "vs", + "Domain": "smartadserver.com", + "Description": "Counting new visits", + "Retention period": "session", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b3353c79-d1f8-47ff-a3fe-254fc1650f5b", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "Comp", + "Domain": "smartadserver.com", + "Description": "Labeling end-users with keywords defined by a client.", + "Retention period": "13 months", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "2b636deb-be2f-4e9f-ab63-4e11bcdbfa11", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "Pwb", + "Domain": "smartadserver.com", + "Description": "Allows for the display of ads in the correct format based on browser, screen size, and OS.", + "Retention period": "2 days", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e1815421-bf71-4cdc-bbc5-2761f5448c69", + "Platform": "Smartadserver", + "Category": "Functional", + "Cookie / Data Key name": "Pdomid", + "Domain": "smartadserver.com", + "Description": "Technical cookie used to distribute the traffic between Smart's servers", + "Retention period": "13 months", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7bed4fc6-3fca-4399-baf9-1cc4f8a5d328", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "sasd", + "Domain": "smartadserver.com", + "Description": "Geolocation collection", + "Retention period": "1 day", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "3fdf0b93-682e-4355-870b-191251c4b67e", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "sasd2", + "Domain": "smartadserver.com", + "Description": "Geolocation collection", + "Retention period": "1 day", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "8d120253-b686-4e5a-bed6-987aef4e8b75", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "TestIfCookie", + "Domain": "", + "Description": "Technical cookie used to test if persistent cookies are accepted", + "Retention period": "session cookie", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e1d06d71-3a5c-4a20-9808-38bb0bd35862", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "csync", + "Domain": "smartadserver.com", + "Description": "Optimises ad display based on the user's movement combined and various advertiser bids for displaying user ads.", + "Retention period": "1 day", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "2fe3a197-42b3-4033-af47-e568044cc8ec", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "TestIfCookieP", + "Domain": "smartadserver.com", + "Description": "Technical cookie used to test if persistent cookies are accepted", + "Retention period": "13 months", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "72ccbe92-6c9b-4441-8b3e-2ec84120b80d", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "pid", + "Domain": ".smartadserver.com", + "Description": "Unique ID associated with an end-user (according to a domain and browser)", + "Retention period": "13 months", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "c51d2ae1-ecab-457a-b47a-ecc11a138b12", + "Platform": "Smartadserver", + "Category": "Analytics", + "Cookie / Data Key name": "pbw", + "Domain": ".smartadserver.com", + "Description": "This cookie collects cached data by browser ID, operating system ID and screen size", + "Retention period": "13 months", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "92bd76ef-12bf-49fd-a75d-0baddc2a19c5", + "Platform": "Smartadserver", + "Category": "Marketing", + "Cookie / Data Key name": "lcsrd", + "Domain": ".smartadserver.com", + "Description": "This cookie is used to present the visitor with relevant content and advertisements", + "Retention period": "13 months", + "Data Controller": "Equativ.com", + "User Privacy & GDPR Rights Portals": "https://equativ.com/end-users-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b67c0fe1-3df2-4c7c-8ecb-ba7247299484", + "Platform": "Microsoft", + "Category": "Security", + "Cookie / Data Key name": ".AspNetCore.Antiforgery.", + "Domain": "", + "Description": "Anti-forgery cookie is a security mechanism to defend against cross-site request forgery (CSRF) attacks.", + "Retention period": "Session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 1 + }, + { + "ID": "c7fa66a8-7594-4dba-9890-f45ea2413843", + "Platform": "Unrulymedia.com", + "Category": "Marketing", + "Cookie / Data Key name": "unruly_m", + "Domain": "", + "Description": "Pending", + "Retention period": "6 days", + "Data Controller": "Unrulymedia.com", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 1 + }, + { + "ID": "12b149c1-3379-4f8f-bde0-6262b279e005", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "bdswch", + "Domain": "outbrain.com", + "Description": "Used to present the visitor with relevant content and advertisement - The service is provided by third party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "3 months", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/legal/privacy#privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "07c371e2-d427-41d0-bccb-e3737d20178c", + "Platform": "LiveIntent", + "Category": "Marketing", + "Cookie / Data Key name": "lidid", + "Domain": "liadm.com", + "Description": "Collects data on visitors' behaviour and interaction - This is used to make advertisement on the website more relevant. The cookie also allows the website to detect any referrals from other websites.", + "Retention period": "2 years", + "Data Controller": "LiveIntent", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "c3f6522c-1012-4ff4-a590-a7b31adc8c6a", + "Platform": "LiveIntent", + "Category": "Marketing", + "Cookie / Data Key name": "_li_ss", + "Domain": "liadm.com", + "Description": "Sets a unique ID for the visitor, that allows third party advertisers to target the visitor with relevant advertisement. This pairing service is provided by third party advertisement hubs, which facilitates real-time bidding for advertisers.", + "Retention period": "1 month", + "Data Controller": "LiveIntent", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "20749ddc-cac3-4b92-ba6e-682300b43604", + "Platform": "TripleLift", + "Category": "Marketing", + "Cookie / Data Key name": "tluid", + "Domain": "3lift.com", + "Description": "This cookie is used to identify the visitor and optimize ad-relevance by collecting visitor data from multiple websites – this exchange of visitor data is normally provided by a third-party data-center or ad-exchange.", + "Retention period": "3 months", + "Data Controller": "TripleLift", + "User Privacy & GDPR Rights Portals": "https://triplelift.com/advertising-technology-platform-cookie-notice/", + "Wildcard match": 0 + }, + { + "ID": "7ca9e713-9c4b-4c42-83d0-8118d0b3ad39", + "Platform": "TripleLift", + "Category": "Marketing", + "Cookie / Data Key name": "tluidp", + "Domain": "3lift.com", + "Description": "This cookie is used to identify the visitor and optimize ad-relevance by collecting visitor data from multiple websites with – this exchange of visitor data is normally provided by a third-party data-center or ad-exchange.", + "Retention period": "3 months", + "Data Controller": "TripleLift", + "User Privacy & GDPR Rights Portals": "https://triplelift.com/advertising-technology-platform-cookie-notice/", + "Wildcard match": 0 + }, + { + "ID": "717e0bb0-cda0-4e49-8418-12af4e3ae8cf", + "Platform": "TripleLift", + "Category": "Marketing", + "Cookie / Data Key name": "optout", + "Domain": "3lift.com", + "Description": "This cookie is used to determine whether the visitor has accepted the cookie consent box.", + "Retention period": "5 years", + "Data Controller": "TripleLift", + "User Privacy & GDPR Rights Portals": "https://triplelift.com/advertising-technology-platform-cookie-notice/", + "Wildcard match": 0 + }, + { + "ID": "3bac3d4a-cb4c-45eb-b270-14b59240a528", + "Platform": "TripleLift", + "Category": "Marketing", + "Cookie / Data Key name": "sync", + "Domain": "3lift.com", + "Description": "This cookie is used in order to transact in digital advertising, TripleLift exchanges (or syncs) identifiers with other companies. This cookie keeps track of which companies have recently been synced in order to avoid syncing with the same companies repetitively.", + "Retention period": "3 months", + "Data Controller": "TripleLift", + "User Privacy & GDPR Rights Portals": "https://triplelift.com/advertising-technology-platform-cookie-notice/", + "Wildcard match": 0 + }, + { + "ID": "f9200827-44f9-4ca1-9fd7-779d15d60155", + "Platform": "Taboola", + "Category": "Marketing", + "Cookie / Data Key name": "t_gid", + "Domain": "taboola.com", + "Description": "This Partitioned cookie gives a user who interacts with Taboola Widget a User ID allowing us to target advertisements and content to this specific user ID.", + "Retention period": "13 months", + "Data Controller": "taboola.com", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "71a1fd68-cebf-4d40-bdf0-23cd5fab2f46", + "Platform": "Taboola", + "Category": "Functional", + "Cookie / Data Key name": "t_pt_gid", + "Domain": ".taboola.com", + "Description": "Assigns a unique User ID that Taboola uses for attribution and reporting purposes, and to tailor recommendations to this specific user.", + "Retention period": "1 Year", + "Data Controller": "taboola.com", + "User Privacy & GDPR Rights Portals": "https://www.taboola.com/policies/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "1b6c7e7d-e469-4834-ab43-a702e39e3142", + "Platform": "Taboola", + "Category": "Marketing", + "Cookie / Data Key name": "taboola_session_id", + "Domain": ".taboola.com", + "Description": "Creates a temporary session ID to avoid the display of duplicate recommendations on the page.", + "Retention period": "Session", + "Data Controller": "taboola.com", + "User Privacy & GDPR Rights Portals": "https://www.taboola.com/policies/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "b0e73672-75e0-4b30-8918-02cbed8c59e2", + "Platform": "Taboola", + "Category": "Functional", + "Cookie / Data Key name": "taboola_select", + "Domain": ".taboola.com", + "Description": "Maintains a record of whether the user performed an action in the “Taboola Select” feature.", + "Retention period": "1 year", + "Data Controller": "taboola.com", + "User Privacy & GDPR Rights Portals": "https://www.taboola.com/policies/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "89bed886-e46d-4671-8945-b741d8b8a23a", + "Platform": "Taboola", + "Category": "Functional", + "Cookie / Data Key name": "taboola_fp_td_user_id", + "Domain": ".taboola.com", + "Description": "Indicates that the user clicked on an item that was recommended by Taboola’s Services. This is used for reporting and analytics purposes.", + "Retention period": "1 year", + "Data Controller": "taboola.com", + "User Privacy & GDPR Rights Portals": "https://www.taboola.com/policies/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "70a35cb7-b81f-4f41-825d-3e9dfd2250c8", + "Platform": "Taboola", + "Category": "Functional", + "Cookie / Data Key name": "_tb_sess_r", + "Domain": ".taboola.com", + "Description": "Used on websites of our publisher Customers that utilize the Taboola Newsroom services. It maintains a session reference about the user’s visit to this particular website.", + "Retention period": "30 minutes", + "Data Controller": "taboola.com", + "User Privacy & GDPR Rights Portals": "https://www.taboola.com/policies/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "0023f6a9-0654-4a06-9ad4-374ea3617ca9", + "Platform": "Taboola", + "Category": "Marketing", + "Cookie / Data Key name": "_tb_t_ppg", + "Domain": ".taboola.com", + "Description": "Used on websites of our publisher Customers that utilize the Taboola Newsroom services. This cookie is used to identify the referring website (i.e. the website that the user visited prior to arriving at this publisher’s website).", + "Retention period": "30 minutes", + "Data Controller": "taboola.com", + "User Privacy & GDPR Rights Portals": "https://www.taboola.com/policies/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "828095c1-b582-4ed2-89dc-3eea1dae2abe", + "Platform": "Taboola", + "Category": "Analytics", + "Cookie / Data Key name": "abLdr", + "Domain": ".taboola.com", + "Description": "Supports routine technical and performance improvements for Taboola’s browser-based Services.", + "Retention period": "3 hours", + "Data Controller": "taboola.com", + "User Privacy & GDPR Rights Portals": "https://www.taboola.com/policies/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "9e31f373-a70a-4ce8-85c3-2e37e32ef8d8", + "Platform": "Taboola", + "Category": "Analytics", + "Cookie / Data Key name": "abMbl", + "Domain": ".taboola.com", + "Description": "Supports routine technical and performance improvements for Taboola’s mobile SDK Services.", + "Retention period": "3 hours", + "Data Controller": "taboola.com", + "User Privacy & GDPR Rights Portals": "https://www.taboola.com/policies/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "9be70595-25f5-4ed9-916a-138e5f40d4f4", + "Platform": "Taboola", + "Category": "Analytics", + "Cookie / Data Key name": "tb_click_param", + "Domain": ".taboola.com", + "Description": "Used on websites of our publisher Customers that utilize the Taboola Newsroom services. It measures performance of the publisher’s homepage articles that are clicked.", + "Retention period": "50 seconds", + "Data Controller": "taboola.com", + "User Privacy & GDPR Rights Portals": "https://www.taboola.com/policies/cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "3b89dcd0-1da7-4382-8d20-a4c9eb614e00", + "Platform": "openx.net", + "Category": "Marketing", + "Cookie / Data Key name": "i", + "Domain": "", + "Description": "Registers user data, such as IP address, geographical location, websites visited and on which advertisements the user has clicked, with the aim of optimizing the display of advertisements based on user relocation on websites that use the same advertising network.", + "Retention period": "1 year", + "Data Controller": "OpenX", + "User Privacy & GDPR Rights Portals": "https://www.openx.com/privacy-center/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "107fe6d8-822c-4aab-9e25-659bfb1142ab", + "Platform": "openx.net", + "Category": "Marketing", + "Cookie / Data Key name": "univ_id", + "Domain": "openx.net", + "Description": "This cookie collects information about the visitor for the purpose of serving advertisements.", + "Retention period": "3 days", + "Data Controller": "OpenX", + "User Privacy & GDPR Rights Portals": "https://www.openx.com/privacy-center/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "ed0006e3-167e-4bf3-92cf-7cb569a9f8a5", + "Platform": "openx.net", + "Category": "Marketing", + "Cookie / Data Key name": "pd", + "Domain": "openx.net", + "Description": "This cookie stores information about which other third parties the user cookie (‘i’ cookie) has been synced with to reduce the amount of user matching done on your device.", + "Retention period": "15 days", + "Data Controller": "OpenX", + "User Privacy & GDPR Rights Portals": "https://www.openx.com/privacy-center/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d56d39f1-3fc6-4947-9533-1f5115066624", + "Platform": "openx.net", + "Category": "Marketing", + "Cookie / Data Key name": "OAID", + "Domain": "", + "Description": "This cookie is used by the ad server software to manage which ads are placed on our website, and to capture clicks on those ads. Information is collected in anonymous form, and we do not use this data to deliver specific content, advertising or otherwise, to your browser.", + "Retention period": "1 year", + "Data Controller": "OpenX", + "User Privacy & GDPR Rights Portals": "https://www.openx.com/privacy-center/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d19b42a1-1f06-48ed-9e02-3171b8c92771", + "Platform": "openx.net", + "Category": "Marketing", + "Cookie / Data Key name": "OAGEO", + "Domain": "", + "Description": "Used to avoid the repeated display of the same ad. Contains information about the users location.", + "Retention period": "Session", + "Data Controller": "OpenX", + "User Privacy & GDPR Rights Portals": "https://www.openx.com/privacy-center/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "abd1eb75-e0f4-47a9-8196-17d51fd6b35f", + "Platform": "AddThis", + "Category": "Functional", + "Cookie / Data Key name": "__atuvc", + "Domain": ".addthis.com", + "Description": "This cookie is associated with the AddThis social sharing widget, it stores an updated page share count.", + "Retention period": "2 years", + "Data Controller": "AddThis", + "User Privacy & GDPR Rights Portals": "https://www.addthis.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "1d648233-6aab-4ae5-82b4-ec8eef7b1d1c", + "Platform": "AddThis", + "Category": "Functional", + "Cookie / Data Key name": "__atuvs", + "Domain": ".addthis.com", + "Description": "This cookie is associated with the AddThis social sharing widget, which serves a similar purpose to other cookies set by the service.", + "Retention period": "2 years", + "Data Controller": "AddThis", + "User Privacy & GDPR Rights Portals": "https://www.addthis.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "deb26341-c10a-4360-a63f-669379a82ff4", + "Platform": "AddThis", + "Category": "Functional", + "Cookie / Data Key name": "ssc", + "Domain": ".addthis.com", + "Description": "AddThis - Cookie related to an AddThis sharing button available on the website", + "Retention period": "2 years", + "Data Controller": "AddThis", + "User Privacy & GDPR Rights Portals": "https://www.addthis.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "7cc2204d-93b8-40eb-b547-eba0d7b0bfbf", + "Platform": "AddThis", + "Category": "Functional", + "Cookie / Data Key name": "uvc", + "Domain": ".addthis.com", + "Description": "AddThis - Cookie related to an AddThis sharing button available on the website", + "Retention period": "2 years", + "Data Controller": "AddThis", + "User Privacy & GDPR Rights Portals": "https://www.addthis.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "d9afbac4-6c81-4ecf-9021-f7925c4e4f1d", + "Platform": "AddThis", + "Category": "Functional", + "Cookie / Data Key name": "loc", + "Domain": ".addthis.com", + "Description": "AddThis - Cookie related to an AddThis sharing button available on the website", + "Retention period": "2 years", + "Data Controller": "AddThis", + "User Privacy & GDPR Rights Portals": "https://www.addthis.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "c8493aa7-62c1-40b5-b1ff-cf843fb28dd9", + "Platform": "AddThis", + "Category": "Functional", + "Cookie / Data Key name": "na_id", + "Domain": ".addthis.com", + "Description": "AddThis - Cookie related to an AddThis sharing button available on the website", + "Retention period": "2 years", + "Data Controller": "AddThis", + "User Privacy & GDPR Rights Portals": "https://www.addthis.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "2f732a30-91ed-40ab-8701-13a50a973509", + "Platform": "AddThis", + "Category": "Functional", + "Cookie / Data Key name": "na_tc", + "Domain": ".addthis.com", + "Description": "AddThis - Cookie related to an AddThis sharing button available on the website", + "Retention period": "2 years", + "Data Controller": "AddThis", + "User Privacy & GDPR Rights Portals": "https://www.addthis.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "312d83c5-a57f-4848-a531-3b27ad555a60", + "Platform": "AddThis", + "Category": "Functional", + "Cookie / Data Key name": "ouid", + "Domain": ".addthis.com", + "Description": "AddThis - Cookie related to an AddThis sharing button available on the website", + "Retention period": "2 years", + "Data Controller": "AddThis", + "User Privacy & GDPR Rights Portals": "https://www.addthis.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "4f4dce79-5bd7-4c57-8b8e-a69a3c6f52d2", + "Platform": "AddThis", + "Category": "Functional", + "Cookie / Data Key name": "na_sc_x", + "Domain": ".dlx.addthis.com", + "Description": "Used by the social sharing platform AddThis to keep a record of parts of the site that has been visited in order to recommend other parts of the site.", + "Retention period": "1 month", + "Data Controller": "AddThis", + "User Privacy & GDPR Rights Portals": "https://www.addthis.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "5bf92cdc-06f1-4ff6-a7f8-9bf890eeac96", + "Platform": "Funda", + "Category": "Marketing", + "Cookie / Data Key name": "DG_HID", + "Domain": "funda.nl", + "Description": "Pending", + "Retention period": "30 days", + "Data Controller": "Funda", + "User Privacy & GDPR Rights Portals": "https://www.funda.nl/privacybeleid/consument/", + "Wildcard match": 0 + }, + { + "ID": "e9e26b83-2484-4d51-8f15-2affa14294ef", + "Platform": "Funda", + "Category": "Marketing", + "Cookie / Data Key name": "DG_IID", + "Domain": "funda.nl", + "Description": "Pending", + "Retention period": "30 days", + "Data Controller": "Funda", + "User Privacy & GDPR Rights Portals": "https://www.funda.nl/privacybeleid/consument/", + "Wildcard match": 0 + }, + { + "ID": "01302635-dea4-4f63-a38c-ad27df980f33", + "Platform": "Funda", + "Category": "Marketing", + "Cookie / Data Key name": "DG_SID", + "Domain": "funda.nl", + "Description": "Pending", + "Retention period": "30 days", + "Data Controller": "Funda", + "User Privacy & GDPR Rights Portals": "https://www.funda.nl/privacybeleid/consument/", + "Wildcard match": 0 + }, + { + "ID": "5d04307b-018d-455c-915c-3b6f69b41a75", + "Platform": "Funda", + "Category": "Marketing", + "Cookie / Data Key name": "DG_UID", + "Domain": "funda.nl", + "Description": "Pending", + "Retention period": "30 days", + "Data Controller": "Funda", + "User Privacy & GDPR Rights Portals": "https://www.funda.nl/privacybeleid/consument/", + "Wildcard match": 0 + }, + { + "ID": "d4f501a2-e9c3-4be3-b8d4-e30a51084fae", + "Platform": "Funda", + "Category": "Marketing", + "Cookie / Data Key name": "DG_ZID", + "Domain": "funda.nl", + "Description": "Pending", + "Retention period": "30 days", + "Data Controller": "Funda", + "User Privacy & GDPR Rights Portals": "https://www.funda.nl/privacybeleid/consument/", + "Wildcard match": 0 + }, + { + "ID": "649c8a3b-3bf1-45af-bcc6-5a2eb0491c70", + "Platform": "Funda", + "Category": "Marketing", + "Cookie / Data Key name": "DG_ZUID", + "Domain": "funda.nl", + "Description": "Pending", + "Retention period": "30 days", + "Data Controller": "Funda", + "User Privacy & GDPR Rights Portals": "https://www.funda.nl/privacybeleid/consument/", + "Wildcard match": 0 + }, + { + "ID": "8f784c70-e387-4d9f-81fd-49238a1cdc15", + "Platform": "Funda", + "Category": "Functional", + "Cookie / Data Key name": "fonts-loaded", + "Domain": "funda.nl", + "Description": "This cookie checks and remembers whether you have the font used by funda. Remembering this check makes visiting the website faster.", + "Retention period": "30 days", + "Data Controller": "Funda", + "User Privacy & GDPR Rights Portals": "https://www.funda.nl/privacybeleid/consument/", + "Wildcard match": 0 + }, + { + "ID": "4ea6a00a-1b1f-49be-8825-1ba74e3b496c", + "Platform": "Funda", + "Category": "Functional", + "Cookie / Data Key name": "html-classes", + "Domain": "funda.nl", + "Description": "Remembering how the website is displayed to adjust the appearance of the site to the environment and browser used by the user. This ensures that the site loads faster on a subsequent visit.", + "Retention period": "30 days", + "Data Controller": "Funda", + "User Privacy & GDPR Rights Portals": "https://www.funda.nl/privacybeleid/consument/", + "Wildcard match": 0 + }, + { + "ID": "7f5e1a9f-4e6e-4210-8b38-aa402b957f67", + "Platform": "Funda", + "Category": "Functional", + "Cookie / Data Key name": "SNLB2", + "Domain": "funda.nl", + "Description": "Pending", + "Retention period": "30 days", + "Data Controller": "Funda", + "User Privacy & GDPR Rights Portals": "https://www.funda.nl/privacybeleid/consument/", + "Wildcard match": 0 + }, + { + "ID": "4951c825-94b4-404e-bffd-1981fb6a8d5c", + "Platform": "LiveZilla GmbH", + "Category": "Functional", + "Cookie / Data Key name": "lz_last_visit", + "Domain": "", + "Description": "Last Visit (Timestamp), used to determine when the website visitor browsed the website the last time.", + "Retention period": "1 Year", + "Data Controller": "LiveZilla GmbH", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "d435d501-cf43-45cd-b884-2187e778da1a", + "Platform": "LiveZilla GmbH", + "Category": "Functional", + "Cookie / Data Key name": "lz_userid", + "Domain": "", + "Description": "Sets up a unique ID which is used to generate statistical data about the website visitor's usage of the website.", + "Retention period": "1 Year", + "Data Controller": "LiveZilla GmbH", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "fd1b3efb-9261-4797-9a8b-91cfcf43ebfc", + "Platform": "LiveZilla GmbH", + "Category": "Functional", + "Cookie / Data Key name": "lz_visits", + "Domain": "", + "Description": "Number of visits, is used to identify how often the website visitor already visited the website.", + "Retention period": "1 Year", + "Data Controller": "LiveZilla GmbH", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "90074925-d0e8-48fa-9279-a0f771a48c86", + "Platform": "AFAS", + "Category": "Functional", + "Cookie / Data Key name": ".secureclient", + "Domain": "", + "Description": "Pending", + "Retention period": "Session", + "Data Controller": "AFAS", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "8613148a-96ca-4445-9499-1d5d11d98b71", + "Platform": "AFAS", + "Category": "Functional", + "Cookie / Data Key name": ".securesession", + "Domain": "", + "Description": "Pending", + "Retention period": "Session", + "Data Controller": "AFAS", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "6063bbe4-245f-458f-95fb-724c23948e40", + "Platform": "AFAS", + "Category": "Functional", + "Cookie / Data Key name": ".stateflags", + "Domain": "", + "Description": "Pending", + "Retention period": "Session", + "Data Controller": "AFAS", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "a1d65bda-06df-4141-93ea-84a399c0f0d2", + "Platform": "AFAS", + "Category": "Functional", + "Cookie / Data Key name": ".auth", + "Domain": "", + "Description": "Pending", + "Retention period": "Session", + "Data Controller": "AFAS", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "c5eb2700-0b5c-4260-a3e4-1940122bb3d5", + "Platform": "Adxcore", + "Category": "Marketing", + "Cookie / Data Key name": "advst_uid_11", + "Domain": ".adxcore.com", + "Description": "Pending", + "Retention period": "6 months", + "Data Controller": "Adxcore", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "80264006-f818-41e1-b9a5-88466efc156f", + "Platform": "Adxcore", + "Category": "Marketing", + "Cookie / Data Key name": "DISPATCHER", + "Domain": "dispatcher.adxcore.com", + "Description": "Pending", + "Retention period": "6 months", + "Data Controller": "Adxcore", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "abc72578-7e9d-4293-bdf2-30aafb9cd155", + "Platform": "Fidelity-media.com", + "Category": "Marketing", + "Cookie / Data Key name": "DSP_UID", + "Domain": "fidelity-media.com", + "Description": "Pending", + "Retention period": "9 days", + "Data Controller": "Fidelity-media.com", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "80cb67ec-857a-4ed2-829b-323780e7b488", + "Platform": "Picreel", + "Category": "Analytics", + "Cookie / Data Key name": "picreel_tracker__visited", + "Domain": "", + "Description": "Used for statistical purposes when counting the number of pages, the user visited", + "Retention period": "Unlimited", + "Data Controller": "Picreel", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "81e2981c-f698-40c1-86b1-45f4405c9a9e", + "Platform": "Picreel", + "Category": "Analytics", + "Cookie / Data Key name": "picreel_tracker__first_visit", + "Domain": "", + "Description": "Used for statistical purposes, keeping the date of the first visit", + "Retention period": "Unlimited", + "Data Controller": "Picreel", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "42b33d4f-cd26-4984-a683-5556786bf586", + "Platform": "Picreel", + "Category": "Analytics", + "Cookie / Data Key name": "picreel_tracker__page_views", + "Domain": "", + "Description": "Pending", + "Retention period": "Unlimited", + "Data Controller": "Picreel", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "19724b2b-0eec-42ec-963b-d54b6b0337da", + "Platform": "Picreel", + "Category": "Analytics", + "Cookie / Data Key name": "picreel_new_price", + "Domain": "", + "Description": "Pending", + "Retention period": "Unlimited", + "Data Controller": "Picreel", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "e35dbf4a-7ee6-4f3a-bda3-f7ff5856e036", + "Platform": "Trustpilot", + "Category": "Analytics", + "Cookie / Data Key name": "__auc", + "Domain": ".trustpilot.com", + "Description": "Used to track and report information to the Alexa analytics", + "Retention period": "1 year", + "Data Controller": "Trustpilot", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "e827d57f-a6a5-404e-93d5-a466bd7eb682", + "Platform": "Trustpilot", + "Category": "Analytics", + "Cookie / Data Key name": "ajs_user_id", + "Domain": ".trustpilot.com", + "Description": "This cookie helps track visitor usage, events, target marketing, and can also measure application performance and stability.", + "Retention period": "1 year", + "Data Controller": "Trustpilot", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "881eb924-e16c-4edc-8b17-1914f91ae1ea", + "Platform": "Trustpilot", + "Category": "Analytics", + "Cookie / Data Key name": "ajs_anonymous_id", + "Domain": ".trustpilot.com", + "Description": "Used for Analytics and help count how many people visit a certain site by tracking if you have visited before", + "Retention period": "1 year", + "Data Controller": "Trustpilot", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "0930be02-cc2d-4b7a-9372-ae132342204e", + "Platform": "Trustpilot", + "Category": "Analytics", + "Cookie / Data Key name": "ajs_group_id", + "Domain": ".trustpilot.com", + "Description": "Track visitor usage and events within the website", + "Retention period": "1 year", + "Data Controller": "Trustpilot", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "ec86fd50-73ad-4f71-8b8d-e326f552ab75", + "Platform": "Trustpilot", + "Category": "Analytics", + "Cookie / Data Key name": "__asc", + "Domain": ".trustpilot.com", + "Description": "A cookie set by Trustpilot if you click the read more widget", + "Retention period": "1 year", + "Data Controller": "Trustpilot", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "2ff0da06-abc1-4f28-bba0-87bcbefad68b", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_norec_sess", + "Domain": "inspectlet.com", + "Description": "Inspectlet uses cookies to keep track of session information. These cookies are needed to accurately understand how visitors are navigating the website.", + "Retention period": "1 year", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "805b79f6-8fb6-4369-acdb-7cf2a698e7f0", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_slim", + "Domain": "inspectlet.com", + "Description": "Inspectlet uses cookies to keep track of session information. These cookies are needed to accurately understand how visitors are navigating the website.", + "Retention period": "1 year", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "db34f9b2-a7af-48ec-b430-55b6df7695bb", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_targlpt", + "Domain": "inspectlet.com", + "Description": "Inspectlet uses cookies to keep track of session information. These cookies are needed to accurately understand how visitors are navigating the website.", + "Retention period": "1 year", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "2af09a9a-20b8-45dd-892e-99dea2bd0b9d", + "Platform": "Inspectlet", + "Category": "Analytics", + "Cookie / Data Key name": "__insp_targlpu", + "Domain": "inspectlet.com", + "Description": "Inspectlet uses cookies to keep track of session information. These cookies are needed to accurately understand how visitors are navigating the website.", + "Retention period": "1 year", + "Data Controller": "Inspectlet", + "User Privacy & GDPR Rights Portals": "https://docs.inspectlet.com/hc/en-us", + "Wildcard match": 0 + }, + { + "ID": "cc650f6e-ffba-11e9-8d71-362b9e155667", + "Platform": "Microsoft", + "Category": "Functional", + "Cookie / Data Key name": "__RequestVerificationToken", + "Domain": "", + "Description": "This is an anti-forgery cookie set by web applications built using ASP.NET MVC technologies. It is designed to stop unauthorised posting of content to a website, known as Cross-Site Request Forgery.", + "Retention period": "session", + "Data Controller": "Microsoft", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 1 + }, + { + "ID": "cc6513b0-ffba-11e9-8d71-362b9e155667", + "Platform": "Sonobi", + "Category": "Marketing", + "Cookie / Data Key name": "__uin_mm", + "Domain": "sonobi.com", + "Description": "These cookies are used to deliver adverts more relevant to you and your interests. They are also used to limit the number of times you see an advertisement as well as help measure the effectiveness of the advertising campaign.", + "Retention period": "44 days", + "Data Controller": "Sonobi", + "User Privacy & GDPR Rights Portals": "https://sonobi.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc6514dc-ffba-11e9-8d71-362b9e155667", + "Platform": "Sonobi", + "Category": "Marketing", + "Cookie / Data Key name": "__uir_mm", + "Domain": "sonobi.com", + "Description": "These cookies are used to deliver adverts more relevant to you and your interests. They are also used to limit the number of times you see an advertisement as well as help measure the effectiveness of the advertising campaign.", + "Retention period": "14 days", + "Data Controller": "Sonobi", + "User Privacy & GDPR Rights Portals": "https://sonobi.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc6517fc-ffba-11e9-8d71-362b9e155667", + "Platform": "Lotame", + "Category": "Marketing", + "Cookie / Data Key name": "_cc_aud", + "Domain": "crwdcntrl.net", + "Description": "Collects anonymous statistical data related to the user's website visits, such as the number of visits, average time spent on the website and what pages have been loaded. The purpose is to segment the website's users according to factors such as demographics and geographical location, in order to enable media and marketing agencies to structure and understand their target groups to enable customised online advertising.", + "Retention period": "269 days", + "Data Controller": "Lotame", + "User Privacy & GDPR Rights Portals": "https://www.lotame.com/about-lotame/privacy/lotames-products-services-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc651932-ffba-11e9-8d71-362b9e155667", + "Platform": "Lotame", + "Category": "Marketing", + "Cookie / Data Key name": "_cc_cc", + "Domain": "crwdcntrl.net", + "Description": "Collects anonymous statistical data related to the user's website visits, such as the number of visits, average time spent on the website and what pages have been loaded. The purpose is to segment the website's users according to factors such as demographics and geographical location, in order to enable media and marketing agencies to structure and understand their target groups to enable customised online advertising.", + "Retention period": "session", + "Data Controller": "Lotame", + "User Privacy & GDPR Rights Portals": "https://www.lotame.com/about-lotame/privacy/lotames-products-services-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc651cf2-ffba-11e9-8d71-362b9e155667", + "Platform": "Lotame", + "Category": "Marketing", + "Cookie / Data Key name": "_cc_id", + "Domain": "crwdcntrl.net", + "Description": "Collects anonymous statistical data related to the user's website visits, such as the number of visits, average time spent on the website and what pages have been loaded. The purpose is to segment the website's users according to factors such as demographics and geographical location, in order to enable media and marketing agencies to structure and understand their target groups to enable customised online advertising.", + "Retention period": "269 days", + "Data Controller": "Lotame", + "User Privacy & GDPR Rights Portals": "https://www.lotame.com/about-lotame/privacy/lotames-products-services-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "19b74270-863a-44aa-8a02-08c04201b154", + "Platform": "Lotame", + "Category": "Marketing", + "Cookie / Data Key name": "panoramaId", + "Domain": "", + "Description": "Registers data on visitors from multiple visits and on multiple websites. This information is used to measure the efficiency of advertisement on websites.", + "Retention period": "session", + "Data Controller": "Lotame", + "User Privacy & GDPR Rights Portals": "https://www.lotame.com/about-lotame/privacy/lotames-products-services-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "037aff40-32d5-4bdf-907c-eea35bb3fa24", + "Platform": "Lotame", + "Category": "Marketing", + "Cookie / Data Key name": "panoramaId_expiry", + "Domain": "", + "Description": "Registers data on visitors from multiple visits and on multiple websites. This information is used to measure the efficiency of advertisement on websites.", + "Retention period": "session", + "Data Controller": "Lotame", + "User Privacy & GDPR Rights Portals": "https://www.lotame.com/about-lotame/privacy/lotames-products-services-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f8d10413-a5e4-4de7-a561-6308aebcae58", + "Platform": "Lotame", + "Category": "Marketing", + "Cookie / Data Key name": "panoramaId_expiry_exp", + "Domain": "", + "Description": "Contains the expiry-date for the cookie with corresponding name.", + "Retention period": "session", + "Data Controller": "Lotame", + "User Privacy & GDPR Rights Portals": "https://www.lotame.com/about-lotame/privacy/lotames-products-services-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "026355fe-de48-46af-b1fb-91abec1d52ef", + "Platform": "Lotame", + "Category": "Marketing", + "Cookie / Data Key name": "_cc_domain", + "Domain": "", + "Description": "Registers data on visitors from multiple visits and on multiple websites. This information is used to measure the efficiency of advertisement on websites.", + "Retention period": "session", + "Data Controller": "Lotame", + "User Privacy & GDPR Rights Portals": "https://www.lotame.com/about-lotame/privacy/lotames-products-services-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc651e46-ffba-11e9-8d71-362b9e155667", + "Platform": "Neustar", + "Category": "Marketing", + "Cookie / Data Key name": "ab", + "Domain": "agkn.com", + "Description": "This cookie is used by the website’s operator in context with multi-variate testing. This is a tool used to combine or change content on the website. This allows the website to find the best variation/edition of the site.", + "Retention period": "1 year", + "Data Controller": "Neustar", + "User Privacy & GDPR Rights Portals": "https://www.home.neustar/privacy", + "Wildcard match": 0 + }, + { + "ID": "cc65229c-ffba-11e9-8d71-362b9e155667", + "Platform": "BlueKai", + "Category": "Marketing", + "Cookie / Data Key name": "bkdc", + "Domain": "bluekai.com", + "Description": "Registers anonymised user data, such as IP address, geographical location, visited websites, and what ads the user has clicked, with the purpose of optimising ad display based on the user's movement on websites that use the same ad network.", + "Retention period": "179 days", + "Data Controller": "Oracle", + "User Privacy & GDPR Rights Portals": "https://www.oracle.com/legal/privacy/marketing-cloud-data-cloud-privacy-policy.html", + "Wildcard match": 0 + }, + { + "ID": "cc6523e6-ffba-11e9-8d71-362b9e155667", + "Platform": "BlueKai", + "Category": "Marketing", + "Cookie / Data Key name": "bku", + "Domain": "bluekai.com", + "Description": "Registers anonymised user data, such as IP address, geographical location, visited websites, and what ads the user has clicked, with the purpose of optimising ad display based on the user's movement on websites that use the same ad network.", + "Retention period": "179 days", + "Data Controller": "Oracle", + "User Privacy & GDPR Rights Portals": "https://www.oracle.com/legal/privacy/marketing-cloud-data-cloud-privacy-policy.html", + "Wildcard match": 0 + }, + { + "ID": "cc6526ca-ffba-11e9-8d71-362b9e155667", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "everest_g_v2", + "Domain": "everesttech.net", + "Description": "This cookie stores the browser and surfer ID.Created after a user initially clicks a client's ad, and used to map the current and subsequent clicks with other events on the client's website", + "Retention period": "2 years", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "53500d03-07fb-42e6-8b1d-e4927a08a4d2", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "everest_session_v2", + "Domain": "everesttech.net", + "Description": "This cookie stores the session ID", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "c41c6369-3106-4971-8e4b-5bff6410d46d", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_tm", + "Domain": "everesttech.net", + "Description": "This cookie stores the Adobe Advertising DSP (Demand Side Platform) ID. \tA third-party cookie that stores the DSP ID that corresponds to the surfer ID in the everest_g_v2 cookie", + "Retention period": "2 years", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "f68ab2f7-685b-461f-a5ab-2bfb8be86cf0", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "_tmae", + "Domain": "everesttech.net", + "Description": "This cookie stores Encoded IDs and time stamps for ad engagements using Adobe Advertising DSP tracking.A third-party cookie that stores user engagements with ads, such as 'last seen ad xyz123 on June 30, 2016'", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "02d42fbd-11a4-4954-bba5-12f4c4b9604d", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "_lcc", + "Domain": "everesttech.net", + "Description": "This cookie stores IDs and time stamps (in the format yyyymmdd) of display clicks. It is a third-party cookie used to determine if a click event on a display ad applies to an Adobe Analytics hit", + "Retention period": "15 minutes", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "519c9841-b2fe-4563-a9db-b5f924096811", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_sync_ax", + "Domain": "everesttech.net", + "Description": "This cookie stores The date when synchronization is performed, in the format yyyymmdd. A third-party, ad exchange-specific cookie that syncs the Adobe Advertising surfer ID with the partner ad exchange. It's created for new surfers and sends a synchronization request when it's expired.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "f8bcf9b6-49e1-4d16-825d-780056141185", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_sync_bk", + "Domain": "everesttech.net", + "Description": "This cookie stores The date when synchronization is performed, in the format yyyymmdd. A third-party, ad exchange-specific cookie that syncs the Adobe Advertising surfer ID with the partner ad exchange. It's created for new surfers and sends a synchronization request when it's expired.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "2d8b482b-98e2-4110-b0ba-22c464bc668d", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_sync_dd", + "Domain": "everesttech.net", + "Description": "This cookie stores The date when synchronization is performed, in the format yyyymmdd. A third-party, ad exchange-specific cookie that syncs the Adobe Advertising surfer ID with the partner ad exchange. It's created for new surfers and sends a synchronization request when it's expired.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "d031b4a4-b995-491a-ade8-0ee4a6f39527", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_sync_fs", + "Domain": "everesttech.net", + "Description": "This cookie stores The date when synchronization is performed, in the format yyyymmdd. A third-party, ad exchange-specific cookie that syncs the Adobe Advertising surfer ID with the partner ad exchange. It's created for new surfers and sends a synchronization request when it's expired.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "d6fb85b9-3c38-402f-9a1f-5ff3fb2e5cf0", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_sync_ix", + "Domain": "everesttech.net", + "Description": "This cookie stores The date when synchronization is performed, in the format yyyymmdd. A third-party, ad exchange-specific cookie that syncs the Adobe Advertising surfer ID with the partner ad exchange. It's created for new surfers and sends a synchronization request when it's expired.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "11aae5ad-01a0-4dec-be9c-bbd69d00fe85", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_sync_nx", + "Domain": "everesttech.net", + "Description": "This cookie stores The date when synchronization is performed, in the format yyyymmdd. A third-party, ad exchange-specific cookie that syncs the Adobe Advertising surfer ID with the partner ad exchange. It's created for new surfers and sends a synchronization request when it's expired.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "7ac34e34-3c12-4498-98ed-ed5ed6c86dc7", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_sync_ox", + "Domain": "everesttech.net", + "Description": "This cookie stores The date when synchronization is performed, in the format yyyymmdd. A third-party, ad exchange-specific cookie that syncs the Adobe Advertising surfer ID with the partner ad exchange. It's created for new surfers and sends a synchronization request when it's expired.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "460e6ee4-93fd-4116-945a-79ea488a93c8", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_sync_pm", + "Domain": "everesttech.net", + "Description": "This cookie stores The date when synchronization is performed, in the format yyyymmdd. A third-party, ad exchange-specific cookie that syncs the Adobe Advertising surfer ID with the partner ad exchange. It's created for new surfers and sends a synchronization request when it's expired.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "f7c52e43-81f6-4ebe-bf6e-07a3b9067621", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_sync_rc", + "Domain": "everesttech.net", + "Description": "This cookie stores The date when synchronization is performed, in the format yyyymmdd. A third-party, ad exchange-specific cookie that syncs the Adobe Advertising surfer ID with the partner ad exchange. It's created for new surfers and sends a synchronization request when it's expired.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "8f268495-ba09-40ce-82d8-8239bea929f1", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_sync_tm", + "Domain": "everesttech.net", + "Description": "This cookie stores The date when synchronization is performed, in the format yyyymmdd. A third-party, ad exchange-specific cookie that syncs the Adobe Advertising surfer ID with the partner ad exchange. It's created for new surfers and sends a synchronization request when it's expired.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "28b47f23-bd3a-468a-a470-7e393eecc61c", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "ev_sync_yh", + "Domain": "everesttech.net", + "Description": "This cookie stores the date when synchronization is performed, in the format yyyymmdd. A third-party, ad exchange-specific cookie that syncs the Adobe Advertising surfer ID with the partner ad exchange. It's created for new surfers and sends a synchronization request when it's expired.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "417dfb98-920e-4095-bd17-d4596576eff2", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "adcloud", + "Domain": "", + "Description": "This cookie stores The timestamps of the surfer's last visit to the advertiser’s website and the surfer's last search click, and the ef_id that was created when the user clicked an ad", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "55d48120-ff9c-42b6-8a64-7dfe5b066ee1", + "Platform": "Adobe Advertising", + "Category": "Marketing", + "Cookie / Data Key name": "id_adcloud", + "Domain": "", + "Description": "This cookie stores the surfer ID", + "Retention period": "91 days", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "cc65280a-ffba-11e9-8d71-362b9e155667", + "Platform": "MediaMath", + "Category": "Marketing", + "Cookie / Data Key name": "mt_misc", + "Domain": "mathtag.com", + "Description": "MediaMath uses this cookie to hold attributes about the browser for fraud prevention and other technical optimizations.", + "Retention period": "30 days", + "Data Controller": "MediaMath", + "User Privacy & GDPR Rights Portals": "https://www.mediamath.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc652936-ffba-11e9-8d71-362b9e155667", + "Platform": "MediaMath", + "Category": "Marketing", + "Cookie / Data Key name": "mt_mop", + "Domain": "mathtag.com", + "Description": "MediaMath uses this cookie to synchronize the visitor ID with a limited number of trusted exchanges and data partners", + "Retention period": "30 days", + "Data Controller": "MediaMath", + "User Privacy & GDPR Rights Portals": "https://www.mediamath.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc652a58-ffba-11e9-8d71-362b9e155667", + "Platform": "PowerLinks", + "Category": "Marketing", + "Cookie / Data Key name": "pl_user_id", + "Domain": "powerlinks.com", + "Description": "This cookie registers data on the visitor. The information is used to optimize advertisement relevance.", + "Retention period": "3 months", + "Data Controller": "PowerLinks", + "User Privacy & GDPR Rights Portals": "https://www.powerlinks.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc652d8c-ffba-11e9-8d71-362b9e155667", + "Platform": "Rapleaf", + "Category": "Marketing", + "Cookie / Data Key name": "pxrc", + "Domain": "rlcdn.com", + "Description": "This cookie registers non-personal data on the visitor. The information is used to optimize advertisement relevance.", + "Retention period": "2 months", + "Data Controller": "Tower Data", + "User Privacy & GDPR Rights Portals": "https://www.towerdata.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "cc652ec2-ffba-11e9-8d71-362b9e155667", + "Platform": "Rapleaf", + "Category": "Marketing", + "Cookie / Data Key name": "rlas3", + "Domain": "rlcdn.com", + "Description": "Collects anonymous data related to the user's visits to the website, such as the number of visits, average time spent on the website and what pages have been loaded, with the purpose of displaying targeted ads.", + "Retention period": "1 year", + "Data Controller": "Tower Data", + "User Privacy & GDPR Rights Portals": "https://www.towerdata.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "cc653124-ffba-11e9-8d71-362b9e155667", + "Platform": "Tapad", + "Category": "Marketing", + "Cookie / Data Key name": "TapAd_DID", + "Domain": "tapad.com", + "Description": "Used to determine what type of devices (smartphones, tablets, computers, TVs etc.) is used by a user.", + "Retention period": "2 months", + "Data Controller": "Tapad", + "User Privacy & GDPR Rights Portals": "https://www.tapad.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "cc65325a-ffba-11e9-8d71-362b9e155667", + "Platform": "Tapad", + "Category": "Marketing", + "Cookie / Data Key name": "TapAd_TS", + "Domain": "tapad.com", + "Description": "Used to determine what type of devices (smartphones, tablets, computers, TVs etc.) is used by a user.", + "Retention period": "2 months", + "Data Controller": "Tapad", + "User Privacy & GDPR Rights Portals": "https://www.tapad.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "d9c922d7-9cb5-49cd-ac85-b90e85cc988c", + "Platform": "Tapad", + "Category": "Marketing", + "Cookie / Data Key name": "TapAd_3WAY_SYNCS", + "Domain": "", + "Description": "Used for data-synchronization with advertisement networks", + "Retention period": "2 months", + "Data Controller": "Tapad", + "User Privacy & GDPR Rights Portals": "https://www.tapad.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "cc65337c-ffba-11e9-8d71-362b9e155667", + "Platform": "The Tradedesk", + "Category": "Marketing", + "Cookie / Data Key name": "TDCPM", + "Domain": "adsrvr.org", + "Description": "Registers a unique ID that identifies a returning user's device. The ID is used for targeted ads.", + "Retention period": "1 year", + "Data Controller": "The Tradedesk", + "User Privacy & GDPR Rights Portals": "https://adsrvr.org/", + "Wildcard match": 0 + }, + { + "ID": "cc6536a6-ffba-11e9-8d71-362b9e155667", + "Platform": "The Tradedesk", + "Category": "Marketing", + "Cookie / Data Key name": "TDID", + "Domain": "adsrvr.org", + "Description": "Registers a unique ID that identifies a returning user's device. The ID is used for targeted ads.", + "Retention period": "1 year", + "Data Controller": "The Tradedesk", + "User Privacy & GDPR Rights Portals": "https://adsrvr.org/", + "Wildcard match": 0 + }, + { + "ID": "cc653926-ffba-11e9-8d71-362b9e155667", + "Platform": "FreeWheel", + "Category": "Marketing", + "Cookie / Data Key name": "uid-bp-", + "Domain": "stickyadstv.com", + "Description": "The uid cookie is used by FreeWheel to generate statistics to show how many people may have seen a particular ad. Whereas the other cookies recognize returning users for the purpose of presenting users with relevant advertisements.", + "Retention period": "2 months", + "Data Controller": "FreeWheel", + "User Privacy & GDPR Rights Portals": "https://www.freewheel.com/privacy-policy", + "Wildcard match": 1 + }, + { + "ID": "b4b4f0b0-2d9f-4e45-b450-3bece993a134", + "Platform": "FreeWheel", + "Category": "Marketing", + "Cookie / Data Key name": "MRM_UID", + "Domain": "stickyadstv.com", + "Description": "Used to track the visitor across multiple devices including TV", + "Retention period": "1 month", + "Data Controller": "FreeWheel", + "User Privacy & GDPR Rights Portals": "https://www.freewheel.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "cc654204-ffba-11e9-8d71-362b9e155667", + "Platform": "MediaMath", + "Category": "Marketing", + "Cookie / Data Key name": "uuidc", + "Domain": "mathtag.com", + "Description": "Collects data on the user's visits to the website, such as what pages have been loaded. The registered data is used for targeted ads.", + "Retention period": "1 year", + "Data Controller": "MediaMath", + "User Privacy & GDPR Rights Portals": "https://www.mediamath.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc654330-ffba-11e9-8d71-362b9e155667", + "Platform": "Zeotap", + "Category": "Marketing", + "Cookie / Data Key name": "zc", + "Domain": "zeotap.com", + "Description": "Registers data on visitors from multiple visits and on multiple websites. This information is used to measure the efficiency of advertisement on websites.", + "Retention period": "10 years", + "Data Controller": "Zeotap", + "User Privacy & GDPR Rights Portals": "https://zeotap.com/product-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e82ffa6d-803d-4a51-9b82-4cf65875b9bf", + "Platform": "Zeotap", + "Category": "Marketing", + "Cookie / Data Key name": "zsc", + "Domain": "zeotap.com", + "Description": "Frequency capping for cookie syncing", + "Retention period": "1 day", + "Data Controller": "Zeotap", + "User Privacy & GDPR Rights Portals": "https://zeotap.com/product-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "fbabd7f4-7531-496e-a5e1-1f24a846b9c3", + "Platform": "Zeotap", + "Category": "Marketing", + "Cookie / Data Key name": "zi", + "Domain": "zeotap.com", + "Description": "User Identification", + "Retention period": "1 year", + "Data Controller": "Zeotap", + "User Privacy & GDPR Rights Portals": "https://zeotap.com/product-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "1bdc0a8b-9942-48cf-b1d9-0022282f82da", + "Platform": "Zeotap", + "Category": "Marketing", + "Cookie / Data Key name": "idp", + "Domain": "zeotap.com", + "Description": "User Identification", + "Retention period": "1 year", + "Data Controller": "Zeotap", + "User Privacy & GDPR Rights Portals": "https://zeotap.com/product-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "52d0618e-c9e2-47d3-859a-186186868141", + "Platform": "Zeotap", + "Category": "Marketing", + "Cookie / Data Key name": "zuc", + "Domain": "zeotap.com", + "Description": "User Identification", + "Retention period": "1 year", + "Data Controller": "Zeotap", + "User Privacy & GDPR Rights Portals": "https://zeotap.com/product-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc654452-ffba-11e9-8d71-362b9e155667", + "Platform": "Trustpilot", + "Category": "Marketing", + "Cookie / Data Key name": "amplitude_id", + "Domain": "trustpilot.com", + "Description": "These cookies are used by the TrustPilot service to identify you and enable you to leave reviews of our products and services.", + "Retention period": "1 year", + "Data Controller": "Trustpilot", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 1 + }, + { + "ID": "7c8d9e1c-a598-4dd0-8eb4-ab6ba3fb716b", + "Platform": "Trustpilot", + "Category": "Security", + "Cookie / Data Key name": "csrf-canary", + "Domain": "trustpilot.com", + "Description": "These cookies are used by the TrustPilot service to identify you and enable you to leave reviews of our products and services.", + "Retention period": "session", + "Data Controller": "Trustpilot", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "9dbe7157-3b2b-4ee3-9519-de3d2ead2357", + "Platform": "ID5", + "Category": "Marketing", + "Cookie / Data Key name": "3pi", + "Domain": "id5-sync.com", + "Description": "Sets a unique ID for the visitor, that allows third party advertisers to target the visitor with relevant advertisement. This pairing service is provided by third party advertisement hubs, which facilitates real-time bidding for advertisers.", + "Retention period": "3 months", + "Data Controller": "ID5", + "User Privacy & GDPR Rights Portals": "https://www.id5.io/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "10d67aaa-88a3-4a0c-b1de-5f69bce4712b", + "Platform": "Admixer", + "Category": "Marketing", + "Cookie / Data Key name": "am-uid", + "Domain": "admixer.net", + "Description": "This cookie is used to identify the visitor and optimize ad-relevance by collecting visitor data from multiple websites – this exchange of visitor data is normally provided by a third-party data-center or ad-exchange.", + "Retention period": "2 years", + "Data Controller": "Admixer", + "User Privacy & GDPR Rights Portals": "https://admixer.net/privacy", + "Wildcard match": 0 + }, + { + "ID": "61a87462-76eb-4dee-a66b-bf2135a22003", + "Platform": "Lotame", + "Category": "Marketing", + "Cookie / Data Key name": "_cc_dc", + "Domain": "crwdcntrl.net", + "Description": "Collects anonymous statistical data related to the user's website visits, such as the number of visits, average time spent on the website and what pages have been loaded. The purpose is to segment the website's users according to factors such as demographics and geographical location, in order to enable media and marketing agencies to structure and understand their target groups to enable customised online advertising.", + "Retention period": "session", + "Data Controller": "Lotame", + "User Privacy & GDPR Rights Portals": "https://www.lotame.com/about-lotame/privacy/lotames-products-services-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "66f480fa-d77b-4206-9182-157c27cd35bf", + "Platform": "BlueKai", + "Category": "Marketing", + "Cookie / Data Key name": "bkpa", + "Domain": "bluekai.com", + "Description": "Used to present the visitor with relevant content and advertisement - The service is provided by third party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "179 days", + "Data Controller": "Oracle", + "User Privacy & GDPR Rights Portals": "https://www.oracle.com/legal/privacy/marketing-cloud-data-cloud-privacy-policy.html", + "Wildcard match": 0 + }, + { + "ID": "a0744952-23e9-4ac9-bd17-cc5170a2a512", + "Platform": "SOVRN", + "Category": "Marketing", + "Cookie / Data Key name": "_ljtrtb_", + "Domain": "lijit.com", + "Description": "These cookies are used temporarily when multiple partners pass us their ID simultaneously. To avoid technical conflicts that arise from accessing the ljtrtb cookie for multiple partners at the same time, we store each partner’s ID in a separate cookie and then consolidate these IDs into the ljtrtb cookie when it’s available.", + "Retention period": "1 year", + "Data Controller": "SOVRN", + "User Privacy & GDPR Rights Portals": "https://www.sovrn.com/legal/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "ba50ecb2-9df0-4175-bbf0-118902e4c876", + "Platform": "SOVRN", + "Category": "Marketing", + "Cookie / Data Key name": "ljtrtb", + "Domain": "lijit.com", + "Description": "Enables us to help our advertising partners make decisions about displaying an advertisement to you. We store the ID that each partner uses to identify you and pass that information to the partner when a website requests an advertisement from us.", + "Retention period": "1 year", + "Data Controller": "SOVRN", + "User Privacy & GDPR Rights Portals": "https://www.sovrn.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "80da4bb9-e5d4-4e20-958b-a1e1e2779272", + "Platform": "Mediamath", + "Category": "Marketing", + "Cookie / Data Key name": "uuid", + "Domain": "mathtag.com", + "Description": "Collects data on the user's visits to the website, such as what pages have been loaded. The registered data is used for targeted ads.", + "Retention period": "1 year", + "Data Controller": "MediaMath", + "User Privacy & GDPR Rights Portals": "https://www.mediamath.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "4c25e90e-f66c-4395-98db-fdbaea92e5a4", + "Platform": "Pinterest", + "Category": "Functional", + "Cookie / Data Key name": "_pinterest_cm", + "Domain": "pinterest.com", + "Description": "Pinterest cookie ensures that you can share our website pages via Pinterest by means of the 'share' button", + "Retention period": "347 days", + "Data Controller": "Pinterest", + "User Privacy & GDPR Rights Portals": "https://policy.pinterest.com/en/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "21e2b62f-6d9f-4527-9857-d59a71ee0b39", + "Platform": "Pinterest", + "Category": "Functional", + "Cookie / Data Key name": "_pinterest_sess", + "Domain": "pinterest.com", + "Description": "session cookie (expires after your session) which collects anonymous data about a user's visit to the website, such as the number of visits, average time spent on the site and which pages have been loaded in order to personalise and improve the Pinterest service.", + "Retention period": "session", + "Data Controller": "Pinterest", + "User Privacy & GDPR Rights Portals": "https://policy.pinterest.com/en/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "3a0db572-1853-4f7a-96cf-828ff9e76246", + "Platform": "Pinterest", + "Category": "Marketing", + "Cookie / Data Key name": "_pin_unauth", + "Domain": "pinterest.com", + "Description": "Registers a unique ID that identifies and recognizes the user. Is used for targeted advertising.", + "Retention period": "1 day", + "Data Controller": "Pinterest", + "User Privacy & GDPR Rights Portals": "https://policy.pinterest.com/en/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "1a147750-3567-43ef-b292-eb9a11b203b1", + "Platform": "Pinterest", + "Category": "Marketing", + "Cookie / Data Key name": "_pinterest_ct_ua", + "Domain": "pinterest.com", + "Description": "This cookieis a third party cookie which groups actions for users who cannot be identified by Pinterest.", + "Retention period": "session", + "Data Controller": "Pinterest", + "User Privacy & GDPR Rights Portals": "https://policy.pinterest.com/en/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "d26e90ae-4f43-11eb-ae93-0242ac130002", + "Platform": "Pinterest", + "Category": "Marketing", + "Cookie / Data Key name": "sessionFunnelEventLogged", + "Domain": "pinterest.com", + "Description": "A generic technical cookie used for storing user session identifier in web applications", + "Retention period": "1 day", + "Data Controller": "Pinterest", + "User Privacy & GDPR Rights Portals": "https://policy.pinterest.com/en/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "d26e68cc-4f43-11eb-ae93-0242ac130002", + "Platform": "Pinterest", + "Category": "Marketing", + "Cookie / Data Key name": "_routing_id", + "Domain": "pinterest.com", + "Description": "Allows users to share pictures via Pinterest / the Pin It button. Pinterest can collect statistical information about usage of their service.", + "Retention period": "1 day", + "Data Controller": "Pinterest", + "User Privacy & GDPR Rights Portals": "https://policy.pinterest.com/en/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "eeb9582c-ff10-487d-84fc-159df04d1027", + "Platform": "Pinterest", + "Category": "Marketing", + "Cookie / Data Key name": "_derived_epik", + "Domain": "pinterest.com", + "Description": "Cookie is placed by the Pinterest tag when a match is identified when no cookies are present, such as enhanced match.", + "Retention period": "1 year", + "Data Controller": "Pinterest", + "User Privacy & GDPR Rights Portals": "https://policy.pinterest.com/en/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "eaed072c-3f66-418b-8227-ff53a0354439", + "Platform": "Pinterest", + "Category": "Marketing", + "Cookie / Data Key name": "_pinterest_ct", + "Domain": "", + "Description": "They contain a user ID and the timestamp at which the cookie was created.", + "Retention period": "1 year", + "Data Controller": "Pinterest", + "User Privacy & GDPR Rights Portals": "https://policy.pinterest.com/en/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "10aa90b3-a444-4a56-b2fd-c32e9a2ff457", + "Platform": "Pinterest", + "Category": "Marketing", + "Cookie / Data Key name": "_pinterest_ct_rt", + "Domain": "", + "Description": "They contain a user ID and the timestamp at which the cookie was created.", + "Retention period": "1 year", + "Data Controller": "Pinterest", + "User Privacy & GDPR Rights Portals": "https://policy.pinterest.com/en/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "b7f93cf5-84f9-4746-818f-92de4962d2ad", + "Platform": "Pinterest", + "Category": "Marketing", + "Cookie / Data Key name": "_epik", + "Domain": "pinterest.com", + "Description": "Cookie is placed by the JavaScript tag based on information sent from Pinterest with promoted traffic to help identify the user.", + "Retention period": "1 year", + "Data Controller": "Pinterest", + "User Privacy & GDPR Rights Portals": "https://policy.pinterest.com/en/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "db6d9896-ca05-4748-a9d3-621516aefb67", + "Platform": "nopCommerce", + "Category": "Functional", + "Cookie / Data Key name": "Nop.customer", + "Domain": "", + "Description": "Customer cookie. Used to identifier guest customers.", + "Retention period": "1 month", + "Data Controller": "nopCommerce", + "User Privacy & GDPR Rights Portals": "https://www.nopcommerce.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "23827816-ede0-4bd0-bcba-0a269e8a67e3", + "Platform": "nopCommerce", + "Category": "Functional", + "Cookie / Data Key name": "NopCommerce.RecentlyViewedProducts", + "Domain": "", + "Description": "Recently viewed products cookie. Stores a list of the recently viewed products", + "Retention period": "10 days", + "Data Controller": "nopCommerce", + "User Privacy & GDPR Rights Portals": "https://www.nopcommerce.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "a561b5cc-ffd9-4948-b185-e16a5348364e", + "Platform": "nopCommerce", + "Category": "Functional", + "Cookie / Data Key name": "NOPCOMMERCE.AUTH", + "Domain": "", + "Description": "Forms authentication cookie. Used for authenticating registered customers.", + "Retention period": "session", + "Data Controller": "nopCommerce", + "User Privacy & GDPR Rights Portals": "https://www.nopcommerce.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "6ddbfbd9-098d-4c5e-943c-1b687f7a260c", + "Platform": "FeedbackCompany", + "Category": "Functional", + "Cookie / Data Key name": "tsrvid", + "Domain": "", + "Description": "Feedback company review cookie", + "Retention period": "1 year", + "Data Controller": "FeedbackCompany", + "User Privacy & GDPR Rights Portals": "https://www.feedbackcompany.com/nl-nl/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "681f241d-b8e4-4963-b6af-6da47011f8e5", + "Platform": "Magento", + "Category": "Security", + "Cookie / Data Key name": "form_key", + "Domain": "", + "Description": "A security measure that appends a random string to all form submissions to protect the data from Cross-Site Request Forgery (CSRF).", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "fe153693-d590-446a-a81b-672f7b3d4d5b", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "product_data_storage", + "Domain": "", + "Description": "Stores configuration for product data related to Recently Viewed / Compared Products.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 1 + }, + { + "ID": "b088f9b1-fba4-447d-b221-a9d741f0b245", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "mage-cache-sessid", + "Domain": "", + "Description": "The value of this cookie triggers the cleanup of local cache storage. When the cookie is removed by the backend application, the Admin cleans up local storage, and sets the cookie value to true.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "21c54c2c-0a0f-4af7-a5f7-4271fc9263d4", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "mage-cache-storage", + "Domain": "", + "Description": "Local storage of visitor-specific content that enables ecommerce functions.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 1 + }, + { + "ID": "65c3688b-73ae-4470-a84a-652e59b15eaf", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "mage-cache-storage-section-invalidation", + "Domain": "", + "Description": "Forces local storage of specific content sections that should be invalidated.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 1 + }, + { + "ID": "e007854c-80d5-4886-80dd-5fbbb8c4ca76", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "mage-cache-timeout", + "Domain": "", + "Description": "This cookie is necessary for the cache function. A cache is used by the website to optimize the response time between the visitor and the website. The cache is usually stored on the visitor's browser.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 1 + }, + { + "ID": "ad8f5721-fde1-4e6a-a256-b94153531682", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "mage-messages", + "Domain": "", + "Description": "Tracks error messages and other notifications that are shown to the user, such as the cookie consent message, and various error messages. The message is deleted from the cookie after it is shown to the shopper.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "8a623f7c-1818-43a8-9ecf-734584a384f6", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "mage-translation-file-version", + "Domain": "", + "Description": "Tracks the version of translations in local storage. Used when Translation Strategy is configured as Dictionary (Translation on Storefront side).", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "d6eb855b-e6cb-4bb1-92a0-927c034bc343", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "mage-translation-storage", + "Domain": "", + "Description": "Stores translated content when requested by the shopper. Used when Translation Strategy is configured as Dictionary (Translation on Storefront side).", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "3bf0ce4d-9731-4659-a657-f3d5de7bd31a", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "recently_compared_product", + "Domain": "", + "Description": "Stores product IDs of recently compared products.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 1 + }, + { + "ID": "b6467864-6873-4c36-8ddd-deca2b4aa287", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "recently_compared_product_previous", + "Domain": "", + "Description": "Stores product IDs of previously compared products for easy navigation.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 1 + }, + { + "ID": "1b537c1f-2ecc-4dd5-aad2-9646e6e28e88", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "recently_viewed_product", + "Domain": "", + "Description": "Stores product IDs of recently viewed products for easy navigation.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 1 + }, + { + "ID": "08649653-410d-4184-8f6d-b5b2d278dad4", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "recently_viewed_product_previous", + "Domain": "", + "Description": "Stores product IDs of recently previously viewed products for easy navigation.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 1 + }, + { + "ID": "a6e668bc-85c4-454b-a115-2aa7847ed0ff", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "user_allowed_save_cookie", + "Domain": "", + "Description": "Indicates if a customer is allowed to use cookies.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "1ce46e4a-1754-4d20-a201-e586ffd2a691", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "external_no_cache", + "Domain": "", + "Description": "A flag that indicates if caching is disabled.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "80630716-3fa3-40ff-b32b-d620997cb32f", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "persistent_shopping_cart", + "Domain": "", + "Description": "Stores the key (ID) of persistent cart to make it possible to restore the cart for an anonymous shopper.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "5d6fd130-4012-495d-bee2-6cb888a61b43", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "stf", + "Domain": "", + "Description": "Records the time messages are sent by the SendFriend (Email a Friend) module.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "7650d8d8-186d-4fd7-9299-c2289831cd34", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "pollN", + "Domain": "", + "Description": "A poll ID that indicates if a vote has occurred.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "ea02f0e9-d66b-4db5-8076-04bf103b261e", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "frontend", + "Domain": "", + "Description": "Session ID", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "6ace7772-0576-4a56-b17a-bce66edf805c", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "guest-view", + "Domain": "", + "Description": "Allows guests to edit their orders.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "70340ce5-cac9-4999-8a7a-534fe8667a93", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "mage-banners-cache-storage", + "Domain": "", + "Description": "Stores banner content locally to improve performance.", + "Retention period": "1 hour", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "d211e247-570f-494e-85e3-f9c977aecd52", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "searchReport-log", + "Domain": "", + "Description": "Magento, used to log information about searching", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "4115e97d-6324-4229-bca2-5bcdd87876d9", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "private_content_version", + "Domain": "", + "Description": "Appends a random, unique number and time to pages with customer content to prevent them from being cached on the server.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "f8a5d529-5db0-4524-8fde-53aa30fece72", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "X-Magento-Vary", + "Domain": "", + "Description": "X-Magento-Vary cookie is used by Magento 2 system to highlight that version of a page requested by a user has been changed. It allows having different versions of the same page stored in cache e.g. Varnish.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "1846b26d-6632-4c1d-82a7-4bd1d880e131", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "section_data_ids", + "Domain": "", + "Description": "Stores customer-specific information related to shopper-initiated actions such as display wish list, checkout information, etc.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "0346e59b-4bd4-4388-a19f-fab346ff4d02", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "section_data_clean", + "Domain": "", + "Description": "Determines which products the user has viewed, allowing the website to promote related products.", + "Retention period": "1 day", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "dd7685d1-5699-4c46-9fc1-32d31207f21b", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "last_visited_store", + "Domain": "", + "Description": "This cookie keeps track of the last website you visited. This is necessary to enable the correct language on the website.", + "Retention period": "1 day", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "088e7df0-01d5-42ed-ad6f-171643b70fd8", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "store", + "Domain": "", + "Description": "This cookie keeps track of the last website you visited. This is necessary to enable the correct language on the website.", + "Retention period": "1 day", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "da6e6e44-b717-45df-b96a-2484f854268b", + "Platform": "Magento", + "Category": "Functional", + "Cookie / Data Key name": "login_redirect", + "Domain": "", + "Description": "Preserves the destination page that was loading before the customer was directed to log in.", + "Retention period": "session", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "16c7e05b-b046-4342-8157-d49b053a1a83", + "Platform": "PowerLinks Media Limited", + "Category": "Marketing", + "Cookie / Data Key name": "dsps:", + "Domain": "px.powerlinks.com", + "Description": "Service to display targeted advertising to visitors.", + "Retention period": "90 days", + "Data Controller": "PowerLinks Media Limited", + "User Privacy & GDPR Rights Portals": "https://www.powerlinks.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "d9f37df9-e813-4409-a2f6-b20fdec00be6", + "Platform": "Vuble", + "Category": "Marketing", + "Cookie / Data Key name": "_mb", + "Domain": "vuble.tv", + "Description": "Used in context with video-advertisement. The cookie limits the number of times a visitor is shown the same advertisement-content. The cookie is also used to ensure relevance of the video-advertisement to the specific visitor.", + "Retention period": "session", + "Data Controller": "Vuble", + "User Privacy & GDPR Rights Portals": "https://www.vuble.tv/privacy", + "Wildcard match": 0 + }, + { + "ID": "3581f81b-77ba-4303-8110-6f7fea42eead", + "Platform": "Wordpress", + "Category": "Functional", + "Cookie / Data Key name": "wordpress_test_cookie", + "Domain": "", + "Description": "Cookie set by WordPress to check if the cookies are enabled on the browser to provide appropriate user experience to the users", + "Retention period": "session", + "Data Controller": "Wordpress", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "3b7c8773-741c-459c-bda7-70d2b681c16b", + "Platform": "Joomla!", + "Category": "Functional", + "Cookie / Data Key name": "componentType", + "Domain": "", + "Description": "componentType is a session cookie, used for correct recording the type of the page (frontpage, single page, blog etc)", + "Retention period": "session", + "Data Controller": "Joomla!", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "0fb20e92-eb37-4b5b-a455-abdb89df7276", + "Platform": "Joomla!", + "Category": "Functional", + "Cookie / Data Key name": "componentStyle", + "Domain": "", + "Description": "componentStyle is a session cookie, used for setting the proper template in compliance with visited type of the page", + "Retention period": "session", + "Data Controller": "Joomla!", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "6d8c1055-67aa-4ceb-975e-3c6b35a1663b", + "Platform": "Joomla! Engagebox", + "Category": "Functional", + "Cookie / Data Key name": "nrid", + "Domain": "", + "Description": "This cookie is used to remember a user's choice about cookies on the website. Where users have previously indicated a preference, that user’s preference will be stored in this cookie.", + "Retention period": "2 years", + "Data Controller": "Joomla!", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "004512f2-1641-4054-b4c5-61e0a7fc7e68", + "Platform": "Sharpspring", + "Category": "Marketing", + "Cookie / Data Key name": "koitk", + "Domain": ".marketingautomation.services", + "Description": "Collects data on visitors behavior and interaction - This is used to optimize the website and make advertisement on the website more relevant.", + "Retention period": "3 years", + "Data Controller": "Constant Contact", + "User Privacy & GDPR Rights Portals": "https://www.constantcontact.com/legal/privacy-notice", + "Wildcard match": 0 + }, + { + "ID": "44f3fa5c-a04c-4116-abbc-d3fd307d8723", + "Platform": "Sharpspring", + "Category": "Marketing", + "Cookie / Data Key name": "__ss_referrer", + "Domain": "", + "Description": "This cookie contains information about where the visitor came from, called the source for the visit.", + "Retention period": "6 hours", + "Data Controller": "Constant Contact", + "User Privacy & GDPR Rights Portals": "https://www.constantcontact.com/legal/privacy-notice", + "Wildcard match": 0 + }, + { + "ID": "93f3e1ea-e4fb-4220-a0b8-6914b4227e99", + "Platform": "Sharpspring", + "Category": "Marketing", + "Cookie / Data Key name": "__ss_tk", + "Domain": "", + "Description": "This is Sharspring’s token cookie which enables user tracking. It ensures that the visit to website is connected to the user independent of the session and the source.", + "Retention period": "25 years", + "Data Controller": "Constant Contact", + "User Privacy & GDPR Rights Portals": "https://www.constantcontact.com/legal/privacy-notice", + "Wildcard match": 0 + }, + { + "ID": "838d4b4e-8db1-4666-a584-de645682f861", + "Platform": "Sharpspring", + "Category": "Marketing", + "Cookie / Data Key name": "__ss", + "Domain": "", + "Description": "This cookie is storing the session ID for your visit. It is used in combination with _ss_tk to group website visits in reports for a single user.", + "Retention period": "30 minutes", + "Data Controller": "Constant Contact", + "User Privacy & GDPR Rights Portals": "https://www.constantcontact.com/legal/privacy-notice", + "Wildcard match": 0 + }, + { + "ID": "2c4137e9-a985-4786-85a4-9de056f6777f", + "Platform": "Matomo", + "Category": "Analytics", + "Cookie / Data Key name": "_pk_id", + "Domain": "", + "Description": "Used to store a few details about the user such as the unique visitor ID", + "Retention period": "13 months", + "Data Controller": "Matomo", + "User Privacy & GDPR Rights Portals": "https://matomo.org/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "4f72b12e-0b31-4863-9e8c-9701993f2e04", + "Platform": "Matomo", + "Category": "Analytics", + "Cookie / Data Key name": "_pk_ref", + "Domain": "", + "Description": "Used to store the attribution information, the referrer initially used to visit the website", + "Retention period": "6 months", + "Data Controller": "Matomo", + "User Privacy & GDPR Rights Portals": "https://matomo.org/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "a92a94f8-74f6-41e3-853c-d8a66cd78ea1", + "Platform": "Matomo", + "Category": "Analytics", + "Cookie / Data Key name": "_pk_ses", + "Domain": "", + "Description": "Short lived cookies used to temporarily store data for the visit", + "Retention period": "30 minutes", + "Data Controller": "Matomo", + "User Privacy & GDPR Rights Portals": "https://matomo.org/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "418d76c5-5567-4cf0-a0d9-f4e2816c5464", + "Platform": "Matomo", + "Category": "Analytics", + "Cookie / Data Key name": "_pk_cvar", + "Domain": "", + "Description": "Short lcts data on visitors behavior and interaction - This is used to optimize the website and make advertisement on the website more relevant.", + "Retention period": "3 years", + "Data Controller": "Sharpspring", + "User Privacy & GDPR Rights Portals": "https://sharpspring.com/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "db0dbc7f-dd7d-4e19-af62-a0db83f8ca2e", + "Platform": "Matomo", + "Category": "Analytics", + "Cookie / Data Key name": "_pk_hsr", + "Domain": "", + "Description": "Short lived cookies used to temporarily store data for the visit", + "Retention period": "30 minutes", + "Data Controller": "Matomo", + "User Privacy & GDPR Rights Portals": "https://matomo.org/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "73a8e9ca-6f5a-46d9-a270-ef3136f05d13", + "Platform": "Matomo", + "Category": "Analytics", + "Cookie / Data Key name": "_pk_testcookie", + "Domain": "", + "Description": "Cookie is created and should be then directly deleted (used to check whether the visitor’s browser supports cookies)", + "Retention period": "session", + "Data Controller": "Matomo", + "User Privacy & GDPR Rights Portals": "https://matomo.org/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "d3e732b4-f6ea-448a-8276-5b5d76d7f5dc", + "Platform": "Matomo", + "Category": "Analytics", + "Cookie / Data Key name": "mtm_consent", + "Domain": "", + "Description": "Cookie is created with no expiry date to forever remember that consent was given by the user.", + "Retention period": "forever", + "Data Controller": "Matomo", + "User Privacy & GDPR Rights Portals": "https://matomo.org/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cf48ca73-2c7c-409d-ba08-c8e32b44a1d9", + "Platform": "Matomo", + "Category": "Analytics", + "Cookie / Data Key name": "mtm_consent_removed", + "Domain": "", + "Description": "Cookie is used to store the user consent preference", + "Retention period": "forever", + "Data Controller": "Matomo", + "User Privacy & GDPR Rights Portals": "https://matomo.org/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0622a84d-0a73-4086-bdd9-48a37c01fbe8", + "Platform": "Matomo", + "Category": "Analytics", + "Cookie / Data Key name": "mtm_cookie_consent", + "Domain": "", + "Description": "Cookie is used to store the user consent preference", + "Retention period": "forever", + "Data Controller": "Matomo", + "User Privacy & GDPR Rights Portals": "https://matomo.org/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "c734b67c-a1dd-4e52-b63b-0275ce06d202", + "Platform": "Matomo", + "Category": "Analytics", + "Cookie / Data Key name": "matomo_ignore", + "Domain": "", + "Description": "cookie will be a third party cookie. This cookie does not contain personal information or any ID and the cookie value is the same for all visitors)", + "Retention period": "30 years", + "Data Controller": "Matomo", + "User Privacy & GDPR Rights Portals": "https://matomo.org/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc4c8b7b-d6ee-4c9c-acb2-0caef86f595f", + "Platform": "Matomo", + "Category": "Analytics", + "Cookie / Data Key name": "matomo_sessid", + "Domain": "", + "Description": "when you use the opt-out feature (this is called a nonce and helps prevent CSRF security issues)", + "Retention period": "14 days", + "Data Controller": "Matomo", + "User Privacy & GDPR Rights Portals": "https://matomo.org/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "62cae092-29cc-4dd2-a326-3e19a984df6d", + "Platform": "Datatrics", + "Category": "Marketing", + "Cookie / Data Key name": "datatrics_optin", + "Domain": "", + "Description": "Saving opt-in preferences.", + "Retention period": "undefined", + "Data Controller": "Datatrics", + "User Privacy & GDPR Rights Portals": "https://www.datatrics.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "a6b6adb1-fb5f-4cbe-a651-5927c94fdc14", + "Platform": "Datatrics", + "Category": "Marketing", + "Cookie / Data Key name": "datatricsDebugger", + "Domain": "", + "Description": "Saving Datatrics debugger preferences.", + "Retention period": "undefined", + "Data Controller": "Datatrics", + "User Privacy & GDPR Rights Portals": "https://www.datatrics.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "33a6f48c-b796-43f5-a083-dc093d0d0db0", + "Platform": "Datatrics", + "Category": "Marketing", + "Cookie / Data Key name": "datatrics_customData", + "Domain": "", + "Description": "Saving defined custom data.", + "Retention period": "undefined", + "Data Controller": "Datatrics", + "User Privacy & GDPR Rights Portals": "https://www.datatrics.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "90e704b5-a83f-4013-8896-be4b018b3b4c", + "Platform": "WePublish", + "Category": "Analytics", + "Cookie / Data Key name": "_wepublishGa", + "Domain": "", + "Description": "ID used to identify users", + "Retention period": "2 years", + "Data Controller": "WePublish", + "User Privacy & GDPR Rights Portals": "https://www.wepublish.com/privacy-statement.html", + "Wildcard match": 0 + }, + { + "ID": "4671a3b3-58ef-4b48-962d-abfb4b5e8143", + "Platform": "WePublish", + "Category": "Analytics", + "Cookie / Data Key name": "_wepublishGa_gid", + "Domain": "", + "Description": "ID used to identify users for 24 hours after last activity 24 hours", + "Retention period": "24 hours", + "Data Controller": "WePublish", + "User Privacy & GDPR Rights Portals": "https://www.wepublish.com/privacy-statement.html", + "Wildcard match": 0 + }, + { + "ID": "eb839f61-f36a-4f51-a4d1-ff37fa75b995", + "Platform": "OneTrust", + "Category": "Functional", + "Cookie / Data Key name": "OptanonConsent", + "Domain": "", + "Description": "This cookie is set by the cookie compliance solution from OneTrust. It stores information about the categories of cookies the site uses and whether visitors have given or withdrawn consent for the use of each category. This enables site owners to prevent cookies in each category from being set in the user’s browser, when consent is not given. The cookie has a normal lifespan of one year, so that returning visitors to the site will have their preferences remembered. It contains no information that can identify the site visitor.", + "Retention period": "1 year", + "Data Controller": "OneTrust", + "User Privacy & GDPR Rights Portals": "https://www.onetrust.com/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "ef1e8fd4-cc42-4fc0-ad79-5f6d34d08196", + "Platform": "OneTrust", + "Category": "Functional", + "Cookie / Data Key name": "OptanonAlertBoxClosed", + "Domain": "", + "Description": "This cookie is set by the cookie compliance solution from OneTrust. It stores information about the categories of cookies the site uses and whether visitors have given or withdrawn consent for the use of each category. This enables site owners to prevent cookies in each category from being set in the users browser, when consent is not given. The cookie has a normal lifespan of one year, so that returning visitors to the site will have their preferences remembered. It contains no information that can identify the site visitor.", + "Retention period": "1 year", + "Data Controller": "OneTrust", + "User Privacy & GDPR Rights Portals": "https://www.onetrust.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ae064472-a4be-4c56-8bb2-ca12085741c5", + "Platform": "OneTrust", + "Category": "Functional", + "Cookie / Data Key name": "OptanonControl", + "Domain": "", + "Description": "This cookie is set by the cookie compliance solution from OneTrust. It stores information about the categories of cookies the site uses and whether visitors have given or withdrawn consent for the use of each category. This enables site owners to prevent cookies in each category from being set in the user’s browser, when consent is not given. The cookie has a normal lifespan of one year, so that returning visitors to the site will have their preferences remembered. It contains no information that can identify the site visitor.", + "Retention period": "1 year", + "Data Controller": "OneTrust", + "User Privacy & GDPR Rights Portals": "https://www.onetrust.com/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "537d6567-9087-480b-bdf2-b3ca9a0240ce", + "Platform": "OneTrust", + "Category": "Functional", + "Cookie / Data Key name": "OneTrustWPCCPAGoogleOptOut", + "Domain": "", + "Description": "This cookie is set by OneTrust. It is used to honor IAB CCPA laws for consent.", + "Retention period": "365 days", + "Data Controller": "OneTrust", + "User Privacy & GDPR Rights Portals": "https://www.onetrust.com/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "93a9be17-4c85-4280-b4a8-63bd5a15b3b0", + "Platform": "OneTrust", + "Category": "Functional", + "Cookie / Data Key name": "FunctionalCookie", + "Domain": "", + "Description": "This cookie works with the OneTrust Cookie Management Platform to activate scripts and cookies associated with the Functional Cookies category, when the user gives appropriate consent.", + "Retention period": "0 days", + "Data Controller": "OneTrust", + "User Privacy & GDPR Rights Portals": "https://www.onetrust.com/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "9da43c11-dd40-4c71-be3d-be091f176757", + "Platform": "OneTrust", + "Category": "Marketing", + "Cookie / Data Key name": "_mkto_trk", + "Domain": ".onetrust.com", + "Description": "This cookie is associated with an email marketing service provided by Marketo. This tracking cookie allows a website to link visitor behaviour to the recipient of an email marketing campaign, to measure campaign effectiveness.", + "Retention period": "729 days", + "Data Controller": "OneTrust", + "User Privacy & GDPR Rights Portals": "https://www.onetrust.com/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "fad16835-0d5f-4f4d-932a-67c0e8befb5b", + "Platform": "OneTrust", + "Category": "Functional", + "Cookie / Data Key name": "utm_key", + "Domain": ".onetrust.com", + "Description": "This cookie is set to save personalized marketing campaign parameters. It displays customized data depending on the type of website visitor.", + "Retention period": "Session", + "Data Controller": "OneTrust", + "User Privacy & GDPR Rights Portals": "https://www.onetrust.com/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "8f86b23c-f248-4888-8d34-d9ecbb36ad38", + "Platform": "OneTrust", + "Category": "Functional", + "Cookie / Data Key name": "__Secure-fgpt", + "Domain": ".onetrust.com", + "Description": "This cookie is set due an HTTP response header to send information between client and cloud server domains, like location and payload data. Its attribute has a “secure” flag in its name indicating that the cookie is sent only in HTTPS schemas to enhance security and prevent unauthorized access of information.", + "Retention period": "Session", + "Data Controller": "OneTrust", + "User Privacy & GDPR Rights Portals": "https://www.onetrust.com/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "95c66258-b4be-4239-97ce-5def7a3dcde3", + "Platform": "Optimizely", + "Category": "Marketing", + "Cookie / Data Key name": "optimizelyEndUserId", + "Domain": "", + "Description": "Stores a visitor's unique Optimizely identifier. It's a combination of a timestamp and random number. No other information about you or your visitors is stored inside.", + "Retention period": "6 months", + "Data Controller": "Optimizely", + "User Privacy & GDPR Rights Portals": "https://www.optimizely.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d06b6423-c8fc-4ddb-9fe0-b0afd15e06f4", + "Platform": "Optimizely", + "Category": "Marketing", + "Cookie / Data Key name": "optimizelyRedirectData", + "Domain": "", + "Description": "After Optimizely has executed a redirect experiment, stores various data from the original page so that Optimizely still has access to it on the new page.", + "Retention period": "5 seconds", + "Data Controller": "Optimizely", + "User Privacy & GDPR Rights Portals": "https://www.optimizely.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "497178e7-6d4a-4b9c-bd00-149c4b28288e", + "Platform": "Optimizely", + "Category": "Marketing", + "Cookie / Data Key name": "optimizelyDomainTestCookie", + "Domain": "", + "Description": "When Optimizely loads a URL, the snippet places the cookie to get the current domain, for the purpose of whether cross-domain syncing is possible. If successful, the cookie is immediately removed.", + "Retention period": "6 months", + "Data Controller": "Optimizely", + "User Privacy & GDPR Rights Portals": "https://www.optimizely.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "27514e91-1f8f-4797-bbb1-f97b716e087f", + "Platform": "Optimizely", + "Category": "Marketing", + "Cookie / Data Key name": "optimizelyOptOut", + "Domain": "", + "Description": "Stores a boolean indicating whether the visitor has opted out of participating in Optimizely-powered experimentation.", + "Retention period": "10 years", + "Data Controller": "Optimizely", + "User Privacy & GDPR Rights Portals": "https://www.optimizely.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "01d8d81d-2b8a-4396-a3c7-8260c98ec66f", + "Platform": "Channel.me", + "Category": "Functional", + "Cookie / Data Key name": "wwwchannelme_z_sid", + "Domain": "", + "Description": "The cookie is used when using the co-browsing feature.", + "Retention period": "session", + "Data Controller": "Channel.me", + "User Privacy & GDPR Rights Portals": "https://channel.me/privacy", + "Wildcard match": 0 + }, + { + "ID": "037e4ca1-426a-42ca-bf61-a58649bf439f", + "Platform": "Ortec", + "Category": "Marketing", + "Cookie / Data Key name": "app_ts", + "Domain": "adscience.nl", + "Description": "Used by adscience.nl to display remarketing campaigns.", + "Retention period": "1 year", + "Data Controller": "Ortec", + "User Privacy & GDPR Rights Portals": "https://www.ortecadscience.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "c35002d1-f451-4451-83b0-d255e6474439", + "Platform": "Ortec", + "Category": "Marketing", + "Cookie / Data Key name": "viewer", + "Domain": "adscience.nl", + "Description": "Used by adscience.nl to measure visitor numbers and information and use it to optimize marketing campaigns.", + "Retention period": "1 year", + "Data Controller": "Ortec", + "User Privacy & GDPR Rights Portals": "https://www.ortecadscience.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d26e446e-4f43-11eb-ae93-0242ac130002", + "Platform": "Ortec", + "Category": "Marketing", + "Cookie / Data Key name": "spx_ts", + "Domain": "adscience.nl", + "Description": "These cookies ensure that relevant advertisements are displayed on external websites.", + "Retention period": "1 year", + "Data Controller": "Ortec", + "User Privacy & GDPR Rights Portals": "https://www.ortecadscience.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "3c0a4563-7473-4e32-bea5-c41037df8e8c", + "Platform": "Ortec", + "Category": "Marketing", + "Cookie / Data Key name": "adx_ts", + "Domain": "adscience.nl", + "Description": "These cookies ensure that relevant advertisements are displayed on external websites.", + "Retention period": "1 year", + "Data Controller": "Ortec", + "User Privacy & GDPR Rights Portals": "https://www.ortecadscience.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0b0472de-3ebb-46cb-85f3-b92a90954730", + "Platform": "Ortec", + "Category": "Marketing", + "Cookie / Data Key name": "id_ts", + "Domain": "adscience.nl", + "Description": "These cookies ensure that relevant advertisements are displayed on external websites.", + "Retention period": "1 year", + "Data Controller": "Ortec", + "User Privacy & GDPR Rights Portals": "https://www.ortecadscience.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f2856634-3da6-4b8d-a671-d057c0964724", + "Platform": "LiveRamp", + "Category": "Marketing", + "Cookie / Data Key name": "euconsent", + "Domain": "faktor.io", + "Description": "Cookie compliance check", + "Retention period": "1 year", + "Data Controller": "LiveRamp", + "User Privacy & GDPR Rights Portals": "https://liveramp.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0538ac53-d35f-4870-ac7d-4244feb01845", + "Platform": "Wix.com", + "Category": "Functional", + "Cookie / Data Key name": "SSR-caching", + "Domain": "wix.com", + "Description": "Indicates how a site was rendered", + "Retention period": "session", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 0 + }, + { + "ID": "41a4b6b6-ec46-45a3-a4b8-5caffe6d617c", + "Platform": "Wix.com", + "Category": "Functional", + "Cookie / Data Key name": "smSession", + "Domain": "wix.com", + "Description": "Identifies logged in site members", + "Retention period": "2 weeks", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 0 + }, + { + "ID": "a67e35d5-c52e-49f2-a9d2-e2591b545a75", + "Platform": "Wix.com", + "Category": "Marketing", + "Cookie / Data Key name": "svSession", + "Domain": "wix.com", + "Description": "Identifies unique visitors and tracks a visitor’s sessions on a site", + "Retention period": "2 years", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 0 + }, + { + "ID": "1a8e2bc9-8c16-4a23-b595-ad4ba2b05411", + "Platform": "Wix.com", + "Category": "Functional", + "Cookie / Data Key name": "ForceFlashSite", + "Domain": "wix.com", + "Description": "When viewing a mobile site (old mobile under m.domain.com) it will force the server to display the non-mobile version and avoid redirecting to the mobile site", + "Retention period": "session", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 0 + }, + { + "ID": "afde4912-510e-4f52-ac39-f58977720637", + "Platform": "Wix.com", + "Category": "Functional", + "Cookie / Data Key name": "hs", + "Domain": "wix.com", + "Description": "Security", + "Retention period": "session", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 0 + }, + { + "ID": "d26e6458-4f43-11eb-ae93-0242ac130002", + "Platform": "Wix.com", + "Category": "Functional", + "Cookie / Data Key name": "bSession", + "Domain": "", + "Description": "Used for system effectiveness measurement", + "Retention period": "30 minutes", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 0 + }, + { + "ID": "30d32788-4edb-4675-9542-4b17bca4e76d", + "Platform": "Wix.com", + "Category": "Functional", + "Cookie / Data Key name": "TS01", + "Domain": "", + "Description": "Used for security and anti-fraud reasons", + "Retention period": "session", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 1 + }, + { + "ID": "ad4e0c1f-e2ac-432e-8f9e-cbc8ca5ec997", + "Platform": "Wix.com", + "Category": "Functional", + "Cookie / Data Key name": "fedops.logger.sessionId", + "Domain": "", + "Description": "Used for stability/effectiveness measurement", + "Retention period": "12 months", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 0 + }, + { + "ID": "d22eb370-2a05-4a8c-8fbe-1bbe7dffe0df", + "Platform": "Wix.com", + "Category": "Functional", + "Cookie / Data Key name": "wixLanguage", + "Domain": "", + "Description": "Used on multilingual websites to save user language preference", + "Retention period": "12 months", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 0 + }, + { + "ID": "13d01850-f212-4b49-ba9a-fc2cea36e5f9", + "Platform": "Wix.com", + "Category": "Functional", + "Cookie / Data Key name": "_wixCIDX", + "Domain": "", + "Description": "Used for system monitoring/debugging", + "Retention period": "3 months", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 0 + }, + { + "ID": "1303f1b4-a92a-4aae-b194-1b566ff3f1d0", + "Platform": "Wix.com", + "Category": "Functional", + "Cookie / Data Key name": "_wix_browser_sess", + "Domain": "", + "Description": "Used for system monitoring/debugging", + "Retention period": "session", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 0 + }, + { + "ID": "c99aabe0-84aa-4a8d-844e-04434e43ceee", + "Platform": "Wix.com", + "Category": "Functional", + "Cookie / Data Key name": "consent-policy", + "Domain": "", + "Description": "Used for cookie banner parameters", + "Retention period": "12 months", + "Data Controller": "Wix.com", + "User Privacy & GDPR Rights Portals": "https://support.wix.com/article/cookies-and-your-wix-site", + "Wildcard match": 0 + }, + { + "ID": "d7537e15-0c06-4809-9268-c6a7463fb0ea", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "_ab", + "Domain": "shopify.com", + "Description": "Used in connection with access to admin.", + "Retention period": "session", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "5e57c371-a58b-495b-b531-bdaccf24d9d8", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "_secure_session_id", + "Domain": "shopify.com", + "Description": "Used in connection with navigation through a storefront.", + "Retention period": "session", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "a55ceb63-c236-476a-ac80-622185b9fd99", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "Cart", + "Domain": "shopify.com", + "Description": "Used in connection with shopping cart.", + "Retention period": "14 days", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "5dd35bc2-a22a-4d2f-8c5a-a5e12ce93416", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "cart_sig", + "Domain": "shopify.com", + "Description": "Used in connection with shopping cart.", + "Retention period": "14 days", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "1adc0de6-347c-4644-9286-f48d77057b25", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "cart_ts", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "14 days", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "2959eef0-4fba-49a3-a22b-30e43dea2007", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "checkout_token", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "14 days", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "2c989391-974d-4c35-9b73-4912cf582ffa", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "Secret", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "14 days", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "8b7d64a9-54a7-4d2c-a077-86587e85d35f", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "Secure_customer_sig", + "Domain": "shopify.com", + "Description": "Used in connection with customer login.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "18e3c28a-7585-4cb9-8845-a619b9b71017", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "storefront_digest", + "Domain": "shopify.com", + "Description": "Used in connection with customer login.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "7716fa22-1d62-4d6b-bfd3-814e4d30f14f", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "_shopify_u", + "Domain": "shopify.com", + "Description": "Used to facilitate updating customer account information.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "760cc429-de7d-44a7-a11d-2eca02a2d9eb", + "Platform": "Shopify", + "Category": "Marketing", + "Cookie / Data Key name": "_tracking_consent", + "Domain": "shopify.com", + "Description": "Tracking preferences.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "c81f44f1-fb14-4aa3-834f-a10447fc715a", + "Platform": "Shopify", + "Category": "Marketing", + "Cookie / Data Key name": "_landing_page", + "Domain": "shopify.com", + "Description": "Track landing pages.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "7f922608-e85b-45a4-9a31-64fa41a8b965", + "Platform": "Shopify", + "Category": "Marketing", + "Cookie / Data Key name": "_orig_referrer", + "Domain": "shopify.com", + "Description": "Track landing pages.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "8ed5c4ec-4aa5-4853-b7a4-72c54c14e0a4", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "_s", + "Domain": "shopify.com", + "Description": "Shopify analytics.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "063c5294-d06d-4e73-8917-fe1c390c751e", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "_shopify_fs", + "Domain": "shopify.com", + "Description": "Shopify analytics.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "e88d4aea-74d1-4df9-9eec-7d928cba8c4e", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "_shopify_s", + "Domain": "shopify.com", + "Description": "Shopify analytics.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "8279d951-4d14-46a1-9bd5-b08e671f0769", + "Platform": "Shopify", + "Category": "Marketing", + "Cookie / Data Key name": "_shopify_sa_t", + "Domain": "shopify.com", + "Description": "Shopify analytics relating to marketing & referrals.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "4a77a115-2912-4bbe-85b9-5f534afddcc2", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "_shopify_uniq", + "Domain": "shopify.com", + "Description": "Shopify analytics.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "55a7eed1-ee8a-48a9-831a-cbbe7c3c9e22", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "_shopify_visit", + "Domain": "shopify.com", + "Description": "Shopify analytics.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "32a91d61-9233-4206-8db6-385480315088", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "_shopify_y", + "Domain": "shopify.com", + "Description": "Shopify analytics.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "a9556aff-c7cc-4052-b13c-31f9a147eded", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "_y", + "Domain": "shopify.com", + "Description": "Shopify analytics.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "775b8d74-3e73-4ade-aa73-c81ad28aa1b4", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "tracked_start_checkout", + "Domain": "shopify.com", + "Description": "Shopify analytics relating to checkout.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "4cc88769-7b2e-4cc2-acad-10321338f2a2", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "ki_r", + "Domain": "shopify.com", + "Description": "Shopify analytics.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "f1ce8887-198b-4102-9e61-404f0916aaff", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "ki_t", + "Domain": "shopify.com", + "Description": "Shopify analytics.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "8cc5567a-f7ba-4f12-b061-e702d1982dbf", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "_Brochure_session", + "Domain": "shopify.com", + "Description": "Used in connection with browsing through site.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "c6e20d92-71db-4fb5-9994-aabeb5334d71", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "shopify_pay_redirect", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "30 minutes, 3w or 1y depending on value", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "bcea7287-06f2-44b6-9883-d6623dab4587", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "cart_currency", + "Domain": "shopify.com", + "Description": "Set after a checkout is completed to ensure that new carts are in the same currency as the last checkout.", + "Retention period": "14 days", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "2f6b4c68-ae87-4ba1-804d-85d97e55ba1d", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "dynamic_checkout_shown_on_cart", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "30 minutes", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "31e2ff22-9dcc-4cb9-8b93-c8910f8ea9ac", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "keep_alive", + "Domain": "shopify.com", + "Description": "Used in connection with buyer localization.", + "Retention period": "14 weeks", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "40c81881-293d-4e1c-98d7-75835af82702", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "checkout_session_token", + "Domain": "", + "Description": "Used in connection with checkout.", + "Retention period": "3 weeks", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 1 + }, + { + "ID": "9eb8edfa-011c-4abe-bae3-434514b28b4d", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "checkout_session_lookup", + "Domain": "", + "Description": "Used in connection with checkout.", + "Retention period": "3 weeks", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "90d55b3e-fcfa-4e24-9e23-5a255850ccc1", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "cart_ver", + "Domain": "", + "Description": "Used in connection with shopping cart.", + "Retention period": "2 weeks", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "6ec7fa86-131b-4450-ab89-05647e569500", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "localization", + "Domain": "", + "Description": "Used in connection with checkout.", + "Retention period": "2 weeks", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "df4eda36-4b3a-476f-9ff2-b89b2efc990c", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "locale_bar_accepted", + "Domain": "", + "Description": "This cookie is provided by app (BEST Currency Converter) and is used to secure currency chosen by the customer.", + "Retention period": "session", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "f1633975-043b-462c-9469-485ff8f303c2", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "_cmp_a", + "Domain": "", + "Description": "Used for managing customer privacy settings.", + "Retention period": "1 day", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "38e6da70-a8e5-4e7d-acc5-5cce2c8520ad", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "_shopify_country", + "Domain": "", + "Description": "For shops where pricing currency/country set from GeoIP, that cookie stores the country we've detected. This cookie helps avoid doing GeoIP lookups after the first request.", + "Retention period": "session", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "36987975-8709-48e7-8ad4-0e6cbadef1e4", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "_customer_account_shop_sessions", + "Domain": "", + "Description": "Used in combination with the _secure_account_session_id cookie to track a user's session for new customer accounts", + "Retention period": "30 days", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "8e282de0-355d-4f11-a1b5-f56802ed508f", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "_secure_account_session_id", + "Domain": "", + "Description": "Used to track a user's session for new customer accounts", + "Retention period": "30 Days", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "91e35d09-af8f-4bf7-9f54-198c6908210d", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "_shopify_m", + "Domain": "shopify.com", + "Description": "Used for managing customer privacy settings.", + "Retention period": "1 year", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "9a87f042-b73e-4124-bae4-6463dd71b893", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "_shopify_tm", + "Domain": "shopify.com", + "Description": "Used for managing customer privacy settings.", + "Retention period": "30 minutes", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "41d18ff6-bc29-490c-bcad-48183f213281", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "_shopify_tw", + "Domain": "shopify.com", + "Description": "Used for managing customer privacy settings.", + "Retention period": "2 weeks", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "961c17d4-7f5a-4fd7-b6f1-518d37f3dd83", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "_storefront_u", + "Domain": "shopify.com", + "Description": "Used to facilitate updating customer account information.", + "Retention period": "1 minute", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "27e9ecb1-599c-43a1-b0c6-06077e110d59", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "customer_account_locale", + "Domain": "shopify.com", + "Description": "Used in connection with new customer accounts", + "Retention period": "1 year", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "5a617fcc-285f-43d0-9392-8465cf419b41", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "hide_shopify_pay_for_checkout", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "Session", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "997a6f34-b46f-42c6-8122-36a576d853b4", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "master_device_id", + "Domain": "shopify.com", + "Description": "Used in connection with merchant login.", + "Retention period": "2 years", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "903bc761-0581-4f62-9073-de71850ee6e8", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "previous_step", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "1 year", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "596e690c-c0d3-473c-bcc3-a6b82ce5c887", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "discount_code", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "Session", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "3d286b04-daa6-449f-b468-23e483ff191e", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "remember_me", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "1 Year", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "bf479a72-a40e-4ef1-852a-30211a665fe6", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "shopify_pay", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "1 Year", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "9a1a244e-c366-4d25-b962-6bc7a7cd3d33", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "shop_pay_accelerated", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "1 Year", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "a5995c74-f399-49c7-8aab-0034143d8b38", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "checkout_prefill", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "5 minutes", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "eb6826c9-6a4e-45a5-9369-3740c665352f", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "checkout_queue_token", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "1 Year", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "87fbfda8-291a-43fe-8526-ef8b941b4c1d", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "checkout_worker_session", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "3 days", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "b6017992-ef4d-428c-8451-355a245a0839", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "checkout_session_token_", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "3 weeks", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 1 + }, + { + "ID": "db8a2848-8814-4873-b929-c772c180a749", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "identity-state", + "Domain": "shopify.com", + "Description": "Used in connection with customer authentication", + "Retention period": "24 hours", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "71952385-014e-4d6c-9ce5-642be5a41a84", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "identity-state-", + "Domain": "shopify.com", + "Description": "Used in connection with customer authentication", + "Retention period": "24 hours", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 1 + }, + { + "ID": "96bca650-4d60-491f-80a5-b798429ce072", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "identity_customer_account_number", + "Domain": "shopify.com", + "Description": "Used in connection with customer authentication", + "Retention period": "12 weeks", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "e9786556-51ea-48d4-9175-1162a877ddb7", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "card_update_verification_id", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "20 minutes", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "8eda59fc-ed15-4d90-b3e5-218b569fbcab", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "customer_account_new_login", + "Domain": "shopify.com", + "Description": "Used in connection with customer authentication", + "Retention period": "24 hours", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "52b2c26d-4fd7-4fb1-b336-f3c961374b06", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "customer_account_preview", + "Domain": "shopify.com", + "Description": "Used in connection with customer authentication", + "Retention period": "7 days", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "122d9f7d-7770-4564-acf9-27900fef1375", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "customer_payment_method", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "1 hour", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "aeb185be-8020-4b4f-92b9-1891ca02df6e", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "customer_shop_pay_agreement", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "1 hour", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "2b7f5f70-48b3-4db2-b17a-665a7b616ed1", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "pay_update_intent_id", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "20 minutes", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "3c6c1e40-05e6-4152-a17d-8aa840b75247", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "profile_preview_token", + "Domain": "shopify.com", + "Description": "Used in connection with checkout.", + "Retention period": "5 minutes", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "43d2f8d1-81f9-44b4-9676-20d6c18ff9f2", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "login_with_shop_finalize", + "Domain": "shopify.com", + "Description": "Used in connection with customer authentication", + "Retention period": "5 minutes", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "22e8e52e-4da3-46a1-b456-f760858d2799", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "preview_theme", + "Domain": "shopify.com", + "Description": "Used in connection with the theme editor", + "Retention period": "Session", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "73e28a66-9455-4a41-9bd1-098186248ef0", + "Platform": "Shopify", + "Category": "Functional", + "Cookie / Data Key name": "shopify-editor-unconfirmed-settings", + "Domain": "shopify.com", + "Description": "Used in connection with the theme editor", + "Retention period": "16 hours", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "6b6b9eaf-3f9c-40a4-854d-8d136eb3baa9", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "_shopify_d", + "Domain": "", + "Description": "Shopify analytics.", + "Retention period": "Session", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "a2bc0b4c-41a8-4e90-8ee9-2b1f34d53c88", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "shop_analytics", + "Domain": "", + "Description": "Shopify analytics.", + "Retention period": "30 minutes", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "90a43d1d-e187-40f7-af1a-b1b14632b849", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "_shopify_sa_p", + "Domain": "", + "Description": "Shopify analytics relating to marketing & referrals.", + "Retention period": "30 minutes", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "9a486145-3a75-4cc2-ab5e-34a6030911df", + "Platform": "Shopify", + "Category": "Analytics", + "Cookie / Data Key name": "_shopify_ga", + "Domain": "", + "Description": "Shopify and Google Analytics.", + "Retention period": "Session", + "Data Controller": "Shopify.com", + "User Privacy & GDPR Rights Portals": "https://www.shopify.com/legal/cookies", + "Wildcard match": 0 + }, + { + "ID": "96098b04-6859-4c46-b254-780891ef9ec7", + "Platform": "Hubspot", + "Category": "Functional", + "Cookie / Data Key name": "__hs_opt_out", + "Domain": "hubspot.com", + "Description": "This cookie is used by the opt-in privacy policy to remember not to ask the visitor to accept cookies again.", + "Retention period": "13 months", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "761003cd-e442-4cb9-b6dc-edfbbc51a9d7", + "Platform": "Hubspot", + "Category": "Functional", + "Cookie / Data Key name": "__hs_do_not_track", + "Domain": "hubspot.com", + "Description": "This cookie can be set to prevent the tracking code from sending any information to HubSpot.", + "Retention period": "13 months", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "70cdab38-f868-4238-9618-1f4119d7ef9b", + "Platform": "Hubspot", + "Category": "Functional", + "Cookie / Data Key name": "__hs_initial_opt_in", + "Domain": "hubspot.com", + "Description": "This cookie is used to prevent the banner from always displaying when visitors are browsing in strict mode.", + "Retention period": "7 days", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "60ff1d1b-27ca-42e2-975b-cbed8128b2f3", + "Platform": "Hubspot", + "Category": "Functional", + "Cookie / Data Key name": "hs_ab_test", + "Domain": "hubspot.com", + "Description": "This cookie is used to consistently serve visitors the same version of an A/B test page they’ve seen before.", + "Retention period": "session", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "525e102f-dc0d-40ee-9737-1759a85a5538", + "Platform": "Hubspot", + "Category": "Functional", + "Cookie / Data Key name": "hs-messages-is-open", + "Domain": "hubspot.com", + "Description": "This cookie is used to determine and save whether the chat widget is open for future visits.", + "Retention period": "30 minutes", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "8d4aef75-5691-4ce1-8aa2-2c4bfc8b2ec8", + "Platform": "Hubspot", + "Category": "Functional", + "Cookie / Data Key name": "hs-messages-hide-welcome-message", + "Domain": "hubspot.com", + "Description": "This cookie is used to prevent the chat widget welcome message from appearing again for one day after it is dismissed.", + "Retention period": "1 day", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "8868a0de-b135-4699-b036-9034f4afb180", + "Platform": "Hubspot", + "Category": "Functional", + "Cookie / Data Key name": "__hsmem", + "Domain": "hubspot.com", + "Description": "This cookie is set when visitors log in to a HubSpot-hosted site.", + "Retention period": "1 year", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "32f84cc2-4b28-4188-afef-61b717fa833a", + "Platform": "Hubspot", + "Category": "Security", + "Cookie / Data Key name": "hs-membership-csrf", + "Domain": "hubspot.com", + "Description": "This cookie is used to ensure that content membership logins cannot be forged.", + "Retention period": "session", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "7ebd789a-0a35-4ac1-b4fc-05ca2769822e", + "Platform": "Hubspot", + "Category": "Functional", + "Cookie / Data Key name": "hs_langswitcher_choice", + "Domain": "hubspot.com", + "Description": "This cookie is used to save the visitor's selected language choice when viewing pages in multiple languages.", + "Retention period": "2 years", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "a4a0bfbb-2fff-4352-a931-105381955855", + "Platform": "Hubspot", + "Category": "Marketing", + "Cookie / Data Key name": "__hstc", + "Domain": "hubspot.com", + "Description": "The main cookie for tracking visitors.", + "Retention period": "13 months", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "02865dba-5da8-46ec-b100-50c1b8a1e913", + "Platform": "Hubspot", + "Category": "Marketing", + "Cookie / Data Key name": "hubspotutk", + "Domain": "hubspot.com", + "Description": "This cookie keeps track of a visitor's identity. It is passed to HubSpot on form submission and used when deduplicating contacts.", + "Retention period": "13 months", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "0641f061-2be6-4d26-adea-d8614c7f097b", + "Platform": "Hubspot", + "Category": "Marketing", + "Cookie / Data Key name": "__hssc", + "Domain": "hubspot.com", + "Description": "This cookie keeps track of sessions.", + "Retention period": "30 minutes", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "04f6c79c-87a2-420f-a341-15b806967c80", + "Platform": "Hubspot", + "Category": "Marketing", + "Cookie / Data Key name": "__hssrc", + "Domain": "hubspot.com", + "Description": "Whenever HubSpot changes the session cookie, this cookie is also set to determine if the visitor has restarted their browser.", + "Retention period": "session", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "ba027223-659a-4141-8934-68626ab815a6", + "Platform": "Hubspot", + "Category": "Marketing", + "Cookie / Data Key name": "messagesUtk", + "Domain": "hubspot.com", + "Description": "This cookie is used to recognize visitors who chat with you via the chatflows tool. If the visitor leaves your site before they're added as a contact, they will have this cookie associated with their browser.", + "Retention period": "13 months", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "17141c3b-2579-43e6-adf9-30afac2c2144", + "Platform": "Hubspot", + "Category": "Marketing", + "Cookie / Data Key name": "hubspotapi", + "Domain": "hubspot.com", + "Description": "This cookie allows the user to access the app with the correct permissions.", + "Retention period": "7 days", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "1b57e026-3773-4b7b-ab6b-a48ec464e19a", + "Platform": "Hubspot", + "Category": "Functional", + "Cookie / Data Key name": "hubspotapi-prefs", + "Domain": "hubspot.com", + "Description": "This is used with the hubspotapi cookie to remember whether the user checked the 'remember me' box (controls the expiration of the main cookie's authentication).", + "Retention period": "1 Year", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "5018c57b-f27a-43f2-a60c-0ef264eb10ac", + "Platform": "Hubspot", + "Category": "Security", + "Cookie / Data Key name": "hubspotapi-csrf", + "Domain": "hubspot.com", + "Description": "This is used for CSRF prevention - preventing third party websites from accessing your data. Expires after a year.", + "Retention period": "1 year", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "30cc0365-5d7a-47c5-ac62-bad561f7e697", + "Platform": "HubSpot", + "Category": "Functional", + "Cookie / Data Key name": "__hs_cookie_cat_pref", + "Domain": "", + "Description": "This cookie is used to record the categories a visitor consented to.", + "Retention period": "6 months", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "a84fdcb8-ee7a-4775-b793-86327c89905d", + "Platform": "HubSpot", + "Category": "Functional", + "Cookie / Data Key name": "__hs_gpc_banner_dismiss", + "Domain": "", + "Description": "This cookie is used when the Global Privacy Control banner is dismissed.", + "Retention period": "180 days", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "381d2fe8-9478-4ea9-a7a8-19d2049cc669", + "Platform": "HubSpot", + "Category": "Functional", + "Cookie / Data Key name": "__hs_notify_banner_dismiss", + "Domain": "", + "Description": "This cookie is used when the website uses a Notify consent banner type.", + "Retention period": "180 days", + "Data Controller": "HubSpot", + "User Privacy & GDPR Rights Portals": "https://legal.hubspot.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "bf0017c3-9d7d-4f2b-b723-1bedc5938f3c", + "Platform": "Vimeo", + "Category": "Analytics", + "Cookie / Data Key name": "vuid", + "Domain": "vimeo.com", + "Description": "This first party cookie created by Vimeo is used to assign a Vimeo Analytics unique id.", + "Retention period": "1 minute", + "Data Controller": "Vimeo", + "User Privacy & GDPR Rights Portals": "https://vimeo.com/cookie_policy", + "Wildcard match": 0 + }, + { + "ID": "bd57513e-37b1-4467-a3de-8eeb47afce76", + "Platform": "Vimeo", + "Category": "Functional", + "Cookie / Data Key name": "Player", + "Domain": "vimeo.com", + "Description": "This first party cookie created by Vimeo is used to remember user’s player mode preferences.", + "Retention period": "1 minute", + "Data Controller": "Vimeo", + "User Privacy & GDPR Rights Portals": "https://vimeo.com/cookie_policy", + "Wildcard match": 0 + }, + { + "ID": "b12b1e25-6dd2-4a46-9877-a1fc9fa379ac", + "Platform": "Vimeo", + "Category": "Functional", + "Cookie / Data Key name": "continuous_play_v3", + "Domain": "vimeo.com", + "Description": "Used to keep track of whether continuous play is on or not for a user", + "Retention period": "2 years", + "Data Controller": "Vimeo", + "User Privacy & GDPR Rights Portals": "https://vimeo.com/cookie_policy", + "Wildcard match": 0 + }, + { + "ID": "fd513ad4-4265-439d-a1c1-ac12f3854e1e", + "Platform": "Vimeo", + "Category": "Analytics", + "Cookie / Data Key name": "sd_identity", + "Domain": "vimeo.com", + "Description": "Collects analytical tracking information about videos and enables the player to function properly.", + "Retention period": "2 years", + "Data Controller": "Vimeo", + "User Privacy & GDPR Rights Portals": "https://vimeo.com/cookie_policy", + "Wildcard match": 0 + }, + { + "ID": "235a47ee-b06a-4c82-a476-e64b775ee7e0", + "Platform": "Vimeo", + "Category": "Analytics", + "Cookie / Data Key name": "sd_client_id", + "Domain": "vimeo.com", + "Description": "Collects analytical tracking information about videos and enables the player to function properly.", + "Retention period": "2 years", + "Data Controller": "Vimeo", + "User Privacy & GDPR Rights Portals": "https://vimeo.com/cookie_policy", + "Wildcard match": 0 + }, + { + "ID": "8a90cba6-c361-4513-b33c-509aec12d1a9", + "Platform": "Stripe", + "Category": "Functional", + "Cookie / Data Key name": "__stripe_mid", + "Domain": "stripe.com", + "Description": "Fraud prevention and detection", + "Retention period": "1 year", + "Data Controller": "Stripe", + "User Privacy & GDPR Rights Portals": "https://stripe.com/en-nl/privacy", + "Wildcard match": 0 + }, + { + "ID": "123902bd-1664-4dbf-9af5-50b1d3ebf1bb", + "Platform": "Stripe", + "Category": "Functional", + "Cookie / Data Key name": "__stripe_sid", + "Domain": "stripe.com", + "Description": "Fraud prevention and detection", + "Retention period": "30 minutes", + "Data Controller": "Stripe", + "User Privacy & GDPR Rights Portals": "https://stripe.com/en-nl/privacy", + "Wildcard match": 0 + }, + { + "ID": "bc05330f-677d-4020-841f-a639abc68908", + "Platform": "Stripe", + "Category": "Functional", + "Cookie / Data Key name": "m", + "Domain": "m.stripe.com", + "Description": "Set by payment provider stripe.com to process payments", + "Retention period": "10 years", + "Data Controller": "Stripe", + "User Privacy & GDPR Rights Portals": "https://stripe.com/en-nl/privacy", + "Wildcard match": 0 + }, + { + "ID": "f729f681-c576-47d5-92b1-7ca7964fd869", + "Platform": "Snapwidget", + "Category": "Functional", + "Cookie / Data Key name": "_gat_pro", + "Domain": "snapwidget.com", + "Description": "Allows Snapwidget to offer anonymous analytics about how the visitors are using your widgets", + "Retention period": "24 hours", + "Data Controller": "Snapwidget", + "User Privacy & GDPR Rights Portals": "https://snapwidget.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "8a23f0ad-722d-4d91-9ef8-52528e903a4f", + "Platform": "WooCommerce", + "Category": "Functional", + "Cookie / Data Key name": "woocommerce_cart_hash", + "Domain": "woocommerce.com", + "Description": "Helps WooCommerce determine when cart contents/data changes.", + "Retention period": "session", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "f1e0e5b1-d7a1-4afc-80b6-1ba4430c237f", + "Platform": "WooCommerce", + "Category": "Functional", + "Cookie / Data Key name": "woocommerce_items_in_cart", + "Domain": "woocommerce.com", + "Description": "Helps WooCommerce determine when cart contents/data changes.", + "Retention period": "session", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8f50fe5d-20dc-4811-b118-e49d52a0fc35", + "Platform": "WooCommerce", + "Category": "Functional", + "Cookie / Data Key name": "wp_woocommerce_session_", + "Domain": "woocommerce.com", + "Description": "Contains a unique code for each customer so that it knows where to find the cart data in the database for each customer.", + "Retention period": "2 days", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 1 + }, + { + "ID": "15b17bfb-d0ef-4806-b2fa-b319185bc3aa", + "Platform": "WooCommerce", + "Category": "Functional", + "Cookie / Data Key name": "woocommerce_recently_viewed", + "Domain": "woocommerce.com", + "Description": "Powers the Recent Viewed Products widget", + "Retention period": "session", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a8a7e455-ceb9-4b31-954f-2e47d64f0a1c", + "Platform": "WooCommerce", + "Category": "Functional", + "Cookie / Data Key name": "store_notice", + "Domain": "", + "Description": "Allows customers to dismiss the Store Notice.", + "Retention period": "session", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 1 + }, + { + "ID": "5f5b453b-c210-4f12-b886-244bf528b113", + "Platform": "WooCommerce", + "Category": "Functional", + "Cookie / Data Key name": "woocommerce_snooze_suggestions__", + "Domain": "", + "Description": "Allows dashboard users to dismiss Marketplace suggestions, if enabled.", + "Retention period": "2 days", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 1 + }, + { + "ID": "7b62b8e9-3858-4d78-a0ef-d8736e763fa9", + "Platform": "WooCommerce", + "Category": "Functional", + "Cookie / Data Key name": "woocommerce_dismissed_suggestions__", + "Domain": "", + "Description": "Count of suggestion dismissals, if enabled.", + "Retention period": "1 month", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 1 + }, + { + "ID": "e2a7734f-e396-4228-b92b-87258a4f456c", + "Platform": "WooCommerce / Jetpack", + "Category": "Functional", + "Cookie / Data Key name": "tk_ai", + "Domain": "", + "Description": "Stores a randomly-generated anonymous ID. This is only used within the dashboard (/wp-admin) area and is used for usage tracking, if enabled.", + "Retention period": "session", + "Data Controller": "WooCommerce / Jetpack", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "85a47c97-0a09-453d-9472-7a42b29509cb", + "Platform": "WooCommerce", + "Category": "Analytics", + "Cookie / Data Key name": "sbjs_session", + "Domain": "", + "Description": "The number of page views in this session and the current page path", + "Retention period": "30 minutes", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b05482c5-1326-4d4f-a379-f036824c097d", + "Platform": "WooCommerce", + "Category": "Analytics", + "Cookie / Data Key name": "sbjs_udata", + "Domain": "", + "Description": "Information about the visitor’s user agent, such as IP, the browser, and the device type", + "Retention period": "session", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "674dbcbc-14eb-40a2-8ea8-07e6472fb269", + "Platform": "WooCommerce", + "Category": "Analytics", + "Cookie / Data Key name": "sbjs_first", + "Domain": "", + "Description": "Traffic origin information for the visitor’s first visit to your store (only applicable if the visitor returns before the session expires)", + "Retention period": "session", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "bc895914-a965-4aec-a3bd-f5ef04a12663", + "Platform": "WooCommerce", + "Category": "Analytics", + "Cookie / Data Key name": "sbjs_current", + "Domain": "", + "Description": "Traffic origin information for the visitor’s current visit to your store", + "Retention period": "session", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "4c9c2504-c777-4cfe-aa7f-86b2f72a5202", + "Platform": "WooCommerce", + "Category": "Analytics", + "Cookie / Data Key name": "sbjs_first_add", + "Domain": "", + "Description": "Timestamp, referring URL, and entry page for your visitor’s first visit to your store (only applicable if the visitor returns before the session expires)", + "Retention period": "session", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "dde38589-4de1-4dde-83fa-2bd158c3af48", + "Platform": "WooCommerce", + "Category": "Analytics", + "Cookie / Data Key name": "sbjs_current_add", + "Domain": "", + "Description": "Timestamp, referring URL, and entry page for your visitor’s current visit to your store", + "Retention period": "session", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "74158bd6-6302-4b50-86cf-15327e145b65", + "Platform": "WooCommerce", + "Category": "Analytics", + "Cookie / Data Key name": "sbjs_migrations", + "Domain": "", + "Description": "Technical data to help with migrations between different versions of the tracking feature", + "Retention period": "session", + "Data Controller": "WooCommerce", + "User Privacy & GDPR Rights Portals": "https://automattic.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e59b49e5-6bec-4c0e-9a3b-d69fc55d7e13", + "Platform": "Reddit", + "Category": "Marketing", + "Cookie / Data Key name": "edgebucket", + "Domain": "reddit.com", + "Description": "Used by Reddit to deliver advertising", + "Retention period": "2 years", + "Data Controller": "Reddit", + "User Privacy & GDPR Rights Portals": "https://www.redditinc.com/policies/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "94d0f8b5-66a2-48b6-91da-26533a1030e7", + "Platform": "Reddit", + "Category": "Marketing", + "Cookie / Data Key name": "initref", + "Domain": "reddit.com", + "Description": "Used by Reddit to deliver advertising", + "Retention period": "session", + "Data Controller": "Reddit", + "User Privacy & GDPR Rights Portals": "https://www.redditinc.com/policies/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "a03609f5-64b4-4161-b5b5-48f843f5f08b", + "Platform": "Reddit", + "Category": "Marketing", + "Cookie / Data Key name": "_rdt_uuid", + "Domain": "", + "Description": "This cookie is set by Reddit and is used for remarketing on reddit.com.", + "Retention period": "90 days", + "Data Controller": "Reddit", + "User Privacy & GDPR Rights Portals": "https://www.reddit.com/policies/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "90b292bb-8769-415e-ba03-c54142f838ed", + "Platform": "Imperva", + "Category": "Functional", + "Cookie / Data Key name": "incap_ses_", + "Domain": "", + "Description": "This cookie is set to allow a visitor to receive site content from one out of multiple servers as the visitor browses the site. This allows the visitor's session to be maintained.", + "Retention period": "session", + "Data Controller": "Imperva", + "User Privacy & GDPR Rights Portals": "https://www.imperva.com/legal/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "1db82f57-9897-4e57-86cb-163dd2e6b0f2", + "Platform": "Imperva", + "Category": "Functional", + "Cookie / Data Key name": "nlbi_", + "Domain": "", + "Description": "Incapsula DDoS Protection and Web Application Firewall: Load balancing cookie. To ensure requests by a client are sent to the same origin server.", + "Retention period": "session", + "Data Controller": "Imperva", + "User Privacy & GDPR Rights Portals": "https://www.imperva.com/legal/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "21c1d8c3-5db8-4613-a370-53e22596ce44", + "Platform": "Imperva", + "Category": "Functional", + "Cookie / Data Key name": "visid_incap_", + "Domain": "", + "Description": "This cookie is from the incapsula CDN and helps us with reliability, security and the performance of our site.", + "Retention period": "1 year", + "Data Controller": "Imperva", + "User Privacy & GDPR Rights Portals": "https://www.imperva.com/legal/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "5d4bd049-33d3-423c-8ff6-313a59a6404d", + "Platform": "Spotify", + "Category": "Functional", + "Cookie / Data Key name": "sp_t", + "Domain": "spotify.com", + "Description": "Required to ensure the functionality of the integrated Spotify plugin. This does not result in any cross-site functionality.", + "Retention period": "2 months", + "Data Controller": "Spotify", + "User Privacy & GDPR Rights Portals": "https://www.spotify.com/us/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0e052395-ba52-4aa3-a964-b79dfa1623d1", + "Platform": "Spotify", + "Category": "Functional", + "Cookie / Data Key name": "sp_landing", + "Domain": "spotify.com", + "Description": "Required to ensure the functionality of the integrated Spotify plugin. This does not result in any cross-site functionality.", + "Retention period": "1 day", + "Data Controller": "Spotify", + "User Privacy & GDPR Rights Portals": "https://www.spotify.com/us/privacy/", + "Wildcard match": 0 + }, + { + "ID": "efc813d6-20fa-4d23-9bd0-e2679bc78ea8", + "Platform": "Xandr", + "Category": "Marketing", + "Cookie / Data Key name": "anj", + "Domain": "adnxs.com", + "Description": "The anj cookie contains data denoting whether a cookie ID is synced with our partners. ID syncing enables our partners to use their data from outside the Platform on the Platform.", + "Retention period": "90 days", + "Data Controller": "Xandr", + "User Privacy & GDPR Rights Portals": "https://about.ads.microsoft.com/en-us/solutions/xandr/platform-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "f87f69d8-0e73-483c-9b39-169b9c36b5f4", + "Platform": "Xandr", + "Category": "Marketing", + "Cookie / Data Key name": "uuid2", + "Domain": "adnxs.com", + "Description": "This cookie contains a unique randomly-generated value that enables the Platform to distinguish browsers and devices.", + "Retention period": "90 days", + "Data Controller": "Xandr", + "User Privacy & GDPR Rights Portals": "https://about.ads.microsoft.com/en-us/solutions/xandr/platform-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "fd712d88-8df2-4601-8178-504b29260182", + "Platform": "Xandr", + "Category": "Analytics", + "Cookie / Data Key name": "usersync", + "Domain": ".adnxs.com", + "Description": "This cookie contains data denoting whether a cookie ID is synced with our partners. ID syncing enables our partners to use their data from outside the Platform on the Platform.", + "Retention period": "90 days", + "Data Controller": "Xandr", + "User Privacy & GDPR Rights Portals": "https://about.ads.microsoft.com/en-us/solutions/xandr/platform-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "fc9c767e-d1a1-4303-b29c-4a89630e4271", + "Platform": "Xandr", + "Category": "Marketing", + "Cookie / Data Key name": "icu", + "Domain": ".adnxs.com", + "Description": "This cookie is used to select ads and limit the number of times a user sees a particular ad. It contains information such as the number of times an ad has been shown, how recently an ad has been shown, or how many total ads have been shown.", + "Retention period": "90 days", + "Data Controller": "Xandr", + "User Privacy & GDPR Rights Portals": "https://about.ads.microsoft.com/en-us/solutions/xandr/platform-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "ae9fca0f-64e8-46b3-9143-aee8dba1e041", + "Platform": "Xandr", + "Category": "Analytics", + "Cookie / Data Key name": "pses", + "Domain": "", + "Description": "This cookie is used to measure the time a user spends on a site.", + "Retention period": "Session", + "Data Controller": "Xandr", + "User Privacy & GDPR Rights Portals": "https://about.ads.microsoft.com/en-us/solutions/xandr/platform-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "b52d31f6-1786-4cbb-978c-55520a9c81fd", + "Platform": "Xandr", + "Category": "Functional", + "Cookie / Data Key name": "token", + "Domain": ".adnxs.com", + "Description": "Cookies that start with token are helper cookies used as a security measure with industry opt-out pages. They contain a unique value only to verify the origin of opt-out requests.", + "Retention period": "1440 Minutes", + "Data Controller": "Xandr", + "User Privacy & GDPR Rights Portals": "https://about.ads.microsoft.com/en-us/solutions/xandr/platform-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "ea5bede7-3bed-4141-9268-522d13d33592", + "Platform": "Xandr", + "Category": "Marketing", + "Cookie / Data Key name": "uids", + "Domain": ".adnxs.com", + "Description": "This cookie contains a base 64 encoded JSON object which contains external unique randomly-generated values that enable other Prebid Server demand partners to distinguish browsers and mobile devices.", + "Retention period": "120 days", + "Data Controller": "Xandr", + "User Privacy & GDPR Rights Portals": "https://about.ads.microsoft.com/en-us/solutions/xandr/platform-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "8a8c67fa-4cb8-4a8c-a108-f3d0c6c068fe", + "Platform": "Xandr", + "Category": "Functional", + "Cookie / Data Key name": "sess", + "Domain": ".adnxs.com", + "Description": "The sess cookie contains a single non-unique value: “1”.It is used by the Platform to test whether a browser is configured to accept cookies from Xandr.", + "Retention period": "Session", + "Data Controller": "Xandr", + "User Privacy & GDPR Rights Portals": "https://about.ads.microsoft.com/en-us/solutions/xandr/platform-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "c11d8312-8bc7-492e-b010-d9d4f582d7c9", + "Platform": "Xandr", + "Category": "Marketing", + "Cookie / Data Key name": "XANDR_PANID", + "Domain": ".adnxs.com", + "Description": "This cookie registers data on the visitor. The information is used to optimize advertisement relevance.", + "Retention period": "400 days", + "Data Controller": "Xandr", + "User Privacy & GDPR Rights Portals": "https://about.ads.microsoft.com/en-us/solutions/xandr/platform-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "d75d0734-3d1e-4a84-81d0-e7258f7afb48", + "Platform": "Intershop", + "Category": "Functional", + "Cookie / Data Key name": "cc-", + "Domain": "", + "Description": "References a cart for anonymous users", + "Retention period": "session", + "Data Controller": "Intershop", + "User Privacy & GDPR Rights Portals": "https://www.intershop.com/en/privacy-policy", + "Wildcard match": 1 + }, + { + "ID": "afbd4ea0-e8a6-4f9d-b596-50dce8b04dde", + "Platform": "Intershop", + "Category": "Functional", + "Cookie / Data Key name": "pgid-org-", + "Domain": "", + "Description": "Hash of personalization information. Used to cache pages or snippets for users with same personalization information", + "Retention period": "session", + "Data Controller": "Intershop", + "User Privacy & GDPR Rights Portals": "https://www.intershop.com/en/privacy-policy", + "Wildcard match": 1 + }, + { + "ID": "c079f281-2119-4e28-a0d5-897e89e450fa", + "Platform": "Intershop", + "Category": "Functional", + "Cookie / Data Key name": "SecureSessionID-", + "Domain": "", + "Description": "Reference to authenticated user", + "Retention period": "session", + "Data Controller": "Intershop", + "User Privacy & GDPR Rights Portals": "https://www.intershop.com/en/privacy-policy", + "Wildcard match": 1 + }, + { + "ID": "e869ccf4-82a4-4ca6-8d28-be73852ffbb6", + "Platform": "Kentico", + "Category": "Security", + "Cookie / Data Key name": "CMSCsrfCookie", + "Domain": "", + "Description": "Store's a security token that the system uses to validate all form data submitted via POST requests. Helps protect against Cross site request forgery.", + "Retention period": "session", + "Data Controller": "Kentico", + "User Privacy & GDPR Rights Portals": "https://xperience.io/policies/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "37550359-138b-4cc3-b10f-e0f5f7221b97", + "Platform": "Kentico", + "Category": "Functional", + "Cookie / Data Key name": "CMSCookieLevel", + "Domain": "", + "Description": "Specifies which cookies are allowed by the visitor.", + "Retention period": "1 year", + "Data Controller": "Kentico", + "User Privacy & GDPR Rights Portals": "https://xperience.io/policies/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "4558bcaa-1cde-46c2-91cd-39c983ce60f7", + "Platform": "Kentico", + "Category": "Analytics", + "Cookie / Data Key name": "CMSLandingPageLoaded", + "Domain": "", + "Description": "Indicates that the landing page has already been visited and the Landing page activity is not logged again for the current visitor. Expires after 20 minutes and the expiration period of the key is renewed every time the website is accessed again.", + "Retention period": "20 minutes", + "Data Controller": "Kentico", + "User Privacy & GDPR Rights Portals": "https://xperience.io/policies/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "fbcc2259-0908-49a7-bda7-4eee3e51a1bb", + "Platform": "Kentico", + "Category": "Functional", + "Cookie / Data Key name": "CMSPreferredCulture", + "Domain": "", + "Description": "Stores the visitor's preferred content culture.", + "Retention period": "1 year", + "Data Controller": "Kentico", + "User Privacy & GDPR Rights Portals": "https://xperience.io/policies/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "4ee96fef-8b5d-4f25-9d8f-348a1f060743", + "Platform": "Kentico", + "Category": "Analytics", + "Cookie / Data Key name": "CMSUserPage", + "Domain": "", + "Description": "Stores the IDs (DocumentID, NodeID) of the last visited page. Used for logging landing and exit page web analytics and activities.", + "Retention period": "20 minutes", + "Data Controller": "Kentico", + "User Privacy & GDPR Rights Portals": "https://xperience.io/policies/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "e89424b3-5bca-430d-91ca-501947b659d0", + "Platform": "Kentico", + "Category": "Analytics", + "Cookie / Data Key name": "CurrentContact", + "Domain": "", + "Description": "Stores the GUID of the contact related to the current site visitor. Used to track activities on the website.", + "Retention period": "50 years", + "Data Controller": "Kentico", + "User Privacy & GDPR Rights Portals": "https://xperience.io/policies/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "b39f0e44-747a-4b9d-bb02-d79ee217aa5f", + "Platform": "Kentico", + "Category": "Analytics", + "Cookie / Data Key name": "VisitorStatus", + "Domain": "", + "Description": "Indicates if the visitor is new or returning. Used for tracking the visitors statistic in Web analytics.", + "Retention period": "20 years", + "Data Controller": "Kentico", + "User Privacy & GDPR Rights Portals": "https://xperience.io/policies/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "221f7d7b-6263-472e-97c7-3b35a1c8581c", + "Platform": "Snapchat", + "Category": "Marketing", + "Cookie / Data Key name": "sc_at", + "Domain": "snapchat.com", + "Description": "Used to identify a visitor across multiple domains.", + "Retention period": "1 year", + "Data Controller": "Snapchat", + "User Privacy & GDPR Rights Portals": "https://www.snap.com/en-US/privacy/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "5ed12296-efe3-43a7-bcd0-f83b120c97e0", + "Platform": "Snapchat", + "Category": "Marketing", + "Cookie / Data Key name": "sc-a-nonce", + "Domain": "snapchat.com", + "Description": "Nonce control. Used to encrypt session data.", + "Retention period": "1 year", + "Data Controller": "Snapchat", + "User Privacy & GDPR Rights Portals": "https://www.snap.com/en-US/privacy/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d26e5dfa-4f43-11eb-ae93-0242ac130002", + "Platform": "Snapchat", + "Category": "Marketing", + "Cookie / Data Key name": "_scid", + "Domain": "", + "Description": "Used to help identify a visitor.", + "Retention period": "1 year", + "Data Controller": "Snapchat", + "User Privacy & GDPR Rights Portals": "https://www.snap.com/en-US/privacy/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7066f313-1588-4135-a978-292448a89465", + "Platform": "Snapchat", + "Category": "Marketing", + "Cookie / Data Key name": "_schn", + "Domain": "", + "Description": "This cookies come from the Snapchat retargeting pixel. This pixel is used to retarget and attribute traffic coming from the social network.", + "Retention period": "1 day", + "Data Controller": "Snapchat", + "User Privacy & GDPR Rights Portals": "https://www.snap.com/en-US/privacy/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "ac02cf31-7650-430e-b65d-5f4c70861d30", + "Platform": "Snapchat", + "Category": "Functional", + "Cookie / Data Key name": "X-AB", + "Domain": "", + "Description": "This cookie is used by the website’s operator in context with multi-variate testing. This is a tool used to combine or change content on the website. This allows the website to find the best variation/edition of the site.", + "Retention period": "1 day", + "Data Controller": "Snapchat", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "66bbd376-f956-4a8e-a691-134241d1e88e", + "Platform": "Snapchat", + "Category": "Marketing", + "Cookie / Data Key name": "_scid_r", + "Domain": "", + "Description": "Sets a unique ID for the visitor, that allows third party advertisers to target the visitor with relevant advertisement. This pairing service is provided by third party advertisement hubs, which facilitates real-time bidding for advertisers.", + "Retention period": "13 months", + "Data Controller": "Snapchat", + "User Privacy & GDPR Rights Portals": "https://www.snap.com/en-US/privacy/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f123d6b2-72a1-44e2-a872-600787443328", + "Platform": "Visual Website Optimizer", + "Category": "Functional", + "Cookie / Data Key name": "_vwo_uuid_v2", + "Domain": "", + "Description": "Used to track visitor movements anonymously.", + "Retention period": "1 year", + "Data Controller": "Visual Website Optimizer", + "User Privacy & GDPR Rights Portals": "https://vwo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f9995ddb-7cf9-4f9b-8e97-0b7bed0402bf", + "Platform": "Visual Website Optimizer", + "Category": "Functional", + "Cookie / Data Key name": "_vwo_uuid", + "Domain": "", + "Description": "Used to track visitor movements anonymously.", + "Retention period": "1 year", + "Data Controller": "Visual Website Optimizer", + "User Privacy & GDPR Rights Portals": "https://vwo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "6f725fb6-2f3b-40c5-b096-92fa41e5254d", + "Platform": "Visual Website Optimizer", + "Category": "Functional", + "Cookie / Data Key name": "_vis_opt_s", + "Domain": "", + "Description": "This cookie detects if you are new or returning to a particular test.", + "Retention period": "100 days", + "Data Controller": "Visual Website Optimizer", + "User Privacy & GDPR Rights Portals": "https://vwo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "c9e8dd8a-5ffb-460b-919a-5a93eb9cdc5f", + "Platform": "Visual Website Optimizer", + "Category": "Functional", + "Cookie / Data Key name": "_vis_opt_test_cookie", + "Domain": "", + "Description": "This is a temporary session cookie generated to detect if the cookies are enabled on the user browser or not.", + "Retention period": "100 days", + "Data Controller": "Visual Website Optimizer", + "User Privacy & GDPR Rights Portals": "https://vwo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "409d9a72-f82c-4c3a-adb1-fb976dfa7aac", + "Platform": "Visual Website Optimizer", + "Category": "Functional", + "Cookie / Data Key name": "_vis_opt_exp_", + "Domain": "", + "Description": "This cookie is generated when a goal is created.", + "Retention period": "100 days", + "Data Controller": "Visual Website Optimizer", + "User Privacy & GDPR Rights Portals": "https://vwo.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "2bdf1a3b-1a57-4259-a727-2fbd3f44849e", + "Platform": "Visual Website Optimizer", + "Category": "Analytics", + "Cookie / Data Key name": "_vwo_sn", + "Domain": "", + "Description": "Collects statistics on the visitor's visits to the website, such as the number of visits, average time spent on the website and what pages have been read.", + "Retention period": "1 day", + "Data Controller": "Visual Website Optimizer", + "User Privacy & GDPR Rights Portals": "https://vwo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "a19aa639-0aee-446c-910a-619afef7d837", + "Platform": "Visual Website Optimizer", + "Category": "Analytics", + "Cookie / Data Key name": "_vwo_ds", + "Domain": "", + "Description": "Collects data on the user's visits to the website, such as the number of visits, average time spent on the website and what pages have been loaded with the purpose of generating reports for optimising the website content.", + "Retention period": "2 months", + "Data Controller": "Visual Website Optimizer", + "User Privacy & GDPR Rights Portals": "https://vwo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "9a5ab3c6-686c-49be-8d9f-52299fc6233c", + "Platform": "Visual Website Optimizer", + "Category": "Analytics", + "Cookie / Data Key name": "_vwo_referrer", + "Domain": "", + "Description": "Registers data on visitors' website-behaviour. This is used for internal analysis and website optimization.", + "Retention period": "session", + "Data Controller": "Visual Website Optimizer", + "User Privacy & GDPR Rights Portals": "https://vwo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d66bab6d-d432-4eb7-9b8b-8d7beb49386c", + "Platform": "Visual Website Optimizer", + "Category": "Functional", + "Cookie / Data Key name": "_vwo_ssm", + "Domain": "dev.visualwebsiteoptimizer.com", + "Description": "This cookie is used for testing and is created only on sites that use the HTTP protocol. This is used to check if VWO can create cookies on them, post which this cookie is deleted.", + "Retention period": "10 years", + "Data Controller": "Visual Website Optimizer", + "User Privacy & GDPR Rights Portals": "https://vwo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d26e3348-4f43-11eb-ae93-0242ac130002", + "Platform": "ZOHO", + "Category": "Functional", + "Cookie / Data Key name": "zc_consent", + "Domain": "", + "Description": "Determines whether the user has accepted the cookie consent box.", + "Retention period": "1 year", + "Data Controller": "ZOHO", + "User Privacy & GDPR Rights Portals": "https://www.zoho.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "d26e484c-4f43-11eb-ae93-0242ac130002", + "Platform": "ZOHO", + "Category": "Security", + "Cookie / Data Key name": "ZCAMPAIGN_CSRF_TOKEN", + "Domain": "", + "Description": "This cookie is used to distinguish between humans and bots.", + "Retention period": "session", + "Data Controller": "ZOHO", + "User Privacy & GDPR Rights Portals": "https://www.zoho.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "d26e585a-4f43-11eb-ae93-0242ac130002", + "Platform": "ZOHO", + "Category": "Marketing", + "Cookie / Data Key name": "zc_show", + "Domain": "", + "Description": "Collects data on visitors' preferences and behaviour on the website - This information is used make content and advertisement more relevant to the specific visitor.", + "Retention period": "1 year", + "Data Controller": "ZOHO", + "User Privacy & GDPR Rights Portals": "https://www.zoho.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "d26e9842-4f43-11eb-ae93-0242ac130002", + "Platform": "ZOHO", + "Category": "Functional", + "Cookie / Data Key name": "zc_cu_exp", + "Domain": "", + "Description": "Contains the expiration date for the cookie with its name.", + "Retention period": "1 year", + "Data Controller": "ZOHO", + "User Privacy & GDPR Rights Portals": "https://www.zoho.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "d26ea01c-4f43-11eb-ae93-0242ac130002", + "Platform": "ZOHO", + "Category": "Marketing", + "Cookie / Data Key name": "zc_loc", + "Domain": "", + "Description": "Collects information on user preferences and/or interaction with web-campaign content - This is used on CRM-campaign-platform used by website owners for promoting events or products.", + "Retention period": "session", + "Data Controller": "ZOHO", + "User Privacy & GDPR Rights Portals": "https://www.zoho.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "4b17b5df-5cfd-4e30-94da-cdbcc46f54d6", + "Platform": "ZOHO", + "Category": "Functional", + "Cookie / Data Key name": "uesign", + "Domain": "salesiq.zoho.com", + "Description": "This cookie is used to manage the security of the applications.", + "Retention period": "1 month", + "Data Controller": "ZOHO", + "User Privacy & GDPR Rights Portals": "https://www.zoho.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "d26e374e-4f43-11eb-ae93-0242ac130002", + "Platform": "WhatsApp", + "Category": "Functional", + "Cookie / Data Key name": "wa_ul", + "Domain": "whatsapp.com", + "Description": "Used to access the service it provides.", + "Retention period": "session", + "Data Controller": "WhatsApp", + "User Privacy & GDPR Rights Portals": "https://www.whatsapp.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26e49c8-4f43-11eb-ae93-0242ac130002", + "Platform": "WhatsApp", + "Category": "Functional", + "Cookie / Data Key name": "wa_lang_pref", + "Domain": "whatsapp.com", + "Description": "Used by WhatsApp to save language preferences", + "Retention period": "6 days", + "Data Controller": "WhatsApp", + "User Privacy & GDPR Rights Portals": "https://www.whatsapp.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26e43b0-4f43-11eb-ae93-0242ac130002", + "Platform": "Perfect Audience", + "Category": "Marketing", + "Cookie / Data Key name": "pa_rubicon_ts", + "Domain": "prfct.co", + "Description": "This cookie is set by Perfect Audience and is used for advertising purposes based on user behavior data.", + "Retention period": "2 years", + "Data Controller": "Perfect Audience", + "User Privacy & GDPR Rights Portals": "https://www.perfectaudience.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26e76fa-4f43-11eb-ae93-0242ac130002", + "Platform": "Perfect Audience", + "Category": "Marketing", + "Cookie / Data Key name": "pa_google_ts", + "Domain": "prfct.co", + "Description": "This cookie is set by Perfect Audience and is used for advertising purposes based on user behavior data.", + "Retention period": "2 years", + "Data Controller": "Perfect Audience", + "User Privacy & GDPR Rights Portals": "https://www.perfectaudience.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26e77ae-4f43-11eb-ae93-0242ac130002", + "Platform": "Perfect Audience", + "Category": "Marketing", + "Cookie / Data Key name": "pa_twitter_ts", + "Domain": "prfct.co", + "Description": "This cookie is set by Perfect Audience and is used for advertising purposes based on user behavior data.", + "Retention period": "2 years", + "Data Controller": "Perfect Audience", + "User Privacy & GDPR Rights Portals": "https://www.perfectaudience.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26e7bf0-4f43-11eb-ae93-0242ac130002", + "Platform": "Perfect Audience", + "Category": "Marketing", + "Cookie / Data Key name": "pa_yahoo_ts", + "Domain": "prfct.co", + "Description": "This cookie is set by Perfect Audience and is used for advertising purposes based on user behavior data.", + "Retention period": "2 years", + "Data Controller": "Perfect Audience", + "User Privacy & GDPR Rights Portals": "https://www.perfectaudience.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26e9900-4f43-11eb-ae93-0242ac130002", + "Platform": "Perfect Audience", + "Category": "Marketing", + "Cookie / Data Key name": "pa_openx_ts", + "Domain": "prfct.co", + "Description": "This cookie is set by Perfect Audience and is used for advertising purposes based on user behavior data.", + "Retention period": "2 years", + "Data Controller": "Perfect Audience", + "User Privacy & GDPR Rights Portals": "https://www.perfectaudience.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26ea652-4f43-11eb-ae93-0242ac130002", + "Platform": "Perfect Audience", + "Category": "Marketing", + "Cookie / Data Key name": "pa_uid", + "Domain": "prfct.co", + "Description": "This cookie is set by Perfect Audience and is used for advertising purposes based on user behavior data.", + "Retention period": "2 years", + "Data Controller": "Perfect Audience", + "User Privacy & GDPR Rights Portals": "https://www.perfectaudience.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26e40ae-4f43-11eb-ae93-0242ac130002", + "Platform": "MailMunch", + "Category": "Marketing", + "Cookie / Data Key name": "mailmunch_second_pageview", + "Domain": "", + "Description": "Used for tracking by the Mailmunch mailing list software", + "Retention period": "1 year", + "Data Controller": "MailMunch", + "User Privacy & GDPR Rights Portals": "https://legal.mailmunch.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26e946e-4f43-11eb-ae93-0242ac130002", + "Platform": "MailMunch", + "Category": "Marketing", + "Cookie / Data Key name": "_mailmunch_visitor_id", + "Domain": "", + "Description": "This cookie is set by MailMunch which is email collection and email marketing platform.", + "Retention period": "1 year", + "Data Controller": "MailMunch", + "User Privacy & GDPR Rights Portals": "https://legal.mailmunch.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26e59e0-4f43-11eb-ae93-0242ac130002", + "Platform": "Partnerize", + "Category": "Marketing", + "Cookie / Data Key name": "tPHG-PS", + "Domain": "prf.hn", + "Description": "Partnerize’s tracking cookie, deployed either upon a user’s clicking of a link on a partner website, or upon the loading of a customer's image to a partner website.", + "Retention period": "1 year", + "Data Controller": "Partnerize", + "User Privacy & GDPR Rights Portals": "https://partnerize.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d26e6f52-4f43-11eb-ae93-0242ac130002", + "Platform": "Digital Audience", + "Category": "Marketing", + "Cookie / Data Key name": "digitalAudience", + "Domain": "digitalaudience.io", + "Description": "Digital Audience uses cookies to improve the effectiveness of digital platforms, thanks to online recognition mechanisms.", + "Retention period": "Unlimited", + "Data Controller": "Digital Audience", + "User Privacy & GDPR Rights Portals": "https://digitalaudience.io/legal/", + "Wildcard match": 0 + }, + { + "ID": "d26e763c-4f43-11eb-ae93-0242ac130002", + "Platform": "Drupal CMS", + "Category": "Functional", + "Cookie / Data Key name": "has_js", + "Domain": "", + "Description": "Drupal uses this cookie to indicate whether or not the visitors browser has JavaScript enabled.", + "Retention period": "session", + "Data Controller": "Drupal CMS", + "User Privacy & GDPR Rights Portals": "https://www.drupal.org/privacy", + "Wildcard match": 0 + }, + { + "ID": "d26e5eb8-4f43-11eb-ae93-0242ac130002", + "Platform": "Optinmonster", + "Category": "Marketing", + "Cookie / Data Key name": "_omappvs", + "Domain": "", + "Description": "Cookie is used to identify returning visitors", + "Retention period": "1 day", + "Data Controller": "Optinmonster", + "User Privacy & GDPR Rights Portals": "https://optinmonster.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d26e9b26-4f43-11eb-ae93-0242ac130002", + "Platform": "Optinmonster", + "Category": "Marketing", + "Cookie / Data Key name": "_omappvp", + "Domain": "", + "Description": "Cookie is used to identify returning visitors", + "Retention period": "1 day", + "Data Controller": "Optinmonster", + "User Privacy & GDPR Rights Portals": "https://optinmonster.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "83bb5f54-8139-4636-bcfe-963c61fef97f", + "Platform": "Leadfeeder", + "Category": "Marketing", + "Cookie / Data Key name": "_lfa", + "Domain": "", + "Description": "Leadfeeder cookie collects the behavioral data of all website visitors. This includes; pages viewed, visitor source and time spent on the site", + "Retention period": "2 years", + "Data Controller": "Leadfeeder", + "User Privacy & GDPR Rights Portals": "https://www.leadfeeder.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "3686a3ce-0b5a-412e-a28a-6b913094c088", + "Platform": "SnapEngage", + "Category": "Marketing", + "Cookie / Data Key name": "SnapABugHistory", + "Domain": "", + "Description": "This cookie is associated with live chat software from SnapEngage. It identifies a visitor to enable a history of engagement to be recorded.", + "Retention period": "1 year", + "Data Controller": "SnapEngage", + "User Privacy & GDPR Rights Portals": "https://snapengage.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f518a80b-bc3b-4f56-a426-154ead117a8a", + "Platform": "SnapEngage", + "Category": "Functional", + "Cookie / Data Key name": "SnapABugUserAlias", + "Domain": "", + "Description": "Stores a unique ID string for each chat-box session. This allows the website-support to see previous issues and reconnect with the previous supporter.", + "Retention period": "1 year", + "Data Controller": "SnapEngage", + "User Privacy & GDPR Rights Portals": "https://snapengage.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0a671a46-3fbd-4121-a601-5d9eae7b6055", + "Platform": "SnapEngage", + "Category": "Functional", + "Cookie / Data Key name": "SnapABugVisit", + "Domain": "", + "Description": "This cookie is associated with live chat software from SnapEngage. It identifies a new user session.", + "Retention period": "1 year", + "Data Controller": "SnapEngage", + "User Privacy & GDPR Rights Portals": "https://snapengage.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "db26f6b6-580c-4e32-bf8c-304357f2fc29", + "Platform": "SnapEngage", + "Category": "Marketing", + "Cookie / Data Key name": "SnapABugRef", + "Domain": "", + "Description": "This cookie is associated with live chat software from SnapEngage. It records the landing page and origin of a visitor.", + "Retention period": "1 year", + "Data Controller": "SnapEngage", + "User Privacy & GDPR Rights Portals": "https://snapengage.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "78cbc779-7db2-465d-96c9-89139421bdd4", + "Platform": "SpotX", + "Category": "Marketing", + "Cookie / Data Key name": "audience", + "Domain": "spotxchange.com", + "Description": "Sync audience data between buyers and sellers.", + "Retention period": "1 year", + "Data Controller": "SpotX", + "User Privacy & GDPR Rights Portals": "https://www.spotx.tv/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7bbc4d04-8776-45f3-85dc-c474d5907b24", + "Platform": "Yithemes.com", + "Category": "Functional", + "Cookie / Data Key name": "yith_wcwl_session_", + "Domain": "", + "Description": "YITH WooCommerce Wishlist plugin uses cookies in order to correctly store user wishlists", + "Retention period": "29 days", + "Data Controller": "Yithemes.com", + "User Privacy & GDPR Rights Portals": "https://yithemes.com/", + "Wildcard match": 0 + }, + { + "ID": "f55ad4e8-3628-4673-bbb0-d1ade3ffd763", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "A3", + "Domain": ".yahoo.com", + "Description": "Ads targeting cookie for Yahoo", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://yahoo.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "55d5a873-3ef4-42a9-bf71-0778277cdda8", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "APID", + "Domain": "advertising.com", + "Description": "Collects information on visitor behaviour on multiple websites. This information is used on the website, in order to optimize the relevance of advertisement.", + "Retention period": "1 month", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://yahoo.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7b49eeee-73e3-431c-a909-565717997f44", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "APIDTS", + "Domain": ".yahoo.com", + "Description": "This is a Yahoo! Cookie used in the targeting of relevant adverts and content on the Yahoo! platform.", + "Retention period": "1 day", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://yahoo.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "81703626-6fe2-464d-bb69-959a820ef510", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "IDSYNC", + "Domain": ".yahoo.com", + "Description": "Identifies if the cookie-data needs to be updated in the visitor's browser - This is determined through third-party ad-serving-companies.", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://yahoo.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "359dfcb7-0930-4a4b-bc33-585a54590c4c", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "A1", + "Domain": "", + "Description": "Ads targeting cookie for Yahoo", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://yahoo.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ecf3406a-e396-406e-8691-52200c6a811c", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "A1S", + "Domain": "", + "Description": "Ads targeting cookie for Yahoo", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://yahoo.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "16a584ec-5f1e-4d99-a2a6-84cc624c0047", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "adaptv_unique_user_cookie", + "Domain": ".yahoo.com", + "Description": "This cookie is used to collect information on a visitor. This information will become an ID string with information on a specific visitor – ID information strings can be used to target groups with similar preferences, or can be used by third-party domains or ad-exchanges.", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "3c4c9711-7350-4508-881a-74a45f97ece3", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "cmp", + "Domain": ".yahoo.com", + "Description": "This cookie is used to collect information on a visitor. This information will become an ID string with information on a specific visitor – ID information strings can be used to target groups with similar preferences, or can be used by third-party domains or ad-exchanges.", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "fead4a37-b7fd-414d-9526-2fd3f9b44a4b", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "adsrcvw1", + "Domain": ".yahoo.com", + "Description": "These cookies are only used with your consent. You can give or withdraw your consent on the third party's site or app.", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "1ee2ba0a-2569-408c-900f-5ad04633928f", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "migrated2y", + "Domain": ".yahoo.com", + "Description": "These cookies are only used as migration indication for old cookies", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "3f117744-8d65-43f5-95c5-800285ef4085", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "OTH", + "Domain": ".yahoo.com", + "Description": "This cookie is used to collect information on a visitor. This information will become an ID string with information on a specific visitor – ID information strings can be used to target groups with similar preferences, or can be used by third-party domains or ad-exchanges.", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "a61b7954-4fe9-4da3-acf1-ea89e23ec02c", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "optout", + "Domain": ".yahoo.com", + "Description": "This cookie collect and store data of ads from user opted out", + "Retention period": "2 years", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "f9db7e4a-8507-4bd7-937d-aeeb20cffdc2", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "rtbData0", + "Domain": ".yahoo.com", + "Description": "This cookie is used to collect information on a visitor. This information will become an ID string with information on a specific visitor – ID information strings can be used to target groups with similar preferences, or can be used by third-party domains or ad-exchanges.", + "Retention period": "2 years", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "8cf47059-10ed-47db-864a-fe936d4217ce", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "rxx", + "Domain": ".yahoo.com", + "Description": "This cookie is used to collect information on a visitor. This information will become an ID string with information on a specific visitor – ID information strings can be used to target groups with similar preferences, or can be used by third-party domains or ad-exchanges.", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "636cc6a6-a3d3-4c6a-a730-dd55b7d9a366", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "tearsheet", + "Domain": ".yahoo.com", + "Description": "This cookie is used to collect information on a visitor. This information will become an ID string with information on a specific visitor – ID information strings can be used to target groups with similar preferences, or can be used by third-party domains or ad-exchanges.", + "Retention period": "30 minutes", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "7f704074-d9ce-4f44-8201-77e1fb70b9a6", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "unique_ad_source_impression", + "Domain": ".yahoo.com", + "Description": "This cookie is used to collect information on a visitor. This information will become an ID string with information on a specific visitor – ID information strings can be used to target groups with similar preferences, or can be used by third-party domains or ad-exchanges.", + "Retention period": "30 days", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "efc95f27-5957-44e0-8ce0-d8f438690826", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "axids", + "Domain": ".yahoo.com", + "Description": "This cookie is used to collect information on a visitor. This information will become an ID string with information on a specific visitor – ID information strings can be used to target groups with similar preferences, or can be used by third-party domains or ad-exchanges.", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "50fa00d9-a718-4307-ab5b-3f860addf2d9", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "GUC", + "Domain": ".yahoo.com", + "Description": "This cookie is used to collect information on a visitor. This information will become an ID string with information on a specific visitor – ID information strings can be used to target groups with similar preferences, or can be used by third-party domains or ad-exchanges.", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "c518ea13-66e7-4672-8fa9-889d88e80a55", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "trc_cookie_storage", + "Domain": ".yahoo.com", + "Description": "This cookie is used to collect information on a visitor. This information will become an ID string with information on a specific visitor – ID information strings can be used to target groups with similar preferences, or can be used by third-party domains or ad-exchanges.", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "3d576c44-57a4-461c-8df5-436774278e93", + "Platform": "Yahoo", + "Category": "Marketing", + "Cookie / Data Key name": "tbla_id", + "Domain": ".yahoo.com", + "Description": "This cookie is used to collect information on a visitor. This information will become an ID string with information on a specific visitor – ID information strings can be used to target groups with similar preferences, or can be used by third-party domains or ad-exchanges.", + "Retention period": "1 year", + "Data Controller": "Yahoo", + "User Privacy & GDPR Rights Portals": "https://legal.yahoo.com/ie/en/yahoo/privacy/cookies/index.html", + "Wildcard match": 0 + }, + { + "ID": "9dd47f52-fa0f-4ae6-b2b2-d4da098f5cf3", + "Platform": "NGINX Ingresss", + "Category": "Functional", + "Cookie / Data Key name": "INGRESSCOOKIE", + "Domain": "", + "Description": "Registers which server-cluster is serving the visitor. This is used in context with load balancing, in order to optimize user experience.", + "Retention period": "session", + "Data Controller": "NGINX", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "1f93dfd1-5731-4ad7-af5f-1ea4c233e509", + "Platform": "Alteon", + "Category": "Functional", + "Cookie / Data Key name": "AlteonP", + "Domain": "", + "Description": "This cookie is set by the load balancers and allows us to evenly balance the number of users across the web servers that we use.", + "Retention period": "session", + "Data Controller": "Radware", + "User Privacy & GDPR Rights Portals": "https://www.radware.com/privacypolicy.aspx/", + "Wildcard match": 0 + }, + { + "ID": "08aa2152-aac5-48f4-add2-a57ac41ae5cc", + "Platform": "Quantcast", + "Category": "Marketing", + "Cookie / Data Key name": "cref", + "Domain": "quantserve.com", + "Description": "Contains data on user navigation, interaction and time spent on the website and its sub-pages – This data is used to optimise the relevance of advertisements and for statistical purposes.", + "Retention period": "13 months", + "Data Controller": "Quantcast", + "User Privacy & GDPR Rights Portals": "https://www.quantcast.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "40ea1a13-a043-4bef-baad-40999cc1cd69", + "Platform": "Quantcast", + "Category": "Marketing", + "Cookie / Data Key name": "mc", + "Domain": "quantserve.com", + "Description": "Tracking of users and measure and improve performance and supports personalisation", + "Retention period": "13 months", + "Data Controller": "Quantcast", + "User Privacy & GDPR Rights Portals": "https://www.quantcast.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "bd6d0025-a221-42f0-9251-4aafce935a13", + "Platform": "Quantcast", + "Category": "Marketing", + "Cookie / Data Key name": "d", + "Domain": "quantserve.com", + "Description": "Tracking of users and measure and improve performance and supports personalisation", + "Retention period": "13 months", + "Data Controller": "Quantcast", + "User Privacy & GDPR Rights Portals": "https://www.quantcast.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "39f70b32-0e46-4ed3-aa11-56ffbc075e85", + "Platform": "Issuu", + "Category": "Marketing", + "Cookie / Data Key name": "iutk", + "Domain": "issuu.com", + "Description": "Recognises the user's device and what Issuu documents have been read.", + "Retention period": "10 years", + "Data Controller": "Issuu", + "User Privacy & GDPR Rights Portals": "https://issuu.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "e96d0649-a068-4658-99ee-8c368708aafc", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "cookielawinfo-checkbox-necessary", + "Domain": "", + "Description": "This cookie is set by GDPR Cookie Consent plugin. The cookies is used to store the user consent for the cookies in the category 'Necessary'.", + "Retention period": "11 months", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookielawinfo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "2ef4d34b-f43a-4173-827a-dc95958191c4", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "cookielawinfo-checkbox-non-necessary", + "Domain": "", + "Description": "This cookie is set by GDPR Cookie Consent plugin. The cookies is used to store the user consent for the cookies in the category 'Non Necessary'.", + "Retention period": "11 months", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookielawinfo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "1c3b9bfd-a17e-4c9c-b700-6e1c27d78c01", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "viewed_cookie_policy", + "Domain": "", + "Description": "The cookie is set by the GDPR Cookie Consent plugin and is used to store whether or not user has consented to the use of cookies. It does not store any personal data.", + "Retention period": "11 months", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookielawinfo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f0e1bdde-56ac-47d1-82c3-1d8e31a1a2f8", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "cookielawinfo-checkbox-marketing", + "Domain": "", + "Description": "This cookie is set by GDPR Cookie Consent plugin. The purpose of this cookie is to check whether or not the user has given the consent to the usage of cookies under the category 'Marketing'.", + "Retention period": "11 months", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookielawinfo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7d291bd7-8818-4546-aca2-92fb9f8fd76f", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "cookielawinfo-checkbox-analytics", + "Domain": "", + "Description": "This cookie is set by GDPR Cookie Consent plugin. The purpose of this cookie is to check whether or not the user has given the consent to the usage of cookies under the category 'Analytics'.", + "Retention period": "11 months", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookielawinfo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "ade1c678-a6e2-422c-b9c2-4628a85fa2c7", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "cookielawinfo-checkbox-performance", + "Domain": "", + "Description": "This cookie is set by GDPR Cookie Consent plugin. The purpose of this cookie is to check whether or not the user has given the consent to the usage of cookies under the category 'Performance'.", + "Retention period": "11 months", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookielawinfo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "dc00751c-4f94-4ac7-9a3f-3e340abc33e5", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "cookielawinfo-checkbox-others", + "Domain": "", + "Description": "This cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category 'Other'.", + "Retention period": "11 months", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookielawinfo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7d55231f-d9ef-4bf6-947d-a58b9153a674", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "cookielawinfo-checkbox-functional", + "Domain": "", + "Description": "This cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category 'Functional'.", + "Retention period": "11 months", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookielawinfo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0d82345b-adae-4451-9060-cb8df0f096cd", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "cookielawinfo-checkbox-advertisement", + "Domain": "", + "Description": "This cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category 'Advertisement'.", + "Retention period": "11 months", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.webtoffee.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "5c36ca4d-ec61-411f-959a-6015bb8283fc", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "cli_user_preference", + "Domain": "", + "Description": "The cookie is set by the GDPR Cookie Consent plugin and is used to store whether or not user has consented to the use of cookies. It does not store any personal data.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookielawinfo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "ae353d88-c16e-4175-9f1a-d1264190ef79", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "cookielawinfo-checkbox-preferences", + "Domain": "", + "Description": "This cookie is set by GDPR Cookie Consent plugin. The purpose of this cookie is to check whether or not the user has given the consent to the usage of cookies under the category 'Preferences'.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookielawinfo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "a5ce449d-0e45-4afb-bffe-3cf0ee6660f8", + "Platform": "Cookie Law Info", + "Category": "Functional", + "Cookie / Data Key name": "CookieLawInfoConsent", + "Domain": "", + "Description": "The cookie is set by the GDPR Cookie Consent plugin and is used to store whether or not user has consented to the use of cookies. It does not store any personal data.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookielawinfo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "dc80234d-1572-496f-a4c2-3ce598878657", + "Platform": "Quantcast", + "Category": "Marketing", + "Cookie / Data Key name": "__qca", + "Domain": "", + "Description": "This cookie is set by Quantcast, who present targeted advertising. Stores browser and HTTP request information.", + "Retention period": "1 year", + "Data Controller": "Quantcast", + "User Privacy & GDPR Rights Portals": "https://www.quantcast.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "562dc80e-caa7-4a3b-80fd-7f5d990b025c", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "stg_traffic_source_priority", + "Domain": "", + "Description": "Stores the type of traffic source that explains how the visitor reached your website.", + "Retention period": "30 minutes", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "44616d67-2079-4619-a432-a5aa2a2b9a5d", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "stg_last_interaction", + "Domain": "", + "Description": "Determines whether the last visitor's session is still in progress or a new session has started.", + "Retention period": "365 days", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "9774af01-25a3-42e5-987d-bcabb41ff5f7", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "stg_returning_visitor", + "Domain": "", + "Description": "Determines if the visitor has already been to your website — they are returning visitors.", + "Retention period": "365 days", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "02a5c150-e145-4a12-b6b3-8c314aebaa5f", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "stg_externalReferrer", + "Domain": "", + "Description": "Stores an URL of a website that referred a visitor to your website.", + "Retention period": "session", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cee57744-abcd-4940-b737-06252639945b", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "_pk_id.", + "Domain": "", + "Description": "Used to recognize visitors and hold their various properties.", + "Retention period": "13 Months", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "6ef9f3ae-331e-4261-9b42-7d6fb53f5eea", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "_pk_ses.", + "Domain": "", + "Description": "Shows the visitor’s active session. If the cookie doesn’t exist, it means that the session ended more than 30 minutes ago and was counted in the _pk_id cookie.", + "Retention period": "30 minutes", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "c03ce1f4-d1bc-456a-a7e5-c32471f5c9f7", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "ppms_privacy_", + "Domain": "", + "Description": "Stores the visitor’s consent to data collection and usage.", + "Retention period": "12 months", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "1cf0a83b-f91d-4dea-8aff-ab0448582101", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "ppms_privacy_bar_", + "Domain": "", + "Description": "Stores information that the visitor has closed the consent reminder.", + "Retention period": "Session", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "97bd3cb2-8fdc-401c-bf27-da642fd722bf", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "stg_fired__", + "Domain": "", + "Description": "Indicates whether the tag and trigger combination was fired during the current visitor session. This cookie can be set multiple times with different condition IDs.", + "Retention period": "Session", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "412c3c5e-1744-4102-b5ce-4434f353fcb5", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "stg_utm_campaign", + "Domain": "", + "Description": "Stores the name of the campaign that directed the visitor to your site.", + "Retention period": "Session", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "4a9a5df1-5322-4fff-b4b8-58f5d3ed9457", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "stg_pk_campaign", + "Domain": "", + "Description": "Stores the name of the campaign that directed the visitor to your site.", + "Retention period": "Session", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f3b8d7c2-25b5-4bef-a7c8-f0b553a0b2ad", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "_stg_optout", + "Domain": "", + "Description": "Helps to turn off all tracking tags on your site.", + "Retention period": "365 days", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "27a9dcca-06b3-49ea-9aa2-2cc1483e9e53", + "Platform": "Piwik", + "Category": "Analytics", + "Cookie / Data Key name": "stg_global_opt_out", + "Domain": "", + "Description": "Helps to turn off all tracking tags on sites that belong to one Piwik PRO account.", + "Retention period": "365 days", + "Data Controller": "Piwik", + "User Privacy & GDPR Rights Portals": "https://piwik.pro/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "27a4a62d-3bdc-4512-bc8c-b74cb44b201b", + "Platform": "Sooqr", + "Category": "Functional", + "Cookie / Data Key name": "__sqra", + "Domain": "", + "Description": "Tracks the user's interaction with the website's search-bar-function. This data can be used to present the user with relevant products or services.", + "Retention period": "2 years", + "Data Controller": "Sooqr", + "User Privacy & GDPR Rights Portals": "https://www.sooqr.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "87c17bc3-4393-4397-aeff-81b71a389739", + "Platform": "Sooqr", + "Category": "Functional", + "Cookie / Data Key name": "__sqrb", + "Domain": "", + "Description": "Tracks the user's interaction with the website's search-bar-function. This data can be used to present the user with relevant products or services.", + "Retention period": "2 years", + "Data Controller": "Sooqr", + "User Privacy & GDPR Rights Portals": "https://www.sooqr.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "0c18d79d-f638-4c6a-a0a1-1259dae0b8ad", + "Platform": "Sooqr", + "Category": "Functional", + "Cookie / Data Key name": "__sqrc", + "Domain": "", + "Description": "Tracks the user's interaction with the website's search-bar-function. This data can be used to present the user with relevant products or services.", + "Retention period": "2 years", + "Data Controller": "Sooqr", + "User Privacy & GDPR Rights Portals": "https://www.sooqr.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "4dddbf86-f3a1-4a0e-9f31-92b200332614", + "Platform": "Siteimprove", + "Category": "Analytics", + "Cookie / Data Key name": "nmstat", + "Domain": "", + "Description": "This cookie is used to help record the visitor's use of the website. It is used to collect statistics about site usage such as when the visitor last visited the site. This information is then used to improve the user experience on the website. This Siteimprove Analytics cookie contains a randomly generated ID used to recognize the browser when a visitor reads a page. The cookie contains no personal information and is used only for web analytics. It is also used to track the sequence of pages a visitor looks at during a visit to the site. This information can be used to reduce user journeys, and enable visitors to find relevant information quicker.", + "Retention period": "3 years", + "Data Controller": "Siteimprove", + "User Privacy & GDPR Rights Portals": "https://siteimprove.com/en/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e8aae2ac-3c77-4502-879a-8731e477039b", + "Platform": "Snowplow", + "Category": "Analytics", + "Cookie / Data Key name": "sp", + "Domain": "", + "Description": "Stores a server-side collector generated unique identifier for a user that is sent with all subsequent tracking event events. Can be used as a first party cookie is the collector is on the same domain as the site.", + "Retention period": "1 year", + "Data Controller": "Snowplow", + "User Privacy & GDPR Rights Portals": "https://snowplowanalytics.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b004b901-f36b-4997-8cf9-418a732e6c13", + "Platform": "Snowplow", + "Category": "Analytics", + "Cookie / Data Key name": "_sp_id.", + "Domain": "", + "Description": "Stores user information that is created when a user first visits a site and updated on subsequent visits. It is used to identify users and track the users activity across a domain. This cookie stores a unique identifier for each user, a unique identifier for the users current session, the number of visits a user has made to the site, the timestamp of the users first visit, the timestamp of their previous visit and the timestamp of their current visit.", + "Retention period": "2 years", + "Data Controller": "Snowplow", + "User Privacy & GDPR Rights Portals": "https://snowplowanalytics.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "dde284cf-3649-4e29-8b04-ecc96eac7e4a", + "Platform": "Snowplow", + "Category": "Analytics", + "Cookie / Data Key name": "_sp_ses.", + "Domain": "", + "Description": "Used to identify if the user is in an active session on a site or if this is a new session for a user (i.e. cookie doesn’t exist or has expired).", + "Retention period": "30 minutes", + "Data Controller": "Snowplow", + "User Privacy & GDPR Rights Portals": "https://snowplowanalytics.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "631c056d-0dd6-4fd7-8e16-f93158c727fb", + "Platform": "Keycloak", + "Category": "Functional", + "Cookie / Data Key name": "AUTH_SESSION_ID", + "Domain": "", + "Description": "ID of current authentication session.", + "Retention period": "session", + "Data Controller": "Keycloak", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "064bc825-f711-4073-82ff-5c5b245403d4", + "Platform": "Keycloak", + "Category": "Functional", + "Cookie / Data Key name": "KC_RESTART", + "Domain": "", + "Description": "Internal cookie from Keycloak.", + "Retention period": "session", + "Data Controller": "Keycloak", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "5a2467a0-a9e3-4421-90a8-f59b8fb7745e", + "Platform": "Keycloak", + "Category": "Functional", + "Cookie / Data Key name": "KC_START", + "Domain": "", + "Description": "Internal cookie from Keycloak.", + "Retention period": "session", + "Data Controller": "Keycloak", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "1b8dde05-1308-4743-bb39-9039c3a58dfe", + "Platform": "Keycloak", + "Category": "Functional", + "Cookie / Data Key name": "KEYCLOAK_IDENTITY", + "Domain": "", + "Description": "ID of the current user.", + "Retention period": "session", + "Data Controller": "Keycloak", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "19397f73-8d4a-4950-9966-76e7722c7dec", + "Platform": "Keycloak", + "Category": "Functional", + "Cookie / Data Key name": "KEYCLOAK_LOCALE", + "Domain": "", + "Description": "Language of the interface.", + "Retention period": "session", + "Data Controller": "Keycloak", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "f1a9251d-60c3-41cc-a3e4-468daed3ac47", + "Platform": "Keycloak", + "Category": "Functional", + "Cookie / Data Key name": "KEYCLOAK_REMEMBER_ME", + "Domain": "", + "Description": "Internal cookie from Keycloak.", + "Retention period": "1 year", + "Data Controller": "Keycloak", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "27d6d2af-45df-463d-8adf-2df0c44a1b99", + "Platform": "Keycloak", + "Category": "Functional", + "Cookie / Data Key name": "KEYCLOAK_SESSION", + "Domain": "", + "Description": "ID of the current browser session", + "Retention period": "session", + "Data Controller": "Keycloak", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "e8fd77a2-4cbd-41b9-927e-a491e5ba8099", + "Platform": "Akamai Botmanager", + "Category": "Functional", + "Cookie / Data Key name": "_abck", + "Domain": "", + "Description": "This cookie is used to analyse traffic to determine if it is automated traffic generated by IT systems or a human user", + "Retention period": "session", + "Data Controller": "Akamai", + "User Privacy & GDPR Rights Portals": "https://www.akamai.com/us/en/privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "846bfac0-2375-4a23-817c-7ef6367c1721", + "Platform": "Akamai", + "Category": "Functional", + "Cookie / Data Key name": "AKA_A2", + "Domain": "", + "Description": "Used for Akamai's Advanced Acceleration feature, intended to improve web performance", + "Retention period": "1 hour or longer", + "Data Controller": "Akamai", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "bd422e53-5a38-46c6-877a-8fc75a4aa78a", + "Platform": "Akamai", + "Category": "Functional", + "Cookie / Data Key name": "ak_bmsc", + "Domain": "", + "Description": "Cookie used to optimize performance, and to improve the user experience, on Akamai websites", + "Retention period": "1 hour or longer", + "Data Controller": "Akamai", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "84fb17aa-0f6e-4714-a017-5235909aa5be", + "Platform": "Akamai", + "Category": "Functional", + "Cookie / Data Key name": "bm_sv", + "Domain": "", + "Description": "Used by Akamai Botman Manager to help differentiate between web requests generated by humans and web requests generated by bots or other automated processes", + "Retention period": "1 hour or longer", + "Data Controller": "Akamai", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "921ba5e5-f107-4cf9-84e1-d5f7754a343c", + "Platform": "CraftCMS", + "Category": "Security", + "Cookie / Data Key name": "CRAFT_CSRF_TOKEN", + "Domain": "", + "Description": "Facilitates protection against cross-site request forgeries. This helps to safeguard data as it is submitted through forms on the website.", + "Retention period": "session", + "Data Controller": "CraftCMS", + "User Privacy & GDPR Rights Portals": "https://craftcms.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "46685933-fc93-414c-bcbb-2798ed2b42e4", + "Platform": "CraftCMS", + "Category": "Functional", + "Cookie / Data Key name": "CraftSessionId", + "Domain": "", + "Description": "Craft relies on PHP sessions to maintain sessions across web requests. That is done via the PHP session cookie. Craft names that cookie 'CraftSessionId' by default. This cookie will expire as soon as the session expires.", + "Retention period": "session", + "Data Controller": "CraftCMS", + "User Privacy & GDPR Rights Portals": "https://craftcms.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "6ca1e81e-52c9-4967-9d5d-5610cbdb2195", + "Platform": "CodeIgniter", + "Category": "Functional", + "Cookie / Data Key name": "ci_session", + "Domain": "", + "Description": "Cookie to track the users logged in state and access level to restricted pages.", + "Retention period": "session", + "Data Controller": "CodeIgniter", + "User Privacy & GDPR Rights Portals": "https://codeigniter.com/help", + "Wildcard match": 0 + }, + { + "ID": "963037a3-5a9f-43ec-a158-05c9a1fbb410", + "Platform": "Livechat", + "Category": "Functional", + "Cookie / Data Key name": "__lc_cid", + "Domain": "livechatinc.com", + "Description": "Necessary for the functionality of the website's chat-box function.", + "Retention period": "3 years", + "Data Controller": "Livechat", + "User Privacy & GDPR Rights Portals": "https://www.livechat.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "fdc5952e-8800-41a9-8ccc-9a5840388cba", + "Platform": "Livechat", + "Category": "Functional", + "Cookie / Data Key name": "__lc_cst", + "Domain": "livechatinc.com", + "Description": "Necessary for the functionality of the website's chat-box function.", + "Retention period": "3 years", + "Data Controller": "Livechat", + "User Privacy & GDPR Rights Portals": "https://www.livechat.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "81dc7d7b-619d-47f1-98a1-2b3d2cad1b01", + "Platform": "Livechat", + "Category": "Functional", + "Cookie / Data Key name": "__lc2_cid", + "Domain": "livechatinc.com", + "Description": "Stores a unique ID string for each chat-box session. This allows the website-support to see previous issues and reconnect with the previous supporter.", + "Retention period": "3 years", + "Data Controller": "Livechat", + "User Privacy & GDPR Rights Portals": "https://www.livechat.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b44fe56a-08e1-443d-90be-708e9eca8e31", + "Platform": "Livechat", + "Category": "Functional", + "Cookie / Data Key name": "__lc2_cst", + "Domain": "livechatinc.com", + "Description": "Stores a unique ID string for each chat-box session. This allows the website-support to see previous issues and reconnect with the previous supporter.", + "Retention period": "3 years", + "Data Controller": "Livechat", + "User Privacy & GDPR Rights Portals": "https://www.livechat.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "6c04fe36-d565-486e-a37b-a97060ddbfac", + "Platform": "Livechat", + "Category": "Functional", + "Cookie / Data Key name": "__livechat", + "Domain": "livechatinc.com", + "Description": "Used to hide the user's personal customisation of LiveChat.", + "Retention period": "3 years", + "Data Controller": "Livechat", + "User Privacy & GDPR Rights Portals": "https://www.livechat.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "3b0058a6-bf61-4a5c-959b-f745b31ccd25", + "Platform": "Bazaar Voice", + "Category": "Analytics", + "Cookie / Data Key name": "BVBRANDID", + "Domain": "network.bazaarvoice.com", + "Description": "BVBRANDID is a persistent cookie that allows Bazaarvoice to track website analytics data such as how often you visit the site and allocate it to the same website visitor.", + "Retention period": "20 years", + "Data Controller": "Bazaar Voice", + "User Privacy & GDPR Rights Portals": "https://www.bazaarvoice.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "1f46618f-3277-480d-9222-43542bfdc6b7", + "Platform": "Bazaar Voice", + "Category": "Analytics", + "Cookie / Data Key name": "BVBRANDSID", + "Domain": "network.bazaarvoice.com", + "Description": "This cookie allows internal Bazaarvoice web analytics to be correlated to the same user browsing session for interactions within a particular client domain.", + "Retention period": "20 years", + "Data Controller": "Bazaar Voice", + "User Privacy & GDPR Rights Portals": "https://www.bazaarvoice.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0ddf03c2-eb2c-49be-ad06-107397b08b49", + "Platform": "Bazaar Voice", + "Category": "Marketing", + "Cookie / Data Key name": "BVID", + "Domain": "network.bazaarvoice.com", + "Description": "Allows internal Bazaarvoice web analytics to be correlated to the same user for interactions across the Bazaarvoice network.", + "Retention period": "365 days", + "Data Controller": "Bazaar Voice", + "User Privacy & GDPR Rights Portals": "https://www.bazaarvoice.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "c1fcefda-1d06-4c97-b486-de2a7fe04c5f", + "Platform": "Bazaar Voice", + "Category": "Marketing", + "Cookie / Data Key name": "BVSID", + "Domain": "network.bazaarvoice.com", + "Description": "Allows internal Bazaarvoice web analytics to be correlated to the same user browsing session for interactions across the Bazaarvoice network.", + "Retention period": "session", + "Data Controller": "Bazaar Voice", + "User Privacy & GDPR Rights Portals": "https://www.bazaarvoice.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0b3b5e99-3571-4341-8a90-6a73af71fde0", + "Platform": "Leadinfo", + "Category": "Marketing", + "Cookie / Data Key name": "_li_id", + "Domain": "", + "Description": "These cookies enable us to get insights about the business use of our website, based on IP addresses of the website visitors.", + "Retention period": "1 year", + "Data Controller": "Leadinfo", + "User Privacy & GDPR Rights Portals": "https://www.leadinfo.com/en/privacy/", + "Wildcard match": 1 + }, + { + "ID": "0fd423e4-3ad8-4e28-b66d-c72035ef6feb", + "Platform": "Leadinfo", + "Category": "Marketing", + "Cookie / Data Key name": "_li_ses", + "Domain": "", + "Description": "These cookies enable us to get insights about the business use of our website, based on IP addresses of the website visitors.", + "Retention period": "1 year", + "Data Controller": "Leadinfo", + "User Privacy & GDPR Rights Portals": "https://www.leadinfo.com/en/privacy/", + "Wildcard match": 1 + }, + { + "ID": "ae09ee13-e72c-4dee-9d6e-370a54a8da37", + "Platform": "CakePHP", + "Category": "Functional", + "Cookie / Data Key name": "CAKEPHP", + "Domain": "", + "Description": "A cookie controller used to manage other Cookies", + "Retention period": "1 hour", + "Data Controller": "CakePHP", + "User Privacy & GDPR Rights Portals": "https://cakephp.org/privacy", + "Wildcard match": 0 + }, + { + "ID": "b2a0edbb-1b14-4d67-8dff-3eb48a9025d4", + "Platform": "WPML", + "Category": "Functional", + "Cookie / Data Key name": "wp-wpml_current_language", + "Domain": "", + "Description": "This cookie is used to track the language preference fo the user", + "Retention period": "session", + "Data Controller": "WPML", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "c5dafd95-b0af-48b1-b3b2-5e5f27759251", + "Platform": "Flowbox", + "Category": "Functional", + "Cookie / Data Key name": "_flowbox", + "Domain": "", + "Description": "Used to differentiate between users and sessions and collecting statistics on the viewing behaviour for Instagram posts displayed on the website.", + "Retention period": "1 year", + "Data Controller": "Flowbox", + "User Privacy & GDPR Rights Portals": "https://getflowbox.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e29ad6ea-79c4-44a1-bc96-8ce67d41f51e", + "Platform": "Adcalls", + "Category": "Marketing", + "Cookie / Data Key name": "acalltracker", + "Domain": "", + "Description": "Adcalls call tracking: ID, phone number", + "Retention period": "30 days", + "Data Controller": "Adcalls", + "User Privacy & GDPR Rights Portals": "https://adcalls.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "1f3e0433-41e5-41f2-ba49-c9e5a98be282", + "Platform": "Adcalls", + "Category": "Functional", + "Cookie / Data Key name": "acalltrackersession", + "Domain": "", + "Description": "This cookie stores a unique identifier, so that it can be tracked which session the visitor is in.", + "Retention period": "session", + "Data Controller": "Adcalls", + "User Privacy & GDPR Rights Portals": "https://adcalls.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "75a530bf-7faa-4b5e-b7b9-25a851e56f80", + "Platform": "Adcalls", + "Category": "Analytics", + "Cookie / Data Key name": "acalltrackerreferrer", + "Domain": "", + "Description": "This cookie is set as soon as the AdCalls JavaScript is loaded. The cookie is used to store the referrer of the visitor as quickly as possible, so that it cannot be lost. As soon as the JavaScript has been executed, this cookie is immediately deleted.", + "Retention period": "60 minutes", + "Data Controller": "Adcalls", + "User Privacy & GDPR Rights Portals": "https://adcalls.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "23826587-f85a-4cb9-bcf6-fcad9eee8289", + "Platform": "Adcalls", + "Category": "Functional", + "Cookie / Data Key name": "excludecalltracking", + "Domain": "", + "Description": "This cookie is set as soon as the visitor - for whatever reason - is not measured, so that we do not take any further actions.", + "Retention period": "session", + "Data Controller": "Adcalls", + "User Privacy & GDPR Rights Portals": "https://adcalls.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "d4619da2-a61f-4b2f-ba9f-b7909c2220c2", + "Platform": "Adcalls", + "Category": "Marketing", + "Cookie / Data Key name": "acalltrackernumber", + "Domain": "", + "Description": "This cookie stores the phone number for the session that is active.", + "Retention period": "30 minutes", + "Data Controller": "Adcalls", + "User Privacy & GDPR Rights Portals": "https://adcalls.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "5a0bf90f-b22d-4220-8062-d1e9005bb1be", + "Platform": "WP-Glogin", + "Category": "Functional", + "Cookie / Data Key name": "wordpress_google_apps_login", + "Domain": "", + "Description": "Used for secure log in to the web site with a Google account.", + "Retention period": "session", + "Data Controller": "WP-Glogin", + "User Privacy & GDPR Rights Portals": "https://wp-glogin.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b2d54e64-ba70-41a7-b0e6-d120fba8f5bf", + "Platform": "Jimdo", + "Category": "Functional", + "Cookie / Data Key name": "ckies_functional", + "Domain": "", + "Description": "Opt-out for functional cookies", + "Retention period": "1 year", + "Data Controller": "Jimdo", + "User Privacy & GDPR Rights Portals": "https://www.jimdo.com/info/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e364c5c1-b5fc-4694-a1fb-1640c645ff25", + "Platform": "Jimdo", + "Category": "Functional", + "Cookie / Data Key name": "ckies_necessary", + "Domain": "", + "Description": "Confirms that other necessary cookies get set", + "Retention period": "1 year", + "Data Controller": "Jimdo", + "User Privacy & GDPR Rights Portals": "https://www.jimdo.com/info/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7ae7ed24-a5d5-41d3-8093-a7c061be7e3c", + "Platform": "Jimdo", + "Category": "Functional", + "Cookie / Data Key name": "ckies_performance", + "Domain": "", + "Description": "Opt-out for performance cookies", + "Retention period": "1 year", + "Data Controller": "Jimdo", + "User Privacy & GDPR Rights Portals": "https://www.jimdo.com/info/privacy/", + "Wildcard match": 0 + }, + { + "ID": "59683a90-8710-42d8-94d7-9b663165de6d", + "Platform": "Jimdo", + "Category": "Functional", + "Cookie / Data Key name": "ckies_marketing", + "Domain": "", + "Description": "Opt-out for marketing/third party/consent based cookies", + "Retention period": "1 year", + "Data Controller": "Jimdo", + "User Privacy & GDPR Rights Portals": "https://www.jimdo.com/info/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6afaca08-37b1-484e-9bd7-11899d854df1", + "Platform": "Jimdo", + "Category": "Functional", + "Cookie / Data Key name": "ClickAndChange", + "Domain": "", + "Description": "Session Cookie for Creator CMS", + "Retention period": "session", + "Data Controller": "Jimdo", + "User Privacy & GDPR Rights Portals": "https://www.jimdo.com/info/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ed942f0c-3a75-4ada-9858-fae748cda4ea", + "Platform": "Polylang", + "Category": "Functional", + "Cookie / Data Key name": "pll_language", + "Domain": "", + "Description": "Saves the chosen language.", + "Retention period": "1 year", + "Data Controller": "Polylang", + "User Privacy & GDPR Rights Portals": "https://polylang.pro/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "6c94894a-994c-466b-a0f0-5a8aacb9bc1c", + "Platform": "Browser-Update.org", + "Category": "Functional", + "Cookie / Data Key name": "browserupdateorg", + "Domain": "", + "Description": "Stores information if user dismissed notification about outdated browser", + "Retention period": "30 days", + "Data Controller": "Browser-Update.org", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "966e2238-8fd8-4198-9316-91258ae36aa1", + "Platform": "Tawk.to Chat", + "Category": "Functional", + "Cookie / Data Key name": "TawkConnectionTime", + "Domain": "", + "Description": "This cookie is used to determine the connection duration of tawk sessions.", + "Retention period": "session", + "Data Controller": "Tawk.to Chat", + "User Privacy & GDPR Rights Portals": "https://www.tawk.to/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "def4d2ee-cd97-44c8-9eea-d95de5b3caee", + "Platform": "Tawk.to Chat", + "Category": "Analytics", + "Cookie / Data Key name": "tawkUUID", + "Domain": "va.tawk.to", + "Description": "This cookie is used to collect information about how the visitor handles the live chat function on the website.", + "Retention period": "10 years", + "Data Controller": "Tawk.to Chat", + "User Privacy & GDPR Rights Portals": "https://www.tawk.to/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "c6768eeb-3455-4496-a602-0ade83ba8910", + "Platform": "Tawk.to Chat", + "Category": "Functional", + "Cookie / Data Key name": "TawkCookie", + "Domain": "", + "Description": "Main Tawk.to cookie.", + "Retention period": "session", + "Data Controller": "Tawk.to Chat", + "User Privacy & GDPR Rights Portals": "https://www.tawk.to/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "efd8779d-bc7c-4f83-bf42-8c8ecf932f02", + "Platform": "Tawk.to Chat", + "Category": "Functional", + "Cookie / Data Key name": "__tawkuuid", + "Domain": "", + "Description": "Tawk.to cookie used to distinguish users.", + "Retention period": "10 years", + "Data Controller": "Tawk.to Chat", + "User Privacy & GDPR Rights Portals": "https://www.tawk.to/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "3122869c-87a8-41db-b5f3-c6c55769a061", + "Platform": "Sharethrough", + "Category": "Marketing", + "Cookie / Data Key name": "stx_user_id", + "Domain": "sharethrough.com", + "Description": "Delivering targeted and relevant content", + "Retention period": "1 year", + "Data Controller": "Sharethrough", + "User Privacy & GDPR Rights Portals": "https://platform-cdn.sharethrough.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "541bdd26-eddf-4f5b-ac6a-1effd709362b", + "Platform": "BetweenDigital", + "Category": "Marketing", + "Cookie / Data Key name": "dc", + "Domain": "betweendigital.com", + "Description": "This cookie is used for advertising purposes", + "Retention period": "10 years", + "Data Controller": "BetweenDigital", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "e9bf9b9b-2d3e-4322-80c8-55addbf17c90", + "Platform": "Squeezely", + "Category": "Marketing", + "Cookie / Data Key name": "sqzl_abs", + "Domain": "", + "Description": "A cookie used by Squeezely", + "Retention period": "1 month", + "Data Controller": "Squeezely", + "User Privacy & GDPR Rights Portals": "https://squeezely.tech/privacy", + "Wildcard match": 0 + }, + { + "ID": "70f28fbf-6970-4adf-97cb-93226b18a929", + "Platform": "Squeezely", + "Category": "Functional", + "Cookie / Data Key name": "sqzl_consent", + "Domain": "", + "Description": "Stores the user's cookie consent state for the current domain", + "Retention period": "1 year", + "Data Controller": "Squeezely", + "User Privacy & GDPR Rights Portals": "https://squeezely.tech/privacy", + "Wildcard match": 0 + }, + { + "ID": "bc33f12d-3ca4-4000-aa8b-aec82805ddc8", + "Platform": "Squeezely", + "Category": "Marketing", + "Cookie / Data Key name": "sqzl_session_id", + "Domain": "", + "Description": "A cookie used by Squeezely", + "Retention period": "session", + "Data Controller": "Squeezely", + "User Privacy & GDPR Rights Portals": "https://squeezely.tech/privacy", + "Wildcard match": 0 + }, + { + "ID": "3c6d4502-679f-4073-8ab0-b58c0a83abb9", + "Platform": "Squeezely", + "Category": "Marketing", + "Cookie / Data Key name": "sqzl_vw", + "Domain": "", + "Description": "A cookie used by Squeezely", + "Retention period": "1 year", + "Data Controller": "Squeezely", + "User Privacy & GDPR Rights Portals": "https://squeezely.tech/privacy", + "Wildcard match": 0 + }, + { + "ID": "ce6c1ad2-1aaf-41ca-8f48-2df5b886e906", + "Platform": "Squeezely", + "Category": "Marketing", + "Cookie / Data Key name": "sqzllocal", + "Domain": "", + "Description": "This is a cookie from the service Squeezely. It helps us with registering which pages you have visited and with sending you personalized ads", + "Retention period": "1 year", + "Data Controller": "Squeezely", + "User Privacy & GDPR Rights Portals": "https://squeezely.tech/privacy", + "Wildcard match": 0 + }, + { + "ID": "02d45a14-3c07-4a16-93ba-1b9ecbd0b6a6", + "Platform": "Belco", + "Category": "Functional", + "Cookie / Data Key name": "belco-anonymous-id", + "Domain": "", + "Description": "This cookie enables you to make use of the chat-function of our customer service-tool, so we can help you anytime.", + "Retention period": "1 year", + "Data Controller": "Belco", + "User Privacy & GDPR Rights Portals": "https://www.belco.nl/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "05e03c6c-1979-4032-a6e7-dded0b4b3563", + "Platform": "Belco", + "Category": "Functional", + "Cookie / Data Key name": "belco-cookies", + "Domain": "", + "Description": "This cookie enables you to make use of the chat-function of our customer service-tool, so we can help you anytime.", + "Retention period": "1 year", + "Data Controller": "Belco", + "User Privacy & GDPR Rights Portals": "https://www.belco.nl/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "1e30b8ca-1c36-4757-b1a1-ec4f77f6aa12", + "Platform": "ABTasty", + "Category": "Analytics", + "Cookie / Data Key name": "ABTasty", + "Domain": "", + "Description": "This cookie sends all test data (visitorID, test and variant IDs, timestamps).", + "Retention period": "13 months", + "Data Controller": "ABTasty", + "User Privacy & GDPR Rights Portals": "https://www.abtasty.com/terms-of-use/", + "Wildcard match": 0 + }, + { + "ID": "5188dd81-0aac-4f24-918a-52a300b2c26c", + "Platform": "ABTasty", + "Category": "Analytics", + "Cookie / Data Key name": "ABTastySession", + "Domain": "", + "Description": "This cookie allows us to identify a unique session. It allows us to determine that a new session has begun for a given user.", + "Retention period": "session", + "Data Controller": "ABTasty", + "User Privacy & GDPR Rights Portals": "https://www.abtasty.com/terms-of-use/", + "Wildcard match": 0 + }, + { + "ID": "aa158c71-0b9e-4469-80c5-947c3c2e135b", + "Platform": "Blueconic.com", + "Category": "Marketing", + "Cookie / Data Key name": "BCSessionID", + "Domain": "", + "Description": "Unique identifier for the BlueConic profile.", + "Retention period": "1 year", + "Data Controller": "Blueconic.com", + "User Privacy & GDPR Rights Portals": "https://www.blueconic.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "edbe7988-1f4f-4fe1-900d-8dc39eba5c89", + "Platform": "Blueconic.com", + "Category": "Marketing", + "Cookie / Data Key name": "BCTempID", + "Domain": "blueconic.net", + "Description": "Temporary unique identifier for the BlueConic profile, removed after BCSessionID is created.", + "Retention period": "10 minutes", + "Data Controller": "Blueconic.com", + "User Privacy & GDPR Rights Portals": "https://www.blueconic.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "b9c6c3a7-b6c0-498a-9be4-5336aef1dc73", + "Platform": "Blueconic.com", + "Category": "Functional", + "Cookie / Data Key name": "BCPermissionLevel", + "Domain": "", + "Description": "Opt-in level (PERSONAL|ANONYMOUS|DO_NOT_TRACK)", + "Retention period": "1 year", + "Data Controller": "Blueconic.com", + "User Privacy & GDPR Rights Portals": "https://www.blueconic.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "74e2fe2b-88aa-4909-9fb9-b59dc980ef9e", + "Platform": "Blueconic.com", + "Category": "Marketing", + "Cookie / Data Key name": "BCReferrerOverrule", + "Domain": "blueconic.net", + "Description": "Stores a custom bcChannelIdentifier as referrer. For these channels the actual referrer points to the website and not the overrule. The overrule would be lost if not stored in this cookie.", + "Retention period": "1 year", + "Data Controller": "Blueconic.com", + "User Privacy & GDPR Rights Portals": "https://www.blueconic.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "b626d94e-09bf-4181-8970-c9a9c8742a85", + "Platform": "Blueconic.com", + "Category": "Marketing", + "Cookie / Data Key name": "BCRefusedObjectives", + "Domain": "blueconic.net", + "Description": "Used to store the identifiers of BlueConic Objectives that were explicitly refused.", + "Retention period": "1 year", + "Data Controller": "Blueconic.com", + "User Privacy & GDPR Rights Portals": "https://www.blueconic.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "10fc9ab0-5691-4f50-92c3-4595b1604a98", + "Platform": "Blueconic.com", + "Category": "Marketing", + "Cookie / Data Key name": "BCRevision", + "Domain": "", + "Description": "Used to store requests that are sent to BlueConic, but haven't returned yet. On the next page view, if BCRevision still contains values, those requests are sent again, to prevent data loss. This information is now stored in localStorage; when this fails, the cookie solution is used as fallback.", + "Retention period": "1 year", + "Data Controller": "Blueconic.com", + "User Privacy & GDPR Rights Portals": "https://www.blueconic.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "d035530e-57aa-45c8-ac71-c63823daf904", + "Platform": "Blueconic.com", + "Category": "Marketing", + "Cookie / Data Key name": "BCTracking", + "Domain": "", + "Description": "Used for tracking the channel of an external tracker.", + "Retention period": "10 seconds", + "Data Controller": "Blueconic.com", + "User Privacy & GDPR Rights Portals": "https://www.blueconic.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "6c0669ce-4494-4ec5-aade-2fe4a97a37ed", + "Platform": "Blueconic.com", + "Category": "Marketing", + "Cookie / Data Key name": "bc_tstgrp", + "Domain": "", + "Description": "Gathers information on the user’s behavior, preferences and other personal data, which is sent to a third-party marketing and analysis service, for optimization of the website’s advertisement, analysis and general traffic.", + "Retention period": "1 year", + "Data Controller": "Blueconic.com", + "User Privacy & GDPR Rights Portals": "https://www.blueconic.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "dffb71c3-9b8e-4fd0-b83d-ac855bf6cbe9", + "Platform": "Adalyser.com", + "Category": "Marketing", + "Cookie / Data Key name": "__adal_ca", + "Domain": "", + "Description": "Stores which advertising campaign drove a user to visit, stores traffic source and campaign data.", + "Retention period": "6 months", + "Data Controller": "Adalyser.com", + "User Privacy & GDPR Rights Portals": "https://www.adalyser.com/en/cookies", + "Wildcard match": 0 + }, + { + "ID": "95c0d1ef-88a4-44a9-8bd1-a3038da75c6d", + "Platform": "Adalyser.com", + "Category": "Marketing", + "Cookie / Data Key name": "__adal_cw", + "Domain": "", + "Description": "Ties back conversion events to earlier visits, stores a visit timestamp.", + "Retention period": "7 days", + "Data Controller": "Adalyser.com", + "User Privacy & GDPR Rights Portals": "https://www.adalyser.com/en/cookies", + "Wildcard match": 0 + }, + { + "ID": "96232368-4c2a-4950-9dd3-23154b07ffa4", + "Platform": "Adalyser.com", + "Category": "Marketing", + "Cookie / Data Key name": "__adal_id", + "Domain": "", + "Description": "Uniquely identify a device, stores a generated Device ID.", + "Retention period": "2 years", + "Data Controller": "Adalyser.com", + "User Privacy & GDPR Rights Portals": "https://www.adalyser.com/en/cookies", + "Wildcard match": 0 + }, + { + "ID": "233154c6-9d1f-4e8e-904e-8bae3d3c0438", + "Platform": "Adalyser.com", + "Category": "Marketing", + "Cookie / Data Key name": "__adal_ses", + "Domain": "", + "Description": "Determines whether there is an active session and which conversions have taken place in this session to prevent duplicates, stores a list of events in this session.", + "Retention period": "session", + "Data Controller": "Adalyser.com", + "User Privacy & GDPR Rights Portals": "https://www.adalyser.com/en/cookies", + "Wildcard match": 0 + }, + { + "ID": "5610890c-2a59-4dc6-9161-9adc08932344", + "Platform": "Mopinion.com", + "Category": "Analytics", + "Cookie / Data Key name": "Pastease.passive.activated", + "Domain": "", + "Description": "The visitor is selected via this Mopinion cookie and the visitor sees the form.", + "Retention period": "1 month", + "Data Controller": "Mopinion.com", + "User Privacy & GDPR Rights Portals": "https://mopinion.com/legal/policies/privacy-statements/", + "Wildcard match": 1 + }, + { + "ID": "36057d27-f51b-41b6-94c5-964f9b2e4e55", + "Platform": "Mopinion.com", + "Category": "Analytics", + "Cookie / Data Key name": "Pastease.passive.chance", + "Domain": "", + "Description": "This Mopinion cookie determines the chance that the visitor will see the form.", + "Retention period": "1 month", + "Data Controller": "Mopinion.com", + "User Privacy & GDPR Rights Portals": "https://mopinion.com/legal/policies/privacy-statements/", + "Wildcard match": 1 + }, + { + "ID": "b2c048ec-bfd0-4808-b2b7-8096ac834e9e", + "Platform": "Weborama", + "Category": "Analytics", + "Cookie / Data Key name": "AFFICHE_W", + "Domain": "weborama.fr", + "Description": "Used by the advertising platform Weborama to determine the visitor’s interests based on pages visits, content clicked and other actions on the website.", + "Retention period": "3 months", + "Data Controller": "Weborama", + "User Privacy & GDPR Rights Portals": "https://weborama.com/en/weborama-privacy-commitment/", + "Wildcard match": 0 + }, + { + "ID": "773e7561-828d-47b8-b396-9e35a94dcda7", + "Platform": "Roku", + "Category": "Marketing", + "Cookie / Data Key name": "matchadform", + "Domain": "w55c.net", + "Description": "Presents the user with relevant content and advertisement. The service is provided by third-party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "29 days", + "Data Controller": "Roku", + "User Privacy & GDPR Rights Portals": "https://www.roku.com/legal", + "Wildcard match": 0 + }, + { + "ID": "9780524e-b204-4685-8420-40a0011ac0b3", + "Platform": "Roku", + "Category": "Marketing", + "Cookie / Data Key name": "wfivefivec", + "Domain": "w55c.net", + "Description": "Collects data on the user's visits to the website, such as what pages have been loaded. The registered data is used for targeted ads.", + "Retention period": "13 months", + "Data Controller": "Roku", + "User Privacy & GDPR Rights Portals": "https://www.roku.com/legal", + "Wildcard match": 0 + }, + { + "ID": "1f9b57ff-471b-4b6f-83f5-11718d063321", + "Platform": "Adition", + "Category": "Marketing", + "Cookie / Data Key name": "UserID1", + "Domain": "adfarm3.adition.com", + "Description": "Cookie sets a unique anonymous ID for a website visitor. This ID is used to recognize the user on different sessions and to track their activities on the website. The data collected is used for analysis purposes.", + "Retention period": "180 days", + "Data Controller": "Adition", + "User Privacy & GDPR Rights Portals": "https://www.adition.com/kontakt/datenschutz/", + "Wildcard match": 0 + }, + { + "ID": "164d3bea-60ba-4110-aee3-b78760929f2f", + "Platform": "Audrte", + "Category": "Marketing", + "Cookie / Data Key name": "arcki2", + "Domain": "audrte.com", + "Description": "Collects data on user behaviour and interaction in order to optimize the website and make advertisement on the website more relevant.", + "Retention period": "14 days", + "Data Controller": "Audrte", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 1 + }, + { + "ID": "4e117cf2-3ff4-4865-aeee-f7c471529adc", + "Platform": "Audrte", + "Category": "Marketing", + "Cookie / Data Key name": "arcki2_adform", + "Domain": "audrte.com", + "Description": "Presents the user with relevant content and advertisement. The service is provided by third-party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "14 days", + "Data Controller": "Audrte", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "ddf3f356-21ec-4a53-8c16-8e9091bedc05", + "Platform": "Audrte", + "Category": "Marketing", + "Cookie / Data Key name": "arcki2_ddp", + "Domain": "audrte.com", + "Description": "Presents the user with relevant content and advertisement. The service is provided by third-party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "14 days", + "Data Controller": "Audrte", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "ef9b898b-33a3-4178-a4a1-3b884027431e", + "Platform": "Sleeknote", + "Category": "Analytics", + "Cookie / Data Key name": "_sn_a", + "Domain": "", + "Description": "This is the cookie used for visitor analytics tracking. It sets a visitor ID so that the visitor can be identified across sessions. This enables all visitor related analytics data to be shown on the analytics pages in your Dashboard. Note that if a visitor is opted out of this cookie, you will still be able to see how many views and conversions your campaigns had, just not any visitor-related data like referrer, location, and so on.", + "Retention period": "1 year", + "Data Controller": "Sleeknote", + "User Privacy & GDPR Rights Portals": "https://sleeknote.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "6d223353-505a-41a3-bcb0-80239056542f", + "Platform": "Sleeknote", + "Category": "Marketing", + "Cookie / Data Key name": "_sn_m", + "Domain": "", + "Description": "This cookie contains information used for marketing related targeting options. Targeting options like the referrer, UTM, or geo-location. Note that if this cookie is opted out, the marketing targeting options will not work, and the campaign will default to not show.", + "Retention period": "1 year", + "Data Controller": "Sleeknote", + "User Privacy & GDPR Rights Portals": "https://sleeknote.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "b46a7f59-7b59-48d5-b91f-314080a03374", + "Platform": "Sleeknote", + "Category": "Functional", + "Cookie / Data Key name": "_sn_n", + "Domain": "", + "Description": "This is the necessary cookie set by Sleeknote, as it contains technical information so that the campaigns can show properly and tracking works properly.", + "Retention period": "1 year", + "Data Controller": "Sleeknote", + "User Privacy & GDPR Rights Portals": "https://sleeknote.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "178bf390-751e-4b50-b28b-1ad6086bb136", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "apbct_antibot", + "Domain": "", + "Description": "This cookie is used to distinguish between humans and bots. This is beneficial for the website, in order to make valid reports on the use of their website.", + "Retention period": "session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "a609b934-85d8-4c68-82a0-0949e311fdf3", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "ct_check_js", + "Domain": "", + "Description": "Used in order to detect spam and improve the website's security.", + "Retention period": "session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "679900ac-77d5-4dec-adea-03b7e8042c02", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "ct_fkp_timestamp", + "Domain": "", + "Description": "Used in order to detect spam and improve the website's security. Does not store visitor specific data.", + "Retention period": "session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "bb02b79a-090a-433a-9347-70192b32f5d6", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "ct_has_scrolled", + "Domain": "", + "Description": "This cookie is used to distinguish between humans and bots.", + "Retention period": "session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "fef393d2-228a-439d-a9b1-e56b9c11cd2f", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "ct_pointer_data", + "Domain": "", + "Description": "Used in order to detect spam and improve the website's security. Does not store visitor specific data.", + "Retention period": "session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "087cfd00-0eb6-45ff-9d21-9687b5f8e83a", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "ct_ps_timestamp", + "Domain": "", + "Description": "Used in order to detect spam and improve the website's security. Does not store visitor specific data.", + "Retention period": "session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "af91d1f3-3211-4630-aadf-727cda0842a8", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "ct_timezone", + "Domain": "", + "Description": "Used in order to detect spam and improve the website's security.", + "Retention period": "Session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "c9f09d65-2e52-4318-80fa-f2b0733a914e", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "apbct_cookies_test", + "Domain": "", + "Description": "Сookie to validate other cookies, so they can’t be spoofed.", + "Retention period": "Session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "e60ec679-9e87-4a2d-bc90-11801f418a14", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "apbct_", + "Domain": "", + "Description": "Group of cookies which are set from backend and contain information about the current user", + "Retention period": "Session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 1 + }, + { + "ID": "08033488-3d20-4133-8c21-6648d3f6492c", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "ct_", + "Domain": "", + "Description": "Group of cookies used for storing dynamic variables from browser", + "Retention period": "Session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 1 + }, + { + "ID": "2c27dcea-3fff-4a11-b65a-8fe7b200e316", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "ct_sfw_", + "Domain": "", + "Description": "Group of cookies used for our SpamFireWall technology.", + "Retention period": "Session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "388f5c74-46be-4246-8bb8-eba23d94d3bd", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "spbc_cookies_test", + "Domain": "", + "Description": "Cookie to test cookies so we know that everything working properly", + "Retention period": "Session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "920fdea7-cd14-421a-bab8-5027e9bc46b1", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "spbc_firewall_pass_key", + "Domain": "", + "Description": "The flag defines if the Security Firewall was passed.", + "Retention period": "Session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "0bda0c25-7540-4801-957f-520745a2adca", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "spbc_is_logged_in", + "Domain": "", + "Description": "Dashboard. Flag defines if a user was logged in.", + "Retention period": "Session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "00daf799-3418-407d-a1c5-93b522dbbf72", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "spbc_2fa_passed", + "Domain": "", + "Description": "Dashboard. Flag defines if Two-Factor Authentication was passed.", + "Retention period": "Session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "36b0f92c-6007-45a5-afd6-4ce02f064ce6", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "spbc_timer", + "Domain": "", + "Description": "Dashboard. Time spent on the page.", + "Retention period": "Session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "db92dadd-089c-42bf-9e1d-018a69f27b85", + "Platform": "CleanTalk", + "Category": "Functional", + "Cookie / Data Key name": "spbc_log_id", + "Domain": "", + "Description": "Dashboard. User identification.", + "Retention period": "Session", + "Data Controller": "CleanTalk", + "User Privacy & GDPR Rights Portals": "https://cleantalk.org/publicoffer#privacy", + "Wildcard match": 0 + }, + { + "ID": "3014d92c-59e3-4354-8d32-795ef5ef44a7", + "Platform": "Klaviyo", + "Category": "Marketing", + "Cookie / Data Key name": "__kla_id", + "Domain": "", + "Description": "When Klaviyo’s JavaScript is enabled, the __kla_id cookie can track and identify site visitors through an auto-generated ID. This cookie can temporarily hold personally identifiable information. Once a visitor is identified, the cookie can pass their data into Klaviyo.", + "Retention period": "2 years", + "Data Controller": "Klaviyo", + "User Privacy & GDPR Rights Portals": "https://www.klaviyo.com/legal", + "Wildcard match": 0 + }, + { + "ID": "e544b35d-e006-4d84-8bdc-4f19f964b126", + "Platform": "Amazon", + "Category": "Marketing", + "Cookie / Data Key name": "__trf.src", + "Domain": "", + "Description": "Registers how the user has reached the website to enable pay-out of referral commission fees to partners.", + "Retention period": "1 year", + "Data Controller": "Amazon", + "User Privacy & GDPR Rights Portals": "https://www.amazon.com/gp/help/customer/display.html/ref=footer_privacy?ie=UTF8&nodeId=468496", + "Wildcard match": 0 + }, + { + "ID": "49ab7552-6357-4b3e-85c0-f994271d5e1b", + "Platform": "Algolia", + "Category": "Analytics", + "Cookie / Data Key name": "_ALGOLIA", + "Domain": "", + "Description": "Identifies users for your Search Analytics and Personalization.", + "Retention period": "365 days", + "Data Controller": "Algolia", + "User Privacy & GDPR Rights Portals": "https://www.algolia.com/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c1b49416-7479-4c9b-83cf-95ceb709a333", + "Platform": "Stonly", + "Category": "Security", + "Cookie / Data Key name": "_csrf", + "Domain": "stonly.com", + "Description": "This cookie is used to prevent Cross-site request forgery (often abbreviated as CSRF) attacks of the website.", + "Retention period": "session", + "Data Controller": "Stonly", + "User Privacy & GDPR Rights Portals": "https://stonly.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "6a3a4784-0a3a-498f-a947-a97ab1d031fd", + "Platform": "TikTok", + "Category": "Marketing", + "Cookie / Data Key name": "_tt_enable_cookie", + "Domain": "", + "Description": "Tracking cookie used by TikTok to identify a visitor", + "Retention period": "389 days", + "Data Controller": "TikTok", + "User Privacy & GDPR Rights Portals": "https://www.tiktok.com/legal/page/eea/privacy-policy/en?lang=en", + "Wildcard match": 0 + }, + { + "ID": "b32d6b4e-f23a-4952-9487-37886e8b4956", + "Platform": "TikTok", + "Category": "Marketing", + "Cookie / Data Key name": "_ttp", + "Domain": "", + "Description": "Tracking cookie used by TikTok to identify a visitor", + "Retention period": "389 days", + "Data Controller": "TikTok", + "User Privacy & GDPR Rights Portals": "https://www.tiktok.com/legal/page/eea/privacy-policy/en?lang=en", + "Wildcard match": 0 + }, + { + "ID": "2ce41152-96c9-44df-b1da-50133f51db48", + "Platform": "TikTok", + "Category": "Marketing", + "Cookie / Data Key name": "MONITOR_WEB_ID", + "Domain": "mon-va.byteoversea.com", + "Description": "Used by the social networking service, TikTok, for tracking the use of embedded services.", + "Retention period": "3 months", + "Data Controller": "TikTok", + "User Privacy & GDPR Rights Portals": "https://www.tiktok.com/legal/page/eea/privacy-policy/en?lang=en", + "Wildcard match": 0 + }, + { + "ID": "996d43aa-7182-408a-87d4-7e2200b3bd45", + "Platform": "TikTok", + "Category": "Marketing", + "Cookie / Data Key name": "msToken", + "Domain": "tiktok.com", + "Description": "Collects information on user behaviour on multiple websites. This information is used in order to optimize the relevance of advertisement on the website.", + "Retention period": "9 days", + "Data Controller": "TikTok", + "User Privacy & GDPR Rights Portals": "https://www.tiktok.com/legal/page/eea/privacy-policy/en?lang=en", + "Wildcard match": 0 + }, + { + "ID": "b92f0238-4ca0-4a5d-8250-54710d3a27ed", + "Platform": "TikTok", + "Category": "Marketing", + "Cookie / Data Key name": "ttwid", + "Domain": "tiktok.com", + "Description": "Used by the social networking service, TikTok, for tracking the use of embedded services.", + "Retention period": "1 year", + "Data Controller": "TikTok", + "User Privacy & GDPR Rights Portals": "https://www.tiktok.com/legal/page/eea/privacy-policy/en?lang=en", + "Wildcard match": 0 + }, + { + "ID": "ca42aa1d-8afb-4a65-8599-3a9812b94eab", + "Platform": "Ahoy", + "Category": "Analytics", + "Cookie / Data Key name": "ahoy_visit", + "Domain": "", + "Description": "Registers statistical data on visitors behaviour on the website. Used for internal analytics by the website operator.", + "Retention period": "239 days", + "Data Controller": "Ahoy", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "4932d910-ab32-4ae0-bad9-ef1260609c9f", + "Platform": "Ahoy", + "Category": "Analytics", + "Cookie / Data Key name": "ahoy_visitor", + "Domain": "", + "Description": "Registers statistical data on visitors behaviour on the website. Used for internal analytics by the website operator.", + "Retention period": "239 days", + "Data Controller": "Ahoy", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "c3ec06fe-4272-45f9-9af2-d7d7b06d9f7a", + "Platform": "Auth0", + "Category": "Functional", + "Cookie / Data Key name": "auth0", + "Domain": "", + "Description": "Used to implement the Auth0 session layer.", + "Retention period": "session", + "Data Controller": "Auth0", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "dd74b0d1-e24e-454c-b0a0-aac0c5286539", + "Platform": "Auth0", + "Category": "Functional", + "Cookie / Data Key name": "auth0_compat", + "Domain": "", + "Description": "Fallback cookie for single sign-on on browsers that don't support the sameSite=None attribute.", + "Retention period": "session", + "Data Controller": "Auth0", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "2e9297da-905f-42fd-a5e7-4ab0d4e1fce1", + "Platform": "Auth0", + "Category": "Functional", + "Cookie / Data Key name": "auth0-mf", + "Domain": "", + "Description": "Used to establish the trust level for a given device.", + "Retention period": "session", + "Data Controller": "Auth0", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "8c37c436-cae9-484c-bfd3-0f0e09d25e3a", + "Platform": "Auth0", + "Category": "Functional", + "Cookie / Data Key name": "auth0-mf_compat", + "Domain": "", + "Description": "Fallback cookie for multi-factor authentication on browsers that don't support the sameSite=None attribute.", + "Retention period": "session", + "Data Controller": "Auth0", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "dfaddc1e-9b23-4fae-aef1-9b10e1465bae", + "Platform": "Auth0", + "Category": "Security", + "Cookie / Data Key name": "a0_users:sess", + "Domain": "", + "Description": "Used for CSRF protection in Classic Universal Login flows.", + "Retention period": "session", + "Data Controller": "Auth0", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "38d2165d-ecc3-402e-95ca-6cc736b1993e", + "Platform": "Auth0", + "Category": "Security", + "Cookie / Data Key name": "a0_users:sess.sig", + "Domain": "", + "Description": "Used for CSRF protection in Classic Universal Login flows.", + "Retention period": "session", + "Data Controller": "Auth0", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "aadcb4df-9608-4786-9378-2adf3260b416", + "Platform": "Auth0", + "Category": "Functional", + "Cookie / Data Key name": "did", + "Domain": "", + "Description": "Device identification for attack protection.", + "Retention period": "session", + "Data Controller": "Auth0", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "355267fd-75ad-400f-b58e-cf670babd5fb", + "Platform": "Auth0", + "Category": "Functional", + "Cookie / Data Key name": "did_compat", + "Domain": "", + "Description": "Fallback cookie for anomaly detection on browsers that don't support the sameSite=None attribute.", + "Retention period": "session", + "Data Controller": "Auth0", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "83515b4c-a349-4a47-88e4-97794b559150", + "Platform": "Sonobi", + "Category": "Marketing", + "Cookie / Data Key name": "HAPLB8", + "Domain": "go.sonobi.com", + "Description": "Sonobi sets this cookie for advertising purposes.", + "Retention period": "session", + "Data Controller": "Sonobi", + "User Privacy & GDPR Rights Portals": "https://sonobi.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "9d809cdc-1936-44b4-af66-52578ff22b2a", + "Platform": "AT Internet", + "Category": "Analytics", + "Cookie / Data Key name": "atidvisitor", + "Domain": "", + "Description": "List of numsites encountered by the visitor and storage of identified visitor information", + "Retention period": "6 months by default, modifiable", + "Data Controller": "AT Internet", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "a43523a5-c71b-4f51-830e-eace0a7a8cda", + "Platform": "AT Internet", + "Category": "Analytics", + "Cookie / Data Key name": "atuserid", + "Domain": "", + "Description": "Visitor ID for client-side cookie sites", + "Retention period": "13 months by default, modifiable", + "Data Controller": "AT Internet", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "c7caa357-1fba-4cf8-af8f-7b83b9a3bebb", + "Platform": "JoomlArt", + "Category": "Functional", + "Cookie / Data Key name": "ja_purity_tpl", + "Domain": "", + "Description": "Indicates the website uses a JoomlArt template", + "Retention period": "355 days", + "Data Controller": "JoomlArt", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "a8ccf81f-ff0c-400f-996f-6e4835c6360e", + "Platform": "JoomlArt", + "Category": "Functional", + "Cookie / Data Key name": "ja_purity_ii_tpl", + "Domain": "", + "Description": "Indicates the website uses a JoomlArt template", + "Retention period": "355 days", + "Data Controller": "JoomlArt", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "498981df-6be6-490f-b292-33b26487725d", + "Platform": "f5 BIG-IP", + "Category": "Functional", + "Cookie / Data Key name": "BIGipServer", + "Domain": "", + "Description": "Used by the f5 BIG-IP load balancer to ensure one user's request is always handled by the same server to maintain a consistent user experience", + "Retention period": "Unknown", + "Data Controller": "f5", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 1 + }, + { + "ID": "5f5f9b2e-43f3-4c25-987f-43f5119b66ae", + "Platform": "Ezoic", + "Category": "Functional", + "Cookie / Data Key name": "active_template::", + "Domain": "", + "Description": "Used to store which template you are viewing on this website.", + "Retention period": "2 days", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "35453d6d-fa6b-41bc-9833-c4908d16e2ec", + "Platform": "Ezoic", + "Category": "Functional", + "Cookie / Data Key name": "ezds", + "Domain": "", + "Description": "Used to store the pixel size of your screen to help personalize your experience and ensure content fits.", + "Retention period": "1 year", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "1112516a-bea3-4609-af84-4c4f662e6666", + "Platform": "Ezoic", + "Category": "Functional", + "Cookie / Data Key name": "ezoab_", + "Domain": "", + "Description": "Used to split test different features and functionality.", + "Retention period": "2 hours", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "1224fcf2-4505-467a-a016-3fe73d849f5e", + "Platform": "Ezoic", + "Category": "Analytics", + "Cookie / Data Key name": "ezoadgid_", + "Domain": "", + "Description": "Stores an ID that connects you to an age and gender category.", + "Retention period": "30 minutes", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "817a944e-aa90-4982-b644-7a9a19c418fc", + "Platform": "Ezoic", + "Category": "Functional", + "Cookie / Data Key name": "ezohw", + "Domain": "", + "Description": "Used to store the pixel size of your browser to help personalize your experience and ensure content fits.", + "Retention period": "1 year", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "2f2c60c3-ba02-497d-a074-da5210ea6467", + "Platform": "Ezoic", + "Category": "Analytics", + "Cookie / Data Key name": "ezopvc_", + "Domain": "", + "Description": "Used to store the number of pages that you have viewed on this site in this session.", + "Retention period": "30 minutes", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "400735cd-0509-422d-ba7e-e6b95b638569", + "Platform": "Ezoic", + "Category": "Analytics", + "Cookie / Data Key name": "ezoref_", + "Domain": "", + "Description": "Used to store the referring domain (the website you were at before you can to this website).", + "Retention period": "2 hours", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "0b8b57bf-86a5-4852-bb78-91e15ed0e937", + "Platform": "Ezoic", + "Category": "Functional", + "Cookie / Data Key name": "ezostid_", + "Domain": "", + "Description": "Used to test different features and functionality and to record which features and functionality are available to you so you receive a consistent experience.", + "Retention period": "Unknown", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "15770852-e118-40b3-a0ab-05ccc77a2654", + "Platform": "Ezoic", + "Category": "Marketing", + "Cookie / Data Key name": "ezosuigeneris", + "Domain": "", + "Description": "Used to uniquely identify you across different websites on the internet so your experience can be customized.", + "Retention period": "1 year", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "33621a78-b7a4-47ab-9109-11dc40cc1d06", + "Platform": "Ezoic", + "Category": "Marketing", + "Cookie / Data Key name": "ezosuibasgeneris-1", + "Domain": "", + "Description": "Used to uniquely identify you across different websites on the internet so your experience can be customized.", + "Retention period": "1 year", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e3e913aa-ef32-49f0-b15f-36528a94b466", + "Platform": "Ezoic", + "Category": "Analytics", + "Cookie / Data Key name": "ezouid_", + "Domain": "", + "Description": "Used to uniquely identify you as a visitor on this website. Used for analytics and personalization of your experience.", + "Retention period": "Unknown", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "eaccb8bb-c1df-4e00-895b-ba526c55e6b9", + "Platform": "Ezoic", + "Category": "Analytics", + "Cookie / Data Key name": "ezovid_", + "Domain": "", + "Description": "Used to uniquely identify a visit by you to this website. Used for analytics and personalization of your experience.", + "Retention period": "30 minutes", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "56680d89-9eaa-4ef8-bac2-15ef6ee1cca4", + "Platform": "Ezoic", + "Category": "Analytics", + "Cookie / Data Key name": "ezovuuid_", + "Domain": "", + "Description": "Used to uniquely identify a visit by you to this website. Used for analytics and personalization of your experience.", + "Retention period": "30 minutes", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "fb71bc38-7fdb-4478-83e2-bd50f40bbb2a", + "Platform": "Ezoic", + "Category": "Analytics", + "Cookie / Data Key name": "ezovuuidtime_", + "Domain": "", + "Description": "Used to record the time of your visit to this website so different visits can be differentiated from each other.", + "Retention period": "2 days", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "0ce57859-5e88-415d-93b9-91d5d2985e2a", + "Platform": "Ezoic", + "Category": "Analytics", + "Cookie / Data Key name": "ezux_et_", + "Domain": "", + "Description": "Used to record the amount of time that you engaged with content on this website. Used for analytics purposes to improve user experience.", + "Retention period": "Unknown", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "a41d1bac-279c-49d6-974b-5d1dba959c07", + "Platform": "Ezoic", + "Category": "Analytics", + "Cookie / Data Key name": "ezux_ifep_", + "Domain": "", + "Description": "Used to record whether you have engaged with the content on this site. Used for analytics purposes to improve user experience.", + "Retention period": "Unknown", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "3b9d1fba-5ad1-4978-a48b-4c565fdb1c82", + "Platform": "Ezoic", + "Category": "Analytics", + "Cookie / Data Key name": "ezux_lpl_", + "Domain": "", + "Description": "Used to record the time that you loaded the last page on this website.", + "Retention period": "Unknown", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "a5c98607-22d4-4428-a67a-fa7c5ab3144a", + "Platform": "Ezoic", + "Category": "Analytics", + "Cookie / Data Key name": "ezux_tos_", + "Domain": "", + "Description": "Used to record the amount of time you have spent on this website.", + "Retention period": "Unknown", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "de37c24d-9cd3-4391-8c1f-07adf40995fc", + "Platform": "Ezoic", + "Category": "Functional", + "Cookie / Data Key name": "ezoawesome_", + "Domain": "", + "Description": "Used for fraud and invalid activity detection.", + "Retention period": "Unknown", + "Data Controller": "Ezoic", + "User Privacy & GDPR Rights Portals": "https://www.ezoic.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "2f0c29b4-3112-428e-aac2-d49c86f79fac", + "Platform": "Easysize.me", + "Category": "Functional", + "Cookie / Data Key name": "easysize_button_loaded_for_user", + "Domain": "", + "Description": "Sizing display for products", + "Retention period": "session", + "Data Controller": "Easysize.me", + "User Privacy & GDPR Rights Portals": "https://www.easysize.me/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "73acc1a3-f76d-47d1-9956-0ba8e69ede07", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-email", + "Domain": "", + "Description": "This stores the email address when the shopper logs into the store or when the shopper authenticates their wishlist or subscribes for a back-in-stock alert.", + "Retention period": "1 year", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "fd199259-9863-41fa-80f9-7c47c340c5a1", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-session-id", + "Domain": "", + "Description": "This is a general-purpose platform session cookie used to maintain an anonymous user session.", + "Retention period": "30 mins", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a88a5780-ccb2-42cf-bb06-1de1e7d766d6", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-pid", + "Domain": "", + "Description": "Unique identifier to track merchants and their wishlist settings.", + "Retention period": "1 year", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e88f64cf-b7c9-43a6-a2e5-a4be2eebd537", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-swymRegid", + "Domain": "", + "Description": "This cookie is used to store an encrypted version of the user's device ID and information on the user’s session.", + "Retention period": "1 year", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ddad314b-4016-461f-879c-08225041628f", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-cu_ct", + "Domain": "", + "Description": "Related to custom cart experience from Swym on the wishlist.", + "Retention period": "30 mins", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d852d03f-4e92-4e7b-a0b9-88e4001995f9", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-o_s", + "Domain": "", + "Description": "Related to swym app versioning systems.", + "Retention period": "1 year", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "3c6c72d4-8f62-4a1a-b4d3-ee348c94ae89", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-instrumentMap", + "Domain": "", + "Description": "Related to Wishlist instrumentation for identification of API.", + "Retention period": "30 mins", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "1de9db1a-e57f-4246-8d52-a153295304a6", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-ol_ct", + "Domain": "", + "Description": "Related to swym cart functionality.", + "Retention period": "30 mins", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "2cc5bce6-80ee-440b-836b-0864f4e2dbbf", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-v-ckd", + "Domain": "", + "Description": "Related to swym app versioning systems.", + "Retention period": "1 year", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "f22b424e-2b6f-47cd-a185-ae586557f130", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-tpermts", + "Domain": "", + "Description": "Related to asking user permission for marketing", + "Retention period": "1 year", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c34e7d25-6530-4d17-b206-e01f62db37d3", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-u_pref", + "Domain": "", + "Description": "Related to user’s marketing preference.", + "Retention period": "1 year", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c1856574-5a11-432e-945d-7cf8e08b1bd4", + "Platform": "Swym", + "Category": "Functional", + "Cookie / Data Key name": "swym-weml", + "Domain": "", + "Description": "Related to user’s email address for Swym apps", + "Retention period": "1 year", + "Data Controller": "Swym", + "User Privacy & GDPR Rights Portals": "https://swym.it/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c0111f57-d0ef-418d-b8df-a7036be01cf0", + "Platform": "PayPal", + "Category": "Functional", + "Cookie / Data Key name": "enforce_policy", + "Domain": "paypal.com", + "Description": "This cookie is provided by Paypal. The cookie is used in context with transactions on the website - The cookie is necessary for secure transactions.", + "Retention period": "1 year", + "Data Controller": "PayPal", + "User Privacy & GDPR Rights Portals": "https://www.paypal.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "d3bf2b13-bc03-452b-9f46-431af61d7d44", + "Platform": "PayPal", + "Category": "Functional", + "Cookie / Data Key name": "x-pp-s", + "Domain": "paypal.com", + "Description": "This cookie is provided by PayPal and supports payment services in the website.", + "Retention period": "session", + "Data Controller": "PayPal", + "User Privacy & GDPR Rights Portals": "https://www.paypal.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "b6449029-8677-4810-889f-9485c0dae9ab", + "Platform": "PayPal", + "Category": "Functional", + "Cookie / Data Key name": "ts", + "Domain": "paypal.com", + "Description": "This cookie is generally provided by PayPal and supports payment services on the website", + "Retention period": "3 years", + "Data Controller": "PayPal", + "User Privacy & GDPR Rights Portals": "https://www.paypal.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "71d56099-23bb-4ce5-9186-b8ff03763251", + "Platform": "PayPal", + "Category": "Functional", + "Cookie / Data Key name": "ts_c", + "Domain": "paypal.com", + "Description": "This cookie is provided by Paypal. The cookie is used in context with transactions on the website.", + "Retention period": "3 years", + "Data Controller": "PayPal", + "User Privacy & GDPR Rights Portals": "https://www.paypal.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "9157e6c2-0d9b-4f65-88a3-13c59e1fa5f7", + "Platform": "PayPal", + "Category": "Functional", + "Cookie / Data Key name": "tsrce", + "Domain": "paypal.com", + "Description": "This cookie is generally provided by PayPal and supports payment services on the website.", + "Retention period": "session", + "Data Controller": "PayPal", + "User Privacy & GDPR Rights Portals": "https://www.paypal.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "b55ba115-d730-4472-97ce-63b8bfa37529", + "Platform": "PayPal", + "Category": "Functional", + "Cookie / Data Key name": "nsid", + "Domain": "paypal.com", + "Description": "Cookie for fraud detection. When making a payment via PayPal these cookies are issued – PayPal session/security", + "Retention period": "session", + "Data Controller": "PayPal", + "User Privacy & GDPR Rights Portals": "https://www.paypal.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "a16ac5ec-72dd-4aa2-b21d-0ce56688ef32", + "Platform": "PayPal", + "Category": "Functional", + "Cookie / Data Key name": "X-PP-SILOVER", + "Domain": "paypal.com", + "Description": "This cookie is generally provided by PayPal and supports payment services on the website.", + "Retention period": "30 minutes", + "Data Controller": "PayPal", + "User Privacy & GDPR Rights Portals": "https://www.paypal.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "ff5e46fb-3af9-4e19-aba5-f73b9e27699e", + "Platform": "PayPal", + "Category": "Functional", + "Cookie / Data Key name": "X-PP-L7", + "Domain": "paypal.com", + "Description": "Paypal - These cookies are essential in order to enable you to move around the website and use its features, such as accessing secure areas of the website. Without these cookies services you have asked for, like shopping baskets or e-billing, cannot be provided.", + "Retention period": "session", + "Data Controller": "PayPal", + "User Privacy & GDPR Rights Portals": "https://www.paypal.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "afb717f3-cdab-4513-b8f7-662a12769153", + "Platform": "PayPal", + "Category": "Functional", + "Cookie / Data Key name": "l7_az", + "Domain": "paypal.com", + "Description": "This cookie is necessary for the PayPal login-function on the website.", + "Retention period": "1 day", + "Data Controller": "PayPal", + "User Privacy & GDPR Rights Portals": "https://www.paypal.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "1161de59-c56e-441f-b2d9-cf37bf43fd45", + "Platform": "HAproxy", + "Category": "Functional", + "Cookie / Data Key name": "SERVERID", + "Domain": "", + "Description": "Load balancer cookie", + "Retention period": "session", + "Data Controller": "HAProxy", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "7265188a-91e5-4949-aa36-ff6912e10a3d", + "Platform": "E-volution.ai", + "Category": "Marketing", + "Cookie / Data Key name": "v_usr", + "Domain": "e-volution.ai", + "Description": "Collects data about the user's visit to the site, such as the number of returning visits and which pages are read. The purpose is to deliver targeted ads.", + "Retention period": "13 days", + "Data Controller": "E-volution.ai", + "User Privacy & GDPR Rights Portals": "https://e-volution.ai/privacy/", + "Wildcard match": 0 + }, + { + "ID": "92469e1c-b2c6-4bd6-905a-c5f55fddd5bc", + "Platform": "StreamTheWorld", + "Category": "Marketing", + "Cookie / Data Key name": "idsync-bsw-uid-s", + "Domain": "live.streamtheworld.com", + "Description": "Presents the user with relevant content and advertisement. The service is provided by third-party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "6 days", + "Data Controller": "StreamTheWorld", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "7daf0dc2-cd75-4804-8180-3141b17fac8d", + "Platform": "OnAudience", + "Category": "Marketing", + "Cookie / Data Key name": "done_redirects", + "Domain": "onaudience.com", + "Description": "Used to monitor website performance for statistical purposes.", + "Retention period": "1 day", + "Data Controller": "OnAudience", + "User Privacy & GDPR Rights Portals": "https://www.onaudience.com/privacy-policy", + "Wildcard match": 1 + }, + { + "ID": "57fd058b-c354-41c4-a45c-fd8faaf9d5f2", + "Platform": "Vidoomy", + "Category": "Marketing", + "Cookie / Data Key name": "vidoomy-uids", + "Domain": "vidoomy.com", + "Description": "Used in context with video-advertisement. The cookie limits the number of times a user is shown the same advertisement. The cookie is also used to ensure relevance of the video-advertisement to the specific user.", + "Retention period": "1 year", + "Data Controller": "Vidoomy", + "User Privacy & GDPR Rights Portals": "https://www.vidoomy.com/privacypolicy-en.html", + "Wildcard match": 0 + }, + { + "ID": "38f6f1ed-f88a-4db4-8d79-e4d0640febf2", + "Platform": "vBulletin", + "Category": "Functional", + "Cookie / Data Key name": "bbuserid", + "Domain": "", + "Description": "Used to store the ID of the logged in user.", + "Retention period": "Unknown", + "Data Controller": "vBulletin", + "User Privacy & GDPR Rights Portals": "https://www.internetbrands.com/privacy/privacy-main", + "Wildcard match": 0 + }, + { + "ID": "81a726c3-34c6-45f8-9ec8-33288bdec0f5", + "Platform": "vBulletin", + "Category": "Functional", + "Cookie / Data Key name": "bbpassword", + "Domain": "", + "Description": "Used to store a hash of the logged in user's password.", + "Retention period": "Unknown", + "Data Controller": "vBulletin", + "User Privacy & GDPR Rights Portals": "https://www.internetbrands.com/privacy/privacy-main", + "Wildcard match": 0 + }, + { + "ID": "dc7504cd-0163-476a-8d73-8a33a5e6e113", + "Platform": "vBulletin", + "Category": "Functional", + "Cookie / Data Key name": "bbsessionhash", + "Domain": "", + "Description": "Used to track the current session from the database.", + "Retention period": "Session", + "Data Controller": "vBulletin", + "User Privacy & GDPR Rights Portals": "https://www.internetbrands.com/privacy/privacy-main", + "Wildcard match": 0 + }, + { + "ID": "d0a70244-ccb0-4f26-a949-4d898370d2c7", + "Platform": "vBulletin", + "Category": "Functional", + "Cookie / Data Key name": "bbcpsessionhash", + "Domain": "", + "Description": "Used to track the current administrator session from the database.", + "Retention period": "Session", + "Data Controller": "vBulletin", + "User Privacy & GDPR Rights Portals": "https://www.internetbrands.com/privacy/privacy-main", + "Wildcard match": 0 + }, + { + "ID": "631e80a3-b98d-4a73-ad67-d0b4b41356ad", + "Platform": "vBulletin", + "Category": "Functional", + "Cookie / Data Key name": "bbnp_notices_displayed", + "Domain": "", + "Description": "Used to keep track of notices to display to the client.", + "Retention period": "1 year", + "Data Controller": "vBulletin", + "User Privacy & GDPR Rights Portals": "https://www.internetbrands.com/privacy/privacy-main", + "Wildcard match": 0 + }, + { + "ID": "6704a1e8-6559-4294-9ab4-a756f54f5f90", + "Platform": "vBulletin", + "Category": "Functional", + "Cookie / Data Key name": "bbsitebuilder_active", + "Domain": "", + "Description": "Used to designate whether the Site Builder is active.", + "Retention period": "Unknown", + "Data Controller": "vBulletin", + "User Privacy & GDPR Rights Portals": "https://www.internetbrands.com/privacy/privacy-main", + "Wildcard match": 0 + }, + { + "ID": "7910119c-e027-4ba8-aebd-0cc722ead512", + "Platform": "vBulletin", + "Category": "Functional", + "Cookie / Data Key name": "bblastactivity", + "Domain": "", + "Description": "Stores the time of the last activity.", + "Retention period": "1 year", + "Data Controller": "vBulletin", + "User Privacy & GDPR Rights Portals": "https://www.internetbrands.com/privacy/privacy-main", + "Wildcard match": 0 + }, + { + "ID": "7bb4a15f-875c-4fbe-82c3-aaf57677761f", + "Platform": "vBulletin", + "Category": "Functional", + "Cookie / Data Key name": "bblastvisit", + "Domain": "", + "Description": "Stores the time of the last page view.", + "Retention period": "1 year", + "Data Controller": "vBulletin", + "User Privacy & GDPR Rights Portals": "https://www.internetbrands.com/privacy/privacy-main", + "Wildcard match": 0 + }, + { + "ID": "553e32a4-8f78-40e6-9ca8-f6f613c7da40", + "Platform": "csync.loopme.me", + "Category": "Marketing", + "Cookie / Data Key name": "viewer_token", + "Domain": "csync.loopme.me", + "Description": "This cookie is associated with csync.loopme.me. It is used to track visitors on multiple websites in order to present relevant advertising based on the visitor's preferences.", + "Retention period": "31 days", + "Data Controller": "csync.loopme.me", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "76b69f50-9498-4769-956c-8fd8cdbb6879", + "Platform": "Processwire", + "Category": "Functional", + "Cookie / Data Key name": "wires", + "Domain": "", + "Description": "ProcessWire session identifier.", + "Retention period": "session", + "Data Controller": "Processwire", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "1f23b9b2-62f2-4925-ac86-64ed8803560b", + "Platform": "Processwire", + "Category": "Functional", + "Cookie / Data Key name": "wires_challenge", + "Domain": "", + "Description": "ProcessWire session cookie used to verify the validity of a session.", + "Retention period": "30 days", + "Data Controller": "Processwire", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "a6082368-403a-465a-ad28-d69baa45f534", + "Platform": "Braze", + "Category": "Functional", + "Cookie / Data Key name": "ab.storage.userId.", + "Domain": "", + "Description": "Used to determine whether the currently logged-in user has changed and to associate events with the current user.", + "Retention period": "Unknown", + "Data Controller": "Braze", + "User Privacy & GDPR Rights Portals": "https://www.braze.com/company/legal/privacy", + "Wildcard match": 1 + }, + { + "ID": "2820285e-115d-4686-8c0a-d22a6e5333e8", + "Platform": "Braze", + "Category": "Analytics", + "Cookie / Data Key name": "ab.storage.sessionId.", + "Domain": "", + "Description": "Randomly-generated string used to determine whether the user is starting a new or existing session to sync messages and calculate session analytics.", + "Retention period": "Session", + "Data Controller": "Braze", + "User Privacy & GDPR Rights Portals": "https://www.braze.com/company/legal/privacy", + "Wildcard match": 1 + }, + { + "ID": "675e3804-ec71-4303-896d-f4eab9b44b1f", + "Platform": "Braze", + "Category": "Analytics", + "Cookie / Data Key name": "ab.storage.deviceId.", + "Domain": "", + "Description": "Randomly-generated string used to identify anonymous users, and to differentiate users’ devices and enables device-based messaging.", + "Retention period": "Unknown", + "Data Controller": "Braze", + "User Privacy & GDPR Rights Portals": "https://www.braze.com/company/legal/privacy", + "Wildcard match": 1 + }, + { + "ID": "94ea3b8f-9641-4fb1-b982-9621c727fb01", + "Platform": "Braze", + "Category": "Functional", + "Cookie / Data Key name": "ab.optOut", + "Domain": "", + "Description": "Used to store a user’s opt-out preference.", + "Retention period": "Unknown", + "Data Controller": "Braze", + "User Privacy & GDPR Rights Portals": "https://www.braze.com/company/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "9fa4c081-a05b-436b-b020-5819b88fd3c4", + "Platform": "Braze", + "Category": "Functional", + "Cookie / Data Key name": "ab._gd", + "Domain": "", + "Description": "Temporarily created (and then deleted) to determine the root-level cookie domain, which allows the SDK to work properly across sub-domains.", + "Retention period": "Unknown", + "Data Controller": "Braze", + "User Privacy & GDPR Rights Portals": "https://www.braze.com/company/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "4efc23b3-b799-4e13-8b25-c1445ca85b9f", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "devicePixelRatio", + "Domain": "", + "Description": "Used to make the site responsive to the visitor’s screen size.", + "Retention period": "1 year", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "1f222380-4718-4e31-af33-0c38481c8a93", + "Platform": "WordPress", + "Category": "Analytics", + "Cookie / Data Key name": "tk_qs", + "Domain": "", + "Description": "JetPack sets this cookie to store a randomly-generated anonymous ID which is used only within the admin area and for general analytics tracking.", + "Retention period": "30 minutes", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0cc3b15e-d234-4098-802f-fddb214f6410", + "Platform": "WordPress", + "Category": "Marketing", + "Cookie / Data Key name": "tk_lr", + "Domain": "", + "Description": "Jetpack - Stores the unique identifier for the publisher to enable Jetpack to collect data.", + "Retention period": "1 year", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "bcde0fc0-912e-47da-99f0-21000dc61e67", + "Platform": "WordPress", + "Category": "Marketing", + "Cookie / Data Key name": "tk_or", + "Domain": "", + "Description": "Jetpack - Stores the unique identifier for the publisher to enable Jetpack to collect data.", + "Retention period": "5 Years", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "455fbc4b-d069-4ec1-b2bd-944fe862e8b5", + "Platform": "WordPress", + "Category": "Analytics", + "Cookie / Data Key name": "tk_r3d", + "Domain": "", + "Description": "JetPack installs this cookie to collect internal metrics for user activity and in turn improve user experience.", + "Retention period": "3 days", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ca5bfb74-70f3-4f1a-adff-1d6a9d3e632d", + "Platform": "WordPress", + "Category": "Analytics", + "Cookie / Data Key name": "tk_tc", + "Domain": "", + "Description": "JetPack sets this cookie to record details on how user's use the website.", + "Retention period": "session", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c0d08a4f-af3b-4521-ab95-f7e332f2e32e", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "wp-settings-", + "Domain": "", + "Description": "Used to persist a user’s wp-admin configuration.", + "Retention period": "1 Year", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 1 + }, + { + "ID": "e80b3fe2-31ed-4b57-9d05-98c369b61d8f", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "wporg_logged_in", + "Domain": "", + "Description": "Used to check whether the current visitor is a logged-in WordPress.org user.", + "Retention period": "14 days if you select “Remember Me” when logging in. Otherwise, Session.", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "35c6126f-40e4-49ab-b6e0-6d7506d0ec1b", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "wporg_sec", + "Domain": "", + "Description": "Used to check whether the current visitor is a logged-in WordPress.org user.", + "Retention period": "14 days if you select “Remember Me” when logging in. Otherwise, Session.", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ebeb3b22-604e-40fd-b098-ca3e39a11549", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "wporg_locale", + "Domain": "", + "Description": "Used to persist a user’s locale configuration.", + "Retention period": "1 year", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "fcb76afe-ca9d-4d9b-a843-9c225e0a02bb", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "welcome-", + "Domain": "", + "Description": "Used to record if you’ve chosen to hide the “Welcome” message at the top of the corresponding blog.", + "Retention period": "permanent", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 1 + }, + { + "ID": "21d730a1-d6c1-4466-a34b-907c6ff8c031", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "showComments", + "Domain": "", + "Description": "Used to determine if you prefer comments to be shown or hidden when reading the site.", + "Retention period": "10 years", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7bfbd680-702f-4f21-9d23-0b2d26281d8a", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "trac_form_token", + "Domain": "", + "Description": "Used as a security token for cross-site request forgery protection.", + "Retention period": "session", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "69131359-8260-40a6-b004-8e4fe508ebf7", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "trac_session", + "Domain": "", + "Description": "Used to keep anonymous session information.", + "Retention period": "90 days", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "9bce67df-2527-48e3-9f4b-2c01f7584f37", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "codexToken", + "Domain": "", + "Description": "Used to check whether the current visitor is a logged-in WordPress.org user. Only set if you select “Keep me logged in” when logging in.", + "Retention period": "6 months", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a118fd4a-91d4-485e-945c-e52e8055ca4f", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "codexUserId", + "Domain": "", + "Description": "Used to check whether the current visitor is a logged-in WordPress.org user.", + "Retention period": "6 months", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b845c955-9113-42fe-9a7b-7bb3d7711873", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "codexUserName", + "Domain": "", + "Description": "Used to check whether the current visitor is a logged-in WordPress.org user.", + "Retention period": "6 months", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5a5e2533-4468-487c-b197-d5a7a393f3d8", + "Platform": "WordPress", + "Category": "Analytics", + "Cookie / Data Key name": "camptix_client_stats", + "Domain": "", + "Description": "Used to track unique visitors to tickets page on a WordCamp site", + "Retention period": "1 year", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d490210c-32c0-467a-abed-5690d306557f", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "wp-saving-post", + "Domain": "", + "Description": "Used to track if there is saved post exists for a post currently being edited. If exists then let user restore the data", + "Retention period": "1 day", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "510be746-4e6f-4fe2-9817-aa107ae8ca0d", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "comment_author_", + "Domain": "", + "Description": "Used to tracked comment author name, if “Save my name, email, and website in this browser for the next time I comment.” is checked", + "Retention period": "347 days", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 1 + }, + { + "ID": "5b174572-0b7a-4929-8005-97bb8ff1bbcb", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "comment_author_url_", + "Domain": "", + "Description": "Used to track comment author url, if “Save my name, email, and website in this browser for the next time I comment.” checkbox is checked", + "Retention period": "347 days", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 1 + }, + { + "ID": "5fd8047d-9a31-4cb6-8af4-9f16451ee55f", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "wp-postpass_", + "Domain": "", + "Description": "Used to maintain session if a post is password protected", + "Retention period": "10 days", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 1 + }, + { + "ID": "a9113903-144d-4807-bb15-8b4311d16e2d", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "wp-settings-time-", + "Domain": "", + "Description": "Time at which wp-settings-{user} was set", + "Retention period": "1 year", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 1 + }, + { + "ID": "15afcfb4-f181-46bc-9b2d-27dbbbbaa657", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "tix_view_token", + "Domain": "", + "Description": "Used for session managing private CampTix content", + "Retention period": "2 days", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "9fe8465e-4f38-4200-99cd-ba9e61ba113f", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "jetpackState", + "Domain": "", + "Description": "Used for maintaining Jetpack State", + "Retention period": "session", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "31253afe-60f0-4a90-9f46-d167b65786aa", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "jpp_math_pass", + "Domain": "", + "Description": "Verifies that a user answered the math problem correctly while logging in.", + "Retention period": "session", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5019dc94-e385-42ac-b716-6f0700595936", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "stnojs", + "Domain": "", + "Description": "Remember if user do not want JavaScript executed", + "Retention period": "2 days", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 0 + }, + { + "ID": "835a9388-672a-4b0d-ac45-6f9cd8a1930a", + "Platform": "WordPress", + "Category": "Functional", + "Cookie / Data Key name": "wordpress_logged_in_", + "Domain": "", + "Description": "Remember User session", + "Retention period": "session", + "Data Controller": "WordPress", + "User Privacy & GDPR Rights Portals": "https://wordpress.org/about/privacy/", + "Wildcard match": 1 + }, + { + "ID": "2b4d8482-2843-44c4-b504-ceeb7dabd486", + "Platform": "Cookie First", + "Category": "Functional", + "Cookie / Data Key name": "cookiefirst-consent", + "Domain": "", + "Description": "This cookie saves your cookie preferences for this website. You can change these or withdraw your consent easily.", + "Retention period": "1 year", + "Data Controller": "Cookie First", + "User Privacy & GDPR Rights Portals": "https://cookiefirst.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "58eec4a2-a733-41e7-8877-565a408d3f83", + "Platform": "Iubenda", + "Category": "Functional", + "Cookie / Data Key name": "_iub_cs-", + "Domain": "", + "Description": "This cookie is used to store cookie acceptance and register consent.", + "Retention period": "1 year", + "Data Controller": "Iubenda", + "User Privacy & GDPR Rights Portals": "https://www.iubenda.com/privacy-policy/252372", + "Wildcard match": 1 + }, + { + "ID": "f13338a6-f4d9-4024-864c-c2291463e2bc", + "Platform": "Didomi", + "Category": "Functional", + "Cookie / Data Key name": "didomi_token", + "Domain": "", + "Description": "This cookie contains consent information for personalized purposes and for personalized partners, as well as information specific to Didomi (e.g. user ID).", + "Retention period": "1 year", + "Data Controller": "Didomi", + "User Privacy & GDPR Rights Portals": "https://privacy.console.didomi.io/", + "Wildcard match": 0 + }, + { + "ID": "3f10ddbd-56c6-4179-bd46-540c188b56c2", + "Platform": "Didomi", + "Category": "Functional", + "Cookie / Data Key name": "euconsent-v2", + "Domain": "", + "Description": "This cookie contains the chain of consent for the IAB's Transparency and consent framework as well as the consent information for all IAB standards (partners and purposes).", + "Retention period": "1 year", + "Data Controller": "Didomi", + "User Privacy & GDPR Rights Portals": "https://privacy.console.didomi.io/", + "Wildcard match": 0 + }, + { + "ID": "b6782729-bf8c-4c0a-90df-156a0f3a30b4", + "Platform": "Lucky Orange", + "Category": "Functional", + "Cookie / Data Key name": "_global_lucky_opt_out", + "Domain": "", + "Description": "If set, will not run Lucky Orange. Set via our opt out links.", + "Retention period": "10 years", + "Data Controller": "Lucky Orange", + "User Privacy & GDPR Rights Portals": "https://www.luckyorange.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "53e5947c-a68e-429d-b10b-952e90477bc2", + "Platform": "Lucky Orange", + "Category": "Functional", + "Cookie / Data Key name": "_lo_np_", + "Domain": "", + "Description": "Set if a user should no longer receive a particular poll.", + "Retention period": "30 days", + "Data Controller": "Lucky Orange", + "User Privacy & GDPR Rights Portals": "https://www.luckyorange.com/legal/privacy", + "Wildcard match": 1 + }, + { + "ID": "f585cb39-405f-4f5d-9cc3-94a57f9a0e2a", + "Platform": "Lucky Orange", + "Category": "Functional", + "Cookie / Data Key name": "_lo_bn", + "Domain": "", + "Description": "Indicated this visitor has been banned from tracking.", + "Retention period": "30 days", + "Data Controller": "Lucky Orange", + "User Privacy & GDPR Rights Portals": "https://www.luckyorange.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "b9477bbe-1746-4e5f-987b-5715299a9fbe", + "Platform": "Lucky Orange", + "Category": "Functional", + "Cookie / Data Key name": "_lo_cid", + "Domain": "", + "Description": "ID of the visitor's current chat, if any.", + "Retention period": "Session", + "Data Controller": "Lucky Orange", + "User Privacy & GDPR Rights Portals": "https://www.luckyorange.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "bdc3f781-68cc-49e0-a1a8-102107bb46b0", + "Platform": "Lucky Orange", + "Category": "Analytics", + "Cookie / Data Key name": "_lo_uid", + "Domain": "", + "Description": "Unique identifier for the visitor.", + "Retention period": "2 years", + "Data Controller": "Lucky Orange", + "User Privacy & GDPR Rights Portals": "https://www.luckyorange.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "62caa552-69b5-4c6c-b417-1bbfb2f46831", + "Platform": "Lucky Orange", + "Category": "Analytics", + "Cookie / Data Key name": "_lo_rid", + "Domain": "", + "Description": "ID of the visitor's current recording.", + "Retention period": "30 minutes", + "Data Controller": "Lucky Orange", + "User Privacy & GDPR Rights Portals": "https://www.luckyorange.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "d62ac119-bc3c-4f6a-bd13-2f24532190f6", + "Platform": "Lucky Orange", + "Category": "Analytics", + "Cookie / Data Key name": "_lo_v", + "Domain": "", + "Description": "Total number of visitor's visits.", + "Retention period": "1 year", + "Data Controller": "Lucky Orange", + "User Privacy & GDPR Rights Portals": "https://www.luckyorange.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "9033949e-4688-4174-9901-bc96d35433ff", + "Platform": "Lucky Orange", + "Category": "Analytics", + "Cookie / Data Key name": "__lotl", + "Domain": "", + "Description": "URL of the visitor's original landing page, if any.", + "Retention period": "180 days", + "Data Controller": "Lucky Orange", + "User Privacy & GDPR Rights Portals": "https://www.luckyorange.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "36cd6d69-ead6-4047-9fc1-a4687fc9b0ff", + "Platform": "Lucky Orange", + "Category": "Analytics", + "Cookie / Data Key name": "__lotr", + "Domain": "", + "Description": "URL of the visitor's original referrer, if any.", + "Retention period": "180 days", + "Data Controller": "Lucky Orange", + "User Privacy & GDPR Rights Portals": "https://www.luckyorange.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "37a0c9af-393a-47f4-b052-d1f707da642f", + "Platform": "Axeptio", + "Category": "Functional", + "Cookie / Data Key name": "axeptio_authorized_vendors", + "Domain": "", + "Description": "Lists all cookies validated by the user", + "Retention period": "1 year", + "Data Controller": "Axeptio", + "User Privacy & GDPR Rights Portals": "https://www.axept.io/", + "Wildcard match": 0 + }, + { + "ID": "55e603c3-0c22-472a-9201-65d30d396489", + "Platform": "Axeptio", + "Category": "Functional", + "Cookie / Data Key name": "axeptio_cookies", + "Domain": "", + "Description": "Cookie is set by a script that displays a banner allowing the user to accept Cookies on a case-by-case basis and is kept for 12 months, in order to determine for which Cookies the user has given his consent.", + "Retention period": "1 year", + "Data Controller": "Axeptio", + "User Privacy & GDPR Rights Portals": "https://www.axept.io/", + "Wildcard match": 0 + }, + { + "ID": "4c9150dc-c080-4e64-acdf-812100a4edb4", + "Platform": "Axeptio", + "Category": "Functional", + "Cookie / Data Key name": "axeptio_all_vendors", + "Domain": "", + "Description": "Lists all available vendors subject to the user's consent", + "Retention period": "1 year", + "Data Controller": "Axeptio", + "User Privacy & GDPR Rights Portals": "https://www.axept.io/", + "Wildcard match": 0 + }, + { + "ID": "7115ace6-15c1-44ae-a6dd-35df17929bca", + "Platform": "Borlabs", + "Category": "Functional", + "Cookie / Data Key name": "borlabs-cookie", + "Domain": "", + "Description": "Stores the user’s cookie consent state for embedded content on the current domain", + "Retention period": "1 year", + "Data Controller": "Borlabs", + "User Privacy & GDPR Rights Portals": "https://borlabs.io/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a75e2dab-3961-42c3-be2d-12a024789893", + "Platform": "Osano", + "Category": "Functional", + "Cookie / Data Key name": "osano_consentmanager", + "Domain": "", + "Description": "Stores the user's current consent status.", + "Retention period": "1 year", + "Data Controller": "Osano", + "User Privacy & GDPR Rights Portals": "https://osano.trusthub.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "6cea550b-dad6-452a-b766-34a4cba396c1", + "Platform": "Osano", + "Category": "Functional", + "Cookie / Data Key name": "osano_consentmanager_expdate", + "Domain": "", + "Description": "Stores the expiration of the user's captured consent.", + "Retention period": "1 year", + "Data Controller": "Osano", + "User Privacy & GDPR Rights Portals": "https://osano.trusthub.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "192400c1-5186-4dd1-85c4-585140f9abf5", + "Platform": "Osano", + "Category": "Functional", + "Cookie / Data Key name": "osano_consentmanager_uuid", + "Domain": "", + "Description": "Stores the user's unique consent identifier.", + "Retention period": "1 year", + "Data Controller": "Osano", + "User Privacy & GDPR Rights Portals": "https://osano.trusthub.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "c9539310-80c6-474c-b025-9e5a866ef61c", + "Platform": "Osano", + "Category": "Functional", + "Cookie / Data Key name": "cookieconsent_status", + "Domain": "", + "Description": "This cookie is used to remember if you have consented to the use of cookies on this website.", + "Retention period": "1 year", + "Data Controller": "Osano", + "User Privacy & GDPR Rights Portals": "https://osano.trusthub.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "aadb0ab5-91b6-4a3c-9d4c-de18ef2ad10c", + "Platform": "Osano", + "Category": "Functional", + "Cookie / Data Key name": "cookieconsent_page", + "Domain": "", + "Description": "Page where the user complies to the cookie consent", + "Retention period": "session", + "Data Controller": "Osano", + "User Privacy & GDPR Rights Portals": "https://osano.trusthub.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "8af5c0e5-a5f2-4cb7-a04e-93fe64877d1f", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpconsent", + "Domain": "", + "Description": "Consent String of the IAB CMP Framework (TCF) v2 specific to a single account in our platform.", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 1 + }, + { + "ID": "f7d82d64-5429-4e17-afc6-f875bbdff67f", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpiab", + "Domain": "", + "Description": "(only if simplified format is enabled) List of IAB vendor IDs separated by underscore", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 1 + }, + { + "ID": "206b6ce6-c025-432a-8b84-2b3ad26e4b96", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpcvc", + "Domain": "", + "Description": "List of custom vendor IDs separated by underscore specific to a single account in our platform", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 1 + }, + { + "ID": "88273d8f-6ddc-4507-bdd9-4387419028d8", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpcpc", + "Domain": "", + "Description": "List of custom purpose IDs separated by underscore", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 1 + }, + { + "ID": "538dc1de-ff5b-443c-970a-bc105a8947bb", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpccc", + "Domain": "", + "Description": "Consent information in custom consent format", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 1 + }, + { + "ID": "91ef4c98-42fc-468a-b5fc-334c3fc34903", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpwel", + "Domain": "", + "Description": "Information on PUR (pay or accept) mode", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 1 + }, + { + "ID": "6a14ad15-5206-4b93-8aa4-a32b347c0f7c", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpiuid", + "Domain": "", + "Description": "If enabled, a unique random ID per visitor", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 0 + }, + { + "ID": "e6222815-83d0-44bd-b7cd-4b7283e71879", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpccx", + "Domain": "", + "Description": "Integer. Test if visitor left the website after seeing the consent layer.", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 0 + }, + { + "ID": "18931911-29b7-4415-802a-c0d425c3f669", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpcc", + "Domain": "", + "Description": "Integer. Test if visitors browser supports cookies.", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 0 + }, + { + "ID": "4d1bdad2-5bdf-47ef-9edc-9f1cedfa3793", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpfcc", + "Domain": "", + "Description": "Integer. Test if visitors browser supports cookies.", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 0 + }, + { + "ID": "ede7a3b6-7f87-454d-919e-5e4251a93d67", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpld", + "Domain": "", + "Description": "Timestamp. Contains the time when the visitor last saw the consent layer.", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 0 + }, + { + "ID": "6c9e99f3-c91a-4db2-a2dd-62792a87ae6a", + "Platform": "Consentmanager.net", + "Category": "Functional", + "Cookie / Data Key name": "__cmpccpausps", + "Domain": "", + "Description": "Consent information in IAB USP CCPA Format.", + "Retention period": "1 year", + "Data Controller": "Consentmanager.net", + "User Privacy & GDPR Rights Portals": "https://www.consentmanager.net/datenschutz/", + "Wildcard match": 1 + }, + { + "ID": "36cfd585-d6b5-4181-8edc-c9fe1bd8a7d9", + "Platform": "Hu-manity.co", + "Category": "Functional", + "Cookie / Data Key name": "hu-consent", + "Domain": "", + "Description": "Stores the permission to use cookies for the current domain by the user", + "Retention period": "1 month", + "Data Controller": "Hu-manity.co", + "User Privacy & GDPR Rights Portals": "https://hu-manity.co/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "06cbbf88-d127-45e7-9a5c-b1eedf167047", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "complianz_policy_id", + "Domain": "", + "Description": "Stores the user’s cookie consent state for the current domain", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "ba710e8c-5469-4364-af2e-5c02f25b1ea9", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "complianz_consent_status", + "Domain": "", + "Description": "Stores the status of the cookie agreement of the current user", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "a95b294d-fa9f-404c-bf86-4be0a964d0e9", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_marketing", + "Domain": "", + "Description": "Stores the setting of the marketing/statistic level of the cookie agreement.", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "6ac9aa1c-4103-49db-bc1d-613a17e6c9f3", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_statistics", + "Domain": "", + "Description": "Stores the setting of the statistic level of the cookie agreement.", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "0f8b6eab-fd06-452c-9e9b-ced9e9821b59", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_preferences", + "Domain": "", + "Description": "Stores the setting of the preferences level of the cookie agreement.", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "f6b11ea3-e5cf-448f-ac2b-2afd3621b9f3", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_functional", + "Domain": "", + "Description": "Stores the setting of the functional level of the cookie agreement.", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "133dadc7-d97d-451d-8147-a361f5f03f08", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_stats", + "Domain": "", + "Description": "Stores the setting of the stats level of the cookie agreement.", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "734a9a09-5b03-4230-a214-f4da3f4f54a3", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_choice", + "Domain": "", + "Description": "Store if a message has been dismissed", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "70d37e9f-9bf1-47d5-bf39-196c3b1790f2", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_id", + "Domain": "", + "Description": "Store cookie consent preferences", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "bbd9e2d7-a82e-4e5b-9678-f34c01b4d1cd", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_user_data", + "Domain": "", + "Description": "Read to determine which cookie banner to show", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "35578f2b-a753-4f09-abd7-22e554431539", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_saved_services", + "Domain": "", + "Description": "Store cookie consent preferences", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "1a18105f-ad1e-4eb7-8f1b-1db3f1753c83", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_consented_services", + "Domain": "", + "Description": "Store cookie consent preferences", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "fe0820ac-fb21-4b65-a2ed-2833d06500aa", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_policy_id", + "Domain": "", + "Description": "Store accepted cookie policy ID", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "aac779af-885f-4b78-8827-19887e0fe59c", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_saved_categories", + "Domain": "", + "Description": "Store cookie consent preferences", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "702379b1-f886-4816-be57-3753b5031459", + "Platform": "Complianz", + "Category": "Functional", + "Cookie / Data Key name": "cmplz_banner-status", + "Domain": "", + "Description": "This cookie stores if the cookie banner has been dismissed", + "Retention period": "1 year", + "Data Controller": "Complianz", + "User Privacy & GDPR Rights Portals": "https://complianz.io/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "dabd937b-0702-464c-a9c7-945b8436a760", + "Platform": "Digital Factory", + "Category": "Functional", + "Cookie / Data Key name": "cookie_notice_accepted", + "Domain": "", + "Description": "Identifies whether the user has accepted the use of cookies on this web site", + "Retention period": "3 months", + "Data Controller": "Digital Factory", + "User Privacy & GDPR Rights Portals": "https://dfactory.co/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f20edd23-483f-43af-8373-ee9376cf6da5", + "Platform": "Moove", + "Category": "Functional", + "Cookie / Data Key name": "moove_gdpr_popup", + "Domain": "", + "Description": "When this Cookie is enabled, these Cookies are used to save your Cookie Setting Preferences.", + "Retention period": "1 year", + "Data Controller": "Moove", + "User Privacy & GDPR Rights Portals": "https://www.mooveagency.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "a266e024-460d-4fc7-b191-b193c72a77e3", + "Platform": "Termly", + "Category": "Functional", + "Cookie / Data Key name": "__tlbcpv", + "Domain": "", + "Description": "Used to record the cookie consent preferences of visitors", + "Retention period": "1 year", + "Data Controller": "Termly", + "User Privacy & GDPR Rights Portals": "https://termly.io/our-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b9d88766-3576-41e0-bddc-1e2217645443", + "Platform": "Termly", + "Category": "Functional", + "Cookie / Data Key name": "__tltpl_", + "Domain": "", + "Description": "Used to record the policies that visitors consent to", + "Retention period": "1 year", + "Data Controller": "Termly", + "User Privacy & GDPR Rights Portals": "https://termly.io/our-privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "da1bea44-61b7-42b5-8c69-6f44e4c48313", + "Platform": "Termly", + "Category": "Functional", + "Cookie / Data Key name": "__tluid", + "Domain": "", + "Description": "Assigns a random ID number to each visitor so that their policy consent and cookie consent preferences can be saved.", + "Retention period": "1 year", + "Data Controller": "Termly", + "User Privacy & GDPR Rights Portals": "https://termly.io/our-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc651252-ffba-11e9-8d71-362b9e155667", + "Platform": "ShareThis", + "Category": "Analytics", + "Cookie / Data Key name": "__stid", + "Domain": "sharethis.com", + "Description": "The __stid cookie is set as part of the ShareThis service and monitors user-activity, e.g. Web pages viewed, navigation from page to page, time spent on each page etc.", + "Retention period": "1 year", + "Data Controller": "ShareThis", + "User Privacy & GDPR Rights Portals": "https://sharethis.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ed83e99d-9896-4c55-88dc-71cdebd6b86c", + "Platform": "ShareThis", + "Category": "Marketing", + "Cookie / Data Key name": "__stidv", + "Domain": "sharethis.com", + "Description": "ShareThis cookie ID version.", + "Retention period": "10 years", + "Data Controller": "ShareThis", + "User Privacy & GDPR Rights Portals": "https://sharethis.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "973cc16e-e5d4-4797-bf22-99720e3c285b", + "Platform": "ShareThis", + "Category": "Functional", + "Cookie / Data Key name": "pubconsent", + "Domain": "sharethis.com", + "Description": "ShareThis cookie set to indicate user has made a declaration about GDPR data collection for IAB TCF v1 format.", + "Retention period": "13 months", + "Data Controller": "ShareThis", + "User Privacy & GDPR Rights Portals": "https://sharethis.com/privacy/", + "Wildcard match": 1 + }, + { + "ID": "553dc43f-eff4-4856-bb86-fec6bde9266b", + "Platform": "ShareThis", + "Category": "Functional", + "Cookie / Data Key name": "st_optout", + "Domain": "sharethis.com", + "Description": "ShareThis cookie set to indicate that user has opted out from data collection.", + "Retention period": "10 years", + "Data Controller": "ShareThis", + "User Privacy & GDPR Rights Portals": "https://sharethis.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "2ec9d71f-126d-4ad7-86dd-f542e7a7c5b2", + "Platform": "ShareThis", + "Category": "Analytics", + "Cookie / Data Key name": "pxcelBcnLcy", + "Domain": "sharethis.com", + "Description": "ShareThis Tag Management System cookie to track latency on reporting beacon.", + "Retention period": "session", + "Data Controller": "ShareThis", + "User Privacy & GDPR Rights Portals": "https://sharethis.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d4728317-2a84-4c3a-982d-1759cf2b600b", + "Platform": "ShareThis", + "Category": "Functional", + "Cookie / Data Key name": "pxcelAcc3PC", + "Domain": "", + "Description": "ShareThis Tag Management System cookie to check whether third party cookies are accepted by the browser. This is only set if there is no incoming cookie in the request.", + "Retention period": "1 day", + "Data Controller": "ShareThis", + "User Privacy & GDPR Rights Portals": "https://sharethis.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "3f49ec11-e8d5-4fcb-b7fe-15f700cf1ae5", + "Platform": "ShareThis", + "Category": "Analytics", + "Cookie / Data Key name": "pxcelPage", + "Domain": "sharethis.com", + "Description": "ShareThis Tag Management System cookie to track status of pixel rotation loading. ShareThis uses a different cookie for different groups of sites within the ShareThis network.", + "Retention period": "1 year", + "Data Controller": "ShareThis", + "User Privacy & GDPR Rights Portals": "https://sharethis.com/privacy/", + "Wildcard match": 1 + }, + { + "ID": "8c1b2268-85b3-4457-9146-89b43c566cf4", + "Platform": "ShareThis", + "Category": "Functional", + "Cookie / Data Key name": "usprivacy", + "Domain": "", + "Description": "ShareThis reads if the usprivacy cookie is present in the publisher domain.", + "Retention period": "session", + "Data Controller": "ShareThis", + "User Privacy & GDPR Rights Portals": "https://sharethis.com/privacy/", + "Wildcard match": 1 + }, + { + "ID": "7da07b97-f381-4af9-bce6-fa6f5af03b93", + "Platform": "ShareThis", + "Category": "Functional", + "Cookie / Data Key name": "euconsent", + "Domain": "", + "Description": "ShareThis reads if the euconsent cookie is present in the publisher domain.", + "Retention period": "session", + "Data Controller": "ShareThis", + "User Privacy & GDPR Rights Portals": "https://sharethis.com/privacy/", + "Wildcard match": 1 + }, + { + "ID": "603897c3-481c-4bd8-b078-be83b507cf80", + "Platform": "ShareThis", + "Category": "Functional", + "Cookie / Data Key name": "fpestid", + "Domain": "", + "Description": "Fpestid is a ShareThis cookie ID set in the domain of the website operator.", + "Retention period": "13 months", + "Data Controller": "ShareThis", + "User Privacy & GDPR Rights Portals": "https://sharethis.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "300197c8-bb3a-44c5-aef6-a6d70c9014dc", + "Platform": "Magnite", + "Category": "Marketing", + "Cookie / Data Key name": "khaos", + "Domain": "rubiconproject.com", + "Description": "Rubicon Project cookie used for tracking advertising campaigns and collect anonymized user behavior statistics", + "Retention period": "1 year", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://www.magnite.com/legal/platform-cookie-statement/", + "Wildcard match": 0 + }, + { + "ID": "b6e132e2-b3f1-454d-9c9a-ea16b8312c5b", + "Platform": "Magnite", + "Category": "Marketing", + "Cookie / Data Key name": "audit", + "Domain": "rubiconproject.com", + "Description": "Set by Rubicon Project to record cookie consent data.", + "Retention period": "1 year", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://www.magnite.com/legal/platform-cookie-statement/", + "Wildcard match": 0 + }, + { + "ID": "3d3ad6bf-45cd-4fe0-aa44-19413bf38bec", + "Platform": "Magnite", + "Category": "Marketing", + "Cookie / Data Key name": "put_", + "Domain": "rubiconproject.com", + "Description": "Records anonymous user data, such as IP, geographical location, websites visited and ads clicked on, in order to optimise visualisation of ads according to user movement around websites using the same advertising network.", + "Retention period": "1 month", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://www.magnite.com/legal/platform-cookie-statement/", + "Wildcard match": 1 + }, + { + "ID": "9ec1ba70-7e83-4645-82e3-f48e1a22949a", + "Platform": "Magnite", + "Category": "Marketing", + "Cookie / Data Key name": "rpb", + "Domain": "rubiconproject.com", + "Description": "Records anonymous user data, such as IP, geographical location, websites visited and ads clicked on, in order to optimise visualisation of ads according to user movement around websites using the same advertising network.", + "Retention period": "1 month", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://www.magnite.com/legal/platform-cookie-statement/", + "Wildcard match": 0 + }, + { + "ID": "4f54bdf3-e339-40ca-ac4e-cf3314d36a24", + "Platform": "Magnite", + "Category": "Marketing", + "Cookie / Data Key name": "rpx", + "Domain": "rubiconproject.com", + "Description": "Records anonymous user data, such as IP, geographical location, websites visited and ads clicked on, in order to optimise visualisation of ads according to user movement around websites using the same advertising network.", + "Retention period": "1 month", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://www.magnite.com/legal/platform-cookie-statement/", + "Wildcard match": 0 + }, + { + "ID": "e25aead6-0189-442e-ac9a-0d26d69c3f55", + "Platform": "Magnite", + "Category": "Marketing", + "Cookie / Data Key name": "c", + "Domain": "rubiconproject.com", + "Description": "Records anonymous user data, such as IP, geographical location, websites visited and ads clicked on, in order to optimise visualisation of ads according to user movement around websites using the same advertising network.", + "Retention period": "1 month", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://www.magnite.com/legal/platform-cookie-statement/", + "Wildcard match": 0 + }, + { + "ID": "15651995-d252-4161-9561-2669150d2c85", + "Platform": "Magnite", + "Category": "Marketing", + "Cookie / Data Key name": "khaos_p", + "Domain": ".rubiconproject.com", + "Description": "Used to store the user's consent status for the current domain.", + "Retention period": "1 year", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://rubiconproject.com/privacy/consumer-online-profile-and-opt-out/", + "Wildcard match": 0 + }, + { + "ID": "3f20cd10-3a0c-4e6e-b0f1-46374b33e866", + "Platform": "Magnite", + "Category": "Marketing", + "Cookie / Data Key name": "audit_p", + "Domain": ".rubiconproject.com", + "Description": "Used to store the user's user intereset", + "Retention period": "1 year", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://rubiconproject.com/privacy/consumer-online-profile-and-opt-out/", + "Wildcard match": 0 + }, + { + "ID": "4cd3f38b-85de-4b6c-b630-a6bc8a0cba40", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "apiDomain_", + "Domain": "gigya.com", + "Description": "The shared domain API calls for all sites in a group should be sent to.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "7d239c9b-6f8b-478f-b190-f636fe4e409f", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "gac_", + "Domain": "", + "Description": "Used to trigger server initiated login.", + "Retention period": "session", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "c3bea380-2eca-4ec9-a761-09126186d1a3", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "_gig_APIProxy_enabled", + "Domain": "", + "Description": "Used to indicate whether to use APIProxy or not.", + "Retention period": "session", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "037dab0f-22ad-4b3a-b69c-c470109d4394", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "gig_bootstrap_", + "Domain": "gigya.com", + "Description": "If declined, user may be intermittently logged out.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "e8b6341a-0cbe-4370-9b99-e4ffef964bac", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "gig_canary", + "Domain": "", + "Description": "Indicates whether the client is using the canary version of the WebSDK.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "190996a9-54de-4987-beb8-1b1ec2bb007c", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "gig_canary_3", + "Domain": "", + "Description": "Indicates whether the client is using the canary version of the WebSDK.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "5dd01b71-1510-410c-90b1-e69e97fa004c", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "_gig_email", + "Domain": "", + "Description": "Last used email address in share (when sending email).", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "79931c18-a413-4030-bfcb-8ca6ea32d0fc", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "gig_canary_ver", + "Domain": "", + "Description": "The version name of the WebSDK's canary version.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "af5fdc24-361a-420e-ab71-f807100caa32", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "gig_hasGmid", + "Domain": "gigya.com", + "Description": "Internal cookie for the Web SDK", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "0b396794-4c93-47f0-9fcd-0c37eea4908b", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "_gig_llu", + "Domain": "gigya.com", + "Description": "Last login provider username for Login Welcome back screen.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "52b8d4e7-a7ae-49e7-9986-2a0bbdd92d20", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "_gig_llp", + "Domain": "gigya.com", + "Description": "Last login provider username for Login Welcome back screen.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "46d5942a-b281-4dc2-91da-dcdf6697bac5", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "glt_", + "Domain": "", + "Description": "Login Token for authentication.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "99cce484-13d8-4419-bc13-5fc841c47f92", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "_gig_lt", + "Domain": "", + "Description": "Login Token for authentication.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "b19f055e-5d9f-4051-8ed2-1c075742edf9", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "gig_last_ver_", + "Domain": "", + "Description": "Last time of verification of the session when the site is using the verifyLoginInterval property of global CONF in order to trigger reverification.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "544a3e12-8486-49ee-938a-bbc2774821f2", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "gig_loginToken_", + "Domain": "gigya.com", + "Description": "SAP Customer Data Cloud's Single Sign On (SSO) group login token.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "72c274e9-e86a-400a-b08f-041754b102b9", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "_gig_shareUI_cb_", + "Domain": "", + "Description": "Login Token for authentication.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "1a9c696f-0ea9-4023-841c-2434bc40d64c", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "_gig_shareUI_lastUID", + "Domain": "", + "Description": "Last logged in UID.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "7821a0aa-1ea1-4147-b3a9-7fda0b8bd1b8", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "_gigRefUid_", + "Domain": "", + "Description": "Last referrer User ID.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "e19d81c7-108e-4675-825f-75757be2029b", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "gig_toggles", + "Domain": "", + "Description": "This value is sent to SAP Customer Data Cloud in order to identify toggles that the back-end behavior depends on to process the specified toggle.", + "Retention period": "session", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "4019c5e9-5e6a-454e-88da-05b144106528", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "gig3pc", + "Domain": "", + "Description": "Remembers if third-party cookies are blocked to avoid checking every time.", + "Retention period": "2 days", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "4a797757-4930-4abf-8931-cd393b6f2935", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "gig3pctest", + "Domain": "", + "Description": "A temp cookie used to check if third-party cookies are blocked.", + "Retention period": "session", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "26b766fb-eea4-4818-99c7-047330dc171b", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "glnk", + "Domain": "", + "Description": "Ticket for second phase of login.", + "Retention period": "session", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "241b8e2a-7300-43fc-83ce-f791031eb201", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "gmid", + "Domain": "", + "Description": "User cookie.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "5e3964c6-fd88-4a38-811c-6c2274e44923", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "gst", + "Domain": "", + "Description": "Server ticket for second phase of login.", + "Retention period": "30 Minutes", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "a8d15372-e14d-45e8-9e50-3c1da50149be", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "GSLM_", + "Domain": "", + "Description": "Session magic cookie.", + "Retention period": "session", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "5318a29f-81c0-4ec7-ab9d-f0708a487bd3", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "hasGmid", + "Domain": "gigya.com", + "Description": "Internal cookie for the Web SDK", + "Retention period": "13 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "6bccfd5b-de1c-4f45-90b4-9018a4fb314a", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "SAML_", + "Domain": "gigya.com", + "Description": "This cookie is saved by SAML SP to manage the SAML session information and, specifically, the parameters needed for logout.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "e65e60d8-15b2-46f9-9bc9-e099c1b8d117", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "gltexp_", + "Domain": "", + "Description": "Login Token Expiration.", + "Retention period": "session", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "9b30be08-ff76-497c-9585-a1d0e16af5cc", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "_gig_", + "Domain": "", + "Description": "Callback for listener.", + "Retention period": "12 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "26919947-293e-4f1d-95e8-7a1d504dee45", + "Platform": "SAP", + "Category": "Functional", + "Cookie / Data Key name": "ua_", + "Domain": "", + "Description": "COPPA (under age).", + "Retention period": "1 day", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "5489f3e2-a2e5-4a3f-bea3-9d0736f63f9d", + "Platform": "SAP", + "Category": "Marketing", + "Cookie / Data Key name": "ucid", + "Domain": "", + "Description": "Unique computer identifier used for generating reports, and used by the Web SDK to get saved response.", + "Retention period": "13 months", + "Data Controller": "SAP", + "User Privacy & GDPR Rights Portals": "https://www.sap.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "f10a8d22-936a-446d-84f0-bf26bc8b87f4", + "Platform": "The Ozone Project", + "Category": "Marketing", + "Cookie / Data Key name": "ozone_uid", + "Domain": "the-ozone-project.com", + "Description": "This cookie contains unique randomly-generated values that enable the Ozone Project to distinguish browsers and mobile devices.", + "Retention period": "90 days", + "Data Controller": "The Ozone Project", + "User Privacy & GDPR Rights Portals": "https://www.ozoneproject.com/privacy-matters", + "Wildcard match": 0 + }, + { + "ID": "f3544014-a430-4381-918c-467df25fad98", + "Platform": "Mailchimp", + "Category": "Analytics", + "Cookie / Data Key name": "mc_cid", + "Domain": "", + "Description": "Mailchimp campaign ID", + "Retention period": "14 days", + "Data Controller": "Mailchimp", + "User Privacy & GDPR Rights Portals": "https://mailchimp.com/legal/", + "Wildcard match": 0 + }, + { + "ID": "fc50d869-5498-4107-9479-8971533a6246", + "Platform": "Mailchimp", + "Category": "Analytics", + "Cookie / Data Key name": "mc_eid", + "Domain": "", + "Description": "Mailchimp email ID", + "Retention period": "14 days", + "Data Controller": "Mailchimp", + "User Privacy & GDPR Rights Portals": "https://mailchimp.com/legal/", + "Wildcard match": 0 + }, + { + "ID": "0f8f7e7c-b17e-4768-b491-8ae0125a24ae", + "Platform": "Mailchimp", + "Category": "Analytics", + "Cookie / Data Key name": "mc_landing_site", + "Domain": "", + "Description": "Page visitor entered your site on", + "Retention period": "14 days", + "Data Controller": "Mailchimp", + "User Privacy & GDPR Rights Portals": "https://mailchimp.com/legal/", + "Wildcard match": 0 + }, + { + "ID": "13b53c51-b4cb-4021-9c04-8aebb5c4b8ce", + "Platform": "Beamer", + "Category": "Marketing", + "Cookie / Data Key name": "_BEAMER_FIRST_VISIT_", + "Domain": "hotjar.com", + "Description": "Set by Beamer (hotjar.com) to store the date of the user’s first interaction with insights.", + "Retention period": "3000 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.getbeamer.com/privacy-policy", + "Wildcard match": 1 + }, + { + "ID": "f722acea-e8ec-4e61-8afd-b439895cac88", + "Platform": "Beamer", + "Category": "Marketing", + "Cookie / Data Key name": "_BEAMER_USER_ID_", + "Domain": "hotjar.com", + "Description": "Set by Beamer (hotjar.com) to store an internal ID for a user.", + "Retention period": "300 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.getbeamer.com/privacy-policy", + "Wildcard match": 1 + }, + { + "ID": "94a30c80-1fb4-4c8d-bbde-e1b8f645fc1c", + "Platform": "Beamer", + "Category": "Marketing", + "Cookie / Data Key name": "_BEAMER_DATE_", + "Domain": "hotjar.com", + "Description": "Set by Beamer (hotjar.com). Stores the latest date in which the feed or page was opened.", + "Retention period": "300 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.getbeamer.com/privacy-policy", + "Wildcard match": 1 + }, + { + "ID": "98cc3af3-8bbf-46c1-ac53-da4f2d7deca9", + "Platform": "Beamer", + "Category": "Marketing", + "Cookie / Data Key name": "_BEAMER_LAST_POST_SHOWN_", + "Domain": "hotjar.com", + "Description": "Set by Beamer (hotjar.com). Stores the timestamp for the last time the number of unread posts was updated for the user.", + "Retention period": "300 days", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.getbeamer.com/privacy-policy", + "Wildcard match": 1 + }, + { + "ID": "c7eb4b44-734a-4962-a7da-787d07905a53", + "Platform": "Beamer", + "Category": "Marketing", + "Cookie / Data Key name": "_BEAMER_FILTER_BY_URL_", + "Domain": "hotjar.com", + "Description": "This cookie is set by Beamer to store whether to apply URL filtering on the feed", + "Retention period": "20 minutes", + "Data Controller": "Hotjar", + "User Privacy & GDPR Rights Portals": "https://www.getbeamer.com/privacy-policy", + "Wildcard match": 1 + }, + { + "ID": "74bc43ce-e880-4a84-a053-eec2ae0db194", + "Platform": "Adhese", + "Category": "Analytics", + "Cookie / Data Key name": "adhese2", + "Domain": "ads-[account].adhese.com", + "Description": "Unique Reach reporting", + "Retention period": "30 days", + "Data Controller": "Adhese", + "User Privacy & GDPR Rights Portals": "https://adhese.com/images/Privacy%20Policy_Doggybites.pdf", + "Wildcard match": 0 + }, + { + "ID": "3b135a58-78a6-425e-8bc0-f8e1c69a811a", + "Platform": "Adhese", + "Category": "Marketing", + "Cookie / Data Key name": "cap", + "Domain": "ads-[account].adhese.com", + "Description": "Frequency Capping", + "Retention period": "30 days", + "Data Controller": "Adhese", + "User Privacy & GDPR Rights Portals": "https://adhese.com/images/Privacy%20Policy_Doggybites.pdf", + "Wildcard match": 1 + }, + { + "ID": "ea61c147-1a66-4bdb-b2fb-425702e77810", + "Platform": "Adhese", + "Category": "Marketing", + "Cookie / Data Key name": "pubmatic_uid", + "Domain": ".adhese.com", + "Description": "When Adhese is used as server connection to SSPs or DSPs with whom the Account holder has a contract, a user syncing process can be installed where the SSP user_uid is stored in an Adhese cookie. This is dependent of consent for all parties involved (Accountholder, SSP, Adhese)", + "Retention period": "7 days", + "Data Controller": "Adhese", + "User Privacy & GDPR Rights Portals": "https://adhese.com/images/Privacy%20Policy_Doggybites.pdf", + "Wildcard match": 0 + }, + { + "ID": "339ae23a-48d9-4903-8ca0-b9465bafafe0", + "Platform": "Adhese", + "Category": "Marketing", + "Cookie / Data Key name": "improvedigital_uid", + "Domain": ".adhese.com", + "Description": "When Adhese is used as server connection to SSPs or DSPs with whom the Account holder has a contract, a user syncing process can be installed where the SSP user_uid is stored in an Adhese cookie. This is dependent of consent for all parties involved (Accountholder, SSP, Adhese)", + "Retention period": "7 days", + "Data Controller": "Adhese", + "User Privacy & GDPR Rights Portals": "https://adhese.com/images/Privacy%20Policy_Doggybites.pdf", + "Wildcard match": 0 + }, + { + "ID": "431d5a98-2986-4657-a4a4-5372da4d0ff4", + "Platform": "Adhese", + "Category": "Marketing", + "Cookie / Data Key name": "rubicon_uid", + "Domain": ".adhese.com", + "Description": "When Adhese is used as server connection to SSPs or DSPs with whom the Account holder has a contract, a user syncing process can be installed where the SSP user_uid is stored in an Adhese cookie. This is dependent of consent for all parties involved (Accountholder, SSP, Adhese)", + "Retention period": "7 days", + "Data Controller": "Adhese", + "User Privacy & GDPR Rights Portals": "https://adhese.com/images/Privacy%20Policy_Doggybites.pdf", + "Wildcard match": 0 + }, + { + "ID": "0d9aab4f-66f2-44ca-bdcb-fdbb9694aa32", + "Platform": "Adhese", + "Category": "Marketing", + "Cookie / Data Key name": "adform_uid", + "Domain": ".adhese.com", + "Description": "When Adhese is used as server connection to SSPs or DSPs with whom the Account holder has a contract, a user syncing process can be installed where the SSP user_uid is stored in an Adhese cookie. This is dependent of consent for all parties involved (Accountholder, SSP, Adhese)", + "Retention period": "7 days", + "Data Controller": "Adhese", + "User Privacy & GDPR Rights Portals": "https://adhese.com/images/Privacy%20Policy_Doggybites.pdf", + "Wildcard match": 0 + }, + { + "ID": "e50a21e0-de13-4ec2-9c52-5ee7de57e4c6", + "Platform": "Adhese", + "Category": "Marketing", + "Cookie / Data Key name": "appnexus_uid", + "Domain": ".adhese.com", + "Description": "When Adhese is used as server connection to SSPs or DSPs with whom the Account holder has a contract, a user syncing process can be installed where the SSP user_uid is stored in an Adhese cookie. This is dependent of consent for all parties involved (Accountholder, SSP, Adhese)", + "Retention period": "7 days", + "Data Controller": "Adhese", + "User Privacy & GDPR Rights Portals": "https://adhese.com/images/Privacy%20Policy_Doggybites.pdf", + "Wildcard match": 0 + }, + { + "ID": "2c2f2801-ef34-4498-b147-075897dfcfca", + "Platform": "Adhese", + "Category": "Marketing", + "Cookie / Data Key name": "triplelift_uid", + "Domain": ".adhese.com", + "Description": "When Adhese is used as server connection to SSPs or DSPs with whom the Account holder has a contract, a user syncing process can be installed where the SSP user_uid is stored in an Adhese cookie. This is dependent of consent for all parties involved (Accountholder, SSP, Adhese)", + "Retention period": "7 days", + "Data Controller": "Adhese", + "User Privacy & GDPR Rights Portals": "https://adhese.com/images/Privacy%20Policy_Doggybites.pdf", + "Wildcard match": 0 + }, + { + "ID": "9c04bb55-9e70-41b9-96fd-1098bc54f5e2", + "Platform": "Adhese", + "Category": "Marketing", + "Cookie / Data Key name": "adheseCustomer", + "Domain": ".adhese.com", + "Description": "When Adhese is used as server connection to SSPs or DSPs with whom the Account holder has a contract, a user syncing process can be installed where the SSP user_uid is stored in an Adhese cookie. This is dependent of consent for all parties involved (Accountholder, SSP, Adhese)", + "Retention period": "7 days", + "Data Controller": "Adhese", + "User Privacy & GDPR Rights Portals": "https://adhese.com/images/Privacy%20Policy_Doggybites.pdf", + "Wildcard match": 0 + }, + { + "ID": "8b364e00-3d7b-409f-b196-24ef448bcde9", + "Platform": "phpMyAdmin", + "Category": "Functional", + "Cookie / Data Key name": "pmaAuth-", + "Domain": "", + "Description": "Per server authentication", + "Retention period": "session", + "Data Controller": "phpMyAdmin", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 1 + }, + { + "ID": "09c33f14-e5ea-423b-80c4-7cd6e8c6a70b", + "Platform": "phpMyAdmin", + "Category": "Functional", + "Cookie / Data Key name": "phpMyAdmin", + "Domain": "", + "Description": "Session identifier", + "Retention period": "session", + "Data Controller": "phpMyAdmin", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "8033312b-b7b3-4717-8ef3-8f91deec6068", + "Platform": "phpMyAdmin", + "Category": "Functional", + "Cookie / Data Key name": "pmaUser-", + "Domain": "", + "Description": "Per server username", + "Retention period": "30 days", + "Data Controller": "phpMyAdmin", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 1 + }, + { + "ID": "678f069b-d355-44db-b854-72b841ec59bd", + "Platform": "phpMyAdmin", + "Category": "Functional", + "Cookie / Data Key name": "pma_lang", + "Domain": "", + "Description": "Language preference", + "Retention period": "30 days", + "Data Controller": "phpMyAdmin", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "333fc228-ca44-496e-a58b-e6ad334921c7", + "Platform": "Plesk", + "Category": "Functional", + "Cookie / Data Key name": "PLESKSESSID", + "Domain": "", + "Description": "Keeps a Plesk session", + "Retention period": "session", + "Data Controller": "Plesk", + "User Privacy & GDPR Rights Portals": "https://www.plesk.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "3d7335dd-eb06-4315-9c09-61dc3bef75ef", + "Platform": "Plesk", + "Category": "Functional", + "Cookie / Data Key name": "plesk-items-per-page", + "Domain": "", + "Description": "Save the state of UI elements in Plesk", + "Retention period": "session", + "Data Controller": "Plesk", + "User Privacy & GDPR Rights Portals": "https://www.plesk.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "cbcecbfa-0bf7-440c-b9be-aab3c6ec883e", + "Platform": "Plesk", + "Category": "Functional", + "Cookie / Data Key name": "plek-list-type", + "Domain": "", + "Description": "Save the state of UI elements in Plesk", + "Retention period": "session", + "Data Controller": "Plesk", + "User Privacy & GDPR Rights Portals": "https://www.plesk.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "aa7d6333-4445-482e-b50f-cefe0dac5417", + "Platform": "Plesk", + "Category": "Functional", + "Cookie / Data Key name": "plesk-sort-dir", + "Domain": "", + "Description": "Save the state of UI elements in Plesk", + "Retention period": "session", + "Data Controller": "Plesk", + "User Privacy & GDPR Rights Portals": "https://www.plesk.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "48c42811-51b1-42c7-9093-dfa4fd4ea6ba", + "Platform": "Plesk", + "Category": "Functional", + "Cookie / Data Key name": "plesk-sort-field", + "Domain": "", + "Description": "Save the state of UI elements in Plesk", + "Retention period": "session", + "Data Controller": "Plesk", + "User Privacy & GDPR Rights Portals": "https://www.plesk.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "a57c96f5-7173-4629-be9a-ca4b0d338486", + "Platform": "Plesk", + "Category": "Functional", + "Cookie / Data Key name": "sites-active-list-state-collapsed", + "Domain": "", + "Description": "Save the state of UI elements in Plesk", + "Retention period": "session", + "Data Controller": "Plesk", + "User Privacy & GDPR Rights Portals": "https://www.plesk.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "b6f4d4c8-6318-41b0-bcde-a2b6169bd321", + "Platform": "Plesk", + "Category": "Functional", + "Cookie / Data Key name": "lists-state", + "Domain": "", + "Description": "Save the state of UI elements in Plesk", + "Retention period": "session", + "Data Controller": "Plesk", + "User Privacy & GDPR Rights Portals": "https://www.plesk.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "ec6ef7c0-d3a7-46dc-9859-0b97b7a341c9", + "Platform": "TYPO3", + "Category": "Functional", + "Cookie / Data Key name": "fe_typo_user", + "Domain": "", + "Description": "Used to identify a session ID when logged-in to the TYPO3 Frontend", + "Retention period": "session", + "Data Controller": "TYPO3", + "User Privacy & GDPR Rights Portals": "https://typo3.org/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "95a8439e-4e1b-4d9f-bd58-8ed4d745c919", + "Platform": "TYPO3", + "Category": "Functional", + "Cookie / Data Key name": "be_typo_user", + "Domain": "", + "Description": "Used to identify a backend session when a Backend User logged in to TYPO3 Backend or Frontend", + "Retention period": "session", + "Data Controller": "TYPO3", + "User Privacy & GDPR Rights Portals": "https://typo3.org/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "92f31916-077f-4c51-868c-71dfa5ee4d81", + "Platform": "TYPO3", + "Category": "Functional", + "Cookie / Data Key name": "Typo3InstallTool", + "Domain": "", + "Description": "Used to validate a session for the System Maintenance Area / Install Tool", + "Retention period": "session", + "Data Controller": "TYPO3", + "User Privacy & GDPR Rights Portals": "https://typo3.org/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "07cf534e-29d7-47ac-a616-9e3415d1b04f", + "Platform": "TYPO3", + "Category": "Functional", + "Cookie / Data Key name": "be_lastLoginProvider", + "Domain": "", + "Description": "Stores information about the last login provider when logging into TYPO3 Backend", + "Retention period": "session", + "Data Controller": "TYPO3", + "User Privacy & GDPR Rights Portals": "https://typo3.org/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "3f9a61b5-9f50-409a-80a6-49821d31ecac", + "Platform": "Kelkoo", + "Category": "Marketing", + "Cookie / Data Key name": "KelkooID", + "Domain": "kelkoogroup.net", + "Description": "This cookie identifies the user for statistics and ad retargeting.", + "Retention period": "1 year", + "Data Controller": "Kelkoo", + "User Privacy & GDPR Rights Portals": "https://www.kelkoogroup.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f9833f70-7b8a-482f-a972-b0d875161ca4", + "Platform": "Customer.io", + "Category": "Marketing", + "Cookie / Data Key name": "_cio", + "Domain": "", + "Description": "Used to identify visitors in order to send transactional and targeted email messages.", + "Retention period": "1 day", + "Data Controller": "Customer.io", + "User Privacy & GDPR Rights Portals": "https://customer.io/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "8e76f80c-61d9-4a1e-936d-9d0e3cbd61ab", + "Platform": "Customer.io", + "Category": "Marketing", + "Cookie / Data Key name": "_cioid", + "Domain": "", + "Description": "Used to identify visitors in order to send transactional and targeted email messages.", + "Retention period": "1 year", + "Data Controller": "Customer.io", + "User Privacy & GDPR Rights Portals": "https://customer.io/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d4d335aa-1e7c-4a38-a710-e141056fc594", + "Platform": "Customer.io", + "Category": "Marketing", + "Cookie / Data Key name": "_cioanonid", + "Domain": "", + "Description": "Used to identify visitors in order to send transactional and targeted email messages.", + "Retention period": "1 year", + "Data Controller": "Customer.io", + "User Privacy & GDPR Rights Portals": "https://customer.io/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f3c6bc04-6069-4683-ad8b-5f95fffdc693", + "Platform": "Customer.io", + "Category": "Marketing", + "Cookie / Data Key name": "cioFT", + "Domain": "", + "Description": "Used to identify visitors in order to send transactional and targeted email messages.", + "Retention period": "1 year", + "Data Controller": "Customer.io", + "User Privacy & GDPR Rights Portals": "https://customer.io/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "570d0646-17cb-4323-ae1d-6d3943e87dba", + "Platform": "Customer.io", + "Category": "Marketing", + "Cookie / Data Key name": "cioLT", + "Domain": "", + "Description": "Used to identify visitors in order to send transactional and targeted email messages.", + "Retention period": "1 year", + "Data Controller": "Customer.io", + "User Privacy & GDPR Rights Portals": "https://customer.io/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0e4d5432-22a9-4688-a6f0-55710cb190b5", + "Platform": "Chartbeat", + "Category": "Analytics", + "Cookie / Data Key name": "_chartbeat", + "Domain": "", + "Description": "Cookie is used to register if a person has visited the domain before (to calculate new vs returning users).", + "Retention period": "30 days", + "Data Controller": "Chartbeat", + "User Privacy & GDPR Rights Portals": "https://chartbeat.com/privacy/", + "Wildcard match": 1 + }, + { + "ID": "4539ab87-4fe2-408b-9cf8-dfc289d5c25d", + "Platform": "Chartbeat", + "Category": "Analytics", + "Cookie / Data Key name": "_SUPERFLY_nosample", + "Domain": "", + "Description": "Cookie is used only if you go over your plan's traffic limit. At that point the cookie is set and will disable the beacon from that visitor for one hour.", + "Retention period": "1 hour", + "Data Controller": "Chartbeat", + "User Privacy & GDPR Rights Portals": "https://chartbeat.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "98eda7bd-8705-4bc5-8011-c3151b7ad0e4", + "Platform": "Datadome", + "Category": "Functional", + "Cookie / Data Key name": "Datadome", + "Domain": "", + "Description": "This a security cookie based upon detecting BOTS and malicious traffic.", + "Retention period": "1 year", + "Data Controller": "Datadome", + "User Privacy & GDPR Rights Portals": "https://datadome.co/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "c5dad442-d598-4540-b47e-0eeb01b579e8", + "Platform": "Tappx", + "Category": "Marketing", + "Cookie / Data Key name": "TXCSDMN_", + "Domain": "tappx.com", + "Description": "This cookie is associated with Tappx, an AdTech platform.", + "Retention period": "1 month", + "Data Controller": "Tappx", + "User Privacy & GDPR Rights Portals": "https://www.tappx.com/legal/privacy-policy", + "Wildcard match": 1 + }, + { + "ID": "1f7327f8-2713-4e5d-b90d-f086e6f9d3ea", + "Platform": "Tappx", + "Category": "Marketing", + "Cookie / Data Key name": "TXCD", + "Domain": "tappx.com", + "Description": "This cookie is associated with Tappx, an AdTech platform.", + "Retention period": "1 month", + "Data Controller": "Tappx", + "User Privacy & GDPR Rights Portals": "https://www.tappx.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "1d780dba-6e77-442b-adb3-2222ec03a016", + "Platform": "richAudience", + "Category": "Marketing", + "Cookie / Data Key name": "rai-pltn-pl-", + "Domain": "richaudience.com", + "Description": "Ad-serving frequency control, optimization and Brand Safety.", + "Retention period": "1 day", + "Data Controller": "richAudience", + "User Privacy & GDPR Rights Portals": "https://richaudience.com/en/privacy/", + "Wildcard match": 1 + }, + { + "ID": "9836e562-d777-481f-98c6-74aa2a258eef", + "Platform": "richAudience", + "Category": "Marketing", + "Cookie / Data Key name": "avcid-", + "Domain": "richaudience.com", + "Description": "ID Syncing with DSP / SSP for communications using Open RTB protocol", + "Retention period": "90 days", + "Data Controller": "richAudience", + "User Privacy & GDPR Rights Portals": "https://richaudience.com/en/privacy/", + "Wildcard match": 1 + }, + { + "ID": "1b3becfc-b0f3-40c1-b16e-4635528d41f6", + "Platform": "richAudience", + "Category": "Marketing", + "Cookie / Data Key name": "pdid", + "Domain": "richaudience.com", + "Description": "Randomly generated user ID.", + "Retention period": "1 month", + "Data Controller": "richAudience", + "User Privacy & GDPR Rights Portals": "https://richaudience.com/en/privacy/", + "Wildcard match": 0 + }, + { + "ID": "1235209c-1a08-4ad1-9620-4bc4524c74f3", + "Platform": "Media.net", + "Category": "Marketing", + "Cookie / Data Key name": "data-", + "Domain": "contextual.media.net", + "Description": "Cookie used to record your browsing activity, with the purpose of displaying targeted ads.", + "Retention period": "1 year", + "Data Controller": "Media.net", + "User Privacy & GDPR Rights Portals": "https://www.media.net/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "e062990a-4825-441d-b87a-13d7523d94c4", + "Platform": "Media.net", + "Category": "Marketing", + "Cookie / Data Key name": "visitor-id", + "Domain": "contextual.media.net", + "Description": "This cookie is used to collect information on the visitor, which we then use for analytics purposes.", + "Retention period": "1 year", + "Data Controller": "Media.net", + "User Privacy & GDPR Rights Portals": "https://www.media.net/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b18feab1-af09-4d97-a029-624fde9bd13c", + "Platform": "Media.net", + "Category": "Marketing", + "Cookie / Data Key name": "gdpr_status", + "Domain": "contextual.media.net", + "Description": "Determines whether you have accepted the cookie consent box, to prevent it being shown the next time you visit", + "Retention period": "6 months", + "Data Controller": "Media.net", + "User Privacy & GDPR Rights Portals": "https://www.media.net/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "4be180c4-2168-401f-883f-b85f46023bac", + "Platform": "Media.net", + "Category": "Marketing", + "Cookie / Data Key name": "mnet_session_depth", + "Domain": "", + "Description": "Contains the scroll-depth across the website's sub-pages.", + "Retention period": "Session", + "Data Controller": "Media.net", + "User Privacy & GDPR Rights Portals": "https://www.media.net/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "1716c0e8-d680-4ec2-8534-2a22513f8fe6", + "Platform": "Prebid", + "Category": "Functional", + "Cookie / Data Key name": "_pbjs_userid_consent_data", + "Domain": "", + "Description": "This cookie is used to know if the user's consent choices have changed since the last page load. It is a hashed (cyrb53Hash) value of the consent string with a 30 day expiration.", + "Retention period": "30 days", + "Data Controller": "Prebid", + "User Privacy & GDPR Rights Portals": "https://prebidprd.wpengine.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e4eceb14-85c3-4eba-8c5d-0134b9fca217", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "DotomiUser", + "Domain": "dotomi.com", + "Description": "This cookie is set by the provider Dotomi. This cookie is used for sales/lead correlation and for targeting and marketing purposes. it is used to store unique surfer ID.", + "Retention period": "13 months", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "6fc025b1-e55f-436f-8b61-398700bb2e07", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "cjae", + "Domain": "dotomi.com", + "Description": "The cookie is set by the provider Dotomi. This cookie is used to record visitor behaviour.", + "Retention period": "1 month", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "455f0713-1836-42cb-bf24-bb0e90c7fe9f", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "DotomiStatus", + "Domain": "dotomi.com", + "Description": "Used to honor device-level opt-out preferences.", + "Retention period": "5 years", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "fd4b9a61-d8c1-4b21-af6c-07c2761ba596", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "DotomiSession_", + "Domain": "dotomi.com", + "Description": "Pseudonymous session id", + "Retention period": "session", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 1 + }, + { + "ID": "19d9f130-f68b-4877-8597-fbd231ef4c15", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "DotomiSync", + "Domain": "dotomi.com", + "Description": "Used to identify which sync pixels we set on users via registration tags", + "Retention period": "1 year", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "448cad41-e1c9-46fc-8392-056606d44fb6", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "dtm_token", + "Domain": "", + "Description": "Manage cookie level profile, freq. cap, retargeting", + "Retention period": "13 months", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "46bc00d3-bc40-4abc-8fc3-28fc95cd4133", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "dtm_token_exp", + "Domain": "", + "Description": "Logs timestamp for dtm_token cookie", + "Retention period": "session", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "dcf3c5b1-4286-4902-bff4-a1c3ed5cb138", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "dtm_tcdata", + "Domain": "", + "Description": "Stores consent for vendors that participate in the IAB Transparency and Consent Framework.", + "Retention period": "1 day", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "4274d60f-2c4c-4d3b-80dd-1f06e1e98144", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "dtm_tcdata_exp", + "Domain": "", + "Description": "Logs timestamp for dtm_tcdata cookie", + "Retention period": "session", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "08188e83-686a-4b45-9829-fc7f783afc39", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "dtm_token_sc", + "Domain": "", + "Description": "Our first party cookie set via headers on registration tags", + "Retention period": "13 months", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "1316fcd9-7db0-4d06-a6a3-3ef6cc436f92", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "dtm_user_id", + "Domain": "", + "Description": "Used to identify users registration", + "Retention period": "13 months", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "096de7fa-333c-4f87-94c2-552b2f86d565", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "dtm_user_id_sc", + "Domain": "", + "Description": "Used to identify users registration", + "Retention period": "13 months", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "fb164d06-1f5b-48c3-98d7-63015143c84b", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "dtm_gdpr_delete", + "Domain": "dotomi.com", + "Description": "Set when GDPR data delete is executed. Life span is 30 days. When this cookie exists, GDPR consent is considered revoked.", + "Retention period": "30 days", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "d630cb66-fd17-4605-bfa3-f9e1774082f6", + "Platform": "Dotomi", + "Category": "Marketing", + "Cookie / Data Key name": "dtm_gpc_optout", + "Domain": "dotomi.com", + "Description": "Set when GPC Optout is initiated. Presence of this cookie helps us prevent multiple downstream optout requests for the same user", + "Retention period": "30 days", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "0385f1ba-3d61-4f20-b800-3c53d8a4e8f4", + "Platform": "Fastclick", + "Category": "Marketing", + "Cookie / Data Key name": "pluto2", + "Domain": "fastclick.net", + "Description": "This is a temporary cookie that is created in the case when no PLUTO cookie is set AND the user hits the advertiser site where a Re-Targeting pixel has been executed.", + "Retention period": "13 months", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "93e4402f-740c-40d5-85dc-a0c3bfab5e2a", + "Platform": "Fastclick", + "Category": "Marketing", + "Cookie / Data Key name": "pluto", + "Domain": "fastclick.net", + "Description": "The Session ID is used to track preference information.", + "Retention period": "13 months", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "444b42ee-0cd4-489d-bc70-17b3a6411872", + "Platform": "Fastclick", + "Category": "Functional", + "Cookie / Data Key name": "fastclick", + "Domain": "fastclick.net", + "Description": "Tells the delivery system that the browser had opted out of the network", + "Retention period": "10 years", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "ef0fae7b-cbe0-48e5-9c00-8bb3fc47636c", + "Platform": "Mediaplex", + "Category": "Marketing", + "Cookie / Data Key name": "svid", + "Domain": "mediaplex.com", + "Description": "Used to relate preference information for marketing purposes", + "Retention period": "13 months", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "52b06e33-f5f8-466f-ad14-5d8c206b1d9e", + "Platform": "Mediaplex", + "Category": "Marketing", + "Cookie / Data Key name": "rts", + "Domain": "mediaplex.com", + "Description": "Used to track last time browser was redirected through Corporate Cookie Service / Dotomi.com domain", + "Retention period": "13 months", + "Data Controller": "Epsilon", + "User Privacy & GDPR Rights Portals": "https://legal.epsilon.com/global-privacy-policies/", + "Wildcard match": 0 + }, + { + "ID": "5c74cb39-99c5-441c-ab0a-adcbd3524d55", + "Platform": "Live helper chat", + "Category": "Functional", + "Cookie / Data Key name": "lhc_per", + "Domain": "", + "Description": "Stores persistent information about chat id to be able to keep same chat while customer is navigating through pages.", + "Retention period": "180 days", + "Data Controller": "Live helper chat", + "User Privacy & GDPR Rights Portals": "https://livehelperchat.com/gdpr-compliance-504a.html", + "Wildcard match": 0 + }, + { + "ID": "5e9b4471-ed60-4d76-80ef-a6e4c228c016", + "Platform": "Live helper chat", + "Category": "Functional", + "Cookie / Data Key name": "lhc_ldep", + "Domain": "", + "Description": "Stores required department id. To disable user to change department.", + "Retention period": "Unknown", + "Data Controller": "Live helper chat", + "User Privacy & GDPR Rights Portals": "https://livehelperchat.com/gdpr-compliance-504a.html", + "Wildcard match": 0 + }, + { + "ID": "b075d47a-d7ad-4a0d-aa27-a943385660e8", + "Platform": "Live helper chat", + "Category": "Functional", + "Cookie / Data Key name": "lhc_ses", + "Domain": "", + "Description": "Stores temporary information about chat. Was invitation to chat shown or not.", + "Retention period": "session", + "Data Controller": "Live helper chat", + "User Privacy & GDPR Rights Portals": "https://livehelperchat.com/gdpr-compliance-504a.html", + "Wildcard match": 0 + }, + { + "ID": "24115613-3372-46da-8567-b26395c48bed", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "_ym_metrika_enabled", + "Domain": "", + "Description": "Checks whether other Yandex.Metrica cookies are installed correctly", + "Retention period": "60 minutes", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "047bb241-fec5-4e1d-96be-0153e3ac2b75", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "_ym_isad", + "Domain": "", + "Description": "Determines whether a user has ad blockers", + "Retention period": "2 days", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "f6789a3c-133f-4e58-a14d-a0ffc78f8223", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "_ym_uid", + "Domain": "", + "Description": "Used for identifying site users", + "Retention period": "1 year", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "747de6c1-a8b2-45c7-a1e6-dec68264258b", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "_ym_d", + "Domain": "", + "Description": "Saves the date of the user's first site session", + "Retention period": "1 year", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "98ed4d50-731c-4e94-97fe-76f8671bfbe7", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "yabs-sid", + "Domain": ".yandex.ru", + "Description": "Session ID", + "Retention period": "session", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "9b92e7b6-4361-46df-8f87-6bc9ccf68383", + "Platform": "Yandex.Metrica", + "Category": "Functional", + "Cookie / Data Key name": "_ym_debug", + "Domain": ".yandex.ru", + "Description": "Indicates that debug mode is active", + "Retention period": "session", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "ce132fcb-bc2f-4b3c-9975-45c9dedc6dea", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "_ym_visorc_", + "Domain": ".yandex.ru", + "Description": "Allows Session Replay to function correctly", + "Retention period": "30 minutes", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 1 + }, + { + "ID": "aea62772-f317-47d8-8d29-59bc565475b7", + "Platform": "Yandex.Metrica", + "Category": "Functional", + "Cookie / Data Key name": "_ym_hostIndex", + "Domain": ".yandex.ru", + "Description": "Limits the number of requests", + "Retention period": "1 day", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "d5edd05d-428a-4632-9aab-62c8deba5f92", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "yandexuid", + "Domain": ".yandex.ru", + "Description": "Registers data on visitors' website-behaviour. This is used for internal analysis and website optimization.", + "Retention period": "1 year (in some countries, the period may be longer)", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "69affc45-efbf-4d49-9223-a6b288aa3e1e", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "yuidss", + "Domain": ".yandex.ru", + "Description": "Registers data on visitors' website-behaviour. This is used for internal analysis and website optimization.", + "Retention period": "1 year (in some countries, the period may be longer)", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "4762ab7b-95d4-48a6-989e-180cd492d8f1", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "ymex", + "Domain": ".yandex.ru", + "Description": "Stores auxiliary information for Yandex.Metrica performance: ID creation time and their alternative values.", + "Retention period": "1 year", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "256b31b8-990b-4b1f-9001-88a1a7b6d290", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "usst", + "Domain": ".yandex.ru", + "Description": "Stores auxiliary information for syncing site user IDs between different Yandex domains", + "Retention period": "1 year", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "08f918e5-27fe-4a03-b565-16b4f38a0e49", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "is_gdpr_b", + "Domain": ".yandex.ru", + "Description": "Detecting users from regions where the General Data Protection Regulation (GDPR) applies", + "Retention period": "1 year", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "01ceb4c7-9e06-4e29-91d9-eadf65d647d0", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "is_gdpr", + "Domain": ".yandex.ru", + "Description": "Detecting users from regions where the General Data Protection Regulation (GDPR) applies", + "Retention period": "1 year", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "1d79b457-b93c-4e65-8bd4-88564b125829", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "yabs-vdrf", + "Domain": ".yandex.ru", + "Description": "Registers data on visitors from multiple visits and on multiple websites. This information is used to measure the efficiency of advertisement on websites.", + "Retention period": "5 days", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "5b3970a0-d4d8-418b-bac3-feae748122c5", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "bh", + "Domain": ".yandex.ru", + "Description": "Collects data on user behaviour and interaction in order to optimize the website and make advertisement on the website more relevant.", + "Retention period": "1 Year", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "219600ab-18fb-4b85-9b5e-a8124fd690e6", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "_yasc", + "Domain": ".yandex.ru", + "Description": "Collects data on the user across websites - This data is used to make advertisement more relevant.", + "Retention period": "10 Years", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "c9fe74ae-64a4-420b-af25-73b45207529e", + "Platform": "Yandex.Metrica", + "Category": "Analytics", + "Cookie / Data Key name": "yashr", + "Domain": ".yandex.ru", + "Description": "Collects data on the user across websites - This data is used to make advertisement more relevant.", + "Retention period": "1 Year", + "Data Controller": "Yandex", + "User Privacy & GDPR Rights Portals": "https://yandex.com/support/metrica/general/gdpr.html", + "Wildcard match": 0 + }, + { + "ID": "f3fdc0ce-e851-49ec-81ef-d5cb38633997", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KMPage", + "Domain": "", + "Description": "In Salesforce Classic, used to read the last user selection for Find in View, Article Language, {DataCategory}, and Validation Status in Article Management.", + "Retention period": "1 day", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "795c2529-a753-4480-82c2-a66ee69a2263", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KnowledgePageDispatcher", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the user selection to determine whether to show Articles or My Drafts view in Knowledge.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "09f93347-abb4-4f23-a3ce-52696cbd5184", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KnowledgePageFilter", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the last user selection for the data category filter in Knowledge.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "6ae512dc-4fd3-4937-a41f-e0dc8f3091d3", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KnowledgePageFilterArticleArticleType", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the last user selection for the article type filter for Articles view in Knowledge.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "dd9424ad-b778-4435-8f48-7ea8d472cf3e", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KnowledgePageFilterArticlePublishStatus", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the last user selection for the publish status filter for Articles view in Knowledge.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "688b8751-8c50-4fd5-974b-df6912e1f576", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KnowledgePageFilterArticleValidationStatus", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the last user selection for the validation status filter for Articles view in Knowledge.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "0004c64f-a6e5-4c81-b5e5-3ac14ff9d8a1", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KnowledgePageFilterLanguage", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the last user selection for the language filter in Knowledge.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "dd75c7b2-933c-45ab-857b-8d4564e39ded", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KnowledgePageFilterMyDraftArticleType", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the last user selection for the article type filter for My Drafts view in Knowledge.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "1d645b24-6497-413b-b797-303c7d95b3cb", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KnowledgePageFilterMyDraftPublishStatus", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the last user selection for the publish status filter for My Drafts view in Knowledge.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "19920551-ff24-4c5a-a8de-5ae92598abce", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KnowledgePageFilterMyDraftValidationStatus", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the last user selection for the validation status filter for My Drafts view in Knowledge.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "43257805-a68c-4eab-906e-c4e373f7e732", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KnowledgePageSortFieldArticle", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the last user selection for Sort by for the Articles view in Knowledge.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "e1c86ac3-4071-46e1-80e9-0e8148078f3a", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_KnowledgePageSortFieldMyDraft", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the last user selection for Sort by for the My Drafts view in Knowledge.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "171dadcc-ed18-4be1-9100-c4e52669257e", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_spring_KmMlAnyoneDraftArticlesList", + "Domain": "", + "Description": "In Salesforce Classic, used to configure layout properties for the Draft Articles view in Article Management.", + "Retention period": "1 day", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "7df1eda6-84c7-4af8-a327-caae76b20466", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_spring_KmMlArchivedArticlesList", + "Domain": "", + "Description": "In Salesforce Classic, used to configure layout properties for Archived Articles in Article Management.", + "Retention period": "1 day", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "c182e3ab-13a2-4075-b00d-12618f1d8228", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_spring_KmMlMyDraftArticlesList", + "Domain": "", + "Description": "In Salesforce Classic, used to configure layout properties for Draft Articles assigned to Me in Article Management.", + "Retention period": "1 day", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "a4960f6e-e2bd-42de-974b-5f6262bbe60c", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_spring_KmMlMyDraftTranslationsList", + "Domain": "", + "Description": "In Salesforce Classic, used to configure layout properties for Draft Translations in Article Management.", + "Retention period": "1 day", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "dec6446c-2e34-4660-b820-36de7b34ce41", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_spring_KmMlPublishedArticlesList", + "Domain": "", + "Description": "In Salesforce Classic, used to configure layout properties for Published Articles in Article Management.", + "Retention period": "1 day", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "9ce3b7e1-b9c5-408d-9ee6-10e7cdb36367", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_spring_KmMlPublishedTranslationsList", + "Domain": "", + "Description": "In Salesforce Classic, used to configure layout properties for Published Translations in Article Management.", + "Retention period": "1 day", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "06e6719f-2ae2-45e8-8081-341f7c9c20b5", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "_sid", + "Domain": "", + "Description": "Identifies a Live Agent session. Stores a unique pseudonymous ID for a specific browser session over chat service.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "76fd75db-0bfa-46b1-87fa-a098b333fc6f", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "activeView", + "Domain": "", + "Description": "In Salesforce Classic, used to remember the last user selection for Articles or Translations tab in Article Management.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "367c3889-7b86-42d9-80ec-c80379adf9c0", + "Platform": "Salesforce", + "Category": "Marketing", + "Cookie / Data Key name": "apex__EmailAddress", + "Domain": "", + "Description": "Caches contact IDs associated with email addresses.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e9f93ef7-b154-4e97-96ed-b9a3bb1613b1", + "Platform": "Salesforce", + "Category": "Analytics", + "Cookie / Data Key name": "auraBrokenDefGraph", + "Domain": "", + "Description": "Used to track when a Lightning page has malformed HTML.", + "Retention period": "1 week", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6cd0e40c-9cfc-4ce7-b9c4-7a312003d1bf", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "autocomplete", + "Domain": "", + "Description": "Determines if the login page remembers the user’s username.", + "Retention period": "60 days", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5599f410-0a99-454e-b878-0144c91e41d0", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "BAYEAX_BROWSER", + "Domain": "", + "Description": "Identify a unique browser subscribed to CometD streaming channels.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "f29c59d5-7c00-4a04-9c8d-659047b4f3ad", + "Platform": "Salesforce", + "Category": "Analytics", + "Cookie / Data Key name": "calViewState", + "Domain": "", + "Description": "Sets the inline calendar date state in Salesforce Classic (current week selected).", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "bdf6f123-fe6e-4a01-863d-502d3e1d132e", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "caPanelState", + "Domain": "", + "Description": "Saves the open, closed, and height percent states of the calendar panel.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "35866ffc-1bbf-4e14-9caa-0736b9242f40", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "renderCtx", + "Domain": "salesforce.com", + "Description": "Used to deliver requested pages and content based on a user's navigation.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/legal/", + "Wildcard match": 0 + }, + { + "ID": "1b67a651-e47a-48d8-a723-9e4e9924ae6d", + "Platform": "Salesforce", + "Category": "Analytics", + "Cookie / Data Key name": "pctrk", + "Domain": "salesforce.com", + "Description": "Used to count page views by unauthenticated users against license usage.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/legal/", + "Wildcard match": 0 + }, + { + "ID": "15133ca1-cd72-4b0a-ba06-6a2a9b64fff1", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "force-stream", + "Domain": "salesforce.com", + "Description": "Used to properly route server requests within Salesforce infrastructure for sticky sessions.", + "Retention period": "3 hours", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/legal/", + "Wildcard match": 0 + }, + { + "ID": "67c8c784-6e9a-4d9a-8f33-4fa74fbc521e", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "sfdc-stream", + "Domain": "salesforce.com", + "Description": "Used to properly route server requests within Salesforce infrastructure for sticky sessions.", + "Retention period": "3 hours", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/legal/", + "Wildcard match": 0 + }, + { + "ID": "48bf5ca1-ee0a-4b4f-b5f1-1b412f8de49c", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "BrowserId_sec", + "Domain": "salesforce.com", + "Description": "Used to log secure browser sessions/visits for internal-only product analytics.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/legal/", + "Wildcard match": 0 + }, + { + "ID": "a45dae5d-3900-45da-b0e2-be11e5a23bf0", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "force-proxy-stream", + "Domain": "salesforce.com", + "Description": "Used to ensure client requests hit the same proxy hosts and are more likely to retrieve content from cache.", + "Retention period": "3 hours", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/legal/", + "Wildcard match": 0 + }, + { + "ID": "a0700551-eda2-44ed-a9b4-c1942a62941c", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "BrowserId", + "Domain": "salesforce.com", + "Description": "Used to log browser sessions/visits for internal-only product analytics.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "90333263-d108-47eb-ba27-3746c121e3d3", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "QCQQ", + "Domain": "salesforce.com", + "Description": "Used to detect the official login page for Forced Login POST detection.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6e164e03-e394-4a23-a479-ef78807c72c3", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "sid_Client", + "Domain": "salesforce.com", + "Description": "Used to validate orgid and userid on the client side.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "2ba696af-536b-4900-98a0-0a6416eb2ea2", + "Platform": "Salesforce", + "Category": "Security", + "Cookie / Data Key name": "idccsrf", + "Domain": "salesforce.com", + "Description": "Used for SSO authentication as CSRF protection.", + "Retention period": "3 months", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d710fc20-bb87-474d-969a-5f1f9cb6ba76", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "rsid", + "Domain": "salesforce.com", + "Description": "Used for an admin user to 'log in as' one of their org user.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b414f321-01b4-4b2a-aff8-55d8b50fe192", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "rsid2", + "Domain": "salesforce.com", + "Description": "Used for an admin user to 'log in as' one of their org portal user.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8517d7b8-83c6-4110-9eda-27b494ea71fa", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "RRetURL", + "Domain": "salesforce.com", + "Description": "Used for 'log in as' to return to original page.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "72505c7e-bc5c-41fc-87e0-f2d00f72668d", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "RRetURL2", + "Domain": "salesforce.com", + "Description": "Used for portal 'log in as' to return to original page.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "43b5e160-82b0-4cf2-9526-9ab7c6636aa3", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "alohaEpt", + "Domain": "salesforce.com", + "Description": "Used to log page load EPT (Experience Page Time) for Visualforce (Classic UI) pages.", + "Retention period": "90 sec", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a7d2b130-e322-4f4d-86c4-b2c86e8e7517", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "clientSrc", + "Domain": "salesforce.com", + "Description": "Used to validate the IP from where a user logs in.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "cf7a223b-8ab8-47d6-baf1-8bbe4f8ba1f0", + "Platform": "Salesforce", + "Category": "Marketing", + "Cookie / Data Key name": "oinfo", + "Domain": "salesforce.com", + "Description": "Used to track the State, Edition and orgID of a customer's org.", + "Retention period": "3 months", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5203bb4f-8af4-45d6-8c3b-ecbbe7145ba5", + "Platform": "Salesforce", + "Category": "Marketing", + "Cookie / Data Key name": "expid_", + "Domain": "salesforce.com", + "Description": "Used to render pages based on specified brand.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "63132c86-f1b6-4c12-b0a8-d1aa197158b5", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "oid", + "Domain": "salesforce.com", + "Description": "Used to redirect a user to the correct Salesforce org and assist the user for the next login.", + "Retention period": "2 years", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "9ac305e4-6765-47cd-80bf-478fbdd0b9cc", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "CookieConsentPolicy", + "Domain": "salesforce.com", + "Description": "Used to apply end-user cookie consent preferences set by our client-side utility.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "cc676be4-b2f6-430b-b1f1-cb0ca5cd7dec", + "Platform": "Salesforce", + "Category": "Marketing", + "Cookie / Data Key name": "_kuid_", + "Domain": "krxd.net (3rd party)", + "Description": "Registers a unique ID that identifies a returning user's device. The ID is used for targeted ads.", + "Retention period": "6 months", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "55836295-17ac-46ff-ac79-2b75622f65e8", + "Platform": "Salesforce", + "Category": "Marketing", + "Cookie / Data Key name": "visitor_id", + "Domain": "", + "Description": "The visitor cookie includes a unique visitor ID and the unique identifier for your account.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "c6e040a4-40f9-4130-8257-b7c50c7fa758", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "cookieSettingVerified", + "Domain": "", + "Description": "Used to create a popup message telling users that cookies are required.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a7c33fb6-8a65-4652-ab2a-5888e416b577", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "cordovaVersion", + "Domain": "", + "Description": "Used for internal diagnostics with mobile applications.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c18b6e20-2393-4494-9c0d-17334bacacc4", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "cqcid", + "Domain": "", + "Description": "Used to track a guest shopper’s browsing activity.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "57f74164-13f6-4521-9c5f-c9372e26c4d9", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "csssid", + "Domain": "", + "Description": "Used to establish a request context in the correct tenant org.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "79fa34ed-33e6-4e5f-bfe0-a6d7b40fe6d7", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "csssid_Client", + "Domain": "", + "Description": "Enables user switching.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "34f6c6b4-8568-4221-8ed4-7265b88a81c8", + "Platform": "Salesforce", + "Category": "Security", + "Cookie / Data Key name": "devOverrideCsrfToken", + "Domain": "", + "Description": "CSRF Token.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "00396982-e60c-4713-aa0c-c00ade38ff8d", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "disco", + "Domain": "", + "Description": "Tracks the last user login and active session for bypassing login. For example, OAuth immediate flow.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "75586e7e-d8bb-4188-a824-4bd67b3c4f9f", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "FedAuth", + "Domain": "", + "Description": "For the SharePoint connector, used to authenticate to the top-level site in SharePoint.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "83305efa-1493-4f8c-8c74-a50780a0927b", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "gTalkCollapsed", + "Domain": "", + "Description": "Controls whether the sidebar in Salesforce Classic is open for a user.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8de81f52-824a-4ffa-9950-a526c78e7410", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "guest_uuid_essential_", + "Domain": "", + "Description": "Provides a unique ID for guest users in Salesforce Sites. Expires 1 year after the user’s last visit to the site.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "77f61be0-58ae-4238-a10c-791b402cbd28", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "hideDevelopmentTools", + "Domain": "", + "Description": "Used to determine whether to show the developer tools.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "1846a061-da85-4c8f-b8eb-32fa3e759e3e", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "hideFilesWarningModal", + "Domain": "", + "Description": "Stores the user acknowledgment that a public link to a Salesforce file is on email send. The warning window isn’t continually shown after the user acknowledges this action.", + "Retention period": "50 years", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6aa7252d-c78c-4550-ae1c-cc50fa7f4f32", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "hideIdentityDialog", + "Domain": "", + "Description": "Hides the dialog box that informs that the current user is logged out when switching to another user.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "2f881364-32d3-4275-b46b-ab6e36180f21", + "Platform": "Salesforce", + "Category": "Security", + "Cookie / Data Key name": "Host-ERIC_PROD-", + "Domain": "", + "Description": "Enterprise Request Infrastructure Cookie (ERIC) carries the cross-site request forgery (CSRF) security token between the server and the client. The cookie name indicates the server mode (PROD or PRODDEBUG) and a random number. A different token is generated for each Lightning app.", + "Retention period": "1 minute", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "105189df-330d-4db1-8519-2696dd3e6014", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "ideaToggle", + "Domain": "", + "Description": "Show the Ideas list view or the Feed list view.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "4a3c8234-e9b6-4f5f-bb2e-1943dfe3e95a", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "inst", + "Domain": "", + "Description": "Used to redirect requests to an instance when bookmarks and hardcoded URLs send requests to a different instance. This type of redirect can happen after an org migration, a split, or after any URL update.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "768e1118-85d8-4ed9-a093-2cf4b2bc426a", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "iotcontextsplashdisable", + "Domain": "", + "Description": "For the IoT product, stores user preference of whether to show Context Splash popup.", + "Retention period": "10 years", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d3883b8c-bbb5-4ad8-b63e-818d3ffd7422", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "lastlist", + "Domain": "", + "Description": "Used to store the cookie name for the last list URL.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "9ab4e8ef-7f4b-4a8d-a31e-df6978273d8d", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "liveagent_invite_rejected_", + "Domain": "", + "Description": "Instructs Live Agent not to reissue an invitation on the same domain. Deletion of this cookie degrades the customer’s experience because they can get repeated invitations.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7dafdb7b-fa0f-4d9d-8f17-0b5c317aa18e", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "liveagent_sid", + "Domain": "", + "Description": "Identifies a Live Agent session. Stores a unique pseudonymous ID for a specific browser session over chat service.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "882b5625-76b6-409a-8e90-8e6aa21b0c0a", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "lloopch_loid", + "Domain": "", + "Description": "Determines whether to send the user to a specific portal login or an app login.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "be30759e-5396-4d9d-abfa-c08068b709c5", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "login", + "Domain": "", + "Description": "If the user’s session has expired, used to fetch the username and populate it on the main login page when using the process builder app.", + "Retention period": "60 Days", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c97c03dd-a9ac-4969-b253-15fab002ae7c", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "pc-unit", + "Domain": "", + "Description": "Sets a preference for displaying platform cache units to either MB or KB.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "beabae81-5b80-473e-8b8c-0f9eacbf9995", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "PreferredLanguage", + "Domain": "", + "Description": "Stores the user language preference for language detection and localized user experience.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b1409f1f-e535-43d4-bcca-36e079df90d2", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "promptTestMod", + "Domain": "", + "Description": "Stores whether test mode is in effect. This cookie is read-only.", + "Retention period": "30 days", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "64d4dba9-40e3-4711-8db0-536de2a34ba7", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "redirectionWarning", + "Domain": "", + "Description": "Enables the customer to store URLs that are exempt from setting a redirect warning interstitial page on an allowlist.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "49771d42-41a6-439b-aa3f-23c4841c44f1", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "schgtclose", + "Domain": "", + "Description": "Deprecated feature, not used.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8ed5d114-61fe-4e74-abc8-9f434fd4c0c9", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "sfdc_lv2", + "Domain": "", + "Description": "Stores identity confirmation details for users. If the cookie isn’t set or it expires, users must repeat the identity confirmation process the next time that they log in. Identity confirmation requires a verification method such as SMS, an authenticator app, or a security key.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "11076cd0-d08c-4363-9e42-3c05279c0acc", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "showNewBuilderWarningMessage", + "Domain": "", + "Description": "Used to show or hide a warning message for the new dashboard builder.", + "Retention period": "100 years", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c50fe4ee-04f5-4f19-9a67-e79acf76c491", + "Platform": "Salesforce", + "Category": "Personalization", + "Cookie / Data Key name": "sidebarPinned", + "Domain": "", + "Description": "Controls the state of the Salesforce Classic sidebar.", + "Retention period": "10 years", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d6afc5b1-4eaf-4868-b976-b8e0dee3dd63", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "ssostartpage", + "Domain": "", + "Description": "Identifies the Identity Provider (IdP) location for single sign-on (SSO). Certain service provider initiated SSO requests can fail without this cookie.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "3676248d-1db7-49cd-9fc1-0315bfcc2812", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "SUCSP", + "Domain": "", + "Description": "Used when the user identity that an administrator is assuming, via Log In as Another User, is a Customer Success Portal (CSP) user.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d2f60832-27d6-46ec-ba49-09af62569544", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "SUPRM", + "Domain": "", + "Description": "Used when the user identity that an administrator is assuming, via Log In as Another User, is a Partner Relationship Management (PRM) portal user.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "074335cb-a017-439c-93d9-72da982ddea1", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "t", + "Domain": "", + "Description": "Used to avoid duplicate access checks.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "e3107a8d-e942-4f8d-b557-a27e46f1391d", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "useStandbyUrl", + "Domain": "", + "Description": "Controls how quickly to set the standby URL when loading the softphone.", + "Retention period": "session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "fab366e8-fa19-4c6d-8bc8-88682c641809", + "Platform": "Salesforce", + "Category": "Personalization", + "Cookie / Data Key name": "waveUserPrefFinderLeftNav", + "Domain": "", + "Description": "Preference for left navigation UI in CRM Analytics.", + "Retention period": "100 years", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "62f862a6-0bee-47ac-8403-9b1472b85b42", + "Platform": "Salesforce", + "Category": "Personalization", + "Cookie / Data Key name": "waveUserPrefFinderListView", + "Domain": "", + "Description": "Preference for displaying list views in CRM Analytics.", + "Retention period": "100 years", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8294a9fb-467b-47fc-bcff-3d5180be2293", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "webact", + "Domain": "", + "Description": "Used to collect metrics per page view for personalization.", + "Retention period": "1 year", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8157254e-0f10-4f80-b86a-2ac06e7d6c89", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "WelcomePanel", + "Domain": "", + "Description": "Stores Salesforce preferences.", + "Retention period": "1 day", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "65162d1b-a576-4a9d-b58d-83d695ae6a42", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "__Host-ERIC_PROD-", + "Domain": "", + "Description": "Enterprise Request Infrastructure Cookie (ERIC) carries the cross-site request forgery (CSRF) security token between the server and the client. The cookie name indicates the server mode (PROD or PRODDEBUG) and a random number. A different token is generated for each Lightning app.", + "Retention period": "Session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 1 + }, + { + "ID": "994efd75-e976-4fac-884c-09fa272c91bd", + "Platform": "Salesforce", + "Category": "Functional", + "Cookie / Data Key name": "SetupDomainProbePassed", + "Domain": "", + "Description": "Indicates whether the web client successfully accessed the new *.salesforce-setup.com domain. If the cookie value is true, then Setup pages are served from *.salesforce-setup.com. If false, Setup pages are served from *.force.com. In this case, users are sometimes required to view Setup pages in Salesforce Classic instead of in Lightning Experience.", + "Retention period": "Session", + "Data Controller": "Salesforce", + "User Privacy & GDPR Rights Portals": "https://www.salesforce.com/company/privacy/", + "Wildcard match": 0 + }, + { + "ID": "94635645-19f9-475f-9d45-700a5ff4e8f4", + "Platform": "CookieYes", + "Category": "Functional", + "Cookie / Data Key name": "cookieyesID", + "Domain": "", + "Description": "CookieYes sets this cookie as a unique identifier for visitors according to their consent.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookieyes.com/cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "5a97cea6-4428-4f61-beb9-14dd6d06b2d9", + "Platform": "CookieYes", + "Category": "Functional", + "Cookie / Data Key name": "cky-consent", + "Domain": "", + "Description": "The cookie is set by CookieYes to remember the users' consent settings so that the website recognizes the users the next time they visit.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookieyes.com/cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "99e4fb46-e03c-4d21-95c0-16dbac428625", + "Platform": "CookieYes", + "Category": "Functional", + "Cookie / Data Key name": "cookieyes-necessary", + "Domain": "", + "Description": "CookieYes sets this cookie to remember the consent of users for the use of cookies in the 'Necessary' category.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookieyes.com/cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "f312e19f-8a34-492c-9f2d-29912bcf4d00", + "Platform": "CookieYes", + "Category": "Functional", + "Cookie / Data Key name": "cookieyes-functional", + "Domain": "", + "Description": "CookieYes sets this cookie to remember the consent of users for the use of cookies in the 'Functional' category.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookieyes.com/cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "4a071a02-e5b3-4eed-9f5b-1dfe88442766", + "Platform": "CookieYes", + "Category": "Functional", + "Cookie / Data Key name": "cookieyes-analytics", + "Domain": "", + "Description": "CookieYes sets this cookie to remember the consent of users for the use of cookies in the 'Analytics' category.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookieyes.com/cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "06a32d18-dcb5-4ee3-9778-372ee3094b34", + "Platform": "CookieYes", + "Category": "Functional", + "Cookie / Data Key name": "cookieyes-advertisement", + "Domain": "", + "Description": "CookieYes sets this cookie to remember the consent of users for the use of cookies in the 'Advertisement' category.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookieyes.com/cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "c0c00b97-9674-4272-812f-d9b26a928468", + "Platform": "CookieYes", + "Category": "Functional", + "Cookie / Data Key name": "cookieyes_privacy_policy_generator_session", + "Domain": "", + "Description": "CookieYes sets this cookie to identify a session instance for a user.", + "Retention period": "2 hours", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookieyes.com/cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "10551aa7-06ac-41cc-8b0d-639d249bb124", + "Platform": "CookieYes", + "Category": "Functional", + "Cookie / Data Key name": "cookieyes_session", + "Domain": "", + "Description": "CookieYes sets this cookie to identify a session instance for a user.", + "Retention period": "2 hours", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookieyes.com/cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "0239c708-c221-413a-8e04-11c04c2abb40", + "Platform": "CookieYes", + "Category": "Functional", + "Cookie / Data Key name": "cky-action", + "Domain": "", + "Description": "This cookie is set by CookieYes and is used to remember the action taken by the user.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookieyes.com/cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "94b9233a-708c-4150-a6e3-29528e8a4d9b", + "Platform": "CookieYes", + "Category": "Functional", + "Cookie / Data Key name": "cookieyes-performance", + "Domain": "", + "Description": "CookieYes sets this cookie to remember the user's consent for cookies in the 'Performance' category.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookieyes.com/cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "f9af33cc-8046-4e64-8b4d-696e1f27c436", + "Platform": "CookieYes", + "Category": "Functional", + "Cookie / Data Key name": "cookieyes-consent", + "Domain": "", + "Description": "CookieYes sets this cookie to remember user's consent preferences so that their preferences are respected on their subsequent visits to this site. It does not collect or store any personal information of the site visitors.", + "Retention period": "1 year", + "Data Controller": "CookieYes", + "User Privacy & GDPR Rights Portals": "https://www.cookieyes.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b0b988b6-c5b8-42e3-838b-54510ac5e640", + "Platform": "Magnite", + "Category": "Marketing", + "Cookie / Data Key name": "tv_U", + "Domain": "tremorhub.com", + "Description": "Collects information on user behaviour on multiple websites. This information is used in order to optimize the relevance of advertisement on the website.", + "Retention period": "30 days", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://www.magnite.com/legal/advertising-platform-privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "3bcd8175-8601-4277-98c4-538cb711d57e", + "Platform": "Magnite", + "Category": "Marketing", + "Cookie / Data Key name": "tvid", + "Domain": "tremorhub.com", + "Description": "Presents the user with relevant content and advertisement. The service is provided by third-party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "1 year", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://www.magnite.com/legal/advertising-platform-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "46f0caca-7905-46ca-ae59-df689f8ef5fe", + "Platform": "J2EE", + "Category": "Functional", + "Cookie / Data Key name": "JSESSIONID", + "Domain": "", + "Description": "JSESSIONID is a cookie generated by Servlet containers and used for session management in J2EE web applications for HTTP protocol. If a Web server is using a cookie for session management, it creates and sends JSESSIONID cookie to the client and then the client sends it back to the server in subsequent HTTP requests. JSESSIONID is a platform session cookie and is used by sites with JavaServer Pages (JSP). The cookie is used to maintain an anonymous user session by the server.", + "Retention period": "session", + "Data Controller": "J2EE", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 1 + }, + { + "ID": "c17cab32-6c44-4c01-b620-42fa933ebbef", + "Platform": "SiteSpect", + "Category": "Functional", + "Cookie / Data Key name": "SSLB", + "Domain": "", + "Description": "Indicates to a downstream load balancer that subsequent requests by a user should be routed to or away from SiteSpect, depending on the cookie's value.", + "Retention period": "2 years", + "Data Controller": "SiteSpect", + "User Privacy & GDPR Rights Portals": "https://www.sitespect.com/privacy-overview/", + "Wildcard match": 0 + }, + { + "ID": "362026ab-1837-42b9-a038-b2bedca41ecc", + "Platform": "SiteSpect", + "Category": "Functional", + "Cookie / Data Key name": "SSPV", + "Domain": "", + "Description": "Used by the Preview feature and used when the Logging Level field on the Logging & Performance tab for the Domain is set to Debug.", + "Retention period": "1 year", + "Data Controller": "SiteSpect", + "User Privacy & GDPR Rights Portals": "https://www.sitespect.com/privacy-overview/", + "Wildcard match": 0 + }, + { + "ID": "8bc5d151-fd3e-49f9-a6a9-6d1407054321", + "Platform": "SiteSpect", + "Category": "Functional", + "Cookie / Data Key name": "SSRT", + "Domain": "", + "Description": "Stores the date and time of the user's last request to determine if the visit has timed out.", + "Retention period": "1 year", + "Data Controller": "SiteSpect", + "User Privacy & GDPR Rights Portals": "https://www.sitespect.com/privacy-overview/", + "Wildcard match": 0 + }, + { + "ID": "d670e8cb-10b2-4b00-b2bf-212591412589", + "Platform": "SiteSpect", + "Category": "Functional", + "Cookie / Data Key name": "SSSC", + "Domain": "", + "Description": "A session-only cookie used to send the user's Campaign assignment information to the backend webserver.", + "Retention period": "1 year", + "Data Controller": "SiteSpect", + "User Privacy & GDPR Rights Portals": "https://www.sitespect.com/privacy-overview/", + "Wildcard match": 0 + }, + { + "ID": "bc577c2e-90bd-4391-b64a-cf35ea1ee9eb", + "Platform": "Wufoo", + "Category": "Functional", + "Cookie / Data Key name": "ep201", + "Domain": "", + "Description": "Load balancing site traffic and preventing site abuse", + "Retention period": "30 minutes", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a43462b7-05a2-4569-b29b-9b590be52946", + "Platform": "Wufoo", + "Category": "Functional", + "Cookie / Data Key name": "ep202", + "Domain": "", + "Description": "Signup source attribution, event stitching, and assigning visitors to experiments", + "Retention period": "1 year", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8468f980-6fd4-4b75-b692-b6efa53fdc06", + "Platform": "SurveyMonkey", + "Category": "Functional", + "Cookie / Data Key name": "RP_", + "Domain": "", + "Description": "Enforces the one response per computer setting.", + "Retention period": "90 days", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 1 + }, + { + "ID": "83da00e3-02bb-4d31-800f-604852b4f4cb", + "Platform": "SurveyMonkey", + "Category": "Functional", + "Cookie / Data Key name": "sso_user", + "Domain": "", + "Description": "Determines if certain Enterprise respondents are authenticated if an account holder requires respondents to authenticate.", + "Retention period": "90 days", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ab821b5d-c536-4f15-8d65-e8c8b47a8b8e", + "Platform": "SurveyMonkey", + "Category": "Functional", + "Cookie / Data Key name": "CX_", + "Domain": "", + "Description": "Used for pop-up surveys to track whether the survey was already taken to avoid re-showing the pop-up.", + "Retention period": "1 year", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 1 + }, + { + "ID": "9952edcc-5d9a-4971-b088-daa3b2b6a5ef", + "Platform": "SurveyMonkey", + "Category": "Functional", + "Cookie / Data Key name": "P_", + "Domain": "", + "Description": "Used for pop-up surveys to track whether the survey was already taken to avoid re-showing the pop-up.", + "Retention period": "1 year", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 1 + }, + { + "ID": "bc7b816a-888d-49ac-9aa5-de0d6b8c67f3", + "Platform": "SurveyMonkey", + "Category": "Functional", + "Cookie / Data Key name": "sm_ir", + "Domain": "", + "Description": "Used by the instant results page so a survey creator can display data.", + "Retention period": "Session", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "cf1125ad-2d3b-47de-80d6-730c1f9ee461", + "Platform": "SurveyMonkey", + "Category": "Functional", + "Cookie / Data Key name": "_splunk_rum_sid", + "Domain": "", + "Description": "This is a site observability cookie that identifies/monitors site issues.", + "Retention period": "15 minutes", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "2898232b-994d-45a5-a91a-7a9608a65337", + "Platform": "SurveyMonkey", + "Category": "Functional", + "Cookie / Data Key name": "sm_rec", + "Domain": "", + "Description": "Stores unencrypted user data. Expiry time based on the 'remember me' button on login.", + "Retention period": "Session", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "bc308ca9-ac5f-4b47-b460-ba99fc5b7cab", + "Platform": "SurveyMonkey", + "Category": "Functional", + "Cookie / Data Key name": "RE_", + "Domain": "", + "Description": "Used to track the current page of the respondent in a multi-page survey. If the respondent leaves the survey, it enables the respondent to resume on the page they were last on.", + "Retention period": "Session", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 1 + }, + { + "ID": "d6a2fa3b-613c-438f-acb4-357d6b3a1ca4", + "Platform": "SurveyMonkey", + "Category": "Functional", + "Cookie / Data Key name": "REPID_", + "Domain": "", + "Description": "Used to track the current page of the respondent in a multi-page survey. If the respondent leaves the survey, it enables the respondent to resume on the page they were last on.", + "Retention period": "Session", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 1 + }, + { + "ID": "a930a4b7-a6f9-41a0-93e2-a41839869c95", + "Platform": "Usabilla", + "Category": "Marketing", + "Cookie / Data Key name": "usbls", + "Domain": "", + "Description": "Usabilla uses this cookie for campaigns targeted to visitors new or returning to the site. This cookie is used to track which category applies to users and to then show the campaign to the right users.", + "Retention period": "session", + "Data Controller": "SurveyMonkey", + "User Privacy & GDPR Rights Portals": "https://www.surveymonkey.com/mp/legal/privacy/", + "Wildcard match": 0 + }, + { + "ID": "dd88447f-2322-4044-b141-c0fda4c6f511", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_consent", + "Domain": "", + "Description": "This cookie is used to store a user's cookie consent preferences.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "216649eb-0842-46bd-a211-e403d29497b0", + "Platform": "Xenforo", + "Category": "Security", + "Cookie / Data Key name": "xf_csrf", + "Domain": "", + "Description": "This cookie is used to store a user's cross-site request forgery token, preventing other applications from making malicious requests on the user's behalf.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "dada3efb-f44f-4f98-a590-4dbf7e36c4c5", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_dbWriteForced", + "Domain": "", + "Description": "This cookie is used to indicate that the request should be completed using the database write server.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b7edfc1f-7264-4088-bdda-81284af5520a", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_inline_mod_", + "Domain": "", + "Description": "These cookies are used to store a user's currently selected inline moderation items.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "f0aa75e4-8323-4344-a9b5-5a15a007f60b", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_language_id", + "Domain": "", + "Description": "This cookie is used to store a user's selected language.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f4e0ee40-cf04-4038-9d0f-d530123ac5ad", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_ls", + "Domain": "", + "Description": "This cookie is used to store a user's local storage contents in the event their browser does not support the native local storage mechanism.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "32dff5c7-9c7b-4233-837c-55621801c602", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_notice_dismiss", + "Domain": "", + "Description": "This cookie is used to store a user's dismissed notices.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "24498e12-fa34-4c97-8dec-7c31c1ce2b0b", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_push_notice_dismiss", + "Domain": "", + "Description": "This cookie is used to determine whether or not a user has dismissed the push notification notice.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "1f5de4a9-6cc9-4987-8ad6-f926a6a80da3", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_push_subscription_updated", + "Domain": "", + "Description": "This cookie is used to determine if a user's push subscription preferences have been updated.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "73b6a144-75c5-4f89-8828-f03241c148dd", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_session", + "Domain": "", + "Description": "This cookie is used to store a user's session identifier.", + "Retention period": "session", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0647c2b3-06a0-4efb-b9e6-db80998ccb85", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_style_id", + "Domain": "", + "Description": "This cookie is used to store a user's selected style.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "c586efe0-9f55-45d0-b6c0-2c0c1c8a4cb9", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_tfa_trust", + "Domain": "", + "Description": "This cookie is used to determine if a user has previously chosen to trust this device without requiring further two-step verification for a period of time.", + "Retention period": "45 days", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "4d7f1d12-1176-4d52-a23b-3c925683d6fc", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_toggle", + "Domain": "", + "Description": "This cookie and local storage item are used to store a user's preferences for toggling various controls open or closed.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b19e2083-f1ae-447e-be27-c625f67bfcb0", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_user", + "Domain": "", + "Description": "This cookie is used to store a user's remember me token, allowing their credentials to persist across multiple sessions.", + "Retention period": "1 year", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "8004d426-33a8-4b55-97e4-edee8de9e040", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_emoji_usage", + "Domain": "", + "Description": "This cookie is used to store which emojis a user has recently used when composing a message.", + "Retention period": "session", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0a12e8b1-1914-48cb-90a0-2edf39b4fa71", + "Platform": "Xenforo", + "Category": "Functional", + "Cookie / Data Key name": "xf_from_search", + "Domain": "", + "Description": "This cookie is used to track when a user has arrived on the site from a search engine.", + "Retention period": "session", + "Data Controller": "Xenforo", + "User Privacy & GDPR Rights Portals": "https://xenforo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "40775f07-b03e-4eb2-a53d-82cc418a2f22", + "Platform": "Sailthru", + "Category": "Marketing", + "Cookie / Data Key name": "sailthru_content", + "Domain": "", + "Description": "Tracks recent pageviews for all visitors, and can be used to populate a new user profile.", + "Retention period": "1 year", + "Data Controller": "Sailthru", + "User Privacy & GDPR Rights Portals": "https://www.sailthru.com/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "9c72b29d-72a3-40a7-a140-4670b651deec", + "Platform": "Sailthru", + "Category": "Marketing", + "Cookie / Data Key name": "sailthru_pageviews", + "Domain": "", + "Description": "This cookie is set by Sailthru to tracks the number of page views for each user.", + "Retention period": "30 minutes", + "Data Controller": "Sailthru", + "User Privacy & GDPR Rights Portals": "https://www.sailthru.com/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "47b8a3fc-d511-4490-b45b-dbf62226b7bd", + "Platform": "Sailthru", + "Category": "Marketing", + "Cookie / Data Key name": "sailthru_visitor", + "Domain": "", + "Description": "This cookie is set by Sailthru. The cookie contains an id that is used to identify a user's pageviews within a session.", + "Retention period": "1 year", + "Data Controller": "Sailthru", + "User Privacy & GDPR Rights Portals": "https://www.sailthru.com/legal/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "67caffa3-1715-436b-b2ab-5902143a20bf", + "Platform": "Nielsen", + "Category": "Marketing", + "Cookie / Data Key name": "IMRID", + "Domain": "imrworldwide.com", + "Description": "This domain is owned by Nielsen. The main business activity is: Consumer Profiling for Online Advertising", + "Retention period": "390 days", + "Data Controller": "Nielsen", + "User Privacy & GDPR Rights Portals": "https://www.nielsen.com/legal/privacy-principles/", + "Wildcard match": 0 + }, + { + "ID": "271e5f3c-fb06-4966-b5b5-336cf3518d51", + "Platform": "Nielsen", + "Category": "Marketing", + "Cookie / Data Key name": "ud", + "Domain": "exelator.com", + "Description": "Collects data related to the user’s visits to the website, such as the number of visits, average time spent on the website and what pages have been loaded, with the purpose of displaying targeted ads.", + "Retention period": "119 days", + "Data Controller": "Nielsen", + "User Privacy & GDPR Rights Portals": "https://www.nielsen.com/legal/privacy-principles/", + "Wildcard match": 0 + }, + { + "ID": "cd43be1f-6f27-4b17-a516-9add14858659", + "Platform": "Nielsen", + "Category": "Marketing", + "Cookie / Data Key name": "udo", + "Domain": "exelator.com", + "Description": "Collects information on user behavior on multiple websites. This information is used in order to optimize the relevance of advertisement on the website.", + "Retention period": "119 days", + "Data Controller": "Nielsen", + "User Privacy & GDPR Rights Portals": "https://www.nielsen.com/legal/privacy-principles/", + "Wildcard match": 0 + }, + { + "ID": "cb82b974-d7bb-4bcd-a1f5-048ac543d0c4", + "Platform": "Nielsen", + "Category": "Marketing", + "Cookie / Data Key name": "EE", + "Domain": "exelator.com", + "Description": "Collects data related to the user’s visits to the website, such as the number of visits, average time spent on the website and what pages have been loaded, with the purpose of displaying targeted ads.", + "Retention period": "119 days", + "Data Controller": "Nielsen", + "User Privacy & GDPR Rights Portals": "https://www.nielsen.com/legal/privacy-principles/", + "Wildcard match": 0 + }, + { + "ID": "796ce599-c7ae-44cf-8ab3-35e831be86fc", + "Platform": "infOnline", + "Category": "Marketing", + "Cookie / Data Key name": "i00", + "Domain": "ioam.de", + "Description": "This cookie is used to share anonymous data about the use of online and mobile media players with the Broadcasters' Audience Research Board (BARB) to understand how many people watch online, and how much they watch.", + "Retention period": "1 year", + "Data Controller": "infOnline", + "User Privacy & GDPR Rights Portals": "https://www.infonline.de/en/datenschutzerklaerung/", + "Wildcard match": 0 + }, + { + "ID": "1439ae5c-35ed-4eb9-a08b-0a128b475d17", + "Platform": "Cookie Script", + "Category": "Functional", + "Cookie / Data Key name": "CookieScriptConsent", + "Domain": "", + "Description": "This cookie is used by Cookie-Script.com service to remember visitor cookie consent preferences. It is necessary for Cookie-Script.com cookie banner to work properly.", + "Retention period": "6 months", + "Data Controller": "Cookie Script", + "User Privacy & GDPR Rights Portals": "https://cookie-script.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "54ca241a-5225-419a-af38-272d830298da", + "Platform": "Rack", + "Category": "Functional", + "Cookie / Data Key name": "rack.session", + "Domain": "", + "Description": "Cookie generated by the Ruby Rack app. This is a general purpose identifier used to maintain user session variables.", + "Retention period": "session", + "Data Controller": "Rack", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "fb63d172-a42b-4296-ad5e-aae8ed2e9cfe", + "Platform": "Piano", + "Category": "Analytics", + "Cookie / Data Key name": "pa_user", + "Domain": "", + "Description": "The pa_user cookie tracks an authenticated visitor (user) over time, even if the user does not log in again during subsequent visits. This cookie is managed by the customer who chooses its value and decides if the cookie should be set or not", + "Retention period": "13 months", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d86c0172-2cda-41d6-adda-2b74f84b0fec", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "xbc", + "Domain": "", + "Description": "This cookie is used by Multiple Composer features, used for, metering, A/B testing, adblocker conversion tracking, credits, affiliates, first-visit segmentation, and AMP reader ID linking.", + "Retention period": "2 years", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cf958143-3d75-4656-ba93-c8f23d9350e0", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__tbc", + "Domain": "", + "Description": "This cookie is used for tracking conversion and external segmentation", + "Retention period": "2 years", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "8768958d-43e0-494e-a249-92e32e34dfa5", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__pls", + "Domain": "", + "Description": "This cookie is used to differentiate users has been subscribed to an ESP push list", + "Retention period": "2 years", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "21416ff8-9947-4466-b746-6329dfcf0cf9", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__tac", + "Domain": "", + "Description": "This cookie is used to check access via JWT won't work and the Composer Cookies stop working", + "Retention period": "90 days", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "09a4a0db-b72d-4225-8978-eb98f3190818", + "Platform": "Piano", + "Category": "Marketing", + "Cookie / Data Key name": "_pcus", + "Domain": "", + "Description": "This cookie is used to User segmentation", + "Retention period": "2 years", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "526c6ddd-ad9a-4853-bcf3-ba6511bd2f44", + "Platform": "Piano", + "Category": "Analytics", + "Cookie / Data Key name": "cX_P", + "Domain": "", + "Description": "This cookie contains the browserId that is used in Piano products for reporting and tracking purposes", + "Retention period": "13 months", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "6c62d830-ebfd-4bd9-942a-97b858b9259c", + "Platform": "Piano", + "Category": "Marketing", + "Cookie / Data Key name": "cX_G", + "Domain": "", + "Description": "This cookie is a Global ID mapping different IDs together into one ID. Used for building user profile information across all sites of a single customer where cx.js is implemented", + "Retention period": "13 months", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e16fb1b4-043d-47b0-80ce-dc383ff3ad9f", + "Platform": "Piano", + "Category": "Marketing", + "Cookie / Data Key name": "gckp", + "Domain": "", + "Description": "This cookie is used for building user profile information across sites of a single customer where cx.js is implemented", + "Retention period": "12 months", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e1f89b5d-5c48-4f2c-9790-beea998caf81", + "Platform": "Piano", + "Category": "Analytics", + "Cookie / Data Key name": "pnespsdk_visitor", + "Domain": "", + "Description": "This cookie is used for tracking user visits", + "Retention period": "12 months", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "11fb5683-5633-478d-bc92-98536ca11cbb", + "Platform": "Piano", + "Category": "Analytics", + "Cookie / Data Key name": "pnespsdk_push_subscription_added", + "Domain": "", + "Description": "This cookie is used only in case the Push notifications feature in ESP is activated and allows correct tracking of Push notification subscription events", + "Retention period": "12 months", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "de588bf3-f0e2-42e7-ac7d-b4c4fd5c43f9", + "Platform": "Piano", + "Category": "Marketing", + "Cookie / Data Key name": "pnespsdk_pnespid", + "Domain": "", + "Description": "This cookie is used to connect a user visit coming from an email campaign click with a visitor on the website", + "Retention period": "12 months", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b39fc2b4-aa06-4a58-9e7d-3fd2251e17e4", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "pnespsdk_ssn", + "Domain": "", + "Description": "This session cookie is mandatory for the ESP service to be correctly running", + "Retention period": "session", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "ed91fc63-1901-4e8b-9d33-67ae72b7d379", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__utp", + "Domain": "", + "Description": "This cookie is used for logged-in user's session, and contains details of a logged-in user. By default, this cookie is set on the top-level domain", + "Retention period": "2 years", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "2033ec43-43d3-4743-af1a-c2991c42ce42", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__pil", + "Domain": "", + "Description": "This cookie is used to set the preferred language for the Piano templates. Value for example: de_DE. If not available, VX's LANG cookie is used.", + "Retention period": "30 days", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "36eb0813-742b-4c53-bb06-3f065d565f22", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__pid", + "Domain": "", + "Description": "This cookie stores the domain received on the frontend is used as a domain for other cookies (incl. __utp, __idr, __tae) Example value: .piano.io", + "Retention period": "30 days", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "bec3b026-0bae-42c2-835e-566fb4ffe49a", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__idr", + "Domain": "", + "Description": "The User Session Cookie is set when a user selects the option 'Stay logged in' when signing in. The expiration depends on the value configured in the Piano ID settings. Various browser restrictions and cookie rules affect the expiration as well.", + "Retention period": "30 days", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "30c84702-ec9d-4269-8eb6-db22df461121", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__eea", + "Domain": "", + "Description": "This cookie is used to determine if the user token (stored in __utp) needs to be refreshed with the new expiration automatically every 24 hours.", + "Retention period": "30 days", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "95bbff72-9b2b-418b-9def-9ff9c63874d4", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__code", + "Domain": "", + "Description": "This cookie is used for ID OAuth authorization.", + "Retention period": "session", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b93c3960-54bb-4ff0-8578-b39e957e77f5", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__bid", + "Domain": "tinypass.com", + "Description": "this cookie is used to Identifies the browser of the end user", + "Retention period": "1 year", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "6fad6a7d-b3b0-4ceb-a3b1-b25a6cbeaee4", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__ut", + "Domain": "", + "Description": "This cookie is used to Store on your website, the User Token Cookie stores encrypted data used by all Piano User Accounts", + "Retention period": "2 years", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "44e8068d-02a3-4d3a-9d40-b6dbd4bf4417", + "Platform": "Piano", + "Category": "Analytics", + "Cookie / Data Key name": "__pvi", + "Domain": "", + "Description": "This cookie stores data about the last visit to the site including the AID, lastTrackedVisitId, domain and time of the visit. Used for reporting only.", + "Retention period": "1 day", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "2464df56-0ecf-4cb0-b651-c2e965db7621", + "Platform": "Piano", + "Category": "Analytics", + "Cookie / Data Key name": "__pat", + "Domain": "", + "Description": "This cookie stores difference between the client’s application time zone and UTC. At midnight, (application's local time), the previous visit is expired and a new one is created. The cookie is used for calculation.", + "Retention period": "30 days", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "4773664e-85e0-4fff-9900-4dc9e9e2d721", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "__pnahc", + "Domain": "", + "Description": "This cookie stores the result of previous Adblock detection, removes false-positive AdBlock detection clauses.", + "Retention period": "90 days", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "fba28545-7582-4809-94c6-738f237868e4", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "LANG", + "Domain": "tinypass.com", + "Description": "This cookie stores the selected locale", + "Retention period": "1500 days", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "98e37b00-db14-4d43-97dd-536faf0afca4", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "LANG_CHANGED", + "Domain": "tinypass.com", + "Description": "This cookie stores the temporarily selected locale (e.g. impersonation in Admin dashboard).", + "Retention period": "1 day", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "ead74b3a-31ca-4696-8334-ae2526c6a7bf", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "_pctx", + "Domain": "", + "Description": "This cookie is required to sync different Piano product scripts containing common data points. It contains data from different products, for example for Composer Insights or Ad Revenue Insights, but only IF you have implemented any of these products.", + "Retention period": "13 months", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "341536b7-3c45-4b96-b12d-3f62ea072d85", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "_pprv", + "Domain": "", + "Description": "This cookie contains the property consent (linked to a product) the end-user has consented to. More information about Consent management can be found here.", + "Retention period": "13 months", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "50c55250-3376-4b7f-802a-c03a8fe2d562", + "Platform": "Piano", + "Category": "Functional", + "Cookie / Data Key name": "_pcid", + "Domain": "", + "Description": "This cookie contains the browserId (BID) that is used in Piano products for reporting and tracking purposes.", + "Retention period": "13 months", + "Data Controller": "Piano", + "User Privacy & GDPR Rights Portals": "https://piano.io/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "ad9dba69-cec1-4833-84cf-8980bad5feb6", + "Platform": "Dotmetrics", + "Category": "Analytics", + "Cookie / Data Key name": "DotMetrics.SessionCookieTemp", + "Domain": ".dotmetrics.net", + "Description": "This cookie DotMetrics obtain information about a general site visit collect in the DotMetrics Research Network.", + "Retention period": "Session", + "Data Controller": "Dot Metrics", + "User Privacy & GDPR Rights Portals": "https://dotmetrics.net/privacy-center.html", + "Wildcard match": 0 + }, + { + "ID": "84648298-18d3-4361-990e-089b8932c94c", + "Platform": "Dotmetrics", + "Category": "Analytics", + "Cookie / Data Key name": "DotMetrics.UniqueUserIdentityCookie", + "Domain": ".dotmetrics.net", + "Description": "This cookie contains information about the current user (unique ID, creation time, current tracking mode and version)", + "Retention period": "Session", + "Data Controller": "Dot Metrics", + "User Privacy & GDPR Rights Portals": "https://dotmetrics.net/privacy-center.html", + "Wildcard match": 0 + }, + { + "ID": "083d6012-cefa-493a-815f-b9c448df811a", + "Platform": "Dotmetrics", + "Category": "Analytics", + "Cookie / Data Key name": "DotMetrics.DeviceKey", + "Domain": ".dotmetrics.net", + "Description": "This cookie collects information about your device. The purpose for which we use it is to provide a high quality view of the survey or some content on your device.", + "Retention period": "Session", + "Data Controller": "Dot Metrics", + "User Privacy & GDPR Rights Portals": "https://dotmetrics.net/privacy-center.html", + "Wildcard match": 0 + }, + { + "ID": "85d26982-afa9-412b-a55a-39e0b28a6035", + "Platform": "Dotmetrics", + "Category": "Analytics", + "Cookie / Data Key name": "DotMetrics.SessionCookieTempTimed", + "Domain": ".dotmetrics.net", + "Description": "This cookie contains information about the current site from which you access the DotMetrics research network.", + "Retention period": "Session", + "Data Controller": "Dot Metrics", + "User Privacy & GDPR Rights Portals": "https://dotmetrics.net/privacy-center.html", + "Wildcard match": 0 + }, + { + "ID": "13af3659-80a8-4d4f-94ca-b8c5ec317cc9", + "Platform": "Qualaroo", + "Category": "Marketing", + "Cookie / Data Key name": "ki_s", + "Domain": "qualaroo.com", + "Description": "This cookie is used to store the current state of any survey the user has viewed or interacted with.", + "Retention period": "5 years", + "Data Controller": "Qualaroo", + "User Privacy & GDPR Rights Portals": "https://www.proprofs.com/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "a88a4a72-c943-41fd-a003-25d203248e5e", + "Platform": "Qualaroo", + "Category": "Marketing", + "Cookie / Data Key name": "ki_u", + "Domain": "qualaroo.com", + "Description": "This cookie is used to store a unique user identifier.", + "Retention period": "5 years", + "Data Controller": "Qualaroo", + "User Privacy & GDPR Rights Portals": "https://www.proprofs.com/policies/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8afcd8f5-eb3f-4d01-96e5-5ce739c82138", + "Platform": "Claritas", + "Category": "Marketing", + "Cookie / Data Key name": "barometric[cuid]", + "Domain": "trkn.us", + "Description": "This cookie is used to identify users for Veritone/Barometric Podcast Conversion.", + "Retention period": "1 year", + "Data Controller": "Claritas", + "User Privacy & GDPR Rights Portals": "https://claritas.com/privacy-legal/", + "Wildcard match": 0 + }, + { + "ID": "0e5afd5b-816d-4217-9b1a-406c9f22fea4", + "Platform": "Claritas", + "Category": "Marketing", + "Cookie / Data Key name": "barometric[idfa]", + "Domain": "trkn.us", + "Description": "This cookie is used to to collect visitor statistics. This data is used to categorize users and improve the effectiveness of website advertising.", + "Retention period": "10 seconds", + "Data Controller": "Claritas", + "User Privacy & GDPR Rights Portals": "https://claritas.com/privacy-legal/", + "Wildcard match": 0 + }, + { + "ID": "2df67625-e1a1-4511-8762-2964a40af4be", + "Platform": "Gemius", + "Category": "Analytics", + "Cookie / Data Key name": "__gfp_64b", + "Domain": ".gemius.pl", + "Description": "Stores data on the time spent on the website and its sub-pages, during the current session.", + "Retention period": "13 months", + "Data Controller": "Gemius", + "User Privacy & GDPR Rights Portals": "https://www.gemius.pl/privacy-notice-for-panelists.html", + "Wildcard match": 0 + }, + { + "ID": "e189f48e-e02f-48c1-90da-da2b58b1252d", + "Platform": "Gemius", + "Category": "Analytics", + "Cookie / Data Key name": "__gfp_s_64b", + "Domain": ".gemius.pl", + "Description": "Registers data on the performance of the website’s embedded video-content.", + "Retention period": "13 months", + "Data Controller": "Gemius", + "User Privacy & GDPR Rights Portals": "https://www.gemius.pl/privacy-notice-for-panelists.html", + "Wildcard match": 0 + }, + { + "ID": "341b8c99-665f-47cf-a13d-17f870076510", + "Platform": "Gemius", + "Category": "Analytics", + "Cookie / Data Key name": "Gdyn", + "Domain": ".gemius.pl", + "Description": "Collects statistics on the visitor's visits to the website, such as the number of visits, average time spent on the website and what pages have been read.", + "Retention period": "13 months", + "Data Controller": "Gemius", + "User Privacy & GDPR Rights Portals": "https://www.gemius.pl/privacy-notice-for-panelists.html", + "Wildcard match": 0 + }, + { + "ID": "46fe45bf-949d-4105-ac31-8c482828f11c", + "Platform": "Nativo", + "Category": "Marketing", + "Cookie / Data Key name": "opt_out", + "Domain": "postrelease.com", + "Description": "This cookie is used to remember not to serve that user targeted Ads if they opt out.", + "Retention period": "1 year", + "Data Controller": "Nativo", + "User Privacy & GDPR Rights Portals": "https://www.nativo.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "3b9031a0-098c-48b8-a333-4d9df9afc1df", + "Platform": "Nativo", + "Category": "Marketing", + "Cookie / Data Key name": "visitor", + "Domain": "postrelease.com", + "Description": "This cookie is used to identify a unique visitor to the site.", + "Retention period": "1 year", + "Data Controller": "Nativo", + "User Privacy & GDPR Rights Portals": "https://www.nativo.com/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "a1031b6e-685a-428b-b68a-b2f0911d770b", + "Platform": "Bombora", + "Category": "Marketing", + "Cookie / Data Key name": "tp", + "Domain": ".ml314.com", + "Description": "This cookie is used to target the audience", + "Retention period": "14 days", + "Data Controller": "Bombora", + "User Privacy & GDPR Rights Portals": "https://bombora.com/privacy-philosophy/", + "Wildcard match": 0 + }, + { + "ID": "0ec54d07-ea01-4ce0-8f17-6b4d797e83c1", + "Platform": "Verve", + "Category": "Marketing", + "Cookie / Data Key name": "lkqdid", + "Domain": "lkqd.net", + "Description": "This cookie is used to identify the physical location of mobile devices and operating system device identifiers.", + "Retention period": "1 year", + "Data Controller": "Verve", + "User Privacy & GDPR Rights Portals": "https://verve.com/website-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "76eae0a2-e726-477c-8eb6-bd136fa7f33a", + "Platform": "Verve", + "Category": "Marketing", + "Cookie / Data Key name": "lkqdidts", + "Domain": "lkqd.net", + "Description": "This cookie is used to identify the physical location of mobile devices and operating system device.", + "Retention period": "1 year", + "Data Controller": "Verve", + "User Privacy & GDPR Rights Portals": "https://verve.com/website-privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7526cf70-157e-474a-9a50-ad5dfbe8d0cd", + "Platform": "33Across", + "Category": "Marketing", + "Cookie / Data Key name": "33x_ps", + "Domain": ".33across.com", + "Description": "This cookie is used targeted and behavioural advertising services.", + "Retention period": "1 year", + "Data Controller": "33Across", + "User Privacy & GDPR Rights Portals": "https://33across.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7ad990dc-3cb8-4737-90f8-30e0c7f22caa", + "Platform": "Lightspeed", + "Category": "Functional", + "Cookie / Data Key name": "COOKIELAW_ADS", + "Domain": "", + "Description": "Keeps track of whether marketing cookies are allowed", + "Retention period": "1 year", + "Data Controller": "Lightspeed", + "User Privacy & GDPR Rights Portals": "https://www.lightspeedhq.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b6c5f4a0-ca8d-4aba-8c15-9a37e7ae5dd9", + "Platform": "Lightspeed", + "Category": "Functional", + "Cookie / Data Key name": "COOKIELAW_SOCIAL", + "Domain": "", + "Description": "Keeps track of whether social cookies are allowed", + "Retention period": "1 year", + "Data Controller": "Lightspeed", + "User Privacy & GDPR Rights Portals": "https://www.lightspeedhq.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "3738fa9c-5257-4290-b3f3-0b862a011098", + "Platform": "Lightspeed", + "Category": "Functional", + "Cookie / Data Key name": "COOKIELAW_STATS", + "Domain": "", + "Description": "Keeps track of whether analytics cookies are allowed", + "Retention period": "1 year", + "Data Controller": "Lightspeed", + "User Privacy & GDPR Rights Portals": "https://www.lightspeedhq.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "2bbfb3a9-50a0-4ee6-b86a-cd03eb43be20", + "Platform": "Lightspeed", + "Category": "Functional", + "Cookie / Data Key name": "COOKIELAW", + "Domain": "", + "Description": "These cookies are used for platform stability and to store cookie preferences. They do not collect personally identifiable information and cannot be disabled.", + "Retention period": "1 year", + "Data Controller": "Lightspeed", + "User Privacy & GDPR Rights Portals": "https://www.lightspeedhq.com/legal/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "991be3c0-3f82-49b0-8dee-0931991fc6cd", + "Platform": "Duda", + "Category": "Analytics", + "Cookie / Data Key name": "dm_timezone_offset", + "Domain": "", + "Description": "Cookie used by the hosting provider (duda.co), the cookie is set in order to enable and measure personalization rules and statistics.", + "Retention period": "15 days", + "Data Controller": "Duda", + "User Privacy & GDPR Rights Portals": "https://www.duda.co/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "25ba04a0-b7d4-4741-862c-393259bfa9de", + "Platform": "Duda", + "Category": "Analytics", + "Cookie / Data Key name": "dm_last_visit", + "Domain": "", + "Description": "Cookie used by the hosting provider (duda.co), the cookie is set in order to enable and measure personalization rules and statistics.", + "Retention period": "1 year", + "Data Controller": "Duda", + "User Privacy & GDPR Rights Portals": "https://www.duda.co/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "33b7eabc-0cbd-4ef3-a5ef-96bc500113d1", + "Platform": "Duda", + "Category": "Analytics", + "Cookie / Data Key name": "dm_total_visits", + "Domain": "", + "Description": "Cookie used by the hosting provider (duda.co), the cookie is set in order to enable and measure personalization rules and statistics.", + "Retention period": "1 year", + "Data Controller": "Duda", + "User Privacy & GDPR Rights Portals": "https://www.duda.co/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "765f75c1-d8aa-4b33-aa0f-ff53419b21c6", + "Platform": "Duda", + "Category": "Analytics", + "Cookie / Data Key name": "dm_last_page_view", + "Domain": "", + "Description": "Cookie used by the hosting provider (duda.co), the cookie is set in order to enable and measure personalization rules and statistics.", + "Retention period": "1 year", + "Data Controller": "Duda", + "User Privacy & GDPR Rights Portals": "https://www.duda.co/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "22989a7b-59f6-4543-b4d1-9fdd4de1e479", + "Platform": "Duda", + "Category": "Analytics", + "Cookie / Data Key name": "dm_this_page_view", + "Domain": "", + "Description": "Cookie used by the hosting provider (duda.co), the cookie is set in order to enable and measure personalization rules and statistics.", + "Retention period": "1 year", + "Data Controller": "Duda", + "User Privacy & GDPR Rights Portals": "https://www.duda.co/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "a269b397-b148-4015-ad85-333ea600b0d6", + "Platform": "Civic", + "Category": "Functional", + "Cookie / Data Key name": "CookieControl", + "Domain": "", + "Description": "This cookie is used to remember the user's cookie consent preferences.", + "Retention period": "3 months", + "Data Controller": "Civic UK", + "User Privacy & GDPR Rights Portals": "https://www.civicuk.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "27372ac2-29df-4f76-a17f-504c2acd2c74", + "Platform": "Civic", + "Category": "Functional", + "Cookie / Data Key name": "HACIVICLB", + "Domain": "", + "Description": "This cookie is used by CIVIC's load balancer to identify the server that is active for your request on our cluster. Its purpose is to improve the performance of the website. The cookie is essential to the operation of the site and is always set by the load balancer, but does not store any personal information. This cookie might be set from the civicuk.com domain or from stats.civiccomputing.com", + "Retention period": "Session", + "Data Controller": "Civic UK", + "User Privacy & GDPR Rights Portals": "https://www.civicuk.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "02b95818-7e72-44cf-ac75-61cb2713b3c1", + "Platform": "Civic", + "Category": "Functional", + "Cookie / Data Key name": "HACIVIC", + "Domain": "", + "Description": "This cookie is used by CIVIC's load balancer to identify the server that is active for your request on our cluster. Its purpose is to improve the performance of the website. The cookie is essential to the operation of the site and is always set by the load balancer, but does not store any personal information. This cookie might be set from the civicuk.com domain or from stats.civiccomputing.com", + "Retention period": "Session", + "Data Controller": "Civic UK", + "User Privacy & GDPR Rights Portals": "https://www.civicuk.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "4d5725c2-0704-49cd-b235-e316df27ef58", + "Platform": "Civic", + "Category": "Functional", + "Cookie / Data Key name": "HAAPPLB", + "Domain": "", + "Description": "This cookie is used by CIVIC's load balancer to identify the server that is active for your request on our cluster. Its purpose is to improve the performance of the website. The cookie is essential to the operation of the site and is always set by the load balancer, but does not store any personal information. This cookie might be set from the civicuk.com domain or from stats.civiccomputing.com", + "Retention period": "Session", + "Data Controller": "Civic UK", + "User Privacy & GDPR Rights Portals": "https://www.civicuk.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "a0394a57-4b02-4653-8b32-783f685a0e92", + "Platform": "Intercom", + "Category": "Analytics", + "Cookie / Data Key name": "intercom-id-", + "Domain": "", + "Description": "Anonymous visitor identifier cookie. As people visit your site they get this cookie.", + "Retention period": "9 months", + "Data Controller": "Intercom", + "User Privacy & GDPR Rights Portals": "https://www.intercom.com/legal/cookie-policy", + "Wildcard match": 1 + }, + { + "ID": "8d09a1ad-8e64-4fe7-b33c-018b0c082cbc", + "Platform": "Intercom", + "Category": "Analytics", + "Cookie / Data Key name": "intercom-session-", + "Domain": "", + "Description": "Identifier for each unique browser session. This session cookie is refreshed on each successful logged-in ping, extending it one week from that moment. The user can access their conversations and have data communicated on logged-out pages for 1 week, as long as the session isn't intentionally terminated with Intercom('shutdown');, which usually happens on logout.", + "Retention period": "1 week", + "Data Controller": "Intercom", + "User Privacy & GDPR Rights Portals": "https://www.intercom.com/legal/cookie-policy", + "Wildcard match": 1 + }, + { + "ID": "cdbad186-7795-472b-b2a8-cea6e07441a2", + "Platform": "Intercom", + "Category": "Analytics", + "Cookie / Data Key name": "intercom-device-id-", + "Domain": "", + "Description": "Identifier for each unique device that interacts with the Messenger. It is refreshed on each successful ping, extending it another 9 months. We use this cookie to determine the unique devices interacting with the Intercom Messenger to prevent abuse.", + "Retention period": "9 months", + "Data Controller": "Intercom", + "User Privacy & GDPR Rights Portals": "https://www.intercom.com/legal/cookie-policy", + "Wildcard match": 1 + }, + { + "ID": "71a7af65-12a4-4ba9-bea3-8b0d85083f46", + "Platform": "Mixpanel", + "Category": "Analytics", + "Cookie / Data Key name": "mp_", + "Domain": "", + "Description": "This cookie is used to store a user's unique identifier.", + "Retention period": "1 year", + "Data Controller": "Mixpanel", + "User Privacy & GDPR Rights Portals": "https://mixpanel.com/legal/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "1521d232-2c23-4b02-95cf-6afdaf32ed62", + "Platform": "Postviewscounter", + "Category": "Analytics", + "Cookie / Data Key name": "pvc_visits[0]", + "Domain": "", + "Description": "It counts the number of visits to a post. The cookie is used to prevent repeat views of a post by a visitor.", + "Retention period": "1 day", + "Data Controller": "Postviewscounter", + "User Privacy & GDPR Rights Portals": "https://postviewscounter.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "524caa4e-6d09-4b03-9733-27b399588c3a", + "Platform": "Beslist.nl", + "Category": "Analytics", + "Cookie / Data Key name": "client_bslstaid", + "Domain": "", + "Description": "Registers statistical data about the behavior of visitors to the website. Used for internal analysis by the website administrator.", + "Retention period": "540 days", + "Data Controller": "Beslist.nl", + "User Privacy & GDPR Rights Portals": "https://www.beslist.nl/information/overprivacy.html", + "Wildcard match": 0 + }, + { + "ID": "921c74a8-2f92-4639-a0e8-cdbabe4d1aa9", + "Platform": "Beslist.nl", + "Category": "Analytics", + "Cookie / Data Key name": "client_bslstmatch", + "Domain": "", + "Description": "Registers statistical data about the behavior of visitors to the website. Used for internal analysis by the website administrator.", + "Retention period": "1 day", + "Data Controller": "Beslist.nl", + "User Privacy & GDPR Rights Portals": "https://www.beslist.nl/information/overprivacy.html", + "Wildcard match": 0 + }, + { + "ID": "2638f7ba-a31c-4da1-97c9-fdebcababee1", + "Platform": "Beslist.nl", + "Category": "Analytics", + "Cookie / Data Key name": "client_bslstsid", + "Domain": "", + "Description": "Unique identifier of the user session.", + "Retention period": "1 day", + "Data Controller": "Beslist.nl", + "User Privacy & GDPR Rights Portals": "https://www.beslist.nl/information/overprivacy.html", + "Wildcard match": 0 + }, + { + "ID": "9913d0e0-0f8a-4340-b104-613cc3edd9df", + "Platform": "Beslist.nl", + "Category": "Analytics", + "Cookie / Data Key name": "client_bslstuid", + "Domain": "", + "Description": "Registers statistical data about the behavior of visitors to the website. Used for internal analysis by the website administrator.", + "Retention period": "540 days", + "Data Controller": "Beslist.nl", + "User Privacy & GDPR Rights Portals": "https://www.beslist.nl/information/overprivacy.html", + "Wildcard match": 0 + }, + { + "ID": "2b52d138-baab-4d95-b042-fe1b76b34669", + "Platform": "Perl", + "Category": "Functional", + "Cookie / Data Key name": "CGISESSID", + "Domain": "", + "Description": "Cookie generated by applications based on the Perl language. This is a general purpose identifier used to maintain user session variables.", + "Retention period": "session", + "Data Controller": "Perl", + "User Privacy & GDPR Rights Portals": "https://www.perl.org/siteinfo.html", + "Wildcard match": 0 + }, + { + "ID": "8e468afb-d138-4002-8c2e-9441d3df8c33", + "Platform": "Disqus", + "Category": "Marketing", + "Cookie / Data Key name": "vglnk.Agent.p", + "Domain": "disqus.com", + "Description": "Cookie set by Disqus. Used to collect visitor behaviour in order to present more relevant advertisements.", + "Retention period": "1 year", + "Data Controller": "Disqus", + "User Privacy & GDPR Rights Portals": "https://help.disqus.com/en/articles/1717103-disqus-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "4b12ffab-2bf1-4d2f-99b7-d20978e57600", + "Platform": "Disqus", + "Category": "Marketing", + "Cookie / Data Key name": "vglnk.PartnerRfsh.p", + "Domain": "disqus.com", + "Description": "This cookie is used to collect data from various website in order to present more relevant advertisement.", + "Retention period": "1 year", + "Data Controller": "Disqus", + "User Privacy & GDPR Rights Portals": "https://help.disqus.com/en/articles/1717103-disqus-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "c0cec77b-d258-4ee2-a301-23b2a089e129", + "Platform": "Twiago", + "Category": "Marketing", + "Cookie / Data Key name": "deuxesse_uxid", + "Domain": "twiago.com", + "Description": "Sets a unique ID for the visitor, that allows third party advertisers to target the visitor with relevant advertisement. This pairing service is provided by third party advertisement hubs, which facilitates real-time bidding for advertisers.", + "Retention period": "29 days", + "Data Controller": "Twiago", + "User Privacy & GDPR Rights Portals": "https://www.twiago.com/datenschutz/", + "Wildcard match": 0 + }, + { + "ID": "cbb892e6-10e6-4648-8703-c4c4aeb2cb46", + "Platform": "Emetric", + "Category": "Marketing", + "Cookie / Data Key name": "pid_short", + "Domain": "xplosion.de", + "Description": "This cookie is used by Xplosion/emetriq. Used to analyze the behavior of visitors to the website and derive preferences. These allow for interest-based advertising on third party websites.", + "Retention period": "1 year", + "Data Controller": "Emetric", + "User Privacy & GDPR Rights Portals": "https://www.emetriq.com/datenschutz/", + "Wildcard match": 0 + }, + { + "ID": "7ffee1ff-03ff-43a4-9b2b-d03ccac5b7af", + "Platform": "Emetric", + "Category": "Marketing", + "Cookie / Data Key name": "pid_signature", + "Domain": "xplosion.de", + "Description": "This cookie is used by Xplosion/emetriq. Used to analyze the behavior of visitors to the website and derive preferences. These allow for interest-based advertising on third party websites.", + "Retention period": "1 year", + "Data Controller": "Emetric", + "User Privacy & GDPR Rights Portals": "https://www.emetriq.com/datenschutz/", + "Wildcard match": 0 + }, + { + "ID": "ddbb67b2-33f2-4844-ae27-19e02b20c0e8", + "Platform": "Emetric", + "Category": "Marketing", + "Cookie / Data Key name": "pid", + "Domain": "xplosion.de", + "Description": "This cookie is used by Xplosion/emetriq. Used to analyze the behavior of visitors to the website and derive preferences. These allow for interest-based advertising on third party websites.", + "Retention period": "1 year", + "Data Controller": "Emetric", + "User Privacy & GDPR Rights Portals": "https://www.emetriq.com/datenschutz/", + "Wildcard match": 0 + }, + { + "ID": "faed0348-d26e-44c1-b482-85c0efe3792a", + "Platform": "Emetric", + "Category": "Marketing", + "Cookie / Data Key name": "ep", + "Domain": "xplosion.de", + "Description": "This cookie Is used by Xplosion / emetriq. Used to analyze the behavior of visitors to the website and derive preferences. These allow for interest-based advertising on third party websites.", + "Retention period": "1 year", + "Data Controller": "Emetric", + "User Privacy & GDPR Rights Portals": "https://www.emetriq.com/datenschutz/", + "Wildcard match": 0 + }, + { + "ID": "1ab2559d-92de-4d80-a4ed-402a8bb018b7", + "Platform": "Pangle", + "Category": "Marketing", + "Cookie / Data Key name": "_pangle", + "Domain": "analytics.pangle-ads.com", + "Description": "This cookie is to measure and improve the performance of your advertising campaigns and to personalize the user's ad experiences delivered by the Pangle ad network.", + "Retention period": "13 months", + "Data Controller": "Pangle", + "User Privacy & GDPR Rights Portals": "https://www.pangleglobal.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "99d4316b-2cc6-46ea-866c-f0b294f4801d", + "Platform": "Totvs", + "Category": "Marketing", + "Cookie / Data Key name": "u", + "Domain": "t.tailtarget.com", + "Description": "This cookie is Used for audience segmentation for advertising", + "Retention period": "1 year", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "26f5fa63-e422-4027-9d4e-e6e6f54c5a60", + "Platform": "Totvs", + "Category": "Marketing", + "Cookie / Data Key name": "_ssc", + "Domain": "t.tailtarget.com", + "Description": "This is a cookie used for generating access and internet traffic statistics.", + "Retention period": "1 day", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "b3dec9ca-606c-4a88-99b6-64d5bab9bdcf", + "Platform": "Citrix", + "Category": "Functional", + "Cookie / Data Key name": "NSC_", + "Domain": "", + "Description": "This cookie name is associated with the Netscaler load balancing service from Citrix. This is a pattern type cookie with the root being NSC_ and the rest of the name being a unique encrypted alpha numeric identifier for the virtual server it originated from. The cookie is used to ensure traffic and user data is routed to the correct locations where a site is hosted on multiple servers, so that the end user has a consistent experience.", + "Retention period": "12 hours", + "Data Controller": "Citrix", + "User Privacy & GDPR Rights Portals": "https://www.citrix.com/about/trust-center/privacy-compliance/", + "Wildcard match": 1 + }, + { + "ID": "5ff25e66-ac12-4db1-8527-873fcfbd1c5a", + "Platform": "Beeswax", + "Category": "Marketing", + "Cookie / Data Key name": "bitoIsSecure", + "Domain": "bidr.io", + "Description": "This cookie is associated with bidr.io. It allows third party advertisers to target the visitor with relevant advertising. This pairing service is provided by third party advertisement hubs, which facilitate real-time bidding for advertisers.", + "Retention period": "1 year", + "Data Controller": "Beeswax", + "User Privacy & GDPR Rights Portals": "https://www.beeswax.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ae62fe19-475d-4beb-8315-ac0520768683", + "Platform": "Beeswax", + "Category": "Marketing", + "Cookie / Data Key name": "bito", + "Domain": "bidr.io", + "Description": "This cookie is generally provided by bidr.io and is used for advertising purposes.", + "Retention period": "1 year", + "Data Controller": "Beeswax", + "User Privacy & GDPR Rights Portals": "https://www.beeswax.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "36a82339-cec5-416a-ad86-d8a8dde6feb5", + "Platform": "Wikimedia", + "Category": "Analytics", + "Cookie / Data Key name": "WMF-Last-Access", + "Domain": ".wikimedia.org", + "Description": "This cookie is used by the Wikimedia Foundation. It is used to determine the last time a user visited a page, and is used for various statistics.", + "Retention period": "session", + "Data Controller": "Wikipedia", + "User Privacy & GDPR Rights Portals": "https://foundation.wikimedia.org/wiki/Policy:Privacy_policy", + "Wildcard match": 0 + }, + { + "ID": "e35f60f2-377f-417d-8082-53c0e8f84b28", + "Platform": "Wikimedia", + "Category": "Functional", + "Cookie / Data Key name": "loginnotify_prevlogins", + "Domain": ".wikimedia.org", + "Description": "This cookie verifies that you are logging in from a known device. This affects the threshold for how many unsuccessful login attempts trigger a notification to the user..", + "Retention period": "180 days", + "Data Controller": "Wikipedia", + "User Privacy & GDPR Rights Portals": "https://foundation.wikimedia.org/wiki/Policy:Privacy_policy", + "Wildcard match": 0 + }, + { + "ID": "69ec7e92-ccb2-4c5b-b7a2-efa97104dd8b", + "Platform": "Wikimedia", + "Category": "Functional", + "Cookie / Data Key name": "stopMobileRedirect", + "Domain": ".wikimedia.org", + "Description": "This cookie tells us not to redirect to the mobile site if you do not like that..", + "Retention period": "30 days", + "Data Controller": "Wikipedia", + "User Privacy & GDPR Rights Portals": "https://foundation.wikimedia.org/wiki/Policy:Privacy_policy", + "Wildcard match": 0 + }, + { + "ID": "807f8986-bda4-447f-a5c3-31f0e42991bc", + "Platform": "Wikimedia", + "Category": "Analytics", + "Cookie / Data Key name": "centralnotice_bucket", + "Domain": ".wikimedia.org", + "Description": "This cookie helps us understand the effectiveness of notices provided to users through the CentralNotice extension..", + "Retention period": "session", + "Data Controller": "Wikipedia", + "User Privacy & GDPR Rights Portals": "https://foundation.wikimedia.org/wiki/Policy:Privacy_policy", + "Wildcard match": 0 + }, + { + "ID": "ae298f1b-52e4-4dc8-bf84-232275ec67e2", + "Platform": "Wikimedia", + "Category": "Analytics", + "Cookie / Data Key name": "GeoIP", + "Domain": ".wikimedia.org", + "Description": "This cookie is used to try and understand the user's geographical location (country) based on their IP address.", + "Retention period": "session", + "Data Controller": "Wikipedia", + "User Privacy & GDPR Rights Portals": "https://foundation.wikimedia.org/wiki/Policy:Privacy_policy", + "Wildcard match": 0 + }, + { + "ID": "52596d81-961b-40c1-a1d8-55b024a4ecbd", + "Platform": "Wikimedia", + "Category": "Analytics", + "Cookie / Data Key name": "NetWorkProbeLimit", + "Domain": ".wikimedia.org", + "Description": "This cookie is used to set NetworkProbeLimit cookie to override the default network probe limit value.", + "Retention period": "1 hour", + "Data Controller": "Wikipedia", + "User Privacy & GDPR Rights Portals": "https://foundation.wikimedia.org/wiki/Policy:Privacy_policy", + "Wildcard match": 0 + }, + { + "ID": "4e008437-462d-44d0-b494-a1e77608daca", + "Platform": "Acuity", + "Category": "Marketing", + "Cookie / Data Key name": "auid", + "Domain": ".acuityplatform.com", + "Description": "This cookie is used to identify the visitor and cookie-tracking solutions and marketing and advertising services..", + "Retention period": "1 year", + "Data Controller": "Acuity", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "bf7f06d4-d001-4ba0-9ece-a1a7afd8c23c", + "Platform": "Acuity", + "Category": "Marketing", + "Cookie / Data Key name": "aum", + "Domain": ".acuityplatform.com", + "Description": "This cookie is used to identify the visitor and the company provides a range of cookie-tracking solutions and marketing and advertising services.", + "Retention period": "1 year", + "Data Controller": "Acuity", + "User Privacy & GDPR Rights Portals": "", + "Wildcard match": 0 + }, + { + "ID": "b35e1658-3123-444a-a0ea-c60503a13c56", + "Platform": "ABlyft", + "Category": "Analytics", + "Cookie / Data Key name": "ablyft_exps", + "Domain": "", + "Description": "Is set and updated when a visitor is bucketed into an experiment/variation.", + "Retention period": "1 year", + "Data Controller": "ABlyft", + "User Privacy & GDPR Rights Portals": "https://ablyft.com/en/privacy-notice", + "Wildcard match": 0 + }, + { + "ID": "3eb6e12c-1b15-4ce9-967c-a8ad4f98829e", + "Platform": "ABlyft", + "Category": "Analytics", + "Cookie / Data Key name": "ablyft_queue", + "Domain": "", + "Description": "Is set when a visitor triggers an event/goal. After sending the event to ABlyft it is cleared.", + "Retention period": "1 year", + "Data Controller": "ABlyft", + "User Privacy & GDPR Rights Portals": "https://ablyft.com/en/privacy-notice", + "Wildcard match": 0 + }, + { + "ID": "82e002a1-5eec-429e-8f60-c637d7938a60", + "Platform": "ABlyft", + "Category": "Analytics", + "Cookie / Data Key name": "ablyft_uvs", + "Domain": "", + "Description": "Is set on the first pageview and update with every further pageview of a visitor.", + "Retention period": "1 year", + "Data Controller": "ABlyft", + "User Privacy & GDPR Rights Portals": "https://ablyft.com/en/privacy-notice", + "Wildcard match": 0 + }, + { + "ID": "7c1a667e-380b-4e6b-a0f7-596a6b9dcef9", + "Platform": "ABlyft", + "Category": "Analytics", + "Cookie / Data Key name": "ablyft_tracking_consent", + "Domain": "", + "Description": "Is set when enableTrackingConsent or disableTrackingConsent is triggered via API.", + "Retention period": "1 year", + "Data Controller": "ABlyft", + "User Privacy & GDPR Rights Portals": "https://ablyft.com/en/privacy-notice", + "Wildcard match": 0 + }, + { + "ID": "2b419562-a564-4c0d-970c-cf1bf677c763", + "Platform": "MercadoLibre", + "Category": "Marketing", + "Cookie / Data Key name": "_d2id", + "Domain": ".mercadolibre.com", + "Description": "This cookie is required for shopping cart functionality on the website.", + "Retention period": "1 year", + "Data Controller": "MercadoLibre", + "User Privacy & GDPR Rights Portals": "https://www.mercadolibre.com.ar/privacidad", + "Wildcard match": 0 + }, + { + "ID": "dd35612e-2242-4f99-8777-769c055984e1", + "Platform": "MercadoLibre", + "Category": "Marketing", + "Cookie / Data Key name": "edsid", + "Domain": ".mercadolibre.com", + "Description": "This cookie is used to identify users to implement fraud prevention", + "Retention period": "1 year", + "Data Controller": "MercadoLibre", + "User Privacy & GDPR Rights Portals": "https://www.mercadolibre.com.ar/privacidad", + "Wildcard match": 0 + }, + { + "ID": "ed7d4443-0dcc-4e0b-a1f1-21d1bfdad51d", + "Platform": "MercadoLibre", + "Category": "Marketing", + "Cookie / Data Key name": "ftid", + "Domain": ".mercadolibre.com", + "Description": "This cookie is used to identify users to implement fraud prevention", + "Retention period": "1 year", + "Data Controller": "MercadoLibre", + "User Privacy & GDPR Rights Portals": "https://www.mercadolibre.com.ar/privacidad", + "Wildcard match": 0 + }, + { + "ID": "3a8f35e2-0bfc-4480-90f9-bdbd76907ee8", + "Platform": "Aniview", + "Category": "Marketing", + "Cookie / Data Key name": "aniC", + "Domain": ".aniview.com", + "Description": "This cookie is used in context with video-advertisement. The cookie limits the number of times a user is shown the same advertisement. The cookie is also used to ensure relevance of the video-advertisement to the specific user.", + "Retention period": "20 Days", + "Data Controller": "Aniview", + "User Privacy & GDPR Rights Portals": "https://www.aniview.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b41b15a7-dc1e-4a5d-88fe-c390352de246", + "Platform": "Aniview", + "Category": "Marketing", + "Cookie / Data Key name": "version", + "Domain": "track1.aniview.com", + "Description": "This cookie is used by the website's operator in context with multi-variate testing. This is a tool used to combine or change content on the website. This allows the website to find the best variation/edition of the site.", + "Retention period": "Session", + "Data Controller": "Aniview", + "User Privacy & GDPR Rights Portals": "https://www.aniview.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e7681dc5-ea4e-44ea-8b75-1992e933b500", + "Platform": "Mediarithmics", + "Category": "Marketing", + "Cookie / Data Key name": "mics_vid", + "Domain": ".mediarithmics.com", + "Description": "This Cookie is required by mediarithmics third-party cookie identifier", + "Retention period": "1 year", + "Data Controller": "Mediarithmics", + "User Privacy & GDPR Rights Portals": "https://developer.mediarithmics.io/advanced-usages/data-privacy-compliance/cookies", + "Wildcard match": 0 + }, + { + "ID": "ca438322-7f4d-4d7f-8484-dddfffc9bcbe", + "Platform": "Mediarithmics", + "Category": "Marketing", + "Cookie / Data Key name": "mics_uaid", + "Domain": ".mediarithmics.com", + "Description": "This cookie is an Legacy cookie added by mediarithmics that will be deprecated", + "Retention period": "1 year", + "Data Controller": "Mediarithmics", + "User Privacy & GDPR Rights Portals": "https://developer.mediarithmics.io/advanced-usages/data-privacy-compliance/cookies", + "Wildcard match": 0 + }, + { + "ID": "20e2e57d-0397-4ba2-871e-6543fb92af89", + "Platform": "Mediarithmics", + "Category": "Marketing", + "Cookie / Data Key name": "mics_lts", + "Domain": ".mediarithmics.com", + "Description": "This cookie is added by mediarithmics which determines the last time the browser has been seen", + "Retention period": "1 year", + "Data Controller": "Mediarithmics", + "User Privacy & GDPR Rights Portals": "https://developer.mediarithmics.io/advanced-usages/data-privacy-compliance/cookies", + "Wildcard match": 0 + }, + { + "ID": "a7caa710-320c-4e77-bcc9-9bd269ec710d", + "Platform": "Mediarithmics", + "Category": "Marketing", + "Cookie / Data Key name": "chk", + "Domain": ".mediarithmics.com", + "Description": "This cookie is added by mediarithmics In the case of a call on events.mediarithmics.com without a cookie mics_vid, this cookie is written to check that the user browser supports third party cookies. It contains a randomly generated UUID.", + "Retention period": "1 hour", + "Data Controller": "Mediarithmics", + "User Privacy & GDPR Rights Portals": "https://developer.mediarithmics.io/advanced-usages/data-privacy-compliance/cookies", + "Wildcard match": 0 + }, + { + "ID": "eeb1f31f-376a-4d0a-b5da-778c1fcd5d7c", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_thirtythreeacross", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on 33Across by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "4393ed99-2807-47df-b89b-783da2465e84", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-thirtythreeacross", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on 33Across by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "bfc9a150-7b57-4ffe-810c-cbc69f5af1a8", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_appnexus", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Xandr by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "b0f5c1f4-b153-4201-8c23-562ca19988b6", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-appnexus", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Xandr by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "d5796a22-3c65-4894-a206-392183438c2a", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_bliink", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Bliink by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "770c9814-084c-4a1a-a090-3b1996113761", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-bliink", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Bliink by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "9673ff1d-7d47-49de-bf97-b982e940019d", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_amx", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on AdaptMX by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "d96404e1-c7eb-4152-af42-b61d199e4499", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-amx", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on AdaptMX by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "eb9a70e7-42dc-4537-9d47-f6fe7137156c", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_adform", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Adform by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "3ba4c9ca-8778-4b2a-b2dc-2fbca9282269", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-adform", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Adform by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "0cb86c90-7534-4b76-b4a5-0673f1f1cb2f", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_adnuntius", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Adnuntius by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "94ce9b6a-006e-401e-b474-13ebc3483f9e", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-adnuntius", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Adnuntius by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "6cedb76b-e99f-4762-842d-d9bae05a776b", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_adot", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Adot by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "ea7545a2-3d0c-4913-a247-221cd2a29df0", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-adot", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Adot by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "b18b7bad-126f-40cd-9ad3-9e319ff0f83f", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_adyoulike", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Adyoulike by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "e4b5cdde-440a-4697-b196-3854f273011e", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-adyoulike", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Adyoulike by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "bb89656f-567e-4a72-9174-583415c7c87e", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_connectad", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on ConnectAd by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "22961ec8-d6d7-4777-9ab8-4faafda44852", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-connectad", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on ConnectAd by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "23a033e7-0636-4aaf-a19c-9043fc2ee02b", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_conversant", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Conversant by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "8775c182-a036-4633-805b-0a749f70f441", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-conversant", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Conversant by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "086afbaa-19d5-4ecb-8533-c5cd5c23fcba", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_cwire", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Cwire by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "436c6bb6-d722-441f-9b0b-66c3f0af11b0", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-cwire", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Cwire by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "3ca071af-da76-4556-a2c4-9b3452891f51", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_firstid", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on First ID by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "85291677-b5ce-4f3e-ba07-df7bf2b379b7", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-firstid", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on First ID by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "e88f4c10-e1e4-46a1-bee4-fb30feada21a", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_freewheel", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Freewheel by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "8c4502a9-f54e-4123-95d2-e314c97e61a8", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-freewheel", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Freewheel by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "1fcf8510-9fd0-4a34-9fc8-50c916fba9bd", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_fueldigitalmedia", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Fuel Digital Media by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "e99ff157-364a-4925-ac4b-beaa6f0f680b", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-fueldigitalmedia", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Fuel Digital Media by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "2a548fb5-f7c7-4315-a0d7-7f196f412209", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_fueldigitalix", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Fuel Digital (IX) by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "e9b1ac19-986b-4651-a205-b5a7d06bc216", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-fueldigitalix", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Fuel Digital (IX) by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "6ceaf5bd-d6a7-4089-8069-78adcf8b001d", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_fueldigital", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Fuel Digital (Smart) by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "25427217-a9da-4f77-b70b-6a8b65f3475d", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-fueldigital", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Fuel Digital (Smart)by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "5c132a0a-4368-4925-a280-1936187ce0b2", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_gingerad", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on GingerAd by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "4c358ff6-35ce-4bf4-9825-9d4e7e9c154c", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-gingerad", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on GingerAd by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "3612eab2-3878-47c6-9161-0978926a2261", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_goodad", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on GoodAd by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "a2ff760e-22ee-4e93-8527-6ac5a53500e1", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-goodad", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on GoodAd by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "44a6a268-ed4f-4699-aebe-3201ac2bf08c", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_gravity", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Gravity by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "be681188-f5d4-4469-b05c-4661630a6573", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-gravity", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Gravity by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "52e42c5a-cbb8-4748-9fb7-c99075312938", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_groupm", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on GroupM by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "ef962f9c-2a2e-4605-a167-c1dc61234161", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-groupm", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on GroupM by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "acb42370-cfc0-4925-956a-2fea18831880", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_improve", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Improve by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "08cf24b8-1ce8-4810-b3fc-ef05ff03e6ea", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-improve", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Improve by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "32a5957a-1004-47e7-8274-b419c94ae614", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_ix", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Index by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "30272b41-a92c-4e90-9dfc-0df043a9241f", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-ix", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Index by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "cde77683-4f69-4c4a-a3ac-c09cf57fa82e", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_medianet", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Media.net by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "163d9b56-937c-4253-a974-85f5440fcd7b", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-medianet", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Media.net by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "7d844544-84d7-4129-8719-029687cc57c9", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_moneytag", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Moneytag by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "1823ac5b-7381-4514-a6ca-356b48d54d18", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-moneytag", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Moneytag by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "902ba97d-a85e-4b41-979d-54b636e9634a", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_nextmillennium", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on NextMillennium by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "a3a11919-5d67-49f3-99fc-881bb3ac4157", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-nextmillennium", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on NextMillennium by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "ee2deebd-acf0-43e5-94bc-34cadc725465", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_onetag", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on OneTag by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "3d626f3e-ca8e-42fc-96b9-6334ae648d16", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-onetag", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on OneTag by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "ac4747ff-a04e-4075-815d-76a750815382", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_openx", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on OpenX by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "614c1907-5d26-461f-adff-98ba3c9da48f", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-openx", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on OpenX by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "a0484d93-6906-4d9e-badc-74dccce3bc1b", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_outbrain", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Outbrain by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "38461f60-7993-41d9-8e8f-ddb98fd76a53", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-outbrain", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Outbrain by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "f353b1f7-510e-46b7-a3ea-4f7485f72074", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_plista", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Plista by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "da6f70f5-8a27-4989-b1dc-fd904f604158", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-plista", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Plista by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "04618a78-510e-439b-94cd-b9534e0ac625", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_pubmatic", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Pubmatic by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "f205b22a-a9d8-4077-939e-b06491314ce4", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-pubmatic", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Pubmatic by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "feb5fca1-56b7-4b15-910a-131d8f664762", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_pulsepoint", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on PulsePoint by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "9f590b32-01b3-4cb1-a021-b17994d75a37", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-pulsepoint", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on PulsePoint by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "967d7712-18ce-4ae7-9cd7-1459555399c2", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_quantum", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Quantum by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "bc2e6c81-d4d8-458b-b228-dfd17972de55", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-quantum", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Quantum by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "bc43fc32-38be-4321-900c-0a14dd8b4bae", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_richaudience", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on RichAudience by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "f409b9ee-3083-4347-8c66-1ebbe33db060", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-richaudience", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on RichAudience by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "40603ccc-8ac1-4c3d-9079-3955280db802", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_rtbhouse", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on RTB House by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "1151a5ba-8b07-481b-a465-f1e5d1746e02", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-rtbhouse", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on RTB House by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "7de3b52b-1069-4f13-81b9-8266bcc27752", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_rubicon", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Rubicon (Magnite) by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "d3e6df0e-275f-49a2-9d0e-6a1554b69a10", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-rubicon", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Rubicon (Magnite) by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "d995b407-a90d-4133-b98c-f9ad25f151e3", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_sharethrough", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Sharethrough by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "b96bd110-6e13-4ac0-9db2-c26a23bdbfc6", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-sharethrough", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Sharethrough by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "c27bf220-206d-446e-b6ea-0d6b7d9b2779", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_smaato", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Smaato by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "861bcbf5-a05c-4df0-b6f6-895c9caf0fd4", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-smaato", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Smaato by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "89b1cd88-b37e-4f7b-9f7d-42653a0797f4", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_smartadserver", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Smart (Equativ) by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "13865efe-3805-4f9f-9788-72955547c3df", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-smartadserver", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Smart (Equativ) by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "03e7d066-77b2-40f1-9b63-b0260154bdc1", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_smartyads", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on SmartyAds by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "d97ed3fd-d9d6-4e11-a660-aef992804232", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-smartyads", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on SmartyAds by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "f977eea1-62fa-43a9-b0fb-c99478b20e3b", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_smilewanted", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Smilewanted by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "0a46c066-6fd4-4439-8404-215669c4deae", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-smilewanted", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Smilewanted by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "62b50b2f-c0dc-460c-8424-a7eeb1ce114c", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_staila", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Staila by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "7faa7386-4d1d-4598-8a86-09cfe18c25de", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-staila", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Staila by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "746cd9b9-a4a3-458f-b529-277a0a944c5e", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_tappx", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on TappX by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "32296853-63e5-49c5-8f0c-bce4d8cacd9f", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-tappx", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on TappX by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "30041a1c-27cf-4553-a520-95da85e65c54", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_mediagrid", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on The MediaGrid by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "159c65d4-77f8-48df-bd2b-01ac85e75f0c", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-mediagrid", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on The MediaGrid by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "9fb13af2-9670-4cd5-a90e-194e79264801", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_ttd", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on The Trade Desk by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "953ac0ac-2a11-4290-b46b-9c46ee820b47", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-ttd", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on The Trade Desk by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "0b372146-a219-486b-83af-a157d07df468", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_traffective", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Traffective by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "9cfd81b2-a540-452c-94bf-c1d02ecc27cc", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-traffective", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Traffective by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "f8ee037c-2ac1-4b20-921a-7d99d1fd5376", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_triplelift", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Triplelift by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "e4bedf05-d179-4b7b-8654-3cb1ea7a9077", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-triplelift", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Triplelift by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "222c2686-2f0d-4193-9090-381736bf8529", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_yahoo", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Verizon (Yahoo) by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "daf6f188-56ca-4f64-aac1-2ddf892ba9a7", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-yahoo", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Verizon (Yahoo) by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "9385f90c-46b4-490e-b983-64b97eb52a05", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_vidoomy", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Vidoomy by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "ea76c599-69cd-47e7-bd37-2cbb827ac416", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-vidoomy", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Vidoomy by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "3c04da31-9e0c-4f26-ae43-3b1a3f78bfac", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360_yieldlab", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Yieldlab by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "470e470a-c0a2-46b2-a7b3-426fb3d3f5b1", + "Platform": "Nexx360", + "Category": "Marketing", + "Cookie / Data Key name": "n360-yieldlab", + "Domain": ".nexx360.io", + "Description": "This cookie is used to pre-bid on Yieldlab by Nexx360 Header Bidding.", + "Retention period": "3 months", + "Data Controller": "Nexx360", + "User Privacy & GDPR Rights Portals": "https://nexx360.io/en/privacy-policy-and-cookies/", + "Wildcard match": 0 + }, + { + "ID": "3158d400-c968-4bfb-bd13-061cb11dc9fa", + "Platform": "MediaVine", + "Category": "Marketing", + "Cookie / Data Key name": "mv_tokens", + "Domain": "exchange.mediavine.com", + "Description": "Sets a unique ID for the visitor that allows third party advertisers to target the visitor with relevant advertisement. This pairing service is provided by third party advertisement hubs which facilitates real-time bidding for advertisers.", + "Retention period": "14 days", + "Data Controller": "MediaVine", + "User Privacy & GDPR Rights Portals": "https://www.mediavine.com/privacy-policy/#cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "ebaf485e-01c1-4816-9433-be073495dcf7", + "Platform": "MediaVine", + "Category": "Marketing", + "Cookie / Data Key name": "mv_tokens_invalidate-verizon-pushes", + "Domain": "exchange.mediavine.com", + "Description": "Sets a unique ID for the visitor that allows third party advertisers to target the visitor with relevant advertisement. This pairing service is provided by third party advertisement hubs which facilitates real-time bidding for advertisers.", + "Retention period": "14 days", + "Data Controller": "MediaVine", + "User Privacy & GDPR Rights Portals": "https://www.mediavine.com/privacy-policy/#cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "9affe0ba-e2b5-426b-af8e-b90b2b44025d", + "Platform": "MediaVine", + "Category": "Marketing", + "Cookie / Data Key name": "am_tokens", + "Domain": "exchange.mediavine.com", + "Description": "Presents the user with relevant content and advertisement. The service is provided by third-party advertisement hubs which facilitate real-time bidding for advertisers.", + "Retention period": "14 days", + "Data Controller": "MediaVine", + "User Privacy & GDPR Rights Portals": "https://www.mediavine.com/privacy-policy/#cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "66cdd47b-a484-478b-b2a4-e31fea932310", + "Platform": "MediaVine", + "Category": "Marketing", + "Cookie / Data Key name": "am_tokens_invalidate-verizon-pushes", + "Domain": "exchange.mediavine.com", + "Description": "Presents the user with relevant content and advertisement. The service is provided by third-party advertisement hubs which facilitate real-time bidding for advertisers.", + "Retention period": "14 days", + "Data Controller": "MediaVine", + "User Privacy & GDPR Rights Portals": "https://www.mediavine.com/privacy-policy/#cookie-policy", + "Wildcard match": 0 + }, + { + "ID": "8865ebd5-b41e-4f0e-a7fd-2eeefa111c4a", + "Platform": "Bit.ly", + "Category": "Analytics", + "Cookie / Data Key name": "_bit", + "Domain": ".bit.ly", + "Description": "This cookie is a unique identifier assigned to the user to track your use of bit.ly. Information collected includes your IP address.", + "Retention period": "6 months", + "Data Controller": "Bit.ly", + "User Privacy & GDPR Rights Portals": "https://bitly.com/pages/privacy", + "Wildcard match": 0 + }, + { + "ID": "a3040112-cf18-491e-973a-2dede6bced51", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptrcriteo", + "Domain": "ads.yieldmo.com", + "Description": "This cookie is used to establishes a unique identifier for the visitor that allows external advertisers (third parties) to target the visitor with relevant advertising. This combined service is provided by advertising hubs, which provide real-time offers to advertisers.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "88e3a54c-9918-4666-905d-fc1657e8986e", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptrrhs", + "Domain": "ads.yieldmo.com", + "Description": "This cookie is used to identify, session length, IP address, location, time of usage, viewed pages and files, your advertising campaign selections, and other information regarding your use of the Website.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0f895259-6c9f-4336-82e9-6a6281e05f3a", + "Platform": "Yieldmo", + "Category": "Analytics", + "Cookie / Data Key name": "yieldmo_id", + "Domain": ".yieldmo.com", + "Description": "Yieldmo only tracks using device identifiers and so all requests must include your device's Advertising ID or the yieldmo_id cookie of the device related to the request. Requests submitted without a device identifier cannot be processed.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e3787bb9-8852-4b45-b468-bc3f95d325f9", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptrrc", + "Domain": ".ads.yieldmo.com", + "Description": "This cookie is used to establishes a unique identifier for the visitor that allows external advertisers (third parties) to target the visitor with relevant advertising. This combined service is provided by advertising hubs, which provide real-time offers to advertisers.", + "Retention period": "10 months", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cda540df-6cf3-43cf-a3b0-02667cacae82", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptran", + "Domain": ".ads.yieldmo.com", + "Description": "This cookie is used to establish a unique identifier for the visitor that allows external advertisers (third parties) to target the visitor with relevant advertising. This combined service is provided by advertising hubs, which provide real-time offers to advertisers.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "fa16a17c-3679-4bbd-8080-92037e7f8ca7", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptrt", + "Domain": ".ads.yieldmo.com", + "Description": "This website uses a cookie to track you and show you ads from other companies that might interest you. These ad platforms connect advertisers with viewers in real-time", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "8d5fd0c2-d639-47e9-aef2-0243a65cc4bd", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptrpp", + "Domain": ".ads.yieldmo.com", + "Description": "We use a cookie to create a unique ID for you. This allows advertisers (not affiliated with us) to show you relevant ads. Advertisers use platforms that connect them with potential customers in real-time.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "eb699374-b6a2-433d-b379-5fb165f54a4b", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptrpub", + "Domain": ".ads.yieldmo.com", + "Description": "This cookie helps us personalize your ad experience. It creates a unique identifier that allows advertisers to show you relevant ads based on your browsing habits. Advertisers use real-time platforms to connect with viewers who might be interested in their products.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "5825b09f-cc8d-42ed-8664-e3167cb56fdb", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptrc", + "Domain": ".ads.yieldmo.com", + "Description": "This website utilizes a cookie to assign a unique visitor ID. This ID is used by external advertising networks (third-party) to deliver targeted advertising based on your browsing behavior. These ad networks function as real-time marketplaces where advertisers compete for your attention.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "76c0f3ee-6ea4-4185-8d9a-0422b2026487", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptrb", + "Domain": ".ads.yieldmo.com", + "Description": "This cookie is used to establish a unique identifier for the visitor that allows external advertisers (third parties) to target the visitor with relevant advertising. This combined service is provided by advertising hubs, which provide real-time offers to advertisers.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "4200df27-f63f-43be-8ad1-aa25a29b43ed", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptropenx", + "Domain": ".ads.yieldmo.com", + "Description": "This cookie is used to establish a unique identifier for the visitor that allows external advertisers (third parties) to target the visitor with relevant advertising. This combined service is provided by advertising hubs, which provide real-time offers to advertisers.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "084818ae-3dbf-42df-b9e0-bd4bdeeabb5c", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptrbsw", + "Domain": ".ads.yieldmo.com", + "Description": "When you visit our site, a cookie is placed to identify you. This allows advertisers (separate companies) to target you with relevant ads. These ad platforms connect advertisers with potential customers in real-time, like an auction.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "61740328-c1f8-4248-aaaa-46da547f9a97", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptreps", + "Domain": ".ads.yieldmo.com", + "Description": "This cookie is used to establish a unique identifier for the visitor that allows external advertisers (third parties) to target the visitor with relevant advertising. This combined service is provided by advertising hubs, which provide real-time offers to advertisers.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f4dd0e22-6081-41dd-8e9a-34d35f09a52b", + "Platform": "Yieldmo", + "Category": "Marketing", + "Cookie / Data Key name": "ptradtrt", + "Domain": ".ads.yieldmo.com", + "Description": "This cookie is used to establish a unique identifier for the visitor that allows external advertisers (third parties) to target the visitor with relevant advertising. This combined service is provided by advertising hubs, which provide real-time offers to advertisers.", + "Retention period": "1 Year", + "Data Controller": "Yieldmo", + "User Privacy & GDPR Rights Portals": "https://yieldmo.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "730f2148-258f-4b10-af8d-a6c252673b11", + "Platform": "Springserve", + "Category": "Marketing", + "Cookie / Data Key name": "ssid", + "Domain": ".springserve.com", + "Description": "This cookie is associated with SpringServe. It is used for serving video ads.", + "Retention period": "365 days", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://www.magnite.com/legal/platform-cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "cda734ff-dfe7-4301-8e3a-5d2954ac8800", + "Platform": "Springserve", + "Category": "Marketing", + "Cookie / Data Key name": "sst", + "Domain": ".springserve.com", + "Description": "This cookie is associated with SpringServe. It is used for serving video ads.", + "Retention period": "365 days", + "Data Controller": "Magnite", + "User Privacy & GDPR Rights Portals": "https://www.magnite.com/legal/platform-cookie-policy/", + "Wildcard match": 0 + }, + { + "ID": "af7f68a5-3bf6-4866-aab4-557de24d505c", + "Platform": "Bouncex", + "Category": "Marketing", + "Cookie / Data Key name": "dgzsdl08v4", + "Domain": ".bounceexchange.com", + "Description": "This cookie provides enhanced functionality and ads personalisation", + "Retention period": "0 days", + "Data Controller": "Wunderkind", + "User Privacy & GDPR Rights Portals": "https://www.wunderkind.co/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b85f4051-694f-4bb6-b9a0-1052d95127db", + "Platform": "Bouncex", + "Category": "Marketing", + "Cookie / Data Key name": "bounceClientVisit", + "Domain": ".bounceexchange.com", + "Description": "This cookie is used to remember user web browsing activity and may be used to understand about your demographics, such as age and gender", + "Retention period": "Session", + "Data Controller": "Wunderkind", + "User Privacy & GDPR Rights Portals": "https://www.wunderkind.co/privacy/", + "Wildcard match": 0 + }, + { + "ID": "8e43d473-f0ca-401b-8bb2-7641319ae6b0", + "Platform": "Viafoura", + "Category": "Analytics", + "Cookie / Data Key name": "_vfa", + "Domain": "", + "Description": "This cookie is used to stores user and session identifiers for analytics.", + "Retention period": "1 year", + "Data Controller": "Viafoura", + "User Privacy & GDPR Rights Portals": "https://viafoura.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "50d064f0-0c02-4db1-8264-46c1cec4bfb0", + "Platform": "Viafoura", + "Category": "Analytics", + "Cookie / Data Key name": "_vfb", + "Domain": "", + "Description": "This cookie is used to stores recirculation data for analytics.", + "Retention period": "30 minutes", + "Data Controller": "Viafoura", + "User Privacy & GDPR Rights Portals": "https://viafoura.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "fb350e72-6113-47a3-a82e-491e98c47dc0", + "Platform": "Viafoura", + "Category": "Analytics", + "Cookie / Data Key name": "_vfz", + "Domain": "", + "Description": "This cookie is used to stores referral data for analytics", + "Retention period": "6 minutes", + "Data Controller": "Viafoura", + "User Privacy & GDPR Rights Portals": "https://viafoura.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "c0fd6a35-78e5-496f-89c2-5a64c8e597ef", + "Platform": "Viafoura", + "Category": "Functional", + "Cookie / Data Key name": "_vf_rd_test", + "Domain": "", + "Description": "This cookie is used to test best domain name (SLD+TLD) to set cookies at.", + "Retention period": "1 second", + "Data Controller": "Viafoura", + "User Privacy & GDPR Rights Portals": "https://viafoura.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "f69c0e6a-ff78-40a8-bd74-e1b215f09561", + "Platform": "Viafoura", + "Category": "Functional", + "Cookie / Data Key name": "VfSess", + "Domain": ".viafoura.co", + "Description": "This cookie is used to session identifier for authentication", + "Retention period": "30 days", + "Data Controller": "Viafoura", + "User Privacy & GDPR Rights Portals": "https://viafoura.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cae18ad7-123a-462b-8a1c-2544fb3e30e6", + "Platform": "Viafoura", + "Category": "Functional", + "Cookie / Data Key name": "VfRefresh", + "Domain": ".viafoura.co", + "Description": "This cookie is used to refresh identifier for authentication", + "Retention period": "1 year", + "Data Controller": "Viafoura", + "User Privacy & GDPR Rights Portals": "https://viafoura.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f1bf1a7a-59e3-40e4-bb7a-a93f1270ba0f", + "Platform": "Viafoura", + "Category": "Functional", + "Cookie / Data Key name": "VfAccess", + "Domain": ".viafoura.co", + "Description": "This cookie is used to access identifier for authentication", + "Retention period": "5 minutes", + "Data Controller": "Viafoura", + "User Privacy & GDPR Rights Portals": "https://viafoura.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "5b3c2c36-093e-4e41-9b2d-d6cae079f6e6", + "Platform": "Viafoura", + "Category": "Functional", + "Cookie / Data Key name": "vfThirdpartyCookiesEnabled", + "Domain": ".viafoura.co", + "Description": "This cookie is used to testing if 3rd party cookies are supported", + "Retention period": "Session", + "Data Controller": "Viafoura", + "User Privacy & GDPR Rights Portals": "https://viafoura.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "ff6bda2f-98b3-4cc5-a4f6-712af4a838f5", + "Platform": "Tailtarget", + "Category": "Marketing", + "Cookie / Data Key name": "ttbprf", + "Domain": ".t.tailtarget.com", + "Description": "This cookie is used for user segmentation", + "Retention period": "1 month", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "e3dc47c3-5c5c-4c79-82f6-5670019f2a61", + "Platform": "Tailtarget", + "Category": "Marketing", + "Cookie / Data Key name": "ttc", + "Domain": ".t.tailtarget.com", + "Description": "This cookie is used for user segmentation with user´s cache expiration", + "Retention period": "1 day", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "e8ca8ad5-9127-4e6d-a28c-fd517cc388b8", + "Platform": "Tailtarget", + "Category": "Marketing", + "Cookie / Data Key name": "ttnprf", + "Domain": ".t.tailtarget.com", + "Description": "This cookie is used for user segmentation", + "Retention period": "1 month", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "8420c953-1583-47f3-8faf-b35010d75c50", + "Platform": "Tailtarget", + "Category": "Marketing", + "Cookie / Data Key name": "n", + "Domain": ".t.tailtarget.com", + "Description": "This cookie is used for user segmentation with timestamp from the latest access", + "Retention period": "1 month", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "67999a45-2f58-4064-8b57-ea0f249c937a", + "Platform": "Tailtarget", + "Category": "Marketing", + "Cookie / Data Key name": "u", + "Domain": ".t.tailtarget.com", + "Description": "This cookie is used for user segmentation identifying the user uniquely", + "Retention period": "1 year", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "15a40bc2-afe4-4270-82da-7a95f4172856", + "Platform": "Tailtarget", + "Category": "Marketing", + "Cookie / Data Key name": "trk", + "Domain": ".t.tailtarget.com", + "Description": "This cookie is used for deliver ads", + "Retention period": "1 month", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "d0519a4b-ffd4-4ce9-b4db-f63eed756d54", + "Platform": "Tailtarget", + "Category": "Marketing", + "Cookie / Data Key name": "ttca", + "Domain": ".t.tailtarget.com", + "Description": "This cookie is used for deliver ads with users'conversion data", + "Retention period": "30 days", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "235735ae-0c85-4009-b6f4-4dc283345c44", + "Platform": "Tailtarget", + "Category": "Marketing", + "Cookie / Data Key name": "tp", + "Domain": ".t.tailtarget.com", + "Description": "This cookie is used for deliver ads, using synchronous id for DSP", + "Retention period": "30 days", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 1 + }, + { + "ID": "49615b53-95cd-4ce3-a6ea-d31d36669a04", + "Platform": "Tailtarget", + "Category": "Functional", + "Cookie / Data Key name": "dc", + "Domain": ".t.tailtarget.com", + "Description": "This cookie is used for sync with Google services", + "Retention period": "30 days", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "93bcd441-ff31-4e3c-948f-367c052cac59", + "Platform": "Tailtarget", + "Category": "Marketing", + "Cookie / Data Key name": "ttgcm", + "Domain": ".t.tailtarget.com", + "Description": "This cookie is used for sync with Google services", + "Retention period": "14 days", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "97c3b930-9f3f-4f62-8ddd-6fb07a4fe3a3", + "Platform": "Tailtarget", + "Category": "Marketing", + "Cookie / Data Key name": "_ssc", + "Domain": ".t.tailtarget.com", + "Description": "This cookie is used for indicate user access to the same site", + "Retention period": "2 days", + "Data Controller": "Totvs", + "User Privacy & GDPR Rights Portals": "https://www.totvs.com/protecao-e-privacidade-de-dados/", + "Wildcard match": 0 + }, + { + "ID": "906d832e-7621-44ab-81a0-e7be859ec814", + "Platform": "Marfeel", + "Category": "Analytics", + "Cookie / Data Key name": "_ut", + "Domain": "events.newsroom.bi", + "Description": "This cookie is used to uniquely identify the same user on the different domains", + "Retention period": "30 days", + "Data Controller": "Marfeel", + "User Privacy & GDPR Rights Portals": "https://community.marfeel.com/t/marfeel-com-privacy-policy/10383", + "Wildcard match": 1 + }, + { + "ID": "0db2e31c-e41f-4c11-be15-93d14e37f875", + "Platform": "Marfeel", + "Category": "Analytics", + "Cookie / Data Key name": "_u", + "Domain": "events.newsroom.bi", + "Description": "This cookie is used to uniquely identify the same user on the different domains", + "Retention period": "180 days", + "Data Controller": "Marfeel", + "User Privacy & GDPR Rights Portals": "https://community.marfeel.com/t/marfeel-com-privacy-policy/10383", + "Wildcard match": 1 + }, + { + "ID": "564934ab-9342-4963-967f-657ff376b8b2", + "Platform": "Marfeel", + "Category": "Analytics", + "Cookie / Data Key name": "_s", + "Domain": "events.newsroom.bi", + "Description": "This cookie is used to store for temporary session", + "Retention period": "Session", + "Data Controller": "Marfeel", + "User Privacy & GDPR Rights Portals": "https://community.marfeel.com/t/marfeel-com-privacy-policy/10383", + "Wildcard match": 1 + }, + { + "ID": "6362438b-2660-4d6d-9a51-34051cd52ee5", + "Platform": "Marfeel", + "Category": "Analytics", + "Cookie / Data Key name": "_lv", + "Domain": "events.newsroom.bi", + "Description": "This cookie is used to store for last visit", + "Retention period": "180 days", + "Data Controller": "Marfeel", + "User Privacy & GDPR Rights Portals": "https://community.marfeel.com/t/marfeel-com-privacy-policy/10383", + "Wildcard match": 1 + }, + { + "ID": "56d04dd0-dd19-4903-adad-70250a49ac50", + "Platform": "Marfeel", + "Category": "Analytics", + "Cookie / Data Key name": "_nrbi", + "Domain": "events.newsroom.bi", + "Description": "This cookie is used to store user data for the Cookie Management Platform", + "Retention period": "180 days", + "Data Controller": "Marfeel", + "User Privacy & GDPR Rights Portals": "https://community.marfeel.com/t/marfeel-com-privacy-policy/10383", + "Wildcard match": 0 + }, + { + "ID": "16809575-6f07-4752-8850-a34a04cb57f0", + "Platform": "Marfeel", + "Category": "Analytics", + "Cookie / Data Key name": "compass_sid", + "Domain": "events.newsroom.bi", + "Description": "This cookie is used to store Marfeel session id.", + "Retention period": "Session", + "Data Controller": "Marfeel", + "User Privacy & GDPR Rights Portals": "https://community.marfeel.com/t/marfeel-com-privacy-policy/10383", + "Wildcard match": 0 + }, + { + "ID": "e29ce395-f286-4105-a447-f7aaed278d29", + "Platform": "Marfeel", + "Category": "Analytics", + "Cookie / Data Key name": "compass_uid", + "Domain": "events.newsroom.bi", + "Description": "This cookie is used to store Marfeel user id", + "Retention period": "180 days", + "Data Controller": "Marfeel", + "User Privacy & GDPR Rights Portals": "https://community.marfeel.com/t/marfeel-com-privacy-policy/10383", + "Wildcard match": 0 + }, + { + "ID": "6fc1ee3e-14dc-4578-86ea-8655d1e6d1e7", + "Platform": "Marfeel", + "Category": "Analytics", + "Cookie / Data Key name": "___m_rec", + "Domain": "events.newsroom.bi", + "Description": "This cookie is used to store data about recirculation module", + "Retention period": "180 days", + "Data Controller": "Marfeel", + "User Privacy & GDPR Rights Portals": "https://community.marfeel.com/t/marfeel-com-privacy-policy/10383", + "Wildcard match": 0 + }, + { + "ID": "a8584f16-c5e5-4240-b64e-5340ce4b61fc", + "Platform": "Groovinads", + "Category": "Marketing", + "Cookie / Data Key name": "GRV_BHV_UID", + "Domain": ".groovinads.com", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "45 days", + "Data Controller": "Groovinads", + "User Privacy & GDPR Rights Portals": "https://shopping.groovinads.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "5b35c4a0-2a8f-4113-9fbb-c7f1033d71f4", + "Platform": "Groovinads", + "Category": "Marketing", + "Cookie / Data Key name": "GRV_BHV_IDCC", + "Domain": ".groovinads.com", + "Description": "This cookie is used to store the user's geographical location", + "Retention period": "45 days", + "Data Controller": "Groovinads", + "User Privacy & GDPR Rights Portals": "https://shopping.groovinads.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "ec79561e-ef16-4785-b578-9ce51251568e", + "Platform": "Groovinads", + "Category": "Marketing", + "Cookie / Data Key name": "GRV_BHV_SKU", + "Domain": ".groovinads.com", + "Description": "This cookie is used to store SKU of user", + "Retention period": "45 days", + "Data Controller": "Groovinads", + "User Privacy & GDPR Rights Portals": "https://shopping.groovinads.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "b477fac4-5a91-43c5-86fa-1032ad14ad6f", + "Platform": "Groovinads", + "Category": "Marketing", + "Cookie / Data Key name": "GRV_BHV_IDCAT", + "Domain": ".groovinads.com", + "Description": "This cookie is used to uniqiue identifier.", + "Retention period": "45 days", + "Data Controller": "Groovinads", + "User Privacy & GDPR Rights Portals": "https://shopping.groovinads.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "335a2537-2cb3-4f13-82b0-4ad850eaecab", + "Platform": "Groovinads", + "Category": "Marketing", + "Cookie / Data Key name": "GRV_BHV_DATE", + "Domain": ".groovinads.com", + "Description": "This cookie is used to store Date for user perfernces.", + "Retention period": "45 days", + "Data Controller": "Groovinads", + "User Privacy & GDPR Rights Portals": "https://shopping.groovinads.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "1e27dd9f-9df7-490a-9f12-16433dd6d64b", + "Platform": "Groovinads", + "Category": "Marketing", + "Cookie / Data Key name": "GRV_IDU", + "Domain": ".groovinads.com", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "296 days", + "Data Controller": "Groovinads", + "User Privacy & GDPR Rights Portals": "https://shopping.groovinads.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "29a01ce5-dc07-43d9-9b91-40d5c158a06d", + "Platform": "Groovinads", + "Category": "Marketing", + "Cookie / Data Key name": "NPA", + "Domain": ".groovinads.com", + "Description": "This cookie is used to store the user's browsing history", + "Retention period": "45 days", + "Data Controller": "Groovinads", + "User Privacy & GDPR Rights Portals": "https://shopping.groovinads.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "11873da5-d2ea-4a17-9939-7182e7a9c1e4", + "Platform": "Groovinads", + "Category": "Marketing", + "Cookie / Data Key name": "GRV_BHV_BRND_", + "Domain": ".groovinads.com", + "Description": "This cookie is used to brand of user's perfernces", + "Retention period": "45 days", + "Data Controller": "Groovinads", + "User Privacy & GDPR Rights Portals": "https://shopping.groovinads.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "d4a1b275-463e-4342-81ea-fe319395e1ff", + "Platform": "Groovinads", + "Category": "Marketing", + "Cookie / Data Key name": "GRV_google", + "Domain": ".groovinads.com", + "Description": "This cookie is used to store user's google search history", + "Retention period": "45 days", + "Data Controller": "Groovinads", + "User Privacy & GDPR Rights Portals": "https://shopping.groovinads.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "cc42aa30-1ff9-4b99-bddf-d0e71151a965", + "Platform": "Bidence", + "Category": "Marketing", + "Cookie / Data Key name": "duid_update_time", + "Domain": ".bidence.net", + "Description": "Registers a unique ID that identifies the user's device during return visits. Used for conversion tracking and to measure the efficacy of online ads.", + "Retention period": "2 years", + "Data Controller": "Bidence", + "User Privacy & GDPR Rights Portals": "https://bidence.com/page/pp.html", + "Wildcard match": 0 + }, + { + "ID": "2daeb207-112b-43fc-9e64-c965d6a947d2", + "Platform": "Bidence", + "Category": "Marketing", + "Cookie / Data Key name": "_ssp_update_time", + "Domain": ".bidence.net", + "Description": "This cookie is used to store unique identifiers timestamp", + "Retention period": "2 years", + "Data Controller": "Bidence", + "User Privacy & GDPR Rights Portals": "https://bidence.com/page/pp.html", + "Wildcard match": 1 + }, + { + "ID": "4528d5ba-74e1-4716-a55f-1507fde154f0", + "Platform": "Bidence", + "Category": "Marketing", + "Cookie / Data Key name": "_dsp_uid", + "Domain": ".bidence.net", + "Description": "This cookie is used to store unique identifiers", + "Retention period": "2 years", + "Data Controller": "Bidence", + "User Privacy & GDPR Rights Portals": "https://bidence.com/page/pp.html", + "Wildcard match": 1 + }, + { + "ID": "add48aa4-1893-4302-8d91-cddcdf87e5a6", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "connect.sid", + "Domain": ".zendesk.com", + "Description": "This is used for user sessions and is strictly necessary for the Community. Session cookies allow websites to remember users within a website when they move between web pages. These cookies tell the server what pages to show the user so the user doesn’t have to remember where they left off or start navigating the site all over again.", + "Retention period": "Session", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "9060ce7d-4498-4c94-8cf1-8a8e8f0909df", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "_zendesk_cookie", + "Domain": "", + "Description": "This cookie saves arbitrary preference settings. Two factor authentication features and device tracking will not work without it.", + "Retention period": "1 year", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "b5f966e9-a86f-4196-94c4-3887413a39b0", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "zte2095", + "Domain": ".zendesk.com", + "Description": "This cookie is used to identify the domain/subdomain the Chat Widget is located on.", + "Retention period": "Session", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "daeacb39-08b2-41d2-adc9-a787f24352a2", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "__zlcprivacy", + "Domain": ".zendesk.com", + "Description": "This cookie store visitor's decision on CookieLaw", + "Retention period": "1 year", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "5a498a0a-26c7-485d-bd60-e0e54923a3ee", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "__zlcmid", + "Domain": ".zendesk.com", + "Description": "This cookie Chat Widget offers out-of-the-box cookie consent management, see here: Enabling cookie consent for the Chat widget & Web Widget. Alternatively, these Chat Cookies respect external cookie bot functionality as well.", + "Retention period": "1 year", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "6bf1c399-58e5-4eb4-8d08-0bc824ef2ac8", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "_answer_bot_service_session", + "Domain": ".zendesk.com", + "Description": "This cookie stores unique session key for Answer Bot product. Used to uniquely identify a user session when using Answer Bot Article Recommendations.", + "Retention period": "Session", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "193c8c38-2844-4578-8f1f-830f503478d6", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "ZD-zE_oauth", + "Domain": ".zendesk.com", + "Description": "This cookie stores the authentication token once the user has been authenticated.Web Widget (Classic) offers pre-built API functionality for cookie consent; see here: Web Widget (Classic) Cookie Permission in Developer Center. Alternatively, these Cookies respect external cookie bot functionality as well.", + "Retention period": "2 hours", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "e680a392-193f-4638-acff-ef5629544051", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "_zendesk_session", + "Domain": "", + "Description": "This cookie stores account ID, route for internal service calls and the cross-site request forgery token.", + "Retention period": "8 hours", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "230fdca6-66b5-4f56-8aae-3a984eb2a5f0", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "zendesk_thirdparty_test", + "Domain": "", + "Description": "This cookie stores account ID, route for internal service calls and the cross-site request forgery token.", + "Retention period": "8 hours", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "07e9f2c9-428a-4e1b-98b0-84e734a86663", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "_zendesk_shared_session", + "Domain": "", + "Description": "This cookie is used for authentication and set to be anonymous", + "Retention period": "8 hours", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "ec7724b0-8748-4918-ae4b-94256c152dd7", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "_zendesk_authenticated", + "Domain": "", + "Description": "This is a flag set when a user is authenticated to display the most up to date content.", + "Retention period": "Session", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "5a1fe002-5f55-4784-b563-5f7d3e066866", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "_help_center_session", + "Domain": "", + "Description": "This cookie stores unique session key for Help Center Functionality.", + "Retention period": "Session", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "4011b451-9338-4666-a214-eba6c2382819", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "help_center_data", + "Domain": "", + "Description": "This cookie stores the text string of an end-user’s search term in the Help Center Functionality. It stores this so that it can check whether a ticket was created after that term was searched. A user identifier is not stored so it is not possible to specify which user completed the search at the time of reporting.", + "Retention period": "48 hours", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "a9225ab0-3e18-49d2-871b-6f37344c8b85", + "Platform": "Zendesk", + "Category": "Analytics", + "Cookie / Data Key name": "_zdshared_user_session_analytics", + "Domain": "", + "Description": "This cookie is Used to track information about visits for analytics purposes.", + "Retention period": "90 days", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "fb75c51b-210b-4b36-8649-bd4de4c104df", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "_zendesk_nps_session", + "Domain": "", + "Description": "This cookie stores a unique key for a session, for landing page after responding to an NPS survey (if enabled)", + "Retention period": "Session", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "8a2dd2c4-10e6-4b4b-822e-ae3ed81df334", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "ZD-settings", + "Domain": "", + "Description": "This cookie stores a hash of settings so that we don't keep sending requests to our backend.", + "Retention period": "forever", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "fb2adfe9-53bd-492c-a457-ac2d031d6cab", + "Platform": "Zendesk", + "Category": "Analytics", + "Cookie / Data Key name": "ZD-suid", + "Domain": "", + "Description": "This cookie is used to create a sessionId and track analytics events for pages that load a Web Widget on them.", + "Retention period": "20 minutes", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "e7a580c8-e2f9-4248-8832-5ee438dae837", + "Platform": "Zendesk", + "Category": "Analytics", + "Cookie / Data Key name": "ZD-buid", + "Domain": "", + "Description": "This cookie is used to create a deviceId and track analytics events for pages that load a Web Widget on them.", + "Retention period": "forever", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "383e44e3-424b-4552-bda3-69dcf1228337", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "ZD-store", + "Domain": "", + "Description": "This cookie ensures consistent presentation of the Web Widget (Classic) when an End-User navigates to a new web page.", + "Retention period": "forever", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "ea0498f2-1fa2-4d50-9031-76b07b4bb445", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "ZD-widgetOpen", + "Domain": "", + "Description": "This cookie maintains the open/closed state of the Web Widget across page visits.", + "Retention period": "forever", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "55d88bfa-e9aa-44e8-b808-7fd02321d589", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "ZD-launcherLabelRemoved", + "Domain": "", + "Description": "If the end user chooses to dismiss the launcher label, then we store this value to ensure that the message is not displayed again on other pages.", + "Retention period": "forever", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "14b0c237-10b3-480f-b806-0bbeb78464a0", + "Platform": "Zendesk", + "Category": "Functional", + "Cookie / Data Key name": "_zdsession_talk_embeddables_service", + "Domain": "", + "Description": "This cookie is used for load balancing.", + "Retention period": "Session", + "Data Controller": "Zendesk", + "User Privacy & GDPR Rights Portals": "https://www.zendesk.com/company/agreements-and-terms/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "ad423db0-3408-40c8-a36e-caadfe3c3b23", + "Platform": "Tripadvisor", + "Category": "Functional", + "Cookie / Data Key name": "RT", + "Domain": "www.tamgrt.com", + "Description": "This cookie is used to identify the visitor through an application. This allows the visitor to login to a website through their LinkedIn application for example.", + "Retention period": "399 days", + "Data Controller": "Tripadvisor", + "User Privacy & GDPR Rights Portals": "https://tripadvisor.mediaroom.com/us-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "c3222e48-77ec-4dd3-8919-bddf5c8c3ff2", + "Platform": "Tripadvisor", + "Category": "Marketing", + "Cookie / Data Key name": "TADCID", + "Domain": "www.tamgrt.com", + "Description": "This cookie is used for viewing embedded content from TripAdvisor, including payment of referral commission fees and user tracking across websites.", + "Retention period": "10 years", + "Data Controller": "Tripadvisor", + "User Privacy & GDPR Rights Portals": "https://tripadvisor.mediaroom.com/us-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "6e27e5ed-03b2-4902-af3c-2864b1aac8a5", + "Platform": "Tripadvisor", + "Category": "Marketing", + "Cookie / Data Key name": "ServerPool", + "Domain": "www.tamgrt.com", + "Description": "This cookie is generally provided by TripAdvisor and is used for advertising purposes.", + "Retention period": "Session", + "Data Controller": "Tripadvisor", + "User Privacy & GDPR Rights Portals": "https://tripadvisor.mediaroom.com/us-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "89316efe-5eb5-42d4-9f25-0ab5bc31b954", + "Platform": "Tripadvisor", + "Category": "Analytics", + "Cookie / Data Key name": "TATravelInfo", + "Domain": "", + "Description": "This cookie is used to track visitors across websites to build a profile of search and browsing history.", + "Retention period": "2 years", + "Data Controller": "Tripadvisor", + "User Privacy & GDPR Rights Portals": "https://tripadvisor.mediaroom.com/us-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "20ef6435-b574-471f-a4e5-64f3aa492ef9", + "Platform": "Tripadvisor", + "Category": "Analytics", + "Cookie / Data Key name": "TAUnique", + "Domain": "", + "Description": "This cookie is used to track visitors across websites to build a profile of search and browsing history.", + "Retention period": "Session", + "Data Controller": "Tripadvisor", + "User Privacy & GDPR Rights Portals": "https://tripadvisor.mediaroom.com/us-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "76fc97d6-9856-4f61-bd26-69525c0287c0", + "Platform": "Tripadvisor", + "Category": "Analytics", + "Cookie / Data Key name": "TAReturnTo", + "Domain": "", + "Description": "This cookies is used by TripAdvisor to track the return-to URL after authentication", + "Retention period": "Session", + "Data Controller": "Tripadvisor", + "User Privacy & GDPR Rights Portals": "https://tripadvisor.mediaroom.com/us-privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "5900c207-b897-49b2-a7d4-1154e52f4999", + "Platform": "Underdog Media", + "Category": "Marketing", + "Cookie / Data Key name": "dt", + "Domain": "udmserve.net", + "Description": "This cookie is set by AddThis to allow website visitors to share content on various social networks.", + "Retention period": "1 year", + "Data Controller": "Underdog Media", + "User Privacy & GDPR Rights Portals": "https://underdogmedia.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "06fed02e-37a1-4e9b-bdb3-3450e1a45e20", + "Platform": "Underdog Media", + "Category": "Marketing", + "Cookie / Data Key name": "rtbh", + "Domain": "udmserve.net", + "Description": "This cookie is used to place digital advertising from their Marketing partners on their Publishers' websites via ad placements", + "Retention period": "1 year", + "Data Controller": "Underdog Media", + "User Privacy & GDPR Rights Portals": "https://underdogmedia.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "45f579ca-b4fa-48f7-9321-0e9b37bca204", + "Platform": "Underdog Media", + "Category": "Marketing", + "Cookie / Data Key name": "udmts", + "Domain": "udmserve.net", + "Description": "This cookie is used to place digital advertising from their Marketing partners on their Publishers' websites via ad placements", + "Retention period": "89 days", + "Data Controller": "Underdog Media", + "User Privacy & GDPR Rights Portals": "https://underdogmedia.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ff2d22a3-76ef-40ac-b9fd-4db33a8ad974", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "api_token", + "Domain": ".twitch.tv", + "Description": "This cookies is necessary for the implementation of video-content on the website.", + "Retention period": "3652 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "6e3ec9ad-991d-4ed2-9960-7f679e807d8f", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "unique_id", + "Domain": ".twitch.tv", + "Description": "This cookie is associated with twitch.com. It preserves the user state across page requests.", + "Retention period": "3652 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "3a87903b-d0ad-4e90-8f91-20936b1f5fd2", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "unique_id_durable", + "Domain": ".twitch.tv", + "Description": "This cookie is associated with twitch.com. It allows the host domain to remember the choices you make on the Twitch Services and to provide enhanced and more personalized features, such as customising a webpage, remembering if the host domain has asked you to participate in a promotion and for other services you request, like watching a video or commenting on a blog.", + "Retention period": "3652 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "35d9c60f-e6ef-41a8-b0b9-b64681a74d17", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "session_unique_id", + "Domain": ".twitch.tv", + "Description": "This cookie is use for Twitch.tv which is an online service used for watching or broadcasting live or prerecorded videos across topics such as cooking, travel, art, sports, and video games.", + "Retention period": "Session", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "78c824c5-76b3-4a22-a8f3-e5b5c5cd3366", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "server_session_id", + "Domain": ".twitch.tv", + "Description": "This cookie is associated with twitch.com. It allows the host domain to remember the choices you make on the Twitch Services and to provide enhanced and more personalized features, such as customising a webpage, remembering if the host domain has asked you to participate in a promotion and for other services you request, like watching a video or commenting on a blog.", + "Retention period": "Session", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "d588da5f-9c1c-4163-855b-eab2caf5aec3", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "twitch.lohp.countryCode", + "Domain": ".twitch.tv", + "Description": "This cookie is used for country determination", + "Retention period": "3650 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "517db93f-0cb3-4284-bd84-4542bb21ac1a", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "auth-token", + "Domain": ".twitch.tv", + "Description": "This cookie is used for authentication & authorization", + "Retention period": "Session", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "9b49ae3a-da8c-40ac-bcc7-6e50de1ee29f", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "enable-compact-scene-listing", + "Domain": ".twitch.tv", + "Description": "This cookie is used to store user preference", + "Retention period": "3650 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "87012de6-2eb6-426f-bf14-fbd6d634f94c", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "videoChat.notice_dismissed", + "Domain": ".twitch.tv", + "Description": "This cookie is used to store user preference", + "Retention period": "3650 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "97c0d854-2010-44fe-895a-2c1e5d095858", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "chat_rules_shown", + "Domain": ".twitch.tv", + "Description": "This cookie is used to store user preference", + "Retention period": "3650 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "26563b6c-fd04-4f74-aa34-d2c410d61bba", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "algoliasearch-client-js", + "Domain": ".twitch.tv", + "Description": "This cookie is used for search optimization", + "Retention period": "3650 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "35e705a3-c8ef-4458-b4a4-23959fb3033c", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "device_id", + "Domain": "embed.twitch.tv", + "Description": "This cookie is An ID that uniquely identifies the device the user is using.", + "Retention period": "3650 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "2b6e44fd-18ca-42d6-a9c1-daa38e85a3d9", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "referrer_url", + "Domain": ".twitch.tv", + "Description": "This cookie detects how the user reached the website by registering their last URL-address.", + "Retention period": "3650 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "fe01fce0-8886-48d7-a212-3a369b1ab976", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "sentry_device_id", + "Domain": "player.twitch.tv", + "Description": "This cookie Preserves users states across page requests.", + "Retention period": "3650 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "2b73379e-00be-4784-a134-ad599614062b", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "session_storage_last_visited_twitch_url", + "Domain": "player.twitch.tv", + "Description": "This cookie stores the user's video player preferences using embedded Twitch video", + "Retention period": "3650 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "9d43f248-7cdd-4aa3-8d63-58e09b8de80e", + "Platform": "Twitch", + "Category": "Functional", + "Cookie / Data Key name": "local_storage_app_session_id", + "Domain": "player.twitch.tv", + "Description": "This cookie preserves users states across page requests.", + "Retention period": "3650 days", + "Data Controller": "Twitch", + "User Privacy & GDPR Rights Portals": "https://www.twitch.tv/p/en/legal/privacy-notice/", + "Wildcard match": 0 + }, + { + "ID": "b9499ea1-01bd-432d-8168-d21a0327426e", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "_ceir", + "Domain": "", + "Description": "This cookie tracks whether a visitor has visited the site before", + "Retention period": "1 Year", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "f54b8730-cc52-48f2-8334-83b52736c553", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "_CEFT", + "Domain": "", + "Description": "This cookie stores page variants assigned to visitors for A/B performance testing", + "Retention period": "1 Year", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "1be9449f-bc4f-4d41-970e-476053eafc83", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "_cer.v", + "Domain": "", + "Description": "(Old tracking script) Track whether a visitor has visited the site before", + "Retention period": "31 days", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "163ca291-0166-46df-8f71-e575c67d7fda", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "_ce.s", + "Domain": "", + "Description": "This cookie tracks a recording visitor session unique ID, tracking host and start time", + "Retention period": "1 year", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "b7ea4b59-0230-4acc-80c5-4f5102d4c642", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "_ce.cch", + "Domain": "", + "Description": "This cookie is used to check if cookies can be added.", + "Retention period": "1 second", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "cf69133c-05f0-426f-bd2e-2ff0a29247b1", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "_ce.gtld", + "Domain": "", + "Description": "This cookie is used to identify the top level domain.", + "Retention period": "1 second", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "946819fc-a397-4bcd-bdab-02c28fd4881c", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "ce_need_secure_cookie", + "Domain": "", + "Description": "This cookie is used to determine cookie security parameters.", + "Retention period": "1 second", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "f5996189-c53a-46b8-9936-595fdf3fc959", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "ce_successful_csp_check", + "Domain": "", + "Description": "This cookie is used to determine if the page has a Content Security Policy rule that would prevent tracking.", + "Retention period": "24 hours", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "f16e29b3-8f1f-48cf-bc37-13f5de160398", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "cebs", + "Domain": "crazyegg.com", + "Description": "This cookie is used to track the current user session internally.", + "Retention period": "Session", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "270c528d-f42f-4a3e-9814-5323c1179763", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "cebsp_", + "Domain": "crazyegg.com", + "Description": "This cookie is used to track the current user session internally.", + "Retention period": "Session", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "f996b455-ec7a-41dd-a690-b81d2ef8f04d", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "_ce.clock_event", + "Domain": "", + "Description": "This cookie prevents repeated requests to the Clock API.", + "Retention period": "1 Day", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "d1fe07bd-c00a-48bd-a265-dbcb770ab14a", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "_ce.clock_data", + "Domain": "", + "Description": "This cookie stores the difference in time from the server's time and the current browser.", + "Retention period": "1 Day", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "6819af84-ca4c-4212-ab5a-70b7d256ce8c", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "_ce.irv", + "Domain": "", + "Description": "This cookie used to store isReturning value during the session", + "Retention period": "Session", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "32e96116-4745-49d6-878e-a5d830178812", + "Platform": "Crazy Egg", + "Category": "Analytics", + "Cookie / Data Key name": "ceft_variant_override", + "Domain": "", + "Description": "This cookie stores forced variant id", + "Retention period": "Session", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "11af5a3e-2091-47be-8210-77345faa93ab", + "Platform": "Crazy Egg", + "Category": "Marketing", + "Cookie / Data Key name": "_crazyegg", + "Domain": "", + "Description": "This cookie remembers information related to marketing page features.", + "Retention period": "Session", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "b867baf0-e7bc-4a68-8675-ca12c888a9e4", + "Platform": "Crazy Egg", + "Category": "Functional", + "Cookie / Data Key name": "ce_login", + "Domain": "crazyegg.com", + "Description": "This cookie remembers the last email address you used to login", + "Retention period": "1 year", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "aeae12fc-37ed-4af6-ac98-22095296fb8d", + "Platform": "Crazy Egg", + "Category": "Functional", + "Cookie / Data Key name": "ce_signup_flow", + "Domain": "crazyegg.com", + "Description": "This cookie remembers the signup flow you saw", + "Retention period": "1 year", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "3b47eea1-ae7f-422a-b9a6-981cbd84abac", + "Platform": "Crazy Egg", + "Category": "Marketing", + "Cookie / Data Key name": "ce_signup_partner", + "Domain": "crazyegg.com", + "Description": "This cookie remembers the signup partner you were referred from", + "Retention period": "1 year", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "3582cc0d-9e9a-4d6c-95cb-e898304371c6", + "Platform": "Crazy Egg", + "Category": "Functional", + "Cookie / Data Key name": "ceac", + "Domain": "crazyegg.com", + "Description": "This cookie stores the Account ID number", + "Retention period": "1 year", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "4e96b8dc-abfd-459c-b66a-788ffb6c4b0b", + "Platform": "Crazy Egg", + "Category": "Functional", + "Cookie / Data Key name": "cean", + "Domain": "crazyegg.com", + "Description": "This cookie stores the Anonymous ID number", + "Retention period": "1 month", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "7768efd0-1016-4363-b3a2-f0716d92dfe9", + "Platform": "Crazy Egg", + "Category": "Functional", + "Cookie / Data Key name": "cehc", + "Domain": "crazyegg.com", + "Description": "This cookie shares user information with CrazyEgg's Help Center", + "Retention period": "Session", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "5dabf105-cde0-4a4a-8df8-aa6fc36ec73d", + "Platform": "Crazy Egg", + "Category": "Functional", + "Cookie / Data Key name": "celi", + "Domain": "crazyegg.com", + "Description": "This cookie stores the logged-in Status", + "Retention period": "Session", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "defa038a-bfbe-4987-9401-ad2336113330", + "Platform": "Crazy Egg", + "Category": "Functional", + "Cookie / Data Key name": "cean_assoc", + "Domain": "crazyegg.com", + "Description": "This cookie stores the associates Anonymous ID with logged-in user", + "Retention period": "1 month", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "14f9bb09-3ad4-4768-b8eb-2ef931f04998", + "Platform": "Crazy Egg", + "Category": "Functional", + "Cookie / Data Key name": "first_snapshot_url", + "Domain": "crazyegg.com", + "Description": "This cookie stores the website URL used to create first Snapshot", + "Retention period": "1 year", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "0079bea9-9e84-43ab-87d2-4eea52d102d1", + "Platform": "Crazy Egg", + "Category": "Functional", + "Cookie / Data Key name": "sharing_", + "Domain": "crazyegg.com", + "Description": "This cookie stores the shared item code", + "Retention period": "30 minutes", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 1 + }, + { + "ID": "45d9d81f-3f96-4a54-afea-a7be904d0066", + "Platform": "Crazy Egg", + "Category": "Functional", + "Cookie / Data Key name": "ce_sid", + "Domain": "crazyegg.com", + "Description": "This cookie stores the identify logged-in users", + "Retention period": "Session", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "34ab4bd7-6959-40f1-b9b0-894bc02981a9", + "Platform": "Crazy Egg", + "Category": "Functional", + "Cookie / Data Key name": "cecu", + "Domain": "crazyegg.com", + "Description": "This cookie stores the identify logged-in users", + "Retention period": "Session", + "Data Controller": "Crazy Egg", + "User Privacy & GDPR Rights Portals": "https://www.crazyegg.com/cookies", + "Wildcard match": 0 + }, + { + "ID": "5488906a-6882-4abe-8081-97aa392b99e2", + "Platform": "Lightbox CDN", + "Category": "Functional", + "Cookie / Data Key name": "TiPMix", + "Domain": "api.lightboxcdn.com", + "Description": "Registers which server-cluster is serving the visitor. This is used in context with load balancing, in order to optimize user experience.", + "Retention period": "0 day", + "Data Controller": "Lightbox", + "User Privacy & GDPR Rights Portals": "https://www.lightboxcdn.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0053281f-8f07-432c-a721-f3c9e42fa86f", + "Platform": "Lightbox CDN", + "Category": "Functional", + "Cookie / Data Key name": "x-ms-routing-name", + "Domain": "api.lightboxcdn.com", + "Description": "Registers which server-cluster is serving the visitor. This is used in context with load balancing, in order to optimize user experience.", + "Retention period": "0 day", + "Data Controller": "Lightbox", + "User Privacy & GDPR Rights Portals": "https://www.lightboxcdn.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "21f4f948-dfa9-4d4c-968c-1d754508438a", + "Platform": "Wistia", + "Category": "Functional", + "Cookie / Data Key name": "_distillery", + "Domain": "", + "Description": "This cookie is used by the Wistia video player to remember where you are in a video so that if playback is interrupted (for example, by losing your internet connection) then you can get right back to where you left off.", + "Retention period": "1 Year", + "Data Controller": "Wistia", + "User Privacy & GDPR Rights Portals": "https://wistia.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "24f22140-60d8-4539-a81e-8e426ea8fb8f", + "Platform": "Wistia", + "Category": "Functional", + "Cookie / Data Key name": "muxData", + "Domain": "", + "Description": "This cookie is used by the Wistia video player to remember where you are in a video so that if playback is interrupted (for example, by losing your internet connection) then you can get right back to where you left off.", + "Retention period": "1 Year", + "Data Controller": "Wistia", + "User Privacy & GDPR Rights Portals": "https://wistia.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "21336c35-acaa-44f7-82bd-59f6fb799bf0", + "Platform": "Wistia", + "Category": "Functional", + "Cookie / Data Key name": "wistia-http2-push-disabled", + "Domain": "", + "Description": "This cookie supports performance tracking by Wistia for their Analytics, so we can see how often videos were watched and how users interacted with video functionality.", + "Retention period": "2 Weeks", + "Data Controller": "Wistia", + "User Privacy & GDPR Rights Portals": "https://wistia.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "fc249762-8efb-44fd-91a3-9898e546df7f", + "Platform": "Wistia", + "Category": "Functional", + "Cookie / Data Key name": "_simplex", + "Domain": "", + "Description": "Cookie by Wistia for storing user’s referrer and landing paged details.", + "Retention period": "1 Year", + "Data Controller": "Wistia", + "User Privacy & GDPR Rights Portals": "https://wistia.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "163347db-adfe-4230-a2c6-09fe05c50dd0", + "Platform": "Wistia", + "Category": "Functional", + "Cookie / Data Key name": "wistia", + "Domain": "", + "Description": "This is a cookie required for the video player to work.", + "Retention period": "Session", + "Data Controller": "Wistia", + "User Privacy & GDPR Rights Portals": "https://wistia.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "3afb5f27-5af0-4f47-9b74-a142fea57663", + "Platform": "Wistia", + "Category": "Functional", + "Cookie / Data Key name": "personalization_id", + "Domain": "", + "Description": "This cookie is used by the Wistia video player to remember where you are in a video so that if playback is interrupted (for example, by losing your internet connection) then you can get right back to where you left off.", + "Retention period": "1 Year", + "Data Controller": "Wistia", + "User Privacy & GDPR Rights Portals": "https://wistia.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "20c66ff1-0002-4a39-b7c3-b714cafb6e00", + "Platform": "Wistia", + "Category": "Functional", + "Cookie / Data Key name": "wistia-video-progress-", + "Domain": "", + "Description": "This is a cookie required for the video player to work.", + "Retention period": "Session", + "Data Controller": "Wistia", + "User Privacy & GDPR Rights Portals": "https://wistia.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "59eaca7b-4743-4e60-9b9c-99e9579152c1", + "Platform": "Sonobi", + "Category": "Marketing", + "Cookie / Data Key name": "__uin_rh", + "Domain": "go.sonobi.com", + "Description": "This domain is owned by Sonobi, an automated online advertising buying and selling platform.", + "Retention period": "364 Days", + "Data Controller": "Sonobi", + "User Privacy & GDPR Rights Portals": "https://sonobi.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "6aa42cc8-08ca-490c-82bc-ff5a0c7a8f07", + "Platform": "Sonobi", + "Category": "Marketing", + "Cookie / Data Key name": "__uir_rh", + "Domain": "go.sonobi.com", + "Description": "This domain is owned by Sonobi, an automated online advertising buying and selling platform.", + "Retention period": "32 Days", + "Data Controller": "Sonobi", + "User Privacy & GDPR Rights Portals": "https://sonobi.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "9334749f-8d44-4eec-9b58-50f1ba61d7b2", + "Platform": "Sonobi", + "Category": "Marketing", + "Cookie / Data Key name": "__uis", + "Domain": "go.sonobi.com", + "Description": "This domain is owned by Sonobi, an automated online advertising buying and selling platform.", + "Retention period": "29 Days", + "Data Controller": "Sonobi", + "User Privacy & GDPR Rights Portals": "https://sonobi.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "ad9387f5-e05f-4f72-b6c1-4e811f8b99f7", + "Platform": "Sonobi", + "Category": "Marketing", + "Cookie / Data Key name": "HAPLB3A", + "Domain": "go.sonobi.com", + "Description": "This domain is owned by Sonobi, an automated online advertising buying and selling platform.", + "Retention period": "Session", + "Data Controller": "Sonobi", + "User Privacy & GDPR Rights Portals": "https://sonobi.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "03fb0041-deba-4614-a7b9-7b1f3946e266", + "Platform": "Adkernel", + "Category": "Marketing", + "Cookie / Data Key name": "SSPR_*", + "Domain": ".adkernel.com", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "Session", + "Data Controller": "AdKernel", + "User Privacy & GDPR Rights Portals": "https://adkernel.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e964f6bb-989a-4cab-97c9-c8699a74c0fd", + "Platform": "Adkernel", + "Category": "Marketing", + "Cookie / Data Key name": "SSPZ", + "Domain": ".adkernel.com", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "Session", + "Data Controller": "AdKernel", + "User Privacy & GDPR Rights Portals": "https://adkernel.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "159ebb92-015d-4926-8bb9-8e74185b98f3", + "Platform": "Adkernel", + "Category": "Marketing", + "Cookie / Data Key name": "DSP2F_*", + "Domain": ".adkernel.com", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "Session", + "Data Controller": "AdKernel", + "User Privacy & GDPR Rights Portals": "https://adkernel.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "67c4c78b-696b-4711-8666-66f9ea78abb6", + "Platform": "Adkernel", + "Category": "Marketing", + "Cookie / Data Key name": "ADKUID", + "Domain": ".adkernel.com", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "30 Days", + "Data Controller": "AdKernel", + "User Privacy & GDPR Rights Portals": "https://adkernel.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "45707576-2ced-4b74-bd9c-f06f4204cbf0", + "Platform": "Smaato", + "Category": "Marketing", + "Cookie / Data Key name": "SCM", + "Domain": ".smaato.net", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "3 weeks", + "Data Controller": "Smaato", + "User Privacy & GDPR Rights Portals": "https://www.smaato.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "4477fff0-523f-4a77-87b6-5840b2bd601d", + "Platform": "Smaato", + "Category": "Marketing", + "Cookie / Data Key name": "SCMaps", + "Domain": ".smaato.net", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "3 weeks", + "Data Controller": "Smaato", + "User Privacy & GDPR Rights Portals": "https://www.smaato.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d68b5995-f838-4197-b707-a55958e7e3ab", + "Platform": "Smaato", + "Category": "Marketing", + "Cookie / Data Key name": "SCMsovrn", + "Domain": ".smaato.net", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "3 weeks", + "Data Controller": "Smaato", + "User Privacy & GDPR Rights Portals": "https://www.smaato.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d139acfb-5088-4a27-a68a-f4100d98d49e", + "Platform": "Smaato", + "Category": "Marketing", + "Cookie / Data Key name": "SCMinf", + "Domain": ".smaato.net", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "3 weeks", + "Data Controller": "Smaato", + "User Privacy & GDPR Rights Portals": "https://www.smaato.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "273fefa7-fcbf-4d3d-b0fd-573496ea8532", + "Platform": "Smaato", + "Category": "Marketing", + "Cookie / Data Key name": "SCMo", + "Domain": ".smaato.net", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "3 weeks", + "Data Controller": "Smaato", + "User Privacy & GDPR Rights Portals": "https://www.smaato.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "545dbdc0-8b76-4bf9-a3e1-bdd336dbbf21", + "Platform": "Smaato", + "Category": "Marketing", + "Cookie / Data Key name": "SCMg", + "Domain": ".smaato.net", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "3 weeks", + "Data Controller": "Smaato", + "User Privacy & GDPR Rights Portals": "https://www.smaato.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c75d0a5e-771f-4e77-b388-fa897626f950", + "Platform": "Smaato", + "Category": "Marketing", + "Cookie / Data Key name": "SCM*", + "Domain": ".smaato.net", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "3 weeks", + "Data Controller": "Smaato", + "User Privacy & GDPR Rights Portals": "https://www.smaato.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "881ec129-0c6b-493b-9915-6473e4abdd7f", + "Platform": "Undertone", + "Category": "Marketing", + "Cookie / Data Key name": "UID_EXT_*", + "Domain": ".undertone.com", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "1 year", + "Data Controller": "Undertone", + "User Privacy & GDPR Rights Portals": "https://www.undertone.com/cookies-policy/", + "Wildcard match": 0 + }, + { + "ID": "f7e22e1f-05bb-468a-a8e4-81cd5ac2f8b8", + "Platform": "Undertone", + "Category": "Marketing", + "Cookie / Data Key name": "UTID", + "Domain": ".undertone.com", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "1 year", + "Data Controller": "Undertone", + "User Privacy & GDPR Rights Portals": "https://www.undertone.com/cookies-policy/", + "Wildcard match": 0 + }, + { + "ID": "7eaf40f7-dbed-41ee-baef-9dd8ec96de3d", + "Platform": "Undertone", + "Category": "Marketing", + "Cookie / Data Key name": "UTID_ENC", + "Domain": ".undertone.com", + "Description": "This cookie is used to store the user's unique identifier", + "Retention period": "1 year", + "Data Controller": "Undertone", + "User Privacy & GDPR Rights Portals": "https://www.undertone.com/cookies-policy/", + "Wildcard match": 0 + }, + { + "ID": "8710defa-43b5-4e6f-ab90-e376cc80608f", + "Platform": "Dynamic Yield", + "Category": "Functional", + "Cookie / Data Key name": "DYID", + "Domain": "dynamicyield.com", + "Description": "A Dynamic Yield unique identifier that operates as a key for personalization.", + "Retention period": "1 Year", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "5a808e3a-5b55-402d-b14f-0a9a7fa07089", + "Platform": "Dynamic Yield", + "Category": "Functional", + "Cookie / Data Key name": "_dyid", + "Domain": "", + "Description": "A Dynamic Yield unique identifier that operates as a key for personalization.", + "Retention period": "30 Days", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "227a4e4b-95e9-4369-ae3d-c6d4d939cf73", + "Platform": "Dynamic Yield", + "Category": "Functional", + "Cookie / Data Key name": "_dyid_server", + "Domain": "", + "Description": "A Dynamic Yield unique identifier that operates as a key for personalization.", + "Retention period": "1 Year", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "0b6ac001-ea10-47fd-9194-879e17dd3e33", + "Platform": "Dynamic Yield", + "Category": "Functional", + "Cookie / Data Key name": "DYSES", + "Domain": "dynamicyield.com", + "Description": "A Dynamic Yield unique identifier that operates as a key for personalization.", + "Retention period": "Session", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "7cc2becf-64c8-4b8d-8f02-dab23cd749e9", + "Platform": "Dynamic Yield", + "Category": "Functional", + "Cookie / Data Key name": "_dyjsession", + "Domain": "", + "Description": "A Dynamic Yield unique identifier that operates as a key for personalization.", + "Retention period": "Session", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "3e09816e-0431-4dbc-ae98-6d069f4acec5", + "Platform": "Dynamic Yield", + "Category": "Analytics", + "Cookie / Data Key name": "_dy_csc_ses", + "Domain": "", + "Description": "This cookie tracks when a user closes their browser.", + "Retention period": "Session", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "dbe7e1a0-8629-4bba-8360-1590924eb100", + "Platform": "Dynamic Yield", + "Category": "Analytics", + "Cookie / Data Key name": "_dycmc", + "Domain": "", + "Description": "This cookie maintains a simple heuristic that detects users who actively delete cookies (cookie deleters). The 'cookie deleter' markup is collected within the reported page visit data.", + "Retention period": "30 Days", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "abf64c28-06ce-465e-8c34-ce9afa25d1a3", + "Platform": "Dynamic Yield", + "Category": "Functional", + "Cookie / Data Key name": "_dycnst", + "Domain": "", + "Description": "This cookie is used to remember user cookie consent preferences.", + "Retention period": "30 Days", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "d8761772-c21c-4bb4-98b4-8847d414ceb5", + "Platform": "Dynamic Yield", + "Category": "Functional", + "Cookie / Data Key name": "_dy_lu_ses", + "Domain": "", + "Description": "This cookie determines the first page URL a user comes from, and its validity.", + "Retention period": "Session", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "d0d57808-0561-4d75-90cb-5ddfe705eefc", + "Platform": "Dynamic Yield", + "Category": "Analytics", + "Cookie / Data Key name": "_dy_df_geo", + "Domain": "", + "Description": "This cookie is used for audience creation purposes to store geographical location data (country, state, city).", + "Retention period": "30 Days", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "bf54ed5d-1d55-4351-9ea4-489c79021d1f", + "Platform": "Dynamic Yield", + "Category": "Analytics", + "Cookie / Data Key name": "_dy_geo", + "Domain": "", + "Description": "This cookie is for audience creation purposes to store geographical location data (country, continent, area, city).", + "Retention period": "30 Days", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "78039679-2b5d-4448-8614-a6e910ca056c", + "Platform": "Dynamic Yield", + "Category": "Analytics", + "Cookie / Data Key name": "_dycst", + "Domain": "", + "Description": "This cookie is used for audience creation purposes to collect data about the user-agent and associated window size.", + "Retention period": "30 Days", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "36b7e0ce-d90e-4704-9fa1-0426a6d4c515", + "Platform": "Dynamic Yield", + "Category": "Functional", + "Cookie / Data Key name": "_dy_ses_load_seq", + "Domain": "", + "Description": "This cookie is used for experimentation and A/B testing purposes, to detect browser sessions.", + "Retention period": "30 Days", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "aa79b9c3-7c65-40a0-a0bb-b651cd08c529", + "Platform": "Dynamic Yield", + "Category": "Functional", + "Cookie / Data Key name": "_dy_soct", + "Domain": "", + "Description": "This cookie controls the frequency of periodically-activated campaigns. Without this cookie, periodically-activated campaigns would be either disabled or executed upon every page load.", + "Retention period": "1 Year", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "dbba5c14-c173-41c0-9540-10d28dfbd714", + "Platform": "Dynamic Yield", + "Category": "Functional", + "Cookie / Data Key name": "_dy_toffset", + "Domain": "", + "Description": "This cookie validates the user's clock drift (for computers that don't sync their clock with the internet).", + "Retention period": "30 Days", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "8e0efa35-9c3b-44fe-bb65-611e931b6a40", + "Platform": "Dynamic Yield", + "Category": "Functional", + "Cookie / Data Key name": "dy_fs_page", + "Domain": "", + "Description": "This cookie indicates the URL of the first page a user visits when they start a session on a website, and targets a user by the first page of their session.", + "Retention period": "Session", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "6286b45d-8d5d-408c-ac29-21f886db14b7", + "Platform": "Dynamic Yield", + "Category": "Marketing", + "Cookie / Data Key name": "_dy_cs_storage_items", + "Domain": "", + "Description": "This cookie is used for proprietary custom implementation on your website, for Dynamic Yield campaigns to operate correctly.", + "Retention period": "30 Days", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "c4df34a5-4977-44ff-aef3-5171377079e7", + "Platform": "Dynamic Yield", + "Category": "Marketing", + "Cookie / Data Key name": "_dy_cs_cookie_items", + "Domain": "", + "Description": "This cookie is used for proprietary custom implementation on your website, for Dynamic Yield campaigns to operate correctly.", + "Retention period": "30 Days", + "Data Controller": "Dynamic Yield", + "User Privacy & GDPR Rights Portals": "https://www.dynamicyield.com/gdpr-and-privacy/", + "Wildcard match": 0 + }, + { + "ID": "732f627b-a707-4235-8a4c-09a449a530ae", + "Platform": "Blue", + "Category": "Marketing", + "Cookie / Data Key name": "ckid", + "Domain": ".getblue.io", + "Description": "‍This cookie is an identifier (ID) provided by the user's internet browser and is used to match the user with relevant products in marketing campaigns.", + "Retention period": "1 Year", + "Data Controller": "Blue", + "User Privacy & GDPR Rights Portals": "https://getblue.io/privacy/en/", + "Wildcard match": 0 + }, + { + "ID": "37e1c3c6-67fc-4f2c-bc17-c9f6875759fb", + "Platform": "Blue", + "Category": "Marketing", + "Cookie / Data Key name": "hash", + "Domain": ".getblue.io", + "Description": "‍Is a randomly generated identifier (ID) that ensures the impossibility of identifying a user, precisely to maintain their anonymity. The ID is generated from the ckid.", + "Retention period": "1 Year", + "Data Controller": "Blue", + "User Privacy & GDPR Rights Portals": "https://getblue.io/privacy/en/", + "Wildcard match": 0 + }, + { + "ID": "50f46639-0d0a-405e-b213-651bdcdcf224", + "Platform": "Blue", + "Category": "Marketing", + "Cookie / Data Key name": "BLUEID", + "Domain": ".getblue.io", + "Description": "‍Identifier (ID) generated by Blue to ensure that a user is not identified more than once and generates duplication in the system, even if he/she leaves the internet browser and generates another browsing session.", + "Retention period": "1 Year", + "Data Controller": "Blue", + "User Privacy & GDPR Rights Portals": "https://getblue.io/privacy/en/", + "Wildcard match": 0 + }, + { + "ID": "4ab0c431-6077-409d-8770-e4a0bbaf0c8e", + "Platform": "Instagram", + "Category": "Marketing", + "Cookie / Data Key name": "ig_did", + "Domain": "instagram.com", + "Description": "This is a targeting cookie used to track Instagram user visits.", + "Retention period": "9 years", + "Data Controller": "Meta", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/privacy/policies/cookies", + "Wildcard match": 0 + }, + { + "ID": "6388d7b1-5c73-4d53-a796-e31141ad69c6", + "Platform": "Instagram", + "Category": "Marketing", + "Cookie / Data Key name": "ig_cb", + "Domain": "instagram.com", + "Description": "This cookie enables the correct functionality of the Instagram plugins, such as embedded Instagram posts", + "Retention period": "9 years", + "Data Controller": "Meta", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/privacy/policies/cookies", + "Wildcard match": 0 + }, + { + "ID": "43a54857-f48c-4ce5-b3f7-d9ae215a1e3c", + "Platform": "Instagram", + "Category": "Marketing", + "Cookie / Data Key name": "ds_user_id", + "Domain": "instagram.com", + "Description": "This is a targeting cookie used to optimize advertising on Instagram.", + "Retention period": "3 months", + "Data Controller": "Meta", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/privacy/policies/cookies", + "Wildcard match": 0 + }, + { + "ID": "b41b30aa-a06b-414e-aa07-d7a4d7b93331", + "Platform": "Instagram", + "Category": "Functional", + "Cookie / Data Key name": "mid", + "Domain": "instagram.com", + "Description": "This is a functionality cookie used to optimize the use of Instagram on the website", + "Retention period": "9 years", + "Data Controller": "Meta", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/privacy/policies/cookies", + "Wildcard match": 0 + }, + { + "ID": "a9725896-5643-4551-bfd6-ea7fc1786235", + "Platform": "Instagram", + "Category": "Marketing", + "Cookie / Data Key name": "fbm_", + "Domain": "instagram.com", + "Description": "This is a targeting cookie used to track Instagram user visits.", + "Retention period": "1 year", + "Data Controller": "Meta", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/privacy/policies/cookies", + "Wildcard match": 1 + }, + { + "ID": "ce5b6982-456d-4a6b-b1e1-dd15bfa20b53", + "Platform": "Instagram", + "Category": "Marketing", + "Cookie / Data Key name": "shbid", + "Domain": "instagram.com", + "Description": "This is a targeting cookie used to optimize advertising on Instagram.", + "Retention period": "1 year", + "Data Controller": "Meta", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/privacy/policies/cookies", + "Wildcard match": 0 + }, + { + "ID": "8a23089a-d044-40b2-8746-40de4cb194d3", + "Platform": "Instagram", + "Category": "Marketing", + "Cookie / Data Key name": "shbts", + "Domain": "instagram.com", + "Description": "This is a targeting cookie used to optimize advertising on Instagram.", + "Retention period": "1 year", + "Data Controller": "Meta", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/privacy/policies/cookies", + "Wildcard match": 0 + }, + { + "ID": "efe0b018-36c9-42a3-853c-07acf2994d9e", + "Platform": "Instagram", + "Category": "Marketing", + "Cookie / Data Key name": "sessionid", + "Domain": "instagram.com", + "Description": "This is a performance cookie used to collect data about people logging in and out of the website.", + "Retention period": "1 year", + "Data Controller": "Meta", + "User Privacy & GDPR Rights Portals": "https://www.facebook.com/privacy/policies/cookies", + "Wildcard match": 0 + }, + { + "ID": "5782b653-4dda-4c65-95cc-4ffc77225b3d", + "Platform": "Parse.ly", + "Category": "Functional", + "Cookie / Data Key name": "_parsely_visitor", + "Domain": "", + "Description": "JSON document uniquely identifying a browser and counting its sessions", + "Retention period": "13 months", + "Data Controller": "Parse.ly", + "User Privacy & GDPR Rights Portals": "https://docs.parse.ly/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5808bdcc-7072-4357-9aec-1e934196c4ae", + "Platform": "Parse.ly", + "Category": "Functional", + "Cookie / Data Key name": "_parsely_tpa_blocked", + "Domain": "", + "Description": "JSON document storing a flag indicating whether pixel.parsely.com is not accessible by the tracker", + "Retention period": "12 hours", + "Data Controller": "Parse.ly", + "User Privacy & GDPR Rights Portals": "https://docs.parse.ly/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0501adf2-3bfe-40b2-80ba-26539b5ba742", + "Platform": "Parse.ly", + "Category": "Functional", + "Cookie / Data Key name": "_parsely_slot_click", + "Domain": "", + "Description": "explicitly cleared on some tracker loads, JSON document storing positional information about a clicked internal link", + "Retention period": "Session", + "Data Controller": "Parse.ly", + "User Privacy & GDPR Rights Portals": "https://docs.parse.ly/privacy/", + "Wildcard match": 0 + }, + { + "ID": "76d43987-6345-45aa-8927-c11a403e5bd3", + "Platform": "Parse.ly", + "Category": "Functional", + "Cookie / Data Key name": "_parsely_session", + "Domain": "", + "Description": "JSON document storing information identifying a browsing session according to Parsely’s proprietary definition", + "Retention period": "30 minutes", + "Data Controller": "Parse.ly", + "User Privacy & GDPR Rights Portals": "https://docs.parse.ly/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5945b0d0-0c34-457e-b152-95b529d93c59", + "Platform": "Parse.ly", + "Category": "Functional", + "Cookie / Data Key name": "test", + "Domain": "", + "Description": "This cookie is used to discover cookie support, value undefined", + "Retention period": "Session", + "Data Controller": "Parse.ly", + "User Privacy & GDPR Rights Portals": "https://docs.parse.ly/privacy/", + "Wildcard match": 0 + }, + { + "ID": "519f44b8-dd1e-444e-a8e8-0f98ee4429ae", + "Platform": "Codepen", + "Category": "Functional", + "Cookie / Data Key name": "__editor_layout", + "Domain": "codepen.io", + "Description": "Used for Codepen, which in turn is used for some blog articles and documentation", + "Retention period": "29 days", + "Data Controller": "Codepen", + "User Privacy & GDPR Rights Portals": "https://blog.codepen.io/documentation/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "ed6fdae4-3410-4cb7-a4bc-2a0685484004", + "Platform": "Codepen", + "Category": "Functional", + "Cookie / Data Key name": "codepen_session", + "Domain": "codepen.io", + "Description": "Used by CodePen when embedding CodePen snippets.", + "Retention period": "29 days", + "Data Controller": "Codepen", + "User Privacy & GDPR Rights Portals": "https://blog.codepen.io/documentation/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "43ac3289-6f0d-4798-ad61-5c97ae6f6866", + "Platform": "Codepen", + "Category": "Functional", + "Cookie / Data Key name": "codepen_signup_referrer", + "Domain": "codepen.io", + "Description": "Used by Codepen to store the signup referral platform", + "Retention period": "1 year", + "Data Controller": "Codepen", + "User Privacy & GDPR Rights Portals": "https://blog.codepen.io/documentation/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7def2cea-7b58-4db9-adb8-89cd8ce04a7b", + "Platform": "Codepen", + "Category": "Functional", + "Cookie / Data Key name": "codepen_signup_referrer_date", + "Domain": "codepen.io", + "Description": "Used by Codepen to store the latest date of signup referral platform", + "Retention period": "1 year", + "Data Controller": "Codepen", + "User Privacy & GDPR Rights Portals": "https://blog.codepen.io/documentation/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "465b540d-242f-4c04-a311-f99f6919a574", + "Platform": "Rudderstack", + "Category": "Analytics", + "Cookie / Data Key name": "rl_user_id", + "Domain": "", + "Description": "Stores the user ID set via the identify API. All the subsequent event payloads will contain this data unless cleared from the storage.", + "Retention period": "Session", + "Data Controller": "Rudderstack", + "User Privacy & GDPR Rights Portals": "https://www.rudderstack.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "317f41d4-f867-4950-8052-8da7753e36f0", + "Platform": "Rudderstack", + "Category": "Analytics", + "Cookie / Data Key name": "rl_trait", + "Domain": "", + "Description": "Stores the user traits object set via the identify API. All the subsequent event payloads will contain this data unless cleared from the storage.", + "Retention period": "Session", + "Data Controller": "Rudderstack", + "User Privacy & GDPR Rights Portals": "https://www.rudderstack.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b815b5c5-b725-4cd5-be5f-361690624fdf", + "Platform": "Rudderstack", + "Category": "Analytics", + "Cookie / Data Key name": "rl_anonymous_id", + "Domain": "", + "Description": "Stores the anonymous ID. By default, it would be the auto-generated unique ID by SDK for each visitor unless overridden via setAnonymousId API. All the subsequent event payloads will contain this data unless cleared from the storage.", + "Retention period": "Session", + "Data Controller": "Rudderstack", + "User Privacy & GDPR Rights Portals": "https://www.rudderstack.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "61baebbc-a5dd-45e9-8ac2-e014ba605592", + "Platform": "Rudderstack", + "Category": "Analytics", + "Cookie / Data Key name": "rl_group_id", + "Domain": "", + "Description": "Stores the user group ID set via the group API. All the subsequent group event payloads will contain this data unless cleared from the storage.", + "Retention period": "Session", + "Data Controller": "Rudderstack", + "User Privacy & GDPR Rights Portals": "https://www.rudderstack.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "35cc1397-b6aa-49a3-bffd-9d98174fad68", + "Platform": "Rudderstack", + "Category": "Analytics", + "Cookie / Data Key name": "rl_group_trait", + "Domain": "", + "Description": "Stores the user group traits object set via the group API. All the subsequent group event payloads will contain this data unless cleared from the storage.", + "Retention period": "Session", + "Data Controller": "Rudderstack", + "User Privacy & GDPR Rights Portals": "https://www.rudderstack.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "5d8e6d7a-fb9e-4a6b-8061-4af4076bd445", + "Platform": "Rudderstack", + "Category": "Analytics", + "Cookie / Data Key name": "rl_page_init_referrer", + "Domain": "", + "Description": "Stores the initial referrer of the page when a user visits a site for the first time. All the subsequent event payloads will contain this data.", + "Retention period": "Session", + "Data Controller": "Rudderstack", + "User Privacy & GDPR Rights Portals": "https://www.rudderstack.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "50d326e8-f1dd-41e9-9109-4902a7dcdc1e", + "Platform": "Rudderstack", + "Category": "Analytics", + "Cookie / Data Key name": "rl_page_init_referring_domain", + "Domain": "", + "Description": "Stores the initial referring domain of the page when a user visits a site for the first time. All the subsequent event payloads will contain this data.", + "Retention period": "Session", + "Data Controller": "Rudderstack", + "User Privacy & GDPR Rights Portals": "https://www.rudderstack.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "1ce30314-07df-42c3-91a4-f21214a55c85", + "Platform": "Rudderstack", + "Category": "Analytics", + "Cookie / Data Key name": "test_rudder_cookie", + "Domain": "", + "Description": "Checks whether the cookie storage of a browser is accessible or not. Once checked, the SDK removes the cookie immediately.", + "Retention period": "Session", + "Data Controller": "Rudderstack", + "User Privacy & GDPR Rights Portals": "https://www.rudderstack.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "18e73abd-fd44-46bb-bf26-bf872c1e413a", + "Platform": "Rudderstack", + "Category": "Analytics", + "Cookie / Data Key name": "rl_session", + "Domain": "", + "Description": "Stores the session-related information including sessionId if session tracking is enabled.", + "Retention period": "Session", + "Data Controller": "Rudderstack", + "User Privacy & GDPR Rights Portals": "https://www.rudderstack.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "dd1d20ab-9026-49f6-9dfc-da58e61d1d87", + "Platform": "Rudderstack", + "Category": "Analytics", + "Cookie / Data Key name": "rl_auth_token", + "Domain": "", + "Description": "Stores the authentication token passed by the user.", + "Retention period": "Session", + "Data Controller": "Rudderstack", + "User Privacy & GDPR Rights Portals": "https://www.rudderstack.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "6872681f-bd3e-4739-b537-42dd1a243383", + "Platform": "Marketo", + "Category": "Analytics", + "Cookie / Data Key name": "_biz_uid", + "Domain": "", + "Description": "Uniquely identify a user on the current domain.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "2ea76867-7945-4cd4-95b4-cc006bb531d3", + "Platform": "Marketo", + "Category": "Analytics", + "Cookie / Data Key name": "_biz_nA", + "Domain": "", + "Description": "A sequence number that Marketo Measure includes for all requests for internal diagnostics purposes.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "f192e2bb-8841-4006-90ac-282c451e28bd", + "Platform": "Marketo", + "Category": "Analytics", + "Cookie / Data Key name": "_biz_flagsA", + "Domain": "", + "Description": "A cookie that stores various user information, such as form submission, cross-domain migration, view-through pixel, tracking opt-out status, etc.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "6d8a7ee3-d851-43ce-a349-bd63b21fc173", + "Platform": "Marketo", + "Category": "Analytics", + "Cookie / Data Key name": "_biz_pendingA", + "Domain": "", + "Description": "Temporarily stores analytics data until successfully sent to Marketo Measure server.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "057ba5c8-fef4-4c36-8557-3bc6cc6ad58b", + "Platform": "Marketo", + "Category": "Analytics", + "Cookie / Data Key name": "_biz_ABTestA", + "Domain": "", + "Description": "List of checksums from Optimizely and Visual Web Optimizer ABTests data that have already been reported, preventing bizible.js from resending collected data.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "b94f5b91-1499-4c5e-9a04-b489c8e87418", + "Platform": "Marketo", + "Category": "Analytics", + "Cookie / Data Key name": "_biz_su", + "Domain": "", + "Description": "Universal user ID to identify a user across multiple domains, only applicable to tenants with integration bypassing ITP limitations.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "684d5f16-b7d4-4fe9-94a1-80c0846c04fa", + "Platform": "Marketo", + "Category": "Analytics", + "Cookie / Data Key name": "_biz_EventA", + "Domain": "", + "Description": "Universal user ID to identify a user across multiple domains, only applicable to tenants with integration bypassing ITP limitations.", + "Retention period": "1 year", + "Data Controller": "Adobe", + "User Privacy & GDPR Rights Portals": "https://www.adobe.com/privacy.html", + "Wildcard match": 0 + }, + { + "ID": "c3c96be1-5140-4eda-a602-46922d29a0a6", + "Platform": "CreativeCDN", + "Category": "Marketing", + "Cookie / Data Key name": "c", + "Domain": "creativecdn.com", + "Description": "Regulates the synchronization of user identification and the exchange of your data between various advertising services.", + "Retention period": "364 days", + "Data Controller": "RTB House", + "User Privacy & GDPR Rights Portals": "https://rtbhouse.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "4d78a605-8c8c-45b7-b634-e302f2de71b9", + "Platform": "CreativeCDN", + "Category": "Marketing", + "Cookie / Data Key name": "g", + "Domain": "creativecdn.com", + "Description": "This domain is associated with the delivery of advertising material or scripts for advertising content. It is a service used by advertising agencies to optimize their online ad campaigns.", + "Retention period": "364 days", + "Data Controller": "RTB House", + "User Privacy & GDPR Rights Portals": "https://rtbhouse.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "c94b8488-dd75-498c-acc2-0066d3491366", + "Platform": "CreativeCDN", + "Category": "Functional", + "Cookie / Data Key name": "ts", + "Domain": "creativecdn.com", + "Description": "This cookie is associated with creativecdn.com. It is provided by PayPal and supports payment services in the website.", + "Retention period": "365 days", + "Data Controller": "RTB House", + "User Privacy & GDPR Rights Portals": "https://rtbhouse.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "f72e5a6e-eef9-4a06-953f-dceb9b83d2a2", + "Platform": "CreativeCDN", + "Category": "Marketing", + "Cookie / Data Key name": "u", + "Domain": "creativecdn.com", + "Description": "This cookie is associated with creativecdn.com. It collects unidentifiable data that is sent to an unidentifiable source. The source's identity is kept secret by the company, Perfect Privacy LLC.", + "Retention period": "365 days", + "Data Controller": "RTB House", + "User Privacy & GDPR Rights Portals": "https://rtbhouse.com/privacy-center", + "Wildcard match": 0 + }, + { + "ID": "db33df93-05a2-46fe-907c-6cc4db027221", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "obsessionid-", + "Domain": "", + "Description": "This cookie stores a unique identifier of the session so that we don’t show only the same recommendations on the same session", + "Retention period": "30 minutes", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/privacy/", + "Wildcard match": 1 + }, + { + "ID": "2b4b46a2-4ba8-4b58-9524-f7512a40edad", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "opout", + "Domain": "", + "Description": "This cookie holds information about optout from Outbrain personalized advertising", + "Retention period": "1 year", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6ba80d08-2bc7-4eec-8eb8-dd04f15513bc", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "recs-", + "Domain": "", + "Description": "This cookie stores the recommendations we’re recommending so that we don’t show only the same recommendations on the same page", + "Retention period": "1 minute", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/privacy/", + "Wildcard match": 1 + }, + { + "ID": "bb72e585-0930-476a-933b-1bfc70c39c5d", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "europe", + "Domain": "", + "Description": "This cookie stores if the user is from Europe", + "Retention period": "1 hour", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "03f4a1e5-b526-495b-a43c-7c7085c69bf5", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "ref-", + "Domain": "", + "Description": "This cookie stores the referring document information to identify the source of traffic to improve contextual recommendations", + "Retention period": "1 minute", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "6bb347de-93fd-4ef7-b8a9-c0915904a99d", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "auid", + "Domain": "", + "Description": "This cooki holds the advertising ID of the User on mobile devices. Used for tracking user actions, such as pages visited and clicks on recommendations, and personalized advertisinge", + "Retention period": "90 days", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "73575c75-8275-4def-8e2e-0cfaaa0863da", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "outbrain_dicbo_id", + "Domain": "", + "Description": "This cookie Used for conversion attribution when a browser does not allow third party cookies", + "Retention period": "1 day", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "ccbe2ed3-7a50-4631-85c0-808cda07d878", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "unifiedPixel", + "Domain": "", + "Description": "Collects data on the user’s navigation and behavior on the website. This is used to compile statistical reports and heatmaps for the website owner.", + "Retention period": "Seesion", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7bf2c3db-4dfe-4a66-acac-877ed851f451", + "Platform": "Outbrain", + "Category": "Marketing", + "Cookie / Data Key name": "dicbo_id", + "Domain": "", + "Description": "Collects statistics concerning the visitors' use of the website and its general functionality. This is used to optimize and compile reports on the website for comparison through a third party analysis service.", + "Retention period": "1 day", + "Data Controller": "Outbrain", + "User Privacy & GDPR Rights Portals": "https://www.outbrain.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "bcc12926-42e9-4d0a-babe-f4620a2517e1", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_c", + "Domain": "", + "Description": "Consent state: digit between 0 and 3. Used for capturing analytics on web pages", + "Retention period": "13 months", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "580edc72-81a6-43cb-a6c7-9b0d1e9c26b4", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_cvars", + "Domain": "", + "Description": "This cookie is used to capture analytics on the web page", + "Retention period": "Session", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b8bc149e-2402-4cd8-ae8a-c5c33ce8198b", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_id", + "Domain": "", + "Description": "Contains: user ID, timestamp (in seconds) of user creation, number of visits for this user", + "Retention period": "13 months", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "708840fc-4e5a-4f97-9eea-a8d98658cbfe", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_s", + "Domain": "", + "Description": "Number of page views for the current session, and the recording state", + "Retention period": "1 Year", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f7c354d6-9f86-48f7-912f-db91cdc919f2", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "__CT_Data", + "Domain": "", + "Description": "This cookie is used to count the number of a guest’s pageviews or visits", + "Retention period": "1 Year", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "fbab3b9e-b616-430a-ab0b-a43e019c3e34", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_CT_RS_", + "Domain": "", + "Description": "This cookie is used to capture analytics on the web page", + "Retention period": "1 Year", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "62a126bc-52ef-4561-b5c4-73c62bd0205c", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "WRUID", + "Domain": "", + "Description": "This cookie is used for analytics", + "Retention period": "1 Year", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "8f3e6e50-fb5b-4944-bee6-d6769b4340f4", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_ex", + "Domain": "", + "Description": "This cookie stores if the user is excluded from tracking. Contains the timestamp of the last time this visitor was drawn.", + "Retention period": "30 days", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "eb9d685d-8ba0-4788-a2e2-4f62428a163e", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_optout", + "Domain": "", + "Description": "This cookie stores the user is optout", + "Retention period": "13 months", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "2b5bc1e0-21d3-423a-9330-49af19038766", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_rl", + "Domain": "", + "Description": "This cookie is used for a few integrations we have that require us to generate replay links and put them into cookies.", + "Retention period": "1 year", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "4c41564b-3a85-433c-a7c4-b531a8ab6887", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_root-domain", + "Domain": "", + "Description": "Use as a test cookie to get the root domain name excluding subdomains for cookie. For more technical, info we almost use the same code as this", + "Retention period": "Session", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b61b8ea5-8904-459a-aca6-4849647be124", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "WRIgnore", + "Domain": "", + "Description": "This cookie is created to indicate that the user was not selected during random ratio check. This user will not participate again in the random ratio check for as long as the life time of the cookie.", + "Retention period": "Session", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "76bb3ba0-ecac-496b-8106-a43642ef7126", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "WRBlock", + "Domain": "clicktale.net", + "Description": "If a visitor to client’s website does not wish to be tracked by the software, Clicking this link shall place a cookie on the visitor’s machine for the purpose of blocking any recording by the Contentsquare software of this visitor’s session.", + "Retention period": "1 Year", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "2575d044-80c7-4065-b5b7-60f07a83eb2e", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_same_site", + "Domain": "", + "Description": "Check if the browser supports the SameSite flag", + "Retention period": "Immediately removed", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "9bb17fb1-a130-4b6b-84ed-3195db434a57", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_debug", + "Domain": "", + "Description": "Enables/disables specific behavior of the Tag for debugging purposes", + "Retention period": "Session", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7c6f3d0f-4c13-481e-8d2a-dabeb1fa3922", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_hjasCachedUserAttributes", + "Domain": "", + "Description": "Specifies whether the data set in _hjUserAttributes Local Storage item is up to date or not", + "Retention period": "Session", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "f433181c-7fdc-4115-9c42-c6840115d306", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_hjUserAttrbutesHash", + "Domain": "", + "Description": "Specifies whether any user attribute has changed and needs to be updated", + "Retention period": "2 minutes", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0636a6ba-7efa-4ee9-b136-83662e856c44", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_hjUserAttributes", + "Domain": "", + "Description": "Stores user attributes sent through the Identify API.", + "Retention period": "no expiration", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7c35b433-7a25-4ed3-b3b7-6b627ba1c324", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_hp2_hld", + "Domain": "", + "Description": "Used to determine the highest-level domain a cookie can be set on (since public suffix domains block setting cookies on the top level).", + "Retention period": "Session", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7cc5c996-bb93-41ad-b9ca-6934210a5f32", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_hp5_event_props.", + "Domain": "", + "Description": "Event properties cookie.", + "Retention period": "13 months", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "15f9462d-24ed-4be6-ac64-627e85f708e0", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_hp5_meta.", + "Domain": "", + "Description": "Contains all metadata related to user/session", + "Retention period": "13 months", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "b0d045e7-7328-4f79-8c84-ff259650b400", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_mk_aa", + "Domain": "", + "Description": "Ensures Adobe dimensions and eVars are set only once every 30 minutes. Stores the value of the csMatchingKey which is a random number plus timestamp in milliseconds.", + "Retention period": "30 minutes", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0a4f78bb-ef65-4ace-96d0-11e16ebeb56c", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_mk_ga", + "Domain": "", + "Description": "Ensures Google dimensions and eVars are set only once every 30 minutes. Stores the value of the csMatchingKey which is a random number plus timestamp in milliseconds.", + "Retention period": "30 minutes", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "25d7bdfe-d629-4aed-8bac-dd05edec9f2a", + "Platform": "ContentSquare", + "Category": "Analytics", + "Cookie / Data Key name": "_cs_tld", + "Domain": "", + "Description": "Cookies generated for Google Analytics and Adobe Analytics integrations which help determine the main domain on which create integration cookies.", + "Retention period": "Session", + "Data Controller": "ContentSquare", + "User Privacy & GDPR Rights Portals": "https://contentsquare.com/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "b25ace6d-d68b-402e-831a-fb6196e2a890", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "app_manifest_token", + "Domain": "", + "Description": "This cookie is used during the App Manifest flow to maintain the state of the flow during the redirect to fetch a user session.", + "Retention period": "5 minutes", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "a4d91ed6-af63-4f0c-93a2-30fb51e3853c", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "color_mode", + "Domain": "github.com", + "Description": "This cookie is used to indicate the user selected theme preference.", + "Retention period": "Session", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "c8f5614d-4e04-4ed3-b8fc-d240cef552f4", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "_device_id", + "Domain": "github.com", + "Description": "This cookie is used to track recognized devices for security purposes.", + "Retention period": "1 Year", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "20cfba6b-e334-4768-8f22-cb9f85605dbc", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "dotcom_user", + "Domain": "github.com", + "Description": "This cookie is used to signal to us that the user is already logged in.", + "Retention period": "1 Year", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "8ad6a3fa-2a51-49cd-84ad-672e72353bbb", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "enterprise_trial_redirect_to", + "Domain": "", + "Description": "This cookie is used to complete a redirect for trial users", + "Retention period": "5 minutes", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "08f46536-4ba5-4319-8cf7-71039636bd9d", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "fileTreeExpanded", + "Domain": "", + "Description": "Used to indicate whether the file tree on the code view was last expanded or collapsed", + "Retention period": "30 days", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "9d65865c-cf7e-4dd1-90b9-b3ce27b269fe", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "ghcc", + "Domain": "github.com", + "Description": "This cookie validates user's choice about cookies", + "Retention period": "180 days", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "e14899c6-49e5-43aa-ab76-1f6ce2d97303", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "_gh_ent", + "Domain": "github.com", + "Description": "This cookie is used for temporary application and framework state between pages like what step the customer is on in a multiple step form.", + "Retention period": "2 Weeks", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "9928c1b6-ea5c-47ea-81cd-534c8759d8c5", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "_gh_sess", + "Domain": "github.com", + "Description": "_gh_sess\tThis cookie is used for temporary application and framework state between pages like what step the user is on in a multiple step form.", + "Retention period": "Session", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "eed9ad8d-7ed2-49aa-8fbb-50cab39fde27", + "Platform": "GitHub", + "Category": "Security", + "Cookie / Data Key name": "gist_oauth_csrf", + "Domain": "github.com", + "Description": "This cookie is set by Gist to ensure the user that started the oauth flow is the same user that completes it.", + "Retention period": "Deleted when oauth state is validated", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "cbf75633-e82a-4a05-925b-4fc968e36322", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "gist_user_session", + "Domain": "", + "Description": "This cookie is used by Gist when running on a separate host.", + "Retention period": "2 Weeks", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "1d6181ab-3786-4d50-a1b2-d8554c0e92f1", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "has_recent_activity", + "Domain": "", + "Description": "This cookie is used to prevent showing the security interstitial to users that have visited the app recently.", + "Retention period": "1 Hour", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "fe83679a-3e82-40f3-945f-02532f3231b0", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "__Host-gist_user_session_same_site", + "Domain": "", + "Description": "This cookie is set to ensure that browsers that support SameSite cookies can check to see if a request originates from GitHub.", + "Retention period": "2 Weeks", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "dcbb8249-77d3-4be8-8a60-93c0f3040d07", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "__Host-user_session_same_site", + "Domain": "", + "Description": "This cookie is set to ensure that browsers that support SameSite cookies can check to see if a request originates from GitHub.", + "Retention period": "2 Weeks", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "0c4026a0-2601-4014-a655-dd1cd9e4b21c", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "marketplace_repository_ids", + "Domain": "", + "Description": "This cookie is used for the marketplace installation flow.", + "Retention period": "1 Hour", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "5bd1ad23-be05-452b-bcec-21bf3f5def0a", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "marketplace_suggested_target_id", + "Domain": "", + "Description": "This cookie is used for the marketplace installation flow.", + "Retention period": "1 Hour", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "1cda36c2-d4de-4041-a559-0e04add6d5c8", + "Platform": "GitHub", + "Category": "Analytics", + "Cookie / Data Key name": "_octo", + "Domain": "github.com", + "Description": "This cookie is used for session management including caching of dynamic content, conditional feature access, support request metadata, and first party analytics", + "Retention period": "1 Year", + "Data Controller": "GitHub", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "3b618df1-c07b-453f-b656-962ddf81f844", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "org_transform_notice", + "Domain": "github.com", + "Description": "This cookie is used to provide notice during organization transforms.", + "Retention period": "1 hour", + "Data Controller": "Github", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "1a996542-d9ba-403c-8672-d1e9c64643ad", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "private_mode_user_session", + "Domain": "github.com", + "Description": "This cookie is used for Enterprise authentication requests.", + "Retention period": "2 Weeks", + "Data Controller": "Github", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "e7057704-2cf2-4225-8688-3b1dec98d596", + "Platform": "GitHub", + "Category": "Security", + "Cookie / Data Key name": "saml_csrf_token", + "Domain": "github.com", + "Description": "This cookie is set by SAML auth path method to associate a token with the client.", + "Retention period": "Session", + "Data Controller": "Github", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "8b6c98c8-11b2-43ae-9494-28101459d19b", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "saml_return_to", + "Domain": "github.com", + "Description": "This cookie is set by the SAML auth path method to maintain state during the SAML authentication loop.", + "Retention period": "Session", + "Data Controller": "Github", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "717e8db0-f065-48fa-a9e2-27f531e07a9c", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "saml_return_to_legacy", + "Domain": "github.com", + "Description": "This cookie is set by the SAML auth path method to maintain state during the SAML authentication loop.", + "Retention period": "Session", + "Data Controller": "Github", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "6b5d73d3-c706-47ea-b814-2229922c25a6", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "show_cookie_banner", + "Domain": "github.com", + "Description": "Set based on the client’s region and used to determine if a cookie consent banner should be shown", + "Retention period": "Session", + "Data Controller": "Github", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "cefe7cb7-8d84-41f0-93e9-eecb5b7729f7", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "tz", + "Domain": "github.com", + "Description": "This cookie allows us to customize timestamps to your time zone.", + "Retention period": "Session", + "Data Controller": "Github", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "630d660f-008f-43bc-af5a-ea1d49d9adff", + "Platform": "GitHub", + "Category": "Functional", + "Cookie / Data Key name": "user_session", + "Domain": "github.com", + "Description": "This cookie is used to log you in.", + "Retention period": "2 Weeks", + "Data Controller": "Github", + "User Privacy & GDPR Rights Portals": "https://docs.github.com/en/site-policy/privacy-policies/github-general-privacy-statement", + "Wildcard match": 0 + }, + { + "ID": "b21820c7-dfa5-48cb-a2ca-d6ac3c56346d", + "Platform": "Amplitude", + "Category": "Analytics", + "Cookie / Data Key name": "AMP_", + "Domain": "cdn.amplitude.com", + "Description": "Registers statistical data on users' behaviour on the website. Used for internal analytics by the website operator.", + "Retention period": "1 year", + "Data Controller": "Amplitude", + "User Privacy & GDPR Rights Portals": "https://amplitude.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "bf7543ae-ce76-491b-8e7b-d0f660a85abd", + "Platform": "Amplitude", + "Category": "Analytics", + "Cookie / Data Key name": "AMP_MKTG_", + "Domain": "cdn.amplitude.com", + "Description": "Registers statistical data on users' behaviour on the website. Used for internal analytics by the website operator.", + "Retention period": "1 year", + "Data Controller": "Amplitude", + "User Privacy & GDPR Rights Portals": "https://amplitude.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "7747f0a2-4f4d-4df1-a3a2-d95a665ba841", + "Platform": "Amplitude", + "Category": "Analytics", + "Cookie / Data Key name": "AMP_TEST", + "Domain": "cdn.amplitude.com", + "Description": "Registers statistical data on users' behaviour on the website. Used for internal analytics by the website operator.", + "Retention period": "1 year", + "Data Controller": "Amplitude", + "User Privacy & GDPR Rights Portals": "https://amplitude.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "18c060f7-eb9b-427d-b6ab-b277c9e677e6", + "Platform": "Amplitude", + "Category": "Analytics", + "Cookie / Data Key name": "AMP_TLDTEST", + "Domain": "cdn.amplitude.com", + "Description": "Registers statistical data on users' behaviour on the website. Used for internal analytics by the website operator.", + "Retention period": "Session", + "Data Controller": "Amplitude", + "User Privacy & GDPR Rights Portals": "https://amplitude.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "d06a9c1e-d873-4826-8186-cc437a073366", + "Platform": "Amplitude", + "Category": "Analytics", + "Cookie / Data Key name": "amplitude_cookie_test", + "Domain": ".amplitude.com", + "Description": "the cookie is used to test whether the user has cookies enabled, and the SDK should remove it when the test completes", + "Retention period": "Session", + "Data Controller": "Amplitude", + "User Privacy & GDPR Rights Portals": "https://amplitude.com/privacy", + "Wildcard match": 0 + }, + { + "ID": "ebe39442-ad25-4c0a-82e8-354ceeedbf2b", + "Platform": "Amplitude", + "Category": "Analytics", + "Cookie / Data Key name": "amplitude_id_", + "Domain": ".amplitude.com", + "Description": "In previous versions of the Amplitude JavaScript SDK, the cookie key was set by default to amplitude_id; this may appear in projects that use an SDK version prior to 6.0.0. In that case, the cookie is set under the key", + "Retention period": "Session", + "Data Controller": "Amplitude", + "User Privacy & GDPR Rights Portals": "https://amplitude.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "67d55592-bfca-4d9b-a337-82167e12d2d8", + "Platform": "Amplitude", + "Category": "Analytics", + "Cookie / Data Key name": "amplitude_test", + "Domain": ".amplitude.com.", + "Description": "The Amplitude SDK uses this cookie to test more thoroughly if cookies are available. By default, the key is used as amplitude_cookie_test, but as mentioned above, the SDK should remove this cookie after the test.", + "Retention period": "Session", + "Data Controller": "Amplitude", + "User Privacy & GDPR Rights Portals": "https://amplitude.com/privacy", + "Wildcard match": 1 + }, + { + "ID": "ff4d4d46-828e-485b-a9b1-be01bb1761bf", + "Platform": "Convert Insights", + "Category": "Functional", + "Cookie / Data Key name": "_conv_r", + "Domain": "", + "Description": "This cookie is used as a referral-cookie that stores the visitor’s profile – the cookie is overwritten when the visitor re-enters the website and new information on the visitor is collected and stored.", + "Retention period": "Session", + "Data Controller": "Convert", + "User Privacy & GDPR Rights Portals": "https://www.convert.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "d32e006e-c945-41c0-a134-2b5dbd22756d", + "Platform": "Convert Insights", + "Category": "Functional", + "Cookie / Data Key name": "_conv_s", + "Domain": "", + "Description": "This cookie contains an ID string on the current session. This contains non-personal information on what subpages the visitor enters – this information is used to optimize the visitor's experience.", + "Retention period": "1 day", + "Data Controller": "Convert", + "User Privacy & GDPR Rights Portals": "https://www.convert.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "3369b1ba-9d1b-4632-aeb6-b8aff2afa25b", + "Platform": "Convert Insights", + "Category": "Functional", + "Cookie / Data Key name": "_conv_v", + "Domain": "", + "Description": "This cookie is used to identify the frequency of visits and how long the visitor is on the website. The cookie is also used to determine how many and which subpages the visitor visits on a website – this information can be used by the website to optimize the domain and its subpages.", + "Retention period": "6 months", + "Data Controller": "Convert", + "User Privacy & GDPR Rights Portals": "https://www.convert.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "88746458-9d68-45c7-86e7-753de44ecba6", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "QSI_HistorySession", + "Domain": "", + "Description": "Used in lieu of the “Site History” cookie, for the same purpose (keeping track of the number page views as well as how long the visitor has been on the site).", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "41b84788-c060-46e1-a704-7a6a3434e5a3", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "QSI_OptInIDsAndWindowNames", + "Domain": "", + "Description": "These two keys contain the Intercept ID mapped to any PopUnder opened by said intercept, as well as a map from the Intercept ID to the page “origin” that it originally came from. This is then used to update the PopUnder with updated Embedded Data upon navigation (unload), with the origin being used as additional security for the cross-window postMessage targetOrigin field.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "865e9a39-0548-454b-83ca-c98ff785acb4", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "QSI_OptInIDsAndTargetOrigins", + "Domain": "", + "Description": "These two keys contain the Intercept ID mapped to any PopUnder opened by said intercept, as well as a map from the Intercept ID to the page “origin” that it originally came from. This is then used to update the PopUnder with updated Embedded Data upon navigation (unload), with the origin being used as additional security for the cross-window postMessage targetOrigin field.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "e84c73fa-78bf-43d3-a9db-85b8a6fc423c", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "SiteReferrer", + "Domain": "", + "Description": "These are used for supporting certain targeting conditions, such as which website originally referred the site visitor. They are typically set in session storage, but in the event they are unavailable, cookies will be used as a fallback.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "2e3daef7-81c0-419b-a7d8-47369e8189e2", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "PageReferrer", + "Domain": "", + "Description": "These are used for supporting certain targeting conditions, such as which website originally referred the site visitor. They are typically set in session storage, but in the event they are unavailable, cookies will be used as a fallback.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "3e7b3845-bc8d-46ad-93fb-e985fcdd09a5", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "SearchTerm", + "Domain": "", + "Description": "These are used for supporting certain targeting conditions, such as which website originally referred the site visitor. They are typically set in session storage, but in the event they are unavailable, cookies will be used as a fallback.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "f6e5e61a-93d2-462c-9fc5-4d7f68c46e16", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "FocusTime", + "Domain": "", + "Description": "These are used for supporting certain targeting conditions, such as which website originally referred the site visitor. They are typically set in session storage, but in the event they are unavailable, cookies will be used as a fallback.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "71ac22d9-6ae7-4acf-9203-6ad1a75d4d7e", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "BlurTime", + "Domain": "", + "Description": "These are used for supporting certain targeting conditions, such as which website originally referred the site visitor. They are typically set in session storage, but in the event they are unavailable, cookies will be used as a fallback.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "521dc84b-efad-4dee-a908-eb576c3122d6", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "ActionSetHistory", + "Domain": "", + "Description": "These are used for supporting certain targeting conditions, such as which website originally referred the site visitor. They are typically set in session storage, but in the event they are unavailable, cookies will be used as a fallback.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "81e97a96-265c-4008-9990-094bd74d31d2", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "SISessID", + "Domain": "", + "Description": "The SISessID and CPSessID cookies are set and used when a Qualtrics user logs into Qualtrics. The value of these cookies is an identifier that is used to retrieve information about a user’s logged-in session in the Website / App Insights Portal. It is important to note that this cookie is only set for users of the Qualtrics product (not your website visitors).", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "2f1d1518-f411-42c9-8d23-7c39027fc71a", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "CPSessID", + "Domain": "", + "Description": "The SISessID and CPSessID cookies are set and used when a Qualtrics user logs into Qualtrics. The value of these cookies is an identifier that is used to retrieve information about a user’s logged-in session in the Website / App Insights Portal. It is important to note that this cookie is only set for users of the Qualtrics product (not your website visitors).", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "79cec494-bca6-4e58-9093-f7f74d02b481", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "QSI_ReplaySession_Info_", + "Domain": "", + "Description": "This cookie is used for identifying the session that is being recorded. This is necessary for recording page changes and reloads to be recorded on the same session. It contains information like sessionId, creationDataCenter, and sessionStartTime in a JSON format.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 1 + }, + { + "ID": "3833c9c6-992d-49bd-a8bd-47fb21f38990", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "QSI_TestSessions_", + "Domain": "", + "Description": "This cookie is used to determine whether the session is recorded in test session mode. A test session debugger will appear and sessions recorded will be identified by a test session label. This value is a boolean.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 1 + }, + { + "ID": "9f99a32b-e1cd-45fa-8610-b03f7c6c9a67", + "Platform": "Qualtrics", + "Category": "Analytics", + "Cookie / Data Key name": "QSI_SI_", + "Domain": "", + "Description": "Used to determine whether or not we should display a survey on repeated user visits within a period", + "Retention period": "30 days", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 1 + }, + { + "ID": "4f6ba99f-8400-443c-ac26-41ab5cdea972", + "Platform": "Qualtrics", + "Category": "Functional", + "Cookie / Data Key name": "QSI_S_", + "Domain": "", + "Description": "Used to track visits and sampling rate set in the survey", + "Retention period": "7 days", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 1 + }, + { + "ID": "6f38d9ba-f18b-41c4-b17e-a6fdc4f00999", + "Platform": "Qualtrics", + "Category": "Functional", + "Cookie / Data Key name": "QST", + "Domain": "", + "Description": "Qualtrics surveys will add a persistent cookie (QST) that is used to prevent the same person from taking the same survey multiple times. Website / App Insights also uses this cookie to evaluate “survey has been taken” logic in action sets. See the Submitting Survey Sessions section for more information on how this cookie works.", + "Retention period": "6 months", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "6f59d228-e3a5-4e33-a075-a58cfdce57cf", + "Platform": "Qualtrics", + "Category": "Functional", + "Cookie / Data Key name": "QSIPopUnder_PopUnderTarget_SI_", + "Domain": "", + "Description": "It helps Qualtrics prevent displaying another pop under if there is already one. This prevents multiple windows from crowding a site visitor", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 1 + }, + { + "ID": "09d734af-a978-4818-8399-1bf780905962", + "Platform": "Qualtrics", + "Category": "Functional", + "Cookie / Data Key name": "QSI_CT", + "Domain": "", + "Description": "This cookie is used for tracking events. It has a counter of each event and the number of times that event has occurred. For instance, if there are 2 different events that you are tracking.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "aa7a5320-806f-4be5-8306-0945697f6965", + "Platform": "Qualtrics", + "Category": "Functional", + "Cookie / Data Key name": "QSI_DATA", + "Domain": "", + "Description": "This cookie is used for cookie storage and will only be set if both session and local storage do not exist. It is extremely rare that session storage is not set in the browser window. QSI_DATA is rarely used.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "46b5db74-4e7f-4351-846d-6f3cca368069", + "Platform": "Qualtrics", + "Category": "Functional", + "Cookie / Data Key name": "QSI_ReplaySession_Throttled_", + "Domain": "", + "Description": "This cookie is used to stop session creation and recording due to an encountered error. This value is a boolean. This cookie is ignored if it is a test session.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 1 + }, + { + "ID": "7efc2926-e1be-4f45-b473-95b9d0fb3897", + "Platform": "Qualtrics", + "Category": "Functional", + "Cookie / Data Key name": "QSI_ReplaySession_SampledOut_", + "Domain": "", + "Description": "This cookie is used to stop session creation due to the session being sampled-out. The sampling percentage is determined by the sample rate set in your session replay settings. This value is a boolean. This cookie is ignored if it is a test session.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 1 + }, + { + "ID": "de2a7c9e-ae19-43e3-b743-581399876b45", + "Platform": "Qualtrics", + "Category": "Functional", + "Cookie / Data Key name": "Site History", + "Domain": "", + "Description": "This cookie tracks the URLs of the web pages that the user visited. The pages must have the site intercept code snippet for tracking to work. By default, the maximum size is 2000 bytes, but you can specify a different size in your intercept settings.", + "Retention period": "Session", + "Data Controller": "Qualtrics", + "User Privacy & GDPR Rights Portals": "https://www.qualtrics.com/privacy-statement/", + "Wildcard match": 0 + }, + { + "ID": "7d819a49-adcf-452d-9835-82d9b0c16c28", + "Platform": "CognitoForms", + "Category": "Analytics", + "Cookie / Data Key name": "c-referrer", + "Domain": "", + "Description": "We use cookies to understand who referred users to our Website to support our referral program and provide referral discounts. We do not store user identifiable information in these cookies.", + "Retention period": "Session", + "Data Controller": "CognitoForms", + "User Privacy & GDPR Rights Portals": "https://www.cognitoforms.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "84acce09-87e3-474f-8e22-47f5be26feae", + "Platform": "CognitoForms", + "Category": "Analytics", + "Cookie / Data Key name": "c-signup", + "Domain": "", + "Description": "We use cookies to understand who referred users to our Website to support our referral program and provide referral discounts. We do not store user identifiable information in these cookies.", + "Retention period": "Session", + "Data Controller": "CognitoForms", + "User Privacy & GDPR Rights Portals": "https://www.cognitoforms.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "08df25aa-3bcd-4bf6-b564-e9429a042acf", + "Platform": "CognitoForms", + "Category": "Analytics", + "Cookie / Data Key name": "c-plan", + "Domain": "", + "Description": "We use cookies to understand who referred users to our Website to support our referral program and provide referral discounts. We do not store user identifiable information in these cookies.", + "Retention period": "Session", + "Data Controller": "CognitoForms", + "User Privacy & GDPR Rights Portals": "https://www.cognitoforms.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "1b7a215a-b927-48ba-8322-fec72caaa494", + "Platform": "CognitoForms", + "Category": "Analytics", + "Cookie / Data Key name": "cognito.services.a", + "Domain": "", + "Description": "We use cookies to identify the user session when users log in to use the Website. This cookie is required for the secure operation of our Services.", + "Retention period": "Session", + "Data Controller": "CognitoForms", + "User Privacy & GDPR Rights Portals": "https://www.cognitoforms.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "19263269-c750-499f-8658-dc682c31db3c", + "Platform": "CognitoForms", + "Category": "Analytics", + "Cookie / Data Key name": "cognito.organization", + "Domain": "", + "Description": "We use cookies to identify the user session when users log in to use the Website. This cookie is required for the secure operation of our Services.", + "Retention period": "Session", + "Data Controller": "CognitoForms", + "User Privacy & GDPR Rights Portals": "https://www.cognitoforms.com/legal/privacy", + "Wildcard match": 0 + }, + { + "ID": "18a74785-383b-4285-8a65-f8fa38e49528", + "Platform": "RD Station", + "Category": "Marketing", + "Cookie / Data Key name": "rdtrk", + "Domain": ".rdstation.com.br", + "Description": "Save a list of all pages that the visitor accessed within your domain, even before conversion (only for accounts with access to Lead Tracking).", + "Retention period": "1 Year", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "18a74785-383b-4285-8a65-f8fa38e49528", + "Platform": "RD Station", + "Category": "Marketing", + "Cookie / Data Key name": "_rdtrk", + "Domain": ".rdstation.com.br", + "Description": "Save a list of all pages that the visitor accessed within your domain, even before conversion (only for accounts with access to Lead Tracking).", + "Retention period": "1 Year", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0dac273e-d156-4d1b-8ff2-5bbb02d8a2d2", + "Platform": "RD Station", + "Category": "Marketing", + "Cookie / Data Key name": "_rd_experiment_version", + "Domain": ".rdstation.com.br", + "Description": "Ensure that the user always sees the same version of an A/B test, preserving the experience and consistency of results.", + "Retention period": "1 Year", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "99972044-edcb-4aaf-9d5c-8d9e589bc37b", + "Platform": "RD Station", + "Category": "Functional", + "Cookie / Data Key name": "_form_fields", + "Domain": "", + "Description": "Automatically fill in previously answered fields.", + "Retention period": "3 months", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "d96f0506-ee23-47c6-8b2f-0ea927d129cd", + "Platform": "RD Station", + "Category": "Marketing", + "Cookie / Data Key name": "_rdlps_pp", + "Domain": ".rdstation.com.br", + "Description": "Do not require the same visitor to answer the same questions in a smart form.", + "Retention period": "6 months", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "fc80409e-3c64-4a93-be75-24f55b5cc23c", + "Platform": "RD Station", + "Category": "Marketing", + "Cookie / Data Key name": "_rd_wa_first_session", + "Domain": "", + "Description": "Save the website from which the visitor first accessed.", + "Retention period": "30 minutes", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "dea16c0d-9075-4f89-a6ea-7dd6ff822b6f", + "Platform": "RD Station", + "Category": "Marketing", + "Cookie / Data Key name": "_sp_wa_first_session", + "Domain": "", + "Description": "Save the website from which the visitor first accessed.", + "Retention period": "30 minutes", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "1bccfb8b-3f59-4415-91f4-a23cda38c69d", + "Platform": "RD Station", + "Category": "Marketing", + "Cookie / Data Key name": "_rd_wa_id", + "Domain": "", + "Description": "Save information regarding the existence of a session in progress, to differentiate visits.", + "Retention period": "30 minutes", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "dc61a8f2-ec65-4e82-acdf-3a2fe0814e4f", + "Platform": "RD Station", + "Category": "Marketing", + "Cookie / Data Key name": "_sp_wa_id", + "Domain": "", + "Description": "Save information regarding the existence of a session in progress, to differentiate visits.", + "Retention period": "30 minutes", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "649895fe-4fd2-41d8-aea6-3c8ec780d1ef", + "Platform": "RD Station", + "Category": "Marketing", + "Cookie / Data Key name": "_rd_wa_ses_id", + "Domain": "", + "Description": "Store the visitor's unique identifier, the time it was created, the visit count, the current time, the time of the last visit and the session id.", + "Retention period": "30 minutes", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "d4d85af1-e8f2-4829-86f8-8b9c6e671e8b", + "Platform": "RD Station", + "Category": "Marketing", + "Cookie / Data Key name": "_sp_wa_ses_id", + "Domain": "", + "Description": "Store the visitor's unique identifier, the time it was created, the visit count, the current time, the time of the last visit and the session id.", + "Retention period": "30 minutes", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "195d2596-f735-4e42-97d7-53cc39c19fee", + "Platform": "RD Station", + "Category": "Marketing", + "Cookie / Data Key name": "_sp_root_domain_test_", + "Domain": "", + "Description": "Checks the site's main domain. Does not store data.", + "Retention period": "Session", + "Data Controller": "RD Station", + "User Privacy & GDPR Rights Portals": "https://legal.rdstation.com/pt/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0630bb73-376e-4992-886c-6c78fc78b4a7", + "Platform": "Next", + "Category": "Functional", + "Cookie / Data Key name": "NEXT_LOCALE", + "Domain": "", + "Description": "This cookie can be set using a language switcher and then when a user comes back to the site it will leverage the locale specified in the cookie when redirecting from / to the correct locale location.", + "Retention period": "Session", + "Data Controller": "NextJS", + "User Privacy & GDPR Rights Portals": "https://vercel.com/legal/privacy-policy", + "Wildcard match": 0 + }, + { + "ID": "a044c987-0b3a-41e3-9ede-13d2dc1829c0", + "Platform": "Dynatrace", + "Category": "Analytics", + "Cookie / Data Key name": "dtCookie", + "Domain": "", + "Description": "This cookie is used by RUM API, Dynatrace Real User Monitoring (RUM) gives you the power to know your customers by providing performance analysis in real time.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 1 + }, + { + "ID": "dfc3c3d7-d314-42b0-9e98-ed4ac9b370d2", + "Platform": "Dynatrace", + "Category": "Analytics", + "Cookie / Data Key name": "dtLatC", + "Domain": "", + "Description": "This cookie is used by RUM API, Dynatrace Real User Monitoring (RUM) gives you the power to know your customers by providing performance analysis in real time.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 1 + }, + { + "ID": "4a89af4a-84f6-45b5-b67c-88541699e47f", + "Platform": "Dynatrace", + "Category": "Analytics", + "Cookie / Data Key name": "dtPC", + "Domain": "", + "Description": "This cookie is used by RUM API, Dynatrace Real User Monitoring (RUM) gives you the power to know your customers by providing performance analysis in real time.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 1 + }, + { + "ID": "470cffe2-d07c-4149-9c93-f9dbb2ae9df9", + "Platform": "Dynatrace", + "Category": "Analytics", + "Cookie / Data Key name": "dtSa", + "Domain": "", + "Description": "This cookie is used by RUM API, Dynatrace Real User Monitoring (RUM) gives you the power to know your customers by providing performance analysis in real time.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0af45812-4ee6-4734-b980-5ce475073d5a", + "Platform": "Dynatrace", + "Category": "Analytics", + "Cookie / Data Key name": "dtValidationCookie", + "Domain": "", + "Description": "This cookie is used by RUM API, Dynatrace Real User Monitoring (RUM) gives you the power to know your customers by providing performance analysis in real time.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "21a22fd7-cb31-4371-a4ba-47a4dd46cf63", + "Platform": "Dynatrace", + "Category": "Analytics", + "Cookie / Data Key name": "dtDisabled", + "Domain": "", + "Description": "This cookie is used by RUM API, Dynatrace Real User Monitoring (RUM) gives you the power to know your customers by providing performance analysis in real time.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "900ee1d0-ed6d-490b-8d8c-bf8b7289e8d3", + "Platform": "Dynatrace", + "Category": "Analytics", + "Cookie / Data Key name": "rxVisitor", + "Domain": "", + "Description": "This cookie is used by RUM API, Dynatrace Real User Monitoring (RUM) gives you the power to know your customers by providing performance analysis in real time.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 1 + }, + { + "ID": "35a94d29-e5dc-446b-b07c-bc3af7091878", + "Platform": "Dynatrace", + "Category": "Analytics", + "Cookie / Data Key name": "rxvt", + "Domain": "", + "Description": "This cookie is used by RUM API, Dynatrace Real User Monitoring (RUM) gives you the power to know your customers by providing performance analysis in real time.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "fd0f587c-469b-48ce-adcf-90f0a540753a", + "Platform": "Dynatrace", + "Category": "Functional", + "Cookie / Data Key name": "b925d32c", + "Domain": "", + "Description": "Indicates if a user is logged in or not.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "5f010d1e-9de7-415f-b039-e8e0328cc8b5", + "Platform": "Dynatrace", + "Category": "Functional", + "Cookie / Data Key name": "ssoCSRFCookie", + "Domain": "", + "Description": "Serves as cross-site request forgery (CSRF) protection when moving between servlets in SSO.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "59954794-590a-4917-81a7-bd9904f3530b", + "Platform": "Dynatrace", + "Category": "Functional", + "Cookie / Data Key name": "p23mn32t", + "Domain": "", + "Description": "Contains a unique Base32 identifier that indicates to SSO that a user is logging in from a new device. The identifier is created based on the user login, browser, and user agent.", + "Retention period": "5 Years", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "b72924fb-0127-4472-8591-7d036449e6dc", + "Platform": "Dynatrace", + "Category": "Functional", + "Cookie / Data Key name": "l34kn6no", + "Domain": "", + "Description": "Stores the OpenID state when SSO acts as a relying party, for example, for signing in with Microsoft using OpenID.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "732ba915-e5c1-4e24-9d5a-a83cc8f14999", + "Platform": "Dynatrace", + "Category": "Functional", + "Cookie / Data Key name": "iu2g34bw", + "Domain": "", + "Description": "Stores the OpenID code_verifier when SSO acts as a relying party, for example, for signing in with Microsoft using OpenID.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "25575b6d-b813-4943-bdcc-ee0055f01190", + "Platform": "Dynatrace", + "Category": "Functional", + "Cookie / Data Key name": "a69k21bb", + "Domain": "", + "Description": "Stores redirect_uri upon successful sign-in when SSO acts as a relying party, for example, for signing in with Microsoft using OpenID.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "10a075a8-de2a-4152-ae52-e98e6ea29a42", + "Platform": "Dynatrace", + "Category": "Functional", + "Cookie / Data Key name": "cgq80xhu", + "Domain": "", + "Description": "Contains an SHA-256 hash of a random UUID. When a user signs in via OpenID, this cookie is used to track the session state via the SSO OpenID iFrame and perform frontend logout if necessary.", + "Retention period": "Session", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "2948a85f-cd71-486d-a964-083d8914fa71", + "Platform": "Dynatrace", + "Category": "Functional", + "Cookie / Data Key name": "72ddbc27", + "Domain": "", + "Description": "Added when a user selects the Remember me option to store their credentials. Thanks to this option, the user doesn't have to provide their credentials again when the session expires, and the user is logged in automatically.", + "Retention period": "3 months", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "7af877a4-749c-48d3-ac6e-95711dbd11e8", + "Platform": "Dynatrace", + "Category": "Functional", + "Cookie / Data Key name": "kj76fg4h", + "Domain": "", + "Description": "Prevents the user from becoming stuck following a failed federated login if the user selected the Remember me option to store their credentials. If the user is signed in, this cookie is deleted.", + "Retention period": "5 minutes", + "Data Controller": "Dynatrace", + "User Privacy & GDPR Rights Portals": "https://www.dynatrace.com/company/trust-center/privacy/", + "Wildcard match": 0 + }, + { + "ID": "0e705d10-4024-4c60-8b2d-28842ebc6796", + "Platform": "Command Act X", + "Category": "Marketing", + "Cookie / Data Key name": "tc_cj_v2", + "Domain": ".commander1.com", + "Description": "Used for user customer journey storage for TMS deduplication (channel and source storage).", + "Retention period": "1 year", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b5518973-f9d4-45c1-b9c9-4ff5942c22ee", + "Platform": "Command Act X", + "Category": "Marketing", + "Cookie / Data Key name": "tc_cj_v2_cmp.", + "Domain": ".commander1.com", + "Description": "Used for user customer journey storage for TMS deduplication (campaign storage).", + "Retention period": "1 year", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7ef0345c-2c84-44ba-be13-e1e1c96907c0", + "Platform": "Command Act X", + "Category": "Marketing", + "Cookie / Data Key name": "tc_cj_v2_med", + "Domain": ".commander1.com", + "Description": "Used for user customer journey storage for TMS deduplication (medium storage).", + "Retention period": "1 year", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "863e4f22-5626-43a4-94d6-1ced6b8be45d", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "tc_test_cookie", + "Domain": "", + "Description": "Cookie linked to the display of the privacy banner, it allows to check whether cookies can be deposited and not to redisplay the consent banner when consent is given. Deposited then disappears, cannot be deleted. Technical cookie (exempted)", + "Retention period": "1 year", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "9f379dc3-985d-4b5f-b7b6-7e8e8f95b046", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "TCIPD", + "Domain": "", + "Description": "Used to identify visitors exposed to the privacy banner. CMP Commanders Act uses this cookie to measure statistics for privacy banner usage until visitors provide consent for the TCID cookie. With this 2-cookie system, CMP Commanders Act is the only CMP that has been granted the right of exemption from consent for statistical measurement by the French CNIL", + "Retention period": "1 year", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e8bc046a-749b-42be-84b5-7330f97cbddb", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "TC_PRIVACY", + "Domain": "", + "Description": "Used for user status storage (optin or optout) and Privacy banner display.", + "Retention period": "396 days", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "cc7848f2-beff-47fa-8060-18ab25014130", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "TC_PRIVACY_CENTER", + "Domain": "", + "Description": "Used to display the optin/optout categories in the Privacy Center if the user re-open it.", + "Retention period": "396 days", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "3946ef23-be15-49f6-bdab-d706b3b729a8", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "TC_OUTPUT", + "Domain": "", + "Description": "Used for user status storage (optin or optout) and Privacy banner display.", + "Retention period": "396 days", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "3489486a-0126-417f-8608-a8ed5382632f", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "TC_OUTPUT_categories", + "Domain": "", + "Description": "Used to display the optin/optout categories in the Privacy Center if the user re-open it.", + "Retention period": "396 days", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "5a02db54-5138-419a-ae95-1af637837dfa", + "Platform": "Command Act X", + "Category": "Marketing", + "Cookie / Data Key name": "CAID", + "Domain": "", + "Description": "The CAID is the user identifier for cookie 1st", + "Retention period": "1 year", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0816860a-31d8-45bb-95f2-a1881fd38977", + "Platform": "Command Act X", + "Category": "Marketing", + "Cookie / Data Key name": "TCID", + "Domain": ".commander1.com​", + "Description": "Visitor identifier used to compute deduplicated statistics per user (for campaign and on-site tracking, segmentation, ...). CMP Commanders Act uses this cookie to measure statistics for privacy banner performance after a visitor provided consent. Before users provided consent CMP Commanders Act uses the TCPID cookie to measure anonymous statistics for privacy banner.", + "Retention period": "1 year", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "7eefaf3b-4778-4482-954f-348ad2914db8", + "Platform": "Command Act X", + "Category": "Marketing", + "Cookie / Data Key name": "WID", + "Domain": ".commander1.com", + "Description": "Used to identify when the browser is closed in order to split page views into multiple functional sessions.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0ced0414-b600-49af-9308-df018f4c1401", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "tc_sample_", + "Domain": "", + "Description": "Used for visitor and session sampling in the TMSCommander rules.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "6265ce8b-2dab-47d0-aa20-6f5a9191ba36", + "Platform": "Command Act X", + "Category": "Marketing", + "Cookie / Data Key name": "TMS", + "Domain": ".commander1.com​", + "Description": "Used when the deduplication is based on CAMPAIGN tracking (so the CAMPAIGN tracking is taken into account and not the landing page tracking)", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "36ec783a-fb89-4ceb-9e02-2a1341dd7708", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "TC_CHECK_COOKIES_SUPPORT", + "Domain": "", + "Description": "Technical cookie, TMS verification of Cookies deposit (exempted)", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "deb22580-8984-4b44-a457-a1298081b143", + "Platform": "Command Act X", + "Category": "Marketing", + "Cookie / Data Key name": "TCSESSION", + "Domain": ".commander1.com", + "Description": "Used to calculate CAMPAIGN metrics based on the session.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "9633369d-8bb2-40c0-9edd-796bd19c1e66", + "Platform": "Command Act X", + "Category": "Marketing", + "Cookie / Data Key name": "TCREDIRECT", + "Domain": ".commander1.com", + "Description": "Used to deduplicate clicks (if redirect, just store the page view and ignore the click).", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "e7391647-deef-4047-9142-a73b2deca4f5", + "Platform": "Command Act X", + "Category": "Marketing", + "Cookie / Data Key name": "TCLANDINGURL", + "Domain": ".commander1.com", + "Description": "Used to store landing page URL for CAMPAIGN raw data.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "0b908651-60ef-4899-9f00-4e643874bbcc", + "Platform": "Command Act X", + "Category": "Analytics", + "Cookie / Data Key name": "TCAUDIENCE", + "Domain": "", + "Description": "Used to store the user segment for user targeting.", + "Retention period": "1 year", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "6db48b42-d0c6-4c7c-9a82-86004fd0a090", + "Platform": "Command Act X", + "Category": "Analytics", + "Cookie / Data Key name": "_TCCookieSync", + "Domain": "", + "Description": "Used to store the date of the last cookie synchronisation with the partner (set in local storage by default, and cookie if local storage not available).", + "Retention period": "1 year", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "c410ea5f-ebd4-4f7c-9ddd-a22d6075fc84", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "DLBCTLYOXA", + "Domain": "", + "Description": "Used for internal infrastructure dispatch.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b400d9b9-3c29-4cdd-ae78-7035898ccf51", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "FDLBFIRSTAPI", + "Domain": "", + "Description": "Used for internal infrastructure dispatch.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "99fec5ba-2e35-4ce5-8166-89c67c90aba9", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "FDLBFIRSTDATA", + "Domain": "", + "Description": "Used for internal infrastructure dispatch.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b353955c-6d0f-4c5a-b6bf-e679935692c1", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "FDLBFIRSTCAMPAIGN", + "Domain": "", + "Description": "Used for internal infrastructure dispatch.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "321eb714-3ddf-4372-81f1-d9b972b05539", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "FDLBFIRSTCAMPAIGNEF", + "Domain": "", + "Description": "Used for internal infrastructure dispatch.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "bc4ff081-68c8-418c-8fac-9cf8de8dd844", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "FDLBCAMPAIGNCDOM", + "Domain": "", + "Description": "Used for internal infrastructure dispatch.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "fdb381d0-2b1e-4718-8acb-14d959b74fdd", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "FDLBFIRSTTMS", + "Domain": "", + "Description": "Used for internal infrastructure dispatch.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "8c553c7a-875a-4bf8-b233-8cd84c55907d", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "FDLBFIRSTCMP", + "Domain": "", + "Description": "Used for internal infrastructure dispatch.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "3138c492-715e-49b4-b802-226fb077276c", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "FDLBFIRST", + "Domain": "", + "Description": "Used for internal infrastructure dispatch.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "70c17f54-d7bf-4fe6-9428-eea0fbdaf5d7", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "FDLBCTLY", + "Domain": "", + "Description": "Used for internal infrastructure dispatch.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b98fe340-684a-49d3-86ed-0ac415571ae8", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "FDLBFIRSTEVENTS", + "Domain": "", + "Description": "Used for internal infrastructure dispatch.", + "Retention period": "Session", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "be622ac8-cf40-42fa-9a23-ebf757ced555", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "tc_caids", + "Domain": "", + "Description": "Used for restore deleted cookies by ITP", + "Retention period": "396 days", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "b3e44dad-2b50-4713-9271-107ce9221605", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "tc_cj_ss", + "Domain": "", + "Description": "Used for restore deleted cookies by ITP", + "Retention period": "396 days", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 0 + }, + { + "ID": "333f3659-891a-4b6f-bc42-90991f7582d1", + "Platform": "Command Act X", + "Category": "Functional", + "Cookie / Data Key name": "tc_ss", + "Domain": "", + "Description": "Used for restore deleted cookies by ITP In case your cookie tc_ss contains more than 2048 characters, cookies will be created with incremented names (ex. tc_ss1, tc_ss2, ...)", + "Retention period": "396 days", + "Data Controller": "Command Act X", + "User Privacy & GDPR Rights Portals": "https://www.commandersact.com/en/privacy-policy/", + "Wildcard match": 1 + }, + { + "ID": "57492e0b-6fb2-4cab-8a22-0a99c5272991", + "Platform": "Permutive", + "Category": "Functional", + "Cookie / Data Key name": "pxid", + "Domain": "", + "Description": "Typically, it is enabled when a Publisher owned multiple domains and has an interest in identifying their users consistently across their domains. The URL of the referrer header has to match a pre-configured list of domains (configured in the Permutive dashboard). We refer to this service as the “Secure Permutive 3P cookie”, and will not be shared between Publishers. This PXID 3P cookie varies Publisher by Publisher.", + "Retention period": "89 Days", + "Data Controller": "Permutive", + "User Privacy & GDPR Rights Portals": "https://permutive.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "07b2fb5f-f8cf-468f-917a-3f87f0aab020", + "Platform": "Permutive", + "Category": "Functional", + "Cookie / Data Key name": "permutive-id", + "Domain": "", + "Description": "This ID is the same within a domain (not publisher-specific). The Permutive ID exists in all environments, including 3P cookie-blocked environments like Safari and Firefox. The ID is persistent for a user as long as the local storage isn’t refreshed on the user's device.", + "Retention period": "1095 Days", + "Data Controller": "Permutive", + "User Privacy & GDPR Rights Portals": "https://permutive.com/privacy/", + "Wildcard match": 0 + }, + { + "ID": "c422ae67-23a3-4f71-862d-70e0159f55ea", + "Platform": "GumGum", + "Category": "Marketing", + "Cookie / Data Key name": "cs", + "Domain": ".gumgum.com", + "Description": "Used to store the user consent status for the current domain.", + "Retention period": "1 year", + "Data Controller": "GumGum", + "User Privacy & GDPR Rights Portals": "https://gumgum.com/terms-and-policies/cookies-policy", + "Wildcard match": 0 + }, + { + "ID": "d17f3119-c033-4698-b909-65f56cde8825", + "Platform": "GumGum", + "Category": "Marketing", + "Cookie / Data Key name": "vst", + "Domain": ".gumgum.com", + "Description": "Used to store the user user intereset", + "Retention period": "1 year", + "Data Controller": "GumGum", + "User Privacy & GDPR Rights Portals": "https://gumgum.com/terms-and-policies/cookies-policy", + "Wildcard match": 0 + } +] \ No newline at end of file diff --git a/user/user_data/OptimizationHints/605/_metadata/verified_contents.json b/user/user_data/OptimizationHints/605/_metadata/verified_contents.json new file mode 100644 index 0000000..47a8f78 --- /dev/null +++ b/user/user_data/OptimizationHints/605/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJtYW5pZmVzdC5qc29uIiwicm9vdF9oYXNoIjoiSjFTWjNlY1NrZklMcnljd3lXalBYbklZOFBkSjZmbHFCcFlENnRTUlF3WSJ9LHsicGF0aCI6Im9wdGltaXphdGlvbi1oaW50cy5wYiIsInJvb3RfaGFzaCI6InlSei11clJ5WXVvQnd0djBxR2F6Uk8tWWtrMG9RLVhqVElBTFZ6bmlCUlEifV0sImZvcm1hdCI6InRyZWVoYXNoIiwiaGFzaF9ibG9ja19zaXplIjo0MDk2fV0sIml0ZW1faWQiOiJsbWVsZ2xlamhlbWVqZ2lucGJvYWdkZGdkZmJlcGdtcCIsIml0ZW1fdmVyc2lvbiI6IjYwNSIsInByb3RvY29sX3ZlcnNpb24iOjF9","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"I1QtGUCTC-p8lg4tS_8iv6nlCqLtNJgqbfVc5nNe4271pv0tzRxVmMd5gdAVUsT6LL1-J98zpW0IJ87w8T63P2fP6aU816hYN04EzHPa_gYSNXSpLXhFR_j-6_yZimKib-ugKOP3T9XllOGQWoT0g6BUnyP6TEsFyBoWd97_4CyjN5ghlfyGBHbQ9xA76J9a2oPtxvqFtRggB0nhZbkMjH0NXWCdcjBwdH9-oW9IsYrFpE_vodCE3xIF0qMulCUmXRRTNTS_v460UkzSGJUxV8JNtwvA0pVpeckNaUmxhHiohxlkzsWaZUCwbXge6Ez-qWb0JOiUIskMl6nKOKlrVRBhh5LhqqWZZFg-7zl7Bxy8XSiZ4YE-C3EgeXd1xdwlo-VNNyBNa-0McwRpwIIy5nObt-O-_zNWVGlOvYvpy03Vpk2Byqn4OR1xssmLW3iDA95cDVRC6PJWMdHpFpvFWHx-j21MAWXfgBvAVkQZuhVA0XIHmTBb21qnd2Fz3Frrp_pVJ8CG_Hs70Mxwym4jVI2E_u4Y96dof8tt25F90mz1cGnDBAmcJCbiUsM2lfiSeBA1WiUTtoWbb3_4etzwuUn5B0CZSL9NLZHuzHEBZFxdBp1PIoq__T8ySu10c4lrGkKpCWLPrrToz3esFZ3zoQsEgh4LC2fts5m33JUf6Xg"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"KtnB_UUGdHHe8vZh-tbEeef8zPg3U_RBo-6zDOn_qMxVcE6KT9Wwcsxul3deFJuwrJCp9N_HUOqax_blVDiJqz2OltlCuV7OJ5FjPXSo6EwtFu0nsWzxlWArYjGI-01xOSvNLRLiVTG-wVlu9OWklinThlRwKf9veX3jzSF83Wekq1ee1j9n1JblYJx1jNapw8-ZBYn_HfIt4mnfRYr8rwj0JgPZjNk3wK7fIM-4-kJKnQVn2rB75VzjybQFiul72T_CIvxVq2qkLMFQqwJXhrLSnqr87mVS5WSxgGT5QrEs5vbW4z3TubwxTdWk7z8IuHiGGsIqbob-zymf4Q1c-A"}]}}] \ No newline at end of file diff --git a/user/user_data/OptimizationHints/605/manifest.json b/user/user_data/OptimizationHints/605/manifest.json new file mode 100644 index 0000000..9d80380 --- /dev/null +++ b/user/user_data/OptimizationHints/605/manifest.json @@ -0,0 +1,6 @@ +{ + "manifest_version": 2, + "name": "Optimization Hints", + "version": "605", + "ruleset_format": "1.0.0" +} \ No newline at end of file diff --git a/user/user_data/OptimizationHints/605/optimization-hints.pb b/user/user_data/OptimizationHints/605/optimization-hints.pb new file mode 100644 index 0000000..6f7ca37 Binary files /dev/null and b/user/user_data/OptimizationHints/605/optimization-hints.pb differ diff --git a/user/user_data/PKIMetadata/1547/_metadata/verified_contents.json b/user/user_data/PKIMetadata/1547/_metadata/verified_contents.json new file mode 100644 index 0000000..5b7f7a6 --- /dev/null +++ b/user/user_data/PKIMetadata/1547/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJjcnMucGIiLCJyb290X2hhc2giOiJ2UHRVMkhZek9NU2x1Q3FkNjFZQkVLNDlleVFOMXhONDUxVno4TDBjOEFNIn0seyJwYXRoIjoiY3RfY29uZmlnLnBiIiwicm9vdF9oYXNoIjoiOGpCcVllRE1CWmdDVGdDbTh5aGVoR0JHTGVqamdEWGR4Qm5nSWZmUE1vayJ9LHsicGF0aCI6ImtwX3BpbnNsaXN0LnBiIiwicm9vdF9oYXNoIjoibVhYQkZNSms3NTN5cUtHTXlQT0pxVjdOR1gtSzc4UjBJeU5BUnZ3aTJlRSJ9LHsicGF0aCI6Im1hbmlmZXN0Lmpzb24iLCJyb290X2hhc2giOiJHanM2MkNkYXBuNmhBcHcyVXloV3MxdENqX3AyaHhUVXJWWE1MQThnMmpZIn1dLCJmb3JtYXQiOiJ0cmVlaGFzaCIsImhhc2hfYmxvY2tfc2l6ZSI6NDA5Nn1dLCJpdGVtX2lkIjoiZWZuaW9qbG5qbmRtY2JpaWVlZ2tpY2Fkbm9lY2pqZWYiLCJpdGVtX3ZlcnNpb24iOiIxNTQ3IiwicHJvdG9jb2xfdmVyc2lvbiI6MX0","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"BXRChmiL7G6AAYv5PjVmo0UWHZlkPGpUJVGHjOAoQS2y6FAWLQngc9MYOk6nHE8NR4n1PBwAHF-upvsTu4nqQP-qosjxGPysJxlVGS35VQA046k2HJP5Tgg8vfvZrDyv44WRVuOnkO95kP_QWVjbVQw-ss4dqqCOkYXkC48D0sYwJH786JCLyKfJXIcqzaF2Og53PcpDrhdDd7OyQ3YLtMRz90r13nix7PVFSzxdklqQLvqmR2e2hPo3j7HvYsB0LjdaB3ItboqM9y1Tao7030X-OTUJQ-GsUd5PQyoNY_hQk4vppDgZdaxoCTYz9l0ea4Qr5U-bSV89CdndNvaW_gCZFeoM3A_N2R8ibG7U6Oqulcms7rmJ0TPF5X0RH3Xzpqnhj9TLXNOs3mn-vQGsvL6SckeaCsaBva17B3RTHMixRDKmmNPYolZzKxaKJbNOOUf3oAOvGUHc7HT7XnPb2ClZD3VwwAbr6BFX6knJrDlS_v3w6aA_CLy4QM3iC114Oykf7fHFZV7JyDdOI4PKW6tBJfz6Ghd18nzaU0l3fRU8voF54nxkkkx9DxVnpEr7fo0W3XfA2KoYMDo_GeFT2ShcvzbcWmjGjP2nm5Y6Ha4IP8L7y_ddn9rvhYSQ19SG9Rfd3m4rxXLRsQd5zWM7cieprlvgWnQqSSZdbOhxFO8"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"FwdkgDtWSPS7pOUqHBSCNJj7nxYD_o7KAKCNcgDaVzIv9ewCmG9RTpdkzGOErFuj4EeJ5nnP-0Ujt7tttFvFXYNDVZCN8lIRXhUHigQSn-UjdeWlK-apMm3mXBX4fuH4b1kq6Gojehs99bFaFZg5l3HvSZPTMiZU6PObRbOWCLkdr4m7vu0myjd3Fi15aY53DvFNWtqo6WxXxAq0UjueQx4q3cw48vs3crjdfnvX6Vm8HGosolF43_n4ScMeXyVOVbeW1ocs3-gWD1WMiwm7gv7BZE_TSFpsWLECg9tCfokSh0ypavmQCvKDhDaL0vsH0sfdsRMHIvVkWWUlZX3i4g"}]}}] \ No newline at end of file diff --git a/user/user_data/PKIMetadata/1547/crs.pb b/user/user_data/PKIMetadata/1547/crs.pb new file mode 100644 index 0000000..4b74975 Binary files /dev/null and b/user/user_data/PKIMetadata/1547/crs.pb differ diff --git a/user/user_data/PKIMetadata/1547/ct_config.pb b/user/user_data/PKIMetadata/1547/ct_config.pb new file mode 100644 index 0000000..73e3de7 --- /dev/null +++ b/user/user_data/PKIMetadata/1547/ct_config.pb @@ -0,0 +1,455 @@ +P *) +Googlegoogle-ct-logs@googlegroups.com*$ + +Cloudflarect-logs@cloudflare.com* +DigiCertctops@digicert.com* +Sectigoctops@sectigo.com*$ + Let's Encryptsre@letsencrypt.org*, + TrustAsiatrustasia-ct-logs@trustasia.com* +Geomys ct@geomys.org* + IPng Networksct-ops@ipng.ch2 +Google 'Argon2025h2' log|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEr+TzlCzfpie1/rJhgxnIITojqKk9VK+8MZoc08HjtsLzD8e5yjsdeWVhIiWCVk6Y6KomKTYeKGBv6xVu93zQug==,EvFONL1TckyEBhnDjz96E/jntWKHiJxtMAWE6+WGJjo= */https://ct.googleapis.com/logs/us1/argon2025h2/2 +ʌB +挫J +GoogleRgoogle_argon2025h2https://crbug.com/8890332 +Google 'Argon2026h1' log|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEB/we6GOO/xwxivy4HhkrYFAAPo6e2nc346Wo2o2U+GvoPWSPJz91s/xrEvA3Bk9kWHUUXVZS5morFEzsgdHqPg==,DleUvPOuqT4zGyyZB7P3kN+bwj1xMiXdIaklrGHFTiE= */https://ct.googleapis.com/logs/us1/argon2026h1/2 +B +J +GoogleųRgoogle_argon2026h1https://crbug.com/414170832 +Google 'Argon2026h2' log|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEKjpni/66DIYrSlGK6Rf+e6F2c/28ZUvDJ79N81+gyimAESAyeNZ++TRgjHWg9TVQnKHTSU0T1TtqDupFnSQTIg==,1219ENGn9XfCx+lf1wC/+YLJM1pl4dCzAXMXwMjFaXc= */https://ct.googleapis.com/logs/us1/argon2026h2/2 +B +J +GoogleųRgoogle_argon2026h2https://crbug.com/414170832 +Google 'Argon2027h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEKHRm0H/zUaFA6Idz5cGvGO3tCPQyfGMgJmVBOPyKAP6mGM1IiNXi4CLomOUyYj0YN74p+eGVApFMsM4h/jzCsA==,1tWNqdAXU/NqSqDHV0kCr+vH3CzTjNn3ZMgMiRkenwI= */https://ct.googleapis.com/logs/us1/argon2027h1/2 +B +J +GoogleRgoogle_argon2027h1https://crbug.com/414170832 +Google 'Xenon2025h2' log|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEa+Cv7QZ8Pe/ZDuRYSwTYKkeZkIl6uTaldcgEuMviqiu1aJ2IKaKlz84rmhWboD6dlByyt0ryUexA7WJHpANJhg==,3dzKNJXX4RYF55Uy+sef+D0cUN/bADoUEnYKLKy7yCo= */https://ct.googleapis.com/logs/eu1/xenon2025h2/2 +ʌB +挫J +GoogleRgoogle_xenon2025h2https://crbug.com/8333502 +Google 'Xenon2026h1' log|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEOh/Iu87VkEc0ysoBBCchHOIpPZK7kUXHWj6l1PIS5ujmQ7rze8I4r/wjigVW6wMKMMxjbNk8vvV7lLqU07+ITA==,lpdkv1VYl633Q4doNwhCd+nwOtX2pPM2bkakPw/KqcY= */https://ct.googleapis.com/logs/eu1/xenon2026h1/2 +B +J +GoogleųRgoogle_xenon2026h1https://crbug.com/413835352 +Google 'Xenon2026h2' log|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE5Xd4lXEos5XJpcx6TOgyA5Z7/C4duaTbQ6C9aXL5Rbqaw+mW1XDnDX7JlRUninIwZYZDU9wRRBhJmCVopzwFvw==,2AlVO5RPev/IFhlvlE+Fq7D4/F6HVSYPFdEucrtFSxQ= */https://ct.googleapis.com/logs/eu1/xenon2026h2/2 +B +J +GoogleųRgoogle_xenon2026h2https://crbug.com/413835352 +Google 'Xenon2027h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE/6WcA4VRSljIfTdY48+pFRLLtLrmTb88cGDdl8Gv3E2LduG4jgJ3AK5iNMFGhpbRRLi5B3rPlBaXVywuR5IFDg==,RMK9DOkUDmSlyUoBkwpaobs1lw4A7hEWiWgqHETXtWY= */https://ct.googleapis.com/logs/eu1/xenon2027h1/2 +B +J +GoogleRgoogle_xenon2027h1https://crbug.com/4357699812 +Cloudflare 'Nimbus2025'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEGoAaFRkZI3m0+qB5jo3VwdzCtZaSfpTgw34UfAoNLUaonRuxQWUMX5jEWhd5gVtKFEHsr6ldDqsSGXHNQ++7lw==,zPsPaoVxCWX+lZtTzumyfCLphVwNl422qX5UwP5MDbA= **https://ct.cloudflare.com/logs/nimbus2025/2 +һB +J + +CloudflareRcloudflare_nimbus2025https://crbug.com/14746572 +Cloudflare 'Nimbus2026'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE2FxhT6xq0iCATopC9gStS9SxHHmOKTLeaVNZ661488Aq8tARXQV+6+jB0983v5FkRm4OJxPqu29GJ1iG70Ahow==,yzj3FYl8hKFEX1vB3fvJbvKaWc1HCmkFhbDLFMMUWOc= **https://ct.cloudflare.com/logs/nimbus2026/2 +B +J + +CloudflareRcloudflare_nimbus2026https://crbug.com/3554609772 +Cloudflare 'Nimbus2027'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEYjd/jE0EoAhNBbfcNhrTb7F0x10KZK8r2SDjx1GdjJ75hJrHx2OCQ+BXRjXi+czoREN1u0j9cWl8d6OoPMPogQ==,TGPcmOWcHauI9h6KPd6uj6tEozd7X5uUw/uhnPzBviY= **https://ct.cloudflare.com/logs/nimbus2027/2 +B +J + +Cloudflare؝Rcloudflare_nimbus2027https://crbug.com/4348956982 +DigiCert Yeti2025 Log|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE35UAXhDBAfc34xB00f+yypDtMplfDDn+odETEazRs3OTIMITPEy1elKGhj3jlSR82JGYSDvw8N8h8bCBWlklQw==,fVkeEuF4KnscYWd8Xv340IdcFKBOlZ65Ay/ZDowuebg= *%https://yeti2025.ct.digicert.com/log/2 +һB +J +DigiCertԫRdigicert_yeti2025https://crbug.com/12966352 +DigiCert Nessie2025 Log|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE8vDwp4uBLgk5O59C2jhEX7TM7Ta72EN/FklXhwR/pQE09+hoP7d4H2BmLWeadYC3U6eF1byrRwZV27XfiKFvOA==,5tIxY0B3jMEQQQbXcbnOwdJA9paEhvu6hzId/R43jlA= *'https://nessie2025.ct.digicert.com/log/2 +һB +J +DigiCertԫRdigicert_nessie2025https://crbug.com/12966352 +DigiCert 'Wyvern2025h2' Log|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE4NtB7+QEvctrLkzM8WzeQVh//pT2evZg7Yt2cqOiHDETMjWh8gjSaMU0p1YIHGPeleKBaZeNHqi3ZlEldU14Lg==,7TxL1ugGwqSiAFfbyyTiOAHfUS/txIbFcA8g3bc+P+A= *&https://wyvern.ct.digicert.com/2025h2/2 +ʌB +̿J +DigiCertRdigicert_wyvern2025h2crbug.com/3370760212 +DigiCert 'Wyvern2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE7Lw0OeKajbeZepHxBXJS2pOJXToHi5ntgKUW2nMhIOuGlofFxtkXum65TBNY1dGD+HrfHge8Fc3ASs0qMXEHVQ==,ZBHEbKQS7KeJHKICLgC8q08oB9QeNSer6v7VA8l9zfA= *&https://wyvern.ct.digicert.com/2026h1/2 +B +J +DigiCertRdigicert_wyvern2026h1https://crbug.com/3539240092 +DigiCert 'Wyvern2026h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEenPbSvLeT+zhFBu+pqk8IbhFEs16iCaRIFb1STLDdWzL6XwTdTWcbOzxMTzB3puME5K3rT0PoZyPSM50JxgjmQ==,wjF+V0UZo0XufzjespBB68fCIVoiv3/Vta12mtkOUs0= *&https://wyvern.ct.digicert.com/2026h2/2 +B +J +DigiCertRdigicert_wyvern2026h2https://crbug.com/3539240092 +DigiCert 'Wyvern2027h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEastxYj1mntGuyv74k4f+yaIx+ZEzlSJ+iVTYWlw8SpSKJ4TfxYWuBhnETlhpyG/5seJn0mOSnVgXsZ1JRflI7g==,ABpdGhwtk3W2SFV4+C9xoa5u7zl9KXyK4xV7yt7hoB4= *&https://wyvern.ct.digicert.com/2027h1/2 +B +țJ +DigiCertRdigicert_wyvern2027h1https://crbug.com/4428606002 +DigiCert 'Wyvern2027h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEuOg8hcgaYT/MShxpag2Hige0zsLzz8vOLZXp6faCdzM+Mn/njyU9ROAuwDxuu88/Grxn46kmehdOKVDFexbdSg==,N6oHzCFvLm2RnHCdJNj3MbAPKxR8YhzAkaX6GoTYFt0= *&https://wyvern.ct.digicert.com/2027h2/2 +B +țJ +DigiCertRdigicert_wyvern2027h2https://crbug.com/4428606002 +DigiCert 'Sphinx2025h2' Log|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEQYxQE1SxGQW3f0ogbqN1Y8o09Mx06jI7tosDFKhSfzKHXlmeD6sYnilstXJ3GidUhV3BeySoNOPNiM7UUBu+aQ==,pELFBklgYVSPD9TqnPt6LSZFTYepfy/fRVn2J086hFQ= *&https://sphinx.ct.digicert.com/2025h2/2 +ʌB +̿J +DigiCertRdigicert_sphinx2025h2crbug.com/3370789712 +DigiCert 'Sphinx2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEq4S++DyHokIlmmacritS51r5IRsZA6UH4kYLH4pefGyu/xl3huh7/O5rNk/yvMOeBQKaCAG1SSM1xNNQK1Hp9A==,SZybad4dfOz8Nt7Nh2SmuFuvCoeAGdFVUvvp6ynd+MM= *&https://sphinx.ct.digicert.com/2026h1/2 +B +J +DigiCertRdigicert_sphinx2026h1https://crbug.com/3540253692 +DigiCert 'Sphinx2026h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEquD0JkRQT/2inuaA4HC1sc6UpfiXgURVQmQcInmnZFnTiZMhZvsJgWAfYlU0OIykOC6slQzr7U9kvEVC9wZ6zQ==,lE5Dh/rswe+B8xkkJqgYZQHH0184AgE/cmd9VTcuGdg= *&https://sphinx.ct.digicert.com/2026h2/2 +B +J +DigiCertRdigicert_sphinx2026h2https://crbug.com/3540253692 +DigiCert 'sphinx2027h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEvirIq1XPwgwG7BnbMh2zoUbEt+T8z8XAtg9lo8jma+aaTQl8iVCypUFXtLpt4/SHaoUzbvcjDX/6B1IbL3OoIQ==,RqI5Z8YNtkaHxm89+ZmUdpOmphEghFfVVefj0KHZtkY= *&https://sphinx.ct.digicert.com/2027h1/2 +B +țJ +DigiCertRdigicert_sphinx2027h1https://crbug.com/4428795282 +DigiCert 'sphinx2027h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEUCe23M889mAsUVeTTBcNsAmP374ZWQboLdR8RdGwM3VZ6P/sDwhrL7wK4zrXPh3HwLDDLxDjvRBeivUSbpZSwA==,H7D4qS2K3aEhd2wF4qouFbrLxitlOTaVV2qqtS4R0R0= *&https://sphinx.ct.digicert.com/2027h2/2 +B +țJ +DigiCertRdigicert_sphinx2027h2https://crbug.com/4428795282 +Sectigo 'Sabre2025h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEhRMRLXvzk4HkuXzZZDvntYOZZnlZR2pCXta9Yy63kUuuvFbExW4JoNdkGsjBr4mL9VjYuut7g1Lp9OClzc2SzA==,GgT/SdBUHUCv9qDDv/HYxGcvTuzuI0BomGsXQC7ciX0= *#https://sabre2025h2.ct.sectigo.com/2 +ʌB +J +SectigoRsectigo_sabre2025h24Ί,eJj4IHvdYpljVsW/YCery+QsSRHbuYBME7H912a5P2Y=https://crbug.com/7037002 +Sectigo 'Mammoth2025h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEiOLHs9c3o5HXs8XaB1EEK4HtwkQ7daDmZeFKuhuxnKkqhDEprh2L8TOfEi6QsRVnZqB8C1tif2yaajCbaAIWbw==,rxgaKNaMo+CpikycZ6sJ+Lu8IrquvLE4o6Gd0/m2Aw0= *%https://mammoth2025h2.ct.sectigo.com/2 +ʌB +J +SectigoRsectigo_mammoth2025h24ɜ,aLJ1GqZiobxICL7qQFPCZzdkjU/TKvnA/CIVqU+LDy4=https://crbug.com/7036992 +Sectigo 'Mammoth2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEnssMilHMiuILzoXmr00x2xtqTP2weWuZl8Bd+25FUB1iqsafm2sFPaKrK12Im1Ao4p5YpaX6+eP6FSXjFBMyxA==,JS+Uwisp6W6fQRpyBytpXFtS/5epDSVAu/zcUexN7gs= *%https://mammoth2026h1.ct.sectigo.com/2 +B +J +SectigoRsectigo_mammoth2026h13,N7bqzTXnPktVFG8/h3gi5pcuxCo+mfWyv+XlIIS4cEU=https://crbug.com/413086032 +Sectigo 'Mammoth2026h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE7INh8te0u+TkO+vIY3WYz2GQYxQ9XyLfdLpQp1ibaX3mY4lt2ddRhD/4AtjI/8KXceV+J/VysY8kJ1cKDXTAtg==,lLHBirDQV8R74KwEDh8svI3DdXJ7yVHyClJhJoY7pzw= *%https://mammoth2026h2.ct.sectigo.com/2 +B +J +SectigoRsectigo_mammoth2026h23ڽ,vJHecZC18lG3qp9lV2jZoi+7nkPHQx2SmM4VWglNsIk=https://crbug.com/413086032 +Sectigo 'Sabre2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEhCa8Nr3YjTyHnuAQr82U2de5UYA0fvdYXHPq6wmTuBB7kJx9x82WQ+1TbpUhRmdR8N62yZ6q4oBtziWBNNdqYA==,VmzVo3a+g9/jQrZ1xJwjJJinabrDgsurSaOHfZqzLQE= *#https://sabre2026h1.ct.sectigo.com/2 +B +J +SectigoRsectigo_sabre2026h13¨*,ONxslVVBTXcSuBVlFOVDuNQoTCdDNLCRVHoHfNLMZfo=https://crbug.com/413086062 +Sectigo 'Sabre2026h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEzjXK7DkHgtp3J4bk8n7F3Djym6mrjKfA7YMePmobwPCVVroyM0x1fAkH6eE+ZTVj8Em+ctGqna99CMS0jVk9cw==,H1bRq5RwSkHdP+r99GmTVTAsFDG/5hNGCJ//rnldzC8= *#https://sabre2026h2.ct.sectigo.com/2 +B +J +SectigoRsectigo_sabre2026h23 ,HWG3vP/FX6JRs5yyXDfrNoUA7D6TZAib9ZE2Llno0II=https://crbug.com/413086062 +Sectigo 'Elephant2025h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE0OlLeGW2qUZGUoQERydw3GlayEO3ZK3418zThY1tDYr85ASme6ZOL/2DXyOXw8RCwVsKhRbOqMEOxW4Q2p4KQg==,DR28iUTp9QBVQtctPhRMzEMIKrbqHpTf1wZlfS6G8wE= *&https://elephant2025h2.ct.sectigo.com/2 +ʌB +J +SectigoRsectigo_elephant2025h2https://crbug.com/3991343702 +Sectigo 'Elephant2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEU0lqnPHoXuU9Fc9dJv1HQZCvssJfvxLsirwVQ/fkFyUqeu4inwPKikeT4DGyyWWH4NR/DCJa2bAumHrXJdAcaQ==,0W6ppWgHfmY1oD83pd28A6U8QRIU1IgY9ekxsyPLlQQ= *&https://elephant2026h1.ct.sectigo.com/2 +B +J +SectigoRsectigo_elephant2026h1https://crbug.com/3991343702 +Sectigo 'Elephant2026h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEO/t4Uwkoou78zkCchh9tfAKbIUJmbOoUAb8szD8StnnHFKAVY5kq1Ljs8YD7CfzdD7xcVjmQYpbtNUhxRMRtmA==,r2eIO1ewTt2Pptl+9i6o64EKx3Fg8CReVdYML+eFhzo= *&https://elephant2026h2.ct.sectigo.com/2 +B +J +SectigoRsectigo_elephant2026h2https://crbug.com/3991343702 +Sectigo 'Elephant2027h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE4fu36JygUwaaVO+ddWJ97FJZlA5SjPLmT+RHwg0pavkIrbT1b5LNQrsaEw0CoGraf7BkzKZf7PC8gYAScw2woA==,YEyar3p/d18B1Ab8kg3ImesLHH34yVIb+voXdzuXi8k= *&https://elephant2027h1.ct.sectigo.com/2 +B +J +SectigoRsectigo_elephant2027h1https://crbug.com/3991343702 +Sectigo 'Elephant2027h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAECTPhpJnRFroRRpP/1DdAns+PrnmUywtqIV+EeL4Jg8zKouoW7kuAkYo+kZeoHtyK7CBhflIlMk7T2Qrn4w/t8g==,okkM3NuOM6QAMhdg1tTVGiA2GR6nfZaL4mqKAPb///c= *&https://elephant2027h2.ct.sectigo.com/2 +B +J +SectigoRsectigo_elephant2027h2https://crbug.com/3991343702 +Sectigo 'Tiger2025h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEFUl5keBbWVckXMv6WSWToTeGwi9DSNCI2WZlIENBkA/zADmmS58w33/f0JhC2KEkWS+4T7/bYOXv4dDNzzrExg==,XKV30pt/i69Bntjsq/tty67DhTcC1XRvF02tPJNKqWo= *#https://tiger2025h2.ct.sectigo.com/2 +ʌB +J +SectigoRsectigo_tiger2025h2https://crbug.com/3991246092 +Sectigo 'Tiger2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE73eDJyszDbzsWcgI0nbtU0+y11gQWjNjS/RSO5P4hOSFE+pPrDCtfNPHe6dq7/XQYwOFt9Feb8TwQW+mqXN5xg==,FoMtq/CpJQ8P8DqlRf/Iv8gj0IdL9gQpJ/jnHzMT9fo= *#https://tiger2026h1.ct.sectigo.com/2 +B +J +SectigoRsectigo_tiger2026h1https://crbug.com/3991246092 +Sectigo 'Tiger2026h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEfJFUD/FRkonvZIA9ZT1J3yvA4EpSp3innbIVpMTDR1oCe5vguapheQ7wYiWaCES1EL1B+2BEC+P5bUfwF44lnA==,yKPEf8ezrbk1awE/anoSbeM6TkOlxkb5l605dZkdz5o= *#https://tiger2026h2.ct.sectigo.com/2 +B +J +SectigoRsectigo_tiger2026h2https://crbug.com/3991246092 +Sectigo 'Tiger2027h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEmMQofpsDjCVYzF4jXdFWM/ioYBJIPcsQQrNAHE6v4lOsADoI+/jN1lph8x4K3NgnXDXwmyJcFwRYgVOBMhaYhA==,HJ9oLOn68EVpUPgbloqH3dsyENhM5siy44JSSsTPWZ8= *#https://tiger2027h1.ct.sectigo.com/2 +B +J +SectigoRsectigo_tiger2027h1https://crbug.com/3991246092 +Sectigo 'Tiger2027h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEb0AgkemhsPmYe1goCSy5ncf2lG9vtK6f+SzODKJMYEgPOT+z93cUEKM1EaTuo09rozfdqhjeihIl25y9A3JhyQ==,A4AqwmL24F4D+Lxve5hRMk/Xaj31t1lRdeIi+46b1fY= *#https://tiger2027h2.ct.sectigo.com/2 +B +J +SectigoRsectigo_tiger2027h2https://crbug.com/3991246092 +Let's Encrypt 'Oak2025h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEtXYwB63GyNLkS9L1vqKNnP10+jrW+lldthxg090fY4eG40Xg1RvANWqrJ5GVydc9u8H3cYZp9LNfkAmqrr2NqQ==,DeHyMCvTDcFAYhIJ6lUu/Ed0fLHX6TDvDkIetH5OqjQ= *&https://oak.ct.letsencrypt.org/2025h2/2 +B +J + Let's EncryptRletsencrypt_oak2025h24,fn06m+bnTrDRl01hT1F1TdZPYfxciFZZn7NAayeGOVQ=https://crbug.com/9636932 +Let's Encrypt 'Oak2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEmdRhcCL6d5MNs8eAliJRvyV5sQFC6UF7iwzHsmVaifT64gJG1IrHzBAHESdFSJAjQN56TYky+9cK616MovH2SQ==,GYbUxyiqb/66A294Kk0BkarOLXIxD67OXXBBLSVMx9Q= *&https://oak.ct.letsencrypt.org/2026h1/2 +ΗB +J + Let's EncryptRletsencrypt_oak2026h14Ÿ,deSRNfTNPgd9wfzoXIznvi+QUTxuK0R+daC6JGKGK3Q=https://crbug.com/414591432 +Let's Encrypt 'Oak2026h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEanCds5bj7IU2lcNPnIvZfMnVkSmu69aH3AS8O/Y0D/bbCPdSqYjvuz9Z1tT29PxcqYxf+w1g5CwPFuwqsm3rFQ==,rKswcGzr7IQx9BPS9JFfER5CJEOx8qaMTzwrO6ceAsM= *&https://oak.ct.letsencrypt.org/2026h2/2 +B +J + Let's EncryptRletsencrypt_oak2026h23̭>,uTgg1k3DUbSFFdXewyyxbsQuCc9RupplMphTwtXqvf4=https://crbug.com/414591432 +TrustAsia Log2025a|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEcOWxpAl5K534o6DfGO+VXQNse6GRqbiAfexcAgjibi98MnC9loRfpmLpZbV8kFi6ItX59WlUt6iUTjIJriYRTQ==,KOKBOP2DIUXpqdaqdTdtg3eohRKzwH9yQUgh3L3pjGY= *(https://ct2025-a.trustasia.com/log2025a/2 +һB +挫J + TrustAsiaRtrustasia_log2025ahttps://crbug.com/14562142 +TrustAsia Log2025b|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEqqCL22cUXZeJHQiNBtfBlI6w+kxG1VMIeCsEU2zz3rHRU0DakFfmGp48xwO4vS+pz+h7XuFLYOU4Q2CXwVsvZQ==,KCyL3YEP+QkSCs4W1uDsIBvqgqOkrxnZ7/tZ6D/cQmg= *(https://ct2025-b.trustasia.com/log2025b/2 +һB +挫J + TrustAsiaRtrustasia_log2025bhttps://crbug.com/14562142 +TrustAsia 'log2026a'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEp056yaYH+f907JjLSeEAJLNZLoP9wHA1M0xjynSDwDxbU0B8MR81pF8P5O5PiRfoWy7FrAAFyXY3RZcDFf9gWQ==,dNudWPfUfp39eHoWKpkcGM9pjafHKZGMmhiwRQ26RLw= *(https://ct2026-a.trustasia.com/log2026a/2 +ڬ΀B +J + TrustAsiaٲRtrustasia_log2026acrbug.com/409178532 +TrustAsia 'log2026b'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEDxKMqebj7GLu31jIUOYmcHYQtwQ5s6f4THM7wzhaEgBM4NoOFopFMgoxqiLHnX0FU8eelOqbV0a/T6R++9/6hQ==,Jbfv3qETAZPtkweXcKoyKiZiDeNayKp8dRl94LGp4GU= *(https://ct2026-b.trustasia.com/log2026b/2 +ڬ΀B +J + TrustAsiaٲRtrustasia_log2026bcrbug.com/409178532 +TrustAsia 'HETU2027'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAE14jG8D9suqIVWPtTNOL33uXKZ4mUnnOMrIwOWeZU7GtoDRCWIXfy/9/SC8lTAbtP2NOP4wjIufAk6f64sY4DWg==,7drrgVxjITRJtHvlB3kFq9DZMUfCesUUazvFjkPptsc= *(https://hetu2027.trustasia.com/hetu2027/2 +B +J + TrustAsiaRtrustasia_hetu2027https://crbug.com/409178532 +Let's Encrypt 'Sycamore2025h2d'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAERI8grd3rsuE95/3Rk/Jn9rGBrpcvDqD6Y5Ooz1E+xABGl3w6JLdFHfzSFZvEFX/Goar6nbzQHtV75ud4R0Iafg==,W/beU/H7+sSaGFl0aUWhpqconV5wpg9IRQ5Ya7mucrg= <*0https://log.sycamore.ct.letsencrypt.org/2025h2d/2 +B +J + Let's EncryptRletsencrypt_sycamore2025h2dZ0https://mon.sycamore.ct.letsencrypt.org/2025h2d/https://crbug.com/414591432 +Let's Encrypt 'Sycamore2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEfEEe0JZknA91/c6eNl1aexgeKzuGQUMvRCXPXg9L227O5I4Pi++Abcpq6qxlVUKPYafAJelAnMfGzv3lHCc8gA==,pcl4kl1XRheChw3YiWYLXFVki30AQPLsB2hR0YhpGfc= <*/https://log.sycamore.ct.letsencrypt.org/2026h1/2 +B +J + Let's EncryptRletsencrypt_sycamore2026h1Z/https://mon.sycamore.ct.letsencrypt.org/2026h1/https://crbug.com/414591432 +Let's Encrypt 'Sycamore2026h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEwR1FtiiMbpvxR+sIeiZ5JSCIDIdTAPh7OrpdchcrCcyNVDvNUq358pqJx2qdyrOI+EjGxZ7UiPcN3bL3Q99FqA==,bP5QGUOoXqkWvFLRM+TcyR7xQRx9JYQg0XOAnhgY6zo= <*/https://log.sycamore.ct.letsencrypt.org/2026h2/2 +̌B +J + Let's EncryptRletsencrypt_sycamore2026h2Z/https://mon.sycamore.ct.letsencrypt.org/2026h2/https://crbug.com/414591432 +Let's Encrypt 'Sycamore2027h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEWrGdYyZYB7teCS4K/oKIsbV0yVBSgjlOwO22OOCoA6Y252QhFzC8Wg7oVXVKqfkWaSaM/n+3pfCBf4BAkpdx8g==,jspHC6zeavOiBrCkeoS3Rv4fxr+VPiXmm07kAkjzxug= <*/https://log.sycamore.ct.letsencrypt.org/2027h1/2 +̌B +J + Let's EncryptRletsencrypt_sycamore2027h1Z/https://mon.sycamore.ct.letsencrypt.org/2027h1/https://crbug.com/414591432 +Let's Encrypt 'Sycamore2027h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEK+2zy2UWRMIyC2jU46+rj8UsyMjLsQIr1Y/6ClbdpWGthUb8y3Maf4zfAZTWW+AH9wAWPLRL5vmtz7Zkh2f2nA==,5eNiR9ku9K2jhYO1NZHbcp/C8ArktnRRdNPd/GqiU4g= <*/https://log.sycamore.ct.letsencrypt.org/2027h2/2 +B +J + Let's EncryptRletsencrypt_sycamore2027h2Z/https://mon.sycamore.ct.letsencrypt.org/2027h2/https://crbug.com/414591432 +Let's Encrypt 'Willow2025h2d'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAElX78WOZsrDp7/LDFvsGytclanWhJ2oEwdgytKo21ZrCzbJ6raFAmZ1bMFh4B/0+e1aWtfhG2wgCM2ex/aDgZuA==,5NAXdhyRORG+9HOWrNjSRljCT7WTtRvqxVknYuiFPBU= <*.https://log.willow.ct.letsencrypt.org/2025h2d/2 +B +J + Let's EncryptRletsencrypt_willow2025h2dZ.https://mon.willow.ct.letsencrypt.org/2025h2d/https://crbug.com/414591432 +Let's Encrypt 'Willow2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEtpFyulwgy1+u+wYQ37lbV+HsPFNYoi4sy6dZP662N/Z/usdNi4+Q3RLES1RY2PNk7zL/7VPSn3JERMPu/s4e4A==,4yON8o2iiOCq4Kzw+pDJhfC2v/XSpSewAfwcRFjEtug= <*-https://log.willow.ct.letsencrypt.org/2026h1/2 +B +J + Let's EncryptRletsencrypt_willow2026h1Z-https://mon.willow.ct.letsencrypt.org/2026h1/https://crbug.com/414591432 +Let's Encrypt 'Willow2026h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEp8wH8R6zfM+UhsQq5un+lPdNTDkzcgkWLi1DwyqU6T00mtP5/CuGjvpw4mIz89I6KV5ZvhRHt5ZTF6qe24pqiA==,qCbL4wrGNRJGUz/gZfFPGdluGQgTxB3ZbXkAsxI8VSc= <*-https://log.willow.ct.letsencrypt.org/2026h2/2 +B +J + Let's EncryptRletsencrypt_willow2026h2Z-https://mon.willow.ct.letsencrypt.org/2026h2/https://crbug.com/414591432 +Let's Encrypt 'Willow2027h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEzsMKtojO0BVB4t59lVyAhxtqObVA+wId5BpJGA8pZrw5GTjzuhpvLu/heQGi0hHCeislkDe34N/2D0SwEUBE0w==,ooEAGHNOF24dR+CVQPOBulRml81jqENQcW64CU7a8Q0= <*-https://log.willow.ct.letsencrypt.org/2027h1/2 +B +J + Let's EncryptRletsencrypt_willow2027h1Z-https://mon.willow.ct.letsencrypt.org/2027h1/https://crbug.com/414591432 +Let's Encrypt 'Willow2027h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEYbMDg0qQEEYjsTttdDlouTKhg3fRiMJYNE+Epr/2bXyeQdQOHKQNKv5sbIKxjtE/5Vqo9YjQbnaOeH4Wm4PhdQ==,ppWirZJtb5lujvxJAUJX2LvwRqfWJYm4jcLXh2x45S8= <*-https://log.willow.ct.letsencrypt.org/2027h2/2 +B +J + Let's EncryptRletsencrypt_willow2027h2Z-https://mon.willow.ct.letsencrypt.org/2027h2/https://crbug.com/414591432 +Geomys 'Tuscolo2025h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEK9d4GGtzbkwwsYpEtvnU9KKgZr67MsGlB7mnF8DW9bHnngHzPzXPbdo7n+FyCwSDYqEHbal1Z0CCVyZD6wQ/ow==,750EQi4gtDIQJ1TfUtJRRgJ/hEwH/YZeySLub86fe7w= <**https://tuscolo2025h2.sunlight.geomys.org/2 +ʌB +J +GeomysRgeomys_tuscolo2025h2Z*https://tuscolo2025h2.skylight.geomys.org/https://crbug.com/4166913302 +Geomys 'Tuscolo2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEflxzMg2Ajjg7h1+ZIvQ9LV6yFvdj6uRi9YbvtRnSCgS2SamkH56WcPRaBTRYARPDIr5JwLqgJAVA/NvDxdJXOw==,cX6V88I4im2x44RJPTHhWqliCHYtQgDgBQzQZ7WmYeI= <**https://tuscolo2026h1.sunlight.geomys.org/2 +B +J +GeomysRgeomys_tuscolo2026h1Z*https://tuscolo2026h1.skylight.geomys.org/https://crbug.com/4166913302 +Geomys 'Tuscolo2026h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEaA6P0i7JTsd9XfzF1/76avRWA3XXI4NStsFO/aFtBp6SY7olDEMiPSFSxGzFQjKA1r9vgG/oFQwurlWMy9FQNw==,Rq+GPTs+5Z+ld96oJF02sNntIqIj9GF3QSKUUu6VUF8= <**https://tuscolo2026h2.sunlight.geomys.org/2 +B +J +GeomysRgeomys_tuscolo2026h2Z*https://tuscolo2026h2.skylight.geomys.org/https://crbug.com/4166913302 +Geomys 'Tuscolo2027h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEOYwwGoaNpZ/SQW0VNGICP7wGRQsSeEowTRl4DPSdPjSkO/+ouvFH78I8sQTR3FWPZDScALbclBqnqL0ptY8beA==,WW5sM4aUsllyolbIoOjdkEp26Ag92oc7AQg4KBQ87lk= <**https://tuscolo2027h1.sunlight.geomys.org/2 +B +СJ +GeomysRgeomys_tuscolo2027h1Z*https://tuscolo2027h1.skylight.geomys.org/https://crbug.com/4166913302 +Geomys 'Tuscolo2027h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEIAz2gOD7wIptaiLTnmR4k7AQwp5kFmqmGHY/8JmMJxaSHyAipoFA/YSBCTX7ZowxIkSKpZYGlqLtdLVcLWDS5w==,1d5V7roItgyf/BjFE75qYLoARga8WVuWu0T2LMV9Ofo= <**https://tuscolo2027h2.sunlight.geomys.org/2 +B +СJ +GeomysRgeomys_tuscolo2027h2Z*https://tuscolo2027h2.skylight.geomys.org/https://crbug.com/4166913302 +9Bogus placeholder log to unbreak misbehaving CT libraries|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEj4lCAxWCY6SzIthkqZhwiUVzcK62i6Fc+/YS0WHaN6jjO1ITUFuu8beOiU9PdeNmdalZcC3iWovAfApvXS33Nw==,LtakTeuPDIZGZ3acTt0EH4QjZ1X6OqymNNCTXfzVmnA= *https://ct.example.com/bogus/2 +ƶB +J +GeomysRgeomys_bogus6962https://crbug.com/4266247772 +IPng Networks 'Halloumi2025h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEqJxSnCcMhWikCFeWo1RiplGaVEZL5Vn4KEJYZM97Ro5XuTg4h6+n807utfPS7qqpLv5me/ddlpKFGoFfkMBrAQ==,+3xjpo0eBq3Qg4ibuNQyHLJFROv2/mlyKRkuOD5ebiM= <*&https://halloumi2025h2.log.ct.ipng.ch/2 +ʌB +J + IPng NetworksRipng_halloumi2025h2Z&https://halloumi2025h2.mon.ct.ipng.ch/https://crbug.com/4370033442 +IPng Networks 'Halloumi2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEzdcnGwRjm2ZoA68JFZKfoM4cOPPG2fr0iR72p3XanznOlw57HJ9RlYRNt75gIMIKgB1r0dxY5Jojq1m8uobYjg==,fz035/iSPY5xZb6w0+q+5yoivkbAy4TEFtTkuYJky8I= <*&https://halloumi2026h1.log.ct.ipng.ch/2 +B +J + IPng NetworksRipng_halloumi2026h1Z&https://halloumi2026h1.mon.ct.ipng.ch/https://crbug.com/4370033442 +IPng Networks 'Halloumi2026h2a'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEiGh4zMsdukTgrdk9iPIwz9OfU9TQVi4Mxufpmnlrzv3ivJcxVhrST4XQSeQoF5LlFVIU6PL4IzrYl12BUWn9rQ==,JuNkblhpISO8ND9HJDWbN5LNJFqI2BXTkzP9mRirRyM= <*'https://halloumi2026h2a.log.ct.ipng.ch/2 +B +J + IPng NetworksRipng_halloumi2026h2aZ'https://halloumi2026h2a.mon.ct.ipng.ch/https://crbug.com/4370033442 +IPng Networks 'Halloumi2027h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEw5SUl2yfd5TFSqUGv7A+I5+TpLe+zEccmtWVQakQQtOHYKqH8TbycalFx5xaqE5PU4NEwwnAJ9FWeT/6QaovZw==,ROgi/CurDpLu0On61pZkYCd20Bdg4IkFCckjobA/w38= <*&https://halloumi2027h1.log.ct.ipng.ch/2 +B +J + IPng NetworksRipng_halloumi2027h1Z&https://halloumi2027h1.mon.ct.ipng.ch/https://crbug.com/4370033442 +IPng Networks 'Halloumi2027h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAErmKbFkPG7QfQUARhbIik8vVbIkXhK+YMB6TvLZkyhnzv7wedn+l7VChqovZHKOQXmZEd4B+3ljovIpQz2HmyHA==,CRV/Yy1Gx/dtlSZUk7wPALOVrF2zorJr+wQ9ukrGOJM= <*&https://halloumi2027h2.log.ct.ipng.ch/2 +B +J + IPng NetworksRipng_halloumi2027h2Z&https://halloumi2027h2.mon.ct.ipng.ch/https://crbug.com/4370033442 +IPng Networks 'Gouda2025h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEpHiP24MNo8pgt5RNoawsvGIwSaVEKNqdzYCUXtMu0MM15t63d26eDUDz+nkQjACuRo4LRJcyia7I0anEdNH9wA==,GoudanQ8ze1gH3O9MJcIHbyuxKYTnJKwtUDDE3sg7AU= <*#https://gouda2025h2.log.ct.ipng.ch/2 +ʌB +J + IPng NetworksRipng_gouda2025h2Z#https://gouda2025h2.mon.ct.ipng.ch/https://crbug.com/4370033442 +IPng Networks 'Gouda2026h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAER6wvqVwhf5isuCtwSfNjTOrqwZg0vZuIMP7xk8fPmJfaFZCte1ptQiqNhRMCtqIgJvDcJyjkGVI8i44vxL877A==,GoudaUpXmMiZoMqIvfSPwLRWYMzDYA0fcfRp/8fRrKM= <*#https://gouda2026h1.log.ct.ipng.ch/2 +B +J + IPng NetworksRipng_gouda2026h1Z#https://gouda2026h1.mon.ct.ipng.ch/https://crbug.com/4370033442 +IPng Networks 'Gouda2026h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEjayczmhUMNftWy6VjvYXcTUEpvL8LIAKcYcxrxx5xxQGZEVvhnZeCnXVlsMWhq1h9J55eZfQWM/dqIr6GmoN9Q==,Goudaw/+v4G0eTnG0jEKhtbRAtTwRuIYLJ3jX14mJe8= <*#https://gouda2026h2.log.ct.ipng.ch/2 +B +J + IPng NetworksRipng_gouda2026h2Z#https://gouda2026h2.mon.ct.ipng.ch/https://crbug.com/4370033442 +IPng Networks 'Gouda2027h1'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEOh11B2aRT9BiTqo+6kvQ7cSGf819Ait+jGc6AuHlGUXxWCX1YCQ9OFNnr6MUKStyw4sVin5FCvtbke1mctl3gQ==,Gouda43XkdHNBUnttgNV1ga2T60w23H+eI8Px8j7xLE= <*#https://gouda2027h1.log.ct.ipng.ch/2 +B +J + IPng NetworksRipng_gouda2027h1Z#https://gouda2027h1.mon.ct.ipng.ch/https://crbug.com/4370033442 +IPng Networks 'Gouda2027h2'|MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEPuxPH20sSqUzHGllZceceFvyoSffwBWgX4LKd8wk3A3ayZuwwh2pDuEOsimMxLXFh0IUYz73a9I7kxkUqM+N8w==,GoudaVNi2GSSp7niI2BuNOzp4xC6NPuTBXhdKc5XV+s= <*#https://gouda2027h2.log.ct.ipng.ch/2 +B +J + IPng NetworksRipng_gouda2027h2Z#https://gouda2027h2.mon.ct.ipng.ch/https://crbug.com/4370033442 + OڗR +4 W6k~r{/[tXD85P 7`F}eAWd( ;gpF&2fFeJ&ot86XVz x|nXS" +=R6!: !:"z@G[`O˫ ^'KqQT} Gn+^N"\Qd,<3v g x)!HdfӀfS >:Zonq׉ 6C6#6O41|4 TԙؾF(S:Nѷ1S<74 _yJ4'Z]qd!aLWy,  ~8bLO<жaW{b  Ch` G1cpv#[ .vW$zxa&)eS1/kÏ ]٬v7Dhp3Hs.CK_ r}gsF϶age@f{Jo7+ 7D[6S],8Q ڏ/; /X NdiB-R*a'=jYtj 1z?nd؏7k݆҅NH& ~uyR^.5`O6i- +ėS~VHXETME*a Yf|uM8 υFRMy5  &jhu(e$LPYfþZ9{x  UZ9m[KL<`6*\6 V< |%6Lُ$[1y 5j{; FI)n3j zDl=0 cX:M1J, /!^oLzCdzʼ~mXĈ ׵x,clF{=+\<,rW]sXG5 S`#úbY]c(^TYr< w K(CBhKX%(7 {TYܠ: 7M 1e[ƍ9c}fZe= $gE XjeGJG-) >q5lL™SqB ́M^6i E!G0VfjZJZhd [܆F{H?#U\FN "P wMVQ8M$*EIVAq Hsm0Ey!Zrm%#[o g ekYI.žW: NPBGdAG)ƆaDiL\! O+{8KCQFjg  16  +2=+_ Zn@K@  C&e6B*y/B k>XUOE& ?Vn`?мbk y|,YK-Aesx;:Aa  ILq#b^Ca%CImmu* 3Xշb=Z~k}j~8$N1 muKA|b̥n'pؕ* ya </pIRo9LQP %s}ԊP؁Q]Y`v"_g WT<Db֫`5W,|vNi 27TlbE|^- :7{:)6wP"Q1:[my  FRڞS{I8O2:[ J&&&Z֧? +*{ טٻ] +hzqpj @:>pX~_^ͥ$t' 7E 'CMQySF@i1| $I-II +{1FhO  JCixGuȽ3xd݉QA ,GUNVjbT b <lzz \%^A͐~]p _6dtxЅط[^\Je bvZN'[d B9r.y~L*{ }&v[B{RZ~ +lĎ cQr]@1v 9[a(O% & {sHBd ֍vu0DL kЈcGR'H fk9s}#(%ʉ|ؖuf=\ k ޽ 2! ]&K큚5QHP dt%V\S妍0u¹Y 387+Vz]m~R?k 0({꜆ p ya&,ˋn hU8)} о>t~87u7nښ7W-zE Nzz.-;۪̊ՏÇpW QgxJCUm4 Us UCkz~pg$)8ѮWs~o;- ԟ[$H?lxpRmіVǜ7V :v3C:aMrkz,CT qm8H^܊eBf"̬ /Ci o?KJPGxkfnKBǻA7I qKĝM왜 $G[ ReɨՅ Үchc.@*AL5N7ƞ _j !m؀vJ{m+d` jͻv> !8&Uh27ɝ7j@ "AeBr];[n橳Sͳ\ "U=(N[٢>[1J!j0 "NrC,R=En: lTY "3\gQ (Y '}ʕeR0Z#웽u)V-  'C+j)00~YS[,e (sA>\^e(Dܹ}JHu (2h +xrXgCkB:% /W (RTSwjnSwUnqS (sWoarqv.y:j/^v( eb (ҭJ}AL|";/Z:ѾQx"5 (.s`]Xv@;h4 )Q=eJ ͞6Sc~T^Vbh *EQlߕf4f`lbg *jaUʰz3/YKc : + |qXx *o>qɤUri*BoOi\O KrՈF *H? / %kӀ]cE +S߇u#vE~9~sao.8K ,2G ?M q[ +wubR%Mq + ,9ӉZʦ's f%霂`Q$rz ,S)F#[[<9+P-ܮ4櫸 -2|Tv"(۪x-F{@,Ə -U:Se*֭޼90^S R!|by6 -=3Q3-D82b[EJў -X"Ę K/D+|dݳ -&)mGXH췹βѨ"FX: -ĻX {3=L(gUi +&# -ð!;a/P5\ o4K}{ .pWjhaLcF#">Nz/v .WbG{XV(F>3|[= /G85z-Iƨ+y$sbS 0Tr2?lao]9V14˺G 0Trrhk@zn [v7Աk 1Wh$¿?ϞhEJ(-#&Rs繆 1r:07:Ys9}15 1=ƌuhWrB%7' +W{ 2 ~ 8)LzBGBkocS 2/Q-slnMdTC 2B\bBY1ص p̊Oa 3 +TgÙ^9 8H4YzlŶXd ͍w 8E nza:Xɍe o:ɴ; 8hIm3@pTւ%0_&Oh 8g;!8;{:T +Cş@_{  8#TTUFFTR|mpf~lw} 8^ $+۵ߠh,5j9pb˸x 9;調)CNI ))b]lV 9UEAH5~ 0~ ?W2 V2 9sKUy+fgo 9[ Ƽ"32S##x :w^H0Rz.DfaE :)=Q%|Odž|* :#6װG u_:Eq=bQF :~̉vs/pw^RrsP ;7\,0GoHO2- ;PPaז6-b(x/RJd'Sup ;?97GV9Ҋe닟˴+ ;#܊0^#ൖ&-ɪe +x8P`LP ;J֕K@%LkZ'=-% ;L3:ۙWCdr 0P <Ùo˵gV R\sTU@( L&za62": >2*]hfS&(.͈[ >WO?.oi>.0=POHT >a9Et5#tsr \g#b  >[,[_m,?8k+ +/+# >FH %R~us-XK. [bV ?cmU{ \ia$V ? nQ6Ĝΐ|] Pe6+ ?@l{}>dzR`% ?'n:׏#׏ԋrM1 ?Uj5 s {1kV3K(}S0 ?uNxߖ]{1gd_N-ޒC ?[*ĤƦ1Óf_HcqĀO\ ?~1$8.N$A!oW&ZSn ?_':gSC|J T.7)j @K'yCϴ2 +So&hڃ]X, @iJ;=]͟N)L%*GvRh  @R+@R8)wIH4 *eϼ^ @quJzMc* CͰbd9y駵ȣ A]}fvؙdvwv+uXBf At*Y7j*sȏWi{D߶  AiNȾ~Œ~(!`> ڟ + A0LX@t{>y:cos} Ailq42< ,|֞L?ߋ CFk"I,dUII{( +J?? C:aZ~l D AVI˩v C^"(V¯.E_ Dh}Ôw-fn,w=E Duop]Nq'p%mNg DKir/YPk'龤_e? $lpǙ EF=Kl$#8۽t7%}͗]ޠC J5Tg6xϢ;9&o =*ld J`oVm=2W K+< -cquzg='?"yp4 Kvq؀pК C (z皑r KĀUiIYY;x2pbi'仭6 KE7bҽ{ =fG*mwL KʱxI +?h@Y3' 68 K94}uo&",6i/%!5uP L TZX,)FR؇r_D@ LjdD`O"$O!ƻZ["-UQWc ^_  NԈZ:ݯ'CQ,ra< D3, N?FZF̈́Rx40Ɉ |ш Omd2bf&WHr? _D O"wM% %ŘStETă̹sY6v OVŒ%5#Y ]hv OQȬKSpۿvܼ OG0)Ί45KAS| V-Xk:,#Ekٌ P68('x٤' _N'0x PN-i*,9\F@p PpX6R4/sȜJaa* O RDhtxK+6XTIq*j] R , /5u:7hvRN) Sjs'5JTʑߘB SI: ,YX+C+aNf.Py SSGjj16a z+K%B_ S-_i"f0TiXd8 Sg\U 8r:Pq3 TtgBB }}f.ƶ^PQ\S T/k_[;՜A32>ً8 T?p ?181 ˓FF3/Wo TJ?ѷ"4JNETӡw&ɨeؼq Uh:R]=b][ޅqd/ٲ`e1 Kݮ_1F&x{ V,'/Ad"G9nsUd W cb8˖B@MQMw W)ֱю[ߥkD`%7|<9 W1: +=va@ɝe#` +.nb!>Mb Wb&%z2wiFp6u> Wi99~BGF!qLx?| W˦}2$2%i74]”]f Yێ+G,)]d Ye7C4WMYC7G Zm"j* C(\*\nm Zv֏y?sxgykLé ZnPiox f/2FC [e=`=Լ$id323PQ [z߉ Tr,D-d [AGyj.$2~; [͠OH?x#Kmi / \?PdDs]DE߶+3W \&ޏk!I([A + uY \eOfPƚ`_| \ È~ȃt|'NA :%jO  \!ķvԞɢ-LCc w \0A#xTw)/qEgL,R, ]F:~~ +@ƔcHde-%X ]6V*jc-#߮,:OױUȘƏ ^1魒VHƩ\]*6n%K&6ao ^jDoEnҤٸxPZ?p L- ^xPl} +F2g _J {Qs=6k!U_#13+E(1c _]~^ZI1d51UP:rx _xOnVy UWϭ]ɩiِ _FOI;%:4.qE/K#[|  _om`UJwbBHC'j:z!9L+SF_~Ĵ( `O'Bۖ;=* `,W( `X﬉hOv@d.vaHӽ-I֎ `S]K +g_hQm|7_ a"3nIE;uɇ1d< a4z2-7dv b8W NUCnQ#'dsn} bn$G +^+y”ؗ]d[?Ë, br~F+ƄJ4N`$VPp uf bQ:|DsNӠ& bw]- 3#8P~殔A b\Ny#kn)4\ d$1l|-yK%iWD&m҈ dg-¹i2N>whp1JI drj M{ثj2Swo e<懔MF +<l-=j=x e'g{/A-3yi{ Ғ5X! e3ON@t +FYd/ j, f=[N(|Bg"r$i fyG,ete|΢u(A f\LΌTflr]hq&ks fuc2M4uXq22|{p/Ju fԠ~_>^s'GK[YH  f +g3 s0z +޼~C;8GOy gHr.997pCe! gsO.8Х7~HYC\pݳF&iH9 hm'Fy+Xg}a?+z֥ h- Ѭ_.AX' hqctG@螊]i.*\$*2&o h4S|tChP9@$i`Ep  hݧK- 2Yl3M9ٚjB ig3y̥Kb*$.)[kn j(qmj6 +}[!}:h5~G j?ȱK>(Q%j }e5]c jYXЫFWx7@VȮ&@u jd7M/ 4(=e=e)! kEB*&:Vx|RpfFYäc) kv 6rtv^jtJ-Y\ kBw Ӌgo v&87lrΏ kS#]&l)`~4jW#a^k.Ʒ+`N l[@Lx?oMQ {Y`/X ln5?i˝[ޝL)|^u + lpv^q^$kr"y۫ luu\f~72zui71tPjL lP9EtoT@Q0'pX +{ l8aVDdM%)/, lڮwTdBcE3A>Q3Ty lMޏ&9d(crS5 %R m38(`X`$AOrd m'f$>ɈbB7  mQa|޸w+L0ʩ59R  nҸS\&^Q*kB{ n0\E&fO%jiź[WקE nĎtf'MKRDZ1 orWBnD)z1Z-59*$ oʅݝ3RZ'ZhijP? q ocmfQowԭb[SRi qpfƚ] HaЄOwdU quNY=y,^ h@3&G( ZI qv 0δ5;φ 9 $x9^v q{"z<[ )t8FgIEh* q`:q[Ȳ+ KVm& rQى\wd Xs^Hb 5 r|)K3D64Xш;91 r݃Y(vR`veUHJ0ûy +[X szzd>q79[l+U s5:'.s$u}x{h sFWcn)ey]J@E`a' s'z`dNS[dU Ye}9 t ^BxǚJhuJP7[ tx9"(K ˽Ma/^!%T1O t6k# +_:l┊h(#)q th\_IKiY#d!-PZK +qU uPx+9#sM}0ķJT$ݹСVD1 us2[SYoÏ&VHp銗 +Ǔ um؏-B6BBB+Q{Dx; vWIj&UO%mAFL |'F vb2=<߂'iȯ~k v~Zk6bozTn{ǧM$ wOZ'+~U99 x4Lj8 +E w87DuJYBlrᓅ{eu w_^߼RR@z34U5z wh!9X jq aj#@ wBv:fɤm)QdQK~U x m/D6hs,t(LD#⋨ yf89"{V +YO_š.xZo~~ y3)oש;Y ^82Ζ_8zZ y3C]+LjPŠQ Hqn~FŻ yeAx[x|FW6sq, z0Ӌ>$'`G58"8 {[T|?؝8ڣ {񰴹fC:r28"gM\=b {."oLe@y?0]Җ4h_sYJ |)YrB@p %/(trȃC' |;|أy0ݘÛ l1Kz7xf |?U4Di 4ՙЩcȂ |InVLhOם; ~T)g8`7 }](m%cU 핌]4FHX }D7p;`m~3rs{V }iiȀ7LKRDJ +L.t }6M~IO ޣh}KX7wġ }~"iזWFI7V#*F }MΙRiH^+Q1-ݹ0 ~N\m+m軦X*Mwd ~&t3;\ +XpªrMGs ~Jk~'ŋ<0v hٌ .ʍ ~SNNZHГA1fq 6x+ +|> ~ofHGDF.U2 ~g~֦dWB>-z !HE# l.?g!%.|0 W[x y|[pVl饆 պ q` Bv3 ,.aU -d xnNn!♬0ɮI]IIH5 *j)4 -dY+9V͹ 7 +3 Fi$\xIX%r{" Cͦ ~O3[rR$Rį13|ѽz w$.CzWXJ71"lٕMI "^$$ W?K`})}B+ OE"%< բ3-zHc|Td8?YbQ KZΥ,%DuFGG|m-$ ha!wnsg[uOE5 ] MDG24.u +Fx+ GRPةr{<6`NnRm H:\[çlD`p0v  c9@/'FUӈ#β|uD' Iƨ4r^0g3 >-[L 2aIJ766EXR+^ %mYrS-aP`Պ9l$J m(]P/WAeVfx.sG9P qNFzOBܣR*,' +),TDѓ:9n[^w$ 'LJG!I܅IҐUw,E 34 HmuD^s hpOvN)I%JMbvn &+{ k:?\dx% :-F'v"pvlmͣO>A ~OZu`KUCy߭s4 =ڕjU[~qsp4$TcKz\q)|XLłg ͛ƪDhBQtck6 3sJg KVLuFV; + r̀6X0ý?hL d(dV9H-@7/ :\`ж,Ii|} ϫ3Abfmq^*L_D ڄ9u"rͽ]%?ThuƢDK K]F-skQ{HS֪$ o&Y8Ӌj j+ڇXze-Ьx?)R`kGE `\yŋ[17Xqxni8*8 '޹P@Cx *15c&l  fPC8Ҫ49@^h  p,7ЋˀVwc+&!,s $I8/9q}@{W 4QUF|l p_n>ۤ 1 jnF$eN@-yNO? J[QMuz[=yա}WW|j i*r +AE?i5rzM7k%~ mv* ??,}F$I,LΕ%A s vWWCC +TʨXbLj5  |'1'FΛ/IX:"F3~7M MXMb 焂u=uqC8Р XݓMyK.j|ѳ*V" yքJNGX%$_t hmJl( >NpJuKsIw Nq-B$,Gz ?N:\0l g~)8-E,Ï1s^h? L7dRZ2),dB;`o Lx; 3󨚞ܦ0vУM Pl_ w۶ v\1Jyf$:S ]  x9P6X|KTb)?cwL7K {-IDzѿ%Gc&H + lbf[uy鰄67պ) P~S0btʼn\RH=#sa @K74pGӓP5Hw]~ǣ} ޜ'b'^]`i=ren-ה t+6ː Jm%AӰv CrbF6 -1;b 6̙_4jڢ&7CЂMը% 077زbXfB;NO G@j  +">sّ{E]^9J)rY ժiO 0t}\盝]OE-I $8Jz4/ mk1x m夭bP FI$qa}QJ9iY8D>e["dV Kq\E }\7w;Йm; BEn]MVCGͻ%( +CD3t%+eD= ̄;xV/%ЊfCW== )@ΩDwCFH@q1O-G/ ;a s<;u|b4yH:~t L0>uP h4kڱn0" UD@ɛc7{o707KD%P*q ]^)RhAGj͌pqWtD,~n `c +0Bt%2ٮܔH}@X_ @QUXȢ.iiG- 퍠 2e ^G@Sۜ Pwaٕarϩ5/C %Ƽ: {?ID<;ȳ &]Jy=2PKQk2Z[Cfɮ 3o&'P;qPxEmfpw +>jDږ1<uh%Se\ +CO?1mWg'# ݴ$ D1p@TjԄvJR = P:?4Ũ"V*,@^~![l&N@ yOףJS eDDؕzc9%DB2 o؊Et%P4/["6, oSP B 'ރi[8<\-1 SE>s 91C?!1 vwؠC)/b*?Yx q +_gj߻h.5^͒bB vc 46\D>8u!' fʵߒ` m׃:}us uPK8S|-EbQԠ2Wve ~ke+/|j%yW t/ ㄙK?"+?K郞BF+)9kv 'b$Cfq([S(% +mܢ[(H $g2lQ5b/қ|tƁ5\ ]WIp‚nX%~f܆U  6|s2(fM#K"vr NGr["X-Sx_AGp AЀJ@ǑsVQXNpdM $쾡XxLHx]Lac[ku)hˆIh0 TE,q$o2odت&=Qdy 9Vqjp |,!mJ,6熧 +{PN9Hr{ Sngm&|G  x_OZ . eUJfIaC + < 6A'6 z4qkПnP Sq~-Q/|aԫjYpi +J7ǗL|LfzXiy /H yzc;}2\d-A8+ X\{:L̺6/ު.R zڶ +] ݝu?P8 PҶ ˟?#i]:r|RTAhqr  x8Nꉴsn}v {_+(1O;h3di 0~B@hg)̪qe 8B`\sRFU}@uYK U|BkgDN 2@$ ޳ M^~g9 +\|'C+m4 q+; y7Low(|3v!"#lF Dn YoB@2ʬxrX ծD _QT+p hgz|3v!3j DLJ@}kZՖlbͯ89 2fJ%vHrᅻڗ9 x2CO cDq.km_EH)&{g 5DJ<2Ł3U0: 8Fg Q_ MXk 8i1YO36' ILķȪCKL j  T@ +z7^f>c 7H)2( UٌhS[<)?[ WŝH} ~1>܃FL0~G(@ MYVS/`'.][ 3Q9U$f5  ^|u(ٌה0j[o _dg{u25L * ʉT8H_PLfHXM g^ܑ睱y?`k񣪪7?j *WU`YWD3ۭgzWOn L9\Y\t尛N4U[Us NQ>S܋2PatzQ foB^~Gf%t~B wK *EGI-T%0!<݌tK i'D} dƚTT(BK ?Nm0Ha7d+Sl F% >j޶U^c8ijUȈ 4 2.rS̢e}<CՅ5 ΍ܪ1TȍT3˓UKCCaPpxe -i^`b$JjWPje#>%)ʻ Nk[GҞܝ3Epu `B;%:-Wtx!UrME ޗв8[gY3LS (`S!ގ2DybB!vWM gq-š7٨8'I3 =,Э~ ܳ_kh~ D:r纄1 qajIX&zV#ܝNFO/$` ]r|BZ +:uyK E]< rMևʐgkXq {EUBMK3;V5G%+K$ 0xsO!Sm2p*84|u??W zaV*y + *h "̉q7p +@շ~x>r h*/X($ڭvG[PV>G [d#vvn;>&ߙ$(Ri vͷ'c-vȴcO w,8k,FLJPKA՜q ~ - 4(b]8oIXKooxyH$ә /o +K&]FDVkJ/S 񡮨s8e-ϟ׉fDO쎚 ќ&ߛ[iھ\1U"OT9 (Kv0fɡX̎_4":X aoTL'7^WX@/ +Lr^7F@ 1s1 RCPCKg ^kA>t}6[ciU߫u' uU-Kcn˭1n@ k* !;@XTD#;ǜl8)m+w ]):ɨD7_ bΒb@^x 7<5@<~MaD4ވRs dxbQyzXc\'BT+%ow $q 4+`BD: 7*A2 좆{r%!Dc̫ި }-h4FPhoK2G1,(|Rљ +&kMU%]0n%)/- ǛhX'b'f很^){ 䰁` =^A ol$϶5 Al0=ؼ4̹_QS>>'F !PFkU5^q"uAm~0 0S["UU2T:?7o9[ T'/;E\‡w.0q{Gr "墜- +`J>.> {_9t~*mhȱH̱U+ KT I~vkI6ƻ {|[?ډ03p1WH(|b (ȓ$7eٹ8M +kI^O )x"U8$FE~)oK|̽ ?c'0o&  2`&RBsvg6yʂ2-b &dwI!a\hsOMӔ&GԶ UFOm$(lE7i~ ă;Q9?4"Fi>P ĴZa5"hc]18^z, r#;*ҔSXJQ j}xg 'S?k X7>HNaM 6=mdm tO2 +hUC3 y5Mo* ˚lzޔ]2x}7&M+JbI -<ʁE ʔ#g[qUJ m'N]Xt'};iGG(4 1ّcYpaݦ$%!MG 6̬%,EDP[cզ U;M|}wYԡ2kBPgÀ Qs@e0.9vsTqPw ď0p,AJ| +sڸ5 }/sdN : h-V Ǧ#7=]=CyE06"qjkl. &ڶYh Y5x +nO ڽ#02Q6@ ^3OY PD.ɕqɮy4S^{_ 4ȋVURl2p8IP Q󩇶u&F'rfEE ẔO(H*RMYu>m(ty ț(#n{bo?_f ͋ A4@%:ijI0Ǎ wh` `fdG QiDr?(/Bo hnyJLwY ie@sCGK ʽNK AE1= G;~? :3a)+> {[&nUK**h{# :O4@ >7(ֽٍO\$`)=K ͜uܷSCb"3Ĥ* :n?k׳ƴ!F"/F> qO +YWViXtYՄ$+ S>J @)Z *(_PrSd*xBV O`g7|0W~8*p.l(? REl +V6Y|ʓ1aY7"".g ϔ[Y Kr/F=j- 8Y$Z⼆1>1(BP:5NZ JOW#gAo)w ."a3cʏ&\ ШErMd|QxUx*܊3I +ħ' л~= [ޢT` L]`1~Ht $&-rQ O<8_OqM|` ABqqin|WR ^5B qT;(>>( W7Cyo#E ѡT È8a9x; pĤIPh +!Xki1o ُ})p=Zt[n +2A)5W ,AORN za(xp ][Fp_7*!7):Z&164N қj%ItFYЪ&tfRqX%Dk Ӆ&},%Ø+~[($O hU( Ӽ&Nڲa(qq?ew:) +` +gE%ACm֫ZZ%nu% pu S8m sX78K 0c"Y ?کU,reEʜX 7k7wYpoZKW ŭ F#uzH^Q ՜ [{^TTӝ$J,d6 0j?{יjΘYRZ@G Ԫ{őO9T I*^ 첩 +1sc$Ȭ +[W- ׿U8ߵ~֢~h Bt}og} Ǟ gSx ز*$& -Vͺc-X: &g"BB=. 6Ӟ B 8IBc@ȝyTIx1"3-b2 RlDw" cX}>#ɴI. + ^T glnڌ*KҺ}_Ldx sO0=P_%C-Pnj ۉ ;q5,MSiI{Ư0ܶ $>  e#8ve%OrN 0/-ozAhu m&CN* LQ2kz5s1%x& {O3sPK-Pd ݴCbL9LNoș7WG kz rH!psrㄖ1Z  x#V@,@'; +!4a>ܝ< ZWbǓNb0@EZbz 4wzr) +e)Z\. ঙ>̀`[8pOnc?G }6}J`MRl3OR. ~Q:~0eQ{^` 4JPnwGۋѶ:T< ? ?!*RBLPAX5`ڳt== }V4R`v6 lt_zRy^r ҁ].D%]E=/_]K { ͧ +Y:/<`DPX.5^["' '.KfF#ْNpQ驦u 21̠ ?ۯ:5"6o |W0O)>׵$EXBū߈1# es”_i=|/4|GL?w {Cqےv*[!vnE0\ (/t(B21gpy##lwaKkbh FH6BSJ0J+r?U*N 4J4ohNW `!CH<`޷$&$bIL BѳF UzTbmAk"3q _FmT<.t݁=z h[ +3j|n#4b ; &Kd Jm B~A=Ɩ}QƓq%\{g Dx3DE%?1f#[ 暸ZVfačH>2Nო8 +@3= hm+@}"H#:lO&I ]~X 1KTAF-b݋fA9{V 矣bIH3JV 1: oץ$2p+uNІIQñ +gð|~(2 ~eu +ǢI=Iřn~L 鬇(=|I|hX58$?7  ف +؜BrtLxWx.y SOi`v +l0٥fM= ^]&M<Z79uPb2^ LDtd j\b^&pf80IZk,:E oGn:5lyU<ޠR4X%c +*A`ow'#X]Nv` qG_R87/SNv3ފF  =BGo/|on3ODGdG= %۩R HM̅VݍF L# xB|x peW'tLm(}o 泎X.MD +'%btR% dΖky7R=Ԅh Ƭ|Dm۫ 65"CZnY qſW)? ^^wt+ꎏj$ =5-TxyG)ٍ Q;Q2w1E`E3ΚT\W B ,H`pLC}", _4Knf5,]y꫘Ēw$ ٚT,wύ%؈`l; ݱ߬Jc''Ei! ?Ϫ1'<ůJEY DHL3nO9zڣɘ,Vw VɦK _pR>%u'3# lݛKoyr˼䂖 + U.ґf N@:MxL}`.m `? @6 %mH"< vܣ6zŹ. +Qd +b zWVw' /7,ɢ@SlDR 3t + iGp>L#܈bG +w}iތř~ V;_ + V춧-!1WT~ij  K?FټfУsR/Qؗ J!Zuobb Nx~`SXwNm׺]Jg ݗ'\XJWp 09p?$-P Қ5YX.`dˊYKPs^]Rn,_R  P: l?5j"}5X /GJ7=Bü (@d +o(=OK5g >38H:fwbhSɵ O(}.!w,A>!_sԷ6 Uvll䲓dMfw' Yl"0fӵ$L~o +ݟp% Aoy;~8^w|D7f=ga>ӍR i5_\ +H7: +!Sʕ lNbh}>q_FU"O 5=K3}@,#vAYˎ(yR t":f ax'b7RW(ӧ KwA- ,TIпQ5'za=_jWdR+ okʑ5Yt8[؈=8S$ )>x'WhQ5#H \ No newline at end of file diff --git a/user/user_data/PKIMetadata/1547/kp_pinslist.pb b/user/user_data/PKIMetadata/1547/kp_pinslist.pb new file mode 100644 index 0000000..1d69ead Binary files /dev/null and b/user/user_data/PKIMetadata/1547/kp_pinslist.pb differ diff --git a/user/user_data/PKIMetadata/1547/manifest.json b/user/user_data/PKIMetadata/1547/manifest.json new file mode 100644 index 0000000..5a6909d --- /dev/null +++ b/user/user_data/PKIMetadata/1547/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "pkiMetadata", + "version": "1547" +} \ No newline at end of file diff --git a/user/user_data/SSLErrorAssistant/7/_metadata/verified_contents.json b/user/user_data/SSLErrorAssistant/7/_metadata/verified_contents.json new file mode 100644 index 0000000..9cc5f75 --- /dev/null +++ b/user/user_data/SSLErrorAssistant/7/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJtYW5pZmVzdC5qc29uIiwicm9vdF9oYXNoIjoiSUxrUllPSmhIVEZacllLRmN5UC12SkJrVjNWbWVLdHo4d1hEb2VPWjBZMCJ9LHsicGF0aCI6InNzbF9lcnJvcl9hc3Npc3RhbnQucGIiLCJyb290X2hhc2giOiJyRFZLUnlPcXBQQnI3RGhkM2VTazBKZzYxUlJXOVNzeHFBYU95WDFiWHFjIn1dLCJmb3JtYXQiOiJ0cmVlaGFzaCIsImhhc2hfYmxvY2tfc2l6ZSI6NDA5Nn1dLCJpdGVtX2lkIjoiZ2lla2NtbWxua2xlbmxhb21wcGtwaGtuam1ubnBuZWgiLCJpdGVtX3ZlcnNpb24iOiI3IiwicHJvdG9jb2xfdmVyc2lvbiI6MX0","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"nBdNk-7bgnEftAs4hWaHwF1Lk9pt7Eh6pcqe2gyNsE7VnVRp-H27tm1RFAF4htCUlXNJxX6YY-MUiK2DqJpQ3c73KDaFV8DcnadQfcXO3Lbrw7jLYSUaSdzujPkTyhuFcq_BhK0KWiIJ0aJgh7nVOBfAa5AbE6oFlLKMB2Ls0gmzS1-a5hUIu4rw2h9r9jkr6gLYbein5Jk2hdwW3u-1GNjyki4dftG2iZNAI8VhUf5gnCiF4AHCnYSGJsM0RGkmO_HJIzgwpQpP3RDsG2ioeKgxL-kcHhjXWOj3uVGyxpp1FkyHGkeGuqpFZMAxx3CEBiOtFj7i3iQxkgEW-E3uMKI3yA3fSVFqw-GihlLhx9v8S79kDny_JtYvAv9LzphJ34090JUMrBG_hVeuIpeOG3Z3LcI1KIV7mKS7IfXl-ZAMb5qsL3YzHD7KCMPyKlHrrw5ZJ_oJxMBZqQC_qZLC36_5wmnRxtfzej34HpzP1HvkR4vkofN5BXZ5p0Xq774l0b0A-N-giOuvcbLNFBrY47L17HJbrjMbB3ZpWKlL5dyOylYgQNU0nmvBd_r8gTBg9X16_z5Ib-W8-FoJBRFLDD0EqEDp6H2CWuBcGWc80dZCH9nA6w8ZAQtqHZOqdbX2YDdJ8Xg64MVvPer2hNbC5ZyI5mVcCr2lR7O-wt2DBD8"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"eU4ORDVSV8PBvRKcnzbrqQ-HyUkwslGv1NfXKybzBh8IA31azpRYidoTBWgBV1m-apgBUlm846hM9XSPtDEec0VGgWWSCHrCOsDHF5Jb_SEpAm1dhxrKITWvjk1KuNnvQBezUjlszJKBw-ZVGQ0-FeS1rHMg-auzxsWcOYhG57ac0v4L4nazraZO_Q3ykiSjBCGpHG3WXa7WAL1mbe0TY5BSNzccSTVUVo182OEuRR3Napu_6hNoarZ4EZOw-BtaFGmKoswmrVvIu7FJKO61ar54iX5M1qy185pdiFuTxqzQN75I7KgD6yZ-RfCuyAbO7B0gDfjnegDr1iEeUcf_ig"}]}}] \ No newline at end of file diff --git a/user/user_data/SSLErrorAssistant/7/manifest.json b/user/user_data/SSLErrorAssistant/7/manifest.json new file mode 100644 index 0000000..51f082a --- /dev/null +++ b/user/user_data/SSLErrorAssistant/7/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "sslErrorAssistant", + "version": "7" +} \ No newline at end of file diff --git a/user/user_data/SSLErrorAssistant/7/ssl_error_assistant.pb b/user/user_data/SSLErrorAssistant/7/ssl_error_assistant.pb new file mode 100644 index 0000000..254d873 --- /dev/null +++ b/user/user_data/SSLErrorAssistant/7/ssl_error_assistant.pb @@ -0,0 +1,54 @@ +5 +3sha256/fjZPHewEHTrMDX3I1ecEIeoy3WFxHyGplOLv28kIbtI=5 +3sha256/m/nBiLhStttu1YmOz7Y3D2u1iB1dV2CbIfFa3R2YW5M=5 +3sha256/8Iuf4xRbVCmCMQTJn3rxlglIO1IOKoyuSUgmXyfaIKs=5 +3sha256/8IHdrS+r6IWzSMcRcD/GA6mBxk1ECX8tGRW0rtGWILE=5 +3sha256/k/2eeJTznE32mblA/du19wpVDSIReFX44M8wXa2JY30=5 +3sha256/urWd7jMwR6DJgvWhp6xfRHF5b/cba3iG0ggXtTR6AfM=5 +3sha256/IJPCDSE5tM9H3nuD5m6RU2i9KDdPXVn4qmC/ULlcZzc=5 +3sha256/0Gy8RMdbxHNWR2GQJ62QKDXORYf5JmMmnr1FJFPYpzM=5 +3sha256/8tTICtyaxIQrdbYYDdgZhTN0OpM9kYndvoImtw1Ys5E=5 +3sha256/F7HIlsaG0bpJW8CzYekRbtFqLVTTGqwvuwPDqnlLct0=5 +3sha256/zaV2Aw1A742R1+WpXWvL5atsJbGmeSS6dzZOfe6f1Yw=5 +3sha256/UwOkRGMlP0K/mKNJdpQ0sTg2ean9Tje8UTOvFYzt1GE=5 +3sha256/w7KUXE4/BAo1YVZdO3mBsrMpu4IQuN0mhUXUI//agVU=5 +3sha256/JnPvGqEn36FjHQlBXtG1uWwNtdMj1o2ojR/asqyypNk=5 +3sha256/AUSXlKDCf1X30WhWeAWbjToABfBkJrKWPL6KwEi5VH0=5 +3sha256/zSyVjjFJMIeXK0ktVTIjewwr6U5OePRqyY/nEXTI4P8=5 +3sha256/9dcHlrXN2WV/ehbEdMxMZ8IV4qvGejCtNC5r6nfTviM=5 +3sha256/E+0WZLGSIe5nddlVKZ5fYzaNHHCE3hNqi/OWZD3iKgA=5 +3sha256/QJ/69CTHYPRa0I3UVlwD6N4MtToxpQ1+0izyGnqEHQo=5 +3sha256/LKtpdq9q7F7msGK0w1+b/gKoDHaQcZKTHIf9PTz2u+U=- +BadSSL AntivirusBadSSL MITM Software TestF +Avast Antivirusavast! Web/Mail Shield Rootavast! Web/Mail ShieldK +Bitdefender Antivirus%Bitdefender Personal CA\.Net-Defender Bitdefender/ +Cisco UmbrellaCisco Umbrella Root CACisco5 +Cisco UmbrellaCisco Umbrella Primary SubCACiscoO + ContentKeeper"ContentKeeper Appliance CA \(\d+\)ContentKeeper Technologies3 +Cyberoam FirewallCyberoam Certificate Authority1 + +ForcePointForcepoint Cloud CAForcepoint LLC# + Fortigate FortiGate CAFortinet +FortinetFortinet( Ltd\.)?M +Kaspersky Internet Security.Kaspersky Anti-Virus Personal Root Certificate( +McAfee Web GatewayMcAfee Web Gateway( +NetSparkwww\.netspark\.comNetSparkD +SmoothWall Firewall-Smoothwall-default-root-certificate-authority@ +SonicWall Firewall*HTTPS Management Certificate for SonicWALL+ +SophosSophos SSL CA_[A-Z0-9\-]+Sophos +SophosSophos_CA_[A-Z0-9]++ + +Sophos UTMsophosutm Proxy CA sophosutm8 +Sophos Web ApplianceSophos Web Appliance +Sophos Plc! +Symantec Blue Coat Blue Coat.*> +/Trend Micro InterScan Web Security Suite (IWSS) IWSS\.TREND +Zscaler Zscaler Inc\."@ +3sha256/cH02TnKuUhQx3ZU4l/nEhG1bjDJCmP5T+9StofLRFX8="Mitel(0"@ +3sha256/cH02TnKuUhQx3ZU4l/nEhG1bjDJCmP5T+9StofLRFX8="Mitel(0"@ +3sha256/atuOPgVUYJItFQHLl/lMagLjnI8ndMpAiCW3tYN53BQ="Mitel(0"@ +3sha256/SQtuxr6y1gNHILUUm2spzTVRWYjMFq+FQUiwe5sfihE="Mitel(0"@ +3sha256/71UShHFSMt6S4kbDIzKTYrEySTuxa1ieR3VSC+uHGlY="Mitel(0"@ +3sha256/71UShHFSMt6S4kbDIzKTYrEySTuxa1ieR3VSC+uHGlY="Mitel(0"O +3sha256/DEPqi83p/DvKFlZkrIIVVn40idU5OgyB4aeRQZkuGVM="Sennheiser HeadSetup(0"O +3sha256/j1kfeqTcPv6UkMOKRpLJAR7RKPHeWVVpQG13tvofa0w="Sennheiser HeadSetup(0 \ No newline at end of file diff --git a/user/user_data/SafetyTips/3091/_metadata/verified_contents.json b/user/user_data/SafetyTips/3091/_metadata/verified_contents.json new file mode 100644 index 0000000..b20ce58 --- /dev/null +++ b/user/user_data/SafetyTips/3091/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJtYW5pZmVzdC5qc29uIiwicm9vdF9oYXNoIjoiaFVIZHp2d1h4Q0hobkpkb3B3eEhjakZYbGVyREpvX1lnZ3NQdFBRSmNnbyJ9LHsicGF0aCI6InNhZmV0eV90aXBzLnBiIiwicm9vdF9oYXNoIjoiSERkYnNFREc4WVJuekJ6LXlDQlBSd251b2tBYWQ0TWpjVnpWczFnTGM5NCJ9XSwiZm9ybWF0IjoidHJlZWhhc2giLCJoYXNoX2Jsb2NrX3NpemUiOjQwOTZ9XSwiaXRlbV9pZCI6ImpmbG9va2dua2Nja2hvYmFnbG5kaWNuYmJnYm9uZWdkIiwiaXRlbV92ZXJzaW9uIjoiMzA5MSIsInByb3RvY29sX3ZlcnNpb24iOjF9","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"R9Oj-xP81rt6_hNacy_Wwfi7wAz6CtBmxz6ap0-ITJ6u1WupIACbHP38utaqka_HiByvdLofZxzpjKU7cHL9KTDKN_yE9REXS9YuVe1bvjASzSx0a1U0_1qZxebUkaidN2FWODitYuyAmqF3t4N_XxOB8_GCiYDyvmOAW60VShmjH7-911T6E1kgBqgrVIF6R8eJ2EKgCm9MAID_-3ylou1y3HnwDOcHcN3MPgjHk0Uchu_vpD2fWW4s2NZ-iQ5JX6i4Fv5oeWjAn1UkirUVVP3EJiKPgQQfPP6C9XRr_eQdM55jPArxd6ohZd3imr9HB7vEFmewKVxr_GddEFvvG4afMpzlQc2NSpRL3gPRI8w9uGa7sOeYSJo3faeLvWpyvn3nnHm--sWZTQU2plG-oH6aeaT-ClsRwvSfq3qDGAV3woKdn4bDgj96klo0pXK_7smifNxtYisR84IhI_zgdGPx-3S6N9e9cw113ivn8oz989IgiUBKeEzFELqszYnBVMG-ncixgV8MkPRQaU5I9gvaybrVDKwGRx-vm5Pi_fX4yCi-e1ppIR_Z8RY6YB7wiP1-mzrGmy1IlKA_4baN6iEzYbpWSSdOikm1hntBHyr-oIwf24PkgWXlv1avFXog0JJy963qHqQP4rUJyvqLM6Au0gYoZtWWrVh_FFhUjbA"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"bUoZ47lXvk1Z8A8KlBDY1g1c6VIQkfeNxjNmsIQLRMz1xvCyOU08O-JhaQTPpeFSf1yLkN9DZsGJMTakj9drVDZA1kffN-3TImpOqGEl6D28qKlSkhOVeU8dIzFeyjnskzcBy6F0EXq5ssXC4vM4nGLmzGBizAlP9oo3glaaWSOLYpJZ-nOHcnWuBhZ8ujpevy_6efTBWwWSedhlynX_dSZC4J-Ybsj0i37eXso-NFJhFYNXFGl2b6nuOdsil3pD2FAO62teiLf0nXccKfQ0ZdixUW4dMFMTK39iPJXuVjd3bScGRusULChz3WCGmn5ZFqPqirdJbKk9hkEwzz403A"}]}}] \ No newline at end of file diff --git a/user/user_data/SafetyTips/3091/manifest.json b/user/user_data/SafetyTips/3091/manifest.json new file mode 100644 index 0000000..b8ac0d9 --- /dev/null +++ b/user/user_data/SafetyTips/3091/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "safetyTips", + "version": "3091" +} \ No newline at end of file diff --git a/user/user_data/SafetyTips/3091/safety_tips.pb b/user/user_data/SafetyTips/3091/safety_tips.pb new file mode 100644 index 0000000..4c71fdd Binary files /dev/null and b/user/user_data/SafetyTips/3091/safety_tips.pb differ diff --git a/user/user_data/ShaderCache/data_1 b/user/user_data/ShaderCache/data_1 index 3e655ce..a79f427 100644 Binary files a/user/user_data/ShaderCache/data_1 and b/user/user_data/ShaderCache/data_1 differ diff --git a/user/user_data/Subresource Filter/Indexed Rules/37/9.64.0/Ruleset Data b/user/user_data/Subresource Filter/Indexed Rules/37/9.64.0/Ruleset Data new file mode 100644 index 0000000..0dcc6e1 Binary files /dev/null and b/user/user_data/Subresource Filter/Indexed Rules/37/9.64.0/Ruleset Data differ diff --git a/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/Filtering Rules b/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/Filtering Rules new file mode 100644 index 0000000..4e166ad --- /dev/null +++ b/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/Filtering Rules @@ -0,0 +1,2960 @@ + +!08@Rhfdjmoedkjf.asia^ +08@R-728x90. +08@R +adtdp.com^ +08@R-728x90/ +08@R yomeno.xyz^ +08@R/468x60/ +08@Ryellowblue.io^ +g* +laurelberninteriors.com* + mediaite.com08@R,ads.adthrive.com/builds/core/*/prebid.min.js +08@R_468_60. +08@Radrecover.com^ +08@R pemsrv.com^ +08@R mnaspm.com^ + 08@Rcolossusssp.com^ +$08@Rtags.refinery89.com^ +,08@Rmysmth.net/nForum/*/ADAgent_ +>* + worldstar.com08@Rjs.assemblyexchange.com/wana. +08@Rreceptivity.io^ +08@Rindoleads.com^ +%08@Rdiscordapp.com/banners/ +(08@Rlooker.com/api/internal/ +#08@Rbroadstreetads.com^ + 08@R/ads.bundle.min.js +(08@Rshikoku-np.co.jp/img/ad/ +! 08@Rlinkbucks.com/tmpl/ +#08@Raltitude-arena.com^ +08@R xhmoon5.com^ +08@Rclicktripz.com^ +08@R -ad-manager/ +08@R8a53b29c07.com^ +08@Rfiles.slack.com^ +* +bigescapegames.com* + geotastic.net* + cuberealm.io* + +brofist.io* + +findcat.io* + +lordz.io08@Rapi.adinplay.com/libs/aiptag/ +$08@Radmitad-connect.com^ +208@R"cloudfront.net/js/common/invoke.js +08@R /300-250. +08@R innity.com^ +08@R admicro.vn^ +08@R ://adsrv. +$08@Rpubpowerplatform.io^ +08@R clickagy.com^ +#08@Rscarabresearch.com^ +08@R adspirit.de^ +208@R"www.google.*/adsense/search/ads.js ++08@Rexperienceleague.adobe.com^ +08@R dianomi.com^ +08@R popads.net^ +08@R linkslot.ru^ +08@R /adimage. +R* +independent.co.uk08@R/pub.pixels.ai/wrap-independent-no-prebid-lib.js +08@R +m32.media^ +08@R exoclick.com^ +%* + ads-i.org08@R/ads1. +R08@RDgovernment-and-constitution.org/images/presidential-seal-300-250.gif +08@Rclickiocdn.com^ +08@R bngdin.com^ +&08@Rsyndicatedsearch.goog^ +=* + akinator.mobi08@Rakinator.mobi.cdn.ezoic.net^ +, 08@Rstartrek.website/pictrs/image/ +08@Rb46c27d3ea.com^ +08@R spadsync.com^ +308@R#popin.cc/popin_discovery/recommend? +M* +wunderground.com08@R+pagead2.googlesyndication.com/tag/js/gpt.js +08@R adsninja.ca^ + 08@Raff.bstatic.com^ +; 08@R-v.fwmrm.net/ad/g/1?csid=vcbs_cbsnews_desktop_ ++08@Rgitlab.com/api/v4/projects/ +08@R begun.ru^ +08@R_728_90. +;* + +filmweb.pl08@Rsmartadserver.com/genericpost +!08@Ravantisvideo.com^ +08@R cdntrf.com^ +@* +adtrack.yacast.fr* + +adtrack.ca08@R /adtrack. +.08@Rd3u598arehftfk.cloudfront.net^ +** + hanime.tv08@Radtng.com/get/ +$08@R/search/tsc.php?ses= +S* +googleads.g.doubleclick.net08@R$tpc.googlesyndication.com/pagead/js/ + 08@Rmetricswpsh.com^ +808@R(sanyonews.jp/files/image/ad/okachoku.jpg +* +skiresort.info* + skiresort.de* + skiresort.fr* + skiresort.it* + skiresort.nl08@R6adserver.skiresort-service.com/www/delivery/spcjs.php? +08@R -500x100. +08@Rstat-rock.com^ +(08@R/detroitchicago/raleigh.js +08@R-728x90_ +$08@Reinthusan.tv/prebid.js +"08@Rexmarketplace.com^ +D08@R4makeuseof.com/public/build/images/bg-advert-with-us. +08@R /300x250. +08@Rpgammedia.com^ +08@R microad.jp^ +808@R(infoworld.com/www/js/ads/gpt_includes.js +08@R ://xhamster. +08@R dtscdn.com^ +"* +dlh.net08@Rdlh.net^ +08@R ad-tech.ru^ +4* + zone.msn.com08@Radnxs.com/ast/ast.js +508@R'radiosun.fi/wp-content/uploads/*300x250 +%08@Rbilling.roofnrack.us^ +M* + +thegay.com08@R/thegay.com/assets//jwplayer-*/provider.hlsjs.js +108@R!minigame.aeriagames.jp/*/ae-tpgs- +D* + adplayer.pro* + 4shared.com08@Rstat-rock.com/player/ +,08@Rendowmentoverhangutmost.com^ +408@R$live.lequipe.fr/thirdparty/prebid.js +08@R adjust.com^ +L* +analytics.twitter.com* +ads.twitter.com08@Rads.twitter.com^ +;* +netaffiliation.com08@Rmetaffiliation.com^ +F* + ncsoft.jp08@R)googleadservices.com/pagead/conversion.js +08@R canstrm.com^ +1* + pointtown.com08@Rvaluecommerce.com^ +=* +sudokugame.org08@Rg.doubleclick.net/pagead/ads +08@R +://banner. +08@R audience.io^ +08@R /asyncspc.php +$08@Rhcaptcha.com/captcha/ +$08@Rshaiwourtijogno.net^ +08@Ripromcloud.com^ ++08@Rgpt-worldwide.com/js/gpt.js +#08@Rbilsyndication.com^ +B08@R2/wp-content/uploads/useful_banner_manager_banners/ +08@R deehalig.net^ +08@Rxhamster2.com^ +08@R +adnxs.com^ +08@R +sddan.com^ +08@R w55c.net^ +O08@R@candidate.hr-manager.net/Advertisement/PreviewAdvertisement.aspx +#08@Runwelcomehurry.com^ +08@Radverticum.net^ +F* + +thegay.com08@R(thegay.com/assets/jwplayer-*/jwplayer.js +08@Rmmvideocdn.com^ +!08@Rcouphaithuph.net^ +o* +pirateproxy.live* +thehiddenbay.com* +thepiratebay.org08@R#thepiratebay.*/static/js/details.js +D08@R6salfordonline.com/wp-content/plugins/wp_pro_ad_system/ +08@R +fresh8.co^ +.08@Rd22xmn10vbouk4.cloudfront.net^ +08@R purpleads.io^ +"08@Rfriendsfrozen.com^ +08@R yieldmo.com^ +08@R vidverto.io^ +08@R +kargo.com^ + 08@R2495may2024.com^ +08@R +rlcdn.com^ +08@R rqtrk.eu^ +08@R +adapex.io^ +$08@Rtrvl-px.com/trvl-px/ +' 08@Rnextcloud.com/remote.php/ +08@R ayads.co^ +08@R ://pt.*?psid= +. 08@R commons.wikimedia.org/w/api.php? +08@R smac-ad.com^ +; * +si.com08@R#vms-videos.minutemediaservices.com^ +08@Rgroovinads.com^ +08@R a11ybar.com^ +'08@Rv.fwmrm.net/ad/g/*Nelonen +#08@Rrubiconproject.com^ +08@R +flashb.id^ +08@Rbrowsiprod.com^ +08@R amt3.com^ +08@R truoptik.com^ +08@R sacwumsf.com^ +,08@Rjobs.bg/front_job_search.php +D* +carmagazine.co.uk08@Rbauersecure.com/dist/js/prebid/ +"08@Rvaluecommerce.com^ +08@R moviead55.ru^ +08@R adswizz.com^ +08@R topincome.cc^ +$08@Rimpactradius-go.com^ +"08@Rbobapsoabauns.com^ +Q* +weatherbug.com08@R/web-ads.pulse.weatherbug.net/api/ads/targeting/ +08@R +tqlkg.com^ +%08@R/parsonsmaize/olathe.js +08@Rnewormedia.com^ +8* +research.hchs.hc.edu.tw08@R /banner.php +08@R /adengine.js +08@R +aidata.io^ +08@Rthecoreadv.com^ +08@Rkimberlite.io^ +08@R ftd.agency^ +08@Rdeepintent.com^ +C08@R5przegladpiaseczynski.pl/wp-content/uploads/*-300x250- +?* +extrarebates.com08@Rpepperjamnetwork.com/banners/ +%08@Rdiscretemath.org/ads/ +G08@R9almayadeen.net/Content/VideoJS/js/videoPlayer/VideoAds.js + 08@Rcasalemedia.com^ +* +clickondetroit.com* +click2houston.com* +video.timeout.com* +clickorlando.com* +therealdeal.com* +dictionary.com* + news4jax.com* +heute.at* +ksat.com* +wsls.com08@R anyclip.com^ +g* +wunderground.com08@REpagead2.googlesyndication.com/pagead/managed/js/gpt/*/pubads_impl.js? +"* +managedhealthcareexecutive.com* +chromatographyonline.com* +laurelberninteriors.com* +physicianspractice.com* +epaper.timesgroup.com* +adamtheautomator.com* +medicaleconomics.com* +games.coolgames.com* +journaldequebec.com* +formularywatch.com* +blog.nicovideo.jp* +digitaltrends.com* +edy.rakuten.co.jp* +wralsportsfan.com* +blastingnews.com* +cornwalllive.com* +accuweather.com* +gearpatrol.com* +standard.co.uk* + bloomberg.com* + metropcs.mobi* + bestiefy.com* + devclass.com* + euronews.com* + mediaite.com* + repretel.com* + samsclub.com* + weather.com* + +filmweb.pl* + +spiegel.de* + nycgo.com* + +hoyme.jp* + +telsu.fi* + +theta.tv* +kino.de* +olx.pl08@Rg.doubleclick.net/tag/js/gpt.js +08@Rcloud.mail.ru^ +08@Rvideoroll.net^ +08@Rpromo.com/embed/ +08@R ://banners. +08@Raj1907.online^ +:* + rakuten.co.jp08@Rias.global.rakuten.com/adv/ +08@R ust-ad.com^ +08@Rr2b2.io^ +08@R.ar/ads/ +* +the-independent.com* +barstoolsports.com* +familyhandyman.com* +gamingbible.co.uk* +independent.co.uk* +blastingnews.com* +accuweather.com* +foxbusiness.com* +tasteofhome.com* +sportbible.com* +thehealthy.com* + wellgames.com* + inquirer.com* + keloland.com* + history.com* + +wvnstv.com* + radio.com* + +time.com* + +wboy.com* + +wkrn.com* + +wlns.com* +cnn.com* +rd.com* +si.com08@R"amazon-adsystem.com/aax2/apstag.js +208@R$taipit-mebel.ru/upload/resize_cache/ +08@R yieldlab.net^ +"08@Rbidder.criteo.com^ +'08@Rwebcontentassessor.com^ +* +game.anymanager.io* +sudokugame.org08@RJpagead2.googlesyndication.com/pagead/managed/js/adsense/*/slotcar_library_ +08@Rkllastroad.com^ +08@R ad-nex.com^ +<08@R.crystalmark.info/wp-content/uploads/*-300x250. +08@R mgid.com^ +508@R'hiveworkscomics.com/frontboxes/300x250_ +08@R iagrus.com^ +C08@R3borneobulletin.com.bn/wp-content/banners/bblogo.jpg +08@R /160x600. +008@R"radiotimes.com/static/advertising/ +@08@R0kabumap.com/servlets/kabumap/html/common/img/ad/ +$08@Rinfotel.ca/images/ads/ +08@R eadsrv.com^ +08@R /adverts/ +08@R adthrive.com^ + 08@Rrealclick.co.kr^ +08@R1rx.io^ +08@R exitbee.com^ +$08@Rredintelligence.net^ +308@R#yaytrade.com^*/chunks/pages/advert/ +08@R .160x600. +08@R eskimi.com^ +$08@Radxpremium.services^ +08@R adipolo.com^ +08@Rxhamster.desi^ +08@Rintergient.com^ +#08@Rawin1.com/cshow.php +3* + +icons8.com08@Rimage.shutterstock.com^ +08@R_468x60. +3* + ncsoft.jp08@Rads-twitter.com/oct.js +(08@Rlibs.outbrain.com/video/ +08@R -160x600. +08@R /prebidlink/ +B* + +odysee.com* + +pogo.com08@Rplayer.aniview.com/script/ +q* + +spiegel.de08@RSamazonaws.com/prod.iqdcontroller.iqdigital/cdn_iqdspiegel/live/iqadcontroller.js.gz +*08@Rhighperformanceformat.com^ +' 08@Rfacebook.com/ads/profile/ +08@R akavita.com^ +08@R adotone.com^ +08@R xhwide5.com^ +* +xn--allestrungen-9ib.at* +xn--allestrungen-9ib.ch* +xn--allestrungen-9ib.de* +downdetector.com.ar* +downdetector.com.au* +downdetector.com.br* +downdetector.com.co* +downdetector.web.tr* +downdetector.co.nz* +downdetector.co.uk* +downdetector.co.za* +allestoringen.be* +allestoringen.nl* +downdetector.com* +downdetector.ae* +downdetector.ca* +downdetector.cl* +downdetector.cz* +downdetector.dk* +downdetector.ec* +downdetector.es* +downdetector.fi* +downdetector.fr* +downdetector.gr* +downdetector.hk* +downdetector.hr* +downdetector.hu* +downdetector.id* +downdetector.ie* +downdetector.in* +downdetector.it* +downdetector.jp* +downdetector.mx* +downdetector.my* +downdetector.no* +downdetector.pe* +downdetector.ph* +downdetector.pk* +downdetector.pl* +downdetector.pt* +downdetector.ro* +downdetector.ru* +downdetector.se* +downdetector.sg* +downdetector.sk* +downdetector.tw08@R#googletagservices.com/tag/js/gpt.js +F08@R8hinagiku-u.ed.jp/wp54/wp-content/themes/hinagiku/images/ +08@Rterratraf.com^ +7* +mcclatchydc.com08@Rntv.io/serve/load.js +4 +08@R&/wp-content/plugins/amazon-auto-links/ +F* +yuukinohana.co.jp08@R!s0.2mdn.net/ads/studio/Enabler.js +-08@Raccuweather.com/bundles/prebid. +08@R ad-arrow.com^ +C* +scrippsdigital.com08@Rscrippsdigital.com/cms/videojs/ +$08@Rplayer.avplayer.com^ +08@R cams.gratis^ +#08@Rbetteradsystem.com^ +$08@Rcleverwebserver.com^ +08@Radtechium.com^ +:* +gadgets.ndtv.com08@Rapis.kostprice.com/fapi/ +08@Rrtbsystem.com^ +%08@Rnovel-inevitable.com^ + 08@Rextremereach.io^# +"08@Rbetterads.org/hubfs/ +08@R 33across.com^ +)* + +hotair.com08@R p.d.1emn.com^ +08@R xhtotal.com^ +08@Rwasp-182b.com^ +08@R +socdm.com^ +.08@Rjwpcdn.com/player/*/googima.js +!08@Rflippanttale.com^ +08@Rcnt.my^ +J08@R:az.hp.transer.com/content/dam/isetan_mitsukoshi/advertise/ +08@R/adsimg/ +"08@Rchaturbate.com/in/ +08@Rsucceedscene.com^ +08@R bmcdn6.com^ +08@R/ad_img/ +!08@Rvemtoutcheeg.com^ + 08@Rasg.sdtraff.com^ +608@R(nihasi.ru/upload/resize_cache/*/300_250_ +08@R hdbkome.com^ +08@R 84302764.xyz^ +&08@Rtopcreativeformat.com^ +08@R/728_90. +V* +videos.john-livingston.fr08@R)lostpod.space/static/streaming-playlists/ +008@R"suntory.co.jp/beer/kinmugi/img/ad/ +C08@R3mistore.jp/content/dam/isetan_mitsukoshi/advertise/ +08@R +xoalt.com^ +9* + novelgame.jp* + weblio.jp08@R/img/ad/ +08@R bttrack.com^ +08@Rsnigelweb.com^ +08@R +bliink.io^ +08@R xlirdr.com^ +0* +crunchyroll.com08@Rstatic.vrv.co^ +08@R sppopups.com^ +08@R ownlocal.com^ +.08@Radfurikun.jp/adfurikun/images/ +E * +imasdk.googleapis.com08@Rd.socdm.com/adsv/*/tver_splive +08@R autoads.asia^ + 08@Rads-twitter.com^ +08@R xhspot.com^ +08@Rbannerboo.com^ +08@R/didna_config.js +$08@Rti.tradetracker.net^ +08@R4wnetwork.com^ +C* +animallabo.hange.jp08@Rsite-banner.hange.jp/adshow? +08@R lduhtrp.net^ +* +ads.atmosphere.copernicus.eu* +ads.realizeperformance.com* +ads.elevateplatform.co.uk* +ads.mercadolivre.com.br* +ads.colombiaonline.com* +ads.viksaffiliates.com* +ads.siriusxmmedia.com* +ads.socialtheater.com* +ads.buscaempresas.co* +ads.business.bell.ca* +ads.adstream.com.ro* +ads.ferrarichat.com* +ads.mojagazetka.com* +ads.studyplus.co.jp* +ads.8designers.com* +ads.bestprints.biz* +ads.scotiabank.com* +ads.wildberries.ru* +ads.cafebazaar.ir* +ads.instacart.com* +ads.microsoft.com* +ads.midwayusa.com* +ads.mobilebet.com* +ads.pinterest.com* +ads.shopee.com.br* +ads.shopee.com.mx* +ads.shopee.com.my* +ads.smartnews.com* +ads.us.tiktok.com* +ads.bikepump.com* +ads.doordash.com* +ads.jiosaavn.com* +ads.listonic.com* +ads.rohlik.group* +ads.safi-gmbh.ch* +ads.shopee.co.th* +ads.snapchat.com* +ads.dosocial.ge* +ads.dosocial.me* +ads.flytant.com* +ads.harvard.edu* +ads.kaipoke.biz* +ads.luarmor.net* +ads.msstate.edu* +ads.spotify.com* +ads.taboola.com* +ads.twitter.com* +ads.allegro.pl* +ads.comeon.com* +ads.google.com* +ads.gurkerl.at* +ads.magalu.com* +ads.misskey.io* +ads.nipr.ac.jp* +ads.selfip.com* +ads.tiktok.com* +ads.typepad.jp* + ads.apple.com* + ads.brave.com* + ads.chewy.com* + ads.google.cn* + ads.knuspr.de* + ads.rohlik.cz* + ads.shopee.cn* + ads.shopee.kr* + ads.shopee.ph* + ads.shopee.pl* + ads.shopee.sg* + ads.shopee.tw* + ads.shopee.vn* + ads.watson.ch* + reempresa.org* + ads.gree.net* + ads.kifli.hu* + ads.mgid.com* + ads.remix.es* + ads.route.cc* + ads.tuver.ru* + ads.axon.ai* + ads.cvut.cz* + ads.finance* + +ads.amazon* + +ads.mst.dk* + +ads.olx.pl* + +ads.vk.com* + +ads.yandex* + ads.ac.uk* + ads.vk.ru* + ads.x.com* +ads.band* +ads.fund* + +ads.am* + +ads.mt* + +ads.nc08@R://ads. +08@R /concert_ads- +#08@Radlooxtracking.com^ +5* +bannersnack.dev08@Rbannersnack.com^ +08@R poflix.com^ +c* +metacritic.com* + giantbomb.com* + gamespot.com08@R"at.adtech.redventures.io/lib/dist/ +08@R tanx.com^ +08@Rsperaspace.com^ +,* +toggo.de08@Rsmartclip.net^ +008@R securenetsystems.net/v5/scripts/ + 08@Rcreativecdn.com^ +08@R_468x60_ +08@R kueezrtb.com^ +08@R -160x600_ +08@Ronclckbnr.com^ +/* +thepiratebay.org08@R jsdelivr.net^ +@* +gemini.yahoo.com08@Rgemini.yahoo.com/advertiser/ +#08@Rdeclareddetect.com^ +.08@Rd32hwlnfiv2gyn.cloudfront.net^ +08@R cinarra.com^ +- * + +go.cnn.com08@Rprebid.adnxs.com^ +(* +poa.st08@Rpoastcdn.org/ad/ +08@R id5-sync.com^ +208@R$somewheresouth.net/banner/banner.php +'08@Rrunative-syndicate.com^ +08@R mookie1.com^ +308@R%luminalearning.com/affiliate-content/ +08@R +loopme.me^ +08@R +adingo.jp^ +!08@Rtribalfusion.com^ +08@R decide.dev^ +08@R onclckmn.com^ +8* + bestiefy.com08@Rthisiswaldo.com/static/js/ +"08@Rtaboola.com/vpaid/ +08@R ipromote.com^ ++08@Rgoogle.com/recaptcha/api.js +* +managedhealthcareexecutive.com* +chromatographyonline.com* +physicianspractice.com* +epaper.timesgroup.com* +medicaleconomics.com* +games.coolgames.com* +formularywatch.com* +game.anymanager.io* +nationalreview.com* +digitaltrends.com* +edy.rakuten.co.jp* +nationalworld.com* +blastingnews.com* +cornwalllive.com* +downdetector.com* +accuweather.com* + bloomberg.com* + chelseafc.com* + nbcsports.com* + mediaite.com* + scotsman.com* + weather.com* + nycgo.com* + +telsu.fi* + +voici.fr08@R"g.doubleclick.net/gpt/pubads_impl_ +08@R trmzum.com^ + 08@Rspringserve.com^ +N*" + viewscreen.githubusercontent.com08@Rraw.githubusercontent.com^ +D* +support.google.com08@R gstatic.com/ads/external/images/ +_* +news.yahoo.co.jp08@R;yimg.jp/images/news-web/all/images/jsonld_image_300x250.png + 08@Rdirectadvert.ru^ +D* +rule34hentai.net* + +imgbox.com08@Rajax.googleapis.com^ +c * +imasdk.googleapis.com08@R* + +wral.com08@R$blueconic.net/capitolbroadcasting.js +08@Rasahi.com/ads/ +08@R smadex.com^ +D08@R4basinnow.com/admin/upload/settings/advertise-img.jpg + 08@Rvidazoo.com/basev/ +08@Rrunescape.wiki^ +08@Rmonu.delivery^ +08@R dtscout.com^ +0* + cam-sex.net08@Rchaturbate.com/in/ +08@R /300_250_ +908@R*imasdk.googleapis.com/js/core/bridge*.html +&08@Rgstatic.com/recaptcha/ +08@R/prebid-load.js +%08@Rinsightexpressai.com^ +'08@Rstatic.doubleclick.net^ +08@R weborama.fr^ +08@Rservenobid.com^ +[* +googleads.g.doubleclick.net08@R,googleads.g.doubleclick.net/ads/preferences/ +F* + worldstar.com08@R%js.assemblyexchange.com/videojs-skip- +)08@Rdisqus.com/embed/comments/ +P* +analytics.twitter.com* +ads.twitter.com08@Rads-api.twitter.com^ +&08@R/site=*/viewid=*/size= +08@R rtbhouse.com^ +!08@Rpubfuture-ad.com^ +08@Raj1559.online^ +08@R adcell.com^ +08@Rccgateway.net^ +08@R zcode17.com^ +!08@Rfuseplatform.net^ +08@R ctengine.io^ +I* +propanefitness.com08@R%app.clickfunnels.com/assets/lander.js +08@R adocean.pl^ +08@R /ad-choices- +,08@Ryouchien.net/css/ad_side.css +08@Rmediafuse.com^ +908@R)summitracing.com/global/images/bannerads/ +)08@Rapv-launcher.minute.ly/api/ +Y* +independent.co.uk* + dnaindia.com08@R%ads.pubmatic.com/AdServer/js/pwtSync/ +08@R +fwmrm.net^ +O* +blog.nicovideo.jp08@R*safeframe.googlesyndication.com/safeframe/ +Q* +interestingengineering.com08@R#widgets.jobbio.com^*/display.min.js + 08@Rsedoparking.com^ + 08@Rntvpforever.com^ +'08@Rantiadblocksystems.com^ +"08@Rsegreencolumn.com^ +5* + titantv.com08@Rs.ntv.io/serve/load.js +08@R xlivrdr.com^ +* +olhardigital.com.br* +elnuevoherald.com* +miamiherald.com* + heraldsun.com* + deadline.com* + huffpost.com* + +cheddar.tv* + +lmaoden.tv* + +sacbee.com* +loot.tv08@R connatix.com^ +08@R ufouxbwn.com^ +B* +telegraph.co.uk08@R!grapeshot.co.uk/main/channels.cgi +208@R"google.com/recaptcha/enterprise.js +708@R'clj.valuecommerce.com/*/vcushion.min.js +7* +ads.spotify.com08@Rassets.ctfassets.net^ +#08@Rad.linksynergy.com^ +08@R invol.co^ +S* +origami-resource-center.com08@R&ezodn.com/tardisrocinante/lazy_load.js +7* + kmauto.no08@Rcore.windows.net^*/annonser/ +08@R /ajs.php? +108@R!google.com/adsense/domains/caf.js +u* +blog.nicovideo.jp* +edy.rakuten.co.jp* +tv-tokyo.co.jp* + +voici.fr08@Rg.doubleclick.net/gampad/ads? +:* +triplem.com.au08@Radswizz.com/sca_newenco/ +608@R(schwab.com/scripts/appdynamic/adrum-ext. +08@R player.ex.co^ +08@R/www/delivery/ +!08@Rspolecznosci.net^ +08@R /tncms/ads/ +08@R push-sdk.com^ +#08@Rmweb-hb.presage.io^ +=* + +thegay.com08@Rthegay.com/upd/*/static/js/*.js +08@R +mczbf.com^ +08@R afrikad.com^ +(08@R/tardisrocinante/vitals.js +=* +yellowbridge.com08@Rexponential.com^*/tags.js +>* +thepiratebay.org08@Rtorrindex.net/images/*.gif +08@R push-sdk.net^ +M* +business.facebook.com08@R$mtouch.facebook.com/ads/api/preview/ +2* + +tik.porn08@R/api/v2/models-online? +.08@Rviralize.tv/t-bid-opportunity/ +208@R$/plugins/ad-ace/assets/js/coupons.js +* +game.anymanager.io* +battlecats-db.com* +sudokugame.org* + games.wkb.jp08@R?pagead2.googlesyndication.com/pagead/managed/js/*/show_ads_impl +08@Rrdrctgoweb.com^ +g* +laurelberninteriors.com08@R08@R.basinnow.com/upload/settings/advertise-img.jpg +F* + bbc.co.uk08@R+gn-web-assets.api.bbc.com/bbcdotcom/assets/ +T* + +tunein.com08@R8delivery-cdn-cf.adswizz.com/adswizz/js/SynchroClient*.js +/* +studiocalling.it08@R /ad/images/ +H* + wionews.com* + +zeebiz.com08@Rads.pubmatic.com/adserver/js/ +08@R://affiliates. +>* + spankbang.com08@Rspankbang.com^*/prebid-ads.js ++08@Rs.confluency.site/*.com/4/js/ +08@R +otm-r.com^ +"08@Rcleanmediaads.com^ +08@R magsrv.com^ +;* + yahoo.com08@Ryimg.com/rq/darla/*/g-r-min.js +08@R qwerty24.net^ +-08@Rprofitabledisplaynetwork.com^ +08@R adglare.net^ +08@R4dex.io^ +08@R +qwtag.com^ +08@R /plugins/ads/ +7* + hotstar.com08@Rhotstar.com/vs/getad.php +3* +pch.com08@Roptimatic.com/iframe.html + 08@Rpostrelease.com^ +y"* +gamingbible.co.uk* +sportbible.com* + ladbible.com* + +viki.com08@R(micro.rubiconproject.com/prebid/dynamic/ +08@R.468x60. +(* +footballleagueworld.co.uk* +footballfancast.com* +xda-developers.com* +androidpolice.com* +hardcoregamer.com* +backyardboss.net* +dualshockers.com* +simpleflying.com* +thesportster.com* +givemesport.com* +pocket-lint.com* +screenrant.com* +therichest.com* + howtogeek.com* + makeuseof.com* + pocketnow.com* + thethings.com* + thetravel.com* + babygaga.com* + collider.com* + gamerant.com* + movieweb.com* + thegamer.com* + topspeed.com* + carbuzz.com* + hotcars.com* + +moms.com* +cbr.com08@R adsninja.ca^ +-08@Rsundaysportclassifieds.com/ads/ +08@R +a-ads.com^ +08@R onclcktg.com^ +08@Rcherrytv.media^ +)08@Rwsimg.com/parking-lander/ +08@Ronclckinp.com^ +08@R xadsmart.com^ +"08@Redgemanmopoke.com^ +^* + nbcnews.com* + +cnbc.com* +nbc.com* +go.com08@R adm.fwmrm.net^*/videoadrenderer. +$08@R/rb/agent2.php?spot= +08@Rmrktmtrcs.net^ +J08@R:rakudaclub.com/img.php?url=https://img.rakudaclub.com/adv/ +08@R +viads.net^ +08@R adxbid.info^ +08@R/realmedia/ads/ +$08@Rero-advertising.com^ +=08@R-cvs.com/webcontent/images/weeklyad/adcontent/ ++08@Rclients.plex.tv/api/v2/ads/ +308@R#/adaptive_components.ashx?type=ads& +08@Rcrwdcntrl.net^ +08@R +sexad.net^ +Q08@RAnascar.com/wp-content/themes/ndms-2023/assets/js/inc/ads/prebid8. +08@R luxcdn.com^ +M * +imasdk.googleapis.com08@R&g.doubleclick.net/gampad/ads?*%2Ftver. +6 * + +iheart.com08@Rentitlements.jwplayer.com^ +?08@R/banmancounselling.com/wp-content/themes/banman/ +08@R netpub.media^ +08@Radnuntius.com^ +)* + vidsrc.stream08@R +unpkg.com^ +8* + +goseek.com08@Rmediaalpha.com/js/serve.js +08@Rxdisplay.site^ +#08@Rusbrowserspeed.com^ +08@R udmserve.net^ + 08@Rthisiswaldo.com^ +"08@Rptichoolsougn.net^ +08@R pertawee.net^ +808@R(kanalfrederikshavn.dk^*/jquery.openx.js? +,* +sponichi.co.jp08@R?adspot_ +08@R _300x600_ +08@R powerad.ai^ +08@R juicyads.me^ +5* +extrarebates.com08@Rad.linksynergy.com^ +"08@Rgunosy.co.jp/img/ad/ ++08@Rmanageengine.com/images/logo/ +08@R +_prebid.js +08@Rsascdn.com/diff/ +#08@Racuityplatform.com^ +08@R /tnt.ads. +'08@Rillustriousarrival.com^ +08@Runderdog.media^ +%08@Rchaseherbalpasty.com^ +108@R#arnhemland-safaris.com/images/made/ +#08@Ryieldoptimizer.com^ +-08@Rthepiratebay.org/static/main.js +08@R +prodmp.ru^ +208@R +media.net^ +08@Rconnextra.com^ +08@R ://adserving. +!08@Rneodatagroup.com^ +08@R.html?clicktag= +08@Rblismedia.com^ +608@R&google.com/adsense/search/async-ads.js +08@R aditude.io^ +08@R camschat.net^ +#08@Reehassoosostoa.com^ +A* +wtk.pl08@R'cloudflare.com^*/videojs-contrib-ads.js +08@R ad-score.com^ +$08@Ruserload.co/adpopup.js +#08@Rbetweendigital.com^ +* +player.theplatform.com* +simpsonsworld.com* +foodnetwork.com* + channel5.com* + eonline.com* + nbcnews.com* + today.com* + +ncaa.com* +cmt.com* +cc.com08@Rv.fwmrm.net/ad/p/1? +"08@Rmedia.kijiji.ca/api/ +/08@R!content.pouet.net/avatars/adx.gif + 08@R2022welcome.com^ +08@R pubguru.net^ +/* +toggo.de08@Rflashtalking.com^ +08@R/468_60. +I* +analytics.google.com* +ads.google.com08@Rads.google.com^ +08@R sskzlabs.com^ +)08@Rienohikari.net/ad/common/ +08@R capndr.com^ +$08@Rbestcontentfood.top^ +r* +adamtheautomator.com* +packinsider.com* +packhacker.com* + mediaite.com08@Rads.adthrive.com/api/ +- 08@Ritv.com/itv/hserver/*/site=itv/ +08@Rluyten-98c.com^ +%08@Ravclub.com^*/adManager. +)08@Rnintendo.co.jp/ring/*/adv +408@R$musictrack.jp/a/ad/banner_member.jpg +$08@R/plugins/adrotate-pro/ +"08@Rvaimucuvikuwu.net^ +08@R trasupr.com^ +&08@Rnetmile.co.jp/ad/images/ +U * +imasdk.googleapis.com08@R.g.doubleclick.net/gampad/ads?*.crunchyroll.com + 08@Rsacdnssedge.com^ +08@R oxystc.com^ +*08@Rcdnqq.net/ad/api/popunder.js +08@R wpushsdk.com^ +108@R!trj.valuecommerce.com/vcushion.js +08@Rforscprts.com^ +.08@Rd38psrni17bvxu.cloudfront.net^ +"08@Rbrand-display.com^ +08@R reson8.com^ +808@R(yield-op-idsync.live.streamtheworld.com^ + 08@R v.fwmrm.net/? +#08@Rdigitalaudience.io^ + 08@Rjmedj.co.jp/files/ +08@R +cdn.house^ +008@R tractorshed.com/photoads/upload/ +08@Rofklefkian.com^ +.08@Rdigitaloceanspaces.com/woohoo/ +08@R waqool.com^ +A +* + wordpress.org* + transinfo.pl08@R/advanced-ads- +08@R/728x90. +08@R maredpt.com^ +08@R rotarb.bid^ +&08@R/detroitchicago/boise.js +{* +hutchgo.com.cn* +hutchgo.com.hk* +hutchgo.com.sg* +hutchgo.com.tw* + hutchgo.com08@Rcdn.advertserve.com^ +#08@Ryouradexchange.com^ +$08@Rwidget.sellwild.com^ +#08@Rbegonaoidausek.com^ +08@R ad4989.co.kr^ +08@R ad6media.fr^ +08@R strossle.com^ +%08@Rservedbyadbutler.com^ +(* + wordpress.org08@R ps.w.org^ +608@Rµapp.bytedance.com/docs/page-data/ +08@R connectad.io^ +08@Rpromptsgod.com^ +&08@Rbrave.com/static-assets/ +08@R adman.gr^ +08@R aimatch.com^ +08@R solujav.my^ +( 08@Rmail.bg/mail/index/getads/0 +08@R labadena.com^ +0* +japan.zdnet.com08@Raiasahi.jp/ads/ +08@R +viads.com^ +<08@R,sdltutorials.com/Data/Ads/AppStateBanner.jpg +08@R microad.net^ +* +game.pointmall.rakuten.net* +jilliandescribecompany.com* +laurelberninteriors.com* +player.performgroup.com* +pointmall.rakuten.co.jp* +goodmorningamerica.com* +minigame.aeriagames.jp* +maharashtratimes.com* +player.amperwave.net* +southparkstudios.com* +synk-casualgames.com* +video.tv-tokyo.co.jp* +gamebox.gesoten.com* +geo.dailymotion.com* +lemino.docomo.ne.jp* +worldsurfleague.com* +chicagotribune.com* +games.usatoday.com* +player.abacast.net* +player.earthtv.com* +scrippsdigital.com* +tv.finansavisen.no* +asianctv.upns.pro* +howstuffworks.com* +insideedition.com* +paramountplus.com* +success-games.net* +airtelxstream.in* +blastingnews.com* +clickorlando.com* +tv.abcnyheter.no* +tv.rakuten.co.jp* +api.screen9.com* +bloomberg.co.jp* +crunchyroll.com* +farfeshplus.com* +gameplayneo.com* +givemesport.com* +spiele.heise.de* +asianembed.cam* +goodstream.uno* +metacritic.com* +missoulian.com* +paralympic.org* +realmadrid.com* +tv-asahi.co.jp* + 247sports.com* + bloomberg.com* + cbssports.com* + gospodari.com* + ignboards.com* + nettavisen.no* + southpark.lat* + sportsbull.jp* + sportsport.ba* + watch.nba.com* + wellgames.com* + doubtnut.com* + einthusan.tv* + etonline.com* + haberler.com* + maxpreps.com* + utsports.com* + webdunia.com* + autokult.pl* + cbsnews.com* + gamepix.com* + irctc.co.in* + myspace.com* + sonyliv.com* + univtec.com* + weather.com* + +antena3.ro* + +delish.com* + +filmweb.pl* + +gbnews.com* + +iheart.com* + +rumble.com* + +truvid.com* + +tubitv.com* + +tunein.com* + +zeebiz.com* + bsfuji.tv* + digi24.ro* + distro.tv* + humix.com* + locipo.jp* + s.yimg.jp* + stirr.com* + tbs.co.jp* + thecw.com* + wowbiz.ro* + zdnet.com* + +cnet.com* + +ktla.com* + +kxan.com* + +vlive.tv* + +wbal.com* +bbc.com* +klix.ba* +plex.tv* +tdn.com* +tver.jp* +wsj.com* +cbc.ca* +rte.ie* +tvp.pl* +wtk.pl08@R*imasdk.googleapis.com/js/sdkloader/ima3.js +#$08@Rpbs.twimg.com/ad_img/ +08@R bidberry.net^ +08@R +/adlog.php +08@R htlbid.com^ +08@R vaugroar.com^ + 08@Radtarget.market^ +/08@Rukbride.co.uk/css/*/adverts.css +408@R$yuru-mbti.com/static/css/adsense.css +K* + wordpress.org* + transinfo.pl08@R/plugins/advanced-ads/ + 08@Rblockadsnot.com^ +108@R!rakuten-bank.co.jp/rb/ams/img/ad/ +08@R adspector.io^ +08@R/publicidades/ +208@R"bihoku-minpou.co.jp/img/ad_top.jpg +'08@Rbigfishaudio.com/banners/ +08@Rxhofficial.com^ +08@Runblockia.com^ +2* +rule34hentai.net08@Rfluidplayer.com^ +.08@Rjs.surecart.com/v1/affiliates? +-08@Rgaynetwork.co.uk/Images/ads/bg/ +* + google.com.ar* + google.com.au* + google.com.br* + google.com.co* + google.com.ec* + google.com.eg* + google.com.hk* + google.com.mx* + google.com.my* + google.com.pe* + google.com.ph* + google.com.pk* + google.com.py* + google.com.sa* + google.com.sg* + google.com.tr* + google.com.tw* + google.com.ua* + google.com.uy* + google.com.vn* + google.co.id* + google.co.il* + google.co.in* + google.co.jp* + google.co.ke* + google.co.kr* + google.co.nz* + google.co.th* + google.co.uk* + google.co.ve* + google.co.za* + +google.com* + google.ae* + google.at* + google.be* + google.bg* + google.by* + google.ca* + google.ch* + google.cl* + google.cz* + google.de* + google.dk* + google.dz* + google.ee* + google.es* + google.fi* + google.fr* + google.gr* + google.hr* + google.hu* + google.ie* + google.it* + google.lt* + google.lv* + google.nl* + google.no* + google.pl* + google.pt* + google.ro* + google.rs* + google.ru* + google.se* + google.sk08@Rwww.google.*/search? +!08@Rtradedoubler.com^ +08@R affec.tv^ +08@R prdredir.com^ +8* + dietnavi.com* +5nd.com08@R /ad_images/ +>* +thepiratebay.org08@Rtorrindex.net/images/*.jpg +08@R ad-srv.net^ +%08@Rpostaffiliatepro.com^ + 08@Radskeeper.co.uk^ +08@Rforemedia.net^ +&08@Rienohikari.net/ad/img/ +:* + sportmail.ru* +mail.ru08@R ad.mail.ru^ +08@Radmanmedia.com^ +%08@Rpremiumvertising.com^ +08@R eabids.com^ +O* + kobe-np.co.jp* + yahoo.co.jp08@Ryads.c.yimg.jp/js/yads-async.js +08@R +sovrn.com^ +508@R%manageengine.com/products/ad-manager/ +*08@Rgakushuin.ac.jp/ad/common/ +08@R zemanta.com^ +08@R imonomy.com^ +N* +laurelberninteriors.com08@R#ads.adthrive.com/sites/*/ads.min.js +F08@R6kotaku.com/x-kinja-static/assets/new-client/adManager. +808@R*crystalmark.info/wp-content/uploads/sites/ +* +footballleagueworld.co.uk* +footballfancast.com* +xda-developers.com* +androidpolice.com* +hardcoregamer.com* +backyardboss.net* +dualshockers.com* +simpleflying.com* +thesportster.com* +givemesport.com* +pocket-lint.com* +screenrant.com* +therichest.com* + howtogeek.com* + makeuseof.com* + pocketnow.com* + thethings.com* + thetravel.com* + babygaga.com* + collider.com* + gamerant.com* + movieweb.com* + thegamer.com* + topspeed.com* + carbuzz.com* + hotcars.com* + +moms.com* +cbr.com08@Radsninja.ca/adsninja_client.js +08@Rsmartytech.io^ +08@R tynt.com^ +08@Reroterest.net^ +D* + homedepot.com08@R#thdstatic.com/experiences/local-ad/ +08@R mxptint.net^ +(08@Rminutemediaservices.com^ +08@R tubecup.net^ +(08@R/detroitchicago/wichita.js + 08@Redmodo.com/ads +;* +linternaute.com08@Rastatic.ccmbg.com^*/prebid +q* +pirateproxy.live* +thehiddenbay.com* +thepiratebay.org08@R%thepiratebay.*/static/js/prototype.js +&08@Rimasdk.googleapis.com^ +* +hutchgo.com.cn* +hutchgo.com.hk* +hutchgo.com.sg* +hutchgo.com.tw* + hutchgo.com08@Rhutchgo.advertserve.com^ +N* +broadsheet.com.au* + friendcafe.jp08@Rfuseplatform.net^*/fuse.js +08@R540f8cca2b.com^ +08@R +openx.net^ +08@R buzzoola.com^ +G* +doctors.bannerhealth.com08@Rbanner.customer.kyruus.com^ +1* + awempire.com08@Rlivejasmin.com^ +908@R)doda.jp/cmn_web/img/brand/ad/ad_top_3.mp4 +08@R _120x600. +E* + history.com08@R&pubads.g.doubleclick.net/ondemand/hls/ +08@R impactify.io^ +08@R +caroda.io^ +208@R"bitcoinbazis.hu/advertise-with-us/ +08@R bidvol.com^ +O* +adstransparency.google.com08@R"tpc.googlesyndication.com/archive/ +$08@Rparking.godaddy.com^ +-* + ebjudande.se08@Radtraction.com^ +#08@Rshoukigaigoors.net^ +#08@Rroagrofoogrobo.com^ +08@R /modules/ad/ +*08@Rpayload.cargocollective.com^ +08@R .org/ads/ +!08@Rinfotop.jp/html/ad/ +08@R madurird.com^ +"08@Rmedfoodsafety.com^ +08@R juicyads.com^ +<08@R,island.lk/userfiles/image/danweem/island.gif +08@R bngprm.com^ +<08@R,so-net.ne.jp/access/hikari/minico/ad/images/ +U* +imasdk.googleapis.com08@R,g.doubleclick.net/gampad/ads*%20Web%20Player +4* + ad.atown.jp08@Rad.atown.jp/adserver/ +08@R +hhkld.com^ +08@R exosrv.com^ +08@R/468-60. +08@R acscdn.com^ +O08@R?raw.githubusercontent.com/easylist/easylist/master/docs/1x1.gif + 08@Ruze-ads.com/ads/ +@08@R2nc-myus.com/images/pub/www/uploads/merchant-logos/ +08@R mfadsrvr.com^ +08@Rbuysellads.com^ +08@Rstoampaliy.net^ +08@R +adnami.io^ +08@Roctopuspop.com^ +08@R seedtag.com^ +?08@R/thedailybeast.com/pf/resources/js/ads/arcads.js +08@R +pbxai.com^ +08@R liqwid.net^ + 08@Rad-delivery.net^ +08@R /media/ads/ +08@R /adjs.php +08@Rvdo.ai^ +<08@R,thepiratebay.org/cdn-cgi/challenge-platform/ +08@R mbdippex.com^ +-* + betfair.com08@Rapmebf.com/ad/ +08@R sutean.com^ +C* +sterkinekor.com08@R js.adsrvr.org/up_loader.1.1.0.js +l* +fxnetworks.com* +my.xfinity.com* + nbcsports.com* + +cnbc.com* +nbc.com08@Rads.freewheel.tv/ +08@R a-mo.net^ +08@R /reklame/ +08@R prplads.com^ +B* + cbsnews.com* + zdnet.com08@Rcbsi.com/dist/optanon.js +08@R /300x250- +08@R adhouse.pro^ +08@R pubmatic.com^ +&08@R/parsonsmaize/chanute.js +* +adv.sciconnect.unsw.edu.au* +adv.peronihorowicz.com.br* +adv.hokkaido-np.co.jp* +advancedradiology.com* +adv.cryptonetlabs.it* +adv.neosystem.co.uk* +adv.chunichi.co.jp* +adv.michaelgat.com* +adv.lack-girl.com* +adv.yomiuri.co.jp* +adv.digimatix.ru* +adv.cincsys.com* +adv.mcu.edu.tw* + adv.asahi.com* + adv.kompas.id* + adv.trinet.ru* + adv.mcr.club* + typeform.com* + welaika.com* + +adv.design* + +adv.msk.ru* + +farapp.com* + adv.tools* + advids.co* + pracuj.pl* +adv.blue* +adv.rest* +adv.bet* + +adv.ec* + +adv.ee* + +adv.gg* + +adv.ru* + +adv.ua* + +adv.vg* + +r7.com08@R://adv. +08@R +/image/ad/ +8* +coldwellbankerhomes.com08@R /bannerads/ +508@R'carandclassic.co.uk/images/free_advert/ +&08@R/detroitchicago/vista.js +"08@Rcryptocoinsad.com^ +* +independent.co.uk* +screencrush.com* + eurogamer.net* + loudwire.com* + +xxlmag.com* + vg247.com* + +klaq.com08@Rlive.primis.tech^ +!08@Rskimresources.com^ +08@R pub.network^ +B08@R4leffatykki.com/media/banners/tykkibanneri-728x90.png +:08@R*suntory.co.jp/beer/kinmugi/css2020/ad.css? +K* +campaign.aptivada.com08@R"audience.io/api/v3/app/fetchPromo/ +408@R$powersports.honda.com/js/*/Popup2.js +8* +str.toyokeizai.net08@Rladsp.com/script-sf/ + 08@Rtrafficbass.com^ +08@R +zucks.net^ +/08@Rfaculty.uml.edu/klevasseur/ads/ +(08@Rabcnews.com/assets/player/ +6* + animedao.to08@Ryimg.com/dy/ads/native.js + +08@R/wp-bannerize- +?* +developers.google.com08@Rdevelopers.google.com^ +%08@Rdisplayvertising.com^ +!08@Rundaymidydle.com^ +08@R /300x150_ +/08@R!showcase.codethislab.com/banners/ +9* +rapid-cloud.co08@Rcc.zorores.com/ad/*.vtt +,* + e.mail.ru08@R an.yandex.ru^ +08@Rsascdn.com/tag/ +T * +imasdk.googleapis.com08@R-g.doubleclick.net/gampad/ads?*RakutenShowtime +#$08@Rdocs.woopt.com/wgact/ +08@R aso1.net^ +&08@Rapi.adnetmedia.lt/api/ +%08@Rphotofunia.com/effects/ +#08@Rebayadservices.com^ +)08@Rwaaw.to/adv/ads/popunder.js +08@Rtagdeliver.com^ +08@R setupad.net^ + 08@Rgizokraijaw.net^ +<* +si.com08@R$vms-players.minutemediaservices.com^ +2 +* +canyoublockit.com08@Rgoogleapis.com^ +'08@Rconvertexperiments.com^ +08@Rpro-market.net^ +* +html5.gamedistribution.com* +thefreedictionary.com* +radioviainternet.nl* +game.anymanager.io* +battlecats-db.com* +tampermonkey.net* +allb.game-db.tw* +slideplayer.com* +knowfacts.info* +real-sports.jp* +sudokugame.org* + cpu-world.com* + megagames.com* + games.wkb.jp* + megaleech.us* + lacoste.com* + newson.us08@R6pagead2.googlesyndication.com/pagead/js/adsbygoogle.js +<* + wordpress.org08@Rwordpress.org/stats/plugin/ +08@Rupskittyan.com^ +008@R google.com/recaptcha/enterprise/ +%08@R://a.*/ad-provider.js + 08@Radtelligent.com^ +08@R +22hgc.com^ +0* + wordpress.org08@R -ads-manager/ +08@R pubadx.one^ +08@R xlivesex.com^ +08@R innity.net^ +*08@Rexplainxkcd.com/wiki/images/ +08@R/amp-auto-ads- +08@R wtg-ads.com^ +C* +valesdegasolina.mx08@Rintelyvale.com.mx/ads/images/ +#08@Rinporn.com/*/embed.js +08@R megaxh.com^ +08@R +lhmos.com^ +08@R amxrtb.com^ + 08@R/prebid-wrapper.js +08@R /afr.php? +b* +shopifycloud.com* + myshopify.com* + slidely.com* + promo.com08@R ://promo. +08@Rntv.io^ +08@R /300x250_ +08@R adbeacon.com^ +#08@Rads.sportradar.com^ +/08@R!.com/*markerclusterer_compiled.js +08@Rzimg.jp^ +.08@Rd1gpi088t70qaf.cloudfront.net^ +08@R -300x250_ +08@Rethicalads.io^ +08@R awltovhc.com^ +08@R adition.com^ +P* +manageengine.com* +zohopublic.com08@Rzohopublic.com^*/ADManager_ +08@R mpsuadv.ru^ +08@Rjourneymv.com^ +&08@Rfeedads.feedblitz.com^ +!08@Rrichaudience.com^ +$08@Rcatchapp.net/ad/img/ +408@R$wixlabs-adsense-v3.uc.r.appspot.com^ +08@R vak345.com^ +'08@Rqsearch-a.akamaihd.net^ +08@Rcontextweb.com^ +08@R xhaccess.com^ +08@R /adserve/ +/* +canyoublockit.com08@R +hwcdn.net^ +5* + eki-net.com* +jiji.com08@R/ad/img/ +908@R)keibana.com/wp-content/uploads/*/300x250_ +*08@Rimp-adedge.i-mobile.co.jp^ +#08@Rserinuswelling.com^ +$08@Rcookieless-data.com^ ++* + web-ads.org08@R -ads/assets/ +J* + lewdgames.to08@R*astonishlandmassnervy.com/sc4fr/rwff/f9ef/ +608@R&standard.co.uk/js/third-party/prebid8. +08@Rad.gt^ +08@R adacado.com^ +U* + yahoo.co.jp08@R6s.yimg.jp/images/listing/tool/yads/yads-timeline-ex.js +, 08@Roptout.networkadvertising.org^ +08@Rmarphezis.com^ +C * +wunderground.com08@R!g.doubleclick.net/gampad/ads?env= +  08@Rlshstream.xyz/hls/ +08@R vidoomy.com^ +08@R axonix.com^ +08@Rgenieessp.com^ +08@Rgenieedmp.com^ +08@R +octo25.me^ +08@Rxhamster1.desi^ +08@R sonobi.com^ +* +tiz-cycling-live.io* +gamingbible.co.uk* +justthenews.com* + ladbible.com* + explosm.net08@Rplayer.avplayer.com^ +308@R%martinfowler.com/articles/asyncJS.css ++ 08@Rgo.xlirdr.com/api/models/vast +(08@Radtrafficquality.google^ +08@R impact-ad.jp^ +08@Rcoinads.online^ +)08@Rautotrader.co.uk^*/advert +p * + +spiegel.de08@RTg.doubleclick.net/gampad/ads?*&prev_scp=kw%3Diqdspiegel%2Cdigtransform%2Ciqadtile4%2 +)08@Rkincho.co.jp/cm/img/bnr_ad_ +9* + xfreehd.com08@Rexosrv.com/video-slider.js +08@R /300x600- +08@R://ad1. +08@Radm.shinobi.jp^ + 08@R/ads/custom_ads.js +* +imasdk.googleapis.com08@Rag.doubleclick.net/gampad/ads?*&iu=%2F18190176%2C22509719621%2FAdThrive_Video_In-Post_ClicktoPlay_ +08@R tapioni.com^ +08@Rravm.tv^ +08@R intentiq.com^ +08@R drimquop.com^ +C* + humix.com08@R&go.ezodn.com/beardeddragon/basilisk.js +& 08@Rtab.gladly.io/newtab/ +%08@Rshareasale.com/image/ +08@R newrrb.bid^ +&08@Rinterworksmedia.co.kr^ +X* +player.amperwave.net* + +tunein.com08@R$synchrobox.adswizz.com/register2.php +)08@Rads-i.org/images/ads3.jpg +08@R /adserver3. +08@R mainadv.com^ +>08@R.dcdirtylaundry.com/cdn-cgi/challenge-platform/ +08@Ralfasense.com^ +K* + sportsnet.ca08@R+sportsnet.ca/wp-content/plugins/bwp-minify/ +08@Rdata963.click^ +.08@Rd2v02itv0y9u9t.cloudfront.net^ +08@R adzerk.net^ +08@R -300x600. +08@R.ru/ads/ +08@R waust.at^ +:* + +20min.ch08@R tdn.da-services.ch/libs/prebid8. +08@R unibots.in^ +A08@R1przegladpiaseczynski.pl/wp-content/plugins/wppas/ +08@R boomads.com^ +08@R ad-stir.com^ +08@R adbro.me^ +08@R/amp-ad- +@* + some.porn08@R%abt.s3.yandex.net/expjs/latest/exp.js +08@R adpushup.com^ +08@R +jivox.com^ +08@R xhwide2.com^ +308@R#2chmatome2.jp/images/sp/320x250.png +08@R adquake.com^ +08@Rinfolinks.com^ +08@R readpeak.com^ + 08@Rsnack-media.com^ +08@R dable.io^ +!08@Rbannerbridge.net^ + 08@Ripredictive.com^ +08@Rccdd7a795c.com^ +W* +travel.rakuten.co.jp08@R/r10s.jp/share/themes/ds/js/show_ads_randomly.js +3 +* +canyoublockit.com08@Rfluidplayer.com^ +08@Rxhchannel.com^ +08@R rtmark.net^ +08@R +reebr.com^ +08@R oungimuk.net^ +08@R +optvz.com^ +6* + ezfunnels.com08@Rezsoftwarestorage.com^ +08@Rclickmon.co.kr^ + 08@Rclickintext.net^ +!08@Rclickcertain.com^ +;* + prisjakt.no08@Radsdk.microsoft.com/ast/ast.js +08@Radgebra.co.in^ +08@Rapi168168.com^ +/* + allocine.fr08@Rgetjad.io/library/ +!08@Rc.bannerflow.net^ +08@R99d5318452.com^ +:08@R*yastatic.net/pcode/adfox/header-bidding.js +!08@Rtwinrdengine.com^ +08@Rpoloptrex.com^ +)* + achaloto.com08@R /banner/ad/ +4* +scan-manga.com08@Rc.ad6media.fr/l.js +08@R889dbee9c9.com^ +6* +ads.pinterest.com08@R?advertiser_id= +'08@Rflying-lines.com/banners/ +08@R emxdgt.com^ +N* + zdnet.com* + +cnet.com08@R'redventures.io/lib/dist/prod/bidbarrel- +'08@Roauth.vk.com/authorize? +#08@Rkaiu-marketing.com^ +** +bbc.com08@Rbbc.gscontxt.net^ +%08@Rapp.clickfunnels.com^ +* +imasdk.googleapis.com08@Rpagead2.googlesyndication.com/gampad/ads?*laurelberninteriors.com*&iu=%2F18190176%2C22509719621%2FAdThrive_Video_In-Post_ClicktoPlay_ +08@Rdiclotrans.com^ +08@R bookmsg.com^ +08@R 4dsply.com^ +08@R ay.delivery^ +%08@Rnew-programmatic.com^ +'08@Rminutemedia-prebid.com^ +-08@Rpartner.googleadservices.com^ +J* + kaaoszine.fi08@R,assets.strossle.com^*/strossle-widget-sdk.js + * +imasdk.googleapis.com08@R_g.doubleclick.net/gampad/ads?*&iu=%2F18190176%2C22509719621%2FAdThrive_Video_Collapse_Autoplay_ +P* +video.vice.com* + +iheart.com08@R"jwpcdn.com/player/plugins/googima/ +O08@R?az.hpcn.transer-cn.com/content/dam/isetan_mitsukoshi/advertise/ +L* +factory.pixiv.net* + aussiebum.com08@Rads-twitter.com/uwt.js +08@R adquery.io^ +$08@Radsafeprotected.com^ +2* + wordpress.org08@Rs.w.org/wp-content/ + 08@Roamsedsaiph.net^ +08@R adpone.com^ +08@Rtsyndicate.com^ +I"* +golfnetwork.co.jp* +tv-asahi.co.jp08@Rad-api-v01.uliza.jp^ +&08@Rprofitablecpmrate.com^ +08@R popcash.net^ +$08@Rfls.doubleclick.net^ +08@Rrevcontent.com^ +#08@Rcreative.reebr.com^ +08@R bujerdaz.com^ +08@R notix.io^ +!08@Rlive.primis.tech^ +&08@Rc2shb.pubgw.yahoo.com^ +08@R +mixpo.com^ +;* + boats.com08@R boatwizard.com/ads_prebid.min.js +08@Rbrainlyads.com^ +08@Radtraction.com^ +&* + +prebid.org08@R/prebid. +%08@Rshowmeyouradsnow.com^ +!08@Rsharethrough.com^ +108@R#pandora.com/images/public/devicead/ +.08@Rpagead2.googlesyndication.com^ +08@R adhigh.net^ +08@R _160x600. +6* + hodinkee.com08@Rhtlbid.com^*/htlbid.js +!08@Rtrafficjunky.net^ +#08@Rforexprostools.com^ +#08@Rad.doubleclick.net^ + 08@Radlightning.com^ +5* + +time.com08@Rpub.doubleverify.com/dvtag/ +08@R aralego.com^ +08@R +bvtpk.com^ +08@Rxhbranch5.com^ +08@R crsspxl.com^ +08@R adprime.com^ +08@R /publicidad/ +2 * + +odysee.com08@Rplayer.odycdn.com/api/ +08@R +hyros.com^ +808@R(point.rakuten.co.jp/img/crossuse/top_ad/ +408@R$oishi-kenko.com/kenko/assets/v2/ads/ +08@R +cdn.ex.co^ +08@R99ef859a06.com^ +08@R trafmag.com^ +508@R'renewcanceltv.com/porpoiseant/banger.js +08@Rjads.co^ +08@Rtremorhub.com^ +M* + +24ur.com08@R1cdn.jsdelivr.net/npm/*/videojs-contrib-ads.min.js +C* + jjazz.net08@R(adswizz.com/adswizz/js/SynchroClient*.js +08@R adform.net^ +08@Rxhamster3.com^ +&08@Rbbc.co.uk^*/adverts.js +08@R-468x60- +O* +cloudflare.com* + reklam.com.tr* + +github.com08@R/reklam/ +9* +go.com08@R!adm.fwmrm.net^*/TremorAdRenderer. +08@R-468x60. +&08@Rprofitableratecpm.com^ +*08@Rmjhobbymassan.se/r/annonser/ +&08@Rnewrotatormarch23.bid^ +08@R +opoxv.com^ ++$* + 4channel.org08@R 4cdn.org/adv/ +08@R +fqtag.com^ +08@R hprofits.com^ +"08@R/discourse-adplugin- +5* + datpiff.com08@Rhw-ads.datpiff.com/news/ +.08@Rwww.google.com/ads/preferences/ +X* +independent.co.uk* + reuters.com* +wjs.com08@Radsafeprotected.com/iasPET. +08@R /prebid9. ++08@Rengineexplicitfootrest.com^ + 08@Rdiscretemath.org^ +-"* +thepiratebay.org08@R apibay.org^ +08@R inskinad.com^ +F* + chycor.co.uk08@R(chycor.co.uk/cms/advert_search_thumb.php +$08@Ramazon-adsystem.com^ +)08@Rapi.friends.ponta.jp/api/ +"08@Rmedia6degrees.com^ +* +motortrader.com.my* + advert.com.tr* + advert.org.pl* + advert.media* + advert.club* + advert.ae* + advert.ee* + advert.ge* + advert.io08@R/advert. +08@R exdynsrv.com^ +08@R +ssm.codes^ +W08@RGtcbk.com/application/files/4316/7521/1922/Q1-23-CD-Promo-Banner-Ad.png^ +08@R +21wiz.com^ +08@R trackad.cz^ +K* + ignboards.com08@R,static.doubleclick.net/instream/ad_status.js +A08@R3shaka-player-demo.appspot.com/lib/ads/ad_manager.js +08@Rptclassic.com^ +08@Rpngimg.com/distr/ + 08@Rmultstorage.com^ +08@R0cf.io^ + 08@Radvertserve.com^ +&08@R/parsonsmaize/mulvane.js +08@R zerads.com^ +08@Rmultiview.com^ +308@R%banner-hiroba.com/wp-content/uploads/ +08@R://ads2. +208@R"aone-soft.com/style/images/ad2.jpg +608@R(webbtelescope.org/files/live/sites/webb/ + 08@Radtarget.com.tr^ +&08@Rthe-ozone-project.com^ + 08@Rmyroledance.com^ +Y* +mylifetime.com* + history.com* + +aetv.com* +fyi.tv08@Rdoubleclick.net/ddm/ +-* + adspipe.com08@Rads.kbmax.com^ +%08@Reffectiveratecpm.com^ +08@R _160x600_ +008@R"playwire.com/bolt/js/zeus/embed.js +L* +raiderramble.com08@R*go.ezodn.com/tardisrocinante/lazy_load.js? +08@R +lijit.com^ +08@Rdstillery.com^ +08@R nereserv.com^ +08@Ral-adtech.com^ + 08@Runbentfaced.com^ +808@R*/plugins/ad-ace/includes/shoppable-images/ +O* +programs.sbs.co.kr08@R)ad.smartmediarep.com/NetInsight/video/smr +"08@Rsystem-notify.app^ +* +worldsurfleague.com* +paramountplus.com* +clickorlando.com* +tv.rakuten.co.jp* +vk.sportsbull.jp* +bloomberg.co.jp* + 247sports.com* + bloomberg.com* + cbssports.com* + history.com* + +4029tv.com* + +gbnews.com* + +mynbc5.com* + +sbs.com.au* + +wbaltv.com* + +wvtm13.com* + +wxii12.com* + digi24.ro* + s.yimg.jp* + wyff4.com* + +kcci.com* + +kcra.com* + +ketv.com* + +kmbc.com* + +koat.com* + +koco.com* + +ksbw.com* + +wapt.com* + +wcvb.com* + +wdsu.com* + +wesh.com* + +wgal.com* + +wisn.com* + +wjcl.com* + +wlky.com* + +wlwt.com* + +wmtw.com* + +wmur.com* + +wpbf.com* + +wtae.com* +bet.com* +cbc.ca* +cc.com08@R.imasdk.googleapis.com/js/sdkloader/ima3_dai.js +08@R +pubtm.com^ +08@Romnitagjs.com^ +08@R grabo.bg^ +0 08@R"forum.miuiturkiye.net/konu/reklam. +08@R grmtas.com^ +B* + +wbnq.com08@R(franklymedia.com/*/300x150_WBNQ_TEXT.png +08@R clmbtech.com^ +08@Rbb2d37b777.com^ +108@R#airplaydirect.com/openx/www/images/ +3 08@R"jokerly.com/Okidak/vastChecker.htm +W* +tpc.googlesyndication.com08@R,tpc.googlesyndication.com/archive/sadbundle/ +%$08@Rarchive.org/BookReader/ +08@Rr2b2.cz^ +08@R +3lift.com^ +08@R adsco.re^ +08@R admitad.com^ +!08@Rpublisher1st.com^ +O * +imasdk.googleapis.com08@R(g.doubleclick.net/gampad/live/ads?*tver. +08@R/prebid/ +.* +extrarebates.com08@R pjtra.com/b/ + 08@Rmacro.adnami.io^ +08@R blcdog.com^ +08@R wpushorg.com^ +08@R vntsm.io^ +08@R /asyncjs.php +08@Re-planning.net^ +S* +gamesradar.com* + tomsguide.com08@R"bordeaux.futurecdn.net/bordeaux.js +08@R armanet.us^ +!08@Rads.linkedin.com^ +08@Rhbwrapper.com^ +)* + +adriver.co08@R .adriver. +08@R/728x90/ +08@R -300-250. +, * + +tvnz.co.nz08@Rdoubleclick.net/ +08@R anyadx.live^ +08@R +/ad/image/ +08@R +o333o.com^ +08@Rmonetixads.com^ +08@R ftjcfx.com^ +H* + cuberealm.io08@R*api.adinplay.com/v4/live/aip/ad-manager.js + 08@Rwarpwire.com/AD/ +%08@Rui.ads.microsoft.com^ +<* + wallapop.com08@Rgoogleoptimize.com/optimize.js +208@R$gocomics.com/assets/ad-dependencies- +08@Rad.about.co.kr^ +08@R airfind.com^ +.* + hotstar.com08@Rworldgravity.com^ +* +laurelberninteriors.com* +adamtheautomator.com* +packinsider.com* +packhacker.com* + mediaite.com08@R1ads.adthrive.com/builds/core/*/js/adthrive.min.js +* +footballleagueworld.co.uk* +footballfancast.com* +xda-developers.com* +androidpolice.com* +hardcoregamer.com* +backyardboss.net* +dualshockers.com* +simpleflying.com* +thesportster.com* +givemesport.com* +pocket-lint.com* +screenrant.com* +therichest.com* + howtogeek.com* + makeuseof.com* + pocketnow.com* + thethings.com* + thetravel.com* + babygaga.com* + collider.com* + gamerant.com* + movieweb.com* + thegamer.com* + topspeed.com* + carbuzz.com* + hotcars.com* + +moms.com* +cbr.com08@Radsninja.ca/ads_ +*08@Rlokopromo.com^*/adsimages/ +'08@Rbordeaux.futurecdn.net^ +$08@Rrevive-adserver.net^ +08@Rvideoplaza.tv^ +U* + +thegay.com08@R7thegay.com/assets//jwplayer-*/jwplayer.core.controls.js +M* +thepiratebay.org08@R)thepiratebay.*/static/js/scriptaculous.js +/* +extrarebates.com08@R pntrac.com/b/ +08@R cdn4ads.com^ += * + +roblox.com08@R!ads.roblox.com/v1/sponsored-pages +208@R"doda.jp/brand/ad/img/icon_play.png +08@Rbidtheatre.com^ +08@R +/adserver. +!08@Rfree-datings.com^ +2* +outlook.live.com08@R /assets/ads/ +- * + promo.com08@Rpromo.zendesk.com^ + +08@Rhp.com/in/*/ads/ +&08@Rgoogletagservices.com^ +08@Radmatic.com.tr^ +G* +gemini.yahoo.com08@R#yimg.com/av/gemini-ui/*/advertiser/ +>* +chrome-extension-scheme08@Rlastpass.com/ads.php +5* + +shmoop.com08@Rembed.sendtonews.com^ +08@Rzeebiz.com/ads/ +$08@Rintelligenceadx.com^ +08@R hadronid.net^ +08@R dalecta.com^ +!08@Rpartnerstack.com^ +4* +urbanglasgow.co.uk08@Rfdyn.pubwise.io^ +"08@Rg.doubleclick.net^ +-08@Rgoogle.com/images/integrations/ +!08@Rboost-next.co.jp^ +08@R adhaven.com^ +08@Rzendplace.pro^ +08@R bngwlt.com^ +08@Rmembrana.media^ +08@R +glssp.net^ +08@R +vntsm.com^ +08@R +eacdn.com^ +** + +eoffcn.com08@R /ads/images/ + 08@Raudiencerun.com^ +08@R .php?zoneid= +08@R/amp-sticky-ad- + 08@Rstaupsoaksy.net^ +/08@Rportal.autotrader.co.uk/advert/ +G* + +thegay.com08@R)thegay.com/assets//jwplayer-*/jwplayer.js +0* +nfl.com08@Rnflcdn.com/static/site/ +'* + hs-exp.jp08@R.jp/ads/ +0 +* +thepiratebay.org08@Rtorrindex.net^ +08@R +minute.ly^ +308@R#abcnews.com/assets/js/prebid.min.js +) +08@R/plugins/thirstyaffiliates/ +08@R aserve1.net^ +08@R dpmsrv.com^ +-* +cbc.ca08@Rads.rogersmedia.com^ +) 08@Rv.fwmrm.net/crossdomain.xml +08@Rtrafficdok.com^ +)08@Rgumtree.co.za/my/ads.html +*08@Rbullionglidingscuttle.com^ +08@R servg1.net^ +.08@Rpreromanbritain.com/maxymiser/ +08@Radkaora.space^ + 08@R2020mustang.com^ +08@R/image/affiliate/ +T* + +thegay.com08@R6thegay.com/assets/jwplayer-*/jwplayer.core.controls.js +08@R insurads.com^ +08@R/in/show/?mid= +b * +metacritic.com* + giantbomb.com* + gamespot.com08@R!at.adtech.redventures.io/lib/api/ +08@R73fbab0eb4.com^ + 08@Rfaculty.uml.edu^ +08@R adscale.de^ +)* + mp4upload.com08@R +hwcdn.net^ + 08@Rsmilewanted.com^ +08@R mainroll.com^ +"08@Rpushmaster-in.xyz^ +08@R +wpush.org^ +%08@Raffiliate.heureka.cz^ +08@Radx.opera.com^ +$08@Rads.memo2.nl/banners/ +08@Ruuidksinc.net^ +08@R gjigle.com^ +008@R givingassistant.org/Advertisers/ +08@R ocmtag.com^ +* +independent.co.uk* + bloomberg.com* + repretel.com* + weather.com* + +telsu.fi08@R$g.doubleclick.net/pagead/ppub_config +08@R vlitag.com^ +&08@Rgoogle.com/pagead/drt/ +08@R adsrvr.org^ +08@R aj2532.bid^ +-08@Rcrackle.com/vendor/AdManager.js +08@R-728x90- \ No newline at end of file diff --git a/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/LICENSE.txt b/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/LICENSE.txt new file mode 100644 index 0000000..8cb58d9 --- /dev/null +++ b/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/LICENSE.txt @@ -0,0 +1,383 @@ +EasyList Repository Licences + + Unless otherwise noted, the contents of the EasyList repository + (https://github.com/easylist) is dual licensed under the GNU General + Public License version 3 of the License, or (at your option) any later + version, and Creative Commons Attribution-ShareAlike 3.0 Unported, or + (at your option) any later version. You may use and/or modify the files + as permitted by either licence; if required, "The EasyList authors + (https://easylist.to/)" should be attributed as the source of the + material. All relevant licence files are included in the repository. + + Please be aware that files hosted externally and referenced in the + repository, including but not limited to subscriptions other than + EasyList, EasyPrivacy, EasyList Germany and EasyList Italy, may be + available under other conditions; permission must be granted by the + respective copyright holders to authorise the use of their material. + + +Creative Commons Attribution-ShareAlike 3.0 Unported + + CREATIVE COMMONS CORPORATION IS NOT A LAW FIRM AND DOES NOT PROVIDE + LEGAL SERVICES. DISTRIBUTION OF THIS LICENSE DOES NOT CREATE AN + ATTORNEY-CLIENT RELATIONSHIP. CREATIVE COMMONS PROVIDES THIS + INFORMATION ON AN "AS-IS" BASIS. CREATIVE COMMONS MAKES NO + WARRANTIES REGARDING THE INFORMATION PROVIDED, AND DISCLAIMS + LIABILITY FOR DAMAGES RESULTING FROM ITS USE. + +License + + THE WORK (AS DEFINED BELOW) IS PROVIDED UNDER THE TERMS OF THIS + CREATIVE COMMONS PUBLIC LICENSE ("CCPL" OR "LICENSE"). THE WORK IS + PROTECTED BY COPYRIGHT AND/OR OTHER APPLICABLE LAW. ANY USE OF THE WORK + OTHER THAN AS AUTHORIZED UNDER THIS LICENSE OR COPYRIGHT LAW IS + PROHIBITED. + + BY EXERCISING ANY RIGHTS TO THE WORK PROVIDED HERE, YOU ACCEPT AND + AGREE TO BE BOUND BY THE TERMS OF THIS LICENSE. TO THE EXTENT THIS + LICENSE MAY BE CONSIDERED TO BE A CONTRACT, THE LICENSOR GRANTS YOU THE + RIGHTS CONTAINED HERE IN CONSIDERATION OF YOUR ACCEPTANCE OF SUCH TERMS + AND CONDITIONS. + + 1. Definitions + a. "Adaptation" means a work based upon the Work, or upon the Work and + other pre-existing works, such as a translation, adaptation, + derivative work, arrangement of music or other alterations of a + literary or artistic work, or phonogram or performance and includes + cinematographic adaptations or any other form in which the Work may + be recast, transformed, or adapted including in any form + recognizably derived from the original, except that a work that + constitutes a Collection will not be considered an Adaptation for + the purpose of this License. For the avoidance of doubt, where the + Work is a musical work, performance or phonogram, the + synchronization of the Work in timed-relation with a moving image + ("synching") will be considered an Adaptation for the purpose of + this License. + b. "Collection" means a collection of literary or artistic works, such + as encyclopedias and anthologies, or performances, phonograms or + broadcasts, or other works or subject matter other than works + listed in Section 1(f) below, which, by reason of the selection and + arrangement of their contents, constitute intellectual creations, + in which the Work is included in its entirety in unmodified form + along with one or more other contributions, each constituting + separate and independent works in themselves, which together are + assembled into a collective whole. A work that constitutes a + Collection will not be considered an Adaptation (as defined below) + for the purposes of this License. + c. "Creative Commons Compatible License" means a license that is + listed at https://creativecommons.org/compatiblelicenses that has + been approved by Creative Commons as being essentially equivalent + to this License, including, at a minimum, because that license: (i) + contains terms that have the same purpose, meaning and effect as + the License Elements of this License; and, (ii) explicitly permits + the relicensing of adaptations of works made available under that + license under this License or a Creative Commons jurisdiction + license with the same License Elements as this License. + d. "Distribute" means to make available to the public the original and + copies of the Work or Adaptation, as appropriate, through sale or + other transfer of ownership. + e. "License Elements" means the following high-level license + attributes as selected by Licensor and indicated in the title of + this License: Attribution, ShareAlike. + f. "Licensor" means the individual, individuals, entity or entities + that offer(s) the Work under the terms of this License. + g. "Original Author" means, in the case of a literary or artistic + work, the individual, individuals, entity or entities who created + the Work or if no individual or entity can be identified, the + publisher; and in addition (i) in the case of a performance the + actors, singers, musicians, dancers, and other persons who act, + sing, deliver, declaim, play in, interpret or otherwise perform + literary or artistic works or expressions of folklore; (ii) in the + case of a phonogram the producer being the person or legal entity + who first fixes the sounds of a performance or other sounds; and, + (iii) in the case of broadcasts, the organization that transmits + the broadcast. + h. "Work" means the literary and/or artistic work offered under the + terms of this License including without limitation any production + in the literary, scientific and artistic domain, whatever may be + the mode or form of its expression including digital form, such as + a book, pamphlet and other writing; a lecture, address, sermon or + other work of the same nature; a dramatic or dramatico-musical + work; a choreographic work or entertainment in dumb show; a musical + composition with or without words; a cinematographic work to which + are assimilated works expressed by a process analogous to + cinematography; a work of drawing, painting, architecture, + sculpture, engraving or lithography; a photographic work to which + are assimilated works expressed by a process analogous to + photography; a work of applied art; an illustration, map, plan, + sketch or three-dimensional work relative to geography, topography, + architecture or science; a performance; a broadcast; a phonogram; a + compilation of data to the extent it is protected as a + copyrightable work; or a work performed by a variety or circus + performer to the extent it is not otherwise considered a literary + or artistic work. + i. "You" means an individual or entity exercising rights under this + License who has not previously violated the terms of this License + with respect to the Work, or who has received express permission + from the Licensor to exercise rights under this License despite a + previous violation. + j. "Publicly Perform" means to perform public recitations of the Work + and to communicate to the public those public recitations, by any + means or process, including by wire or wireless means or public + digital performances; to make available to the public Works in such + a way that members of the public may access these Works from a + place and at a place individually chosen by them; to perform the + Work to the public by any means or process and the communication to + the public of the performances of the Work, including by public + digital performance; to broadcast and rebroadcast the Work by any + means including signs, sounds or images. + k. "Reproduce" means to make copies of the Work by any means including + without limitation by sound or visual recordings and the right of + fixation and reproducing fixations of the Work, including storage + of a protected performance or phonogram in digital form or other + electronic medium. + + 2. Fair Dealing Rights. Nothing in this License is intended to reduce, + limit, or restrict any uses free from copyright or rights arising from + limitations or exceptions that are provided for in connection with the + copyright protection under copyright law or other applicable laws. + + 3. License Grant. Subject to the terms and conditions of this License, + Licensor hereby grants You a worldwide, royalty-free, non-exclusive, + perpetual (for the duration of the applicable copyright) license to + exercise the rights in the Work as stated below: + a. to Reproduce the Work, to incorporate the Work into one or more + Collections, and to Reproduce the Work as incorporated in the + Collections; + b. to create and Reproduce Adaptations provided that any such + Adaptation, including any translation in any medium, takes + reasonable steps to clearly label, demarcate or otherwise identify + that changes were made to the original Work. For example, a + translation could be marked "The original work was translated from + English to Spanish," or a modification could indicate "The original + work has been modified."; + c. to Distribute and Publicly Perform the Work including as + incorporated in Collections; and, + d. to Distribute and Publicly Perform Adaptations. + e. For the avoidance of doubt: + i. Non-waivable Compulsory License Schemes. In those + jurisdictions in which the right to collect royalties through + any statutory or compulsory licensing scheme cannot be waived, + the Licensor reserves the exclusive right to collect such + royalties for any exercise by You of the rights granted under + this License; + ii. Waivable Compulsory License Schemes. In those jurisdictions in + which the right to collect royalties through any statutory or + compulsory licensing scheme can be waived, the Licensor waives + the exclusive right to collect such royalties for any exercise + by You of the rights granted under this License; and, + iii. Voluntary License Schemes. The Licensor waives the right to + collect royalties, whether individually or, in the event that + the Licensor is a member of a collecting society that + administers voluntary licensing schemes, via that society, + from any exercise by You of the rights granted under this + License. + + The above rights may be exercised in all media and formats whether now + known or hereafter devised. The above rights include the right to make + such modifications as are technically necessary to exercise the rights + in other media and formats. Subject to Section 8(f), all rights not + expressly granted by Licensor are hereby reserved. + + 4. Restrictions. The license granted in Section 3 above is expressly + made subject to and limited by the following restrictions: + a. You may Distribute or Publicly Perform the Work only under the + terms of this License. You must include a copy of, or the Uniform + Resource Identifier (URI) for, this License with every copy of the + Work You Distribute or Publicly Perform. You may not offer or + impose any terms on the Work that restrict the terms of this + License or the ability of the recipient of the Work to exercise the + rights granted to that recipient under the terms of the License. + You may not sublicense the Work. You must keep intact all notices + that refer to this License and to the disclaimer of warranties with + every copy of the Work You Distribute or Publicly Perform. When You + Distribute or Publicly Perform the Work, You may not impose any + effective technological measures on the Work that restrict the + ability of a recipient of the Work from You to exercise the rights + granted to that recipient under the terms of the License. This + Section 4(a) applies to the Work as incorporated in a Collection, + but this does not require the Collection apart from the Work itself + to be made subject to the terms of this License. If You create a + Collection, upon notice from any Licensor You must, to the extent + practicable, remove from the Collection any credit as required by + Section 4(c), as requested. If You create an Adaptation, upon + notice from any Licensor You must, to the extent practicable, + remove from the Adaptation any credit as required by Section 4(c), + as requested. + b. You may Distribute or Publicly Perform an Adaptation only under the + terms of: (i) this License; (ii) a later version of this License + with the same License Elements as this License; (iii) a Creative + Commons jurisdiction license (either this or a later license + version) that contains the same License Elements as this License + (e.g., Attribution-ShareAlike 3.0 US)); (iv) a Creative Commons + Compatible License. If you license the Adaptation under one of the + licenses mentioned in (iv), you must comply with the terms of that + license. If you license the Adaptation under the terms of any of + the licenses mentioned in (i), (ii) or (iii) (the "Applicable + License"), you must comply with the terms of the Applicable License + generally and the following provisions: (I) You must include a copy + of, or the URI for, the Applicable License with every copy of each + Adaptation You Distribute or Publicly Perform; (II) You may not + offer or impose any terms on the Adaptation that restrict the terms + of the Applicable License or the ability of the recipient of the + Adaptation to exercise the rights granted to that recipient under + the terms of the Applicable License; (III) You must keep intact all + notices that refer to the Applicable License and to the disclaimer + of warranties with every copy of the Work as included in the + Adaptation You Distribute or Publicly Perform; (IV) when You + Distribute or Publicly Perform the Adaptation, You may not impose + any effective technological measures on the Adaptation that + restrict the ability of a recipient of the Adaptation from You to + exercise the rights granted to that recipient under the terms of + the Applicable License. This Section 4(b) applies to the Adaptation + as incorporated in a Collection, but this does not require the + Collection apart from the Adaptation itself to be made subject to + the terms of the Applicable License. + c. If You Distribute, or Publicly Perform the Work or any Adaptations + or Collections, You must, unless a request has been made pursuant + to Section 4(a), keep intact all copyright notices for the Work and + provide, reasonable to the medium or means You are utilizing: (i) + the name of the Original Author (or pseudonym, if applicable) if + supplied, and/or if the Original Author and/or Licensor designate + another party or parties (e.g., a sponsor institute, publishing + entity, journal) for attribution ("Attribution Parties") in + Licensor's copyright notice, terms of service or by other + reasonable means, the name of such party or parties; (ii) the title + of the Work if supplied; (iii) to the extent reasonably + practicable, the URI, if any, that Licensor specifies to be + associated with the Work, unless such URI does not refer to the + copyright notice or licensing information for the Work; and (iv) , + consistent with Ssection 3(b), in the case of an Adaptation, a + credit identifying the use of the Work in the Adaptation (e.g., + "French translation of the Work by Original Author," or "Screenplay + based on original Work by Original Author"). The credit required by + this Section 4(c) may be implemented in any reasonable manner; + provided, however, that in the case of a Adaptation or Collection, + at a minimum such credit will appear, if a credit for all + contributing authors of the Adaptation or Collection appears, then + as part of these credits and in a manner at least as prominent as + the credits for the other contributing authors. For the avoidance + of doubt, You may only use the credit required by this Section for + the purpose of attribution in the manner set out above and, by + exercising Your rights under this License, You may not implicitly + or explicitly assert or imply any connection with, sponsorship or + endorsement by the Original Author, Licensor and/or Attribution + Parties, as appropriate, of You or Your use of the Work, without + the separate, express prior written permission of the Original + Author, Licensor and/or Attribution Parties. + d. Except as otherwise agreed in writing by the Licensor or as may be + otherwise permitted by applicable law, if You Reproduce, Distribute + or Publicly Perform the Work either by itself or as part of any + Adaptations or Collections, You must not distort, mutilate, modify + or take other derogatory action in relation to the Work which would + be prejudicial to the Original Author's honor or reputation. + Licensor agrees that in those jurisdictions (e.g. Japan), in which + any exercise of the right granted in Section 3(b) of this License + (the right to make Adaptations) would be deemed to be a distortion, + mutilation, modification or other derogatory action prejudicial to + the Original Author's honor and reputation, the Licensor will waive + or not assert, as appropriate, this Section, to the fullest extent + permitted by the applicable national law, to enable You to + reasonably exercise Your right under Section 3(b) of this License + (right to make Adaptations) but not otherwise. + + 5. Representations, Warranties and Disclaimer + + UNLESS OTHERWISE MUTUALLY AGREED TO BY THE PARTIES IN WRITING, LICENSOR + OFFERS THE WORK AS-IS AND MAKES NO REPRESENTATIONS OR WARRANTIES OF ANY + KIND CONCERNING THE WORK, EXPRESS, IMPLIED, STATUTORY OR OTHERWISE, + INCLUDING, WITHOUT LIMITATION, WARRANTIES OF TITLE, MERCHANTIBILITY, + FITNESS FOR A PARTICULAR PURPOSE, NONINFRINGEMENT, OR THE ABSENCE OF + LATENT OR OTHER DEFECTS, ACCURACY, OR THE PRESENCE OF ABSENCE OF + ERRORS, WHETHER OR NOT DISCOVERABLE. SOME JURISDICTIONS DO NOT ALLOW + THE EXCLUSION OF IMPLIED WARRANTIES, SO SUCH EXCLUSION MAY NOT APPLY TO + YOU. + + 6. Limitation on Liability. EXCEPT TO THE EXTENT REQUIRED BY APPLICABLE + LAW, IN NO EVENT WILL LICENSOR BE LIABLE TO YOU ON ANY LEGAL THEORY FOR + ANY SPECIAL, INCIDENTAL, CONSEQUENTIAL, PUNITIVE OR EXEMPLARY DAMAGES + ARISING OUT OF THIS LICENSE OR THE USE OF THE WORK, EVEN IF LICENSOR + HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. + + 7. Termination + a. This License and the rights granted hereunder will terminate + automatically upon any breach by You of the terms of this License. + Individuals or entities who have received Adaptations or + Collections from You under this License, however, will not have + their licenses terminated provided such individuals or entities + remain in full compliance with those licenses. Sections 1, 2, 5, 6, + 7, and 8 will survive any termination of this License. + b. Subject to the above terms and conditions, the license granted here + is perpetual (for the duration of the applicable copyright in the + Work). Notwithstanding the above, Licensor reserves the right to + release the Work under different license terms or to stop + distributing the Work at any time; provided, however that any such + election will not serve to withdraw this License (or any other + license that has been, or is required to be, granted under the + terms of this License), and this License will continue in full + force and effect unless terminated as stated above. + + 8. Miscellaneous + a. Each time You Distribute or Publicly Perform the Work or a + Collection, the Licensor offers to the recipient a license to the + Work on the same terms and conditions as the license granted to You + under this License. + b. Each time You Distribute or Publicly Perform an Adaptation, + Licensor offers to the recipient a license to the original Work on + the same terms and conditions as the license granted to You under + this License. + c. If any provision of this License is invalid or unenforceable under + applicable law, it shall not affect the validity or enforceability + of the remainder of the terms of this License, and without further + action by the parties to this agreement, such provision shall be + reformed to the minimum extent necessary to make such provision + valid and enforceable. + d. No term or provision of this License shall be deemed waived and no + breach consented to unless such waiver or consent shall be in + writing and signed by the party to be charged with such waiver or + consent. + e. This License constitutes the entire agreement between the parties + with respect to the Work licensed here. There are no + understandings, agreements or representations with respect to the + Work not specified here. Licensor shall not be bound by any + additional provisions that may appear in any communication from + You. This License may not be modified without the mutual written + agreement of the Licensor and You. + f. The rights granted under, and the subject matter referenced, in + this License were drafted utilizing the terminology of the Berne + Convention for the Protection of Literary and Artistic Works (as + amended on September 28, 1979), the Rome Convention of 1961, the + WIPO Copyright Treaty of 1996, the WIPO Performances and Phonograms + Treaty of 1996 and the Universal Copyright Convention (as revised + on July 24, 1971). These rights and subject matter take effect in + the relevant jurisdiction in which the License terms are sought to + be enforced according to the corresponding provisions of the + implementation of those treaty provisions in the applicable + national law. If the standard suite of rights granted under + applicable copyright law includes additional rights not granted + under this License, such additional rights are deemed to be + included in the License; this License is not intended to restrict + the license of any rights under applicable law. + +Creative Commons Notice + + Creative Commons is not a party to this License, and makes no + warranty whatsoever in connection with the Work. Creative Commons + will not be liable to You or any party on any legal theory for any + damages whatsoever, including without limitation any general, + special, incidental or consequential damages arising in connection + to this license. Notwithstanding the foregoing two (2) sentences, if + Creative Commons has expressly identified itself as the Licensor + hereunder, it shall have all rights and obligations of Licensor. + + Except for the limited purpose of indicating to the public that the + Work is licensed under the CCPL, Creative Commons does not authorize + the use by either party of the trademark "Creative Commons" or any + related trademark or logo of Creative Commons without the prior + written consent of Creative Commons. Any permitted use will be in + compliance with Creative Commons' then-current trademark usage + guidelines, as may be published on its website or otherwise made + available upon request from time to time. For the avoidance of + doubt, this trademark restriction does not form part of the License. + + Creative Commons may be contacted at https://creativecommons.org/. diff --git a/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/_metadata/verified_contents.json b/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/_metadata/verified_contents.json new file mode 100644 index 0000000..8ef72a2 --- /dev/null +++ b/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJGaWx0ZXJpbmcgUnVsZXMiLCJyb290X2hhc2giOiI3Q2xUWWU4bVR6ejlrcWJHQ2hfMWRsbjBiZm1xWjBzeTgwVXNTekEyTk1nIn0seyJwYXRoIjoiTElDRU5TRS50eHQiLCJyb290X2hhc2giOiIyaWswNmk0TFlCdVNHNWphRGFIS253NE9pdnVSRzZsQ0JKMVk0TGtzRFJJIn0seyJwYXRoIjoibWFuaWZlc3QuanNvbiIsInJvb3RfaGFzaCI6Ijd2dVMwcW1pRlFzV0NGQXIxVjBUOEVMR21zZFhQbVNqU3g4aDNUb1gweWsifV0sImZvcm1hdCI6InRyZWVoYXNoIiwiaGFzaF9ibG9ja19zaXplIjo0MDk2fV0sIml0ZW1faWQiOiJnY21qa21nZGxnbmtrY29jbW9laW1pbmFpam1tam5paSIsIml0ZW1fdmVyc2lvbiI6IjkuNjQuMCIsInByb3RvY29sX3ZlcnNpb24iOjF9","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"CZ395JazEGl2UdHc8aCjw53VEBILaqvUUybJmsA-L-MInyqlkpDstHr9bsNEDSGhRQUWkB2R_csW2JDbG1MAaXw9xkktiFNCK30nuIHfHDSmErKuw6WGexhQenUFDR4sCF4C6ntAp3b_3P-jah1OiZbic3gXJewGYHQ9XufsSOE6-VweZFFzS5ZL7FTdS7VE_nN1Olk5tl3hhZ_cc1PBvzLWFscIzZDerOglvUp2lApx7jd4DEWfhjOmH8g7bZD63HR09L4y619pLbqanraXJiizedjpZ6rcpnNM5JutPIff8hI4pokWNF2AX82bKqhpSKRDbfYyW2h83hj5cD7Eag"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"HZ3SBczBqTy1N5o-uTvweFk3q_QIrD8pOUACCh2Xh6bJ3LrnDmExiGLsBedndh2zAZL_VtPPWL5L_IgvLdIGfZ4OAcHFYKd_EQZpH_qLdWYHyltIS80353nsQrZ3r_dAXuEYjBOhPbRTyp6GYEYKIZeh-rUEGgjH1atL5IkDRiuSsw3oWVvyrmmWYqh1BkPpb13eKeaX-7DfREpQj2v9jDUaQDCMDEHXpy4c7ejb9wElj1LrM_2OS9Gq_NhzMeYIi7q384dKhW8CpiqWCbHuUjFW4XHtG7UxBIUfuZL88-zfkZn8WrZ7-ZbfqPLoG15A3Sgx19BqXZb3yun7ciMAeQ"}]}}] \ No newline at end of file diff --git a/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/manifest.json b/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/manifest.json new file mode 100644 index 0000000..a9bb404 --- /dev/null +++ b/user/user_data/Subresource Filter/Unindexed Rules/9.64.0/manifest.json @@ -0,0 +1,6 @@ +{ + "manifest_version": 2, + "name": "Subresource Filtering Rules", + "ruleset_format": 1, + "version": "9.64.0" +} \ No newline at end of file diff --git a/user/user_data/TpcdMetadata/2025.10.7.1/_metadata/verified_contents.json b/user/user_data/TpcdMetadata/2025.10.7.1/_metadata/verified_contents.json new file mode 100644 index 0000000..a2c36f4 --- /dev/null +++ b/user/user_data/TpcdMetadata/2025.10.7.1/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJtYW5pZmVzdC5qc29uIiwicm9vdF9oYXNoIjoiYkhQWEd5bXcyOWlSSUVkbXdWSlFIYlg5c2ZFdHRmQWp0TFdRUXBVem5VTSJ9LHsicGF0aCI6Im1ldGFkYXRhLnBiIiwicm9vdF9oYXNoIjoicjF3cHgtMy04Q1AzaFR1cTJrRXhDLXJwcDZJWk9iZXJDUXFMdjladVVxOCJ9XSwiZm9ybWF0IjoidHJlZWhhc2giLCJoYXNoX2Jsb2NrX3NpemUiOjQwOTZ9XSwiaXRlbV9pZCI6ImpmbGhjaGNjbXBwa2ZlYmtpYW1pbmFnZWVobWNoaWttIiwiaXRlbV92ZXJzaW9uIjoiMjAyNS4xMC43LjEiLCJwcm90b2NvbF92ZXJzaW9uIjoxfQ","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"BYgJcQ5bJcwrNMcGIr14o5eLEYCgDvvXr8dY_i5ympCTues1V4WxHYKb1Vsn1jgjgrJsYtQvmzCK6454_8GGF-P1tkO-lKAGMSBaXDcwVXUkJrtbiWCiEjjf4ISK1rZCUorRaeAR6Da0pwb_w-A_4cVj5VGxxxkkhJHcJPUMlHvw-HjSzmdpfqk9_VnQWNJY0RK4IvY-a--4NNo79_1tjH2I7bR4DAug1s4QItfp9K9YZEGk1dAmmH1vTn--NTvBD45i9Y_vMh6FrMquxQ5qVnXgO0i0RQ8Yj3gUvMPttQd5R2oh2hGGsvkYNCWPCF7KyI8aE9SnTu3LCJv_g0jKtnptM5CkKNezxxNblpXD-t9G6ReKtkuke4YadGKlZ4pFmKVy5icqrIhhJyF4jzIKcHo4HIN7gkdixeIMLRerhhTbc7gihjsE7PbXnQexig2pjIlmmlb-ewdgOIHtIFUtNiPfZnNA97-X9JLzXLRZr-wF_AmTIO0i3Nk59LRbkoQg8UsJ5H4tgvcU8BsFPREQbTR_FEzVY_g12iYMUoJrO9_Pf4yl9l3LaqgJWq3GcJ4KGKcadGo7JPPV7Eh7gwwMwfEs_5MtcXNbi1nGCDx2lFJvuzVHVIf4ElEd9ifjdAOa5WpFl4dEIwPepvjLHYE2JE6NUrBku6cJAlvS7EV2ReM"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"L83qRz_OS0hhWWJaksvFbQSbr7ejlALhHJR7THr-lpaDSaPhfq0fEYx2AwJ8A5K0eWF-vShGlmg--SVEOy5BiR4XlzKh3IjxzwMuhPKKm10_sMTVoni5U703WE1gV0eIjcoltC7X9q6BpfaXLMkQB7bfdPNMxNd1DXAsMWVjzgNlp0-PXLlKKD7y6Xu-iod4LLkJam5MSlDNShQpbsraEQrYOVN-1Zk0a5N3Y89eqPT1xKxCShatxq29IghHZn-UoNJqhjVKY8KPp24uyCkL7BIHnsids-gRfmYuAd3fwWp03lz-VGYoLwTT6986xDDfV77VDeNLCnpR8Ulv0Extyg"}]}}] \ No newline at end of file diff --git a/user/user_data/TpcdMetadata/2025.10.7.1/manifest.json b/user/user_data/TpcdMetadata/2025.10.7.1/manifest.json new file mode 100644 index 0000000..6483915 --- /dev/null +++ b/user/user_data/TpcdMetadata/2025.10.7.1/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "Third-Party Cookie Deprecation Metadata", + "version": "2025.10.7.1" +} \ No newline at end of file diff --git a/user/user_data/TpcdMetadata/2025.10.7.1/metadata.pb b/user/user_data/TpcdMetadata/2025.10.7.1/metadata.pb new file mode 100644 index 0000000..486c697 Binary files /dev/null and b/user/user_data/TpcdMetadata/2025.10.7.1/metadata.pb differ diff --git a/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/LICENSE b/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/LICENSE new file mode 100644 index 0000000..33072b5 --- /dev/null +++ b/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/LICENSE @@ -0,0 +1,27 @@ +// Copyright 2015 The Chromium Authors. All rights reserved. +// +// Redistribution and use in source and binary forms, with or without +// modification, are permitted provided that the following conditions are +// met: +// +// * Redistributions of source code must retain the above copyright +// notice, this list of conditions and the following disclaimer. +// * Redistributions in binary form must reproduce the above +// copyright notice, this list of conditions and the following disclaimer +// in the documentation and/or other materials provided with the +// distribution. +// * Neither the name of Google Inc. nor the names of its +// contributors may be used to endorse or promote products derived from +// this software without specific prior written permission. +// +// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS +// "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT +// LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR +// A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT +// OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, +// SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT +// LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, +// DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY +// THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT +// (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE +// OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. \ No newline at end of file diff --git a/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/_metadata/verified_contents.json b/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/_metadata/verified_contents.json new file mode 100644 index 0000000..72da0b6 --- /dev/null +++ b/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJMSUNFTlNFIiwicm9vdF9oYXNoIjoiUGIwc2tBVUxaUzFqWldTQnctV0hIRkltRlhVcExiZDlUcVkwR2ZHSHBWcyJ9LHsicGF0aCI6ImtleXMuanNvbiIsInJvb3RfaGFzaCI6Ilp4ajIwVjJKNGIwSFdrYzBjSlhXS3E0ZWZ4dFkwc3RTVkxmTEk1NXhKRVkifSx7InBhdGgiOiJtYW5pZmVzdC5qc29uIiwicm9vdF9oYXNoIjoiZkFDcFFkZWdRRWowYWYtNWh2OS1pX05KOFVsam5NUjBwR1BhU21COENuQSJ9XSwiZm9ybWF0IjoidHJlZWhhc2giLCJoYXNoX2Jsb2NrX3NpemUiOjQwOTZ9XSwiaXRlbV9pZCI6ImtpYWJoYWJqZGJramRwamJwaWdmb2RiZGptYmdsY29vIiwiaXRlbV92ZXJzaW9uIjoiMjAyNS45LjI5LjEiLCJwcm90b2NvbF92ZXJzaW9uIjoxfQ","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"rQRelPEUJNKLWINJXYrcgdE3buo7gC67jw0PCeGyo0Ce92q1qG_RprrU7_s-cQ_h1O5R7_FgRZwOzkNvPtIPhn6dh7knd3WbxCCoNMQj0Z46dU5oo0DViP_-rzjp8NrhXY5AMSmtoeSRqFCZHlDjHbB7wdBrgrNZ4d0rjpeCscF4QUvqCvc8qYUXtNMafmAMceUV38GyxNElr2qjeiz0Xg1oxMyEnqBVUe0qExBcDwRs7xeTSQBtFWWAM5QJLv8-_0wVQCB-9ujJ25sZG83PMA2J9GkR7gU0E2S2rat9d6uu8dtwlIayQakxyx6Iv4KnKwCK2flQ2I8MR6h1p_CN5l2su7I0lfetCliWliDxviLdNn3gumqsShC8GugvjnRV23hAEIqtzsBfH3Aifewg9_NBPhrR0N_4fmN4WL07mR_mLY571mJyrU_Ovnti_XPVjMFZucQTC5UA6QVb-R2T6GJ55LlHvfz1ycIXIiI0rX--V1yUQB7XiWW0i0LbBqaWCmWQpYjuzDVZXVw-qWaJZz2nHaOOoLKiYm-JuyFsHYvrAAJzy3i_Uwthm8ZV7Hr9IjV6Z69ez-FPAOmUv3WHpyqbEYCFkhtW7bOs-9KhsToF7f5cYoIjyk-OFTNy2fzVZbDyCWavXfWOiAoR19jMeYrAaWbe2QKDYBt1TWR36GY"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"NHpo9yBq0-ZzPRNwO5x2pBZWroChcwXSdQhFVIVuIRcuGA96gDGfziyCdEjBWmMMIqGEbLjSBSJKMftpLW-ESdpzNOXfUfyRGk6CtVzfLKauMWrFhiu8V7F24Akx_YsYpAz2PGP_tX_gQQQYM2wR0X9ScYkGxktHXfy5_wA8ahUozL7C-DSy7ZSWUPQf8mExpvFnoBAfq2dsyjV5AgfGotIh9oePTkhHC-yDG6EXzis7hjTrWDFUUdIqDattGmbVGHiO03I2wRWaFHSBj09-0KtmnjHTqSmYs5Op7qfGGLAnJX7F4Kmb7DqPvWyzBbllX_jsWzgIOtn0YyJVBUgRiw"}]}}] \ No newline at end of file diff --git a/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/keys.json b/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/keys.json new file mode 100644 index 0000000..c9d3de9 --- /dev/null +++ b/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/keys.json @@ -0,0 +1 @@ +{"https://issuer.captchafox.com":{"PrivateStateTokenV1VOPRF":{"batchsize":1,"id":1,"keys":{"0":{"Y":"AAAAAQQiyE+SESbq7GU5rTx6tZO4tBOxljp+Oya2mU28O+YoALIyXlLLqnl/h5h95ExYSsOlmMIb8EdsJBTrCaDl/KIZSskrfMbZpjhShG0jwnbXojEHI9WaAxKLkX/A/DkyMEg=","expiry":"1734807628115000"},"1":{"Y":"AAAAAQRNtld+5LLBquS4bEJKJwlLw61tzIyqTNkvMVnUTu+YiphbdGrRCjeDTN9D3p1Tgpfmq0N/OKMBYWzDMEN8Km9p9s49c6N2ph4B1MV1m7Ogdj969MOsTw54Kc849oqDl8s=","expiry":"1734807628115000"},"2":{"Y":"AAAAAQSBWW003A3ORFURCZrWNnbEIH15yzk184DaLSebbGzRdyCYtAM1qhhVmXZyBtWTzh6Bfkk5rLPyE1xdQilofPBizF/QJsdaMU0GYhPW1sOU4xoKbmgd/XrnOoFqA2ETOuc=","expiry":"1734807628115000"},"3":{"Y":"AAAAAQSG/ftGdm5B6iwAmVsHt6s43xx3nRf/Vpx9GdeEt3jSTM8hHvyLE9FAEkinGjt4Fp5EjnkCdE96Cxz10nZJRrMApIrGhG5kAoDu4T8PjJPiFQFyHAOdTG7OJWi2NS/rl1A=","expiry":"1734807628115000"},"4":{"Y":"AAAAAQT36tqe550UP5A+4Eokt8iuPZEuWQc9cGJXd7zUCZzrsqtGu3PMcVbOj5DjC4W+yoyF3HqKOqdtiBWgcMsZOcyln/6jUKqf5tS9AoIHa9CC3kQB8ISQd3lhR5j+qWVY8ms=","expiry":"1734807628115000"},"5":{"Y":"AAAAAQQMjaLNCR8+YpP7wuJc8LswYI6Lofx+FIzgc3YRXAZg1xPVUR0PanCmne8q9vAPJHXrHwpytYAO/p+7wy+7pV9OGY8S3atKypUVBKa/1+jo7pokpuI0OQKFWtEOZBaM0Hw=","expiry":"1734807628115000"}},"protocol_version":"PrivateStateTokenV1VOPRF"}},"https://my.contentpass.net":{"PrivateStateTokenV1VOPRF":{"batchsize":1,"id":1,"keys":{"1":{"Y":"AAAAAQSf54hDCPXvAfUGtHrxk8Wh3Xz5ojzIZL92OEMw8+1kZ9mXgHPTsInoWDEYroazoszJ8uJxsRUFA5+7V6ZzFOS7eISbYKQsjWZ0Ke2y4QpJqJkIqyI4VL7t2pg1ecaGC5M=","expiry":"1773878399000000"},"2":{"Y":"AAAAAQSE5dWqi59F+gqKzkvHifdLTNOquNCUdxEYQCOiqe575r6uF0DW9kOVO+jIgpu86Dg7xdUrzeoO8C6i3EGUtVY4wijUeEY/0hh1jLOMHcYlloPcEBo+Od+iPyynq6Cb11o=","expiry":"1773878399000000"},"3":{"Y":"AAAAAQQvUG/hrBtboBLDQTRvc2ZRo/Y+HceHJ+wP3U8irklIAi8tIwhJ6blzq2CI4oLCZrn/paxKTIJQfayrSBbH4euvixhvTg+p7gpWzi5RH+bo7BBb+c84T8+Wv/oofIWZNrI=","expiry":"1773878399000000"},"4":{"Y":"AAAAAQQEmTum5iqRCTnHSWmAlUQ2J5ozHTrZ3nU07O9Dg4/a2mkj64ykL4ClkWrerN0zUNQy6wqiGmhReXfsjpfV1NGcULJAZD+i+3W6kkzhJqdDzhdn0lrZmSZrxGTivYE0bR4=","expiry":"1773878399000000"},"5":{"Y":"AAAAAQRmL3mJryWwT1DLuxN5cA0Mt6yk2FHkh9XOiZ9m9jujvjikAStmwDo4YYatqyV0qGBx7xRPfqOpnRm61JEfpjWVDSuVYMOYK4Cavz+NmSf5bnkN/uFlThzzw4WSyn0i3aY=","expiry":"1773878399000000"},"6":{"Y":"AAAAAQSu1AVEWGbA17aWGZ9hp9wKOoIg59lB39ssOspo/AiCnmkfBWU8kKT3fuLHrKLfAc2djgGPx7BfAHvR6JHalxMfrfug750OGdEbQPcjgZVF1MFeiC4xV22QWdLbCOi5rLk=","expiry":"1773878399000000"}},"protocol_version":"PrivateStateTokenV1VOPRF"}},"https://privatetokens.dev":{"PrivateStateTokenV1VOPRF":{"batchsize":1,"id":1,"keys":{"0":{"Y":"AAAAAARfsssbDuePtDrNZ3lM/UURh5OQuxpiyHSHc1pdoKOlfZ1EEPEWMyjMs4RUBi04PGIH/2Ydu9DkhJBPOB8L3KvWrGzHY19bBVuYgypnPi1bFWV8FiVS7LTk4bQ6bUELZS8=","expiry":"1767139200000000"},"1":{"Y":"AAAAAQQf7weUF/kePEPj0OSOYXJFl5MtMxr8g0svnv/prKQJK/hXrKqyQCrfxWJaQcKvj0MqtJcAA0CMZUGO2+cEXXgVNsa9Rw3ozo5a69bRrcvwnu+DFfB/qrA+8vqB7HxSRyc=","expiry":"1767139200000000"},"2":{"Y":"AAAAAgQLbdTSLHbxKCt47+OFNTVxvvVenvsWvmB0GQrm0B7+fb+4Cr8DgkZ7O6cJ1XtJBN6pBocANfPtUMINbsFsrUrJILKj9zGuFbtlVUCnNTMxjgk6jhDGtvIrzoT2Tgj/Mqo=","expiry":"1767139200000000"},"3":{"Y":"AAAAAwSTuOrMb7Azhj0tzR0SBazJADihIRGWM3JMfCzAv38M7dAt3PrLa+yKQ2yJiyH43gbZo61I/AThxsw/55Bpo2mOZRfiRgYLiuuUceb5JJ69OLrkOuwAUyDJFsNGNXBy2m4=","expiry":"1767139200000000"},"4":{"Y":"AAAABASWQfNzun5KImUlkOvsg4iud4R4U+sOa2VjlUDMkrWB1S+q1qL/GuD3k687DQF/RfvbIbIeVkJZNyjobNqW7X4TsXU+lako/gxOBRqzl9aHaoMV9gk6EbvibY/XMD5AFDQ=","expiry":"1767139200000000"},"5":{"Y":"AAAABQR38by110bTSikIvk/oYI8eav69TFj3VrUNyc/Cj4dElEUIPqdpGUr2x+zH0vAs8+HD3lagql2JkzqncOEC5o6NX8bzWTTBxyNy7+uj9dYxy23jG0CFRxvJzLCRRTjuFZA=","expiry":"1767139200000000"}},"protocol_version":"PrivateStateTokenV1VOPRF"}},"https://pst-issuer.hcaptcha.com":{"PrivateStateTokenV1VOPRF":{"batchsize":1,"id":1,"keys":{"0":{"Y":"AAAAAAQn0iKkl4Xm6zKsIwQxrjdWuG5y1Dx/HhjZEzg5gzHs/bMzXRC4YqKI8JtrTOg1kzZLcQT4hDYmeuEnGZRSS4ZBtEVwnbk72AH9CB3041g+A2Y8AvXdrBZyBJaswydxU70=","expiry":"1691836104000000"},"102":{"Y":"AAAAZgStKBZhkdiDfCd2M72lOVQEm/8Gs8OokCr6q689DfraBUy2OAqS3fT3CRtHcIFsHHWTmFKfYNYbhDV9lOTeJiwGh/o2c5kSPczpgca9LEoJoNvCttwUfhzApxRQipTktSs=","expiry":"1699612104000000"},"118":{"Y":"AAAAdgTPJ4DSXNbDsSzd0lau1l+PDvS7j7rvWaXeb8Dq+bVbsHi49gWgtAmOvEhrx7qqlsMbowW9oFp+8hpMz0iPetfzNlpZ/rgchHMVGA2mAcUUD6hZpLFwi/WzzjPNzNjghiU=","expiry":"1694428104000000"},"134":{"Y":"AAAAhgQdOOxzj3+ff1GYbZKKas301vAlY5T1+HuRLecI7+aSpZHiJDLBId96+sYqFQ9Lw2v5ZL2XrdNsIjcJQeZjMNeoKzRIU2+twrJx15zOsAS7UYrnwmwcKUNaIvK5z+ofVao=","expiry":"1697020104000000"},"135":{"Y":"AAAAhwQ7lqyWJhRd1vwnfh9CTyEwAfvtHx8aM3kUzK4t1yjAde2H6ncqmaeSt0wCDHWQXRf+1t4qDjHDaVA6SsKUEmWNZrJ++q07cVNyg586fFJhklASuCAVD8MLgiI0joPbSmQ=","expiry":"1697020104000000"},"165":{"Y":"AAAApQT5FOfKepPac+BaNNEDET5ISLG0gRu76JnhDZgdCE4YGlZslfaxQxo2AB6dqWXUzCxgnidfjlVjDdCOQSYJDPFmE2rRGNMVpvHfZD4dKwwErc+oqvxsf+LIftX3DO1B+zg=","expiry":"1697020104000000"},"171":{"Y":"AAAAqwQ3VONsOHn8vztPDJugYiBknSk2h76L4m9v89gLbfK33SvUKB/D/oj7uIO3WHnOidaxdJ9tqhd4ee+EZ/cj7iV3b3cuBFqFEJPPUcHkNJ+FnU3fQmePRn0ZJGasPUCZNA8=","expiry":"1694428104000000"},"226":{"Y":"AAAA4gSl5pqFtr6FxLm5p9Pn7OjO7fH/rp25nZ/1qX6643BJcuWIC/Q1fc2v19bHZE6PNdLyMeO8ZMkRH5rRi3CX1xg54UWtX0b0/rFOy1ErX2nLDTDXJvSAMrbZZwuCDf/QkfA=","expiry":"1699612104000000"},"253":{"Y":"AAAA/QTFOMQlDqoIjS5e99cmi1xLcbcIyqfvzulldtB0PfoZAza6czULN9fKDfVXud74aOkzIDpDA7Ejx1Zw/2nr477EGpCeMmP9MXAxiaOroKI0kBd38uWTaqCxKmFcd/l16Ic=","expiry":"1699612104000000"},"29":{"Y":"AAAAHQSYqY3WA/Kuzh1J0w+YBfvx8tNECkbuRvKNvTCV/EYQh/O+tZQuROyFVk4M/vr2mw7yPK/dJhyl8FRMUSVvuQ7r/Y59fnNxyvPAdiKNeRlZb8TKs/Ymf0H9RLneFz3rOfM=","expiry":"1691836104000000"},"70":{"Y":"AAAARgT+F/qLdVCJZazqkgDgmbBY7DhDF78vsw6pfT6cGVAMfg4WhdkbQlLQkzKlPMVy0XsqyN2S2tSLa+0hFA4R8+YJpCYf9QJzg/XAw43fZkbu/TX7+q623KsQeWPMiuj9qAs=","expiry":"1694428104000000"},"87":{"Y":"AAAAVwSR0P31+cA6fOgTBHGN545mu5vLETOCgN2+6R8Wa8mmOl8QqvG5QJ8JRp6IiTXzJE8piCaKV9LKWw824abZzkxth/nsBD1zpBngEXq+pV9313owOkkyhfFYop9QBipxj9s=","expiry":"1691836104000000"}},"protocol_version":"PrivateStateTokenV1VOPRF"}},"https://pst.authfy.tech":{"PrivateStateTokenV1VOPRF":{"batchsize":1,"id":1,"keys":{"1":{"Y":"AAAAAQTGB+DcBu0tOGjsNGcx78cyXYSY00PwlVWb9KYMhKjtTNh4hOV38sFKGPJM3q2R4PWREwaVv0GhfH/ewJzx8AQnrXtXHM9q/gJS2NlhVHJ/v8lE9T31lA8IYA5qrNCdFAM=","expiry":"1722383999000000"},"2":{"Y":"AAAAAgSk04R1uzv+XeK/oSpt4dRquVrJxHSUv35gm6lNWKUlxoPBAOhYdtArOhpvFx7xCBRKhUy5m6bR/2APVwkM9bmaLbItpWqypvxILwqBJUmH4/6QLBZWWVB9vQSgxRWVaQw=","expiry":"1722383999000000"}},"protocol_version":"PrivateStateTokenV1VOPRF"}},"https://trusttoken.dev":{"PrivateStateTokenV1VOPRF":{"batchsize":1,"id":1,"keys":{"0":{"Y":"AAAAAARfsssbDuePtDrNZ3lM/UURh5OQuxpiyHSHc1pdoKOlfZ1EEPEWMyjMs4RUBi04PGIH/2Ydu9DkhJBPOB8L3KvWrGzHY19bBVuYgypnPi1bFWV8FiVS7LTk4bQ6bUELZS8=","expiry":"1767139200000000"},"1":{"Y":"AAAAAQQf7weUF/kePEPj0OSOYXJFl5MtMxr8g0svnv/prKQJK/hXrKqyQCrfxWJaQcKvj0MqtJcAA0CMZUGO2+cEXXgVNsa9Rw3ozo5a69bRrcvwnu+DFfB/qrA+8vqB7HxSRyc=","expiry":"1767139200000000"},"2":{"Y":"AAAAAgQLbdTSLHbxKCt47+OFNTVxvvVenvsWvmB0GQrm0B7+fb+4Cr8DgkZ7O6cJ1XtJBN6pBocANfPtUMINbsFsrUrJILKj9zGuFbtlVUCnNTMxjgk6jhDGtvIrzoT2Tgj/Mqo=","expiry":"1767139200000000"},"3":{"Y":"AAAAAwSTuOrMb7Azhj0tzR0SBazJADihIRGWM3JMfCzAv38M7dAt3PrLa+yKQ2yJiyH43gbZo61I/AThxsw/55Bpo2mOZRfiRgYLiuuUceb5JJ69OLrkOuwAUyDJFsNGNXBy2m4=","expiry":"1767139200000000"},"4":{"Y":"AAAABASWQfNzun5KImUlkOvsg4iud4R4U+sOa2VjlUDMkrWB1S+q1qL/GuD3k687DQF/RfvbIbIeVkJZNyjobNqW7X4TsXU+lako/gxOBRqzl9aHaoMV9gk6EbvibY/XMD5AFDQ=","expiry":"1767139200000000"},"5":{"Y":"AAAABQR38by110bTSikIvk/oYI8eav69TFj3VrUNyc/Cj4dElEUIPqdpGUr2x+zH0vAs8+HD3lagql2JkzqncOEC5o6NX8bzWTTBxyNy7+uj9dYxy23jG0CFRxvJzLCRRTjuFZA=","expiry":"1767139200000000"}},"protocol_version":"PrivateStateTokenV1VOPRF"}},"https://www.amazon.com":{"PrivateStateTokenV1VOPRF":{"batchsize":3,"id":2,"keys":{"0":{"Y":"AAAAAASYS4xoUXNZkFG9qw9D6tG414iVgVjLm8moh5c53vfSeUKnOEXtO+CL+FGCEYNh5xGEdkk6yfC9t5/MUkgJA6MwJ3Po7XwMkicnpGwR4mMiXTGCWiYK1FmU27ngETDxEfg=","expiry":"1811808000000000"},"1":{"Y":"AAAAAQTRulHfTLpd74bYeMAWlge1BTO+17QM7eBXsTAn4NAminHFWyw3mTrQCN1Hc+EZ17KJCi8gIQdk3JXHLD81PlsY8UBpAbjB0FyzLm7bWSpK3OnUnTiMNtN0698zLo4WD6s=","expiry":"1811808000000000"},"2":{"Y":"AAAAAgS7336yghS1ZxrDPkwQn3ozIpuKsPlC60mRnQnrL5Dek2drBidkLPTCT3X7wsqjVftFeAObr53x1m82m4D/BGctDLfgb74GOrlJjXPhFVLytRRn1SNfE9597e4zb16bens=","expiry":"1811808000000000"},"3":{"Y":"AAAAAwQSaa2zGmBBgZbHvtqe3YzSkWVErfvv7HCdtFGCJbW3+DZzgv8gi4S2Q/TL6cYlbNO6UILHl2GXJ0FzA6EcLQ1gmrjH6bEXH3NhDK/pu4Ryd5I/vZunHm8Z2Y4erRtzaWo=","expiry":"1811808000000000"},"4":{"Y":"AAAABASwJy8Xv9N6WehR8w/kFAWkNIAbaBydE9aCBrygVPgc9Z0J+WHj8on1YUkf0FFahc0Xjhrea50SLA66gibRx54d3/aUPx6f8Mc+uBwgTajtoBH4Kfb0rGXI7sRPokRBajs=","expiry":"1811808000000000"},"5":{"Y":"AAAABQTg74+7/u2f4azPVbI/3EB+u4w4EEI+Hdc7mkS4YYWR5PdU4osCQCevUpwAj4S0BG6sxVbABxw4nkkkBoTxUtGLVUWRXJ1Jdt051cfgrDHKs75odufr49rVjuJux4EjRfk=","expiry":"1811808000000000"}},"protocol_version":"PrivateStateTokenV1VOPRF"}}} \ No newline at end of file diff --git a/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/manifest.json b/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/manifest.json new file mode 100644 index 0000000..29f7e9e --- /dev/null +++ b/user/user_data/TrustTokenKeyCommitments/2025.9.29.1/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "trustToken", + "version": "2025.9.29.1" +} \ No newline at end of file diff --git a/user/user_data/WasmTtsEngine/20260105.1/_metadata/verified_contents.json b/user/user_data/WasmTtsEngine/20260105.1/_metadata/verified_contents.json new file mode 100644 index 0000000..524cc6b --- /dev/null +++ b/user/user_data/WasmTtsEngine/20260105.1/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJiYWNrZ3JvdW5kX2NvbXBpbGVkLmpzIiwicm9vdF9oYXNoIjoieC1MeTJmWGtDVHN6X3N6M3l2Z3dEZGdudFdVcTVZYmJNbTM2RDMtdkJEVSJ9LHsicGF0aCI6ImJpbmRpbmdzX21haW4uanMiLCJyb290X2hhc2giOiJ6U0xwNnRhRnFVNUlTb1VrQUlVd2FMTGVQVWtIc0JIZWtldEVkdGstUGdBIn0seyJwYXRoIjoiYmluZGluZ3NfbWFpbi53YXNtIiwicm9vdF9oYXNoIjoiZ3l1bzJ2aXR6bVl0NlcwY0ZPVU9DR0dSWXBYb1JoZUxWWjdEd1poc19jSSJ9LHsicGF0aCI6Im1hbmlmZXN0Lmpzb24iLCJyb290X2hhc2giOiJTaGZObFlVaGRyTlNmVklEQm4xeWJBNkU1OTNSU0ZMS190bTBYblBGVzJvIn0seyJwYXRoIjoib2Zmc2NyZWVuLmh0bWwiLCJyb290X2hhc2giOiJrTWxNRUdkTlJmejVicTVWVzFXclRBSlFVWmhRZVUyWkRRNWFNV1dXb2V3In0seyJwYXRoIjoib2Zmc2NyZWVuX2NvbXBpbGVkLmpzIiwicm9vdF9oYXNoIjoiNzVEaFV6eS1rU1hkbFUzTEYwbFpOdmRjbm5NeDZNelVtRnNjS1JOQndTTSJ9LHsicGF0aCI6InN0cmVhbWluZ193b3JrbGV0X3Byb2Nlc3Nvci5qcyIsInJvb3RfaGFzaCI6InFsUV9SYk5FRFVfUjdJdTE2dlhSWlZkT05UaElwOU96S1FuUjZlS2U5aHcifSx7InBhdGgiOiJ2b2ljZXMuanNvbiIsInJvb3RfaGFzaCI6Imp5elpPQnNMaDNEbVZMQWtySTdza01faTl1SEZoaTV6bzE5NU5lZFIyVm8ifSx7InBhdGgiOiJ3YXNtX3R0c19tYW5pZmVzdF92My5qc29uIiwicm9vdF9oYXNoIjoiTXRmUDdXM3o4TjJkVmh4RDg4eW1sN3d6bWZNQ1NrT21BOWJwZUFIcmgtQSJ9XSwiZm9ybWF0IjoidHJlZWhhc2giLCJoYXNoX2Jsb2NrX3NpemUiOjQwOTZ9XSwiaXRlbV9pZCI6ImJqYmNibG1kY25nZ25pYmVjamlrcG9samNna2JncGhsIiwiaXRlbV92ZXJzaW9uIjoiMjAyNjAxMDUuMSIsInByb3RvY29sX3ZlcnNpb24iOjF9","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"l0YFg1ecYVdV97AwqWocc0ZONAj95OPK5Ha6w0CpjMHUR8CuVcaIpWhZr6fRAL7sHgTLt2vS6QRNL8ruE9B5aT1r98gZyV9dlQu5FH_UvhoLSf-hVWju0BV6mZjePVmnEE8jwoA6YsrqV0J0ZB2_zBuqF4B_SPhBYXGqwCpGI5mqF-C1o6jCSoKuwERdEDG2LZUju-VZXBSmP2jlmSs2xI8Pa7tSRA-KV7jYf3ylYC16EJz2jcUlaq4rBeTnX8TXTlhkSBSLqeY9LnsHKhrSQzc33byQ5FTRaZ5SAPjuUAnHjyQa9hv5uUkaU0Q69y2EOqGDvUrflwylJPSkGhvEd9V-xhzdtYG-hL99lbcahndkuLtl7qch74HDiiYCCM2CzyhJkWY0-MuKzrtCDA1zrSClwa7cQwjtTVzUPo2KgRXIi9Pc2MKqNO2VAUiFs0w5ZazdWacmZzabaw-NCc-g1aLK8078lE-J3NZo0u-4Tpd_C4L3R7rJh0pRXYgoVosHTrtNyI8Cs6xSUjwExP_dy7V5MLDBDKDk9hVSMaiWRuOsaUcscy3BVj_nAscYQj_0roJkzinBFN9CdXD9a2Qixf7iT88Taf57IipDBMbAW1tnfatT4f1eeq5sOp9cDcVMhdtxBR9yiMZQ3SbkBxHjOe8bRUo10bPHgAhxTHPdRvI"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"h1rqp4iU66riOz_ebUQ7Gx7GZ7eobAnx3TpCeoNn_pO2orkyfrDoyp4ADMp3ZtcxWZgfIZUlFgMXbjwlQ5v9q7gzUY63bV6bbwQ9xE-mz93Q1yFlvOchjyVi5UOUUDgrziEr9NWUL16pZYnBpGurzph2-0C8eaM3BIKzfpMkeM5GZJLPFo2DIvWjV9H-o4DVJDN9Swam-pwkhF4F5jtOSNq62dotoPIvToD6CjHeDI7BhT33AT8KPyCRjpRc1KVn-K6xA6bKsCjuVVI72EmoHyX0ISiY01lETUGcHVJxMMpXSGjAdD-uiY4brRbH2a54OXVBQ9GaCS0tAsv03RelrQ"}]}}] \ No newline at end of file diff --git a/user/user_data/WasmTtsEngine/20260105.1/background_compiled.js b/user/user_data/WasmTtsEngine/20260105.1/background_compiled.js new file mode 100644 index 0000000..1754fe1 --- /dev/null +++ b/user/user_data/WasmTtsEngine/20260105.1/background_compiled.js @@ -0,0 +1,37 @@ +'use strict';function n(a){var b=0;return function(){return b>>0)+"_",k=0;return b}); +z("Symbol.iterator",function(a){if(a)return a;a=Symbol("Symbol.iterator");u(Array.prototype,a,{configurable:!0,writable:!0,value:function(){return M(n(this))}});return a});function M(a){a={next:a};a[Symbol.iterator]=function(){return this};return a} +z("Promise",function(a){function b(e){this.h=0;this.i=void 0;this.g=[];this.o=!1;var c=this.j();try{e(c.resolve,c.reject)}catch(d){c.reject(d)}}function f(){this.g=null}function g(e){return e instanceof b?e:new b(function(c){c(e)})}if(a)return a;f.prototype.h=function(e){if(this.g==null){this.g=[];var c=this;this.i(function(){c.l()})}this.g.push(e)};var k=x.setTimeout;f.prototype.i=function(e){k(e,0)};f.prototype.l=function(){for(;this.g&&this.g.length;){var e=this.g;this.g=[];for(var c=0;c(m?7776E6:12096E5)}).map(function(g){return q(g).next().value})}function Z(a){a.i&&clearTimeout(a.i);a.i=setTimeout(function(){ia(a)},200)} +function ia(a){var b,f,g,k,m,e,c,d,h,l,r,p,t,y;L(function(v){switch(v.g){case 1:if(a.h.size===0)return v.return();b=new Map(a.h);a.h.clear();f=[];g=[];k=q(b);m=k.next();case 2:if(m.done)return D(v,ja(a,g),6);e=m.value;c=q(e);d=c.next().value;h=c.next().value;l=d;r=h;p={type:r,lang:l};return D(v,a.g.runtime.sendMessage(p),5);case 5:t=v.h;y={lang:t.lang,installStatus:t.status};a.g.ttsEngine.updateLanguage(y);switch(t.status){case a.g.ttsEngine.LanguageInstallStatus.INSTALLED:f.push(l);break;case a.g.ttsEngine.LanguageInstallStatus.NOT_INSTALLED:g.push(l)}m= +k.next();v.g=2;break;case 6:return v.return(ka(a,f))}})}function ja(a,b){var f,g,k,m,e;return L(function(c){if(c.g==1)return D(c,Y(a),2);f=c.h;g=q(b);for(k=g.next();!k.done;k=g.next())m=k.value,delete f[m];e={};return D(c,a.g.storage.local.set((e.installedTimestamps=f,e)),0)})}function ka(a,b){var f,g,k;return L(function(m){if(m.g==1)return f=Date.now(),D(m,Y(a),2);g=m.h;b.forEach(function(e){g[e]=f});k={};return D(m,a.g.storage.local.set((k.installedTimestamps=g,k)),0)})} +function Y(a){var b;return L(function(f){if(f.g==1)return D(f,a.g.storage.local.get("installedTimestamps"),2);b=f.h;return f.return(b.installedTimestamps||{})})}function X(a){var b;return L(function(f){if(f.g==1)return D(f,a.g.storage.local.get("lastUsedTimestamps"),2);b=f.h;return f.return(b.lastUsedTimestamps||{})})};var V=new function(){var a=new da,b=this;this.g=chrome;this.h=a;this.D=function(f,g,k){var m,e,c;return L(function(d){switch(d.g){case 1:return D(d,U(b),2);case 2:if(!d.h)return k({type:"error",errorMessage:"Offscreen document not ready."}),d.return();b.j=k;m={type:"speak",utterance:f,options:g};d.l=3;return D(d,b.g.runtime.sendMessage(m),5);case 5:d.g=0;d.l=0;break;case 3:e=E(d),c=e instanceof Error?e.message:"Error while trying to speak.",k({type:"error",errorMessage:c}),d.g=0}})};this.A=function(){var f; +return L(function(g){if(g.g==1)return D(g,U(b),2);if(!g.h)return g.return();b.j=void 0;f={type:"stop"};return D(g,b.g.runtime.sendMessage(f),0)})};this.o=function(){var f;return L(function(g){if(g.g==1)return D(g,U(b),2);if(!g.h)return g.return();f={type:"pause"};return D(g,b.g.runtime.sendMessage(f),0)})};this.u=function(){var f;return L(function(g){if(g.g==1)return D(g,U(b),2);if(!g.h)return g.return();f={type:"resume"};return D(g,b.g.runtime.sendMessage(f),0)})};this.l=function(f,g,k){var m,e, +c,d,h,l,r;return L(function(p){if(p.g==1)return D(p,U(b),2);if(!p.h)return p.return();m=R(f,g,k);e=m.lang;c=m.G;d=m.C;r=(l=(h=c)==null?void 0:h.source)!=null?l:"unknown";if(!d||r!==b.i)return p.return();var t=b.h;t.h.set(e,"installLanguage");Z(t);t.g.ttsEngine.updateLanguage({lang:e,installStatus:t.g.ttsEngine.LanguageInstallStatus.INSTALLING});p.g=0})};this.m=function(f,g,k){var m,e,c,d,h,l,r;return L(function(p){if(p.g==1)return D(p,U(b),2);if(!p.h)return p.return();m=R(f,g,k);e=m.lang;c=m.G;d= +m.C;r=(l=(h=c)==null?void 0:h.source)!=null?l:"unknown";return d&&r===b.i?p.return(ea(b.h,e)):p.return()})};this.B=function(f,g){return L(function(k){if(k.g==1)return D(k,U(b),2);if(!k.h||f.source!==b.i)return k.return();var m=b.h;m.h.set(g,"uninstallLanguage");Z(m);k.g=0})};this.i=this.g.ttsEngine.TtsClientSource.CHROMEFEATURE;this.g.runtime.onInstalled.addListener(function(){return L(function(f){return D(f,W(b),0)})});this.g.runtime.onStartup.addListener(function(){return L(function(f){return D(f, +U(b),0)})});this.g.ttsEngine.onSpeak.addListener(this.D);this.g.ttsEngine.onStop.addListener(this.A);this.g.ttsEngine.onPause.addListener(this.o);this.g.ttsEngine.onResume.addListener(this.u);this.g.ttsEngine.onInstallLanguageRequest.addListener(this.l);this.g.ttsEngine.onLanguageStatusRequest.addListener(this.m);this.g.ttsEngine.onUninstallLanguageRequest.addListener(this.B);P||(P=new O(this.g),Q())}; +chrome.runtime.onMessage.addListener(function(a){a.type==="offscreenVoicesResponse"?fa(a.voices):a.type==="offscreenTtsEventResponse"?aa(a.event):a.type==="languageUsed"&&S(a.language);return!0}); diff --git a/user/user_data/WasmTtsEngine/20260105.1/bindings_main.js b/user/user_data/WasmTtsEngine/20260105.1/bindings_main.js new file mode 100644 index 0000000..670839c --- /dev/null +++ b/user/user_data/WasmTtsEngine/20260105.1/bindings_main.js @@ -0,0 +1,2 @@ +var loadWasmTtsBindings=(()=>{var _scriptName=globalThis.document?.currentScript?.src;return async function(moduleArg={}){var moduleRtn;(function(){function humanReadableVersionToPacked(str){str=str.split("-")[0];var vers=str.split(".").slice(0,3);while(vers.length<3)vers.push("00");vers=vers.map((n,i,arr)=>n.padStart(2,"0"));return vers.join("")}var packedVersionToHumanReadable=n=>[n/1e4|0,(n/100|0)%100,n%100].join(".");var TARGET_NOT_SUPPORTED=2147483647;var isNode=typeof process!=="undefined"&&process&&process.versions&&process.versions.node;var currentNodeVersion=isNode?humanReadableVersionToPacked(process.versions.node):TARGET_NOT_SUPPORTED;if(currentNodeVersion<160400){throw new Error(`This emscripten-generated code requires node v${packedVersionToHumanReadable(160400)} (detected v${packedVersionToHumanReadable(currentNodeVersion)})`)}var currentSafariVersion=typeof navigator!=="undefined"&&!navigator?.userAgent?.includes("Chrome/")&&navigator?.userAgent?.includes("Safari/")&&navigator.userAgent.match(/Version\/(\d+\.?\d*\.?\d*)/)?humanReadableVersionToPacked(navigator.userAgent.match(/Version\/(\d+\.?\d*\.?\d*)/)[1]):TARGET_NOT_SUPPORTED;if(currentSafariVersion<15e4){throw new Error(`This emscripten-generated code requires Safari v${packedVersionToHumanReadable(15e4)} (detected v${currentSafariVersion})`)}var currentFirefoxVersion=typeof navigator!=="undefined"&&navigator?.userAgent?.match(/Firefox\/(\d+(?:\.\d+)?)/)?parseFloat(navigator.userAgent.match(/Firefox\/(\d+(?:\.\d+)?)/)[1]):TARGET_NOT_SUPPORTED;if(currentFirefoxVersion<79){throw new Error(`This emscripten-generated code requires Firefox v79 (detected v${currentFirefoxVersion})`)}var currentChromeVersion=typeof navigator!=="undefined"&&navigator?.userAgent?.match(/Chrome\/(\d+(?:\.\d+)?)/)?parseFloat(navigator.userAgent.match(/Chrome\/(\d+(?:\.\d+)?)/)[1]):TARGET_NOT_SUPPORTED;if(currentChromeVersion<85){throw new Error(`This emscripten-generated code requires Chrome v85 (detected v${currentChromeVersion})`)}})();var Module=moduleArg;var ENVIRONMENT_IS_WEB=!!globalThis.window;var ENVIRONMENT_IS_WORKER=!!globalThis.WorkerGlobalScope;var ENVIRONMENT_IS_NODE=globalThis.process?.versions?.node&&globalThis.process?.type!="renderer";var ENVIRONMENT_IS_SHELL=!ENVIRONMENT_IS_WEB&&!ENVIRONMENT_IS_NODE&&!ENVIRONMENT_IS_WORKER;var ENVIRONMENT_IS_PTHREAD=ENVIRONMENT_IS_WORKER&&self.name?.startsWith("em-pthread");if(ENVIRONMENT_IS_PTHREAD){assert(!globalThis.moduleLoaded,"module should only be loaded once on each pthread worker");globalThis.moduleLoaded=true}if(ENVIRONMENT_IS_NODE){var worker_threads=require("worker_threads");global.Worker=worker_threads.Worker;ENVIRONMENT_IS_WORKER=!worker_threads.isMainThread;ENVIRONMENT_IS_PTHREAD=ENVIRONMENT_IS_WORKER&&worker_threads["workerData"]=="em-pthread"}var arguments_=[];var thisProgram="./this.program";var quit_=(status,toThrow)=>{throw toThrow};if(typeof __filename!="undefined"){_scriptName=__filename}else if(ENVIRONMENT_IS_WORKER){_scriptName=self.location.href}var scriptDirectory="";function locateFile(path){if(Module["locateFile"]){return Module["locateFile"](path,scriptDirectory)}return scriptDirectory+path}var readAsync,readBinary;if(ENVIRONMENT_IS_NODE){const isNode=globalThis.process?.versions?.node&&globalThis.process?.type!="renderer";if(!isNode)throw new Error("not compiled for this environment (did you build to HTML and try to run it not on the web, or set ENVIRONMENT to something - like node - and run it someplace else - like on the web?)");var fs=require("fs");scriptDirectory=__dirname+"/";readBinary=filename=>{filename=isFileURI(filename)?new URL(filename):filename;var ret=fs.readFileSync(filename);assert(Buffer.isBuffer(ret));return ret};readAsync=async(filename,binary=true)=>{filename=isFileURI(filename)?new URL(filename):filename;var ret=fs.readFileSync(filename,binary?undefined:"utf8");assert(binary?Buffer.isBuffer(ret):typeof ret=="string");return ret};if(process.argv.length>1){thisProgram=process.argv[1].replace(/\\/g,"/")}arguments_=process.argv.slice(2);quit_=(status,toThrow)=>{process.exitCode=status;throw toThrow}}else if(ENVIRONMENT_IS_SHELL){}else if(ENVIRONMENT_IS_WEB||ENVIRONMENT_IS_WORKER){try{scriptDirectory=new URL(".",_scriptName).href}catch{}if(!(globalThis.window||globalThis.WorkerGlobalScope))throw new Error("not compiled for this environment (did you build to HTML and try to run it not on the web, or set ENVIRONMENT to something - like node - and run it someplace else - like on the web?)");if(!ENVIRONMENT_IS_NODE){if(ENVIRONMENT_IS_WORKER){readBinary=url=>{var xhr=new XMLHttpRequest;xhr.open("GET",url,false);xhr.responseType="arraybuffer";xhr.send(null);return new Uint8Array(xhr.response)}}readAsync=async url=>{if(isFileURI(url)){return new Promise((resolve,reject)=>{var xhr=new XMLHttpRequest;xhr.open("GET",url,true);xhr.responseType="arraybuffer";xhr.onload=()=>{if(xhr.status==200||xhr.status==0&&xhr.response){resolve(xhr.response);return}reject(xhr.status)};xhr.onerror=reject;xhr.send(null)})}var response=await fetch(url,{credentials:"same-origin"});if(response.ok){return response.arrayBuffer()}throw new Error(response.status+" : "+response.url)}}}else{throw new Error("environment detection error")}var defaultPrint=console.log.bind(console);var defaultPrintErr=console.error.bind(console);if(ENVIRONMENT_IS_NODE){var utils=require("util");var stringify=a=>typeof a=="object"?utils.inspect(a):a;defaultPrint=(...args)=>fs.writeSync(1,args.map(stringify).join(" ")+"\n");defaultPrintErr=(...args)=>fs.writeSync(2,args.map(stringify).join(" ")+"\n")}var out=defaultPrint;var err=defaultPrintErr;assert(ENVIRONMENT_IS_WEB||ENVIRONMENT_IS_WORKER||ENVIRONMENT_IS_NODE,"Pthreads do not work in this environment yet (need Web Workers, or an alternative to them)");assert(!ENVIRONMENT_IS_SHELL,"shell environment detected but not enabled at build time. Add `shell` to `-sENVIRONMENT` to enable.");var wasmBinary;if(!globalThis.WebAssembly){err("no native wasm support detected")}var wasmModule;var ABORT=false;var EXITSTATUS;function assert(condition,text){if(!condition){abort("Assertion failed"+(text?": "+text:""))}}var isFileURI=filename=>filename.startsWith("file://");function writeStackCookie(){var max=_emscripten_stack_get_end();assert((max&3)==0);if(max==0){max+=4}HEAPU32[max>>2]=34821223;HEAPU32[max+4>>2]=2310721022;HEAPU32[0>>2]=1668509029}function checkStackCookie(){if(ABORT)return;var max=_emscripten_stack_get_end();if(max==0){max+=4}var cookie1=HEAPU32[max>>2];var cookie2=HEAPU32[max+4>>2];if(cookie1!=34821223||cookie2!=2310721022){abort(`Stack overflow! Stack cookie has been overwritten at ${ptrToString(max)}, expected hex dwords 0x89BACDFE and 0x2135467, but received ${ptrToString(cookie2)} ${ptrToString(cookie1)}`)}if(HEAPU32[0>>2]!=1668509029){abort("Runtime error: The application has corrupted its heap memory area (address zero)!")}}var runtimeDebug=true;function dbg(...args){if(!runtimeDebug&&typeof runtimeDebug!="undefined")return;if(ENVIRONMENT_IS_NODE){var fs=require("fs");var utils=require("util");function stringify(a){switch(typeof a){case"object":return utils.inspect(a);case"undefined":return"undefined"}return a}fs.writeSync(2,args.map(stringify).join(" ")+"\n")}else console.warn(...args)}(()=>{var h16=new Int16Array(1);var h8=new Int8Array(h16.buffer);h16[0]=25459;if(h8[0]!==115||h8[1]!==99)abort("Runtime error: expected the system to be little-endian! (Run with -sSUPPORT_BIG_ENDIAN to bypass)")})();function consumedModuleProp(prop){if(!Object.getOwnPropertyDescriptor(Module,prop)){Object.defineProperty(Module,prop,{configurable:true,set(){abort(`Attempt to set \`Module.${prop}\` after it has already been processed. This can happen, for example, when code is injected via '--post-js' rather than '--pre-js'`)}})}}function makeInvalidEarlyAccess(name){return()=>assert(false,`call to '${name}' via reference taken before Wasm module initialization`)}function ignoredModuleProp(prop){if(Object.getOwnPropertyDescriptor(Module,prop)){abort(`\`Module.${prop}\` was supplied but \`${prop}\` not included in INCOMING_MODULE_JS_API`)}}function isExportedByForceFilesystem(name){return name==="FS_createPath"||name==="FS_createDataFile"||name==="FS_createPreloadedFile"||name==="FS_preloadFile"||name==="FS_unlink"||name==="addRunDependency"||name==="FS_createLazyFile"||name==="FS_createDevice"||name==="removeRunDependency"}function missingLibrarySymbol(sym){unexportedRuntimeSymbol(sym)}function unexportedRuntimeSymbol(sym){if(ENVIRONMENT_IS_PTHREAD){return}if(!Object.getOwnPropertyDescriptor(Module,sym)){Object.defineProperty(Module,sym,{configurable:true,get(){var msg=`'${sym}' was not exported. add it to EXPORTED_RUNTIME_METHODS (see the Emscripten FAQ)`;if(isExportedByForceFilesystem(sym)){msg+=". Alternatively, forcing filesystem support (-sFORCE_FILESYSTEM) can export this for you"}abort(msg)}})}}function initWorkerLogging(){function getLogPrefix(){var t=0;if(runtimeInitialized&&typeof _pthread_self!="undefined"){t=_pthread_self()}return`w:${workerID},t:${ptrToString(t)}:`}var origDbg=dbg;dbg=(...args)=>origDbg(getLogPrefix(),...args)}initWorkerLogging();var readyPromiseResolve,readyPromiseReject;if(ENVIRONMENT_IS_NODE&&ENVIRONMENT_IS_PTHREAD){var parentPort=worker_threads["parentPort"];parentPort.on("message",msg=>global.onmessage?.({data:msg}));Object.assign(globalThis,{self:global,postMessage:msg=>parentPort["postMessage"](msg)});process.on("uncaughtException",err=>{postMessage({cmd:"uncaughtException",error:err});process.exit(1)})}var workerID=0;var startWorker;if(ENVIRONMENT_IS_PTHREAD){var initializedJS=false;self.onunhandledrejection=e=>{throw e.reason||e};function handleMessage(e){try{var msgData=e["data"];var cmd=msgData.cmd;if(cmd==="load"){workerID=msgData.workerID;let messageQueue=[];self.onmessage=e=>messageQueue.push(e);startWorker=()=>{postMessage({cmd:"loaded"});for(let msg of messageQueue){handleMessage(msg)}self.onmessage=handleMessage};for(const handler of msgData.handlers){if(!Module[handler]||Module[handler].proxy){Module[handler]=(...args)=>{postMessage({cmd:"callHandler",handler,args})};if(handler=="print")out=Module[handler];if(handler=="printErr")err=Module[handler]}}wasmMemory=msgData.wasmMemory;updateMemoryViews();wasmModule=msgData.wasmModule;createWasm();run()}else if(cmd==="run"){assert(msgData.pthread_ptr);establishStackSpace(msgData.pthread_ptr);__emscripten_thread_init(msgData.pthread_ptr,0,0,1,0,0);PThread.threadInitTLS();__emscripten_thread_mailbox_await(msgData.pthread_ptr);if(!initializedJS){__embind_initialize_bindings();initializedJS=true}try{invokeEntryPoint(msgData.start_routine,msgData.arg)}catch(ex){if(ex!="unwind"){throw ex}}}else if(msgData.target==="setimmediate"){}else if(cmd==="checkMailbox"){if(initializedJS){checkMailbox()}}else if(cmd){err(`worker: received unknown command ${cmd}`);err(msgData)}}catch(ex){err(`worker: onmessage() captured an uncaught exception: ${ex}`);if(ex?.stack)err(ex.stack);__emscripten_thread_crashed();throw ex}}self.onmessage=handleMessage}var HEAP8,HEAPU8,HEAP16,HEAPU16,HEAP32,HEAPU32,HEAPF32,HEAPF64;var runtimeInitialized=false;function updateMemoryViews(){var b=wasmMemory.buffer;HEAP8=new Int8Array(b);HEAP16=new Int16Array(b);Module["HEAPU8"]=HEAPU8=new Uint8Array(b);HEAPU16=new Uint16Array(b);HEAP32=new Int32Array(b);HEAPU32=new Uint32Array(b);HEAPF32=new Float32Array(b);HEAPF64=new Float64Array(b)}function initMemory(){if(ENVIRONMENT_IS_PTHREAD){return}if(Module["wasmMemory"]){wasmMemory=Module["wasmMemory"]}else{var INITIAL_MEMORY=Module["INITIAL_MEMORY"]||536870912;assert(INITIAL_MEMORY>=65536,"INITIAL_MEMORY should be larger than STACK_SIZE, was "+INITIAL_MEMORY+"! (STACK_SIZE="+65536+")");wasmMemory=new WebAssembly.Memory({initial:INITIAL_MEMORY/65536,maximum:INITIAL_MEMORY/65536,shared:true})}updateMemoryViews()}assert(globalThis.Int32Array&&globalThis.Float64Array&&Int32Array.prototype.subarray&&Int32Array.prototype.set,"JS engine does not provide full typed array support");function preRun(){assert(!ENVIRONMENT_IS_PTHREAD);if(Module["preRun"]){if(typeof Module["preRun"]=="function")Module["preRun"]=[Module["preRun"]];while(Module["preRun"].length){addOnPreRun(Module["preRun"].shift())}}consumedModuleProp("preRun");callRuntimeCallbacks(onPreRuns)}function initRuntime(){assert(!runtimeInitialized);runtimeInitialized=true;if(ENVIRONMENT_IS_PTHREAD)return startWorker();checkStackCookie();if(!Module["noFSInit"]&&!FS.initialized)FS.init();TTY.init();wasmExports["__wasm_call_ctors"]();FS.ignorePermissions=false}function postRun(){checkStackCookie();if(ENVIRONMENT_IS_PTHREAD){return}if(Module["postRun"]){if(typeof Module["postRun"]=="function")Module["postRun"]=[Module["postRun"]];while(Module["postRun"].length){addOnPostRun(Module["postRun"].shift())}}consumedModuleProp("postRun");callRuntimeCallbacks(onPostRuns)}function abort(what){Module["onAbort"]?.(what);what="Aborted("+what+")";err(what);ABORT=true;var e=new WebAssembly.RuntimeError(what);readyPromiseReject?.(e);throw e}function createExportWrapper(name,nargs){return(...args)=>{assert(runtimeInitialized,`native function \`${name}\` called before runtime initialization`);var f=wasmExports[name];assert(f,`exported native function \`${name}\` not found`);assert(args.length<=nargs,`native function \`${name}\` called with ${args.length} args but expects ${nargs}`);return f(...args)}}var wasmBinaryFile;function findWasmBinary(){return locateFile("bindings_main.wasm")}function getBinarySync(file){if(file==wasmBinaryFile&&wasmBinary){return new Uint8Array(wasmBinary)}if(readBinary){return readBinary(file)}throw"both async and sync fetching of the wasm failed"}async function getWasmBinary(binaryFile){if(!wasmBinary){try{var response=await readAsync(binaryFile);return new Uint8Array(response)}catch{}}return getBinarySync(binaryFile)}async function instantiateArrayBuffer(binaryFile,imports){try{var binary=await getWasmBinary(binaryFile);var instance=await WebAssembly.instantiate(binary,imports);return instance}catch(reason){err(`failed to asynchronously prepare wasm: ${reason}`);if(isFileURI(binaryFile)){err(`warning: Loading from a file URI (${binaryFile}) is not supported in most browsers. See https://emscripten.org/docs/getting_started/FAQ.html#how-do-i-run-a-local-webserver-for-testing-why-does-my-program-stall-in-downloading-or-preparing`)}abort(reason)}}async function instantiateAsync(binary,binaryFile,imports){if(!binary&&!isFileURI(binaryFile)&&!ENVIRONMENT_IS_NODE){try{var response=fetch(binaryFile,{credentials:"same-origin"});var instantiationResult=await WebAssembly.instantiateStreaming(response,imports);return instantiationResult}catch(reason){err(`wasm streaming compile failed: ${reason}`);err("falling back to ArrayBuffer instantiation")}}return instantiateArrayBuffer(binaryFile,imports)}function getWasmImports(){assignWasmImports();var imports={env:wasmImports,wasi_snapshot_preview1:wasmImports};return imports}async function createWasm(){function receiveInstance(instance,module){wasmExports=instance.exports;registerTLSInit(wasmExports["_emscripten_tls_init"]);assignWasmExports(wasmExports);wasmModule=module;return wasmExports}var trueModule=Module;function receiveInstantiationResult(result){assert(Module===trueModule,"the Module object should not be replaced during async compilation - perhaps the order of HTML elements is wrong?");trueModule=null;return receiveInstance(result["instance"],result["module"])}var info=getWasmImports();if(Module["instantiateWasm"]){return new Promise((resolve,reject)=>{try{Module["instantiateWasm"](info,(inst,mod)=>{resolve(receiveInstance(inst,mod))})}catch(e){err(`Module.instantiateWasm callback failed with error: ${e}`);reject(e)}})}if(ENVIRONMENT_IS_PTHREAD){assert(wasmModule,"wasmModule should have been received via postMessage");var instance=new WebAssembly.Instance(wasmModule,getWasmImports());return receiveInstance(instance,wasmModule)}wasmBinaryFile??=findWasmBinary();var result=await instantiateAsync(wasmBinary,wasmBinaryFile,info);var exports=receiveInstantiationResult(result);return exports}var tempDouble;var tempI64;class ExitStatus{name="ExitStatus";constructor(status){this.message=`Program terminated with exit(${status})`;this.status=status}}var terminateWorker=worker=>{worker.terminate();worker.onmessage=e=>{var cmd=e["data"].cmd;err(`received "${cmd}" command from terminated worker: ${worker.workerID}`)}};var cleanupThread=pthread_ptr=>{assert(!ENVIRONMENT_IS_PTHREAD,"Internal Error! cleanupThread() can only ever be called from main application thread!");assert(pthread_ptr,"Internal Error! Null pthread_ptr in cleanupThread!");var worker=PThread.pthreads[pthread_ptr];assert(worker);PThread.returnWorkerToPool(worker)};var callRuntimeCallbacks=callbacks=>{while(callbacks.length>0){callbacks.shift()(Module)}};var onPreRuns=[];var addOnPreRun=cb=>onPreRuns.push(cb);var runDependencies=0;var dependenciesFulfilled=null;var runDependencyTracking={};var runDependencyWatcher=null;var removeRunDependency=id=>{runDependencies--;Module["monitorRunDependencies"]?.(runDependencies);assert(id,"removeRunDependency requires an ID");assert(runDependencyTracking[id]);delete runDependencyTracking[id];if(runDependencies==0){if(runDependencyWatcher!==null){clearInterval(runDependencyWatcher);runDependencyWatcher=null}if(dependenciesFulfilled){var callback=dependenciesFulfilled;dependenciesFulfilled=null;callback()}}};var addRunDependency=id=>{runDependencies++;Module["monitorRunDependencies"]?.(runDependencies);assert(id,"addRunDependency requires an ID");assert(!runDependencyTracking[id]);runDependencyTracking[id]=1;if(runDependencyWatcher===null&&globalThis.setInterval){runDependencyWatcher=setInterval(()=>{if(ABORT){clearInterval(runDependencyWatcher);runDependencyWatcher=null;return}var shown=false;for(var dep in runDependencyTracking){if(!shown){shown=true;err("still waiting on run dependencies:")}err(`dependency: ${dep}`)}if(shown){err("(end of list)")}},1e4);runDependencyWatcher.unref?.()}};var spawnThread=threadParams=>{assert(!ENVIRONMENT_IS_PTHREAD,"Internal Error! spawnThread() can only ever be called from main application thread!");assert(threadParams.pthread_ptr,"Internal error, no pthread ptr!");var worker=PThread.getNewWorker();if(!worker){return 6}assert(!worker.pthread_ptr,"Internal error!");PThread.runningWorkers.push(worker);PThread.pthreads[threadParams.pthread_ptr]=worker;worker.pthread_ptr=threadParams.pthread_ptr;var msg={cmd:"run",start_routine:threadParams.startRoutine,arg:threadParams.arg,pthread_ptr:threadParams.pthread_ptr};if(ENVIRONMENT_IS_NODE){worker.unref()}worker.postMessage(msg,threadParams.transferList);return 0};var runtimeKeepaliveCounter=0;var keepRuntimeAlive=()=>noExitRuntime||runtimeKeepaliveCounter>0;var stackSave=()=>_emscripten_stack_get_current();var stackRestore=val=>__emscripten_stack_restore(val);var stackAlloc=sz=>__emscripten_stack_alloc(sz);var proxyToMainThread=(funcIndex,emAsmAddr,sync,...callArgs)=>{var serializedNumCallArgs=callArgs.length;var sp=stackSave();var args=stackAlloc(serializedNumCallArgs*8);var b=args>>3;for(var i=0;i{EXITSTATUS=status;checkUnflushedContent();if(ENVIRONMENT_IS_PTHREAD){assert(!implicit);exitOnMainThread(status);throw"unwind"}if(keepRuntimeAlive()&&!implicit){var msg=`program exited (with status: ${status}), but keepRuntimeAlive() is set (counter=${runtimeKeepaliveCounter}) due to an async operation, so halting execution but not exiting the runtime or preventing further async execution (you can use emscripten_force_exit, if you want to force a true shutdown)`;readyPromiseReject?.(msg);err(msg)}_proc_exit(status)};var _exit=exitJS;var ptrToString=ptr=>{assert(typeof ptr==="number",`ptrToString expects a number, got ${typeof ptr}`);ptr>>>=0;return"0x"+ptr.toString(16).padStart(8,"0")};var PThread={unusedWorkers:[],runningWorkers:[],tlsInitFunctions:[],pthreads:{},nextWorkerID:1,init(){if(!ENVIRONMENT_IS_PTHREAD){PThread.initMainThread()}},initMainThread(){var pthreadPoolSize=10;while(pthreadPoolSize--){PThread.allocateUnusedWorker()}addOnPreRun(async()=>{var pthreadPoolReady=PThread.loadWasmModuleToAllWorkers();addRunDependency("loading-workers");await pthreadPoolReady;removeRunDependency("loading-workers")})},terminateAllThreads:()=>{assert(!ENVIRONMENT_IS_PTHREAD,"Internal Error! terminateAllThreads() can only ever be called from main application thread!");for(var worker of PThread.runningWorkers){terminateWorker(worker)}for(var worker of PThread.unusedWorkers){terminateWorker(worker)}PThread.unusedWorkers=[];PThread.runningWorkers=[];PThread.pthreads={}},returnWorkerToPool:worker=>{var pthread_ptr=worker.pthread_ptr;delete PThread.pthreads[pthread_ptr];PThread.unusedWorkers.push(worker);PThread.runningWorkers.splice(PThread.runningWorkers.indexOf(worker),1);worker.pthread_ptr=0;__emscripten_thread_free_data(pthread_ptr)},threadInitTLS(){PThread.tlsInitFunctions.forEach(f=>f())},loadWasmModuleToWorker:worker=>new Promise(onFinishedLoading=>{worker.onmessage=e=>{var d=e["data"];var cmd=d.cmd;if(d.targetThread&&d.targetThread!=_pthread_self()){var targetWorker=PThread.pthreads[d.targetThread];if(targetWorker){targetWorker.postMessage(d,d.transferList)}else{err(`Internal error! Worker sent a message "${cmd}" to target pthread ${d.targetThread}, but that thread no longer exists!`)}return}if(cmd==="checkMailbox"){checkMailbox()}else if(cmd==="spawnThread"){spawnThread(d)}else if(cmd==="cleanupThread"){callUserCallback(()=>cleanupThread(d.thread))}else if(cmd==="loaded"){worker.loaded=true;if(ENVIRONMENT_IS_NODE&&!worker.pthread_ptr){worker.unref()}onFinishedLoading(worker)}else if(d.target==="setimmediate"){worker.postMessage(d)}else if(cmd==="uncaughtException"){worker.onerror(d.error)}else if(cmd==="callHandler"){Module[d.handler](...d.args)}else if(cmd){err(`worker sent an unknown command ${cmd}`)}};worker.onerror=e=>{var message="worker sent an error!";if(worker.pthread_ptr){message=`Pthread ${ptrToString(worker.pthread_ptr)} sent an error!`}err(`${message} ${e.filename}:${e.lineno}: ${e.message}`);throw e};if(ENVIRONMENT_IS_NODE){worker.on("message",data=>worker.onmessage({data}));worker.on("error",e=>worker.onerror(e))}assert(wasmMemory instanceof WebAssembly.Memory,"WebAssembly memory should have been loaded by now!");assert(wasmModule instanceof WebAssembly.Module,"WebAssembly Module should have been loaded by now!");var handlers=[];var knownHandlers=["onExit","onAbort","print","printErr"];for(var handler of knownHandlers){if(Module.propertyIsEnumerable(handler)){handlers.push(handler)}}worker.postMessage({cmd:"load",handlers,wasmMemory,wasmModule,workerID:worker.workerID})}),async loadWasmModuleToAllWorkers(){if(ENVIRONMENT_IS_PTHREAD){return}let pthreadPoolReady=Promise.all(PThread.unusedWorkers.map(PThread.loadWasmModuleToWorker));return pthreadPoolReady},allocateUnusedWorker(){var worker;var pthreadMainJs=_scriptName;if(Module["mainScriptUrlOrBlob"]){pthreadMainJs=Module["mainScriptUrlOrBlob"];if(typeof pthreadMainJs!="string"){pthreadMainJs=URL.createObjectURL(pthreadMainJs)}}if(globalThis.trustedTypes?.createPolicy){var p=trustedTypes.createPolicy("emscripten#workerPolicy2",{createScriptURL:ignored=>pthreadMainJs});worker=new Worker(p.createScriptURL("ignored"),{workerData:"em-pthread",name:"em-pthread-"+PThread.nextWorkerID})}else worker=new Worker(pthreadMainJs,{workerData:"em-pthread",name:"em-pthread-"+PThread.nextWorkerID});worker.workerID=PThread.nextWorkerID++;PThread.unusedWorkers.push(worker)},getNewWorker(){if(PThread.unusedWorkers.length==0){if(!ENVIRONMENT_IS_NODE){err("Tried to spawn a new thread, but the thread pool is exhausted.\n"+"This might result in a deadlock unless some threads eventually exit or the code explicitly breaks out to the event loop.\n"+"If you want to increase the pool size, use setting `-sPTHREAD_POOL_SIZE=...`."+"\nIf you want to throw an explicit error instead of the risk of deadlocking in those cases, use setting `-sPTHREAD_POOL_SIZE_STRICT=2`.")}PThread.allocateUnusedWorker();PThread.loadWasmModuleToWorker(PThread.unusedWorkers[0])}return PThread.unusedWorkers.pop()}};var onPostRuns=[];var addOnPostRun=cb=>onPostRuns.push(cb);function establishStackSpace(pthread_ptr){var stackHigh=HEAPU32[pthread_ptr+52>>2];var stackSize=HEAPU32[pthread_ptr+56>>2];var stackLow=stackHigh-stackSize;assert(stackHigh!=0);assert(stackLow!=0);assert(stackHigh>stackLow,"stackHigh must be higher then stackLow");_emscripten_stack_set_limits(stackHigh,stackLow);stackRestore(stackHigh);writeStackCookie()}var wasmTableMirror=[];var getWasmTableEntry=funcPtr=>{var func=wasmTableMirror[funcPtr];if(!func){wasmTableMirror[funcPtr]=func=wasmTable.get(funcPtr)}assert(wasmTable.get(funcPtr)==func,"JavaScript-side Wasm function table mirror is out of date!");return func};var invokeEntryPoint=(ptr,arg)=>{runtimeKeepaliveCounter=0;noExitRuntime=0;var result=getWasmTableEntry(ptr)(arg);checkStackCookie();function finish(result){if(keepRuntimeAlive()){EXITSTATUS=result;return}__emscripten_thread_exit(result)}finish(result)};var noExitRuntime=true;var registerTLSInit=tlsInitFunc=>PThread.tlsInitFunctions.push(tlsInitFunc);var warnOnce=text=>{warnOnce.shown||={};if(!warnOnce.shown[text]){warnOnce.shown[text]=1;if(ENVIRONMENT_IS_NODE)text="warning: "+text;err(text)}};var wasmMemory;var UTF8Decoder=new TextDecoder;var findStringEnd=(heapOrArray,idx,maxBytesToRead,ignoreNul)=>{var maxIdx=idx+maxBytesToRead;if(ignoreNul)return maxIdx;while(heapOrArray[idx]&&!(idx>=maxIdx))++idx;return idx};var UTF8ToString=(ptr,maxBytesToRead,ignoreNul)=>{assert(typeof ptr=="number",`UTF8ToString expects a number (got ${typeof ptr})`);if(!ptr)return"";var end=findStringEnd(HEAPU8,ptr,maxBytesToRead,ignoreNul);return UTF8Decoder.decode(HEAPU8.slice(ptr,end))};var ___assert_fail=(condition,filename,line,func)=>abort(`Assertion failed: ${UTF8ToString(condition)}, at: `+[filename?UTF8ToString(filename):"unknown filename",line,func?UTF8ToString(func):"unknown function"]);class ExceptionInfo{constructor(excPtr){this.excPtr=excPtr;this.ptr=excPtr-24}set_type(type){HEAPU32[this.ptr+4>>2]=type}get_type(){return HEAPU32[this.ptr+4>>2]}set_destructor(destructor){HEAPU32[this.ptr+8>>2]=destructor}get_destructor(){return HEAPU32[this.ptr+8>>2]}set_caught(caught){caught=caught?1:0;HEAP8[this.ptr+12]=caught}get_caught(){return HEAP8[this.ptr+12]!=0}set_rethrown(rethrown){rethrown=rethrown?1:0;HEAP8[this.ptr+13]=rethrown}get_rethrown(){return HEAP8[this.ptr+13]!=0}init(type,destructor){this.set_adjusted_ptr(0);this.set_type(type);this.set_destructor(destructor)}set_adjusted_ptr(adjustedPtr){HEAPU32[this.ptr+16>>2]=adjustedPtr}get_adjusted_ptr(){return HEAPU32[this.ptr+16>>2]}}var exceptionLast=0;var uncaughtExceptionCount=0;var ___cxa_throw=(ptr,type,destructor)=>{var info=new ExceptionInfo(ptr);info.init(type,destructor);exceptionLast=ptr;uncaughtExceptionCount++;assert(false,"Exception thrown, but exception catching is not enabled. Compile with -sNO_DISABLE_EXCEPTION_CATCHING or -sEXCEPTION_CATCHING_ALLOWED=[..] to catch.")};function pthreadCreateProxied(pthread_ptr,attr,startRoutine,arg){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(2,0,1,pthread_ptr,attr,startRoutine,arg);return ___pthread_create_js(pthread_ptr,attr,startRoutine,arg)}var _emscripten_has_threading_support=()=>!!globalThis.SharedArrayBuffer;var ___pthread_create_js=(pthread_ptr,attr,startRoutine,arg)=>{if(!_emscripten_has_threading_support()){dbg("pthread_create: environment does not support SharedArrayBuffer, pthreads are not available");return 6}var transferList=[];var error=0;if(ENVIRONMENT_IS_PTHREAD&&(transferList.length===0||error)){return pthreadCreateProxied(pthread_ptr,attr,startRoutine,arg)}if(error)return error;var threadParams={startRoutine,pthread_ptr,arg,transferList};if(ENVIRONMENT_IS_PTHREAD){threadParams.cmd="spawnThread";postMessage(threadParams,transferList);return 0}return spawnThread(threadParams)};var PATH={isAbs:path=>path.charAt(0)==="/",splitPath:filename=>{var splitPathRe=/^(\/?|)([\s\S]*?)((?:\.{1,2}|[^\/]+?|)(\.[^.\/]*|))(?:[\/]*)$/;return splitPathRe.exec(filename).slice(1)},normalizeArray:(parts,allowAboveRoot)=>{var up=0;for(var i=parts.length-1;i>=0;i--){var last=parts[i];if(last==="."){parts.splice(i,1)}else if(last===".."){parts.splice(i,1);up++}else if(up){parts.splice(i,1);up--}}if(allowAboveRoot){for(;up;up--){parts.unshift("..")}}return parts},normalize:path=>{var isAbsolute=PATH.isAbs(path),trailingSlash=path.slice(-1)==="/";path=PATH.normalizeArray(path.split("/").filter(p=>!!p),!isAbsolute).join("/");if(!path&&!isAbsolute){path="."}if(path&&trailingSlash){path+="/"}return(isAbsolute?"/":"")+path},dirname:path=>{var result=PATH.splitPath(path),root=result[0],dir=result[1];if(!root&&!dir){return"."}if(dir){dir=dir.slice(0,-1)}return root+dir},basename:path=>path&&path.match(/([^\/]+|\/)\/*$/)[1],join:(...paths)=>PATH.normalize(paths.join("/")),join2:(l,r)=>PATH.normalize(l+"/"+r)};var initRandomFill=()=>{if(ENVIRONMENT_IS_NODE){var nodeCrypto=require("crypto");return view=>nodeCrypto.randomFillSync(view)}return view=>view.set(crypto.getRandomValues(new Uint8Array(view.byteLength)))};var randomFill=view=>{(randomFill=initRandomFill())(view)};var PATH_FS={resolve:(...args)=>{var resolvedPath="",resolvedAbsolute=false;for(var i=args.length-1;i>=-1&&!resolvedAbsolute;i--){var path=i>=0?args[i]:FS.cwd();if(typeof path!="string"){throw new TypeError("Arguments to path.resolve must be strings")}else if(!path){return""}resolvedPath=path+"/"+resolvedPath;resolvedAbsolute=PATH.isAbs(path)}resolvedPath=PATH.normalizeArray(resolvedPath.split("/").filter(p=>!!p),!resolvedAbsolute).join("/");return(resolvedAbsolute?"/":"")+resolvedPath||"."},relative:(from,to)=>{from=PATH_FS.resolve(from).slice(1);to=PATH_FS.resolve(to).slice(1);function trim(arr){var start=0;for(;start=0;end--){if(arr[end]!=="")break}if(start>end)return[];return arr.slice(start,end-start+1)}var fromParts=trim(from.split("/"));var toParts=trim(to.split("/"));var length=Math.min(fromParts.length,toParts.length);var samePartsLength=length;for(var i=0;i{var endPtr=findStringEnd(heapOrArray,idx,maxBytesToRead,ignoreNul);return UTF8Decoder.decode(heapOrArray.buffer?heapOrArray.buffer instanceof ArrayBuffer?heapOrArray.subarray(idx,endPtr):heapOrArray.slice(idx,endPtr):new Uint8Array(heapOrArray.slice(idx,endPtr)))};var FS_stdin_getChar_buffer=[];var lengthBytesUTF8=str=>{var len=0;for(var i=0;i=55296&&c<=57343){len+=4;++i}else{len+=3}}return len};var stringToUTF8Array=(str,heap,outIdx,maxBytesToWrite)=>{assert(typeof str==="string",`stringToUTF8Array expects a string (got ${typeof str})`);if(!(maxBytesToWrite>0))return 0;var startIdx=outIdx;var endIdx=outIdx+maxBytesToWrite-1;for(var i=0;i=endIdx)break;heap[outIdx++]=u}else if(u<=2047){if(outIdx+1>=endIdx)break;heap[outIdx++]=192|u>>6;heap[outIdx++]=128|u&63}else if(u<=65535){if(outIdx+2>=endIdx)break;heap[outIdx++]=224|u>>12;heap[outIdx++]=128|u>>6&63;heap[outIdx++]=128|u&63}else{if(outIdx+3>=endIdx)break;if(u>1114111)warnOnce("Invalid Unicode code point "+ptrToString(u)+" encountered when serializing a JS string to a UTF-8 string in wasm memory! (Valid unicode code points should be in range 0-0x10FFFF).");heap[outIdx++]=240|u>>18;heap[outIdx++]=128|u>>12&63;heap[outIdx++]=128|u>>6&63;heap[outIdx++]=128|u&63;i++}}heap[outIdx]=0;return outIdx-startIdx};var intArrayFromString=(stringy,dontAddNull,length)=>{var len=length>0?length:lengthBytesUTF8(stringy)+1;var u8array=new Array(len);var numBytesWritten=stringToUTF8Array(stringy,u8array,0,u8array.length);if(dontAddNull)u8array.length=numBytesWritten;return u8array};var FS_stdin_getChar=()=>{if(!FS_stdin_getChar_buffer.length){var result=null;if(ENVIRONMENT_IS_NODE){var BUFSIZE=256;var buf=Buffer.alloc(BUFSIZE);var bytesRead=0;var fd=process.stdin.fd;try{bytesRead=fs.readSync(fd,buf,0,BUFSIZE)}catch(e){if(e.toString().includes("EOF"))bytesRead=0;else throw e}if(bytesRead>0){result=buf.slice(0,bytesRead).toString("utf-8")}}else if(globalThis.window?.prompt){result=window.prompt("Input: ");if(result!==null){result+="\n"}}else{}if(!result){return null}FS_stdin_getChar_buffer=intArrayFromString(result,true)}return FS_stdin_getChar_buffer.shift()};var TTY={ttys:[],init(){},shutdown(){},register(dev,ops){TTY.ttys[dev]={input:[],output:[],ops};FS.registerDevice(dev,TTY.stream_ops)},stream_ops:{open(stream){var tty=TTY.ttys[stream.node.rdev];if(!tty){throw new FS.ErrnoError(43)}stream.tty=tty;stream.seekable=false},close(stream){stream.tty.ops.fsync(stream.tty)},fsync(stream){stream.tty.ops.fsync(stream.tty)},read(stream,buffer,offset,length,pos){if(!stream.tty||!stream.tty.ops.get_char){throw new FS.ErrnoError(60)}var bytesRead=0;for(var i=0;i0){out(UTF8ArrayToString(tty.output));tty.output=[]}},ioctl_tcgets(tty){return{c_iflag:25856,c_oflag:5,c_cflag:191,c_lflag:35387,c_cc:[3,28,127,21,4,0,1,0,17,19,26,0,18,15,23,22,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0]}},ioctl_tcsets(tty,optional_actions,data){return 0},ioctl_tiocgwinsz(tty){return[24,80]}},default_tty1_ops:{put_char(tty,val){if(val===null||val===10){err(UTF8ArrayToString(tty.output));tty.output=[]}else{if(val!=0)tty.output.push(val)}},fsync(tty){if(tty.output?.length>0){err(UTF8ArrayToString(tty.output));tty.output=[]}}}};var zeroMemory=(ptr,size)=>HEAPU8.fill(0,ptr,ptr+size);var alignMemory=(size,alignment)=>{assert(alignment,"alignment argument is required");return Math.ceil(size/alignment)*alignment};var mmapAlloc=size=>{size=alignMemory(size,65536);var ptr=_emscripten_builtin_memalign(65536,size);if(ptr)zeroMemory(ptr,size);return ptr};var MEMFS={ops_table:null,mount(mount){return MEMFS.createNode(null,"/",16895,0)},createNode(parent,name,mode,dev){if(FS.isBlkdev(mode)||FS.isFIFO(mode)){throw new FS.ErrnoError(63)}MEMFS.ops_table||={dir:{node:{getattr:MEMFS.node_ops.getattr,setattr:MEMFS.node_ops.setattr,lookup:MEMFS.node_ops.lookup,mknod:MEMFS.node_ops.mknod,rename:MEMFS.node_ops.rename,unlink:MEMFS.node_ops.unlink,rmdir:MEMFS.node_ops.rmdir,readdir:MEMFS.node_ops.readdir,symlink:MEMFS.node_ops.symlink},stream:{llseek:MEMFS.stream_ops.llseek}},file:{node:{getattr:MEMFS.node_ops.getattr,setattr:MEMFS.node_ops.setattr},stream:{llseek:MEMFS.stream_ops.llseek,read:MEMFS.stream_ops.read,write:MEMFS.stream_ops.write,mmap:MEMFS.stream_ops.mmap,msync:MEMFS.stream_ops.msync}},link:{node:{getattr:MEMFS.node_ops.getattr,setattr:MEMFS.node_ops.setattr,readlink:MEMFS.node_ops.readlink},stream:{}},chrdev:{node:{getattr:MEMFS.node_ops.getattr,setattr:MEMFS.node_ops.setattr},stream:FS.chrdev_stream_ops}};var node=FS.createNode(parent,name,mode,dev);if(FS.isDir(node.mode)){node.node_ops=MEMFS.ops_table.dir.node;node.stream_ops=MEMFS.ops_table.dir.stream;node.contents={}}else if(FS.isFile(node.mode)){node.node_ops=MEMFS.ops_table.file.node;node.stream_ops=MEMFS.ops_table.file.stream;node.usedBytes=0;node.contents=null}else if(FS.isLink(node.mode)){node.node_ops=MEMFS.ops_table.link.node;node.stream_ops=MEMFS.ops_table.link.stream}else if(FS.isChrdev(node.mode)){node.node_ops=MEMFS.ops_table.chrdev.node;node.stream_ops=MEMFS.ops_table.chrdev.stream}node.atime=node.mtime=node.ctime=Date.now();if(parent){parent.contents[name]=node;parent.atime=parent.mtime=parent.ctime=node.atime}return node},getFileDataAsTypedArray(node){if(!node.contents)return new Uint8Array(0);if(node.contents.subarray)return node.contents.subarray(0,node.usedBytes);return new Uint8Array(node.contents)},expandFileStorage(node,newCapacity){var prevCapacity=node.contents?node.contents.length:0;if(prevCapacity>=newCapacity)return;var CAPACITY_DOUBLING_MAX=1024*1024;newCapacity=Math.max(newCapacity,prevCapacity*(prevCapacity>>0);if(prevCapacity!=0)newCapacity=Math.max(newCapacity,256);var oldContents=node.contents;node.contents=new Uint8Array(newCapacity);if(node.usedBytes>0)node.contents.set(oldContents.subarray(0,node.usedBytes),0)},resizeFileStorage(node,newSize){if(node.usedBytes==newSize)return;if(newSize==0){node.contents=null;node.usedBytes=0}else{var oldContents=node.contents;node.contents=new Uint8Array(newSize);if(oldContents){node.contents.set(oldContents.subarray(0,Math.min(newSize,node.usedBytes)))}node.usedBytes=newSize}},node_ops:{getattr(node){var attr={};attr.dev=FS.isChrdev(node.mode)?node.id:1;attr.ino=node.id;attr.mode=node.mode;attr.nlink=1;attr.uid=0;attr.gid=0;attr.rdev=node.rdev;if(FS.isDir(node.mode)){attr.size=4096}else if(FS.isFile(node.mode)){attr.size=node.usedBytes}else if(FS.isLink(node.mode)){attr.size=node.link.length}else{attr.size=0}attr.atime=new Date(node.atime);attr.mtime=new Date(node.mtime);attr.ctime=new Date(node.ctime);attr.blksize=4096;attr.blocks=Math.ceil(attr.size/attr.blksize);return attr},setattr(node,attr){for(const key of["mode","atime","mtime","ctime"]){if(attr[key]!=null){node[key]=attr[key]}}if(attr.size!==undefined){MEMFS.resizeFileStorage(node,attr.size)}},lookup(parent,name){throw new FS.ErrnoError(44)},mknod(parent,name,mode,dev){return MEMFS.createNode(parent,name,mode,dev)},rename(old_node,new_dir,new_name){var new_node;try{new_node=FS.lookupNode(new_dir,new_name)}catch(e){}if(new_node){if(FS.isDir(old_node.mode)){for(var i in new_node.contents){throw new FS.ErrnoError(55)}}FS.hashRemoveNode(new_node)}delete old_node.parent.contents[old_node.name];new_dir.contents[new_name]=old_node;old_node.name=new_name;new_dir.ctime=new_dir.mtime=old_node.parent.ctime=old_node.parent.mtime=Date.now()},unlink(parent,name){delete parent.contents[name];parent.ctime=parent.mtime=Date.now()},rmdir(parent,name){var node=FS.lookupNode(parent,name);for(var i in node.contents){throw new FS.ErrnoError(55)}delete parent.contents[name];parent.ctime=parent.mtime=Date.now()},readdir(node){return[".","..",...Object.keys(node.contents)]},symlink(parent,newname,oldpath){var node=MEMFS.createNode(parent,newname,511|40960,0);node.link=oldpath;return node},readlink(node){if(!FS.isLink(node.mode)){throw new FS.ErrnoError(28)}return node.link}},stream_ops:{read(stream,buffer,offset,length,position){var contents=stream.node.contents;if(position>=stream.node.usedBytes)return 0;var size=Math.min(stream.node.usedBytes-position,length);assert(size>=0);if(size>8&&contents.subarray){buffer.set(contents.subarray(position,position+size),offset)}else{for(var i=0;i0||position+length{var flagModes={r:0,"r+":2,w:512|64|1,"w+":512|64|2,a:1024|64|1,"a+":1024|64|2};var flags=flagModes[str];if(typeof flags=="undefined"){throw new Error(`Unknown file open mode: ${str}`)}return flags};var FS_getMode=(canRead,canWrite)=>{var mode=0;if(canRead)mode|=292|73;if(canWrite)mode|=146;return mode};var IDBFS={dbs:{},indexedDB:()=>{assert(typeof indexedDB!="undefined","IDBFS used, but indexedDB not supported");return indexedDB},DB_VERSION:21,DB_STORE_NAME:"FILE_DATA",queuePersist:mount=>{function onPersistComplete(){if(mount.idbPersistState==="again")startPersist();else mount.idbPersistState=0}function startPersist(){mount.idbPersistState="idb";IDBFS.syncfs(mount,false,onPersistComplete)}if(!mount.idbPersistState){mount.idbPersistState=setTimeout(startPersist,0)}else if(mount.idbPersistState==="idb"){mount.idbPersistState="again"}},mount:mount=>{var mnt=MEMFS.mount(mount);if(mount?.opts?.autoPersist){mount.idbPersistState=0;var memfs_node_ops=mnt.node_ops;mnt.node_ops={...mnt.node_ops};mnt.node_ops.mknod=(parent,name,mode,dev)=>{var node=memfs_node_ops.mknod(parent,name,mode,dev);node.node_ops=mnt.node_ops;node.idbfs_mount=mnt.mount;node.memfs_stream_ops=node.stream_ops;node.stream_ops={...node.stream_ops};node.stream_ops.write=(stream,buffer,offset,length,position,canOwn)=>{stream.node.isModified=true;return node.memfs_stream_ops.write(stream,buffer,offset,length,position,canOwn)};node.stream_ops.close=stream=>{var n=stream.node;if(n.isModified){IDBFS.queuePersist(n.idbfs_mount);n.isModified=false}if(n.memfs_stream_ops.close)return n.memfs_stream_ops.close(stream)};IDBFS.queuePersist(mnt.mount);return node};mnt.node_ops.rmdir=(...args)=>(IDBFS.queuePersist(mnt.mount),memfs_node_ops.rmdir(...args));mnt.node_ops.symlink=(...args)=>(IDBFS.queuePersist(mnt.mount),memfs_node_ops.symlink(...args));mnt.node_ops.unlink=(...args)=>(IDBFS.queuePersist(mnt.mount),memfs_node_ops.unlink(...args));mnt.node_ops.rename=(...args)=>(IDBFS.queuePersist(mnt.mount),memfs_node_ops.rename(...args))}return mnt},syncfs:(mount,populate,callback)=>{IDBFS.getLocalSet(mount,(err,local)=>{if(err)return callback(err);IDBFS.getRemoteSet(mount,(err,remote)=>{if(err)return callback(err);var src=populate?remote:local;var dst=populate?local:remote;IDBFS.reconcile(src,dst,callback)})})},quit:()=>{Object.values(IDBFS.dbs).forEach(value=>value.close());IDBFS.dbs={}},getDB:(name,callback)=>{var db=IDBFS.dbs[name];if(db){return callback(null,db)}var req;try{req=IDBFS.indexedDB().open(name,IDBFS.DB_VERSION)}catch(e){return callback(e)}if(!req){return callback("Unable to connect to IndexedDB")}req.onupgradeneeded=e=>{var db=e.target.result;var transaction=e.target.transaction;var fileStore;if(db.objectStoreNames.contains(IDBFS.DB_STORE_NAME)){fileStore=transaction.objectStore(IDBFS.DB_STORE_NAME)}else{fileStore=db.createObjectStore(IDBFS.DB_STORE_NAME)}if(!fileStore.indexNames.contains("timestamp")){fileStore.createIndex("timestamp","timestamp",{unique:false})}};req.onsuccess=()=>{db=req.result;IDBFS.dbs[name]=db;callback(null,db)};req.onerror=e=>{callback(e.target.error);e.preventDefault()}},getLocalSet:(mount,callback)=>{var entries={};function isRealDir(p){return p!=="."&&p!==".."}function toAbsolute(root){return p=>PATH.join2(root,p)}var check=FS.readdir(mount.mountpoint).filter(isRealDir).map(toAbsolute(mount.mountpoint));while(check.length){var path=check.pop();var stat;try{stat=FS.stat(path)}catch(e){return callback(e)}if(FS.isDir(stat.mode)){check.push(...FS.readdir(path).filter(isRealDir).map(toAbsolute(path)))}entries[path]={timestamp:stat.mtime}}return callback(null,{type:"local",entries})},getRemoteSet:(mount,callback)=>{var entries={};IDBFS.getDB(mount.mountpoint,(err,db)=>{if(err)return callback(err);try{var transaction=db.transaction([IDBFS.DB_STORE_NAME],"readonly");transaction.onerror=e=>{callback(e.target.error);e.preventDefault()};var store=transaction.objectStore(IDBFS.DB_STORE_NAME);var index=store.index("timestamp");index.openKeyCursor().onsuccess=event=>{var cursor=event.target.result;if(!cursor){return callback(null,{type:"remote",db,entries})}entries[cursor.primaryKey]={timestamp:cursor.key};cursor.continue()}}catch(e){return callback(e)}})},loadLocalEntry:(path,callback)=>{var stat,node;try{var lookup=FS.lookupPath(path);node=lookup.node;stat=FS.stat(path)}catch(e){return callback(e)}if(FS.isDir(stat.mode)){return callback(null,{timestamp:stat.mtime,mode:stat.mode})}else if(FS.isFile(stat.mode)){node.contents=MEMFS.getFileDataAsTypedArray(node);return callback(null,{timestamp:stat.mtime,mode:stat.mode,contents:node.contents})}else{return callback(new Error("node type not supported"))}},storeLocalEntry:(path,entry,callback)=>{try{if(FS.isDir(entry["mode"])){FS.mkdirTree(path,entry["mode"])}else if(FS.isFile(entry["mode"])){FS.writeFile(path,entry["contents"],{canOwn:true})}else{return callback(new Error("node type not supported"))}FS.chmod(path,entry["mode"]);FS.utime(path,entry["timestamp"],entry["timestamp"])}catch(e){return callback(e)}callback(null)},removeLocalEntry:(path,callback)=>{try{var stat=FS.stat(path);if(FS.isDir(stat.mode)){FS.rmdir(path)}else if(FS.isFile(stat.mode)){FS.unlink(path)}}catch(e){return callback(e)}callback(null)},loadRemoteEntry:(store,path,callback)=>{var req=store.get(path);req.onsuccess=event=>callback(null,event.target.result);req.onerror=e=>{callback(e.target.error);e.preventDefault()}},storeRemoteEntry:(store,path,entry,callback)=>{try{var req=store.put(entry,path)}catch(e){callback(e);return}req.onsuccess=event=>callback();req.onerror=e=>{callback(e.target.error);e.preventDefault()}},removeRemoteEntry:(store,path,callback)=>{var req=store.delete(path);req.onsuccess=event=>callback();req.onerror=e=>{callback(e.target.error);e.preventDefault()}},reconcile:(src,dst,callback)=>{var total=0;var create=[];Object.keys(src.entries).forEach(key=>{var e=src.entries[key];var e2=dst.entries[key];if(!e2||e["timestamp"].getTime()!=e2["timestamp"].getTime()){create.push(key);total++}});var remove=[];Object.keys(dst.entries).forEach(key=>{if(!src.entries[key]){remove.push(key);total++}});if(!total){return callback(null)}var errored=false;var db=src.type==="remote"?src.db:dst.db;var transaction=db.transaction([IDBFS.DB_STORE_NAME],"readwrite");var store=transaction.objectStore(IDBFS.DB_STORE_NAME);function done(err){if(err&&!errored){errored=true;return callback(err)}}transaction.onerror=transaction.onabort=e=>{done(e.target.error);e.preventDefault()};transaction.oncomplete=e=>{if(!errored){callback(null)}};create.sort().forEach(path=>{if(dst.type==="local"){IDBFS.loadRemoteEntry(store,path,(err,entry)=>{if(err)return done(err);IDBFS.storeLocalEntry(path,entry,done)})}else{IDBFS.loadLocalEntry(path,(err,entry)=>{if(err)return done(err);IDBFS.storeRemoteEntry(store,path,entry,done)})}});remove.sort().reverse().forEach(path=>{if(dst.type==="local"){IDBFS.removeLocalEntry(path,done)}else{IDBFS.removeRemoteEntry(store,path,done)}})}};var strError=errno=>UTF8ToString(_strerror(errno));var ERRNO_CODES={EPERM:63,ENOENT:44,ESRCH:71,EINTR:27,EIO:29,ENXIO:60,E2BIG:1,ENOEXEC:45,EBADF:8,ECHILD:12,EAGAIN:6,EWOULDBLOCK:6,ENOMEM:48,EACCES:2,EFAULT:21,ENOTBLK:105,EBUSY:10,EEXIST:20,EXDEV:75,ENODEV:43,ENOTDIR:54,EISDIR:31,EINVAL:28,ENFILE:41,EMFILE:33,ENOTTY:59,ETXTBSY:74,EFBIG:22,ENOSPC:51,ESPIPE:70,EROFS:69,EMLINK:34,EPIPE:64,EDOM:18,ERANGE:68,ENOMSG:49,EIDRM:24,ECHRNG:106,EL2NSYNC:156,EL3HLT:107,EL3RST:108,ELNRNG:109,EUNATCH:110,ENOCSI:111,EL2HLT:112,EDEADLK:16,ENOLCK:46,EBADE:113,EBADR:114,EXFULL:115,ENOANO:104,EBADRQC:103,EBADSLT:102,EDEADLOCK:16,EBFONT:101,ENOSTR:100,ENODATA:116,ETIME:117,ENOSR:118,ENONET:119,ENOPKG:120,EREMOTE:121,ENOLINK:47,EADV:122,ESRMNT:123,ECOMM:124,EPROTO:65,EMULTIHOP:36,EDOTDOT:125,EBADMSG:9,ENOTUNIQ:126,EBADFD:127,EREMCHG:128,ELIBACC:129,ELIBBAD:130,ELIBSCN:131,ELIBMAX:132,ELIBEXEC:133,ENOSYS:52,ENOTEMPTY:55,ENAMETOOLONG:37,ELOOP:32,EOPNOTSUPP:138,EPFNOSUPPORT:139,ECONNRESET:15,ENOBUFS:42,EAFNOSUPPORT:5,EPROTOTYPE:67,ENOTSOCK:57,ENOPROTOOPT:50,ESHUTDOWN:140,ECONNREFUSED:14,EADDRINUSE:3,ECONNABORTED:13,ENETUNREACH:40,ENETDOWN:38,ETIMEDOUT:73,EHOSTDOWN:142,EHOSTUNREACH:23,EINPROGRESS:26,EALREADY:7,EDESTADDRREQ:17,EMSGSIZE:35,EPROTONOSUPPORT:66,ESOCKTNOSUPPORT:137,EADDRNOTAVAIL:4,ENETRESET:39,EISCONN:30,ENOTCONN:53,ETOOMANYREFS:141,EUSERS:136,EDQUOT:19,ESTALE:72,ENOTSUP:138,ENOMEDIUM:148,EILSEQ:25,EOVERFLOW:61,ECANCELED:11,ENOTRECOVERABLE:56,EOWNERDEAD:62,ESTRPIPE:135};var asyncLoad=async url=>{var arrayBuffer=await readAsync(url);assert(arrayBuffer,`Loading data file "${url}" failed (no arrayBuffer).`);return new Uint8Array(arrayBuffer)};var FS_createDataFile=(...args)=>FS.createDataFile(...args);var getUniqueRunDependency=id=>{var orig=id;while(1){if(!runDependencyTracking[id])return id;id=orig+Math.random()}};var preloadPlugins=[];var FS_handledByPreloadPlugin=async(byteArray,fullname)=>{if(typeof Browser!="undefined")Browser.init();for(var plugin of preloadPlugins){if(plugin["canHandle"](fullname)){assert(plugin["handle"].constructor.name==="AsyncFunction","Filesystem plugin handlers must be async functions (See #24914)");return plugin["handle"](byteArray,fullname)}}return byteArray};var FS_preloadFile=async(parent,name,url,canRead,canWrite,dontCreateFile,canOwn,preFinish)=>{var fullname=name?PATH_FS.resolve(PATH.join2(parent,name)):parent;var dep=getUniqueRunDependency(`cp ${fullname}`);addRunDependency(dep);try{var byteArray=url;if(typeof url=="string"){byteArray=await asyncLoad(url)}byteArray=await FS_handledByPreloadPlugin(byteArray,fullname);preFinish?.();if(!dontCreateFile){FS_createDataFile(parent,name,byteArray,canRead,canWrite,canOwn)}}finally{removeRunDependency(dep)}};var FS_createPreloadedFile=(parent,name,url,canRead,canWrite,onload,onerror,dontCreateFile,canOwn,preFinish)=>{FS_preloadFile(parent,name,url,canRead,canWrite,dontCreateFile,canOwn,preFinish).then(onload).catch(onerror)};var FS={root:null,mounts:[],devices:{},streams:[],nextInode:1,nameTable:null,currentPath:"/",initialized:false,ignorePermissions:true,filesystems:null,syncFSRequests:0,readFiles:{},ErrnoError:class extends Error{name="ErrnoError";constructor(errno){super(runtimeInitialized?strError(errno):"");this.errno=errno;for(var key in ERRNO_CODES){if(ERRNO_CODES[key]===errno){this.code=key;break}}}},FSStream:class{shared={};get object(){return this.node}set object(val){this.node=val}get isRead(){return(this.flags&2097155)!==1}get isWrite(){return(this.flags&2097155)!==0}get isAppend(){return this.flags&1024}get flags(){return this.shared.flags}set flags(val){this.shared.flags=val}get position(){return this.shared.position}set position(val){this.shared.position=val}},FSNode:class{node_ops={};stream_ops={};readMode=292|73;writeMode=146;mounted=null;constructor(parent,name,mode,rdev){if(!parent){parent=this}this.parent=parent;this.mount=parent.mount;this.id=FS.nextInode++;this.name=name;this.mode=mode;this.rdev=rdev;this.atime=this.mtime=this.ctime=Date.now()}get read(){return(this.mode&this.readMode)===this.readMode}set read(val){val?this.mode|=this.readMode:this.mode&=~this.readMode}get write(){return(this.mode&this.writeMode)===this.writeMode}set write(val){val?this.mode|=this.writeMode:this.mode&=~this.writeMode}get isFolder(){return FS.isDir(this.mode)}get isDevice(){return FS.isChrdev(this.mode)}},lookupPath(path,opts={}){if(!path){throw new FS.ErrnoError(44)}opts.follow_mount??=true;if(!PATH.isAbs(path)){path=FS.cwd()+"/"+path}linkloop:for(var nlinks=0;nlinks<40;nlinks++){var parts=path.split("/").filter(p=>!!p);var current=FS.root;var current_path="/";for(var i=0;i>>0)%FS.nameTable.length},hashAddNode(node){var hash=FS.hashName(node.parent.id,node.name);node.name_next=FS.nameTable[hash];FS.nameTable[hash]=node},hashRemoveNode(node){var hash=FS.hashName(node.parent.id,node.name);if(FS.nameTable[hash]===node){FS.nameTable[hash]=node.name_next}else{var current=FS.nameTable[hash];while(current){if(current.name_next===node){current.name_next=node.name_next;break}current=current.name_next}}},lookupNode(parent,name){var errCode=FS.mayLookup(parent);if(errCode){throw new FS.ErrnoError(errCode)}var hash=FS.hashName(parent.id,name);for(var node=FS.nameTable[hash];node;node=node.name_next){var nodeName=node.name;if(node.parent.id===parent.id&&nodeName===name){return node}}return FS.lookup(parent,name)},createNode(parent,name,mode,rdev){assert(typeof parent=="object");var node=new FS.FSNode(parent,name,mode,rdev);FS.hashAddNode(node);return node},destroyNode(node){FS.hashRemoveNode(node)},isRoot(node){return node===node.parent},isMountpoint(node){return!!node.mounted},isFile(mode){return(mode&61440)===32768},isDir(mode){return(mode&61440)===16384},isLink(mode){return(mode&61440)===40960},isChrdev(mode){return(mode&61440)===8192},isBlkdev(mode){return(mode&61440)===24576},isFIFO(mode){return(mode&61440)===4096},isSocket(mode){return(mode&49152)===49152},flagsToPermissionString(flag){var perms=["r","w","rw"][flag&3];if(flag&512){perms+="w"}return perms},nodePermissions(node,perms){if(FS.ignorePermissions){return 0}if(perms.includes("r")&&!(node.mode&292)){return 2}else if(perms.includes("w")&&!(node.mode&146)){return 2}else if(perms.includes("x")&&!(node.mode&73)){return 2}return 0},mayLookup(dir){if(!FS.isDir(dir.mode))return 54;var errCode=FS.nodePermissions(dir,"x");if(errCode)return errCode;if(!dir.node_ops.lookup)return 2;return 0},mayCreate(dir,name){if(!FS.isDir(dir.mode)){return 54}try{var node=FS.lookupNode(dir,name);return 20}catch(e){}return FS.nodePermissions(dir,"wx")},mayDelete(dir,name,isdir){var node;try{node=FS.lookupNode(dir,name)}catch(e){return e.errno}var errCode=FS.nodePermissions(dir,"wx");if(errCode){return errCode}if(isdir){if(!FS.isDir(node.mode)){return 54}if(FS.isRoot(node)||FS.getPath(node)===FS.cwd()){return 10}}else{if(FS.isDir(node.mode)){return 31}}return 0},mayOpen(node,flags){if(!node){return 44}if(FS.isLink(node.mode)){return 32}else if(FS.isDir(node.mode)){if(FS.flagsToPermissionString(flags)!=="r"||flags&(512|64)){return 31}}return FS.nodePermissions(node,FS.flagsToPermissionString(flags))},checkOpExists(op,err){if(!op){throw new FS.ErrnoError(err)}return op},MAX_OPEN_FDS:4096,nextfd(){for(var fd=0;fd<=FS.MAX_OPEN_FDS;fd++){if(!FS.streams[fd]){return fd}}throw new FS.ErrnoError(33)},getStreamChecked(fd){var stream=FS.getStream(fd);if(!stream){throw new FS.ErrnoError(8)}return stream},getStream:fd=>FS.streams[fd],createStream(stream,fd=-1){assert(fd>=-1);stream=Object.assign(new FS.FSStream,stream);if(fd==-1){fd=FS.nextfd()}stream.fd=fd;FS.streams[fd]=stream;return stream},closeStream(fd){FS.streams[fd]=null},dupStream(origStream,fd=-1){var stream=FS.createStream(origStream,fd);stream.stream_ops?.dup?.(stream);return stream},doSetAttr(stream,node,attr){var setattr=stream?.stream_ops.setattr;var arg=setattr?stream:node;setattr??=node.node_ops.setattr;FS.checkOpExists(setattr,63);setattr(arg,attr)},chrdev_stream_ops:{open(stream){var device=FS.getDevice(stream.node.rdev);stream.stream_ops=device.stream_ops;stream.stream_ops.open?.(stream)},llseek(){throw new FS.ErrnoError(70)}},major:dev=>dev>>8,minor:dev=>dev&255,makedev:(ma,mi)=>ma<<8|mi,registerDevice(dev,ops){FS.devices[dev]={stream_ops:ops}},getDevice:dev=>FS.devices[dev],getMounts(mount){var mounts=[];var check=[mount];while(check.length){var m=check.pop();mounts.push(m);check.push(...m.mounts)}return mounts},syncfs(populate,callback){if(typeof populate=="function"){callback=populate;populate=false}FS.syncFSRequests++;if(FS.syncFSRequests>1){err(`warning: ${FS.syncFSRequests} FS.syncfs operations in flight at once, probably just doing extra work`)}var mounts=FS.getMounts(FS.root.mount);var completed=0;function doCallback(errCode){assert(FS.syncFSRequests>0);FS.syncFSRequests--;return callback(errCode)}function done(errCode){if(errCode){if(!done.errored){done.errored=true;return doCallback(errCode)}return}if(++completed>=mounts.length){doCallback(null)}}mounts.forEach(mount=>{if(!mount.type.syncfs){return done(null)}mount.type.syncfs(mount,populate,done)})},mount(type,opts,mountpoint){if(typeof type=="string"){throw type}var root=mountpoint==="/";var pseudo=!mountpoint;var node;if(root&&FS.root){throw new FS.ErrnoError(10)}else if(!root&&!pseudo){var lookup=FS.lookupPath(mountpoint,{follow_mount:false});mountpoint=lookup.path;node=lookup.node;if(FS.isMountpoint(node)){throw new FS.ErrnoError(10)}if(!FS.isDir(node.mode)){throw new FS.ErrnoError(54)}}var mount={type,opts,mountpoint,mounts:[]};var mountRoot=type.mount(mount);mountRoot.mount=mount;mount.root=mountRoot;if(root){FS.root=mountRoot}else if(node){node.mounted=mount;if(node.mount){node.mount.mounts.push(mount)}}return mountRoot},unmount(mountpoint){var lookup=FS.lookupPath(mountpoint,{follow_mount:false});if(!FS.isMountpoint(lookup.node)){throw new FS.ErrnoError(28)}var node=lookup.node;var mount=node.mounted;var mounts=FS.getMounts(mount);Object.keys(FS.nameTable).forEach(hash=>{var current=FS.nameTable[hash];while(current){var next=current.name_next;if(mounts.includes(current.mount)){FS.destroyNode(current)}current=next}});node.mounted=null;var idx=node.mount.mounts.indexOf(mount);assert(idx!==-1);node.mount.mounts.splice(idx,1)},lookup(parent,name){return parent.node_ops.lookup(parent,name)},mknod(path,mode,dev){var lookup=FS.lookupPath(path,{parent:true});var parent=lookup.node;var name=PATH.basename(path);if(!name){throw new FS.ErrnoError(28)}if(name==="."||name===".."){throw new FS.ErrnoError(20)}var errCode=FS.mayCreate(parent,name);if(errCode){throw new FS.ErrnoError(errCode)}if(!parent.node_ops.mknod){throw new FS.ErrnoError(63)}return parent.node_ops.mknod(parent,name,mode,dev)},statfs(path){return FS.statfsNode(FS.lookupPath(path,{follow:true}).node)},statfsStream(stream){return FS.statfsNode(stream.node)},statfsNode(node){var rtn={bsize:4096,frsize:4096,blocks:1e6,bfree:5e5,bavail:5e5,files:FS.nextInode,ffree:FS.nextInode-1,fsid:42,flags:2,namelen:255};if(node.node_ops.statfs){Object.assign(rtn,node.node_ops.statfs(node.mount.opts.root))}return rtn},create(path,mode=438){mode&=4095;mode|=32768;return FS.mknod(path,mode,0)},mkdir(path,mode=511){mode&=511|512;mode|=16384;return FS.mknod(path,mode,0)},mkdirTree(path,mode){var dirs=path.split("/");var d="";for(var dir of dirs){if(!dir)continue;if(d||PATH.isAbs(path))d+="/";d+=dir;try{FS.mkdir(d,mode)}catch(e){if(e.errno!=20)throw e}}},mkdev(path,mode,dev){if(typeof dev=="undefined"){dev=mode;mode=438}mode|=8192;return FS.mknod(path,mode,dev)},symlink(oldpath,newpath){if(!PATH_FS.resolve(oldpath)){throw new FS.ErrnoError(44)}var lookup=FS.lookupPath(newpath,{parent:true});var parent=lookup.node;if(!parent){throw new FS.ErrnoError(44)}var newname=PATH.basename(newpath);var errCode=FS.mayCreate(parent,newname);if(errCode){throw new FS.ErrnoError(errCode)}if(!parent.node_ops.symlink){throw new FS.ErrnoError(63)}return parent.node_ops.symlink(parent,newname,oldpath)},rename(old_path,new_path){var old_dirname=PATH.dirname(old_path);var new_dirname=PATH.dirname(new_path);var old_name=PATH.basename(old_path);var new_name=PATH.basename(new_path);var lookup,old_dir,new_dir;lookup=FS.lookupPath(old_path,{parent:true});old_dir=lookup.node;lookup=FS.lookupPath(new_path,{parent:true});new_dir=lookup.node;if(!old_dir||!new_dir)throw new FS.ErrnoError(44);if(old_dir.mount!==new_dir.mount){throw new FS.ErrnoError(75)}var old_node=FS.lookupNode(old_dir,old_name);var relative=PATH_FS.relative(old_path,new_dirname);if(relative.charAt(0)!=="."){throw new FS.ErrnoError(28)}relative=PATH_FS.relative(new_path,old_dirname);if(relative.charAt(0)!=="."){throw new FS.ErrnoError(55)}var new_node;try{new_node=FS.lookupNode(new_dir,new_name)}catch(e){}if(old_node===new_node){return}var isdir=FS.isDir(old_node.mode);var errCode=FS.mayDelete(old_dir,old_name,isdir);if(errCode){throw new FS.ErrnoError(errCode)}errCode=new_node?FS.mayDelete(new_dir,new_name,isdir):FS.mayCreate(new_dir,new_name);if(errCode){throw new FS.ErrnoError(errCode)}if(!old_dir.node_ops.rename){throw new FS.ErrnoError(63)}if(FS.isMountpoint(old_node)||new_node&&FS.isMountpoint(new_node)){throw new FS.ErrnoError(10)}if(new_dir!==old_dir){errCode=FS.nodePermissions(old_dir,"w");if(errCode){throw new FS.ErrnoError(errCode)}}FS.hashRemoveNode(old_node);try{old_dir.node_ops.rename(old_node,new_dir,new_name);old_node.parent=new_dir}catch(e){throw e}finally{FS.hashAddNode(old_node)}},rmdir(path){var lookup=FS.lookupPath(path,{parent:true});var parent=lookup.node;var name=PATH.basename(path);var node=FS.lookupNode(parent,name);var errCode=FS.mayDelete(parent,name,true);if(errCode){throw new FS.ErrnoError(errCode)}if(!parent.node_ops.rmdir){throw new FS.ErrnoError(63)}if(FS.isMountpoint(node)){throw new FS.ErrnoError(10)}parent.node_ops.rmdir(parent,name);FS.destroyNode(node)},readdir(path){var lookup=FS.lookupPath(path,{follow:true});var node=lookup.node;var readdir=FS.checkOpExists(node.node_ops.readdir,54);return readdir(node)},unlink(path){var lookup=FS.lookupPath(path,{parent:true});var parent=lookup.node;if(!parent){throw new FS.ErrnoError(44)}var name=PATH.basename(path);var node=FS.lookupNode(parent,name);var errCode=FS.mayDelete(parent,name,false);if(errCode){throw new FS.ErrnoError(errCode)}if(!parent.node_ops.unlink){throw new FS.ErrnoError(63)}if(FS.isMountpoint(node)){throw new FS.ErrnoError(10)}parent.node_ops.unlink(parent,name);FS.destroyNode(node)},readlink(path){var lookup=FS.lookupPath(path);var link=lookup.node;if(!link){throw new FS.ErrnoError(44)}if(!link.node_ops.readlink){throw new FS.ErrnoError(28)}return link.node_ops.readlink(link)},stat(path,dontFollow){var lookup=FS.lookupPath(path,{follow:!dontFollow});var node=lookup.node;var getattr=FS.checkOpExists(node.node_ops.getattr,63);return getattr(node)},fstat(fd){var stream=FS.getStreamChecked(fd);var node=stream.node;var getattr=stream.stream_ops.getattr;var arg=getattr?stream:node;getattr??=node.node_ops.getattr;FS.checkOpExists(getattr,63);return getattr(arg)},lstat(path){return FS.stat(path,true)},doChmod(stream,node,mode,dontFollow){FS.doSetAttr(stream,node,{mode:mode&4095|node.mode&~4095,ctime:Date.now(),dontFollow})},chmod(path,mode,dontFollow){var node;if(typeof path=="string"){var lookup=FS.lookupPath(path,{follow:!dontFollow});node=lookup.node}else{node=path}FS.doChmod(null,node,mode,dontFollow)},lchmod(path,mode){FS.chmod(path,mode,true)},fchmod(fd,mode){var stream=FS.getStreamChecked(fd);FS.doChmod(stream,stream.node,mode,false)},doChown(stream,node,dontFollow){FS.doSetAttr(stream,node,{timestamp:Date.now(),dontFollow})},chown(path,uid,gid,dontFollow){var node;if(typeof path=="string"){var lookup=FS.lookupPath(path,{follow:!dontFollow});node=lookup.node}else{node=path}FS.doChown(null,node,dontFollow)},lchown(path,uid,gid){FS.chown(path,uid,gid,true)},fchown(fd,uid,gid){var stream=FS.getStreamChecked(fd);FS.doChown(stream,stream.node,false)},doTruncate(stream,node,len){if(FS.isDir(node.mode)){throw new FS.ErrnoError(31)}if(!FS.isFile(node.mode)){throw new FS.ErrnoError(28)}var errCode=FS.nodePermissions(node,"w");if(errCode){throw new FS.ErrnoError(errCode)}FS.doSetAttr(stream,node,{size:len,timestamp:Date.now()})},truncate(path,len){if(len<0){throw new FS.ErrnoError(28)}var node;if(typeof path=="string"){var lookup=FS.lookupPath(path,{follow:true});node=lookup.node}else{node=path}FS.doTruncate(null,node,len)},ftruncate(fd,len){var stream=FS.getStreamChecked(fd);if(len<0||(stream.flags&2097155)===0){throw new FS.ErrnoError(28)}FS.doTruncate(stream,stream.node,len)},utime(path,atime,mtime){var lookup=FS.lookupPath(path,{follow:true});var node=lookup.node;var setattr=FS.checkOpExists(node.node_ops.setattr,63);setattr(node,{atime,mtime})},open(path,flags,mode=438){if(path===""){throw new FS.ErrnoError(44)}flags=typeof flags=="string"?FS_modeStringToFlags(flags):flags;if(flags&64){mode=mode&4095|32768}else{mode=0}var node;var isDirPath;if(typeof path=="object"){node=path}else{isDirPath=path.endsWith("/");var lookup=FS.lookupPath(path,{follow:!(flags&131072),noent_okay:true});node=lookup.node;path=lookup.path}var created=false;if(flags&64){if(node){if(flags&128){throw new FS.ErrnoError(20)}}else if(isDirPath){throw new FS.ErrnoError(31)}else{node=FS.mknod(path,mode|511,0);created=true}}if(!node){throw new FS.ErrnoError(44)}if(FS.isChrdev(node.mode)){flags&=~512}if(flags&65536&&!FS.isDir(node.mode)){throw new FS.ErrnoError(54)}if(!created){var errCode=FS.mayOpen(node,flags);if(errCode){throw new FS.ErrnoError(errCode)}}if(flags&512&&!created){FS.truncate(node,0)}flags&=~(128|512|131072);var stream=FS.createStream({node,path:FS.getPath(node),flags,seekable:true,position:0,stream_ops:node.stream_ops,ungotten:[],error:false});if(stream.stream_ops.open){stream.stream_ops.open(stream)}if(created){FS.chmod(node,mode&511)}if(Module["logReadFiles"]&&!(flags&1)){if(!(path in FS.readFiles)){FS.readFiles[path]=1}}return stream},close(stream){if(FS.isClosed(stream)){throw new FS.ErrnoError(8)}if(stream.getdents)stream.getdents=null;try{if(stream.stream_ops.close){stream.stream_ops.close(stream)}}catch(e){throw e}finally{FS.closeStream(stream.fd)}stream.fd=null},isClosed(stream){return stream.fd===null},llseek(stream,offset,whence){if(FS.isClosed(stream)){throw new FS.ErrnoError(8)}if(!stream.seekable||!stream.stream_ops.llseek){throw new FS.ErrnoError(70)}if(whence!=0&&whence!=1&&whence!=2){throw new FS.ErrnoError(28)}stream.position=stream.stream_ops.llseek(stream,offset,whence);stream.ungotten=[];return stream.position},read(stream,buffer,offset,length,position){assert(offset>=0);if(length<0||position<0){throw new FS.ErrnoError(28)}if(FS.isClosed(stream)){throw new FS.ErrnoError(8)}if((stream.flags&2097155)===1){throw new FS.ErrnoError(8)}if(FS.isDir(stream.node.mode)){throw new FS.ErrnoError(31)}if(!stream.stream_ops.read){throw new FS.ErrnoError(28)}var seeking=typeof position!="undefined";if(!seeking){position=stream.position}else if(!stream.seekable){throw new FS.ErrnoError(70)}var bytesRead=stream.stream_ops.read(stream,buffer,offset,length,position);if(!seeking)stream.position+=bytesRead;return bytesRead},write(stream,buffer,offset,length,position,canOwn){assert(offset>=0);if(length<0||position<0){throw new FS.ErrnoError(28)}if(FS.isClosed(stream)){throw new FS.ErrnoError(8)}if((stream.flags&2097155)===0){throw new FS.ErrnoError(8)}if(FS.isDir(stream.node.mode)){throw new FS.ErrnoError(31)}if(!stream.stream_ops.write){throw new FS.ErrnoError(28)}if(stream.seekable&&stream.flags&1024){FS.llseek(stream,0,2)}var seeking=typeof position!="undefined";if(!seeking){position=stream.position}else if(!stream.seekable){throw new FS.ErrnoError(70)}var bytesWritten=stream.stream_ops.write(stream,buffer,offset,length,position,canOwn);if(!seeking)stream.position+=bytesWritten;return bytesWritten},mmap(stream,length,position,prot,flags){if((prot&2)!==0&&(flags&2)===0&&(stream.flags&2097155)!==2){throw new FS.ErrnoError(2)}if((stream.flags&2097155)===1){throw new FS.ErrnoError(2)}if(!stream.stream_ops.mmap){throw new FS.ErrnoError(43)}if(!length){throw new FS.ErrnoError(28)}return stream.stream_ops.mmap(stream,length,position,prot,flags)},msync(stream,buffer,offset,length,mmapFlags){assert(offset>=0);if(!stream.stream_ops.msync){return 0}return stream.stream_ops.msync(stream,buffer,offset,length,mmapFlags)},ioctl(stream,cmd,arg){if(!stream.stream_ops.ioctl){throw new FS.ErrnoError(59)}return stream.stream_ops.ioctl(stream,cmd,arg)},readFile(path,opts={}){opts.flags=opts.flags||0;opts.encoding=opts.encoding||"binary";if(opts.encoding!=="utf8"&&opts.encoding!=="binary"){abort(`Invalid encoding type "${opts.encoding}"`)}var stream=FS.open(path,opts.flags);var stat=FS.stat(path);var length=stat.size;var buf=new Uint8Array(length);FS.read(stream,buf,0,length,0);if(opts.encoding==="utf8"){buf=UTF8ArrayToString(buf)}FS.close(stream);return buf},writeFile(path,data,opts={}){opts.flags=opts.flags||577;var stream=FS.open(path,opts.flags,opts.mode);if(typeof data=="string"){data=new Uint8Array(intArrayFromString(data,true))}if(ArrayBuffer.isView(data)){FS.write(stream,data,0,data.byteLength,undefined,opts.canOwn)}else{abort("Unsupported data type")}FS.close(stream)},cwd:()=>FS.currentPath,chdir(path){var lookup=FS.lookupPath(path,{follow:true});if(lookup.node===null){throw new FS.ErrnoError(44)}if(!FS.isDir(lookup.node.mode)){throw new FS.ErrnoError(54)}var errCode=FS.nodePermissions(lookup.node,"x");if(errCode){throw new FS.ErrnoError(errCode)}FS.currentPath=lookup.path},createDefaultDirectories(){FS.mkdir("/tmp");FS.mkdir("/home");FS.mkdir("/home/web_user")},createDefaultDevices(){FS.mkdir("/dev");FS.registerDevice(FS.makedev(1,3),{read:()=>0,write:(stream,buffer,offset,length,pos)=>length,llseek:()=>0});FS.mkdev("/dev/null",FS.makedev(1,3));TTY.register(FS.makedev(5,0),TTY.default_tty_ops);TTY.register(FS.makedev(6,0),TTY.default_tty1_ops);FS.mkdev("/dev/tty",FS.makedev(5,0));FS.mkdev("/dev/tty1",FS.makedev(6,0));var randomBuffer=new Uint8Array(1024),randomLeft=0;var randomByte=()=>{if(randomLeft===0){randomFill(randomBuffer);randomLeft=randomBuffer.byteLength}return randomBuffer[--randomLeft]};FS.createDevice("/dev","random",randomByte);FS.createDevice("/dev","urandom",randomByte);FS.mkdir("/dev/shm");FS.mkdir("/dev/shm/tmp")},createSpecialDirectories(){FS.mkdir("/proc");var proc_self=FS.mkdir("/proc/self");FS.mkdir("/proc/self/fd");FS.mount({mount(){var node=FS.createNode(proc_self,"fd",16895,73);node.stream_ops={llseek:MEMFS.stream_ops.llseek};node.node_ops={lookup(parent,name){var fd=+name;var stream=FS.getStreamChecked(fd);var ret={parent:null,mount:{mountpoint:"fake"},node_ops:{readlink:()=>stream.path},id:fd+1};ret.parent=ret;return ret},readdir(){return Array.from(FS.streams.entries()).filter(([k,v])=>v).map(([k,v])=>k.toString())}};return node}},{},"/proc/self/fd")},createStandardStreams(input,output,error){if(input){FS.createDevice("/dev","stdin",input)}else{FS.symlink("/dev/tty","/dev/stdin")}if(output){FS.createDevice("/dev","stdout",null,output)}else{FS.symlink("/dev/tty","/dev/stdout")}if(error){FS.createDevice("/dev","stderr",null,error)}else{FS.symlink("/dev/tty1","/dev/stderr")}var stdin=FS.open("/dev/stdin",0);var stdout=FS.open("/dev/stdout",1);var stderr=FS.open("/dev/stderr",1);assert(stdin.fd===0,`invalid handle for stdin (${stdin.fd})`);assert(stdout.fd===1,`invalid handle for stdout (${stdout.fd})`);assert(stderr.fd===2,`invalid handle for stderr (${stderr.fd})`)},staticInit(){FS.nameTable=new Array(4096);FS.mount(MEMFS,{},"/");FS.createDefaultDirectories();FS.createDefaultDevices();FS.createSpecialDirectories();FS.filesystems={MEMFS,IDBFS}},init(input,output,error){assert(!FS.initialized,"FS.init was previously called. If you want to initialize later with custom parameters, remove any earlier calls (note that one is automatically added to the generated code)");FS.initialized=true;input??=Module["stdin"];output??=Module["stdout"];error??=Module["stderr"];FS.createStandardStreams(input,output,error)},quit(){FS.initialized=false;_fflush(0);for(var stream of FS.streams){if(stream){FS.close(stream)}}},findObject(path,dontResolveLastLink){var ret=FS.analyzePath(path,dontResolveLastLink);if(!ret.exists){return null}return ret.object},analyzePath(path,dontResolveLastLink){try{var lookup=FS.lookupPath(path,{follow:!dontResolveLastLink});path=lookup.path}catch(e){}var ret={isRoot:false,exists:false,error:0,name:null,path:null,object:null,parentExists:false,parentPath:null,parentObject:null};try{var lookup=FS.lookupPath(path,{parent:true});ret.parentExists=true;ret.parentPath=lookup.path;ret.parentObject=lookup.node;ret.name=PATH.basename(path);lookup=FS.lookupPath(path,{follow:!dontResolveLastLink});ret.exists=true;ret.path=lookup.path;ret.object=lookup.node;ret.name=lookup.node.name;ret.isRoot=lookup.path==="/"}catch(e){ret.error=e.errno}return ret},createPath(parent,path,canRead,canWrite){parent=typeof parent=="string"?parent:FS.getPath(parent);var parts=path.split("/").reverse();while(parts.length){var part=parts.pop();if(!part)continue;var current=PATH.join2(parent,part);try{FS.mkdir(current)}catch(e){if(e.errno!=20)throw e}parent=current}return current},createFile(parent,name,properties,canRead,canWrite){var path=PATH.join2(typeof parent=="string"?parent:FS.getPath(parent),name);var mode=FS_getMode(canRead,canWrite);return FS.create(path,mode)},createDataFile(parent,name,data,canRead,canWrite,canOwn){var path=name;if(parent){parent=typeof parent=="string"?parent:FS.getPath(parent);path=name?PATH.join2(parent,name):parent}var mode=FS_getMode(canRead,canWrite);var node=FS.create(path,mode);if(data){if(typeof data=="string"){var arr=new Array(data.length);for(var i=0,len=data.length;ithis.length-1||idx<0){return undefined}var chunkOffset=idx%this.chunkSize;var chunkNum=idx/this.chunkSize|0;return this.getter(chunkNum)[chunkOffset]}setDataGetter(getter){this.getter=getter}cacheLength(){var xhr=new XMLHttpRequest;xhr.open("HEAD",url,false);xhr.send(null);if(!(xhr.status>=200&&xhr.status<300||xhr.status===304))abort("Couldn't load "+url+". Status: "+xhr.status);var datalength=Number(xhr.getResponseHeader("Content-length"));var header;var hasByteServing=(header=xhr.getResponseHeader("Accept-Ranges"))&&header==="bytes";var usesGzip=(header=xhr.getResponseHeader("Content-Encoding"))&&header==="gzip";var chunkSize=1024*1024;if(!hasByteServing)chunkSize=datalength;var doXHR=(from,to)=>{if(from>to)abort("invalid range ("+from+", "+to+") or no bytes requested!");if(to>datalength-1)abort("only "+datalength+" bytes available! programmer error!");var xhr=new XMLHttpRequest;xhr.open("GET",url,false);if(datalength!==chunkSize)xhr.setRequestHeader("Range","bytes="+from+"-"+to);xhr.responseType="arraybuffer";if(xhr.overrideMimeType){xhr.overrideMimeType("text/plain; charset=x-user-defined")}xhr.send(null);if(!(xhr.status>=200&&xhr.status<300||xhr.status===304))abort("Couldn't load "+url+". Status: "+xhr.status);if(xhr.response!==undefined){return new Uint8Array(xhr.response||[])}return intArrayFromString(xhr.responseText||"",true)};var lazyArray=this;lazyArray.setDataGetter(chunkNum=>{var start=chunkNum*chunkSize;var end=(chunkNum+1)*chunkSize-1;end=Math.min(end,datalength-1);if(typeof lazyArray.chunks[chunkNum]=="undefined"){lazyArray.chunks[chunkNum]=doXHR(start,end)}if(typeof lazyArray.chunks[chunkNum]=="undefined")abort("doXHR failed!");return lazyArray.chunks[chunkNum]});if(usesGzip||!datalength){chunkSize=datalength=1;datalength=this.getter(0).length;chunkSize=datalength;out("LazyFiles on gzip forces download of the whole file when length is accessed")}this._length=datalength;this._chunkSize=chunkSize;this.lengthKnown=true}get length(){if(!this.lengthKnown){this.cacheLength()}return this._length}get chunkSize(){if(!this.lengthKnown){this.cacheLength()}return this._chunkSize}}if(globalThis.XMLHttpRequest){if(!ENVIRONMENT_IS_WORKER)abort("Cannot do synchronous binary XHRs outside webworkers in modern browsers. Use --embed-file or --preload-file in emcc");var lazyArray=new LazyUint8Array;var properties={isDevice:false,contents:lazyArray}}else{var properties={isDevice:false,url}}var node=FS.createFile(parent,name,properties,canRead,canWrite);if(properties.contents){node.contents=properties.contents}else if(properties.url){node.contents=null;node.url=properties.url}Object.defineProperties(node,{usedBytes:{get:function(){return this.contents.length}}});var stream_ops={};var keys=Object.keys(node.stream_ops);keys.forEach(key=>{var fn=node.stream_ops[key];stream_ops[key]=(...args)=>{FS.forceLoadFile(node);return fn(...args)}});function writeChunks(stream,buffer,offset,length,position){var contents=stream.node.contents;if(position>=contents.length)return 0;var size=Math.min(contents.length-position,length);assert(size>=0);if(contents.slice){for(var i=0;i{FS.forceLoadFile(node);return writeChunks(stream,buffer,offset,length,position)};stream_ops.mmap=(stream,length,position,prot,flags)=>{FS.forceLoadFile(node);var ptr=mmapAlloc(length);if(!ptr){throw new FS.ErrnoError(48)}writeChunks(stream,HEAP8,ptr,length,position);return{ptr,allocated:true}};node.stream_ops=stream_ops;return node},absolutePath(){abort("FS.absolutePath has been removed; use PATH_FS.resolve instead")},createFolder(){abort("FS.createFolder has been removed; use FS.mkdir instead")},createLink(){abort("FS.createLink has been removed; use FS.symlink instead")},joinPath(){abort("FS.joinPath has been removed; use PATH.join instead")},mmapAlloc(){abort("FS.mmapAlloc has been replaced by the top level function mmapAlloc")},standardizePath(){abort("FS.standardizePath has been removed; use PATH.normalize instead")}};var SYSCALLS={DEFAULT_POLLMASK:5,calculateAt(dirfd,path,allowEmpty){if(PATH.isAbs(path)){return path}var dir;if(dirfd===-100){dir=FS.cwd()}else{var dirstream=SYSCALLS.getStreamFromFD(dirfd);dir=dirstream.path}if(path.length==0){if(!allowEmpty){throw new FS.ErrnoError(44)}return dir}return dir+"/"+path},writeStat(buf,stat){HEAPU32[buf>>2]=stat.dev;HEAPU32[buf+4>>2]=stat.mode;HEAPU32[buf+8>>2]=stat.nlink;HEAPU32[buf+12>>2]=stat.uid;HEAPU32[buf+16>>2]=stat.gid;HEAPU32[buf+20>>2]=stat.rdev;tempI64=[stat.size>>>0,(tempDouble=stat.size,+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[buf+24>>2]=tempI64[0],HEAP32[buf+28>>2]=tempI64[1];HEAP32[buf+32>>2]=4096;HEAP32[buf+36>>2]=stat.blocks;var atime=stat.atime.getTime();var mtime=stat.mtime.getTime();var ctime=stat.ctime.getTime();tempI64=[Math.floor(atime/1e3)>>>0,(tempDouble=Math.floor(atime/1e3),+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[buf+40>>2]=tempI64[0],HEAP32[buf+44>>2]=tempI64[1];HEAPU32[buf+48>>2]=atime%1e3*1e3*1e3;tempI64=[Math.floor(mtime/1e3)>>>0,(tempDouble=Math.floor(mtime/1e3),+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[buf+56>>2]=tempI64[0],HEAP32[buf+60>>2]=tempI64[1];HEAPU32[buf+64>>2]=mtime%1e3*1e3*1e3;tempI64=[Math.floor(ctime/1e3)>>>0,(tempDouble=Math.floor(ctime/1e3),+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[buf+72>>2]=tempI64[0],HEAP32[buf+76>>2]=tempI64[1];HEAPU32[buf+80>>2]=ctime%1e3*1e3*1e3;tempI64=[stat.ino>>>0,(tempDouble=stat.ino,+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[buf+88>>2]=tempI64[0],HEAP32[buf+92>>2]=tempI64[1];return 0},writeStatFs(buf,stats){HEAPU32[buf+4>>2]=stats.bsize;HEAPU32[buf+60>>2]=stats.bsize;tempI64=[stats.blocks>>>0,(tempDouble=stats.blocks,+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[buf+8>>2]=tempI64[0],HEAP32[buf+12>>2]=tempI64[1];tempI64=[stats.bfree>>>0,(tempDouble=stats.bfree,+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[buf+16>>2]=tempI64[0],HEAP32[buf+20>>2]=tempI64[1];tempI64=[stats.bavail>>>0,(tempDouble=stats.bavail,+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[buf+24>>2]=tempI64[0],HEAP32[buf+28>>2]=tempI64[1];tempI64=[stats.files>>>0,(tempDouble=stats.files,+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[buf+32>>2]=tempI64[0],HEAP32[buf+36>>2]=tempI64[1];tempI64=[stats.ffree>>>0,(tempDouble=stats.ffree,+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[buf+40>>2]=tempI64[0],HEAP32[buf+44>>2]=tempI64[1];HEAPU32[buf+48>>2]=stats.fsid;HEAPU32[buf+64>>2]=stats.flags;HEAPU32[buf+56>>2]=stats.namelen},doMsync(addr,stream,len,flags,offset){if(!FS.isFile(stream.node.mode)){throw new FS.ErrnoError(43)}if(flags&2){return 0}var buffer=HEAPU8.slice(addr,addr+len);FS.msync(stream,buffer,offset,len,flags)},getStreamFromFD(fd){var stream=FS.getStreamChecked(fd);return stream},varargs:undefined,getStr(ptr){var ret=UTF8ToString(ptr);return ret}};function ___syscall_dup(fd){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(3,0,1,fd);try{var old=SYSCALLS.getStreamFromFD(fd);return FS.dupStream(old).fd}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}function ___syscall_faccessat(dirfd,path,amode,flags){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(4,0,1,dirfd,path,amode,flags);try{path=SYSCALLS.getStr(path);assert(!flags||flags==512);path=SYSCALLS.calculateAt(dirfd,path);if(amode&~7){return-28}var lookup=FS.lookupPath(path,{follow:true});var node=lookup.node;if(!node){return-44}var perms="";if(amode&4)perms+="r";if(amode&2)perms+="w";if(amode&1)perms+="x";if(perms&&FS.nodePermissions(node,perms)){return-2}return 0}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}var syscallGetVarargI=()=>{assert(SYSCALLS.varargs!=undefined);var ret=HEAP32[+SYSCALLS.varargs>>2];SYSCALLS.varargs+=4;return ret};var syscallGetVarargP=syscallGetVarargI;function ___syscall_fcntl64(fd,cmd,varargs){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(5,0,1,fd,cmd,varargs);SYSCALLS.varargs=varargs;try{var stream=SYSCALLS.getStreamFromFD(fd);switch(cmd){case 0:{var arg=syscallGetVarargI();if(arg<0){return-28}while(FS.streams[arg]){arg++}var newStream;newStream=FS.dupStream(stream,arg);return newStream.fd}case 1:case 2:return 0;case 3:return stream.flags;case 4:{var arg=syscallGetVarargI();stream.flags|=arg;return 0}case 12:{var arg=syscallGetVarargP();var offset=0;HEAP16[arg+offset>>1]=2;return 0}case 13:case 14:return 0}return-28}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}function ___syscall_fstat64(fd,buf){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(6,0,1,fd,buf);try{return SYSCALLS.writeStat(buf,FS.fstat(fd))}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}var convertI32PairToI53Checked=(lo,hi)=>{assert(lo==lo>>>0||lo==(lo|0));assert(hi===(hi|0));return hi+2097152>>>0<4194305-!!lo?(lo>>>0)+hi*4294967296:NaN};function ___syscall_ftruncate64(fd,length_low,length_high){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(7,0,1,fd,length_low,length_high);var length=convertI32PairToI53Checked(length_low,length_high);try{if(isNaN(length))return-61;FS.ftruncate(fd,length);return 0}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}var stringToUTF8=(str,outPtr,maxBytesToWrite)=>{assert(typeof maxBytesToWrite=="number","stringToUTF8(str, outPtr, maxBytesToWrite) is missing the third parameter that specifies the length of the output buffer!");return stringToUTF8Array(str,HEAPU8,outPtr,maxBytesToWrite)};function ___syscall_getdents64(fd,dirp,count){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(8,0,1,fd,dirp,count);try{var stream=SYSCALLS.getStreamFromFD(fd);stream.getdents||=FS.readdir(stream.path);var struct_size=280;var pos=0;var off=FS.llseek(stream,0,1);var startIdx=Math.floor(off/struct_size);var endIdx=Math.min(stream.getdents.length,startIdx+Math.floor(count/struct_size));for(var idx=startIdx;idx>>0,(tempDouble=id,+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[dirp+pos>>2]=tempI64[0],HEAP32[dirp+pos+4>>2]=tempI64[1];tempI64=[(idx+1)*struct_size>>>0,(tempDouble=(idx+1)*struct_size,+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[dirp+pos+8>>2]=tempI64[0],HEAP32[dirp+pos+12>>2]=tempI64[1];HEAP16[dirp+pos+16>>1]=280;HEAP8[dirp+pos+18]=type;stringToUTF8(name,dirp+pos+19,256);pos+=struct_size}FS.llseek(stream,idx*struct_size,0);return pos}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}function ___syscall_ioctl(fd,op,varargs){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(9,0,1,fd,op,varargs);SYSCALLS.varargs=varargs;try{var stream=SYSCALLS.getStreamFromFD(fd);switch(op){case 21509:{if(!stream.tty)return-59;return 0}case 21505:{if(!stream.tty)return-59;if(stream.tty.ops.ioctl_tcgets){var termios=stream.tty.ops.ioctl_tcgets(stream);var argp=syscallGetVarargP();HEAP32[argp>>2]=termios.c_iflag||0;HEAP32[argp+4>>2]=termios.c_oflag||0;HEAP32[argp+8>>2]=termios.c_cflag||0;HEAP32[argp+12>>2]=termios.c_lflag||0;for(var i=0;i<32;i++){HEAP8[argp+i+17]=termios.c_cc[i]||0}return 0}return 0}case 21510:case 21511:case 21512:{if(!stream.tty)return-59;return 0}case 21506:case 21507:case 21508:{if(!stream.tty)return-59;if(stream.tty.ops.ioctl_tcsets){var argp=syscallGetVarargP();var c_iflag=HEAP32[argp>>2];var c_oflag=HEAP32[argp+4>>2];var c_cflag=HEAP32[argp+8>>2];var c_lflag=HEAP32[argp+12>>2];var c_cc=[];for(var i=0;i<32;i++){c_cc.push(HEAP8[argp+i+17])}return stream.tty.ops.ioctl_tcsets(stream.tty,op,{c_iflag,c_oflag,c_cflag,c_lflag,c_cc})}return 0}case 21519:{if(!stream.tty)return-59;var argp=syscallGetVarargP();HEAP32[argp>>2]=0;return 0}case 21520:{if(!stream.tty)return-59;return-28}case 21537:case 21531:{var argp=syscallGetVarargP();return FS.ioctl(stream,op,argp)}case 21523:{if(!stream.tty)return-59;if(stream.tty.ops.ioctl_tiocgwinsz){var winsize=stream.tty.ops.ioctl_tiocgwinsz(stream.tty);var argp=syscallGetVarargP();HEAP16[argp>>1]=winsize[0];HEAP16[argp+2>>1]=winsize[1]}return 0}case 21524:{if(!stream.tty)return-59;return 0}case 21515:{if(!stream.tty)return-59;return 0}default:return-28}}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}function ___syscall_lstat64(path,buf){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(10,0,1,path,buf);try{path=SYSCALLS.getStr(path);return SYSCALLS.writeStat(buf,FS.lstat(path))}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}function ___syscall_newfstatat(dirfd,path,buf,flags){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(11,0,1,dirfd,path,buf,flags);try{path=SYSCALLS.getStr(path);var nofollow=flags&256;var allowEmpty=flags&4096;flags=flags&~6400;assert(!flags,`unknown flags in __syscall_newfstatat: ${flags}`);path=SYSCALLS.calculateAt(dirfd,path,allowEmpty);return SYSCALLS.writeStat(buf,nofollow?FS.lstat(path):FS.stat(path))}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}function ___syscall_openat(dirfd,path,flags,varargs){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(12,0,1,dirfd,path,flags,varargs);SYSCALLS.varargs=varargs;try{path=SYSCALLS.getStr(path);path=SYSCALLS.calculateAt(dirfd,path);var mode=varargs?syscallGetVarargI():0;return FS.open(path,flags,mode).fd}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}function ___syscall_stat64(path,buf){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(13,0,1,path,buf);try{path=SYSCALLS.getStr(path);return SYSCALLS.writeStat(buf,FS.stat(path))}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}var __abort_js=()=>abort("native code called abort()");var __embind_register_bigint=(primitiveType,name,size,minRange,maxRange)=>{};var AsciiToString=ptr=>{var str="";while(1){var ch=HEAPU8[ptr++];if(!ch)return str;str+=String.fromCharCode(ch)}};var awaitingDependencies={};var registeredTypes={};var typeDependencies={};var BindingError=class BindingError extends Error{constructor(message){super(message);this.name="BindingError"}};var throwBindingError=message=>{throw new BindingError(message)};function sharedRegisterType(rawType,registeredInstance,options={}){var name=registeredInstance.name;if(!rawType){throwBindingError(`type "${name}" must have a positive integer typeid pointer`)}if(registeredTypes.hasOwnProperty(rawType)){if(options.ignoreDuplicateRegistrations){return}else{throwBindingError(`Cannot register type '${name}' twice`)}}registeredTypes[rawType]=registeredInstance;delete typeDependencies[rawType];if(awaitingDependencies.hasOwnProperty(rawType)){var callbacks=awaitingDependencies[rawType];delete awaitingDependencies[rawType];callbacks.forEach(cb=>cb())}}function registerType(rawType,registeredInstance,options={}){return sharedRegisterType(rawType,registeredInstance,options)}var __embind_register_bool=(rawType,name,trueValue,falseValue)=>{name=AsciiToString(name);registerType(rawType,{name,fromWireType:function(wt){return!!wt},toWireType:function(destructors,o){return o?trueValue:falseValue},readValueFromPointer:function(pointer){return this.fromWireType(HEAPU8[pointer])},destructorFunction:null})};var emval_freelist=[];var emval_handles=[0,1,,1,null,1,true,1,false,1];var __emval_decref=handle=>{if(handle>9&&0===--emval_handles[handle+1]){assert(emval_handles[handle]!==undefined,`Decref for unallocated handle.`);emval_handles[handle]=undefined;emval_freelist.push(handle)}};var Emval={toValue:handle=>{if(!handle){throwBindingError(`Cannot use deleted val. handle = ${handle}`)}assert(handle===2||emval_handles[handle]!==undefined&&handle%2===0,`invalid handle: ${handle}`);return emval_handles[handle]},toHandle:value=>{switch(value){case undefined:return 2;case null:return 4;case true:return 6;case false:return 8;default:{const handle=emval_freelist.pop()||emval_handles.length;emval_handles[handle]=value;emval_handles[handle+1]=1;return handle}}}};function readPointer(pointer){return this.fromWireType(HEAPU32[pointer>>2])}var EmValType={name:"emscripten::val",fromWireType:handle=>{var rv=Emval.toValue(handle);__emval_decref(handle);return rv},toWireType:(destructors,value)=>Emval.toHandle(value),readValueFromPointer:readPointer,destructorFunction:null};var __embind_register_emval=rawType=>registerType(rawType,EmValType);var floatReadValueFromPointer=(name,width)=>{switch(width){case 4:return function(pointer){return this.fromWireType(HEAPF32[pointer>>2])};case 8:return function(pointer){return this.fromWireType(HEAPF64[pointer>>3])};default:throw new TypeError(`invalid float width (${width}): ${name}`)}};var embindRepr=v=>{if(v===null){return"null"}var t=typeof v;if(t==="object"||t==="array"||t==="function"){return v.toString()}else{return""+v}};var __embind_register_float=(rawType,name,size)=>{name=AsciiToString(name);registerType(rawType,{name,fromWireType:value=>value,toWireType:(destructors,value)=>{if(typeof value!="number"&&typeof value!="boolean"){throw new TypeError(`Cannot convert ${embindRepr(value)} to ${this.name}`)}return value},readValueFromPointer:floatReadValueFromPointer(name,size),destructorFunction:null})};var integerReadValueFromPointer=(name,width,signed)=>{switch(width){case 1:return signed?pointer=>HEAP8[pointer]:pointer=>HEAPU8[pointer];case 2:return signed?pointer=>HEAP16[pointer>>1]:pointer=>HEAPU16[pointer>>1];case 4:return signed?pointer=>HEAP32[pointer>>2]:pointer=>HEAPU32[pointer>>2];default:throw new TypeError(`invalid integer width (${width}): ${name}`)}};var assertIntegerRange=(typeName,value,minRange,maxRange)=>{if(valuemaxRange){throw new TypeError(`Passing a number "${embindRepr(value)}" from JS side to C/C++ side to an argument of type "${typeName}", which is outside the valid range [${minRange}, ${maxRange}]!`)}};var __embind_register_integer=(primitiveType,name,size,minRange,maxRange)=>{name=AsciiToString(name);const isUnsignedType=minRange===0;let fromWireType=value=>value;if(isUnsignedType){var bitshift=32-8*size;fromWireType=value=>value<>>bitshift;maxRange=fromWireType(maxRange)}registerType(primitiveType,{name,fromWireType,toWireType:(destructors,value)=>{if(typeof value!="number"&&typeof value!="boolean"){throw new TypeError(`Cannot convert "${embindRepr(value)}" to ${name}`)}assertIntegerRange(name,value,minRange,maxRange);return value},readValueFromPointer:integerReadValueFromPointer(name,size,minRange!==0),destructorFunction:null})};var __embind_register_memory_view=(rawType,dataTypeIndex,name)=>{var typeMapping=[Int8Array,Uint8Array,Int16Array,Uint16Array,Int32Array,Uint32Array,Float32Array,Float64Array];var TA=typeMapping[dataTypeIndex];function decodeMemoryView(handle){var size=HEAPU32[handle>>2];var data=HEAPU32[handle+4>>2];return new TA(HEAP8.buffer,data,size)}name=AsciiToString(name);registerType(rawType,{name,fromWireType:decodeMemoryView,readValueFromPointer:decodeMemoryView},{ignoreDuplicateRegistrations:true})};var __embind_register_std_string=(rawType,name)=>{name=AsciiToString(name);var stdStringIsUTF8=true;registerType(rawType,{name,fromWireType(value){var length=HEAPU32[value>>2];var payload=value+4;var str;if(stdStringIsUTF8){str=UTF8ToString(payload,length,true)}else{str="";for(var i=0;i>2]=length;if(valueIsOfTypeString){if(stdStringIsUTF8){stringToUTF8(value,ptr,length+1)}else{for(var i=0;i255){_free(base);throwBindingError("String has UTF-16 code units that do not fit in 8 bits")}HEAPU8[ptr+i]=charCode}}}else{HEAPU8.set(value,ptr)}if(destructors!==null){destructors.push(_free,base)}return base},readValueFromPointer:readPointer,destructorFunction(ptr){_free(ptr)}})};var UTF16Decoder=new TextDecoder("utf-16le");var UTF16ToString=(ptr,maxBytesToRead,ignoreNul)=>{assert(ptr%2==0,"Pointer passed to UTF16ToString must be aligned to two bytes!");var idx=ptr>>1;var endIdx=findStringEnd(HEAPU16,idx,maxBytesToRead/2,ignoreNul);return UTF16Decoder.decode(HEAPU16.buffer instanceof ArrayBuffer?HEAPU16.subarray(idx,endIdx):HEAPU16.slice(idx,endIdx))};var stringToUTF16=(str,outPtr,maxBytesToWrite)=>{assert(outPtr%2==0,"Pointer passed to stringToUTF16 must be aligned to two bytes!");assert(typeof maxBytesToWrite=="number","stringToUTF16(str, outPtr, maxBytesToWrite) is missing the third parameter that specifies the length of the output buffer!");maxBytesToWrite??=2147483647;if(maxBytesToWrite<2)return 0;maxBytesToWrite-=2;var startPtr=outPtr;var numCharsToWrite=maxBytesToWrite>1]=codeUnit;outPtr+=2}HEAP16[outPtr>>1]=0;return outPtr-startPtr};var lengthBytesUTF16=str=>str.length*2;var UTF32ToString=(ptr,maxBytesToRead,ignoreNul)=>{assert(ptr%4==0,"Pointer passed to UTF32ToString must be aligned to four bytes!");var str="";var startIdx=ptr>>2;for(var i=0;!(i>=maxBytesToRead/4);i++){var utf32=HEAPU32[startIdx+i];if(!utf32&&!ignoreNul)break;str+=String.fromCodePoint(utf32)}return str};var stringToUTF32=(str,outPtr,maxBytesToWrite)=>{assert(outPtr%4==0,"Pointer passed to stringToUTF32 must be aligned to four bytes!");assert(typeof maxBytesToWrite=="number","stringToUTF32(str, outPtr, maxBytesToWrite) is missing the third parameter that specifies the length of the output buffer!");maxBytesToWrite??=2147483647;if(maxBytesToWrite<4)return 0;var startPtr=outPtr;var endPtr=startPtr+maxBytesToWrite-4;for(var i=0;i65535){i++}HEAP32[outPtr>>2]=codePoint;outPtr+=4;if(outPtr+4>endPtr)break}HEAP32[outPtr>>2]=0;return outPtr-startPtr};var lengthBytesUTF32=str=>{var len=0;for(var i=0;i65535){i++}len+=4}return len};var __embind_register_std_wstring=(rawType,charSize,name)=>{name=AsciiToString(name);var decodeString,encodeString,lengthBytesUTF;if(charSize===2){decodeString=UTF16ToString;encodeString=stringToUTF16;lengthBytesUTF=lengthBytesUTF16}else{assert(charSize===4,"only 2-byte and 4-byte strings are currently supported");decodeString=UTF32ToString;encodeString=stringToUTF32;lengthBytesUTF=lengthBytesUTF32}registerType(rawType,{name,fromWireType:value=>{var length=HEAPU32[value>>2];var str=decodeString(value+4,length*charSize,true);_free(value);return str},toWireType:(destructors,value)=>{if(!(typeof value=="string")){throwBindingError(`Cannot pass non-string to C++ string type ${name}`)}var length=lengthBytesUTF(value);var ptr=_malloc(4+length+charSize);HEAPU32[ptr>>2]=length/charSize;encodeString(value,ptr+4,length+charSize);if(destructors!==null){destructors.push(_free,ptr)}return ptr},readValueFromPointer:readPointer,destructorFunction(ptr){_free(ptr)}})};var __embind_register_void=(rawType,name)=>{name=AsciiToString(name);registerType(rawType,{isVoid:true,name,fromWireType:()=>undefined,toWireType:(destructors,o)=>undefined})};var __emscripten_init_main_thread_js=tb=>{__emscripten_thread_init(tb,!ENVIRONMENT_IS_WORKER,1,!ENVIRONMENT_IS_WEB,65536,false);PThread.threadInitTLS()};var handleException=e=>{if(e instanceof ExitStatus||e=="unwind"){return EXITSTATUS}checkStackCookie();if(e instanceof WebAssembly.RuntimeError){if(_emscripten_stack_get_current()<=0){err("Stack overflow detected. You can try increasing -sSTACK_SIZE (currently set to 65536)")}}quit_(1,e)};var maybeExit=()=>{if(!keepRuntimeAlive()){try{if(ENVIRONMENT_IS_PTHREAD){if(_pthread_self())__emscripten_thread_exit(EXITSTATUS);return}_exit(EXITSTATUS)}catch(e){handleException(e)}}};var callUserCallback=func=>{if(ABORT){err("user callback triggered after runtime exited or application aborted. Ignoring.");return}try{func();maybeExit()}catch(e){handleException(e)}};var __emscripten_thread_mailbox_await=pthread_ptr=>{if(Atomics.waitAsync){var wait=Atomics.waitAsync(HEAP32,pthread_ptr>>2,pthread_ptr);assert(wait.async);wait.value.then(checkMailbox);var waitingAsync=pthread_ptr+128;Atomics.store(HEAP32,waitingAsync>>2,1)}};var checkMailbox=()=>callUserCallback(()=>{var pthread_ptr=_pthread_self();if(pthread_ptr){__emscripten_thread_mailbox_await(pthread_ptr);__emscripten_check_mailbox()}});var __emscripten_notify_mailbox_postmessage=(targetThread,currThreadId)=>{if(targetThread==currThreadId){setTimeout(checkMailbox)}else if(ENVIRONMENT_IS_PTHREAD){postMessage({targetThread,cmd:"checkMailbox"})}else{var worker=PThread.pthreads[targetThread];if(!worker){err(`Cannot send message to thread with ID ${targetThread}, unknown thread ID!`);return}worker.postMessage({cmd:"checkMailbox"})}};var proxiedJSCallArgs=[];var __emscripten_receive_on_main_thread_js=(funcIndex,emAsmAddr,callingThread,numCallArgs,args)=>{proxiedJSCallArgs.length=numCallArgs;var b=args>>3;for(var i=0;i{if(!ENVIRONMENT_IS_PTHREAD)cleanupThread(thread);else postMessage({cmd:"cleanupThread",thread})};var __emscripten_thread_set_strongref=thread=>{if(ENVIRONMENT_IS_NODE){PThread.pthreads[thread].ref()}};function __mmap_js(len,prot,flags,fd,offset_low,offset_high,allocated,addr){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(14,0,1,len,prot,flags,fd,offset_low,offset_high,allocated,addr);var offset=convertI32PairToI53Checked(offset_low,offset_high);try{assert(!isNaN(offset));var stream=SYSCALLS.getStreamFromFD(fd);var res=FS.mmap(stream,len,offset,prot,flags);var ptr=res.ptr;HEAP32[allocated>>2]=res.allocated;HEAPU32[addr>>2]=ptr;return 0}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}function __munmap_js(addr,len,prot,flags,fd,offset_low,offset_high){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(15,0,1,addr,len,prot,flags,fd,offset_low,offset_high);var offset=convertI32PairToI53Checked(offset_low,offset_high);try{var stream=SYSCALLS.getStreamFromFD(fd);if(prot&2){SYSCALLS.doMsync(addr,stream,len,flags,offset)}}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return-e.errno}}var __tzset_js=(timezone,daylight,std_name,dst_name)=>{var currentYear=(new Date).getFullYear();var winter=new Date(currentYear,0,1);var summer=new Date(currentYear,6,1);var winterOffset=winter.getTimezoneOffset();var summerOffset=summer.getTimezoneOffset();var stdTimezoneOffset=Math.max(winterOffset,summerOffset);HEAPU32[timezone>>2]=stdTimezoneOffset*60;HEAP32[daylight>>2]=Number(winterOffset!=summerOffset);var extractZone=timezoneOffset=>{var sign=timezoneOffset>=0?"-":"+";var absOffset=Math.abs(timezoneOffset);var hours=String(Math.floor(absOffset/60)).padStart(2,"0");var minutes=String(absOffset%60).padStart(2,"0");return`UTC${sign}${hours}${minutes}`};var winterName=extractZone(winterOffset);var summerName=extractZone(summerOffset);assert(winterName);assert(summerName);assert(lengthBytesUTF8(winterName)<=16,`timezone name truncated to fit in TZNAME_MAX (${winterName})`);assert(lengthBytesUTF8(summerName)<=16,`timezone name truncated to fit in TZNAME_MAX (${summerName})`);if(summerOffsetperformance.timeOrigin+performance.now();var _emscripten_date_now=()=>Date.now();var nowIsMonotonic=1;var checkWasiClock=clock_id=>clock_id>=0&&clock_id<=3;function _clock_time_get(clk_id,ignored_precision_low,ignored_precision_high,ptime){var ignored_precision=convertI32PairToI53Checked(ignored_precision_low,ignored_precision_high);if(!checkWasiClock(clk_id)){return 28}var now;if(clk_id===0){now=_emscripten_date_now()}else if(nowIsMonotonic){now=_emscripten_get_now()}else{return 52}var nsec=Math.round(now*1e3*1e3);tempI64=[nsec>>>0,(tempDouble=nsec,+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[ptime>>2]=tempI64[0],HEAP32[ptime+4>>2]=tempI64[1];return 0}var _emscripten_check_blocking_allowed=()=>{if(ENVIRONMENT_IS_NODE)return;if(ENVIRONMENT_IS_WORKER)return;warnOnce("Blocking on the main thread is very dangerous, see https://emscripten.org/docs/porting/pthreads.html#blocking-on-the-main-browser-thread")};var _emscripten_errn=(str,len)=>err(UTF8ToString(str,len));var runtimeKeepalivePush=()=>{runtimeKeepaliveCounter+=1};var _emscripten_exit_with_live_runtime=()=>{runtimeKeepalivePush();throw"unwind"};var getHeapMax=()=>HEAPU8.length;var _emscripten_get_heap_max=()=>getHeapMax();var _emscripten_num_logical_cores=()=>ENVIRONMENT_IS_NODE?require("os").cpus().length:navigator["hardwareConcurrency"];var UNWIND_CACHE={};var stringToNewUTF8=str=>{var size=lengthBytesUTF8(str)+1;var ret=_malloc(size);if(ret)stringToUTF8(str,ret,size);return ret};var convertFrameToPC=frame=>{var match;if(match=/\bwasm-function\[\d+\]:(0x[0-9a-f]+)/.exec(frame)){return+match[1]}else if(match=/\bwasm-function\[(\d+)\]:(\d+)/.exec(frame)){warnOnce("legacy backtrace format detected, this version of v8 is no longer supported by the emscripten backtrace mechanism")}else if(match=/:(\d+):\d+(?:\)|$)/.exec(frame)){return 2147483648|+match[1]}return 0};var saveInUnwindCache=callstack=>{for(var line of callstack){var pc=convertFrameToPC(line);if(pc){UNWIND_CACHE[pc]=line}}};var jsStackTrace=()=>(new Error).stack.toString();var _emscripten_stack_snapshot=()=>{var callstack=jsStackTrace().split("\n");if(callstack[0]=="Error"){callstack.shift()}saveInUnwindCache(callstack);UNWIND_CACHE.last_addr=convertFrameToPC(callstack[3]);UNWIND_CACHE.last_stack=callstack;return UNWIND_CACHE.last_addr};var _emscripten_pc_get_function=pc=>{var frame=UNWIND_CACHE[pc];if(!frame)return 0;var name;var match;if(match=/^\s+at .*\.wasm\.(.*) \(.*\)$/.exec(frame)){name=match[1]}else if(match=/^\s+at (.*) \(.*\)$/.exec(frame)){name=match[1]}else if(match=/^(.+?)@/.exec(frame)){name=match[1]}else{return 0}_free(_emscripten_pc_get_function.ret??0);_emscripten_pc_get_function.ret=stringToNewUTF8(name);return _emscripten_pc_get_function.ret};var abortOnCannotGrowMemory=requestedSize=>{abort(`Cannot enlarge memory arrays to size ${requestedSize} bytes (OOM). Either (1) compile with -sINITIAL_MEMORY=X with X higher than the current value ${HEAP8.length}, (2) compile with -sALLOW_MEMORY_GROWTH which allows increasing the size at runtime, or (3) if you want malloc to return NULL (0) instead of this abort, compile with -sABORTING_MALLOC=0`)};var _emscripten_resize_heap=requestedSize=>{var oldSize=HEAPU8.length;requestedSize>>>=0;abortOnCannotGrowMemory(requestedSize)};var _emscripten_stack_unwind_buffer=(addr,buffer,count)=>{var stack;if(UNWIND_CACHE.last_addr==addr){stack=UNWIND_CACHE.last_stack}else{stack=jsStackTrace().split("\n");if(stack[0]=="Error"){stack.shift()}saveInUnwindCache(stack)}var offset=3;while(stack[offset]&&convertFrameToPC(stack[offset])!=addr){++offset}for(var i=0;i>2]=convertFrameToPC(stack[i+offset])}return i};var ENV={};var getExecutableName=()=>thisProgram||"./this.program";var getEnvStrings=()=>{if(!getEnvStrings.strings){var lang=(typeof navigator=="object"&&navigator.language||"C").replace("-","_")+".UTF-8";var env={USER:"web_user",LOGNAME:"web_user",PATH:"/",PWD:"/",HOME:"/home/web_user",LANG:lang,_:getExecutableName()};for(var x in ENV){if(ENV[x]===undefined)delete env[x];else env[x]=ENV[x]}var strings=[];for(var x in env){strings.push(`${x}=${env[x]}`)}getEnvStrings.strings=strings}return getEnvStrings.strings};function _environ_get(__environ,environ_buf){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(16,0,1,__environ,environ_buf);var bufSize=0;var envp=0;for(var string of getEnvStrings()){var ptr=environ_buf+bufSize;HEAPU32[__environ+envp>>2]=ptr;bufSize+=stringToUTF8(string,ptr,Infinity)+1;envp+=4}return 0}function _environ_sizes_get(penviron_count,penviron_buf_size){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(17,0,1,penviron_count,penviron_buf_size);var strings=getEnvStrings();HEAPU32[penviron_count>>2]=strings.length;var bufSize=0;for(var string of strings){bufSize+=lengthBytesUTF8(string)+1}HEAPU32[penviron_buf_size>>2]=bufSize;return 0}function _fd_close(fd){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(18,0,1,fd);try{var stream=SYSCALLS.getStreamFromFD(fd);FS.close(stream);return 0}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return e.errno}}var doReadv=(stream,iov,iovcnt,offset)=>{var ret=0;for(var i=0;i>2];var len=HEAPU32[iov+4>>2];iov+=8;var curr=FS.read(stream,HEAP8,ptr,len,offset);if(curr<0)return-1;ret+=curr;if(curr>2]=num;return 0}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return e.errno}}function _fd_seek(fd,offset_low,offset_high,whence,newOffset){if(ENVIRONMENT_IS_PTHREAD)return proxyToMainThread(20,0,1,fd,offset_low,offset_high,whence,newOffset);var offset=convertI32PairToI53Checked(offset_low,offset_high);try{if(isNaN(offset))return 61;var stream=SYSCALLS.getStreamFromFD(fd);FS.llseek(stream,offset,whence);tempI64=[stream.position>>>0,(tempDouble=stream.position,+Math.abs(tempDouble)>=1?tempDouble>0?+Math.floor(tempDouble/4294967296)>>>0:~~+Math.ceil((tempDouble-+(~~tempDouble>>>0))/4294967296)>>>0:0)],HEAP32[newOffset>>2]=tempI64[0],HEAP32[newOffset+4>>2]=tempI64[1];if(stream.getdents&&offset===0&&whence===0)stream.getdents=null;return 0}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return e.errno}}var doWritev=(stream,iov,iovcnt,offset)=>{var ret=0;for(var i=0;i>2];var len=HEAPU32[iov+4>>2];iov+=8;var curr=FS.write(stream,HEAP8,ptr,len,offset);if(curr<0)return-1;ret+=curr;if(curr>2]=num;return 0}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return e.errno}}function _random_get(buffer,size){try{randomFill(HEAPU8.subarray(buffer,buffer+size));return 0}catch(e){if(typeof FS=="undefined"||!(e.name==="ErrnoError"))throw e;return e.errno}}var stringToUTF8OnStack=str=>{var size=lengthBytesUTF8(str)+1;var ret=stackAlloc(size);stringToUTF8(str,ret,size);return ret};var ALLOC_STACK=1;var allocate=(slab,allocator)=>{var ret;assert(typeof allocator=="number","allocate no longer takes a type argument");assert(typeof slab!="number","allocate no longer takes a number as arg0");if(allocator==ALLOC_STACK){ret=stackAlloc(slab.length)}else{ret=_malloc(slab.length)}if(!slab.subarray&&!slab.slice){slab=new Uint8Array(slab)}HEAPU8.set(slab,ret);return ret};var ALLOC_NORMAL=0;var getCFunc=ident=>{var func=Module["_"+ident];assert(func,"Cannot call unknown function "+ident+", make sure it is exported");return func};var writeArrayToMemory=(array,buffer)=>{assert(array.length>=0,"writeArrayToMemory array must have a length (should be an array or typed array)");HEAP8.set(array,buffer)};var ccall=(ident,returnType,argTypes,args,opts)=>{var toC={string:str=>{var ret=0;if(str!==null&&str!==undefined&&str!==0){ret=stringToUTF8OnStack(str)}return ret},array:arr=>{var ret=stackAlloc(arr.length);writeArrayToMemory(arr,ret);return ret}};function convertReturnValue(ret){if(returnType==="string"){return UTF8ToString(ret)}if(returnType==="boolean")return Boolean(ret);return ret}var func=getCFunc(ident);var cArgs=[];var stack=0;assert(returnType!=="array",'Return type should not be "array".');if(args){for(var i=0;i(...args)=>ccall(ident,returnType,argTypes,args,opts);var FS_createPath=(...args)=>FS.createPath(...args);var FS_unlink=(...args)=>FS.unlink(...args);var FS_createLazyFile=(...args)=>FS.createLazyFile(...args);var FS_createDevice=(...args)=>FS.createDevice(...args);PThread.init();FS.createPreloadedFile=FS_createPreloadedFile;FS.preloadFile=FS_preloadFile;FS.staticInit();assert(emval_handles.length===5*2);{initMemory();if(Module["noExitRuntime"])noExitRuntime=Module["noExitRuntime"];if(Module["preloadPlugins"])preloadPlugins=Module["preloadPlugins"];if(Module["print"])out=Module["print"];if(Module["printErr"])err=Module["printErr"];if(Module["wasmBinary"])wasmBinary=Module["wasmBinary"];checkIncomingModuleAPI();if(Module["arguments"])arguments_=Module["arguments"];if(Module["thisProgram"])thisProgram=Module["thisProgram"];assert(typeof Module["memoryInitializerPrefixURL"]=="undefined","Module.memoryInitializerPrefixURL option was removed, use Module.locateFile instead");assert(typeof Module["pthreadMainPrefixURL"]=="undefined","Module.pthreadMainPrefixURL option was removed, use Module.locateFile instead");assert(typeof Module["cdInitializerPrefixURL"]=="undefined","Module.cdInitializerPrefixURL option was removed, use Module.locateFile instead");assert(typeof Module["filePackagePrefixURL"]=="undefined","Module.filePackagePrefixURL option was removed, use Module.locateFile instead");assert(typeof Module["read"]=="undefined","Module.read option was removed");assert(typeof Module["readAsync"]=="undefined","Module.readAsync option was removed (modify readAsync in JS)");assert(typeof Module["readBinary"]=="undefined","Module.readBinary option was removed (modify readBinary in JS)");assert(typeof Module["setWindowTitle"]=="undefined","Module.setWindowTitle option was removed (modify emscripten_set_window_title in JS)");assert(typeof Module["TOTAL_MEMORY"]=="undefined","Module.TOTAL_MEMORY has been renamed Module.INITIAL_MEMORY");assert(typeof Module["ENVIRONMENT"]=="undefined","Module.ENVIRONMENT has been deprecated. To force the environment, use the ENVIRONMENT compile-time option (for example, -sENVIRONMENT=web or -sENVIRONMENT=node)");assert(typeof Module["STACK_SIZE"]=="undefined","STACK_SIZE can no longer be set at runtime. Use -sSTACK_SIZE at link time");if(Module["preInit"]){if(typeof Module["preInit"]=="function")Module["preInit"]=[Module["preInit"]];while(Module["preInit"].length>0){Module["preInit"].shift()()}}consumedModuleProp("preInit")}Module["addRunDependency"]=addRunDependency;Module["removeRunDependency"]=removeRunDependency;Module["ccall"]=ccall;Module["cwrap"]=cwrap;Module["intArrayFromString"]=intArrayFromString;Module["FS_preloadFile"]=FS_preloadFile;Module["FS_unlink"]=FS_unlink;Module["FS_createPath"]=FS_createPath;Module["FS_createDevice"]=FS_createDevice;Module["FS_createDataFile"]=FS_createDataFile;Module["FS_createLazyFile"]=FS_createLazyFile;Module["ALLOC_NORMAL"]=ALLOC_NORMAL;Module["allocate"]=allocate;Module["IDBFS"]=IDBFS;var missingLibrarySymbols=["writeI53ToI64","writeI53ToI64Clamped","writeI53ToI64Signaling","writeI53ToU64Clamped","writeI53ToU64Signaling","readI53FromI64","readI53FromU64","convertI32PairToI53","convertU32PairToI53","getTempRet0","setTempRet0","createNamedFunction","growMemory","withStackSave","inetPton4","inetNtop4","inetPton6","inetNtop6","readSockaddr","writeSockaddr","readEmAsmArgs","jstoi_q","autoResumeAudioContext","dynCallLegacy","getDynCaller","dynCall","runtimeKeepalivePop","asmjsMangle","HandleAllocator","addOnInit","addOnPostCtor","addOnPreMain","addOnExit","STACK_SIZE","STACK_ALIGN","POINTER_SIZE","ASSERTIONS","convertJsFunctionToWasm","getEmptyTableSlot","updateTableMap","getFunctionAddress","addFunction","removeFunction","intArrayToString","stringToAscii","registerKeyEventCallback","findEventTarget","findCanvasEventTarget","getBoundingClientRect","fillMouseEventData","registerMouseEventCallback","registerWheelEventCallback","registerUiEventCallback","registerFocusEventCallback","fillDeviceOrientationEventData","registerDeviceOrientationEventCallback","fillDeviceMotionEventData","registerDeviceMotionEventCallback","screenOrientation","fillOrientationChangeEventData","registerOrientationChangeEventCallback","fillFullscreenChangeEventData","registerFullscreenChangeEventCallback","JSEvents_requestFullscreen","JSEvents_resizeCanvasForFullscreen","registerRestoreOldStyle","hideEverythingExceptGivenElement","restoreHiddenElements","setLetterbox","softFullscreenResizeWebGLRenderTarget","doRequestFullscreen","fillPointerlockChangeEventData","registerPointerlockChangeEventCallback","registerPointerlockErrorEventCallback","requestPointerLock","fillVisibilityChangeEventData","registerVisibilityChangeEventCallback","registerTouchEventCallback","fillGamepadEventData","registerGamepadEventCallback","registerBeforeUnloadEventCallback","fillBatteryEventData","registerBatteryEventCallback","setCanvasElementSizeCallingThread","setCanvasElementSizeMainThread","setCanvasElementSize","getCanvasSizeCallingThread","getCanvasSizeMainThread","getCanvasElementSize","getCallstack","convertPCtoSourceLocation","wasiRightsToMuslOFlags","wasiOFlagsToMuslOFlags","safeSetTimeout","setImmediateWrapped","safeRequestAnimationFrame","clearImmediateWrapped","registerPostMainLoop","registerPreMainLoop","getPromise","makePromise","idsToPromises","makePromiseCallback","findMatchingCatch","Browser_asyncPrepareDataCounter","isLeapYear","ydayFromDate","arraySum","addDays","getSocketFromFD","getSocketAddress","FS_mkdirTree","_setNetworkCallback","heapObjectForWebGLType","toTypedArrayIndex","webgl_enable_ANGLE_instanced_arrays","webgl_enable_OES_vertex_array_object","webgl_enable_WEBGL_draw_buffers","webgl_enable_WEBGL_multi_draw","webgl_enable_EXT_polygon_offset_clamp","webgl_enable_EXT_clip_control","webgl_enable_WEBGL_polygon_mode","emscriptenWebGLGet","computeUnpackAlignedImageSize","colorChannelsInGlTextureFormat","emscriptenWebGLGetTexPixelData","emscriptenWebGLGetUniform","webglGetUniformLocation","webglPrepareUniformLocationsBeforeFirstUse","webglGetLeftBracePos","emscriptenWebGLGetVertexAttrib","__glGetActiveAttribOrUniform","writeGLArray","emscripten_webgl_destroy_context_before_on_calling_thread","registerWebGlEventCallback","runAndAbortIfError","emscriptenWebGLGetIndexed","webgl_enable_WEBGL_draw_instanced_base_vertex_base_instance","webgl_enable_WEBGL_multi_draw_instanced_base_vertex_base_instance","writeStringToMemory","writeAsciiToMemory","allocateUTF8","allocateUTF8OnStack","demangle","stackTrace","getNativeTypeSize","throwInternalError","whenDependentTypesAreResolved","getTypeName","getFunctionName","getFunctionArgsName","heap32VectorToArray","requireRegisteredType","usesDestructorStack","createJsInvokerSignature","checkArgCount","getRequiredArgCount","createJsInvoker","UnboundTypeError","PureVirtualError","throwUnboundTypeError","ensureOverloadTable","exposePublicSymbol","replacePublicSymbol","getBasestPointer","registerInheritedInstance","unregisterInheritedInstance","getInheritedInstance","getInheritedInstanceCount","getLiveInheritedInstances","enumReadValueFromPointer","runDestructors","craftInvokerFunction","embind__requireFunction","genericPointerToWireType","constNoSmartPtrRawPointerToWireType","nonConstNoSmartPtrRawPointerToWireType","init_RegisteredPointer","RegisteredPointer","RegisteredPointer_fromWireType","runDestructor","releaseClassHandle","detachFinalizer","attachFinalizer","makeClassHandle","init_ClassHandle","ClassHandle","throwInstanceAlreadyDeleted","flushPendingDeletes","setDelayFunction","RegisteredClass","shallowCopyInternalPointer","downcastPointer","upcastPointer","validateThis","char_0","char_9","makeLegalFunctionName","count_emval_handles","getStringOrSymbol","emval_returnValue","emval_lookupTypes","emval_addMethodCaller"];missingLibrarySymbols.forEach(missingLibrarySymbol);var unexportedSymbols=["run","out","err","callMain","abort","wasmExports","HEAPF32","HEAPF64","HEAP8","HEAP16","HEAPU16","HEAP32","HEAPU32","HEAP64","HEAPU64","writeStackCookie","checkStackCookie","convertI32PairToI53Checked","stackSave","stackRestore","stackAlloc","ptrToString","zeroMemory","exitJS","getHeapMax","abortOnCannotGrowMemory","ENV","ERRNO_CODES","strError","DNS","Protocols","Sockets","timers","warnOnce","readEmAsmArgsArray","getExecutableName","handleException","keepRuntimeAlive","runtimeKeepalivePush","callUserCallback","maybeExit","asyncLoad","alignMemory","mmapAlloc","wasmTable","wasmMemory","getUniqueRunDependency","noExitRuntime","addOnPreRun","addOnPostRun","freeTableIndexes","functionsInTableMap","setValue","getValue","PATH","PATH_FS","UTF8Decoder","UTF8ArrayToString","UTF8ToString","stringToUTF8Array","stringToUTF8","lengthBytesUTF8","AsciiToString","UTF16Decoder","UTF16ToString","stringToUTF16","lengthBytesUTF16","UTF32ToString","stringToUTF32","lengthBytesUTF32","stringToNewUTF8","stringToUTF8OnStack","writeArrayToMemory","JSEvents","specialHTMLTargets","currentFullscreenStrategy","restoreOldWindowedStyle","jsStackTrace","UNWIND_CACHE","ExitStatus","getEnvStrings","checkWasiClock","doReadv","doWritev","initRandomFill","randomFill","emSetImmediate","emClearImmediate_deps","emClearImmediate","promiseMap","uncaughtExceptionCount","exceptionLast","exceptionCaught","ExceptionInfo","Browser","requestFullscreen","requestFullScreen","setCanvasSize","getUserMedia","createContext","getPreloadedImageData__data","wget","MONTH_DAYS_REGULAR","MONTH_DAYS_LEAP","MONTH_DAYS_REGULAR_CUMULATIVE","MONTH_DAYS_LEAP_CUMULATIVE","SYSCALLS","preloadPlugins","FS_createPreloadedFile","FS_modeStringToFlags","FS_getMode","FS_stdin_getChar_buffer","FS_stdin_getChar","FS_readFile","FS_root","FS_mounts","FS_devices","FS_streams","FS_nextInode","FS_nameTable","FS_currentPath","FS_initialized","FS_ignorePermissions","FS_filesystems","FS_syncFSRequests","FS_readFiles","FS_lookupPath","FS_getPath","FS_hashName","FS_hashAddNode","FS_hashRemoveNode","FS_lookupNode","FS_createNode","FS_destroyNode","FS_isRoot","FS_isMountpoint","FS_isFile","FS_isDir","FS_isLink","FS_isChrdev","FS_isBlkdev","FS_isFIFO","FS_isSocket","FS_flagsToPermissionString","FS_nodePermissions","FS_mayLookup","FS_mayCreate","FS_mayDelete","FS_mayOpen","FS_checkOpExists","FS_nextfd","FS_getStreamChecked","FS_getStream","FS_createStream","FS_closeStream","FS_dupStream","FS_doSetAttr","FS_chrdev_stream_ops","FS_major","FS_minor","FS_makedev","FS_registerDevice","FS_getDevice","FS_getMounts","FS_syncfs","FS_mount","FS_unmount","FS_lookup","FS_mknod","FS_statfs","FS_statfsStream","FS_statfsNode","FS_create","FS_mkdir","FS_mkdev","FS_symlink","FS_rename","FS_rmdir","FS_readdir","FS_readlink","FS_stat","FS_fstat","FS_lstat","FS_doChmod","FS_chmod","FS_lchmod","FS_fchmod","FS_doChown","FS_chown","FS_lchown","FS_fchown","FS_doTruncate","FS_truncate","FS_ftruncate","FS_utime","FS_open","FS_close","FS_isClosed","FS_llseek","FS_read","FS_write","FS_mmap","FS_msync","FS_ioctl","FS_writeFile","FS_cwd","FS_chdir","FS_createDefaultDirectories","FS_createDefaultDevices","FS_createSpecialDirectories","FS_createStandardStreams","FS_staticInit","FS_init","FS_quit","FS_findObject","FS_analyzePath","FS_createFile","FS_forceLoadFile","FS_absolutePath","FS_createFolder","FS_createLink","FS_joinPath","FS_mmapAlloc","FS_standardizePath","MEMFS","TTY","PIPEFS","SOCKFS","tempFixedLengthArray","miniTempWebGLFloatBuffers","miniTempWebGLIntBuffers","GL","AL","GLUT","EGL","GLEW","IDBStore","SDL","SDL_gfx","ALLOC_STACK","print","printErr","jstoi_s","PThread","terminateWorker","cleanupThread","registerTLSInit","spawnThread","exitOnMainThread","proxyToMainThread","proxiedJSCallArgs","invokeEntryPoint","checkMailbox","InternalError","BindingError","throwBindingError","registeredTypes","awaitingDependencies","typeDependencies","tupleRegistrations","structRegistrations","sharedRegisterType","EmValType","EmValOptionalType","embindRepr","registeredInstances","registeredPointers","registerType","integerReadValueFromPointer","floatReadValueFromPointer","assertIntegerRange","readPointer","finalizationRegistry","detachFinalizer_deps","deletionQueue","delayFunction","emval_freelist","emval_handles","emval_symbols","Emval","emval_methodCallers"];unexportedSymbols.forEach(unexportedRuntimeSymbol);Module["FS"]=FS;var proxiedFunctionTable=[_proc_exit,exitOnMainThread,pthreadCreateProxied,___syscall_dup,___syscall_faccessat,___syscall_fcntl64,___syscall_fstat64,___syscall_ftruncate64,___syscall_getdents64,___syscall_ioctl,___syscall_lstat64,___syscall_newfstatat,___syscall_openat,___syscall_stat64,__mmap_js,__munmap_js,_environ_get,_environ_sizes_get,_fd_close,_fd_read,_fd_seek,_fd_write];function checkIncomingModuleAPI(){ignoredModuleProp("fetchSettings")}function EnsureDir(path){var dir="/voices/"+UTF8ToString(path).split("/")[0];try{FS.mkdir(dir)}catch(err){}}function hardware_concurrency(){var concurrency=1;try{concurrency=self.navigator.hardwareConcurrency}catch(e){}return concurrency}var _main=makeInvalidEarlyAccess("_main");var _GoogleTtsInit=Module["_GoogleTtsInit"]=makeInvalidEarlyAccess("_GoogleTtsInit");var _GoogleTtsShutdown=Module["_GoogleTtsShutdown"]=makeInvalidEarlyAccess("_GoogleTtsShutdown");var _GoogleTtsInstallVoice=Module["_GoogleTtsInstallVoice"]=makeInvalidEarlyAccess("_GoogleTtsInstallVoice");var _GoogleTtsInitBuffered=Module["_GoogleTtsInitBuffered"]=makeInvalidEarlyAccess("_GoogleTtsInitBuffered");var _GoogleTtsReadBuffered=Module["_GoogleTtsReadBuffered"]=makeInvalidEarlyAccess("_GoogleTtsReadBuffered");var _GoogleTtsFinalizeBuffered=Module["_GoogleTtsFinalizeBuffered"]=makeInvalidEarlyAccess("_GoogleTtsFinalizeBuffered");var _GoogleTtsGetTimepointsCount=Module["_GoogleTtsGetTimepointsCount"]=makeInvalidEarlyAccess("_GoogleTtsGetTimepointsCount");var _GoogleTtsGetTimepointsTimeInSecsAtIndex=Module["_GoogleTtsGetTimepointsTimeInSecsAtIndex"]=makeInvalidEarlyAccess("_GoogleTtsGetTimepointsTimeInSecsAtIndex");var _GoogleTtsGetTimepointsCharIndexAtIndex=Module["_GoogleTtsGetTimepointsCharIndexAtIndex"]=makeInvalidEarlyAccess("_GoogleTtsGetTimepointsCharIndexAtIndex");var _GoogleTtsGetTimepointsCharLengthAtIndex=Module["_GoogleTtsGetTimepointsCharLengthAtIndex"]=makeInvalidEarlyAccess("_GoogleTtsGetTimepointsCharLengthAtIndex");var _GoogleTtsGetEventBufferPtr=Module["_GoogleTtsGetEventBufferPtr"]=makeInvalidEarlyAccess("_GoogleTtsGetEventBufferPtr");var _GoogleTtsGetEventBufferLen=Module["_GoogleTtsGetEventBufferLen"]=makeInvalidEarlyAccess("_GoogleTtsGetEventBufferLen");var _malloc=Module["_malloc"]=makeInvalidEarlyAccess("_malloc");var _free=Module["_free"]=makeInvalidEarlyAccess("_free");var _fflush=makeInvalidEarlyAccess("_fflush");var _strerror=makeInvalidEarlyAccess("_strerror");var _pthread_self=makeInvalidEarlyAccess("_pthread_self");var ___getTypeName=makeInvalidEarlyAccess("___getTypeName");var __embind_initialize_bindings=makeInvalidEarlyAccess("__embind_initialize_bindings");var __emscripten_tls_init=makeInvalidEarlyAccess("__emscripten_tls_init");var _emscripten_builtin_memalign=makeInvalidEarlyAccess("_emscripten_builtin_memalign");var _emscripten_stack_get_end=makeInvalidEarlyAccess("_emscripten_stack_get_end");var _emscripten_stack_get_base=makeInvalidEarlyAccess("_emscripten_stack_get_base");var __emscripten_thread_init=makeInvalidEarlyAccess("__emscripten_thread_init");var __emscripten_thread_crashed=makeInvalidEarlyAccess("__emscripten_thread_crashed");var __emscripten_run_js_on_main_thread=makeInvalidEarlyAccess("__emscripten_run_js_on_main_thread");var __emscripten_thread_free_data=makeInvalidEarlyAccess("__emscripten_thread_free_data");var __emscripten_thread_exit=makeInvalidEarlyAccess("__emscripten_thread_exit");var __emscripten_check_mailbox=makeInvalidEarlyAccess("__emscripten_check_mailbox");var __emscripten_tempret_set=makeInvalidEarlyAccess("__emscripten_tempret_set");var _emscripten_stack_init=makeInvalidEarlyAccess("_emscripten_stack_init");var _emscripten_stack_set_limits=makeInvalidEarlyAccess("_emscripten_stack_set_limits");var _emscripten_stack_get_free=makeInvalidEarlyAccess("_emscripten_stack_get_free");var __emscripten_stack_restore=makeInvalidEarlyAccess("__emscripten_stack_restore");var __emscripten_stack_alloc=makeInvalidEarlyAccess("__emscripten_stack_alloc");var _emscripten_stack_get_current=makeInvalidEarlyAccess("_emscripten_stack_get_current");var ___cxa_increment_exception_refcount=makeInvalidEarlyAccess("___cxa_increment_exception_refcount");var ___cxa_get_exception_ptr=makeInvalidEarlyAccess("___cxa_get_exception_ptr");var dynCall_iiiijij=makeInvalidEarlyAccess("dynCall_iiiijij");var dynCall_jiji=makeInvalidEarlyAccess("dynCall_jiji");var dynCall_vijj=makeInvalidEarlyAccess("dynCall_vijj");var dynCall_ji=makeInvalidEarlyAccess("dynCall_ji");var dynCall_jij=makeInvalidEarlyAccess("dynCall_jij");var dynCall_viiiijii=makeInvalidEarlyAccess("dynCall_viiiijii");var dynCall_jiiii=makeInvalidEarlyAccess("dynCall_jiiii");var dynCall_jiii=makeInvalidEarlyAccess("dynCall_jiii");var dynCall_viij=makeInvalidEarlyAccess("dynCall_viij");var dynCall_viijii=makeInvalidEarlyAccess("dynCall_viijii");var dynCall_jii=makeInvalidEarlyAccess("dynCall_jii");var dynCall_jiij=makeInvalidEarlyAccess("dynCall_jiij");var dynCall_vij=makeInvalidEarlyAccess("dynCall_vij");var dynCall_iij=makeInvalidEarlyAccess("dynCall_iij");var dynCall_jjj=makeInvalidEarlyAccess("dynCall_jjj");var dynCall_iiiijj=makeInvalidEarlyAccess("dynCall_iiiijj");var dynCall_viijj=makeInvalidEarlyAccess("dynCall_viijj");var dynCall_viiijjj=makeInvalidEarlyAccess("dynCall_viiijjj");var dynCall_iiij=makeInvalidEarlyAccess("dynCall_iiij");var dynCall_jiijj=makeInvalidEarlyAccess("dynCall_jiijj");var dynCall_viji=makeInvalidEarlyAccess("dynCall_viji");var dynCall_iiji=makeInvalidEarlyAccess("dynCall_iiji");var dynCall_iijjiii=makeInvalidEarlyAccess("dynCall_iijjiii");var dynCall_vijjjii=makeInvalidEarlyAccess("dynCall_vijjjii");var dynCall_vijjj=makeInvalidEarlyAccess("dynCall_vijjj");var dynCall_vj=makeInvalidEarlyAccess("dynCall_vj");var dynCall_iijjiiii=makeInvalidEarlyAccess("dynCall_iijjiiii");var dynCall_iiiiij=makeInvalidEarlyAccess("dynCall_iiiiij");var dynCall_iiiiijj=makeInvalidEarlyAccess("dynCall_iiiiijj");var dynCall_iiiiiijj=makeInvalidEarlyAccess("dynCall_iiiiiijj");var __indirect_function_table=makeInvalidEarlyAccess("__indirect_function_table");var wasmTable=makeInvalidEarlyAccess("wasmTable");function assignWasmExports(wasmExports){assert(typeof wasmExports["__main_argc_argv"]!="undefined","missing Wasm export: __main_argc_argv");_main=createExportWrapper("__main_argc_argv",2);assert(typeof wasmExports["GoogleTtsInit"]!="undefined","missing Wasm export: GoogleTtsInit");_GoogleTtsInit=Module["_GoogleTtsInit"]=createExportWrapper("GoogleTtsInit",2);assert(typeof wasmExports["GoogleTtsShutdown"]!="undefined","missing Wasm export: GoogleTtsShutdown");_GoogleTtsShutdown=Module["_GoogleTtsShutdown"]=createExportWrapper("GoogleTtsShutdown",0);assert(typeof wasmExports["GoogleTtsInstallVoice"]!="undefined","missing Wasm export: GoogleTtsInstallVoice");_GoogleTtsInstallVoice=Module["_GoogleTtsInstallVoice"]=createExportWrapper("GoogleTtsInstallVoice",3);assert(typeof wasmExports["GoogleTtsInitBuffered"]!="undefined","missing Wasm export: GoogleTtsInitBuffered");_GoogleTtsInitBuffered=Module["_GoogleTtsInitBuffered"]=createExportWrapper("GoogleTtsInitBuffered",4);assert(typeof wasmExports["GoogleTtsReadBuffered"]!="undefined","missing Wasm export: GoogleTtsReadBuffered");_GoogleTtsReadBuffered=Module["_GoogleTtsReadBuffered"]=createExportWrapper("GoogleTtsReadBuffered",0);assert(typeof wasmExports["GoogleTtsFinalizeBuffered"]!="undefined","missing Wasm export: GoogleTtsFinalizeBuffered");_GoogleTtsFinalizeBuffered=Module["_GoogleTtsFinalizeBuffered"]=createExportWrapper("GoogleTtsFinalizeBuffered",0);assert(typeof wasmExports["GoogleTtsGetTimepointsCount"]!="undefined","missing Wasm export: GoogleTtsGetTimepointsCount");_GoogleTtsGetTimepointsCount=Module["_GoogleTtsGetTimepointsCount"]=createExportWrapper("GoogleTtsGetTimepointsCount",0);assert(typeof wasmExports["GoogleTtsGetTimepointsTimeInSecsAtIndex"]!="undefined","missing Wasm export: GoogleTtsGetTimepointsTimeInSecsAtIndex");_GoogleTtsGetTimepointsTimeInSecsAtIndex=Module["_GoogleTtsGetTimepointsTimeInSecsAtIndex"]=createExportWrapper("GoogleTtsGetTimepointsTimeInSecsAtIndex",1);assert(typeof wasmExports["GoogleTtsGetTimepointsCharIndexAtIndex"]!="undefined","missing Wasm export: GoogleTtsGetTimepointsCharIndexAtIndex");_GoogleTtsGetTimepointsCharIndexAtIndex=Module["_GoogleTtsGetTimepointsCharIndexAtIndex"]=createExportWrapper("GoogleTtsGetTimepointsCharIndexAtIndex",1);assert(typeof wasmExports["GoogleTtsGetTimepointsCharLengthAtIndex"]!="undefined","missing Wasm export: GoogleTtsGetTimepointsCharLengthAtIndex");_GoogleTtsGetTimepointsCharLengthAtIndex=Module["_GoogleTtsGetTimepointsCharLengthAtIndex"]=createExportWrapper("GoogleTtsGetTimepointsCharLengthAtIndex",1);assert(typeof wasmExports["GoogleTtsGetEventBufferPtr"]!="undefined","missing Wasm export: GoogleTtsGetEventBufferPtr");_GoogleTtsGetEventBufferPtr=Module["_GoogleTtsGetEventBufferPtr"]=createExportWrapper("GoogleTtsGetEventBufferPtr",0);assert(typeof wasmExports["GoogleTtsGetEventBufferLen"]!="undefined","missing Wasm export: GoogleTtsGetEventBufferLen");_GoogleTtsGetEventBufferLen=Module["_GoogleTtsGetEventBufferLen"]=createExportWrapper("GoogleTtsGetEventBufferLen",0);assert(typeof wasmExports["malloc"]!="undefined","missing Wasm export: malloc");_malloc=Module["_malloc"]=createExportWrapper("malloc",1);assert(typeof wasmExports["free"]!="undefined","missing Wasm export: free");_free=Module["_free"]=createExportWrapper("free",1);assert(typeof wasmExports["fflush"]!="undefined","missing Wasm export: fflush");_fflush=createExportWrapper("fflush",1);assert(typeof wasmExports["strerror"]!="undefined","missing Wasm export: strerror");_strerror=createExportWrapper("strerror",1);assert(typeof wasmExports["pthread_self"]!="undefined","missing Wasm export: pthread_self");_pthread_self=createExportWrapper("pthread_self",0);assert(typeof wasmExports["__getTypeName"]!="undefined","missing Wasm export: __getTypeName");___getTypeName=createExportWrapper("__getTypeName",1);assert(typeof wasmExports["_embind_initialize_bindings"]!="undefined","missing Wasm export: _embind_initialize_bindings");__embind_initialize_bindings=createExportWrapper("_embind_initialize_bindings",0);assert(typeof wasmExports["_emscripten_tls_init"]!="undefined","missing Wasm export: _emscripten_tls_init");__emscripten_tls_init=createExportWrapper("_emscripten_tls_init",0);assert(typeof wasmExports["emscripten_builtin_memalign"]!="undefined","missing Wasm export: emscripten_builtin_memalign");_emscripten_builtin_memalign=createExportWrapper("emscripten_builtin_memalign",2);assert(typeof wasmExports["emscripten_stack_get_end"]!="undefined","missing Wasm export: emscripten_stack_get_end");_emscripten_stack_get_end=wasmExports["emscripten_stack_get_end"];assert(typeof wasmExports["emscripten_stack_get_base"]!="undefined","missing Wasm export: emscripten_stack_get_base");_emscripten_stack_get_base=wasmExports["emscripten_stack_get_base"];assert(typeof wasmExports["_emscripten_thread_init"]!="undefined","missing Wasm export: _emscripten_thread_init");__emscripten_thread_init=createExportWrapper("_emscripten_thread_init",6);assert(typeof wasmExports["_emscripten_thread_crashed"]!="undefined","missing Wasm export: _emscripten_thread_crashed");__emscripten_thread_crashed=createExportWrapper("_emscripten_thread_crashed",0);assert(typeof wasmExports["_emscripten_run_js_on_main_thread"]!="undefined","missing Wasm export: _emscripten_run_js_on_main_thread");__emscripten_run_js_on_main_thread=createExportWrapper("_emscripten_run_js_on_main_thread",5);assert(typeof wasmExports["_emscripten_thread_free_data"]!="undefined","missing Wasm export: _emscripten_thread_free_data");__emscripten_thread_free_data=createExportWrapper("_emscripten_thread_free_data",1);assert(typeof wasmExports["_emscripten_thread_exit"]!="undefined","missing Wasm export: _emscripten_thread_exit");__emscripten_thread_exit=createExportWrapper("_emscripten_thread_exit",1);assert(typeof wasmExports["_emscripten_check_mailbox"]!="undefined","missing Wasm export: _emscripten_check_mailbox");__emscripten_check_mailbox=createExportWrapper("_emscripten_check_mailbox",0);assert(typeof wasmExports["_emscripten_tempret_set"]!="undefined","missing Wasm export: _emscripten_tempret_set");__emscripten_tempret_set=createExportWrapper("_emscripten_tempret_set",1);assert(typeof wasmExports["emscripten_stack_init"]!="undefined","missing Wasm export: emscripten_stack_init");_emscripten_stack_init=wasmExports["emscripten_stack_init"];assert(typeof wasmExports["emscripten_stack_set_limits"]!="undefined","missing Wasm export: emscripten_stack_set_limits");_emscripten_stack_set_limits=wasmExports["emscripten_stack_set_limits"];assert(typeof wasmExports["emscripten_stack_get_free"]!="undefined","missing Wasm export: emscripten_stack_get_free");_emscripten_stack_get_free=wasmExports["emscripten_stack_get_free"];assert(typeof wasmExports["_emscripten_stack_restore"]!="undefined","missing Wasm export: _emscripten_stack_restore");__emscripten_stack_restore=wasmExports["_emscripten_stack_restore"];assert(typeof wasmExports["_emscripten_stack_alloc"]!="undefined","missing Wasm export: _emscripten_stack_alloc");__emscripten_stack_alloc=wasmExports["_emscripten_stack_alloc"];assert(typeof wasmExports["emscripten_stack_get_current"]!="undefined","missing Wasm export: emscripten_stack_get_current");_emscripten_stack_get_current=wasmExports["emscripten_stack_get_current"];assert(typeof wasmExports["__cxa_increment_exception_refcount"]!="undefined","missing Wasm export: __cxa_increment_exception_refcount");___cxa_increment_exception_refcount=createExportWrapper("__cxa_increment_exception_refcount",1);assert(typeof wasmExports["__cxa_get_exception_ptr"]!="undefined","missing Wasm export: __cxa_get_exception_ptr");___cxa_get_exception_ptr=createExportWrapper("__cxa_get_exception_ptr",1);assert(typeof wasmExports["dynCall_iiiijij"]!="undefined","missing Wasm export: dynCall_iiiijij");dynCall_iiiijij=createExportWrapper("dynCall_iiiijij",9);assert(typeof wasmExports["dynCall_jiji"]!="undefined","missing Wasm export: dynCall_jiji");dynCall_jiji=createExportWrapper("dynCall_jiji",5);assert(typeof wasmExports["dynCall_vijj"]!="undefined","missing Wasm export: dynCall_vijj");dynCall_vijj=createExportWrapper("dynCall_vijj",6);assert(typeof wasmExports["dynCall_ji"]!="undefined","missing Wasm export: dynCall_ji");dynCall_ji=createExportWrapper("dynCall_ji",2);assert(typeof wasmExports["dynCall_jij"]!="undefined","missing Wasm export: dynCall_jij");dynCall_jij=createExportWrapper("dynCall_jij",4);assert(typeof wasmExports["dynCall_viiiijii"]!="undefined","missing Wasm export: dynCall_viiiijii");dynCall_viiiijii=createExportWrapper("dynCall_viiiijii",9);assert(typeof wasmExports["dynCall_jiiii"]!="undefined","missing Wasm export: dynCall_jiiii");dynCall_jiiii=createExportWrapper("dynCall_jiiii",5);assert(typeof wasmExports["dynCall_jiii"]!="undefined","missing Wasm export: dynCall_jiii");dynCall_jiii=createExportWrapper("dynCall_jiii",4);assert(typeof wasmExports["dynCall_viij"]!="undefined","missing Wasm export: dynCall_viij");dynCall_viij=createExportWrapper("dynCall_viij",5);assert(typeof wasmExports["dynCall_viijii"]!="undefined","missing Wasm export: dynCall_viijii");dynCall_viijii=createExportWrapper("dynCall_viijii",7);assert(typeof wasmExports["dynCall_jii"]!="undefined","missing Wasm export: dynCall_jii");dynCall_jii=createExportWrapper("dynCall_jii",3);assert(typeof wasmExports["dynCall_jiij"]!="undefined","missing Wasm export: dynCall_jiij");dynCall_jiij=createExportWrapper("dynCall_jiij",5);assert(typeof wasmExports["dynCall_vij"]!="undefined","missing Wasm export: dynCall_vij");dynCall_vij=createExportWrapper("dynCall_vij",4);assert(typeof wasmExports["dynCall_iij"]!="undefined","missing Wasm export: dynCall_iij");dynCall_iij=createExportWrapper("dynCall_iij",4);assert(typeof wasmExports["dynCall_jjj"]!="undefined","missing Wasm export: dynCall_jjj");dynCall_jjj=createExportWrapper("dynCall_jjj",5);assert(typeof wasmExports["dynCall_iiiijj"]!="undefined","missing Wasm export: dynCall_iiiijj");dynCall_iiiijj=createExportWrapper("dynCall_iiiijj",8);assert(typeof wasmExports["dynCall_viijj"]!="undefined","missing Wasm export: dynCall_viijj");dynCall_viijj=createExportWrapper("dynCall_viijj",7);assert(typeof wasmExports["dynCall_viiijjj"]!="undefined","missing Wasm export: dynCall_viiijjj");dynCall_viiijjj=createExportWrapper("dynCall_viiijjj",10);assert(typeof wasmExports["dynCall_iiij"]!="undefined","missing Wasm export: dynCall_iiij");dynCall_iiij=createExportWrapper("dynCall_iiij",5);assert(typeof wasmExports["dynCall_jiijj"]!="undefined","missing Wasm export: dynCall_jiijj");dynCall_jiijj=createExportWrapper("dynCall_jiijj",7);assert(typeof wasmExports["dynCall_viji"]!="undefined","missing Wasm export: dynCall_viji");dynCall_viji=createExportWrapper("dynCall_viji",5);assert(typeof wasmExports["dynCall_iiji"]!="undefined","missing Wasm export: dynCall_iiji");dynCall_iiji=createExportWrapper("dynCall_iiji",5);assert(typeof wasmExports["dynCall_iijjiii"]!="undefined","missing Wasm export: dynCall_iijjiii");dynCall_iijjiii=createExportWrapper("dynCall_iijjiii",9);assert(typeof wasmExports["dynCall_vijjjii"]!="undefined","missing Wasm export: dynCall_vijjjii");dynCall_vijjjii=createExportWrapper("dynCall_vijjjii",10);assert(typeof wasmExports["dynCall_vijjj"]!="undefined","missing Wasm export: dynCall_vijjj");dynCall_vijjj=createExportWrapper("dynCall_vijjj",8);assert(typeof wasmExports["dynCall_vj"]!="undefined","missing Wasm export: dynCall_vj");dynCall_vj=createExportWrapper("dynCall_vj",3);assert(typeof wasmExports["dynCall_iijjiiii"]!="undefined","missing Wasm export: dynCall_iijjiiii");dynCall_iijjiiii=createExportWrapper("dynCall_iijjiiii",10);assert(typeof wasmExports["dynCall_iiiiij"]!="undefined","missing Wasm export: dynCall_iiiiij");dynCall_iiiiij=createExportWrapper("dynCall_iiiiij",7);assert(typeof wasmExports["dynCall_iiiiijj"]!="undefined","missing Wasm export: dynCall_iiiiijj");dynCall_iiiiijj=createExportWrapper("dynCall_iiiiijj",9);assert(typeof wasmExports["dynCall_iiiiiijj"]!="undefined","missing Wasm export: dynCall_iiiiiijj");dynCall_iiiiiijj=createExportWrapper("dynCall_iiiiiijj",10);assert(typeof wasmExports["__indirect_function_table"]!="undefined","missing Wasm export: __indirect_function_table");__indirect_function_table=wasmTable=wasmExports["__indirect_function_table"]}var _kVersionStampBuildChangelistStr=Module["_kVersionStampBuildChangelistStr"]=1490720;var _kVersionStampCitcSnapshotStr=Module["_kVersionStampCitcSnapshotStr"]=1490752;var _kVersionStampCitcWorkspaceIdStr=Module["_kVersionStampCitcWorkspaceIdStr"]=1490784;var _kVersionStampSourceUriStr=Module["_kVersionStampSourceUriStr"]=1491296;var _kVersionStampBuildClientStr=Module["_kVersionStampBuildClientStr"]=1491808;var _kVersionStampBuildClientMintStatusStr=Module["_kVersionStampBuildClientMintStatusStr"]=1492320;var _kVersionStampBuildCompilerStr=Module["_kVersionStampBuildCompilerStr"]=1492352;var _kVersionStampBuildDateTimePstStr=Module["_kVersionStampBuildDateTimePstStr"]=1492864;var _kVersionStampBuildDepotPathStr=Module["_kVersionStampBuildDepotPathStr"]=1492896;var _kVersionStampBuildIdStr=Module["_kVersionStampBuildIdStr"]=1493408;var _kVersionStampBuildInfoStr=Module["_kVersionStampBuildInfoStr"]=1493920;var _kVersionStampBuildLabelStr=Module["_kVersionStampBuildLabelStr"]=1494432;var _kVersionStampBuildTargetStr=Module["_kVersionStampBuildTargetStr"]=1494944;var _kVersionStampBuildTimestampStr=Module["_kVersionStampBuildTimestampStr"]=1495456;var _kVersionStampBuildToolStr=Module["_kVersionStampBuildToolStr"]=1495488;var _kVersionStampG3BuildTargetStr=Module["_kVersionStampG3BuildTargetStr"]=1496e3;var _kVersionStampVerifiableStr=Module["_kVersionStampVerifiableStr"]=1496512;var _kVersionStampBuildFdoTypeStr=Module["_kVersionStampBuildFdoTypeStr"]=1496544;var _kVersionStampBuildBaselineChangelistStr=Module["_kVersionStampBuildBaselineChangelistStr"]=1496576;var _kVersionStampBuildLtoTypeStr=Module["_kVersionStampBuildLtoTypeStr"]=1496608;var _kVersionStampBuildPropellerTypeStr=Module["_kVersionStampBuildPropellerTypeStr"]=1496640;var _kVersionStampBuildPghoTypeStr=Module["_kVersionStampBuildPghoTypeStr"]=1496672;var _kVersionStampBuildUsernameStr=Module["_kVersionStampBuildUsernameStr"]=1496704;var _kVersionStampBuildHostnameStr=Module["_kVersionStampBuildHostnameStr"]=1497216;var _kVersionStampBuildDirectoryStr=Module["_kVersionStampBuildDirectoryStr"]=1497728;var _kVersionStampBuildChangelistInt=Module["_kVersionStampBuildChangelistInt"]=1498240;var _kVersionStampCitcSnapshotInt=Module["_kVersionStampCitcSnapshotInt"]=1498248;var _kVersionStampBuildClientMintStatusInt=Module["_kVersionStampBuildClientMintStatusInt"]=1498252;var _kVersionStampBuildTimestampInt=Module["_kVersionStampBuildTimestampInt"]=1498256;var _kVersionStampVerifiableInt=Module["_kVersionStampVerifiableInt"]=1498264;var _kVersionStampBuildCoverageEnabledInt=Module["_kVersionStampBuildCoverageEnabledInt"]=1498268;var _kVersionStampBuildBaselineChangelistInt=Module["_kVersionStampBuildBaselineChangelistInt"]=1498272;var _kVersionStampPrecookedTimestampStr=Module["_kVersionStampPrecookedTimestampStr"]=1498288;var _kVersionStampPrecookedClientInfoStr=Module["_kVersionStampPrecookedClientInfoStr"]=1498800;var wasmImports;function assignWasmImports(){wasmImports={EnsureDir,__assert_fail:___assert_fail,__cxa_throw:___cxa_throw,__pthread_create_js:___pthread_create_js,__syscall_dup:___syscall_dup,__syscall_faccessat:___syscall_faccessat,__syscall_fcntl64:___syscall_fcntl64,__syscall_fstat64:___syscall_fstat64,__syscall_ftruncate64:___syscall_ftruncate64,__syscall_getdents64:___syscall_getdents64,__syscall_ioctl:___syscall_ioctl,__syscall_lstat64:___syscall_lstat64,__syscall_newfstatat:___syscall_newfstatat,__syscall_openat:___syscall_openat,__syscall_stat64:___syscall_stat64,_abort_js:__abort_js,_embind_register_bigint:__embind_register_bigint,_embind_register_bool:__embind_register_bool,_embind_register_emval:__embind_register_emval,_embind_register_float:__embind_register_float,_embind_register_integer:__embind_register_integer,_embind_register_memory_view:__embind_register_memory_view,_embind_register_std_string:__embind_register_std_string,_embind_register_std_wstring:__embind_register_std_wstring,_embind_register_void:__embind_register_void,_emscripten_init_main_thread_js:__emscripten_init_main_thread_js,_emscripten_notify_mailbox_postmessage:__emscripten_notify_mailbox_postmessage,_emscripten_receive_on_main_thread_js:__emscripten_receive_on_main_thread_js,_emscripten_thread_cleanup:__emscripten_thread_cleanup,_emscripten_thread_mailbox_await:__emscripten_thread_mailbox_await,_emscripten_thread_set_strongref:__emscripten_thread_set_strongref,_mmap_js:__mmap_js,_munmap_js:__munmap_js,_tzset_js:__tzset_js,clock_time_get:_clock_time_get,emscripten_check_blocking_allowed:_emscripten_check_blocking_allowed,emscripten_errn:_emscripten_errn,emscripten_exit_with_live_runtime:_emscripten_exit_with_live_runtime,emscripten_get_heap_max:_emscripten_get_heap_max,emscripten_get_now:_emscripten_get_now,emscripten_num_logical_cores:_emscripten_num_logical_cores,emscripten_pc_get_function:_emscripten_pc_get_function,emscripten_resize_heap:_emscripten_resize_heap,emscripten_stack_snapshot:_emscripten_stack_snapshot,emscripten_stack_unwind_buffer:_emscripten_stack_unwind_buffer,environ_get:_environ_get,environ_sizes_get:_environ_sizes_get,exit:_exit,fd_close:_fd_close,fd_read:_fd_read,fd_seek:_fd_seek,fd_write:_fd_write,hardware_concurrency,memory:wasmMemory,proc_exit:_proc_exit,random_get:_random_get}}var calledRun;function stackCheckInit(){assert(!ENVIRONMENT_IS_PTHREAD);_emscripten_stack_init();writeStackCookie()}function run(args=arguments_){if(runDependencies>0){dependenciesFulfilled=run;return}if(ENVIRONMENT_IS_PTHREAD){readyPromiseResolve?.(Module);initRuntime();return}stackCheckInit();preRun();if(runDependencies>0){dependenciesFulfilled=run;return}function doRun(){assert(!calledRun);calledRun=true;Module["calledRun"]=true;if(ABORT)return;initRuntime();readyPromiseResolve?.(Module);Module["onRuntimeInitialized"]?.();consumedModuleProp("onRuntimeInitialized");assert(!Module["_main"],'compiled without a main, but one is present. if you added it from JS, use Module["onRuntimeInitialized"]');postRun()}if(Module["setStatus"]){Module["setStatus"]("Running...");setTimeout(()=>{setTimeout(()=>Module["setStatus"](""),1);doRun()},1)}else{doRun()}checkStackCookie()}function checkUnflushedContent(){var oldOut=out;var oldErr=err;var has=false;out=err=x=>{has=true};try{_fflush(0);["stdout","stderr"].forEach(name=>{var info=FS.analyzePath("/dev/"+name);if(!info)return;var stream=info.object;var rdev=stream.rdev;var tty=TTY.ttys[rdev];if(tty?.output?.length){has=true}})}catch(e){}out=oldOut;err=oldErr;if(has){warnOnce("stdio streams had content in them that was not flushed. you should set EXIT_RUNTIME to 1 (see the Emscripten FAQ), or make sure to emit a newline when you printf etc.")}}var wasmExports;if(!ENVIRONMENT_IS_PTHREAD){wasmExports=await (createWasm());run()}if(runtimeInitialized){moduleRtn=Module}else{moduleRtn=new Promise((resolve,reject)=>{readyPromiseResolve=resolve;readyPromiseReject=reject})}for(const prop of Object.keys(Module)){if(!(prop in moduleArg)){Object.defineProperty(moduleArg,prop,{configurable:true,get(){abort(`Access to module property ('${prop}') is no longer possible via the module constructor argument; Instead, use the result of the module constructor.`)}})}} +;return moduleRtn}})();if(typeof exports==="object"&&typeof module==="object"){module.exports=loadWasmTtsBindings;module.exports.default=loadWasmTtsBindings}else if(typeof define==="function"&&define["amd"])define([],()=>loadWasmTtsBindings);var isPthread=globalThis.self?.name?.startsWith("em-pthread");var isNode=globalThis.process?.versions?.node&&globalThis.process?.type!="renderer";if(isNode)isPthread=require("worker_threads").workerData==="em-pthread";isPthread&&loadWasmTtsBindings(); diff --git a/user/user_data/WasmTtsEngine/20260105.1/bindings_main.wasm b/user/user_data/WasmTtsEngine/20260105.1/bindings_main.wasm new file mode 100644 index 0000000..6742ab5 Binary files /dev/null and b/user/user_data/WasmTtsEngine/20260105.1/bindings_main.wasm differ diff --git a/user/user_data/WasmTtsEngine/20260105.1/manifest.json b/user/user_data/WasmTtsEngine/20260105.1/manifest.json new file mode 100644 index 0000000..b739a90 --- /dev/null +++ b/user/user_data/WasmTtsEngine/20260105.1/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "WASM TTS Engine", + "version": "20260105.1" +} \ No newline at end of file diff --git a/user/user_data/WasmTtsEngine/20260105.1/offscreen.html b/user/user_data/WasmTtsEngine/20260105.1/offscreen.html new file mode 100644 index 0000000..b3676f6 --- /dev/null +++ b/user/user_data/WasmTtsEngine/20260105.1/offscreen.html @@ -0,0 +1,2 @@ + + diff --git a/user/user_data/WasmTtsEngine/20260105.1/offscreen_compiled.js b/user/user_data/WasmTtsEngine/20260105.1/offscreen_compiled.js new file mode 100644 index 0000000..2cac2fa --- /dev/null +++ b/user/user_data/WasmTtsEngine/20260105.1/offscreen_compiled.js @@ -0,0 +1,128 @@ +'use strict';var aa,ba=typeof Object.create=="function"?Object.create:function(a){function b(){}b.prototype=a;return new b},ca=typeof Object.defineProperties=="function"?Object.defineProperty:function(a,b,c){if(a==Array.prototype||a==Object.prototype)return a;a[b]=c.value;return a}; +function da(a){a=["object"==typeof globalThis&&globalThis,a,"object"==typeof window&&window,"object"==typeof self&&self,"object"==typeof global&&global];for(var b=0;b>>0)+"_",e=0;return b}); +l("Symbol.iterator",function(a){if(a)return a;a=Symbol("Symbol.iterator");ca(Array.prototype,a,{configurable:!0,writable:!0,value:function(){return xa(la(this))}});return a});function xa(a){a={next:a};a[Symbol.iterator]=function(){return this};return a} +l("Promise",function(a){function b(g){this.h=0;this.i=void 0;this.g=[];this.u=!1;var h=this.l();try{g(h.resolve,h.reject)}catch(k){h.reject(k)}}function c(){this.g=null}function d(g){return g instanceof b?g:new b(function(h){h(g)})}if(a)return a;c.prototype.h=function(g){if(this.g==null){this.g=[];var h=this;this.i(function(){h.m()})}this.g.push(g)};var e=ea.setTimeout;c.prototype.i=function(g){e(g,0)};c.prototype.m=function(){for(;this.g&&this.g.length;){var g=this.g;this.g=[];for(var h=0;h=Na&&a<=Oa:a[0]==="-"?Pa(a,Qa):Pa(a,Ra)}),Qa=Number.MIN_SAFE_INTEGER.toString(),Na=La?BigInt(Number.MIN_SAFE_INTEGER):void 0,Ra=Number.MAX_SAFE_INTEGER.toString(),Oa=La?BigInt(Number.MAX_SAFE_INTEGER):void 0; +function Pa(a,b){if(a.length>b.length)return!1;if(a.lengthe)return!1;if(d>>0;v=b;y=(a-b)/4294967296>>>0}function Wa(a){if(a<0){Va(-a);var b=q(Xa(v,y));a=b.next().value;b=b.next().value;v=a>>>0;y=b>>>0}else Va(a)}function Ya(a){var b=Ua||(Ua=new DataView(new ArrayBuffer(8)));b.setFloat32(0,+a,!0);y=0;v=b.getUint32(0,!0)}function Za(a){var b=Ua||(Ua=new DataView(new ArrayBuffer(8)));b.setFloat64(0,+a,!0);v=b.getUint32(0,!0);y=b.getUint32(4,!0)} +function $a(a,b){var c=b*4294967296+(a>>>0);return Number.isSafeInteger(c)?c:ab(a,b)}function bb(a,b){return Ma(Ga()?BigInt.asUintN(64,(BigInt(b>>>0)<>>0)):ab(a,b))}function cb(a,b){var c=b&2147483648;c&&(a=~a+1>>>0,b=~b>>>0,a==0&&(b=b+1>>>0));a=$a(a,b);return typeof a==="number"?c?-a:a:c?"-"+a:a}function db(a,b){return Ga()?Ma(BigInt.asIntN(64,(BigInt.asUintN(32,BigInt(b))<>>=0;a>>>=0;if(b<=2097151)var c=""+(4294967296*b+a);else Ga()?c=""+(BigInt(b)<>>24|b<<8)&16777215,b=b>>16&65535,a=(a&16777215)+c*6777216+b*6710656,c+=b*8147497,b*=2,a>=1E7&&(c+=a/1E7>>>0,a%=1E7),c>=1E7&&(b+=c/1E7>>>0,c%=1E7),c=b+fb(c)+fb(a));return c}function fb(a){a=String(a);return"0000000".slice(a.length)+a} +function eb(a,b){b&2147483648?Ga()?a=""+(BigInt(b|0)<>>0)):(b=q(Xa(a,b)),a=b.next().value,b=b.next().value,a="-"+ab(a,b)):a=ab(a,b);return a} +function gb(a){if(a.length<16)Wa(Number(a));else if(Ga())a=BigInt(a),v=Number(a&BigInt(4294967295))>>>0,y=Number(a>>BigInt(32)&BigInt(4294967295));else{var b=+(a[0]==="-");y=v=0;for(var c=a.length,d=b,e=(c-b)%6+b;e<=c;d=e,e+=6)d=Number(a.slice(d,e)),y*=1E6,v=v*1E6+d,v>=4294967296&&(y+=Math.trunc(v/4294967296),y>>>=0,v>>>=0);b&&(b=q(Xa(v,y)),a=b.next().value,b=b.next().value,v=a,y=b)}}function Xa(a,b){b=~b;a?a=~a+1:b+=1;return[a,b]};function hb(a,b){this.h=a>>>0;this.g=b>>>0}function ib(a){return a.h===0?new hb(0,1+~a.g):new hb(~a.h+1,~a.g)}function jb(a){a=BigInt.asUintN(64,a);return new hb(Number(a&BigInt(4294967295)),Number(a>>BigInt(32)))}function kb(a){if(!a)return lb||(lb=new hb(0,0));if(!/^\d+$/.test(a))return null;gb(a);return new hb(v,y)}var lb;function mb(a,b){this.h=a>>>0;this.g=b>>>0}function nb(a){a=BigInt.asUintN(64,a);return new mb(Number(a&BigInt(4294967295)),Number(a>>BigInt(32)))} +function ob(a){if(!a)return pb||(pb=new mb(0,0));if(!/^-?\d+$/.test(a))return null;gb(a);return new mb(v,y)}var pb;function qb(){throw Error("Invalid UTF8");}function rb(a,b){b=String.fromCharCode.apply(null,b);return a==null?b:a+b}var sb=void 0,tb,ub=typeof TextDecoder!=="undefined",vb,wb=typeof String.prototype.isWellFormed==="function",xb=typeof TextEncoder!=="undefined"; +function yb(a){var b=!1;b=b===void 0?!1:b;if(xb){if(b&&(wb?!a.isWellFormed():/(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])/.test(a)))throw Error("Found an unpaired surrogate");a=(vb||(vb=new TextEncoder)).encode(a)}else{for(var c=0,d=new Uint8Array(3*a.length),e=0;e>6|192;else{if(f>=55296&&f<=57343){if(f<=56319&&e=56320&&g<=57343){f=(f-55296)*1024+g-56320+ +65536;d[c++]=f>>18|240;d[c++]=f>>12&63|128;d[c++]=f>>6&63|128;d[c++]=f&63|128;continue}else e--}if(b)throw Error("Found an unpaired surrogate");f=65533}d[c++]=f>>12|224;d[c++]=f>>6&63|128}d[c++]=f&63|128}}a=c===d.length?d:d.subarray(0,c)}return a};function zb(a){Aa.setTimeout(function(){throw a;},0)};function Ab(){var a=Aa.navigator;return a&&(a=a.userAgent)?a:""}var Bb,Cb=Aa.navigator;Bb=Cb?Cb.userAgentData||null:null;var Db={},Eb=null;function Fb(a){var b=a.length,c=b*3/4;c%3?c=Math.floor(c):"=.".indexOf(a[b-1])!=-1&&(c="=.".indexOf(a[b-2])!=-1?c-2:c-1);var d=new Uint8Array(c),e=0;Gb(a,function(f){d[e++]=f});return e!==c?d.subarray(0,e):d} +function Gb(a,b){function c(k){for(;d>4);g!=64&&(b(f<<4&240|g>>2),h!=64&&b(g<<6&192|h))}} +function Hb(){if(!Eb){Eb={};for(var a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789".split(""),b=["+/=","+/","-_=","-_.","-_"],c=0;c<5;c++){var d=a.concat(b[c].split(""));Db[c]=d;for(var e=0;e0?0:Ab().indexOf("Trident")!=-1||Ab().indexOf("MSIE")!=-1)&&typeof btoa==="function",Kb=/[-_.]/g,Lb={"-":"+",_:"/",".":"="};function Mb(a){return Lb[a]||""}function Nb(a){if(!Jb)return Fb(a);a=Kb.test(a)?a.replace(Kb,Mb):a;a=atob(a);for(var b=new Uint8Array(a.length),c=0;c32)for(d|=(h&127)>>4,e=3;e<32&&h&128;e+=7)h=f[g++],d|=(h&127)<>>0,d>>>0);throw Error();}function Zb(a,b){a.g=b;if(b>a.i)throw Error();} +function $b(a){var b=a.h,c=a.g,d=b[c++],e=d&127;if(d&128&&(d=b[c++],e|=(d&127)<<7,d&128&&(d=b[c++],e|=(d&127)<<14,d&128&&(d=b[c++],e|=(d&127)<<21,d&128&&(d=b[c++],e|=d<<28,d&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128)))))throw Error();Zb(a,c);return e}function ac(a){return $b(a)>>>0}function bc(a){a=ac(a);return a>>>1^-(a&1)}function cc(a){return Yb(a,cb)}function dc(a){return Yb(a,db)} +function ec(a){var b=a.h,c=a.g,d=b[c],e=b[c+1],f=b[c+2];b=b[c+3];Zb(a,a.g+4);return(d<<0|e<<8|f<<16|b<<24)>>>0}function fc(a){var b=ec(a);a=(b>>31)*2+1;var c=b>>>23&255;b&=8388607;return c==255?b?NaN:a*Infinity:c==0?a*1.401298464324817E-45*b:a*Math.pow(2,c-150)*(b+8388608)}function hc(a){var b=ec(a),c=ec(a);a=(c>>31)*2+1;var d=c>>>20&2047;b=4294967296*(c&1048575)+b;return d==2047?b?NaN:a*Infinity:d==0?a*4.9E-324*b:a*Math.pow(2,d-1075)*(b+4503599627370496)} +function ic(a){for(var b=0,c=a.g,d=c+10,e=a.h;ca.i)throw Error();a.g=b;return c}function lc(a,b){if(b==0)return Rb();var c=kc(a,b);a.J&&a.m?c=a.h.subarray(c,c+b):(a=a.h,b=c+b,c=c===b?new Uint8Array(0):Ta?a.slice(c,b):new Uint8Array(a.subarray(c,b)));return c.length==0?Rb():new Pb(c,Ob)}var mc=[],nc=void 0;function oc(){this.g=[]}oc.prototype.length=function(){return this.g.length};oc.prototype.end=function(){var a=this.g;this.g=[];return a};function pc(a,b,c){for(;c>0||b>127;)a.g.push(b&127|128),b=(b>>>7|c<<25)>>>0,c>>>=7;a.g.push(b)}function qc(a,b){for(;b>127;)a.g.push(b&127|128),b>>>=7;a.g.push(b)}function rc(a,b){if(b>=0)qc(a,b);else{for(var c=0;c<9;c++)a.g.push(b&127|128),b>>=7;a.g.push(1)}}function A(a,b){a.g.push(b>>>0&255);a.g.push(b>>>8&255);a.g.push(b>>>16&255);a.g.push(b>>>24&255)};function sc(a,b,c,d){if(mc.length){var e=mc.pop();e.init(a,b,c,d);a=e}else a=new Xb(a,b,c,d);this.h=a;this.l=this.h.g;this.g=this.i=-1;this.setOptions(d)}sc.prototype.setOptions=function(a){a=a===void 0?{}:a;this.T=a.T===void 0?!1:a.T};function tc(a,b,c,d){if(uc.length){var e=uc.pop();e.setOptions(d);e.h.init(a,b,c,d);return e}return new sc(a,b,c,d)}function vc(a){a.h.clear();a.i=-1;a.g=-1;uc.length<100&&uc.push(a)} +function wc(a){var b=a.h;if(b.g==b.i)return!1;a.l=a.h.g;var c=ac(a.h);b=c>>>3;c&=7;if(!(c>=0&&c<=5))throw Error();if(b<1)throw Error();a.i=b;a.g=c;return!0}function xc(a){switch(a.g){case 0:a.g!=0?xc(a):ic(a.h);break;case 1:a=a.h;Zb(a,a.g+8);break;case 2:if(a.g!=2)xc(a);else{var b=ac(a.h);a=a.h;Zb(a,a.g+b)}break;case 5:a=a.h;Zb(a,a.g+4);break;case 3:b=a.i;do{if(!wc(a))throw Error();if(a.g==4){if(a.i!=b)throw Error();break}xc(a)}while(1);break;default:throw Error();}} +function yc(a,b,c){var d=a.h.i,e=ac(a.h);e=a.h.g+e;var f=e-d;f<=0&&(a.h.i=e,c(b,a,void 0,void 0,void 0),f=e-a.h.g);if(f)throw Error();a.h.g=e;a.h.i=d;return b} +function zc(a){var b=ac(a.h);a=a.h;var c=kc(a,b);a=a.h;if(ub){var d=a,e;(e=tb)||(e=tb=new TextDecoder("utf-8",{fatal:!0}));b=c+b;d=c===0&&b===d.length?d:d.subarray(c,b);try{var f=e.decode(d)}catch(m){if(sb===void 0){try{e.decode(new Uint8Array([128]))}catch(n){}try{e.decode(new Uint8Array([97])),sb=!0}catch(n){sb=!1}}!sb&&(tb=void 0);throw m;}}else{f=c;b=f+b;c=[];for(var g=null,h,k;f=b?qb():(k=a[f++],h<194||(k&192)!==128?(f--,qb()):c.push((h&31)<<6|k&63)):h<240? +f>=b-1?qb():(k=a[f++],(k&192)!==128||h===224&&k<160||h===237&&k>=160||((e=a[f++])&192)!==128?(f--,qb()):c.push((h&15)<<12|(k&63)<<6|e&63)):h<=244?f>=b-2?qb():(k=a[f++],(k&192)!==128||(h<<28)+(k-144)>>30!==0||((e=a[f++])&192)!==128||((d=a[f++])&192)!==128?(f--,qb()):(h=(h&7)<<18|(k&63)<<12|(e&63)<<6|d&63,h-=65536,c.push((h>>10&1023)+55296,(h&1023)+56320))):qb(),c.length>=8192&&(g=rb(g,c),c.length=0);f=rb(g,c)}return f}function Ac(a){var b=ac(a.h);return lc(a.h,b)} +function Bc(a,b,c){var d=ac(a.h);for(d=a.h.g+d;a.h.g127;)b.push(c&127|128),c>>>=7,a.h++;b.push(c);a.h++}function B(a,b,c){qc(a.g,b*8+c)}function Gc(a,b,c){c!=null&&(c=parseInt(c,10),B(a,b,0),rc(a.g,c))}function Hc(a,b,c){B(a,b,2);qc(a.g,c.length);Dc(a,a.g.end());Dc(a,c)} +function Ic(a,b,c,d){c!=null&&(b=Ec(a,b),d(c,a),Fc(a,b))}function Jc(a){switch(typeof a){case "string":a.length&&a[0]==="-"?kb(a.substring(1)):kb(a)}};var Kc=typeof Symbol==="function"&&typeof Symbol()==="symbol";function Lc(a,b,c){return typeof Symbol==="function"&&typeof Symbol()==="symbol"?(c===void 0?0:c)&&Symbol.for&&a?Symbol.for(a):a!=null?Symbol(a):Symbol():b}var Mc=Lc("jas",void 0,!0),Nc=Lc(void 0,"1oa"),Oc=Lc(void 0,Symbol()),Pc=Lc(void 0,"0ubs"),Qc=Lc(void 0,"0ubsb"),Rc=Lc(void 0,"0actk"),Sc=Lc("m_m","ca",!0);var Tc={aa:{value:0,configurable:!0,writable:!0,enumerable:!1}},Uc=Object.defineProperties,D=Kc?Mc:"aa",Vc,Wc=[];E(Wc,7);Vc=Object.freeze(Wc);function Xc(a,b){Kc||D in a||Uc(a,Tc);a[D]|=b}function E(a,b){Kc||D in a||Uc(a,Tc);a[D]=b}function Yc(a){Xc(a,8192);return a};var Zc={};function $c(a,b){return b===void 0?a.g!==ad&&!!(2&(a.j[D]|0)):!!(2&b)&&a.g!==ad}var ad={};function bd(a,b,c){var d=b&128?0:-1,e=a.length,f;if(f=!!e)f=a[e-1],f=f!=null&&typeof f==="object"&&f.constructor===Object;var g=e+(f?-1:0);for(b=b&128?1:0;b=b||(d[a]=c+1,a=Error(),a.__closure__error__context__984382||(a.__closure__error__context__984382={}),a.__closure__error__context__984382.severity="incident",zb(a))}};function hd(a){return Array.prototype.slice.call(a)};var id=typeof BigInt==="function"?BigInt.asIntN:void 0,nd=typeof BigInt==="function"?BigInt.asUintN:void 0,od=Number.isSafeInteger,pd=Number.isFinite,qd=Math.trunc;function rd(a){if(a!=null&&typeof a!=="number")throw Error("Value of float/double field must be a number, found "+typeof a+": "+a);return a}function sd(a){if(a==null||typeof a==="number")return a;if(a==="NaN"||a==="Infinity"||a==="-Infinity")return Number(a)} +function td(a){if(a==null||typeof a==="boolean")return a;if(typeof a==="number")return!!a}var ud=/^-?([1-9][0-9]*|0)(\.[0-9]+)?$/;function vd(a){switch(typeof a){case "bigint":return!0;case "number":return pd(a);case "string":return ud.test(a);default:return!1}}function wd(a){if(a==null)return a;if(typeof a==="string"&&a)a=+a;else if(typeof a!=="number")return;return pd(a)?a|0:void 0} +function xd(a){if(a==null)return a;if(typeof a==="string"&&a)a=+a;else if(typeof a!=="number")return;return pd(a)?a>>>0:void 0} +function yd(a){if(a==null)return a;var b=typeof a;if(b==="bigint")return String(id(64,a));if(vd(a)){if(b==="string")return b=qd(Number(a)),od(b)?a=String(b):(b=a.indexOf("."),b!==-1&&(a=a.substring(0,b)),b=a.length,(a[0]==="-"?b<20||b===20&&a<="-9223372036854775808":b<19||b===19&&a<="9223372036854775807")||(gb(a),a=eb(v,y))),a;if(b==="number")return a=qd(a),od(a)||(Wa(a),a=cb(v,y)),a}} +function zd(a){if(a==null)return a;var b=typeof a;if(b==="bigint")return String(nd(64,a));if(vd(a)){if(b==="string")return b=qd(Number(a)),od(b)&&b>=0?a=String(b):(b=a.indexOf("."),b!==-1&&(a=a.substring(0,b)),a[0]==="-"?b=!1:(b=a.length,b=b<20?!0:b===20&&a<="18446744073709551615"),b||(gb(a),a=ab(v,y))),a;if(b==="number")return a=qd(a),a>=0&&od(a)||(Wa(a),a=$a(v,y)),a}}function Ad(a){if(a==null||typeof a=="string"||a instanceof Pb)return a} +function Bd(a){if(a!=null&&typeof a!=="string")throw Error();return a}function Cd(a){return a==null||typeof a==="string"?a:void 0};function Dd(a){var b=Ca(Oc);return b?a[b]:void 0}function Ed(){}function Fd(a,b){for(var c in a)!isNaN(c)&&b(a,+c,a[c])}function Gd(a){var b=new Ed;Fd(a,function(c,d,e){b[d]=hd(e)});b.g=a.g;return b}function Hd(a,b){b<100||gd(Pc,1)};function Id(a,b,c,d){var e=d!==void 0;d=!!d;var f=Ca(Oc),g;!e&&Kc&&f&&(g=a[f])&&Fd(g,Hd);f=[];var h=a.length;g=4294967295;var k=!1,m=!!(b&64),n=m?b&128?0:-1:void 0;if(!(b&1)){var w=h&&a[h-1];w!=null&&typeof w==="object"&&w.constructor===Object?(h--,g=h):w=void 0;if(m&&!(b&128)&&!e){k=!0;var x;g=((x=Jd)!=null?x:ed)(g-n,n,a,w,void 0)+n}}b=void 0;for(x=0;x=g){var G=x-n,C=void 0;((C=b)!=null?C:b={})[G]=z}else f[x]=z}if(w)for(var T in w)h=w[T],h!= +null&&(h=c(h,d))!=null&&(x=+T,z=void 0,m&&!Number.isNaN(x)&&(z=x+n)>2];h=c[(h&3)<<4|k>>4];k=c[(k&15)<<2|m>>6];m=c[m&63];d[g++]=n+h+k+m}n=0;m=e;switch(b.length-f){case 2:n=b[f+1],m=c[(n&15)<<2]||e;case 1:b=b[f],d[g]=c[b>>2]+c[(b&3)<<4|n>>4]+m+e}b=d.join("")}a=a.g=b}return a}return}return a}var Jd;function Ld(a){a=a.j;return Id(a,a[D]|0,Kd)};var Md,Nd;function Od(a){switch(typeof a){case "boolean":return Md||(Md=[0,void 0,!0]);case "number":return a>0?void 0:a===0?Nd||(Nd=[0,void 0]):[-a,void 0];case "string":return[0,a];case "object":return a}}function Pd(a,b){return F(a,b[0],b[1])} +function F(a,b,c,d){d=d===void 0?0:d;if(a==null){var e=32;c?(a=[c],e|=128):a=[];b&&(e=e&-16760833|(b&1023)<<14)}else{if(!Array.isArray(a))throw Error("narr");e=a[D]|0;if(Ea&&1&e)throw Error("rfarr");2048&e&&!(2&e)&&Qd();if(e&256)throw Error("farr");if(e&64)return(e|d)!==e&&E(a,e|d),a;if(c&&(e|=128,c!==a[0]))throw Error("mid");a:{c=a;e|=64;var f=c.length;if(f){var g=f-1,h=c[g];if(h!=null&&typeof h==="object"&&h.constructor===Object){b=e&128?0:-1;g-=b;if(g>=1024)throw Error("pvtlmt");for(var k in h)f= ++k,f1024)throw Error("spvt");e=e&-16760833|(k&1023)<<14}}}E(a,e|64|d);return a}function Qd(){if(Ea)throw Error("carr");gd(Rc,5)};function Rd(a,b){if(typeof a!=="object")return a;if(Array.isArray(a)){var c=a[D]|0;a.length===0&&c&1?a=void 0:c&2||(!b||4096&c||16&c?a=Sd(a,c,!1,b&&!(c&16)):(Xc(a,34),c&4&&Object.freeze(a)));return a}if(a!=null&&a[Sc]===Zc)return b=a.j,c=b[D]|0,$c(a,c)?a:Td(a,b,c)?Ud(a,b):Sd(b,c);if(a instanceof Pb)return a}function Ud(a,b,c){a=new a.constructor(b);c&&(a.g=ad);a.h=ad;return a}function Sd(a,b,c,d){d!=null||(d=!!(34&b));a=Id(a,b,Rd,d);d=32;c&&(d|=2);b=b&16769217|d;E(a,b);return a} +function Vd(a){if(a.g!==ad)return!1;var b=a.j;b=Sd(b,b[D]|0);Xc(b,2048);a.j=b;a.g=void 0;a.h=void 0;return!0}function Wd(a){if(!Vd(a)&&$c(a,a.j[D]|0))throw Error();}function Xd(a,b){b===void 0&&(b=a[D]|0);b&32&&!(b&4096)&&E(a,b|4096)}function Td(a,b,c){return c&2?!0:c&32&&!(c&4096)?(E(b,c|2),a.g=ad,!0):!1};function Yd(a,b,c){a=Zd(a.j,b,void 0,c);if(a!==null)return a}function Zd(a,b,c,d){if(b===-1)return null;var e=b+(c?0:-1),f=a.length-1;if(!(f<1+(c?0:-1))){if(e>=f){var g=a[f];if(g!=null&&typeof g==="object"&&g.constructor===Object){c=g[b];var h=!0}else if(e===f)c=g;else return}else c=a[e];if(d&&c!=null){d=d(c);if(d==null)return d;if(!Object.is(d,c))return h?g[b]=d:a[e]=d,d}return c}}function $d(a,b,c){Wd(a);var d=a.j;H(d,d[D]|0,b,c);return a} +function H(a,b,c,d,e){var f=c+(e?0:-1),g=a.length-1;if(g>=1+(e?0:-1)&&f>=g){var h=a[g];if(h!=null&&typeof h==="object"&&h.constructor===Object)return h[c]=d,b}if(f<=g)return a[f]=d,b;if(d!==void 0){var k;g=((k=b)!=null?k:b=a[D]|0)>>14&1023||536870912;c>=g?d!=null&&(f={},a[g+(e?0:-1)]=(f[c]=d,f)):a[f]=d}return b}function ae(a,b){return be(a,a[D]|0,b)}function ce(a){return!!(2&a)&&!!(4&a)||!!(256&a)} +function de(a){return a==null?a:typeof a==="string"?a?new Pb(a,Ob):Rb():a.constructor===Pb?a:Ib&&a!=null&&a instanceof Uint8Array?a.length?new Pb(new Uint8Array(a),Ob):Rb():void 0}function be(a,b,c){if(b&2)throw Error();var d=dd(b);var e=Zd(a,c,d);e=Array.isArray(e)?e:Vc;var f=e===Vc?7:e[D]|0;var g=f;2&b&&(g|=2);g|=1;if(2&g||ce(g)||16&g)g===f||ce(g)||E(e,g),e=hd(e),f=0,g=ee(g,b),H(a,b,c,e,d);g&=-13;g!==f&&E(e,g);return e} +function fe(a,b,c,d){Wd(a);var e=a.j,f=e[D]|0;if(d==null){var g=ge(e);if(he(g,e,f,c)===b)g.set(c,0);else return a}else f=ie(e,f,c,b);H(e,f,b,d);return a}function je(a,b,c,d){var e=a[D]|0,f=dd(e);e=ie(a,e,c,b,f);H(a,e,b,d,f)}function ge(a){if(Kc){var b;return(b=a[Nc])!=null?b:a[Nc]=new Map}if(Nc in a)return a[Nc];b=new Map;Object.defineProperty(a,Nc,{value:b});return b}function ie(a,b,c,d,e){var f=ge(a),g=he(f,a,b,c,e);g!==d&&(g&&(b=H(a,b,g,void 0,e)),f.set(c,d));return b} +function he(a,b,c,d,e){var f=a.get(d);if(f!=null)return f;for(var g=f=0;g0;){for(var k=0;k>31)>>>0))}},J()),Jf=[!0,S,Q],Kf=[!0,S,R],Lf=[!0,S,S];function Mf(a){return function(b){var c=new Cc;Ye(b.j,c,Oe(He,Ve,We,a));Dc(c,c.g.end());b=new Uint8Array(c.h);for(var d=c.i,e=d.length,f=0,g=0;g>>0&255),a.g.push(b>>>8&255),a.g.push(b>>>16&255),a.g.push(b>>>24&255))},J()),-1];var Pf=[0,Y,-1,sf,S,Of,-1,O,Q,Y,Nf,S,Y,-1,[0,Of,-1],Q,wf,Nf,O,[0,1,Q,-4,of,[0,O,-1,Q],S,O,V,[0,Y,Q],Q,-1,Y,-2,O,-1,Y,O,Y,Q,[0,3,Q,-1,4,M(function(a,b,c){if(a.g!==2)return!1;a=Ac(a);be(b,b[D]|0,c).push(a);return!0},function(a,b,c){b=K(Ad,b,!1);if(b!=null)for(var d=0;dc.i)throw Error();var f=c.h;d+=f.byteOffset;nc===void 0&&(nc=(new Uint16Array((new Uint8Array([1,2])).buffer))[0]==513);if(nc)for(c.g+=e,c=new Float64Array(f.buffer.slice(d,d+e)),a=0;a0;)window.clearTimeout(b.O.pop());b.v=[];b.N.length=0;b.H=null;b.M=0;d.g=0})};aa.onPause=function(){var a=this;return t(function(b){if(b.g==1){if(!a.h)return b.return();qh(a);a.u=!0;return r(b,a.i.suspend(),2)}a.l=!1;b.g=0})}; +aa.onResume=function(){var a=this;return t(function(b){if(b.g==1){if(!a.h||a.l)return b.return();a.u=!1;return a.D?r(b,a.i.resume(),2):(a.A.length===0&&rh(a),b.return(sh(a)))}a.l=!0;th(a);b.g=0})}; +aa.onSpeak=function(a,b){var c=this,d,e,f,g,h;return t(function(k){switch(k.g){case 1:return c.u=!1,r(k,c.init(c.extensionId),2);case 2:if(!c.g)throw Error("WASM module not initialized.");return b.voiceName?r(k,c.onStop(!1),3):k.return();case 3:c.utterance=a;d=b.voiceName;if(c.V===d){k.g=4;break}k.i=5;return r(k,uh(c,d,!1),7);case 7:e=c.C[d];if(!e)throw Error("Invalid voice name: "+b.voiceName);f=["/voices",e].join("/");g=[f,"pipeline.pb"].join("/");if(c.g){var m=vh(c,g);var n=vh(c,f),w=c.g._GoogleTtsInit(m, +n);c.g._free(n);c.g._free(m);m=w===1}else m=!1;if(!m)throw Error("Failed to initialize pipeline "+g);pa(k,4);break;case 5:return qa(k),k.return(Promise.reject(Error("Voice is not available")));case 4:c.V=d;var x=b.lang;c.extensionId&&x&&chrome.runtime.sendMessage(c.extensionId,{type:"languageUsed",language:x});try{if(x=d,c.g&&a.length){var z=new Ug,G=new Tg;var C=$d(G,2,Bd(a));var T=qe(z,[C]);var Ch=new Ng,Tb=b.rate;var Dh=fe(Ch,1,Og,rd(!Tb||Tb<.1||Tb>10?1:Tb));var $f=b.pitch;m=$d(Dh,6,rd($f?Math.pow(2, +($f-1)*20/12):1));b.volume!==void 0&&b.volume>=0&&(c.F.gain.value=Math.min(Math.max(b.volume,0),1));n=new ah;w=new Vg;z=T;z=oe(z);fe(w,2,Wg,z);z&&!$c(z)&&Xd(w.j);var Eh=qe(n,[w]);var Fh=new Pg;var Gh=pe(Fh,3,m);var Hh=pe(Eh,2,Gh);var Ih=new ch;var Jh=pe(Ih,2,Hh);var jd=Array.from(new Uint8Array(dh(Jh))),Kh=c.R[x],Lh=new Tf;var Mh=$d(Lh,1,Bd(Kh));var kd=Mg(Mh),ld=c.g._malloc(jd.length);c.g.HEAPU8.set(jd,ld);var md=c.g._malloc(kd.length);c.g.HEAPU8.set(kd,md);var Nh=c.g._GoogleTtsInitBuffered(ld,md, +jd.length,kd.length);c.g._free(ld);c.g._free(md);if(!Nh)throw Error("Failed to initialize buffered synthesis.");rh(c)}}catch(ag){return h=ag instanceof Error?ag.message:"",k.return(Promise.reject(Error("Synthesis failed with "+h)))}k.g=0}})}; +function hh(a){return a.i.audioWorklet.addModule("../streaming_worklet_processor.js").then(function(){a.m=new AudioWorkletNode(a.i,"streaming-worklet-processor");a.m.port.onmessage=function(b){a.utterance&&!a.G&&b.data.type==="empty"&&(wh(a,{type:"end",charIndex:a.utterance.length}),a.onStop(!1))};a.F.connect(a.i.destination)})}function vh(a,b){b=a.Y.encode(b+"\x00");var c=a.g._malloc(b.length);a.g.HEAPU8.set(b,c);return c} +function rh(a){var b=setTimeout(function(){a.G=!0;var c=a.g,d=c._GoogleTtsReadBuffered();if(d===-1)wh(a,{type:"error"}),ph(a);else{for(var e=c._GoogleTtsGetTimepointsCount(),f=0;f0;)window.clearTimeout(a.A.pop())}function xh(a,b){var c=b.audioDeltaMillis,d=b.charIndex,e=b.length;d<0||c<=0||(a.l?c<-100||(c<2?wh(a,{type:"word",charIndex:d,length:e}):(c=window.setTimeout(function(){a.l?wh(a,{type:"word",charIndex:d,length:e}):a.v.push(b)},c),a.O.push(c))):a.v.push(b))} +function th(a){var b=a.v;a.v=[];b=q(b);for(var c=b.next();!c.done;c=b.next())xh(a,c.value)}function yh(a,b,c){if(Sf(ne(b))===24E3){var d;b=(d=Rf(ne(b)))==null?void 0:new Uint8Array(Ub(d)||0);d=new Uint8Array(b);d=new Int16Array(d.buffer);d=Float32Array.from(d,function(e){return e/32768});Ah(a,d,c)}} +function Ah(a,b,c){for(var d=a.H,e=a.M,f=0,g=b.length;f>4).toString(16),c+=Number(e&15).toString(16);return f.return(c)})}ea.Object.defineProperties(eh.prototype,{voices:{configurable:!0,enumerable:!0,get:function(){return this.o}}});var Rh=new eh,Sh=null; +chrome.runtime.onMessage.addListener(function(a,b,c){Sh||(Sh=Rh.init(b.id));Sh.then(function(){switch(a.type){case "init":Rh.init(b.id);c({result:"Initialized"});break;case "getLanguageStatus":Rh.onLanguageStatusRequest(a.lang).then(c);break;case "installLanguage":Rh.onInstallLanguageRequest(a.lang).then(c);break;case "uninstallLanguage":Rh.onUninstallLanguageRequest(a.lang).then(c);break;case "removeUnusedLanguage":kh(Rh,a.lang).then(function(){c({result:"Removed "+a.lang})});break;case "speak":Rh.onSpeak(a.utterance, +a.options);c({result:"Start speaking"});break;case "stop":Rh.onStop(!0);c({result:"Stopped speech"});break;case "pause":Rh.onPause();c({result:"Paused speech"});break;case "resume":Rh.onResume(),c({result:"Resumed speech"})}});return!0}); diff --git a/user/user_data/WasmTtsEngine/20260105.1/streaming_worklet_processor.js b/user/user_data/WasmTtsEngine/20260105.1/streaming_worklet_processor.js new file mode 100644 index 0000000..d25e960 --- /dev/null +++ b/user/user_data/WasmTtsEngine/20260105.1/streaming_worklet_processor.js @@ -0,0 +1,78 @@ +/** + * @fileoverview StreamingWorkletProcessor, the AudioWorkletProcessor + * for the Google text-to-speech extension. + * + * An AudioWorkletProcessor runs in the audio thread, it can only communicate + * with the rest of the extension via message-passing. + * + * The design is very simple: It listens for just two commands from the + * corresponding AudioWorkletNode's message port: 'addBuffer' gets a single + * buffer of mono float32 audio samples, in exactly the length expected + * by AudioWorkletProcessor.process, and adds it to a queue. 'clearBuffers' + * clears the queue. Then, every time |process| is called, it just shifts + * the front of the queue and outputs it. + */ +class StreamingWorkletProcessor extends AudioWorkletProcessor { + constructor() { + super(); + + this.port.onmessage = this.onEvent.bind(this); + + // TODO: add type annotations + this.buffers_ = []; + this.active_ = false; + this.first_ = true; + this.id_ = 0; + } + + /** + * Implement process() from the AudioWorkletProcessor interface. + * TODO: find externs so we can use @override. + * @param {!object} inputs Unimportant here since we only do audio output. + * @param {!object} outputs sequence> the output + * audio buffer that is to be consumed by the user agent. + * @return {boolean} True to keep processing audio. + */ + process(inputs, outputs) { + if (!this.active_) { + return true; + } + + if (this.buffers_.length == 0) { + this.active_ = false; + this.port.postMessage({id: this.id_, type: 'empty'}); + return true; + } + + let buffer = this.buffers_.shift(); + let output = outputs[0]; + if (this.first_) { + this.first_ = false; + } + for (let channel = 0; channel < output.length; ++channel) + output[channel].set(buffer); + + return true; + } + + /** + * Handle events sent to our message port. + * @param {!DOMEvent} event The incoming event. + */ + onEvent(event) { + switch (event.data.command) { + case 'addBuffer': + this.id_ = event.data.id; + this.active_ = true; + this.buffers_.push(event.data.buffer); + break; + case 'clearBuffers': + this.id_ = 0; + this.active_ = false; + this.buffers_.length = 0; + break; + } + } +} + +registerProcessor('streaming-worklet-processor', StreamingWorkletProcessor); diff --git a/user/user_data/WasmTtsEngine/20260105.1/voices.json b/user/user_data/WasmTtsEngine/20260105.1/voices.json new file mode 100644 index 0000000..1ba0afc --- /dev/null +++ b/user/user_data/WasmTtsEngine/20260105.1/voices.json @@ -0,0 +1,1779 @@ +[ + { + "id": "en-us-x-multi", + "fileId": "en-us-x-multi-r83", + "url": "https://dl.google.com/android/tts/v26/en-us/en-us-x-multi-r83.zvoice", + "sha256Checksum": "23ff710bc2cf8fea0d1fe73e17ce3fd438d57ba5c83cd67de2a213ead5436e8c", + "compressedSize": 14658800, + "speakers": [ + { + "speaker": "sfg", + "name": "Chrome OS US English 1", + "gender": "female" + }, + { + "speaker": "iob", + "name": "Chrome OS US English 2", + "gender": "female" + }, + { + "speaker": "iog", + "name": "Chrome OS US English 3", + "gender": "female" + }, + { + "speaker": "iol", + "name": "Chrome OS US English 4", + "gender": "male" + }, + { + "speaker": "iom", + "name": "Chrome OS US English 5", + "gender": "male" + }, + { + "speaker": "tpc", + "name": "Chrome OS US English 6", + "gender": "female" + }, + { + "speaker": "tpd", + "name": "Chrome OS US English 7", + "gender": "male" + }, + { + "speaker": "tpf", + "name": "Chrome OS US English 8", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "en-gb-x-multi", + "fileId": "en-gb-x-multi-r67", + "url": "https://redirector.gvt1.com/edgedl/android/tts/v26/en-gb/en-gb-x-multi-r67.zvoice", + "sha256Checksum": "35ea73fc488ff5febf61db80854442cc91b34c057bdce9a58682be5f981e8ecc", + "compressedSize": 11697473, + "speakers": [ + { + "speaker": "fis", + "name": "Chrome OS UK English 1", + "gender": "female" + }, + { + "speaker": "rjs", + "name": "Chrome OS UK English 2", + "gender": "male" + }, + { + "speaker": "gba", + "name": "Chrome OS UK English 3", + "gender": "female" + }, + { + "speaker": "gbb", + "name": "Chrome OS UK English 4", + "gender": "male" + }, + { + "speaker": "gbc", + "name": "Chrome OS UK English 5", + "gender": "female" + }, + { + "speaker": "gbd", + "name": "Chrome OS UK English 6", + "gender": "male" + }, + { + "speaker": "gbg", + "name": "Chrome OS UK English 7", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "pt-br-x-multi", + "fileId": "pt-br-x-multi-r64", + "url": "https://dl.google.com/android/tts/v26/pt-br/pt-br-x-multi-r64.zvoice", + "sha256Checksum": "c85d6b1d0db9ae9c6aaea45f932ed09f8596c335684f431796f30ddf96d68dd3", + "compressedSize": 9188243, + "speakers": [ + { + "speaker": "afs", + "name": "Chrome OS portugu\u00eas do Brasil", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "es-us-x-multi", + "fileId": "es-us-x-multi-r65", + "url": "https://redirector.gvt1.com/edgedl/android/tts/v26/es-us/es-us-x-multi-r65.zvoice", + "sha256Checksum": "283815831ad8acbccbfc56e31e54d0c12b1cd7f3c5dfe6b4ded0ec8d79c94afb", + "compressedSize": 9849969, + "speakers": [ + { + "speaker": "sfb", + "name": "Chrome OS espa\u00f1ol de Estados Unidos", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "hi-in-x-multi", + "fileId": "hi-in-x-multi-r62", + "url": "https://dl.google.com/android/tts/v26/hi-in/hi-in-x-multi-r62.zvoice", + "sha256Checksum": "de579d9b568d70254a7b63a349db08d2d9f38ce3878a2a48cc371a79264dea06", + "compressedSize": 17587350, + "speakers": [ + { + "speaker": "cfn", + "name": "Chrome OS \u0939\u093f\u0928\u094d\u0926\u0940 1", + "gender": "female" + }, + { + "speaker": "hia", + "name": "Chrome OS \u0939\u093f\u0928\u094d\u0926\u0940 2", + "gender": "female" + }, + { + "speaker": "hic", + "name": "Chrome OS \u0939\u093f\u0928\u094d\u0926\u0940 3", + "gender": "female" + }, + { + "speaker": "hid", + "name": "Chrome OS \u0939\u093f\u0928\u094d\u0926\u0940 4", + "gender": "male" + }, + { + "speaker": "hie", + "name": "Chrome OS \u0939\u093f\u0928\u094d\u0926\u0940 5", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "en-au-x-multi", + "fileId": "en-au-x-multi-r65", + "url": "https://redirector.gvt1.com/edgedl/android/tts/v26/en-au/en-au-x-multi-r65.zvoice", + "sha256Checksum": "b3cea2c78c8f9401faa73b80c57ac49ed56fd5476e4d50a2d0b2e821036affb8", + "compressedSize": 10980781, + "speakers": [ + { + "speaker": "afh", + "name": "Chrome OS Australian English 1", + "gender": "female" + }, + { + "speaker": "aua", + "name": "Chrome OS Australian English 2", + "gender": "female" + }, + { + "speaker": "aub", + "name": "Chrome OS Australian English 3", + "gender": "male" + }, + { + "speaker": "auc", + "name": "Chrome OS Australian English 4", + "gender": "female" + }, + { + "speaker": "aud", + "name": "Chrome OS Australian English 5", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "fr-fr-x-multi", + "fileId": "fr-fr-x-multi-r61", + "url": "https://redirector.gvt1.com/edgedl/android/tts/v26/fr-fr/fr-fr-x-multi-r61.zvoice", + "sha256Checksum": "55406b6f6e807de82b7ca73d9442ae430d63aec1a89525af873d471c8e7ccd55", + "compressedSize": 18533886, + "speakers": [ + { + "speaker": "vlf", + "name": "Chrome OS fran\u00e7ais 1", + "gender": "female" + }, + { + "speaker": "fra", + "name": "Chrome OS fran\u00e7ais 2", + "gender": "female" + }, + { + "speaker": "frb", + "name": "Chrome OS fran\u00e7ais 3", + "gender": "male" + }, + { + "speaker": "frc", + "name": "Chrome OS fran\u00e7ais 4", + "gender": "female" + }, + { + "speaker": "frd", + "name": "Chrome OS fran\u00e7ais 5", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "de-de-x-multi", + "fileId": "de-de-x-multi-r61", + "url": "https://redirector.gvt1.com/edgedl/android/tts/v26/de-de/de-de-x-multi-r61.zvoice", + "sha256Checksum": "5d49ad6b2700079c9ed1e9469dcdef19c5e10495d6d664d9dff87778f32bb81e", + "compressedSize": 15522323, + "speakers": [ + { + "speaker": "nfh", + "name": "Chrome OS Deutsch 1", + "gender": "female" + }, + { + "speaker": "deb", + "name": "Chrome OS Deutsch 2", + "gender": "male" + }, + { + "speaker": "deg", + "name": "Chrome OS Deutsch 3", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "es-es-x-multi", + "fileId": "es-es-x-multi-r59", + "url": "https://dl.google.com/android/tts/v26/es-es/es-es-x-multi-r59.zvoice", + "sha256Checksum": "613bc1e3cb1c83e87db9428fbc4fbc2561e7e79d68f55b8098aa0ee3070622f8", + "compressedSize": 9132841, + "speakers": [ + { + "speaker": "eea", + "name": "Chrome OS espa\u00f1ol 1", + "gender": "female" + }, + { + "speaker": "eec", + "name": "Chrome OS espa\u00f1ol 2", + "gender": "female" + }, + { + "speaker": "eed", + "name": "Chrome OS espa\u00f1ol 3", + "gender": "male" + }, + { + "speaker": "eee", + "name": "Chrome OS espa\u00f1ol 4", + "gender": "female" + }, + { + "speaker": "eef", + "name": "Chrome OS espa\u00f1ol 5", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "ko-kr-x-multi", + "fileId": "ko-kr-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/ko-kr/ko-kr-x-multi-r56.zvoice", + "sha256Checksum": "0d2bbeed8c59f2b6f33d796d6f063c3ec56dcac63b362d66ac55129d241359a6", + "compressedSize": 9851775, + "speakers": [ + { + "speaker": "ism", + "name": "Chrome OS \ud55c\uad6d\uc5b4 1", + "gender": "male" + }, + { + "speaker": "kob", + "name": "Chrome OS \ud55c\uad6d\uc5b4 2", + "gender": "female" + }, + { + "speaker": "koc", + "name": "Chrome OS \ud55c\uad6d\uc5b4 3", + "gender": "male" + }, + { + "speaker": "kod", + "name": "Chrome OS \ud55c\uad6d\uc5b4 4", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "nl-nl-x-multi", + "fileId": "nl-nl-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/nl-nl/nl-nl-x-multi-r56.zvoice", + "sha256Checksum": "e73f958afe5c438b9e534066beae293ced2c3f3877fc2e7222e96e8d6e399223", + "compressedSize": 8153821, + "speakers": [ + { + "speaker": "tfb", + "name": "Chrome OS Nederlands 1", + "gender": "female" + }, + { + "speaker": "bmh", + "name": "Chrome OS Nederlands 2", + "gender": "male" + }, + { + "speaker": "dma", + "name": "Chrome OS Nederlands 3", + "gender": "male" + }, + { + "speaker": "lfc", + "name": "Chrome OS Nederlands 4", + "gender": "female" + }, + { + "speaker": "yfr", + "name": "Chrome OS Nederlands 5", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "pl-pl-x-multi", + "fileId": "pl-pl-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/pl-pl/pl-pl-x-multi-r56.zvoice", + "sha256Checksum": "ff022c19520b9adced40ab32e0d0e19f1e6186056ccd9f82c35d67cda9b4c3cc", + "compressedSize": 10824937, + "speakers": [ + { + "speaker": "oda", + "name": "Chrome OS Polski 1", + "gender": "female" + }, + { + "speaker": "afb", + "name": "Chrome OS Polski 2", + "gender": "female" + }, + { + "speaker": "bmg", + "name": "Chrome OS Polski 3", + "gender": "male" + }, + { + "speaker": "jmk", + "name": "Chrome OS Polski 4", + "gender": "male" + }, + { + "speaker": "zfg", + "name": "Chrome OS Polski 5", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "id-id-x-multi", + "fileId": "id-id-x-multi-r58", + "url": "https://dl.google.com/android/tts/v26/id-id/id-id-x-multi-r58.zvoice", + "sha256Checksum": "6cc55022d3d99b108a6961cebc47beeab2c3e597887aaf944ebf37f7136e739b", + "compressedSize": 4610600, + "speakers": [ + { + "speaker": "dfz", + "name": "Chrome OS Bahasa Indonesia 1", + "gender": "female" + }, + { + "speaker": "idc", + "name": "Chrome OS Bahasa Indonesia 2", + "gender": "female" + }, + { + "speaker": "idd", + "name": "Chrome OS Bahasa Indonesia 3", + "gender": "male" + }, + { + "speaker": "ide", + "name": "Chrome OS Bahasa Indonesia 4", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "tr-tr-x-multi", + "fileId": "tr-tr-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/tr-tr/tr-tr-x-multi-r56.zvoice", + "sha256Checksum": "d8a0d95b105a0da96ebe7d588a4455c8024a0ff03b21094b8bce4c98ed84d484", + "compressedSize": 6410914, + "speakers": [ + { + "speaker": "mfm", + "name": "Chrome OS T\u00fcrk\u00e7e 1", + "gender": "female" + }, + { + "speaker": "ama", + "name": "Chrome OS T\u00fcrk\u00e7e 2", + "gender": "male" + }, + { + "speaker": "cfs", + "name": "Chrome OS T\u00fcrk\u00e7e 3", + "gender": "female" + }, + { + "speaker": "efu", + "name": "Chrome OS T\u00fcrk\u00e7e 4", + "gender": "female" + }, + { + "speaker": "tmc", + "name": "Chrome OS T\u00fcrk\u00e7e 5", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "yue-hk-x-multi", + "fileId": "yue-hk-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/yue-hk/yue-hk-x-multi-r56.zvoice", + "sha256Checksum": "56913268da49737fc057b5991a2d6a5de9f21634176a2b53517ce6b4b9f562be", + "compressedSize": 13291789, + "speakers": [ + { + "speaker": "jar", + "name": "Chrome OS \u7cb5\u8a9e 1", + "gender": "female" + }, + { + "speaker": "yuc", + "name": "Chrome OS \u7cb5\u8a9e 2", + "gender": "female" + }, + { + "speaker": "yud", + "name": "Chrome OS \u7cb5\u8a9e 3", + "gender": "male" + }, + { + "speaker": "yue", + "name": "Chrome OS \u7cb5\u8a9e 4", + "gender": "female" + }, + { + "speaker": "yuf", + "name": "Chrome OS \u7cb5\u8a9e 5", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "nb-no-x-multi", + "fileId": "nb-no-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/nb-no/nb-no-x-multi-r56.zvoice", + "sha256Checksum": "568ffb39e76fd548133ef763a1d832c12e9a4980152f38c367bb2da817b2f745", + "compressedSize": 5252095, + "speakers": [ + { + "speaker": "rfj", + "name": "Chrome OS Norsk Bokm\u00e5l 1", + "gender": "female" + }, + { + "speaker": "cfl", + "name": "Chrome OS Norsk Bokm\u00e5l 2", + "gender": "female" + }, + { + "speaker": "cmj", + "name": "Chrome OS Norsk Bokm\u00e5l 3", + "gender": "male" + }, + { + "speaker": "tfs", + "name": "Chrome OS Norsk Bokm\u00e5l 4", + "gender": "female" + }, + { + "speaker": "tmg", + "name": "Chrome OS Norsk Bokm\u00e5l 5", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "fi-fi-x-multi", + "fileId": "fi-fi-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/fi-fi/fi-fi-x-multi-r56.zvoice", + "sha256Checksum": "5cebd75040d1797bb84a8b5bff181a881c9e61fe7b0848f461dcbc36fc3a16a5", + "compressedSize": 8584091, + "speakers": [ + { + "speaker": "afi", + "name": "Chrome OS Suomi", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "vi-vn-x-multi", + "fileId": "vi-vn-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/vi-vn/vi-vn-x-multi-r56.zvoice", + "sha256Checksum": "8dea7476d506c39cb6a1613f7263be9e5878c3e39ae85a4d9c3dc65948ffc16f", + "compressedSize": 7601510, + "speakers": [ + { + "speaker": "gft", + "name": "Chrome OS Ti\u1ebfng Vi\u1ec7t 1", + "gender": "female" + }, + { + "speaker": "vic", + "name": "Chrome OS Ti\u1ebfng Vi\u1ec7t 2", + "gender": "female" + }, + { + "speaker": "vid", + "name": "Chrome OS Ti\u1ebfng Vi\u1ec7t 3", + "gender": "male" + }, + { + "speaker": "vie", + "name": "Chrome OS Ti\u1ebfng Vi\u1ec7t 4", + "gender": "female" + }, + { + "speaker": "vif", + "name": "Chrome OS Ti\u1ebfng Vi\u1ec7t 5", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "pt-pt-x-multi", + "fileId": "pt-pt-x-multi-r54", + "url": "https://dl.google.com/android/tts/v26/pt-pt/pt-pt-x-multi-r54.zvoice", + "sha256Checksum": "3b2fe56fbeb7561ea7c67bf1cd91af1e48360d277aaf22e9d4881523223c1a61", + "compressedSize": 14397642, + "speakers": [ + { + "speaker": "ifm", + "name": "Chrome OS portugu\u00eas de Portugal", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "it-it-x-multi", + "fileId": "it-it-x-multi-r57", + "url": "https://dl.google.com/android/tts/v26/it-it/it-it-x-multi-r57.zvoice", + "sha256Checksum": "a499dd0d22dc73bbd8378e4d267e268a6fc912fd2000a53d201ab09af26b3c43", + "compressedSize": 9346601, + "speakers": [ + { + "speaker": "kda", + "name": "Chrome OS italiano 1", + "gender": "female" + }, + { + "speaker": "itb", + "name": "Chrome OS italiano 2", + "gender": "female" + }, + { + "speaker": "itc", + "name": "Chrome OS italiano 3", + "gender": "male" + }, + { + "speaker": "itd", + "name": "Chrome OS italiano 4", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "th-th-x-multi", + "fileId": "th-th-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/th-th/th-th-x-multi-r56.zvoice", + "sha256Checksum": "f86dcc39e3d0e64a373c675cd58dd4b0d9d5568918ab2f44d88634c644e01157", + "compressedSize": 8517498, + "speakers": [ + { + "speaker": "thc", + "name": "Chrome OS \u0e44\u0e17\u0e22 1", + "gender": "female" + }, + { + "speaker": "thd", + "name": "Chrome OS \u0e44\u0e17\u0e22 2", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "da-dk-x-multi", + "fileId": "da-dk-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/da-dk/da-dk-x-multi-r56.zvoice", + "sha256Checksum": "77d6744c51d0d21f72e1de1c7274b9b65c5762119a609c4e7b57518c4b674ca9", + "compressedSize": 7534208, + "speakers": [ + { + "speaker": "kfm", + "name": "Chrome OS Dansk 1", + "gender": "female" + }, + { + "speaker": "nmm", + "name": "Chrome OS Dansk 2", + "gender": "male" + }, + { + "speaker": "sfp", + "name": "Chrome OS Dansk 3", + "gender": "female" + }, + { + "speaker": "vfb", + "name": "Chrome OS Dansk 4", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "hu-hu-x-multi", + "fileId": "hu-hu-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/hu-hu/hu-hu-x-multi-r56.zvoice", + "sha256Checksum": "27adcf23d37dfd47df56db784a919bc98277f38226b5f51799ffd602d2a87c3d", + "compressedSize": 6552195, + "speakers": [ + { + "speaker": "kfl", + "name": "Chrome OS Magyar", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "bn-bd-x-multi", + "fileId": "bn-bd-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/bn-bd/bn-bd-x-multi-r56.zvoice", + "sha256Checksum": "21bae8f815bfe290b9211fb69572282bf8354be57813a5f1dad8baa80f915359", + "compressedSize": 9506595, + "speakers": [ + { + "speaker": "ban", + "name": "Chrome OS \u09ac\u09be\u0982\u09b2\u09be", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "sv-se-x-multi", + "fileId": "sv-se-x-multi-r57", + "url": "https://dl.google.com/android/tts/v26/sv-se/sv-se-x-multi-r57.zvoice", + "sha256Checksum": "08098d5f5809cc03c04a6e8b51ed1ce0120a69d46bff044ae94aab0782f02383", + "compressedSize": 6458381, + "speakers": [ + { + "speaker": "lfs", + "name": "Chrome OS Svenska", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "cs-cz-x-multi", + "fileId": "cs-cz-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/cs-cz/cs-cz-x-multi-r56.zvoice", + "sha256Checksum": "2ecdbaef263890a8ec69453073baf01501e6f325771a3119174c8855b36d869f", + "compressedSize": 8512948, + "speakers": [ + { + "speaker": "jfs", + "name": "Chrome OS \u010de\u0161tina", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "km-kh-x-multi", + "fileId": "km-kh-x-multi-r55", + "url": "https://dl.google.com/android/tts/v26/km-kh/km-kh-x-multi-r55.zvoice", + "sha256Checksum": "f8a858e7ce0f9721e2d57df0aacf440ec14cab45166d241086997b05159df4a8", + "compressedSize": 4889860, + "speakers": [ + { + "speaker": "khm", + "name": "Chrome OS \u1781\u17d2\u1798\u17c2\u179a", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "si-lk-x-multi", + "fileId": "si-lk-x-multi-r57", + "url": "https://dl.google.com/android/tts/v26/si-lk/si-lk-x-multi-r57.zvoice", + "sha256Checksum": "3095d8527f4fec8614e40946a50019e4adf0b9c9cecc5cd6093b42580f6a3ad4", + "compressedSize": 3886266, + "speakers": [ + { + "speaker": "sin", + "name": "Chrome OS \u0dc3\u0dd2\u0d82\u0dc4\u0dbd", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "uk-ua-x-multi", + "fileId": "uk-ua-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/uk-ua/uk-ua-x-multi-r56.zvoice", + "sha256Checksum": "ff35ffcdacb9a55ccdfed9b84bf6571ef9fef0074e16d8843744af3e7207c08e", + "compressedSize": 11562655, + "speakers": [ + { + "speaker": "hfd", + "name": "Chrome OS \u0443\u043a\u0440\u0430\u0457\u043d\u0441\u044c\u043a\u0430", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "ne-np-x-multi", + "fileId": "ne-np-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/ne-np/ne-np-x-multi-r56.zvoice", + "sha256Checksum": "df479714704f28c15de0ccdf26325b6c9283de65779fe1e68f772f3374874f66", + "compressedSize": 4965896, + "speakers": [ + { + "speaker": "nep", + "name": "Chrome OS \u0928\u0947\u092a\u093e\u0932\u0940", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "el-gr-x-multi", + "fileId": "el-gr-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/el-gr/el-gr-x-multi-r56.zvoice", + "sha256Checksum": "3f856a81a98e1a5375f3c2ca613c9808128a800ab781d2ec4272ff8f9f042017", + "compressedSize": 10699805, + "speakers": [ + { + "speaker": "vfz", + "name": "Chrome OS \u0395\u03bb\u03bb\u03b7\u03bd\u03b9\u03ba\u03ac", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "fil-ph-x-multi", + "fileId": "fil-ph-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/fil-ph/fil-ph-x-multi-r56.zvoice", + "sha256Checksum": "a613d62807e13b6c0cbb8a0fc5a8c7d3afb18fe4e4014bc0497bdd9fec84d5b9", + "compressedSize": 8243246, + "speakers": [ + { + "speaker": "cfc", + "name": "Chrome OS Filipino 1", + "gender": "female" + }, + { + "speaker": "fic", + "name": "Chrome OS Filipino 2", + "gender": "female" + }, + { + "speaker": "fid", + "name": "Chrome OS Filipino 3", + "gender": "male" + }, + { + "speaker": "fie", + "name": "Chrome OS Filipino 4", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "sk-sk-x-multi", + "fileId": "sk-sk-x-multi-r56", + "url": "https://dl.google.com/android/tts/v26/sk-sk/sk-sk-x-multi-r56.zvoice", + "sha256Checksum": "6240d8d8ebd02c8e2f635018aa058f309aa2085ba29fea49bab4ed7e5aed98a8", + "compressedSize": 6620561, + "speakers": [ + { + "speaker": "sfk", + "name": "Chrome OS Sloven\u010dina", + "gender": "female" + } + ], + "remote": true + }, + { + "id": "ja-jp-x-multi", + "fileId": "ja-jp-x-multi-r58", + "url": "https://dl.google.com/android/tts/v26/ja-jp/ja-jp-x-multi-r58.zvoice", + "sha256Checksum": "8edf2001613eb23080ecbd36068453ef321d3aa899d6ddb9a52359a9e3f87cf1", + "compressedSize": 30133898, + "speakers": [ + { + "speaker": "jab", + "name": "Chrome OS \u65e5\u672c\u8a9e 1", + "gender": "female" + }, + { + "speaker": "htm", + "name": "Chrome OS \u65e5\u672c\u8a9e 2", + "gender": "female" + }, + { + "speaker": "jac", + "name": "Chrome OS \u65e5\u672c\u8a9e 3", + "gender": "male" + }, + { + "speaker": "jad", + "name": "Chrome OS \u65e5\u672c\u8a9e 4", + "gender": "male" + } + ], + "remote": true + }, + { + "id": "en-gb-x-multi-seanet", + "fileId": "en-gb-x-multi-seanet-r67", + "url": "https://redirector.gvt1.com/edgedl/android/tts/v26/en-gb/en-gb-x-multi-seanet-r67.zvoice", + "sha256Checksum": "aadab004d190076e03dcb2e5c7be6b2fcd45bb90dc1cd7904a26852461cbfcab", + "compressedSize": 3839799, + "speakers": [ + { + "speaker": "rjs", + "name": "Google UK English 1 (Natural)", + "gender": "male" + }, + { + "speaker": "gba", + "name": "Google UK English 2 (Natural)", + "gender": "female" + }, + { + "speaker": "gbb", + "name": "Google UK English 3 (Natural)", + "gender": "male" + }, + { + "speaker": "gbc", + "name": "Google UK English 4 (Natural)", + "gender": "female" + }, + { + "speaker": "gbd", + "name": "Google UK English 5 (Natural)", + "gender": "male" + }, + { + "speaker": "gbg", + "name": "Google UK English 6 (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "en-gb-x-multi" + }, + { + "id": "en-us-x-multi-seanet", + "fileId": "en-us-x-multi-seanet-r83", + "url": "https://dl.google.com/android/tts/v26/en-us/en-us-x-multi-seanet-r83.zvoice", + "sha256Checksum": "bae1dde7549e0f798e3cbcdeb4533b01c5e1c6136858d5a42cdb667919606ae6", + "compressedSize": 4217751, + "speakers": [ + { + "speaker": "iob", + "name": "Google US English 1 (Natural)", + "gender": "female" + }, + { + "speaker": "iog", + "name": "Google US English 2 (Natural)", + "gender": "female" + }, + { + "speaker": "iol", + "name": "Google US English 3 (Natural)", + "gender": "male" + }, + { + "speaker": "iom", + "name": "Google US English 4 (Natural)", + "gender": "male" + }, + { + "speaker": "tpc", + "name": "Google US English 5 (Natural)", + "gender": "female" + }, + { + "speaker": "tpd", + "name": "Google US English 6 (Natural)", + "gender": "male" + }, + { + "speaker": "tpf", + "name": "Google US English 7 (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "en-us-x-multi" + }, + { + "id": "de-de-x-multi-seanet", + "fileId": "de-de-x-multi-seanet-r61", + "url": "https://redirector.gvt1.com/edgedl/android/tts/v26/de-de/de-de-x-multi-seanet-r61.zvoice", + "sha256Checksum": "8aac0b8cf986b97136d120037465f58931fe36936a9c2fac1732099ae99e1fd3", + "compressedSize": 4230153, + "speakers": [ + { + "speaker": "nfh", + "name": "Google Deutsch 1 (Natural)", + "gender": "female" + }, + { + "speaker": "dea", + "name": "Google Deutsch 2 (Natural)", + "gender": "female" + }, + { + "speaker": "deb", + "name": "Google Deutsch 3 (Natural)", + "gender": "male" + }, + { + "speaker": "deg", + "name": "Google Deutsch 4 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "de-de-x-multi" + }, + { + "id": "fr-fr-x-multi-seanet", + "fileId": "fr-fr-x-multi-seanet-r61", + "url": "https://redirector.gvt1.com/edgedl/android/tts/v26/fr-fr/fr-fr-x-multi-seanet-r61.zvoice", + "sha256Checksum": "cfb1fde151fa01f628f68943b8da01bbacbd19db7cd84a1ac610cfd86a403d11", + "compressedSize": 3759804, + "speakers": [ + { + "speaker": "vlf", + "name": "Google fran\u00e7ais 1 (Natural)", + "gender": "female" + }, + { + "speaker": "fra", + "name": "Google fran\u00e7ais 2 (Natural)", + "gender": "female" + }, + { + "speaker": "frb", + "name": "Google fran\u00e7ais 3 (Natural)", + "gender": "male" + }, + { + "speaker": "frc", + "name": "Google fran\u00e7ais 4 (Natural)", + "gender": "female" + }, + { + "speaker": "frd", + "name": "Google fran\u00e7ais 5 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "fr-fr-x-multi" + }, + { + "id": "hi-in-x-multi-seanet", + "fileId": "hi-in-x-multi-seanet-r62", + "url": "https://dl.google.com/android/tts/v26/hi-in/hi-in-x-multi-seanet-r62.zvoice", + "sha256Checksum": "a6dcc71143348a1dcd567de8275a8c7204ec1c4b122306adb31a01d7ae1e5e47", + "compressedSize": 3686337, + "speakers": [ + { + "speaker": "hia", + "name": "Google \u0939\u093f\u0928\u094d\u0926\u0940 1 (Natural)", + "gender": "female" + }, + { + "speaker": "hic", + "name": "Google \u0939\u093f\u0928\u094d\u0926\u0940 2 (Natural)", + "gender": "female" + }, + { + "speaker": "hid", + "name": "Google \u0939\u093f\u0928\u094d\u0926\u0940 3 (Natural)", + "gender": "male" + }, + { + "speaker": "hie", + "name": "Google \u0939\u093f\u0928\u094d\u0926\u0940 4 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "hi-in-x-multi" + }, + { + "id": "pt-br-x-multi-seanet", + "fileId": "pt-br-x-multi-seanet-r64", + "url": "https://dl.google.com/android/tts/v26/pt-br/pt-br-x-multi-seanet-r64.zvoice", + "sha256Checksum": "02969d13a8b078f85deec385622a84776e989acaf5461c27a630bcb1ceac61bd", + "compressedSize": 3733468, + "speakers": [ + { + "speaker": "afs", + "name": "Google portugu\u00eas do Brasil 1 (Natural)", + "gender": "female" + }, + { + "speaker": "ptd", + "name": "Google portugu\u00eas do Brasil 2 (Natural)", + "gender": "male" + }, + { + "speaker": "pte", + "name": "Google portugu\u00eas do Brasil 3 (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "pt-br-x-multi" + }, + { + "id": "th-th-x-multi-seanet", + "fileId": "th-th-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/th-th/th-th-x-multi-seanet-r56.zvoice", + "sha256Checksum": "3189bc524561aed8ac3f2b1292eebf7a1ece6e52b8e85d39f68cba7772f38ec2", + "compressedSize": 3732547, + "speakers": [ + { + "speaker": "thc", + "name": "Google \u0e44\u0e17\u0e22 (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "th-th-x-multi" + }, + { + "id": "es-es-x-multi-seanet", + "fileId": "es-es-x-multi-seanet-r59", + "url": "https://dl.google.com/android/tts/v26/es-es/es-es-x-multi-seanet-r59.zvoice", + "sha256Checksum": "5687703a55ac41924cbdf066d1d961b630bab0614c1dd585de54de747755db77", + "compressedSize": 3666122, + "speakers": [ + { + "speaker": "eea", + "name": "Google espa\u00f1ol 1 (Natural)", + "gender": "female" + }, + { + "speaker": "eec", + "name": "Google espa\u00f1ol 2 (Natural)", + "gender": "female" + }, + { + "speaker": "eed", + "name": "Google espa\u00f1ol 3 (Natural)", + "gender": "male" + }, + { + "speaker": "eee", + "name": "Google espa\u00f1ol 4 (Natural)", + "gender": "female" + }, + { + "speaker": "eef", + "name": "Google espa\u00f1ol 5 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "es-es-x-multi" + }, + { + "id": "sv-se-x-multi-seanet", + "fileId": "sv-se-x-multi-seanet-r57", + "url": "https://dl.google.com/android/tts/v26/sv-se/sv-se-x-multi-seanet-r57.zvoice", + "sha256Checksum": "0a4f9d9f9463b83b3b524bbf21abe3c06d995e3e41ba619c78ff72f5673ee2c8", + "compressedSize": 3687886, + "speakers": [ + { + "speaker": "lfs", + "name": "Google Svenska 1 (Natural)", + "gender": "female" + }, + { + "speaker": "afp", + "name": "Google Svenska 2 (Natural)", + "gender": "female" + }, + { + "speaker": "cfg", + "name": "Google Svenska 3 (Natural)", + "gender": "female" + }, + { + "speaker": "cmh", + "name": "Google Svenska 4 (Natural)", + "gender": "male" + }, + { + "speaker": "dmc", + "name": "Google Svenska 5 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "sv-se-x-multi" + }, + { + "id": "es-us-x-multi-seanet", + "fileId": "es-us-x-multi-seanet-r65", + "url": "https://redirector.gvt1.com/edgedl/android/tts/v26/es-us/es-us-x-multi-seanet-r65.zvoice", + "sha256Checksum": "7f70646b66aa7f459c338054de4654552dcc4849a4a63a1cb00a607f7d8f74fe", + "compressedSize": 7227931, + "speakers": [ + { + "speaker": "sfb", + "name": "Google espa\u00f1ol de Estados Unidos 1 (Natural)", + "gender": "female" + }, + { + "speaker": "esc", + "name": "Google espa\u00f1ol de Estados Unidos 2 (Natural)", + "gender": "female" + }, + { + "speaker": "esd", + "name": "Google espa\u00f1ol de Estados Unidos 3 (Natural)", + "gender": "male" + }, + { + "speaker": "esf", + "name": "Google espa\u00f1ol de Estados Unidos 4 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "es-us-x-multi" + }, + { + "id": "it-it-x-multi-seanet", + "fileId": "it-it-x-multi-seanet-r57", + "url": "https://dl.google.com/android/tts/v26/it-it/it-it-x-multi-seanet-r57.zvoice", + "sha256Checksum": "ee21b4a455a23efc7ba806c8b640daef7b676ed2b6d06c19a49cd7a625330d52", + "compressedSize": 3665252, + "speakers": [ + { + "speaker": "kda", + "name": "Google italiano 1 (Natural)", + "gender": "female" + }, + { + "speaker": "itb", + "name": "Google italiano 2 (Natural)", + "gender": "female" + }, + { + "speaker": "itc", + "name": "Google italiano 3 (Natural)", + "gender": "male" + }, + { + "speaker": "itd", + "name": "Google italiano 4 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "it-it-x-multi" + }, + { + "id": "en-au-x-multi-seanet", + "fileId": "en-au-x-multi-seanet-r65", + "url": "https://redirector.gvt1.com/edgedl/android/tts/v26/en-au/en-au-x-multi-seanet-r65.zvoice", + "sha256Checksum": "3dad0451d0cf119ec551d2f2ac10920fa0f5093677c528091312c36e5cccad26", + "compressedSize": 4211933, + "speakers": [ + { + "speaker": "aua", + "name": "Google Australian English 1 (Natural)", + "gender": "female" + }, + { + "speaker": "aub", + "name": "Google Australian English 2 (Natural)", + "gender": "male" + }, + { + "speaker": "auc", + "name": "Google Australian English 3 (Natural)", + "gender": "female" + }, + { + "speaker": "aud", + "name": "Google Australian English 4 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "en-au-x-multi" + }, + { + "id": "pt-pt-x-multi-seanet", + "fileId": "pt-pt-x-multi-seanet-r54", + "url": "https://dl.google.com/android/tts/v26/pt-pt/pt-pt-x-multi-seanet-r54.zvoice", + "sha256Checksum": "34bc0dc0cb33f1ff62861c25844c78ce557ff1250b4c26f0d041310688927b8b", + "compressedSize": 8739181, + "speakers": [ + { + "speaker": "jfb", + "name": "Google portugu\u00eas de Portugal 1 (Natural)", + "gender": "female" + }, + { + "speaker": "jmn", + "name": "Google portugu\u00eas de Portugal 2 (Natural)", + "gender": "male" + }, + { + "speaker": "pmj", + "name": "Google portugu\u00eas de Portugal 3 (Natural)", + "gender": "male" + }, + { + "speaker": "sfs", + "name": "Google portugu\u00eas de Portugal 4 (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "pt-pt-x-multi" + }, + { + "id": "ko-kr-x-multi-seanet", + "fileId": "ko-kr-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/ko-kr/ko-kr-x-multi-seanet-r56.zvoice", + "sha256Checksum": "28a54b0af3940c1c10e85949d9b4fb2674b9b37b2aeef8c4b54278c1ba86e4e0", + "compressedSize": 3693307, + "speakers": [ + { + "speaker": "ism", + "name": "Google \ud55c\uad6d\uc5b4 1 (Natural)", + "gender": "female" + }, + { + "speaker": "kob", + "name": "Google \ud55c\uad6d\uc5b4 2 (Natural)", + "gender": "female" + }, + { + "speaker": "koc", + "name": "Google \ud55c\uad6d\uc5b4 3 (Natural)", + "gender": "male" + }, + { + "speaker": "kod", + "name": "Google \ud55c\uad6d\uc5b4 4 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "ko-kr-x-multi" + }, + { + "id": "id-id-x-multi-seanet", + "fileId": "id-id-x-multi-seanet-r58", + "url": "https://dl.google.com/android/tts/v26/id-id/id-id-x-multi-seanet-r58.zvoice", + "sha256Checksum": "886b9facdd70bedf3a6e159d01f5f7523d0587e05e01edf7d9c19bfa99894b95", + "compressedSize": 3673951, + "speakers": [ + { + "speaker": "dfz", + "name": "Google Bahasa Indonesia 1 (Natural)", + "gender": "female" + }, + { + "speaker": "idc", + "name": "Google Bahasa Indonesia 2 (Natural)", + "gender": "female" + }, + { + "speaker": "idd", + "name": "Google Bahasa Indonesia 3 (Natural)", + "gender": "male" + }, + { + "speaker": "ide", + "name": "Google Bahasa Indonesia 4 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "id-id-x-multi" + }, + { + "id": "tr-tr-x-multi-seanet", + "fileId": "tr-tr-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/tr-tr/tr-tr-x-multi-seanet-r56.zvoice", + "sha256Checksum": "f74fc7a86a99d07a100b6f02a66ed3bbc36bfa06e602976abbe1f379d2e94420", + "compressedSize": 3673907, + "speakers": [ + { + "speaker": "mfm", + "name": "Google T\u00fcrk\u00e7e 1 (Natural)", + "gender": "female" + }, + { + "speaker": "ama", + "name": "Google T\u00fcrk\u00e7e 2 (Natural)", + "gender": "male" + }, + { + "speaker": "cfs", + "name": "Google T\u00fcrk\u00e7e 3 (Natural)", + "gender": "female" + }, + { + "speaker": "efu", + "name": "Google T\u00fcrk\u00e7e 4 (Natural)", + "gender": "female" + }, + { + "speaker": "tmc", + "name": "Google T\u00fcrk\u00e7e 5 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "tr-tr-x-multi" + }, + { + "id": "da-dk-x-multi-seanet", + "fileId": "da-dk-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/da-dk/da-dk-x-multi-seanet-r56.zvoice", + "sha256Checksum": "604b4bb9c90e07ed941fc3769d2af0e8f7a2297ba535d2190f15ea3f7d3a3615", + "compressedSize": 3739761, + "speakers": [ + { + "speaker": "kfm", + "name": "Google Dansk 1 (Natural)", + "gender": "female" + }, + { + "speaker": "nmm", + "name": "Google Dansk 2 (Natural)", + "gender": "male" + }, + { + "speaker": "sfp", + "name": "Google Dansk 3 (Natural)", + "gender": "female" + }, + { + "speaker": "vfb", + "name": "Google Dansk 4 (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "da-dk-x-multi" + }, + { + "id": "nb-no-x-multi-seanet", + "fileId": "nb-no-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/nb-no/nb-no-x-multi-seanet-r56.zvoice", + "sha256Checksum": "8c4751a96e2e489f7aa31c88750dcbb75a8ebd8e7eecbf989d98839bfab2b27d", + "compressedSize": 3706525, + "speakers": [ + { + "speaker": "rfj", + "name": "Google Norsk Bokm\u00e5l 1 (Natural)", + "gender": "female" + }, + { + "speaker": "cfl", + "name": "Google Norsk Bokm\u00e5l 2 (Natural)", + "gender": "female" + }, + { + "speaker": "cmj", + "name": "Google Norsk Bokm\u00e5l 3 (Natural)", + "gender": "male" + }, + { + "speaker": "tfs", + "name": "Google Norsk Bokm\u00e5l 4 (Natural)", + "gender": "female" + }, + { + "speaker": "tmg", + "name": "Google Norsk Bokm\u00e5l 5 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "nb-no-x-multi" + }, + { + "id": "hu-hu-x-multi-seanet", + "fileId": "hu-hu-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/hu-hu/hu-hu-x-multi-seanet-r56.zvoice", + "sha256Checksum": "3e13a0b6a765ed843ee4c044340dfc74373216ab2687083b742d32c5d6056c3a", + "compressedSize": 3680234, + "speakers": [ + { + "speaker": "kfl", + "name": "Google Magyar (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "hu-hu-x-multi" + }, + { + "id": "fi-fi-x-multi-seanet", + "fileId": "fi-fi-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/fi-fi/fi-fi-x-multi-seanet-r56.zvoice", + "sha256Checksum": "583b5ac77630e20a139057b9273a961604b037d3344c4da86de2edb969b19508", + "compressedSize": 3724476, + "speakers": [ + { + "speaker": "afi", + "name": "Google Suomi (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "fi-fi-x-multi" + }, + { + "id": "bn-bd-x-multi-seanet", + "fileId": "bn-bd-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/bn-bd/bn-bd-x-multi-seanet-r56.zvoice", + "sha256Checksum": "38b01790249ae9b5165b307ac63596619b1729871f1ea61791ebc564d15feafb", + "compressedSize": 4148197, + "speakers": [ + { + "speaker": "ban", + "name": "Google \u09ac\u09be\u0982\u09b2\u09be (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "bn-bd-x-multi" + }, + { + "id": "cs-cz-x-multi-seanet", + "fileId": "cs-cz-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/cs-cz/cs-cz-x-multi-seanet-r56.zvoice", + "sha256Checksum": "0abe9a21c8af9495959f831302cf2172c10c278fb70480616700a4013b830063", + "compressedSize": 3649631, + "speakers": [ + { + "speaker": "jfs", + "name": "Google \u010de\u0161tina (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "cs-cz-x-multi" + }, + { + "id": "si-lk-x-multi-seanet", + "fileId": "si-lk-x-multi-seanet-r57", + "url": "https://dl.google.com/android/tts/v26/si-lk/si-lk-x-multi-seanet-r57.zvoice", + "sha256Checksum": "f45d7bfbcb527d72d4c98f7d13b7e292770451f4c161414f38eb1705f455d3b1", + "compressedSize": 3748758, + "speakers": [ + { + "speaker": "sin", + "name": "Google \u0dc3\u0dd2\u0d82\u0dc4\u0dbd (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "si-lk-x-multi" + }, + { + "id": "ne-np-x-multi-seanet", + "fileId": "ne-np-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/ne-np/ne-np-x-multi-seanet-r56.zvoice", + "sha256Checksum": "3b1bd8dd6755734ab975798fc9cee9fd1a189223368d040e5588e832d0930c1e", + "compressedSize": 3869215, + "speakers": [ + { + "speaker": "nep", + "name": "Google \u0928\u0947\u092a\u093e\u0932\u0940 (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "ne-np-x-multi" + }, + { + "id": "el-gr-x-multi-seanet", + "fileId": "el-gr-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/el-gr/el-gr-x-multi-seanet-r56.zvoice", + "sha256Checksum": "b244f2e384adfd233207e2d99d01a21195a1fed7ba25dd3fa769182a228ad181", + "compressedSize": 3659071, + "speakers": [ + { + "speaker": "vfz", + "name": "Google \u0395\u03bb\u03bb\u03b7\u03bd\u03b9\u03ba\u03ac (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "el-gr-x-multi" + }, + { + "id": "fil-ph-x-multi-seanet", + "fileId": "fil-ph-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/fil-ph/fil-ph-x-multi-seanet-r56.zvoice", + "sha256Checksum": "c6f31f4c4b1cff43b5ad93e9783fab15493d802179ad3f00dd3b3589ab226e4c", + "compressedSize": 3701939, + "speakers": [ + { + "speaker": "cfc", + "name": "Google Filipino 1 (Natural)", + "gender": "female" + }, + { + "speaker": "fic", + "name": "Google Filipino 2 (Natural)", + "gender": "female" + }, + { + "speaker": "fid", + "name": "Google Filipino 3 (Natural)", + "gender": "male" + }, + { + "speaker": "fie", + "name": "Google Filipino 4 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "fil-ph-x-multi" + }, + { + "id": "sk-sk-x-multi-seanet", + "fileId": "sk-sk-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/sk-sk/sk-sk-x-multi-seanet-r56.zvoice", + "sha256Checksum": "5c1a54f8feaf5b8d989122d01e084b0e51d5c7df14e983c7af9938711956603d", + "compressedSize": 3680139, + "speakers": [ + { + "speaker": "sfk", + "name": "Google Sloven\u010dina (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "sk-sk-x-multi" + }, + { + "id": "pl-pl-x-multi-seanet", + "fileId": "pl-pl-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/pl-pl/pl-pl-x-multi-seanet-r56.zvoice", + "sha256Checksum": "c7132d645bacae82720659f5da09fd106b5ef6acbc684438cd0b672235bb79f2", + "compressedSize": 3680021, + "speakers": [ + { + "speaker": "oda", + "name": "Google Polski 1 (Natural)", + "gender": "female" + }, + { + "speaker": "afb", + "name": "Google Polski 2 (Natural)", + "gender": "female" + }, + { + "speaker": "bmg", + "name": "Google Polski 3 (Natural)", + "gender": "male" + }, + { + "speaker": "jmk", + "name": "Google Polski 4 (Natural)", + "gender": "male" + }, + { + "speaker": "zfg", + "name": "Google Polski 5 (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "pl-pl-x-multi" + }, + { + "id": "uk-ua-x-multi-seanet", + "fileId": "uk-ua-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/uk-ua/uk-ua-x-multi-seanet-r56.zvoice", + "sha256Checksum": "a1b30088412eb16866743898f4498c4b6a3d132ad07df0248b60dadff473beb4", + "compressedSize": 3644657, + "speakers": [ + { + "speaker": "hfd", + "name": "Google \u0443\u043a\u0440\u0430\u0457\u043d\u0441\u044c\u043a\u0430 (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "uk-ua-x-multi" + }, + { + "id": "nl-nl-x-multi-seanet", + "fileId": "nl-nl-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/nl-nl/nl-nl-x-multi-seanet-r56.zvoice", + "sha256Checksum": "de9499360bc16c9dfe3b6051796ab0397096db41a76fdeef5ea257376982ac0a", + "compressedSize": 3713088, + "speakers": [ + { + "speaker": "tfb", + "name": "Google Nederlands 1 (Natural)", + "gender": "female" + }, + { + "speaker": "bmh", + "name": "Google Nederlands 2 (Natural)", + "gender": "male" + }, + { + "speaker": "dma", + "name": "Google Nederlands 3 (Natural)", + "gender": "male" + }, + { + "speaker": "lfc", + "name": "Google Nederlands 4 (Natural)", + "gender": "female" + }, + { + "speaker": "yfr", + "name": "Google Nederlands 5 (Natural)", + "gender": "female" + } + ], + "remote": true, + "dependentVoiceId": "nl-nl-x-multi" + }, + { + "id": "ja-jp-x-multi-seanet", + "fileId": "ja-jp-x-multi-seanet-r58", + "url": "https://dl.google.com/android/tts/v26/ja-jp/ja-jp-x-multi-seanet-r58.zvoice", + "sha256Checksum": "0e2b2b618a500990034f8f08ff743f93108e512df16c0871070f80e351cba89b", + "compressedSize": 3695263, + "speakers": [ + { + "speaker": "jab", + "name": "Google \u65e5\u672c\u8a9e 1 (Natural)", + "gender": "female" + }, + { + "speaker": "jac", + "name": "Google \u65e5\u672c\u8a9e 2 (Natural)", + "gender": "male" + }, + { + "speaker": "jad", + "name": "Google \u65e5\u672c\u8a9e 3 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "ja-jp-x-multi" + }, + { + "id": "vi-vn-x-multi-seanet", + "fileId": "vi-vn-x-multi-seanet-r56", + "url": "https://dl.google.com/android/tts/v26/vi-vn/vi-vn-x-multi-seanet-r56.zvoice", + "sha256Checksum": "891f48cbef79cbfa1181ade866563d0eadc59eba12eca6abe226931ccab28b30", + "compressedSize": 3769492, + "speakers": [ + { + "speaker": "gft", + "name": "Google Ti\u1ebfng Vi\u1ec7t 1 (Natural)", + "gender": "female" + }, + { + "speaker": "vic", + "name": "Google Ti\u1ebfng Vi\u1ec7t 2 (Natural)", + "gender": "female" + }, + { + "speaker": "vid", + "name": "Google Ti\u1ebfng Vi\u1ec7t 3 (Natural)", + "gender": "male" + }, + { + "speaker": "vie", + "name": "Google Ti\u1ebfng Vi\u1ec7t 4 (Natural)", + "gender": "female" + }, + { + "speaker": "vif", + "name": "Google Ti\u1ebfng Vi\u1ec7t 5 (Natural)", + "gender": "male" + } + ], + "remote": true, + "dependentVoiceId": "vi-vn-x-multi" + } +] \ No newline at end of file diff --git a/user/user_data/WasmTtsEngine/20260105.1/wasm_tts_manifest_v3.json b/user/user_data/WasmTtsEngine/20260105.1/wasm_tts_manifest_v3.json new file mode 100644 index 0000000..7d6cb35 --- /dev/null +++ b/user/user_data/WasmTtsEngine/20260105.1/wasm_tts_manifest_v3.json @@ -0,0 +1,43 @@ +{ + "name": "Chrome built-in text-to-speech extension", + "manifest_version": 3, + "version": "13.2", + "key": "MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQDlKEJseIIbKFyX0BCWNYOWlPEUt1IxBvIoW1PI7DTmipbwyVr3s2EprewYdtr9hCO5Yzs5w/ai1Xnhet5PLAsMje6ZP0Kvq0tlVfaYF8oQHBPF+ifx31RBT7Cn+ZVKLq1fxrwzY063GVhW+CAr06Ar8YRFXtFoC4FHlUNDIoSb4wIDAQAB", + "background": { + "service_worker": "background_compiled.js", + "type": "module" + }, + "permissions": [ + "ttsEngine", + "unlimitedStorage", + "offscreen", + "webRequest", + "storage" + ], + "host_permissions": [ + "https://*.gvt1.com/", + "https://dl.google.com/" + ], + "content_security_policy": { + "extension_pages": "script-src 'self' 'wasm-unsafe-eval'; object-src 'self'" + }, + "description": "The Google Text to Speech Engine.", + "tts_engine": { + "voices": [ + { + "voice_name": "Chrome OS US English", + "lang": "en-US", + "event_types": ["start", "end", "error", "word"] + } + ] + }, + "web_accessible_resources": [ + { + "resources": [ + "bindings_main.js", + "bindings_main.wasm" + ], + "matches": [""] + } + ] +} diff --git a/user/user_data/ZxcvbnData/3/_metadata/verified_contents.json b/user/user_data/ZxcvbnData/3/_metadata/verified_contents.json new file mode 100644 index 0000000..7a58a0b --- /dev/null +++ b/user/user_data/ZxcvbnData/3/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJlbmdsaXNoX3dpa2lwZWRpYS50eHQiLCJyb290X2hhc2giOiI0NUxlaE9GOTJIc3V5cXpfZ3V5MExKNVg3cE0tTmlBaVdCbTZiVXh6MUhRIn0seyJwYXRoIjoiZmVtYWxlX25hbWVzLnR4dCIsInJvb3RfaGFzaCI6ImY4RnE5Y3kzVDZXcndBbUdvMzNidGNGaG1qeG1jMDRhUl83U2Z6Z1ZUMW8ifSx7InBhdGgiOiJtYWxlX25hbWVzLnR4dCIsInJvb3RfaGFzaCI6InNyT0pBS1ZrUHR4VUFyQzNoajExZTQtWDhVYVpWcGZFR1Q2WktwS3hUT3cifSx7InBhdGgiOiJtYW5pZmVzdC5qc29uIiwicm9vdF9oYXNoIjoicnJOa3RnTURJU2dJLXNBdXRKRHVXd1ZLNkVQT0NFTjI1WmdlLUhaLVVaZyJ9LHsicGF0aCI6InBhc3N3b3Jkcy50eHQiLCJyb290X2hhc2giOiJfcGVxZkFIa0gwWmRJNmp2UGZ3ZDFYNE4xR0NKNDlOejRxVHh6NFVCOEtNIn0seyJwYXRoIjoicmFua2VkX2RpY3RzIiwicm9vdF9oYXNoIjoiTjZLZnQzV2Jya0pNalRDeWlJRUF5QnIxNUwwQy1IWVkwZUdyXzdkcnRRZyJ9LHsicGF0aCI6InN1cm5hbWVzLnR4dCIsInJvb3RfaGFzaCI6IkhXUUlfQklCMjQwSW5jSzlUeGpnaG40SFpIZFVpdlFTMUZ4UC1KTVZVOFUifSx7InBhdGgiOiJ1c190dl9hbmRfZmlsbS50eHQiLCJyb290X2hhc2giOiJwdnJXZGxSWDZsMWp3N2RFTXJXcnpIOUt5ZmZHa1RDOUVtekszaG1lRFlFIn1dLCJmb3JtYXQiOiJ0cmVlaGFzaCIsImhhc2hfYmxvY2tfc2l6ZSI6NDA5Nn1dLCJpdGVtX2lkIjoib2pocGpsb2NtYm9nZGdtZnBraGxhYWVhbWliaG5waGgiLCJpdGVtX3ZlcnNpb24iOiIzIiwicHJvdG9jb2xfdmVyc2lvbiI6MX0","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"mREqE92Ooe2LM41AqsH7GXnVAaKSuGp8sKVMkt6z9PPoHEyHp_aAdMSsbo3Db4l_K8_sPUgjZHSMMmS4Zo1pI87Omtaus5bfBuoZnR0UGQ10kokDGX7rNRIl64uO_sIa4zpgenxBznoIlUu4LqnOuy1wvJc_tWop6uVMZ2RElUrJ8RSWbk3JeRAS_tqQ6UEaw4GsFhOsM4plYDeRrx51h5kDLaiqlbo54X2oSU-2jn8tPG35H9vMhgmb8nX7gx7zCNrsIGtYLmdmsXpD5Ecps46boJXwGTpH6NOoddI9UwvFTB4VLvpYGAKJZAr6U2VJMA6lpvFl3C9JN4VP2f0Wy2l9AHBr9SgHtEqGyD1fRm92Twl48zm-1W6dj3KtgHaGa2Ioz_T9ruMt5gRt_syBjDdlI187IpZ5HJn6jB09bC_-xGClu04VOJvaYBI7iQUA5m1-PgIAPIFzYe7ZyPEjRIVyhgAJwIjhFL_A4h1-Dl5viz_kcrRUCccAQ1G2PRtl_3TLDC-5XVY3E3_MV4xpNv0CtVR4xLA-MdOeFa3bQseNx3DAQ-I_rdxyvmlKX_NzXcLHCOmTFjcusn8HoGE23x1vbz-PdsZSHDV78HoNlHbE8WySFO_Yzh9Eladngfw-djOb9Khb_DoDMwNABpsvdz42zfolrBlpqnRQ8T_IYwY"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"BJ7OqZEg-Grta0tdK1U4M1uZ79Q7heGaPQUDYnPP3TKpKQXRsGCHPVlS6yFU_wRnDwO1SfcjVROqxnQajp7kvSkG2accRpXZivCaEV3TJxfWZsd9jnDOYL9SZWHtHX_ITzofoA6sYF83SuNSHwzUmAcNkE7BmubixBSC4RWwQWquFUB1OgJ0dqw4gZtAxH3oJ6W0SNstfTm0MuysnpXEaUq1rMsR3zyMQfyk984wDD6GSkejuy1-tS2PRcTI7kNPZ8_x_ewbhijdMbzxb3ZPJIDYtiORU0ogXZ16k6bHefxGGeNOCDvAB9PaoEoJvrPMLRshXppzBYU0l8pOzshP1g"}]}}] \ No newline at end of file diff --git a/user/user_data/ZxcvbnData/3/english_wikipedia.txt b/user/user_data/ZxcvbnData/3/english_wikipedia.txt new file mode 100644 index 0000000..498deb5 --- /dev/null +++ b/user/user_data/ZxcvbnData/3/english_wikipedia.txt @@ -0,0 +1,30000 @@ +the +of +and +in +was +is +for +as +on +with +by +he +at +from +his +an +were +are +which +doc +https +also +or +has +had +first +one +their +its +after +new +who +they +two +her +she +been +other +when +time +during +there +into +school +more +may +years +over +only +year +most +would +world +city +some +where +between +later +three +state +such +then +national +used +made +known +under +many +university +united +while +part +season +team +these +american +than +film +second +born +south +became +states +war +through +being +including +both +before +north +high +however +people +family +early +history +album +area +them +series +against +until +since +district +county +name +work +life +group +music +following +number +company +several +four +called +played +released +career +league +game +government +house +each +based +day +same +won +use +station +club +international +town +located +population +general +college +east +found +age +march +end +september +began +home +public +church +line +june +river +member +system +place +century +band +july +york +january +october +song +august +best +former +british +party +named +held +village +show +local +november +took +service +december +built +another +major +within +along +members +five +single +due +although +small +old +left +final +large +include +building +served +president +received +games +death +february +main +third +set +children +own +order +species +park +law +air +published +road +died +book +men +women +army +often +according +education +central +country +division +english +top +included +development +french +community +among +water +play +side +list +times +near +late +form +original +different +center +power +led +students +german +moved +court +six +land +council +island +u.s. +record +million +research +art +established +award +street +military +television +given +region +support +western +production +non +political +point +cup +period +business +title +started +various +election +using +england +role +produced +become +program +works +field +total +office +class +written +association +radio +union +level +championship +director +few +force +created +department +founded +services +married +though +per +n't +site +open +act +short +society +version +royal +present +northern +worked +professional +full +returned +joined +story +france +european +currently +language +social +california +india +days +design +st. +further +round +australia +wrote +san +project +control +southern +railway +board +popular +continued +free +battle +considered +video +common +position +living +half +playing +recorded +red +post +described +average +records +special +modern +appeared +announced +areas +rock +release +elected +others +example +term +opened +similar +formed +route +census +current +schools +originally +lake +developed +race +himself +forces +addition +information +upon +province +match +event +songs +result +events +win +eastern +track +lead +teams +science +human +construction +minister +germany +awards +available +throughout +training +style +body +museum +australian +health +seven +signed +chief +eventually +appointed +sea +centre +debut +tour +points +media +light +range +character +across +features +families +largest +indian +network +less +performance +players +refer +europe +sold +festival +usually +taken +despite +designed +committee +process +return +official +episode +institute +stage +followed +performed +japanese +personal +thus +arts +space +low +months +includes +china +study +middle +magazine +leading +japan +groups +aircraft +featured +federal +civil +rights +model +coach +canadian +books +remained +eight +type +independent +completed +capital +academy +instead +kingdom +organization +countries +studies +competition +sports +size +above +section +finished +gold +involved +reported +management +systems +industry +directed +market +fourth +movement +technology +bank +ground +campaign +base +lower +sent +rather +added +provided +coast +grand +historic +valley +conference +bridge +winning +approximately +films +chinese +awarded +degree +russian +shows +native +female +replaced +municipality +square +studio +medical +data +african +successful +mid +bay +attack +previous +operations +spanish +theatre +student +republic +beginning +provide +ship +primary +owned +writing +tournament +culture +introduced +texas +related +natural +parts +governor +reached +ireland +units +senior +decided +italian +whose +higher +africa +standard +income +professor +placed +regional +los +buildings +championships +active +novel +energy +generally +interest +via +economic +previously +stated +itself +channel +below +operation +leader +traditional +trade +structure +limited +runs +prior +regular +famous +saint +navy +foreign +listed +artist +catholic +airport +results +parliament +collection +unit +officer +goal +attended +command +staff +commission +lived +location +plays +commercial +places +foundation +significant +older +medal +self +scored +companies +highway +activities +programs +wide +musical +notable +library +numerous +paris +towards +individual +allowed +plant +property +annual +contract +whom +highest +initially +required +earlier +assembly +artists +rural +seat +practice +defeated +ended +soviet +length +spent +manager +press +associated +author +issues +additional +characters +lord +zealand +policy +engine +township +noted +historical +complete +financial +religious +mission +contains +nine +recent +represented +pennsylvania +administration +opening +secretary +lines +report +executive +youth +closed +theory +writer +italy +angeles +appearance +feature +queen +launched +legal +terms +entered +issue +edition +singer +greek +majority +background +source +anti +cultural +complex +changes +recording +stadium +islands +operated +particularly +basketball +month +uses +port +castle +mostly +names +fort +selected +increased +status +earth +subsequently +pacific +cover +variety +certain +goals +remains +upper +congress +becoming +studied +irish +nature +particular +loss +caused +chart +dr. +forced +create +era +retired +material +review +rate +singles +referred +larger +individuals +shown +provides +products +speed +democratic +poland +parish +olympics +cities +themselves +temple +wing +genus +households +serving +cost +wales +stations +passed +supported +view +cases +forms +actor +male +matches +males +stars +tracks +females +administrative +median +effect +biography +train +engineering +camp +offered +chairman +houses +mainly +19th +surface +therefore +nearly +score +ancient +subject +prime +seasons +claimed +experience +specific +jewish +failed +overall +believed +plot +troops +greater +spain +consists +broadcast +heavy +increase +raised +separate +campus +1980s +appears +presented +lies +composed +recently +influence +fifth +nations +creek +references +elections +britain +double +cast +meaning +earned +carried +producer +latter +housing +brothers +attempt +article +response +border +remaining +nearby +direct +ships +value +workers +politician +academic +label +1970s +commander +rule +fellow +residents +authority +editor +transport +dutch +projects +responsible +covered +territory +flight +races +defense +tower +emperor +albums +facilities +daily +stories +assistant +managed +primarily +quality +function +proposed +distribution +conditions +prize +journal +code +vice +newspaper +corps +highly +constructed +mayor +critical +secondary +corporation +rugby +regiment +ohio +appearances +serve +allow +nation +multiple +discovered +directly +scene +levels +growth +elements +acquired +1990s +officers +physical +20th +latin +host +jersey +graduated +arrived +issued +literature +metal +estate +vote +immediately +quickly +asian +competed +extended +produce +urban +1960s +promoted +contemporary +global +formerly +appear +industrial +types +opera +ministry +soldiers +commonly +mass +formation +smaller +typically +drama +shortly +density +senate +effects +iran +polish +prominent +naval +settlement +divided +basis +republican +languages +distance +treatment +continue +product +mile +sources +footballer +format +clubs +leadership +initial +offers +operating +avenue +officially +columbia +grade +squadron +fleet +percent +farm +leaders +agreement +likely +equipment +website +mount +grew +method +transferred +intended +renamed +iron +asia +reserve +capacity +politics +widely +activity +advanced +relations +scottish +dedicated +crew +founder +episodes +lack +amount +build +efforts +concept +follows +ordered +leaves +positive +economy +entertainment +affairs +memorial +ability +illinois +communities +color +text +railroad +scientific +focus +comedy +serves +exchange +environment +cars +direction +organized +firm +description +agency +analysis +purpose +destroyed +reception +planned +revealed +infantry +architecture +growing +featuring +household +candidate +removed +situated +models +knowledge +solo +technical +organizations +assigned +conducted +participated +largely +purchased +register +gained +combined +headquarters +adopted +potential +protection +scale +approach +spread +independence +mountains +titled +geography +applied +safety +mixed +accepted +continues +captured +rail +defeat +principal +recognized +lieutenant +mentioned +semi +owner +joint +liberal +actress +traffic +creation +basic +notes +unique +supreme +declared +simply +plants +sales +massachusetts +designated +parties +jazz +compared +becomes +resources +titles +concert +learning +remain +teaching +versions +content +alongside +revolution +sons +block +premier +impact +champions +districts +generation +estimated +volume +image +sites +account +roles +sport +quarter +providing +zone +yard +scoring +classes +presence +performances +representatives +hosted +split +taught +origin +olympic +claims +critics +facility +occurred +suffered +municipal +damage +defined +resulted +respectively +expanded +platform +draft +opposition +expected +educational +ontario +climate +reports +atlantic +surrounding +performing +reduced +ranked +allows +birth +nominated +younger +newly +kong +positions +theater +philadelphia +heritage +finals +disease +sixth +laws +reviews +constitution +tradition +swedish +theme +fiction +rome +medicine +trains +resulting +existing +deputy +environmental +labour +classical +develop +fans +granted +receive +alternative +begins +nuclear +fame +buried +connected +identified +palace +falls +letters +combat +sciences +effort +villages +inspired +regions +towns +conservative +chosen +animals +labor +attacks +materials +yards +steel +representative +orchestra +peak +entitled +officials +returning +reference +northwest +imperial +convention +examples +ocean +publication +painting +subsequent +frequently +religion +brigade +fully +sides +acts +cemetery +relatively +oldest +suggested +succeeded +achieved +application +programme +cells +votes +promotion +graduate +armed +supply +flying +communist +figures +literary +netherlands +korea +worldwide +citizens +1950s +faculty +draw +stock +seats +occupied +methods +unknown +articles +claim +holds +authorities +audience +sweden +interview +obtained +covers +settled +transfer +marked +allowing +funding +challenge +southeast +unlike +crown +rise +portion +transportation +sector +phase +properties +edge +tropical +standards +institutions +philosophy +legislative +hills +brand +fund +conflict +unable +founding +refused +attempts +metres +permanent +starring +applications +creating +effective +aired +extensive +employed +enemy +expansion +billboard +rank +battalion +multi +vehicle +fought +alliance +category +perform +federation +poetry +bronze +bands +entry +vehicles +bureau +maximum +billion +trees +intelligence +greatest +screen +refers +commissioned +gallery +injury +confirmed +setting +treaty +adult +americans +broadcasting +supporting +pilot +mobile +writers +programming +existence +squad +minnesota +copies +korean +provincial +sets +defence +offices +agricultural +internal +core +northeast +retirement +factory +actions +prevent +communications +ending +weekly +containing +functions +attempted +interior +weight +bowl +recognition +incorporated +increasing +ultimately +documentary +derived +attacked +lyrics +mexican +external +churches +centuries +metropolitan +selling +opposed +personnel +mill +visited +presidential +roads +pieces +norwegian +controlled +18th +rear +influenced +wrestling +weapons +launch +composer +locations +developing +circuit +specifically +studios +shared +canal +wisconsin +publishing +approved +domestic +consisted +determined +comic +establishment +exhibition +southwest +fuel +electronic +cape +converted +educated +melbourne +hits +wins +producing +norway +slightly +occur +surname +identity +represent +constituency +funds +proved +links +structures +athletic +birds +contest +users +poet +institution +display +receiving +rare +contained +guns +motion +piano +temperature +publications +passenger +contributed +toward +cathedral +inhabitants +architect +exist +athletics +muslim +courses +abandoned +signal +successfully +disambiguation +tennessee +dynasty +heavily +maryland +jews +representing +budget +weather +missouri +introduction +faced +pair +chapel +reform +height +vietnam +occurs +motor +cambridge +lands +focused +sought +patients +shape +invasion +chemical +importance +communication +selection +regarding +homes +voivodeship +maintained +borough +failure +aged +passing +agriculture +oregon +teachers +flow +philippines +trail +seventh +portuguese +resistance +reaching +negative +fashion +scheduled +downtown +universities +trained +skills +scenes +views +notably +typical +incident +candidates +engines +decades +composition +commune +chain +inc. +austria +sale +values +employees +chamber +regarded +winners +registered +task +investment +colonial +swiss +user +entirely +flag +stores +closely +entrance +laid +journalist +coal +equal +causes +turkish +quebec +techniques +promote +junction +easily +dates +kentucky +singapore +residence +violence +advance +survey +humans +expressed +passes +streets +distinguished +qualified +folk +establish +egypt +artillery +visual +improved +actual +finishing +medium +protein +switzerland +productions +operate +poverty +neighborhood +organisation +consisting +consecutive +sections +partnership +extension +reaction +factor +costs +bodies +device +ethnic +racial +flat +objects +chapter +improve +musicians +courts +controversy +membership +merged +wars +expedition +interests +arab +comics +gain +describes +mining +bachelor +crisis +joining +decade +1930s +distributed +habitat +routes +arena +cycle +divisions +briefly +vocals +directors +degrees +object +recordings +installed +adjacent +demand +voted +causing +businesses +ruled +grounds +starred +drawn +opposite +stands +formal +operates +persons +counties +compete +wave +israeli +ncaa +resigned +brief +greece +combination +demographics +historian +contain +commonwealth +musician +collected +argued +louisiana +session +cabinet +parliamentary +electoral +loan +profit +regularly +conservation +islamic +purchase +17th +charts +residential +earliest +designs +paintings +survived +moth +items +goods +grey +anniversary +criticism +images +discovery +observed +underground +progress +additionally +participate +thousands +reduce +elementary +owners +stating +iraq +resolution +capture +tank +rooms +hollywood +finance +queensland +reign +maintain +iowa +landing +broad +outstanding +circle +path +manufacturing +assistance +sequence +gmina +crossing +leads +universal +shaped +kings +attached +medieval +ages +metro +colony +affected +scholars +oklahoma +coastal +soundtrack +painted +attend +definition +meanwhile +purposes +trophy +require +marketing +popularity +cable +mathematics +mississippi +represents +scheme +appeal +distinct +factors +acid +subjects +roughly +terminal +economics +senator +diocese +prix +contrast +argentina +czech +wings +relief +stages +duties +16th +novels +accused +whilst +equivalent +charged +measure +documents +couples +request +danish +defensive +guide +devices +statistics +credited +tries +passengers +allied +frame +puerto +peninsula +concluded +instruments +wounded +differences +associate +forests +afterwards +replace +requirements +aviation +solution +offensive +ownership +inner +legislation +hungarian +contributions +actors +translated +denmark +steam +depending +aspects +assumed +injured +severe +admitted +determine +shore +technique +arrival +measures +translation +debuted +delivered +returns +rejected +separated +visitors +damaged +storage +accompanied +markets +industries +losses +gulf +charter +strategy +corporate +socialist +somewhat +significantly +physics +mounted +satellite +experienced +constant +relative +pattern +restored +belgium +connecticut +partners +harvard +retained +networks +protected +mode +artistic +parallel +collaboration +debate +involving +journey +linked +salt +authors +components +context +occupation +requires +occasionally +policies +tamil +ottoman +revolutionary +hungary +poem +versus +gardens +amongst +audio +makeup +frequency +meters +orthodox +continuing +suggests +legislature +coalition +guitarist +eighth +classification +practices +soil +tokyo +instance +limit +coverage +considerable +ranking +colleges +cavalry +centers +daughters +twin +equipped +broadway +narrow +hosts +rates +domain +boundary +arranged +12th +whereas +brazilian +forming +rating +strategic +competitions +trading +covering +baltimore +commissioner +infrastructure +origins +replacement +praised +disc +collections +expression +ukraine +driven +edited +austrian +solar +ensure +premiered +successor +wooden +operational +hispanic +concerns +rapid +prisoners +childhood +meets +influential +tunnel +employment +tribe +qualifying +adapted +temporary +celebrated +appearing +increasingly +depression +adults +cinema +entering +laboratory +script +flows +romania +accounts +fictional +pittsburgh +achieve +monastery +franchise +formally +tools +newspapers +revival +sponsored +processes +vienna +springs +missions +classified +13th +annually +branches +lakes +gender +manner +advertising +normally +maintenance +adding +characteristics +integrated +decline +modified +strongly +critic +victims +malaysia +arkansas +nazi +restoration +powered +monument +hundreds +depth +15th +controversial +admiral +criticized +brick +honorary +initiative +output +visiting +birmingham +progressive +existed +carbon +1920s +credits +colour +rising +hence +defeating +superior +filmed +listing +column +surrounded +orleans +principles +territories +struck +participation +indonesia +movements +index +commerce +conduct +constitutional +spiritual +ambassador +vocal +completion +edinburgh +residing +tourism +finland +bears +medals +resident +themes +visible +indigenous +involvement +basin +electrical +ukrainian +concerts +boats +styles +processing +rival +drawing +vessels +experimental +declined +touring +supporters +compilation +coaching +cited +dated +roots +string +explained +transit +traditionally +poems +minimum +representation +14th +releases +effectively +architectural +triple +indicated +greatly +elevation +clinical +printed +10th +proposal +peaked +producers +romanized +rapidly +stream +innings +meetings +counter +householder +honour +lasted +agencies +document +exists +surviving +experiences +honors +landscape +hurricane +harbor +panel +competing +profile +vessel +farmers +lists +revenue +exception +customers +11th +participants +wildlife +utah +bible +gradually +preserved +replacing +symphony +begun +longest +siege +provinces +mechanical +genre +transmission +agents +executed +videos +benefits +funded +rated +instrumental +ninth +similarly +dominated +destruction +passage +technologies +thereafter +outer +facing +affiliated +opportunities +instrument +governments +scholar +evolution +channels +shares +sessions +widespread +occasions +engineers +scientists +signing +battery +competitive +alleged +eliminated +supplies +judges +hampshire +regime +portrayed +penalty +taiwan +denied +submarine +scholarship +substantial +transition +victorian +http +nevertheless +filed +supports +continental +tribes +ratio +doubles +useful +honours +blocks +principle +retail +departure +ranks +patrol +yorkshire +vancouver +inter +extent +afghanistan +strip +railways +component +organ +symbol +categories +encouraged +abroad +civilian +periods +traveled +writes +struggle +immediate +recommended +adaptation +egyptian +graduating +assault +drums +nomination +historically +voting +allies +detailed +achievement +percentage +arabic +assist +frequent +toured +apply +and/or +intersection +maine +touchdown +throne +produces +contribution +emerged +obtain +archbishop +seek +researchers +remainder +populations +clan +finnish +overseas +fifa +licensed +chemistry +festivals +mediterranean +injuries +animated +seeking +publisher +volumes +limits +venue +jerusalem +generated +trials +islam +youngest +ruling +glasgow +germans +songwriter +persian +municipalities +donated +viewed +belgian +cooperation +posted +tech +dual +volunteer +settlers +commanded +claiming +approval +delhi +usage +terminus +partly +electricity +locally +editions +premiere +absence +belief +traditions +statue +indicate +manor +stable +attributed +possession +managing +viewers +chile +overview +seed +regulations +essential +minority +cargo +segment +endemic +forum +deaths +monthly +playoffs +erected +practical +machines +suburb +relation +mrs. +descent +indoor +continuous +characterized +solutions +caribbean +rebuilt +serbian +summary +contested +psychology +pitch +attending +muhammad +tenure +drivers +diameter +assets +venture +punk +airlines +concentration +athletes +volunteers +pages +mines +influences +sculpture +protest +ferry +behalf +drafted +apparent +furthermore +ranging +romanian +democracy +lanka +significance +linear +d.c. +certified +voters +recovered +tours +demolished +boundaries +assisted +identify +grades +elsewhere +mechanism +1940s +reportedly +aimed +conversion +suspended +photography +departments +beijing +locomotives +publicly +dispute +magazines +resort +conventional +platforms +internationally +capita +settlements +dramatic +derby +establishing +involves +statistical +implementation +immigrants +exposed +diverse +layer +vast +ceased +connections +belonged +interstate +uefa +organised +abuse +deployed +cattle +partially +filming +mainstream +reduction +automatic +rarely +subsidiary +decides +merger +comprehensive +displayed +amendment +guinea +exclusively +manhattan +concerning +commons +radical +serbia +baptist +buses +initiated +portrait +harbour +choir +citizen +sole +unsuccessful +manufactured +enforcement +connecting +increases +patterns +sacred +muslims +clothing +hindu +unincorporated +sentenced +advisory +tanks +campaigns +fled +repeated +remote +rebellion +implemented +texts +fitted +tribute +writings +sufficient +ministers +21st +devoted +jurisdiction +coaches +interpretation +pole +businessman +peru +sporting +prices +cuba +relocated +opponent +arrangement +elite +manufacturer +responded +suitable +distinction +calendar +dominant +tourist +earning +prefecture +ties +preparation +anglo +pursue +worship +archaeological +chancellor +bangladesh +scores +traded +lowest +horror +outdoor +biology +commented +specialized +loop +arriving +farming +housed +historians +'the +patent +pupils +christianity +opponents +athens +northwestern +maps +promoting +reveals +flights +exclusive +lions +norfolk +hebrew +extensively +eldest +shops +acquisition +virtual +renowned +margin +ongoing +essentially +iranian +alternate +sailed +reporting +conclusion +originated +temperatures +exposure +secured +landed +rifle +framework +identical +martial +focuses +topics +ballet +fighters +belonging +wealthy +negotiations +evolved +bases +oriented +acres +democrat +heights +restricted +vary +graduation +aftermath +chess +illness +participating +vertical +collective +immigration +demonstrated +leaf +completing +organic +missile +leeds +eligible +grammar +confederate +improvement +congressional +wealth +cincinnati +spaces +indicates +corresponding +reaches +repair +isolated +taxes +congregation +ratings +leagues +diplomatic +submitted +winds +awareness +photographs +maritime +nigeria +accessible +animation +restaurants +philippine +inaugural +dismissed +armenian +illustrated +reservoir +speakers +programmes +resource +genetic +interviews +camps +regulation +computers +preferred +travelled +comparison +distinctive +recreation +requested +southeastern +dependent +brisbane +breeding +playoff +expand +bonus +gauge +departed +qualification +inspiration +shipping +slaves +variations +shield +theories +munich +recognised +emphasis +favour +variable +seeds +undergraduate +territorial +intellectual +qualify +mini +banned +pointed +democrats +assessment +judicial +examination +attempting +objective +partial +characteristic +hardware +pradesh +execution +ottawa +metre +drum +exhibitions +withdrew +attendance +phrase +journalism +logo +measured +error +christians +trio +protestant +theology +respective +atmosphere +buddhist +substitute +curriculum +fundamental +outbreak +rabbi +intermediate +designation +globe +liberation +simultaneously +diseases +experiments +locomotive +difficulties +mainland +nepal +relegated +contributing +database +developments +veteran +carries +ranges +instruction +lodge +protests +obama +newcastle +experiment +physician +describing +challenges +corruption +delaware +adventures +ensemble +succession +renaissance +tenth +altitude +receives +approached +crosses +syria +croatia +warsaw +professionals +improvements +worn +airline +compound +permitted +preservation +reducing +printing +scientist +activist +comprises +sized +societies +enters +ruler +gospel +earthquake +extend +autonomous +croatian +serial +decorated +relevant +ideal +grows +grass +tier +towers +wider +welfare +columns +alumni +descendants +interface +reserves +banking +colonies +manufacturers +magnetic +closure +pitched +vocalist +preserve +enrolled +cancelled +equation +2000s +nickname +bulgaria +heroes +exile +mathematical +demands +input +structural +tube +stem +approaches +argentine +axis +manuscript +inherited +depicted +targets +visits +veterans +regard +removal +efficiency +organisations +concepts +lebanon +manga +petersburg +rally +supplied +amounts +yale +tournaments +broadcasts +signals +pilots +azerbaijan +architects +enzyme +literacy +declaration +placing +batting +incumbent +bulgarian +consistent +poll +defended +landmark +southwestern +raid +resignation +travels +casualties +prestigious +namely +aims +recipient +warfare +readers +collapse +coached +controls +volleyball +coup +lesser +verse +pairs +exhibited +proteins +molecular +abilities +integration +consist +aspect +advocate +administered +governing +hospitals +commenced +coins +lords +variation +resumed +canton +artificial +elevated +palm +difficulty +civic +efficient +northeastern +inducted +radiation +affiliate +boards +stakes +byzantine +consumption +freight +interaction +oblast +numbered +seminary +contracts +extinct +predecessor +bearing +cultures +functional +neighboring +revised +cylinder +grants +narrative +reforms +athlete +tales +reflect +presidency +compositions +specialist +cricketer +founders +sequel +widow +disbanded +associations +backed +thereby +pitcher +commanding +boulevard +singers +crops +militia +reviewed +centres +waves +consequently +fortress +tributary +portions +bombing +excellence +nest +payment +mars +plaza +unity +victories +scotia +farms +nominations +variant +attacking +suspension +installation +graphics +estates +comments +acoustic +destination +venues +surrender +retreat +libraries +quarterback +customs +berkeley +collaborated +gathered +syndrome +dialogue +recruited +shanghai +neighbouring +psychological +saudi +moderate +exhibit +innovation +depot +binding +brunswick +situations +certificate +actively +shakespeare +editorial +presentation +ports +relay +nationalist +methodist +archives +experts +maintains +collegiate +bishops +maintaining +temporarily +embassy +essex +wellington +connects +reformed +bengal +recalled +inches +doctrine +deemed +legendary +reconstruction +statements +palestinian +meter +achievements +riders +interchange +spots +auto +accurate +chorus +dissolved +missionary +thai +operators +e.g. +generations +failing +delayed +cork +nashville +perceived +venezuela +cult +emerging +tomb +abolished +documented +gaining +canyon +episcopal +stored +assists +compiled +kerala +kilometers +mosque +grammy +theorem +unions +segments +glacier +arrives +theatrical +circulation +conferences +chapters +displays +circular +authored +conductor +fewer +dimensional +nationwide +liga +yugoslavia +peer +vietnamese +fellowship +armies +regardless +relating +dynamic +politicians +mixture +serie +somerset +imprisoned +posts +beliefs +beta +layout +independently +electronics +provisions +fastest +logic +headquartered +creates +challenged +beaten +appeals +plains +protocol +graphic +accommodate +iraqi +midfielder +span +commentary +freestyle +reflected +palestine +lighting +burial +virtually +backing +prague +tribal +heir +identification +prototype +criteria +dame +arch +tissue +footage +extending +procedures +predominantly +updated +rhythm +preliminary +cafe +disorder +prevented +suburbs +discontinued +retiring +oral +followers +extends +massacre +journalists +conquest +larvae +pronounced +behaviour +diversity +sustained +addressed +geographic +restrictions +voiced +milwaukee +dialect +quoted +grid +nationally +nearest +roster +twentieth +separation +indies +manages +citing +intervention +guidance +severely +migration +artwork +focusing +rivals +trustees +varied +enabled +committees +centered +skating +slavery +cardinals +forcing +tasks +auckland +youtube +argues +colored +advisor +mumbai +requiring +theological +registration +refugees +nineteenth +survivors +runners +colleagues +priests +contribute +variants +workshop +concentrated +creator +lectures +temples +exploration +requirement +interactive +navigation +companion +perth +allegedly +releasing +citizenship +observation +stationed +ph.d. +sheep +breed +discovers +encourage +kilometres +journals +performers +isle +saskatchewan +hybrid +hotels +lancashire +dubbed +airfield +anchor +suburban +theoretical +sussex +anglican +stockholm +permanently +upcoming +privately +receiver +optical +highways +congo +colours +aggregate +authorized +repeatedly +varies +fluid +innovative +transformed +praise +convoy +demanded +discography +attraction +export +audiences +ordained +enlisted +occasional +westminster +syrian +heavyweight +bosnia +consultant +eventual +improving +aires +wickets +epic +reactions +scandal +i.e. +discrimination +buenos +patron +investors +conjunction +testament +construct +encountered +celebrity +expanding +georgian +brands +retain +underwent +algorithm +foods +provision +orbit +transformation +associates +tactical +compact +varieties +stability +refuge +gathering +moreover +manila +configuration +gameplay +discipline +entity +comprising +composers +skill +monitoring +ruins +museums +sustainable +aerial +altered +codes +voyage +friedrich +conflicts +storyline +travelling +conducting +merit +indicating +referendum +currency +encounter +particles +automobile +workshops +acclaimed +inhabited +doctorate +cuban +phenomenon +dome +enrollment +tobacco +governance +trend +equally +manufacture +hydrogen +grande +compensation +download +pianist +grain +shifted +neutral +evaluation +define +cycling +seized +array +relatives +motors +firms +varying +automatically +restore +nicknamed +findings +governed +investigate +manitoba +administrator +vital +integral +indonesian +confusion +publishers +enable +geographical +inland +naming +civilians +reconnaissance +indianapolis +lecturer +deer +tourists +exterior +rhode +bassist +symbols +scope +ammunition +yuan +poets +punjab +nursing +cent +developers +estimates +presbyterian +nasa +holdings +generate +renewed +computing +cyprus +arabia +duration +compounds +gastropod +permit +valid +touchdowns +facade +interactions +mineral +practiced +allegations +consequence +goalkeeper +baronet +copyright +uprising +carved +targeted +competitors +mentions +sanctuary +fees +pursued +tampa +chronicle +capabilities +specified +specimens +toll +accounting +limestone +staged +upgraded +philosophical +streams +guild +revolt +rainfall +supporter +princeton +terrain +hometown +probability +assembled +paulo +surrey +voltage +developer +destroyer +floors +lineup +curve +prevention +potentially +onwards +trips +imposed +hosting +striking +strict +admission +apartments +solely +utility +proceeded +observations +euro +incidents +vinyl +profession +haven +distant +expelled +rivalry +runway +torpedo +zones +shrine +dimensions +investigations +lithuania +idaho +pursuit +copenhagen +considerably +locality +wireless +decrease +genes +thermal +deposits +hindi +habitats +withdrawn +biblical +monuments +casting +plateau +thesis +managers +flooding +assassination +acknowledged +interim +inscription +guided +pastor +finale +insects +transported +activists +marshal +intensity +airing +cardiff +proposals +lifestyle +prey +herald +capitol +aboriginal +measuring +lasting +interpreted +occurring +desired +drawings +healthcare +panels +elimination +oslo +ghana +blog +sabha +intent +superintendent +governors +bankruptcy +p.m. +equity +disk +layers +slovenia +prussia +quartet +mechanics +graduates +politically +monks +screenplay +nato +absorbed +topped +petition +bold +morocco +exhibits +canterbury +publish +rankings +crater +dominican +enhanced +planes +lutheran +governmental +joins +collecting +brussels +unified +streak +strategies +flagship +surfaces +oval +archive +etymology +imprisonment +instructor +noting +remix +opposing +servant +rotation +width +trans +maker +synthesis +excess +tactics +snail +ltd. +lighthouse +sequences +cornwall +plantation +mythology +performs +foundations +populated +horizontal +speedway +activated +performer +diving +conceived +edmonton +subtropical +environments +prompted +semifinals +caps +bulk +treasury +recreational +telegraph +continent +portraits +relegation +catholics +graph +velocity +rulers +endangered +secular +observer +learns +inquiry +idol +dictionary +certification +estimate +cluster +armenia +observatory +revived +nadu +consumers +hypothesis +manuscripts +contents +arguments +editing +trails +arctic +essays +belfast +acquire +promotional +undertaken +corridor +proceedings +antarctic +millennium +labels +delegates +vegetation +acclaim +directing +substance +outcome +diploma +philosopher +malta +albanian +vicinity +degc +legends +regiments +consent +terrorist +scattered +presidents +gravity +orientation +deployment +duchy +refuses +estonia +crowned +separately +renovation +rises +wilderness +objectives +agreements +empress +slopes +inclusion +equality +decree +ballot +criticised +rochester +recurring +struggled +disabled +henri +poles +prussian +convert +bacteria +poorly +sudan +geological +wyoming +consistently +minimal +withdrawal +interviewed +proximity +repairs +initiatives +pakistani +republicans +propaganda +viii +abstract +commercially +availability +mechanisms +naples +discussions +underlying +lens +proclaimed +advised +spelling +auxiliary +attract +lithuanian +editors +o'brien +accordance +measurement +novelist +ussr +formats +councils +contestants +indie +facebook +parishes +barrier +battalions +sponsor +consulting +terrorism +implement +uganda +crucial +unclear +notion +distinguish +collector +attractions +filipino +ecology +investments +capability +renovated +iceland +albania +accredited +scouts +armor +sculptor +cognitive +errors +gaming +condemned +successive +consolidated +baroque +entries +regulatory +reserved +treasurer +variables +arose +technological +rounded +provider +rhine +agrees +accuracy +genera +decreased +frankfurt +ecuador +edges +particle +rendered +calculated +careers +faction +rifles +americas +gaelic +portsmouth +resides +merchants +fiscal +premises +coin +draws +presenter +acceptance +ceremonies +pollution +consensus +membrane +brigadier +nonetheless +genres +supervision +predicted +magnitude +finite +differ +ancestry +vale +delegation +removing +proceeds +placement +emigrated +siblings +molecules +payments +considers +demonstration +proportion +newer +valve +achieving +confederation +continuously +luxury +notre +introducing +coordinates +charitable +squadrons +disorders +geometry +winnipeg +ulster +loans +longtime +receptor +preceding +belgrade +mandate +wrestler +neighbourhood +factories +buddhism +imported +sectors +protagonist +steep +elaborate +prohibited +artifacts +prizes +pupil +cooperative +sovereign +subspecies +carriers +allmusic +nationals +settings +autobiography +neighborhoods +analog +facilitate +voluntary +jointly +newfoundland +organizing +raids +exercises +nobel +machinery +baltic +crop +granite +dense +websites +mandatory +seeks +surrendered +anthology +comedian +bombs +slot +synopsis +critically +arcade +marking +equations +halls +indo +inaugurated +embarked +speeds +clause +invention +premiership +likewise +presenting +demonstrate +designers +organize +examined +km/h +bavaria +troop +referee +detection +zurich +prairie +rapper +wingspan +eurovision +luxembourg +slovakia +inception +disputed +mammals +entrepreneur +makers +evangelical +yield +clergy +trademark +defunct +allocated +depicting +volcanic +batted +conquered +sculptures +providers +reflects +armoured +locals +walt +herzegovina +contracted +entities +sponsorship +prominence +flowing +ethiopia +marketed +corporations +withdraw +carnegie +induced +investigated +portfolio +flowering +opinions +viewing +classroom +donations +bounded +perception +leicester +fruits +charleston +academics +statute +complaints +smallest +deceased +petroleum +resolved +commanders +algebra +southampton +modes +cultivation +transmitter +spelled +obtaining +sizes +acre +pageant +bats +abbreviated +correspondence +barracks +feast +tackles +raja +derives +geology +disputes +translations +counted +constantinople +seating +macedonia +preventing +accommodation +homeland +explored +invaded +provisional +transform +sphere +unsuccessfully +missionaries +conservatives +highlights +traces +organisms +openly +dancers +fossils +absent +monarchy +combining +lanes +stint +dynamics +chains +missiles +screening +module +tribune +generating +miners +nottingham +seoul +unofficial +owing +linking +rehabilitation +citation +louisville +mollusk +depicts +differential +zimbabwe +kosovo +recommendations +responses +pottery +scorer +aided +exceptions +dialects +telecommunications +defines +elderly +lunar +coupled +flown +25th +espn +formula_1 +bordered +fragments +guidelines +gymnasium +valued +complexity +papal +presumably +maternal +challenging +reunited +advancing +comprised +uncertain +favorable +twelfth +correspondent +nobility +livestock +expressway +chilean +tide +researcher +emissions +profits +lengths +accompanying +witnessed +itunes +drainage +slope +reinforced +feminist +sanskrit +develops +physicians +outlets +isbn +coordinator +averaged +termed +occupy +diagnosed +yearly +humanitarian +prospect +spacecraft +stems +enacted +linux +ancestors +karnataka +constitute +immigrant +thriller +ecclesiastical +generals +celebrations +enhance +heating +advocated +evident +advances +bombardment +watershed +shuttle +wicket +twitter +adds +branded +teaches +schemes +pension +advocacy +conservatory +cairo +varsity +freshwater +providence +seemingly +shells +cuisine +specially +peaks +intensive +publishes +trilogy +skilled +nacional +unemployment +destinations +parameters +verses +trafficking +determination +infinite +savings +alignment +linguistic +countryside +dissolution +measurements +advantages +licence +subfamily +highlands +modest +regent +algeria +crest +teachings +knockout +brewery +combine +conventions +descended +chassis +primitive +fiji +explicitly +cumberland +uruguay +laboratories +bypass +elect +informal +preceded +holocaust +tackle +minneapolis +quantity +securities +console +doctoral +religions +commissioners +expertise +unveiled +precise +diplomat +standings +infant +disciplines +sicily +endorsed +systematic +charted +armored +mild +lateral +townships +hurling +prolific +invested +wartime +compatible +galleries +moist +battlefield +decoration +convent +tubes +terrestrial +nominee +requests +delegate +leased +dubai +polar +applying +addresses +munster +sings +commercials +teamed +dances +eleventh +midland +cedar +flee +sandstone +snails +inspection +divide +asset +themed +comparable +paramount +dairy +archaeology +intact +institutes +rectangular +instances +phases +reflecting +substantially +applies +vacant +lacked +copa +coloured +encounters +sponsors +encoded +possess +revenues +ucla +chaired +a.m. +enabling +playwright +stoke +sociology +tibetan +frames +motto +financing +illustrations +gibraltar +chateau +bolivia +transmitted +enclosed +persuaded +urged +folded +suffolk +regulated +bros. +submarines +myth +oriental +malaysian +effectiveness +narrowly +acute +sunk +replied +utilized +tasmania +consortium +quantities +gains +parkway +enlarged +sided +employers +adequate +accordingly +assumption +ballad +mascot +distances +peaking +saxony +projected +affiliation +limitations +metals +guatemala +scots +theaters +kindergarten +verb +employer +differs +discharge +controller +seasonal +marching +guru +campuses +avoided +vatican +maori +excessive +chartered +modifications +caves +monetary +sacramento +mixing +institutional +celebrities +irrigation +shapes +broadcaster +anthem +attributes +demolition +offshore +specification +surveys +yugoslav +contributor +auditorium +lebanese +capturing +airports +classrooms +chennai +paths +tendency +determining +lacking +upgrade +sailors +detected +kingdoms +sovereignty +freely +decorative +momentum +scholarly +georges +gandhi +speculation +transactions +undertook +interact +similarities +cove +teammate +constituted +painters +tends +madagascar +partnerships +afghan +personalities +attained +rebounds +masses +synagogue +reopened +asylum +embedded +imaging +catalogue +defenders +taxonomy +fiber +afterward +appealed +communists +lisbon +rica +judaism +adviser +batsman +ecological +commands +lgbt +cooling +accessed +wards +shiva +employs +thirds +scenic +worcester +tallest +contestant +humanities +economist +textile +constituencies +motorway +tram +percussion +cloth +leisure +1880s +baden +flags +resemble +riots +coined +sitcom +composite +implies +daytime +tanzania +penalties +optional +competitor +excluded +steering +reversed +autonomy +reviewer +breakthrough +professionally +damages +pomeranian +deputies +valleys +ventures +highlighted +electorate +mapping +shortened +executives +tertiary +specimen +launching +bibliography +sank +pursuing +binary +descendant +marched +natives +ideology +turks +adolf +archdiocese +tribunal +exceptional +nigerian +preference +fails +loading +comeback +vacuum +favored +alter +remnants +consecrated +spectators +trends +patriarch +feedback +paved +sentences +councillor +astronomy +advocates +broader +commentator +commissions +identifying +revealing +theatres +incomplete +enables +constituent +reformation +tract +haiti +atmospheric +screened +explosive +czechoslovakia +acids +symbolic +subdivision +liberals +incorporate +challenger +erie +filmmaker +laps +kazakhstan +organizational +evolutionary +chemicals +dedication +riverside +fauna +moths +maharashtra +annexed +gen. +resembles +underwater +garnered +timeline +remake +suited +educator +hectares +automotive +feared +latvia +finalist +narrator +portable +airways +plaque +designing +villagers +licensing +flank +statues +struggles +deutsche +migrated +cellular +jacksonville +wimbledon +defining +highlight +preparatory +planets +cologne +employ +frequencies +detachment +readily +libya +resign +halt +helicopters +reef +landmarks +collaborative +irregular +retaining +helsinki +folklore +weakened +viscount +interred +professors +memorable +mega +repertoire +rowing +dorsal +albeit +progressed +operative +coronation +liner +telugu +domains +philharmonic +detect +bengali +synthetic +tensions +atlas +dramatically +paralympics +xbox +shire +kiev +lengthy +sued +notorious +seas +screenwriter +transfers +aquatic +pioneers +unesco +radius +abundant +tunnels +syndicated +inventor +accreditation +janeiro +exeter +ceremonial +omaha +cadet +predators +resided +prose +slavic +precision +abbot +deity +engaging +cambodia +estonian +compliance +demonstrations +protesters +reactor +commodore +successes +chronicles +mare +extant +listings +minerals +tonnes +parody +cultivated +traders +pioneering +supplement +slovak +preparations +collision +partnered +vocational +atoms +malayalam +welcomed +documentation +curved +functioning +presently +formations +incorporates +nazis +botanical +nucleus +ethical +greeks +metric +automated +whereby +stance +europeans +duet +disability +purchasing +email +telescope +displaced +sodium +comparative +processor +inning +precipitation +aesthetic +import +coordination +feud +alternatively +mobility +tibet +regained +succeeding +hierarchy +apostolic +catalog +reproduction +inscriptions +vicar +clusters +posthumously +rican +loosely +additions +photographic +nowadays +selective +derivative +keyboards +guides +collectively +affecting +combines +operas +networking +decisive +terminated +continuity +finishes +ancestor +consul +heated +simulation +leipzig +incorporating +georgetown +formula_2 +circa +forestry +portrayal +councillors +advancement +complained +forewings +confined +transaction +definitions +reduces +televised +1890s +rapids +phenomena +belarus +alps +landscapes +quarterly +specifications +commemorate +continuation +isolation +antenna +downstream +patents +ensuing +tended +saga +lifelong +columnist +labeled +gymnastics +papua +anticipated +demise +encompasses +madras +antarctica +interval +icon +rams +midlands +ingredients +priory +strengthen +rouge +explicit +gaza +aging +securing +anthropology +listeners +adaptations +underway +vista +malay +fortified +lightweight +violations +concerto +financed +jesuit +observers +trustee +descriptions +nordic +resistant +opted +accepts +prohibition +andhra +inflation +negro +wholly +imagery +spur +instructed +gloucester +cycles +middlesex +destroyers +statewide +evacuated +hyderabad +peasants +mice +shipyard +coordinate +pitching +colombian +exploring +numbering +compression +countess +hiatus +exceed +raced +archipelago +traits +soils +o'connor +vowel +android +facto +angola +amino +holders +logistics +circuits +emergence +kuwait +partition +emeritus +outcomes +submission +promotes +barack +negotiated +loaned +stripped +50th +excavations +treatments +fierce +participant +exports +decommissioned +cameo +remarked +residences +fuselage +mound +undergo +quarry +node +midwest +specializing +occupies +etc. +showcase +molecule +offs +modules +salon +exposition +revision +peers +positioned +hunters +competes +algorithms +reside +zagreb +calcium +uranium +silicon +airs +counterpart +outlet +collectors +sufficiently +canberra +inmates +anatomy +ensuring +curves +aviv +firearms +basque +volcano +thrust +sheikh +extensions +installations +aluminum +darker +sacked +emphasized +aligned +asserted +pseudonym +spanning +decorations +eighteenth +orbital +spatial +subdivided +notation +decay +macedonian +amended +declining +cyclist +feat +unusually +commuter +birthplace +latitude +activation +overhead +30th +finalists +whites +encyclopedia +tenor +qatar +survives +complement +concentrations +uncommon +astronomical +bangalore +pius +genome +memoir +recruit +prosecutor +modification +paired +container +basilica +arlington +displacement +germanic +mongolia +proportional +debates +matched +calcutta +rows +tehran +aerospace +prevalent +arise +lowland +24th +spokesman +supervised +advertisements +clash +tunes +revelation +wanderers +quarterfinals +fisheries +steadily +memoirs +pastoral +renewable +confluence +acquiring +strips +slogan +upstream +scouting +analyst +practitioners +turbine +strengthened +heavier +prehistoric +plural +excluding +isles +persecution +turin +rotating +villain +hemisphere +unaware +arabs +corpus +relied +singular +unanimous +schooling +passive +angles +dominance +instituted +aria +outskirts +balanced +beginnings +financially +structured +parachute +viewer +attitudes +subjected +escapes +derbyshire +erosion +addressing +styled +declaring +originating +colts +adjusted +stained +occurrence +fortifications +baghdad +nitrogen +localities +yemen +galway +debris +lodz +victorious +pharmaceutical +substances +unnamed +dwelling +atop +developmental +activism +voter +refugee +forested +relates +overlooking +genocide +kannada +insufficient +oversaw +partisan +dioxide +recipients +factions +mortality +capped +expeditions +receptors +reorganized +prominently +atom +flooded +flute +orchestral +scripts +mathematician +airplay +detached +rebuilding +dwarf +brotherhood +salvation +expressions +arabian +cameroon +poetic +recruiting +bundesliga +inserted +scrapped +disabilities +evacuation +pasha +undefeated +crafts +rituals +aluminium +norm +pools +submerged +occupying +pathway +exams +prosperity +wrestlers +promotions +basal +permits +nationalism +trim +merge +gazette +tributaries +transcription +caste +porto +emerge +modeled +adjoining +counterparts +paraguay +redevelopment +renewal +unreleased +equilibrium +similarity +minorities +soviets +comprise +nodes +tasked +unrelated +expired +johan +precursor +examinations +electrons +socialism +exiled +admiralty +floods +wigan +nonprofit +lacks +brigades +screens +repaired +hanover +fascist +labs +osaka +delays +judged +statutory +colt +col. +offspring +solving +bred +assisting +retains +somalia +grouped +corresponds +tunisia +chaplain +eminent +chord +22nd +spans +viral +innovations +possessions +mikhail +kolkata +icelandic +implications +introduces +racism +workforce +alto +compulsory +admits +censorship +onset +reluctant +inferior +iconic +progression +liability +turnout +satellites +behavioral +coordinated +exploitation +posterior +averaging +fringe +krakow +mountainous +greenwich +para +plantations +reinforcements +offerings +famed +intervals +constraints +individually +nutrition +1870s +taxation +threshold +tomatoes +fungi +contractor +ethiopian +apprentice +diabetes +wool +gujarat +honduras +norse +bucharest +23rd +arguably +accompany +prone +teammates +perennial +vacancy +polytechnic +deficit +okinawa +functionality +reminiscent +tolerance +transferring +myanmar +concludes +neighbours +hydraulic +economically +slower +plots +charities +synod +investor +catholicism +identifies +bronx +interpretations +adverse +judiciary +hereditary +nominal +sensor +symmetry +cubic +triangular +tenants +divisional +outreach +representations +passages +undergoing +cartridge +testified +exceeded +impacts +limiting +railroads +defeats +regain +rendering +humid +retreated +reliability +governorate +antwerp +infamous +implied +packaging +lahore +trades +billed +extinction +ecole +rejoined +recognizes +projection +qualifications +stripes +forts +socially +lexington +accurately +sexuality +westward +wikipedia +pilgrimage +abolition +choral +stuttgart +nests +expressing +strikeouts +assessed +monasteries +reconstructed +humorous +marxist +fertile +consort +urdu +patronage +peruvian +devised +lyric +baba +nassau +communism +extraction +popularly +markings +inability +litigation +accounted +processed +emirates +tempo +cadets +eponymous +contests +broadly +oxide +courtyard +frigate +directory +apex +outline +regency +chiefly +patrols +secretariat +cliffs +residency +privy +armament +australians +dorset +geometric +genetics +scholarships +fundraising +flats +demographic +multimedia +captained +documentaries +updates +canvas +blockade +guerrilla +songwriting +administrators +intake +drought +implementing +fraction +cannes +refusal +inscribed +meditation +announcing +exported +ballots +formula_3 +curator +basel +arches +flour +subordinate +confrontation +gravel +simplified +berkshire +patriotic +tuition +employing +servers +castile +posting +combinations +discharged +miniature +mutations +constellation +incarnation +ideals +necessity +granting +ancestral +crowds +pioneered +mormon +methodology +rama +indirect +complexes +bavarian +patrons +uttar +skeleton +bollywood +flemish +viable +bloc +breeds +triggered +sustainability +tailed +referenced +comply +takeover +latvian +homestead +platoon +communal +nationality +excavated +targeting +sundays +posed +physicist +turret +endowment +marginal +dispatched +commentators +renovations +attachment +collaborations +ridges +barriers +obligations +shareholders +prof. +defenses +presided +rite +backgrounds +arbitrary +affordable +gloucestershire +thirteenth +inlet +miniseries +possesses +detained +pressures +subscription +realism +solidarity +proto +postgraduate +noun +burmese +abundance +homage +reasoning +anterior +robust +fencing +shifting +vowels +garde +profitable +loch +anchored +coastline +samoa +terminology +prostitution +magistrate +venezuelan +speculated +regulate +fixture +colonists +digit +induction +manned +expeditionary +computational +centennial +principally +vein +preserving +engineered +numerical +cancellation +conferred +continually +borne +seeded +advertisement +unanimously +treaties +infections +ions +sensors +lowered +amphibious +lava +fourteenth +bahrain +niagara +nicaragua +squares +congregations +26th +periodic +proprietary +1860s +contributors +seller +overs +emission +procession +presumed +illustrator +zinc +gases +tens +applicable +stretches +reproductive +sixteenth +apparatus +accomplishments +canoe +guam +oppose +recruitment +accumulated +limerick +namibia +staging +remixes +ordnance +uncertainty +pedestrian +temperate +treason +deposited +registry +cerambycidae +attracting +lankan +reprinted +shipbuilding +homosexuality +neurons +eliminating +1900s +resume +ministries +beneficial +blackpool +surplus +northampton +licenses +constructing +announcer +standardized +alternatives +taipei +inadequate +failures +yields +medalist +titular +obsolete +torah +burlington +predecessors +lublin +retailers +castles +depiction +issuing +gubernatorial +propulsion +tiles +damascus +discs +alternating +pomerania +peasant +tavern +redesignated +27th +illustration +focal +mans +codex +specialists +productivity +antiquity +controversies +promoter +pits +companions +behaviors +lyrical +prestige +creativity +swansea +dramas +approximate +feudal +tissues +crude +campaigned +unprecedented +chancel +amendments +surroundings +allegiance +exchanges +align +firmly +optimal +commenting +reigning +landings +obscure +1850s +contemporaries +paternal +devi +endurance +communes +incorporation +denominations +exchanged +routing +resorts +amnesty +slender +explores +suppression +heats +pronunciation +centred +coupe +stirling +freelance +treatise +linguistics +laos +informs +discovering +pillars +encourages +halted +robots +definitive +maturity +tuberculosis +venetian +silesian +unchanged +originates +mali +lincolnshire +quotes +seniors +premise +contingent +distribute +danube +gorge +logging +dams +curling +seventeenth +specializes +wetlands +deities +assess +thickness +rigid +culminated +utilities +substrate +insignia +nile +assam +shri +currents +suffrage +canadians +mortar +asteroid +bosnian +discoveries +enzymes +sanctioned +replica +hymn +investigators +tidal +dominate +derivatives +converting +leinster +verbs +honoured +criticisms +dismissal +discrete +masculine +reorganization +unlimited +wurttemberg +sacks +allocation +bahn +jurisdictions +participates +lagoon +famine +communion +culminating +surveyed +shortage +cables +intersects +cassette +foremost +adopting +solicitor +outright +bihar +reissued +farmland +dissertation +turnpike +baton +photographed +christchurch +kyoto +finances +rails +histories +linebacker +kilkenny +accelerated +dispersed +handicap +absorption +rancho +ceramic +captivity +cites +font +weighed +mater +utilize +bravery +extract +validity +slovenian +seminars +discourse +ranged +duel +ironically +warships +sega +temporal +surpassed +prolonged +recruits +northumberland +greenland +contributes +patented +eligibility +unification +discusses +reply +translates +beirut +relies +torque +northward +reviewers +monastic +accession +neural +tramway +heirs +sikh +subscribers +amenities +taliban +audit +rotterdam +wagons +kurdish +favoured +combustion +meanings +persia +browser +diagnostic +niger +formula_4 +denomination +dividing +parameter +branding +badminton +leningrad +sparked +hurricanes +beetles +propeller +mozambique +refined +diagram +exhaust +vacated +readings +markers +reconciliation +determines +concurrent +imprint +primera +organism +demonstrating +filmmakers +vanderbilt +affiliates +traction +evaluated +defendants +megachile +investigative +zambia +assassinated +rewarded +probable +staffordshire +foreigners +directorate +nominees +consolidation +commandant +reddish +differing +unrest +drilling +bohemia +resembling +instrumentation +considerations +haute +promptly +variously +dwellings +clans +tablet +enforced +cockpit +semifinal +hussein +prisons +ceylon +emblem +monumental +phrases +correspond +crossover +outlined +characterised +acceleration +caucus +crusade +protested +composing +rajasthan +habsburg +rhythmic +interception +inherent +cooled +ponds +spokesperson +gradual +consultation +kuala +globally +suppressed +builders +avengers +suffix +integer +enforce +fibers +unionist +proclamation +uncovered +infrared +adapt +eisenhower +utilizing +captains +stretched +observing +assumes +prevents +analyses +saxophone +caucasus +notices +villains +dartmouth +mongol +hostilities +stretching +veterinary +lenses +texture +prompting +overthrow +excavation +islanders +masovian +battleship +biographer +replay +degradation +departing +luftwaffe +fleeing +oversight +immigrated +serbs +fishermen +strengthening +respiratory +italians +denotes +radial +escorted +motif +wiltshire +expresses +accessories +reverted +establishments +inequality +protocols +charting +famously +satirical +entirety +trench +friction +atletico +sampling +subset +weekday +upheld +sharply +correlation +incorrect +mughal +travelers +hasan +earnings +offset +evaluate +specialised +recognizing +flexibility +nagar +postseason +algebraic +capitalism +crystals +melodies +polynomial +racecourse +defences +austro +wembley +attracts +anarchist +resurrection +reviewing +decreasing +prefix +ratified +mutation +displaying +separating +restoring +assemblies +ordinance +priesthood +cruisers +appoint +moldova +imports +directive +epidemic +militant +senegal +signaling +restriction +critique +retrospective +nationalists +undertake +sioux +canals +algerian +redesigned +philanthropist +depict +conceptual +turbines +intellectuals +eastward +applicants +contractors +vendors +undergone +namesake +ensured +tones +substituted +hindwings +arrests +tombs +transitional +principality +reelection +taiwanese +cavity +manifesto +broadcasters +spawned +thoroughbred +identities +generators +proposes +hydroelectric +johannesburg +cortex +scandinavian +killings +aggression +boycott +catalyst +physiology +fifteenth +waterfront +chromosome +organist +costly +calculation +cemeteries +flourished +recognise +juniors +merging +disciples +ashore +workplace +enlightenment +diminished +debated +hailed +podium +educate +mandated +distributor +litre +electromagnetic +flotilla +estuary +peterborough +staircase +selections +melodic +confronts +wholesale +integrate +intercepted +catalonia +unite +immense +palatinate +switches +earthquakes +occupational +successors +praising +concluding +faculties +firstly +overhaul +empirical +metacritic +inauguration +evergreen +laden +winged +philosophers +amalgamated +geoff +centimeters +napoleonic +upright +planting +brewing +fined +sensory +migrants +wherein +inactive +headmaster +warwickshire +siberia +terminals +denounced +academia +divinity +bilateral +clive +omitted +peerage +relics +apartheid +syndicate +fearing +fixtures +desirable +dismantled +ethnicity +valves +biodiversity +aquarium +ideological +visibility +creators +analyzed +tenant +balkan +postwar +supplier +smithsonian +risen +morphology +digits +bohemian +wilmington +vishnu +demonstrates +aforementioned +biographical +mapped +khorasan +phosphate +presentations +ecosystem +processors +calculations +mosaic +clashes +penned +recalls +coding +angular +lattice +macau +accountability +extracted +pollen +therapeutic +overlap +violinist +deposed +candidacy +infants +covenant +bacterial +restructuring +dungeons +ordination +conducts +builds +invasive +customary +concurrently +relocation +cello +statutes +borneo +entrepreneurs +sanctions +packet +rockefeller +piedmont +comparisons +waterfall +receptions +glacial +surge +signatures +alterations +advertised +enduring +somali +botanist +100th +canonical +motifs +longitude +circulated +alloy +indirectly +margins +preserves +internally +besieged +shale +peripheral +drained +baseman +reassigned +tobago +soloist +socio +grazing +contexts +roofs +portraying +ottomans +shrewsbury +noteworthy +lamps +supplying +beams +qualifier +portray +greenhouse +stronghold +hitter +rites +cretaceous +urging +derive +nautical +aiming +fortunes +verde +donors +reliance +exceeding +exclusion +exercised +simultaneous +continents +guiding +pillar +gradient +poznan +eruption +clinics +moroccan +indicator +trams +piers +parallels +fragment +teatro +potassium +satire +compressed +businessmen +influx +seine +perspectives +shelters +decreases +mounting +formula_5 +confederacy +equestrian +expulsion +mayors +liberia +resisted +affinity +shrub +unexpectedly +stimulus +amtrak +deported +perpendicular +statesman +wharf +storylines +romanesque +weights +surfaced +interceptions +dhaka +crambidae +orchestras +rwanda +conclude +constitutes +subsidiaries +admissions +prospective +shear +bilingual +campaigning +presiding +domination +commemorative +trailing +confiscated +petrol +acquisitions +polymer +onlyinclude +chloride +elevations +resolutions +hurdles +pledged +likelihood +objected +erect +encoding +databases +aristotle +hindus +marshes +bowled +ministerial +grange +acronym +annexation +squads +ambient +pilgrims +botany +sofla +astronomer +planetary +descending +bestowed +ceramics +diplomacy +metabolism +colonization +potomac +africans +engraved +recycling +commitments +resonance +disciplinary +jamaican +narrated +spectral +tipperary +waterford +stationary +arbitration +transparency +threatens +crossroads +slalom +oversee +centenary +incidence +economies +livery +moisture +newsletter +autobiographical +bhutan +propelled +dependence +moderately +adobe +barrels +subdivisions +outlook +labelled +stratford +arising +diaspora +barony +automobiles +ornamental +slated +norms +primetime +generalized +analysts +vectors +libyan +yielded +certificates +rooted +vernacular +belarusian +marketplace +prediction +fairfax +malawi +viruses +wooded +demos +mauritius +prosperous +coincided +liberties +huddersfield +ascent +warnings +hinduism +glucose +pulitzer +unused +filters +illegitimate +acquitted +protestants +canopy +staple +psychedelic +winding +abbas +pathways +cheltenham +lagos +niche +invaders +proponents +barred +conversely +doncaster +recession +embraced +rematch +concession +emigration +upgrades +bowls +tablets +remixed +loops +kensington +shootout +monarchs +organizers +harmful +punjabi +broadband +exempt +neolithic +profiles +portrays +parma +cyrillic +quasi +attested +regimental +revive +torpedoes +heidelberg +rhythms +spherical +denote +hymns +icons +theologian +qaeda +exceptionally +reinstated +comune +playhouse +lobbying +grossing +viceroy +delivers +visually +armistice +utrecht +syllable +vertices +analogous +annex +refurbished +entrants +knighted +disciple +rhetoric +detailing +inactivated +ballads +algae +intensified +favourable +sanitation +receivers +pornography +commemorated +cannons +entrusted +manifold +photographers +pueblo +textiles +steamer +myths +marquess +onward +liturgical +romney +uzbekistan +consistency +denoted +hertfordshire +convex +hearings +sulfur +universidad +podcast +selecting +emperors +arises +justices +1840s +mongolian +exploited +termination +digitally +infectious +sedan +symmetric +penal +illustrate +formulation +attribute +problematic +modular +inverse +berth +searches +rutgers +leicestershire +enthusiasts +lockheed +upwards +transverse +accolades +backward +archaeologists +crusaders +nuremberg +defects +ferries +vogue +containers +openings +transporting +separates +lumpur +purchases +attain +wichita +topology +woodlands +deleted +periodically +syntax +overturned +musicals +corp. +strasbourg +instability +nationale +prevailing +cache +marathi +versailles +unmarried +grains +straits +antagonist +segregation +assistants +d'etat +contention +dictatorship +unpopular +motorcycles +criterion +analytical +salzburg +militants +hanged +worcestershire +emphasize +paralympic +erupted +convinces +offences +oxidation +nouns +populace +atari +spanned +hazardous +educators +playable +births +baha'i +preseason +generates +invites +meteorological +handbook +foothills +enclosure +diffusion +mirza +convergence +geelong +coefficient +connector +formula_6 +cylindrical +disasters +pleaded +knoxville +contamination +compose +libertarian +arrondissement +franciscan +intercontinental +susceptible +initiation +malaria +unbeaten +consonants +waived +saloon +popularized +estadio +pseudo +interdisciplinary +transports +transformers +carriages +bombings +revolves +ceded +collaborator +celestial +exemption +colchester +maltese +oceanic +ligue +crete +shareholder +routed +depictions +ridden +advisors +calculate +lending +guangzhou +simplicity +newscast +scheduling +snout +eliot +undertaking +armenians +nottinghamshire +whitish +consulted +deficiency +salle +cinemas +superseded +rigorous +kerman +convened +landowners +modernization +evenings +pitches +conditional +scandinavia +differed +formulated +cyclists +swami +guyana +dunes +electrified +appalachian +abdomen +scenarios +prototypes +sindh +consonant +adaptive +boroughs +wolverhampton +modelling +cylinders +amounted +minimize +ambassadors +lenin +settler +coincide +approximation +grouping +murals +bullying +registers +rumours +engagements +energetic +vertex +annals +bordering +geologic +yellowish +runoff +converts +allegheny +facilitated +saturdays +colliery +monitored +rainforest +interfaces +geographically +impaired +prevalence +joachim +paperback +slowed +shankar +distinguishing +seminal +categorized +authorised +auspices +bandwidth +asserts +rebranded +balkans +supplemented +seldom +weaving +capsule +apostles +populous +monmouth +payload +symphonic +densely +shoreline +managerial +masonry +antioch +averages +textbooks +royalist +coliseum +tandem +brewers +diocesan +posthumous +walled +incorrectly +distributions +ensued +reasonably +graffiti +propagation +automation +harmonic +augmented +middleweight +limbs +elongated +landfall +comparatively +literal +grossed +koppen +wavelength +1830s +cerebral +boasts +congestion +physiological +practitioner +coasts +cartoonist +undisclosed +frontal +launches +burgundy +qualifiers +imposing +stade +flanked +assyrian +raided +multiplayer +montane +chesapeake +pathology +drains +vineyards +intercollegiate +semiconductor +grassland +convey +citations +predominant +rejects +benefited +yahoo +graphs +busiest +encompassing +hamlets +explorers +suppress +minors +graphical +calculus +sediment +intends +diverted +mainline +unopposed +cottages +initiate +alumnus +towed +autism +forums +darlington +modernist +oxfordshire +lectured +capitalist +suppliers +panchayat +actresses +foundry +southbound +commodity +wesleyan +divides +palestinians +luton +caretaker +nobleman +mutiny +organizer +preferences +nomenclature +splits +unwilling +offenders +timor +relying +halftime +semitic +arithmetic +milestone +jesuits +arctiidae +retrieved +consuming +contender +edged +plagued +inclusive +transforming +khmer +federally +insurgents +distributing +amherst +rendition +prosecutors +viaduct +disqualified +kabul +liturgy +prevailed +reelected +instructors +swimmers +aperture +churchyard +interventions +totals +darts +metropolis +fuels +fluent +northbound +correctional +inflicted +barrister +realms +culturally +aristocratic +collaborating +emphasizes +choreographer +inputs +ensembles +humboldt +practised +endowed +strains +infringement +archaeologist +congregational +magna +relativity +efficiently +proliferation +mixtape +abruptly +regeneration +commissioning +yukon +archaic +reluctantly +retailer +northamptonshire +universally +crossings +boilers +nickelodeon +revue +abbreviation +retaliation +scripture +routinely +medicinal +benedictine +kenyan +retention +deteriorated +glaciers +apprenticeship +coupling +researched +topography +entrances +anaheim +pivotal +compensate +arched +modify +reinforce +dusseldorf +journeys +motorsport +conceded +sumatra +spaniards +quantitative +loire +cinematography +discarded +botswana +morale +engined +zionist +philanthropy +sainte +fatalities +cypriot +motorsports +indicators +pricing +institut +bethlehem +implicated +gravitational +differentiation +rotor +thriving +precedent +ambiguous +concessions +forecast +conserved +fremantle +asphalt +landslide +middlesbrough +formula_7 +humidity +overseeing +chronological +diaries +multinational +crimean +turnover +improvised +youths +declares +tasmanian +canadiens +fumble +refinery +weekdays +unconstitutional +upward +guardians +brownish +imminent +hamas +endorsement +naturalist +martyrs +caledonia +chords +yeshiva +reptiles +severity +mitsubishi +fairs +installment +substitution +repertory +keyboardist +interpreter +silesia +noticeable +rhineland +transmit +inconsistent +booklet +academies +epithet +pertaining +progressively +aquatics +scrutiny +prefect +toxicity +rugged +consume +o'donnell +evolve +uniquely +cabaret +mediated +landowner +transgender +palazzo +compilations +albuquerque +induce +sinai +remastered +efficacy +underside +analogue +specify +possessing +advocating +compatibility +liberated +greenville +mecklenburg +header +memorials +sewage +rhodesia +1800s +salaries +atoll +coordinating +partisans +repealed +amidst +subjective +optimization +nectar +evolving +exploits +madhya +styling +accumulation +raion +postage +responds +buccaneers +frontman +brunei +choreography +coated +kinetic +sampled +inflammatory +complementary +eclectic +norte +vijay +a.k.a +mainz +casualty +connectivity +laureate +franchises +yiddish +reputed +unpublished +economical +periodicals +vertically +bicycles +brethren +capacities +unitary +archeological +tehsil +domesday +wehrmacht +justification +angered +mysore +fielded +abuses +nutrients +ambitions +taluk +battleships +symbolism +superiority +neglect +attendees +commentaries +collaborators +predictions +yorker +breeders +investing +libretto +informally +coefficients +memorandum +pounder +collingwood +tightly +envisioned +arbor +mistakenly +captures +nesting +conflicting +enhancing +streetcar +manufactures +buckinghamshire +rewards +commemorating +stony +expenditure +tornadoes +semantic +relocate +weimar +iberian +sighted +intending +ensign +beverages +expectation +differentiate +centro +utilizes +saxophonist +catchment +transylvania +ecosystems +shortest +sediments +socialists +ineffective +kapoor +formidable +heroine +guantanamo +prepares +scattering +pamphlet +verified +elector +barons +totaling +shrubs +pyrenees +amalgamation +mutually +longitudinal +comte +negatively +masonic +envoy +sexes +akbar +mythical +tonga +bishopric +assessments +malaya +warns +interiors +reefs +reflections +neutrality +musically +nomadic +waterways +provence +collaborate +scaled +adulthood +emerges +euros +optics +incentives +overland +periodical +liege +awarding +realization +slang +affirmed +schooner +hokkaido +czechoslovak +protectorate +undrafted +disagreed +commencement +electors +spruce +swindon +fueled +equatorial +inventions +suites +slovene +backdrop +adjunct +energies +remnant +inhabit +alliances +simulcast +reactors +mosques +travellers +outfielder +plumage +migratory +benin +experimented +fibre +projecting +drafting +laude +evidenced +northernmost +indicted +directional +replication +croydon +comedies +jailed +organizes +devotees +reservoirs +turrets +originate +economists +songwriters +junta +trenches +mounds +proportions +comedic +apostle +azerbaijani +farmhouse +resembled +disrupted +playback +mixes +diagonal +relevance +govern +programmer +gdansk +maize +soundtracks +tendencies +mastered +impacted +believers +kilometre +intervene +chairperson +aerodrome +sails +subsidies +ensures +aesthetics +congresses +ratios +sardinia +southernmost +functioned +controllers +downward +randomly +distortion +regents +palatine +disruption +spirituality +vidhan +tracts +compiler +ventilation +anchorage +symposium +assert +pistols +excelled +avenues +convoys +moniker +constructions +proponent +phased +spines +organising +schleswig +policing +campeonato +mined +hourly +croix +lucrative +authenticity +haitian +stimulation +burkina +espionage +midfield +manually +staffed +awakening +metabolic +biographies +entrepreneurship +conspicuous +guangdong +preface +subgroup +mythological +adjutant +feminism +vilnius +oversees +honourable +tripoli +stylized +kinase +societe +notoriety +altitudes +configurations +outward +transmissions +announces +auditor +ethanol +clube +nanjing +mecca +haifa +blogs +postmaster +paramilitary +depart +positioning +potent +recognizable +spire +brackets +remembrance +overlapping +turkic +articulated +scientology +operatic +deploy +readiness +biotechnology +restrict +cinematographer +inverted +synonymous +administratively +westphalia +commodities +replaces +downloads +centralized +munitions +preached +sichuan +fashionable +implementations +matrices +hiv/aids +loyalist +luzon +celebrates +hazards +heiress +mercenaries +synonym +creole +ljubljana +technician +auditioned +technicians +viewpoint +wetland +mongols +princely +sharif +coating +dynasties +southward +doubling +formula_8 +mayoral +harvesting +conjecture +goaltender +oceania +spokane +welterweight +bracket +gatherings +weighted +newscasts +mussolini +affiliations +disadvantage +vibrant +spheres +sultanate +distributors +disliked +establishes +marches +drastically +yielding +jewellery +yokohama +vascular +airlift +canons +subcommittee +repression +strengths +graded +outspoken +fused +pembroke +filmography +redundant +fatigue +repeal +threads +reissue +pennant +edible +vapor +corrections +stimuli +commemoration +dictator +anand +secession +amassed +orchards +pontifical +experimentation +greeted +bangor +forwards +decomposition +quran +trolley +chesterfield +traverse +sermons +burials +skier +climbs +consultants +petitioned +reproduce +parted +illuminated +kurdistan +reigned +occupants +packaged +geometridae +woven +regulating +protagonists +crafted +affluent +clergyman +consoles +migrant +supremacy +attackers +caliph +defect +convection +rallies +huron +resin +segunda +quota +warship +overseen +criticizing +shrines +glamorgan +lowering +beaux +hampered +invasions +conductors +collects +bluegrass +surrounds +substrates +perpetual +chronology +pulmonary +executions +crimea +compiling +noctuidae +battled +tumors +minsk +novgorod +serviced +yeast +computation +swamps +theodor +baronetcy +salford +uruguayan +shortages +odisha +siberian +novelty +cinematic +invitational +decks +dowager +oppression +bandits +appellate +state-of-the-art +clade +palaces +signalling +galaxies +industrialist +tensor +learnt +incurred +magistrates +binds +orbits +ciudad +willingness +peninsular +basins +biomedical +shafts +marlborough +bournemouth +withstand +fitzroy +dunedin +variance +steamship +integrating +muscular +fines +akron +bulbophyllum +malmo +disclosed +cornerstone +runways +medicines +twenty20 +gettysburg +progresses +frigates +bodied +transformations +transforms +helens +modelled +versatile +regulator +pursuits +legitimacy +amplifier +scriptures +voyages +examines +presenters +octagonal +poultry +formula_9 +anatolia +computed +migrate +directorial +hybrids +localized +preferring +guggenheim +persisted +grassroots +inflammation +fishery +otago +vigorous +professions +instructional +inexpensive +insurgency +legislators +sequels +surnames +agrarian +stainless +nairobi +minas +forerunner +aristocracy +transitions +sicilian +showcased +doses +hiroshima +summarized +gearbox +emancipation +limitation +nuclei +seismic +abandonment +dominating +appropriations +occupations +electrification +hilly +contracting +exaggerated +entertainer +kazan +oricon +cartridges +characterization +parcel +maharaja +exceeds +aspiring +obituary +flattened +contrasted +narration +replies +oblique +outpost +fronts +arranger +talmud +keynes +doctrines +endured +confesses +fortification +supervisors +kilometer +academie +jammu +bathurst +piracy +prostitutes +navarre +cumulative +cruises +lifeboat +twinned +radicals +interacting +expenditures +wexford +libre +futsal +curated +clockwise +colloquially +procurement +immaculate +lyricist +enhancement +porcelain +alzheimer +highlighting +judah +disagreements +storytelling +sheltered +wroclaw +vaudeville +contrasts +neoclassical +compares +contrasting +deciduous +francaise +descriptive +cyclic +reactive +antiquities +meiji +repeats +creditors +forcibly +newmarket +picturesque +impending +uneven +bison +raceway +solvent +ecumenical +optic +professorship +harvested +waterway +banjo +pharaoh +geologist +scanning +dissent +recycled +unmanned +retreating +gospels +aqueduct +branched +tallinn +groundbreaking +syllables +hangar +designations +procedural +craters +cabins +encryption +anthropologist +montevideo +outgoing +inverness +chattanooga +fascism +calais +chapels +groundwater +downfall +misleading +robotic +tortricidae +pixel +handel +prohibit +crewe +renaming +reprised +kickoff +leftist +spaced +integers +causeway +pines +authorship +organise +ptolemy +accessibility +virtues +lesions +iroquois +qur'an +atheist +synthesized +biennial +confederates +dietary +skaters +stresses +tariff +koreans +intercity +republics +quintet +baroness +naive +amplitude +insistence +tbilisi +residues +grammatical +diversified +egyptians +accompaniment +vibration +repository +mandal +topological +distinctions +coherent +invariant +batters +nuevo +internationals +implements +follower +bahia +widened +independents +cantonese +totaled +guadalajara +wolverines +befriended +muzzle +surveying +hungarians +medici +deportation +rayon +approx +recounts +attends +clerical +hellenic +furnished +alleging +soluble +systemic +gallantry +bolshevik +intervened +hostel +gunpowder +specialising +stimulate +leiden +removes +thematic +floral +bafta +printers +conglomerate +eroded +analytic +successively +lehigh +thessaloniki +kilda +clauses +ascended +nehru +scripted +tokugawa +competence +diplomats +exclude +consecration +freedoms +assaults +revisions +blacksmith +textual +sparse +concacaf +slain +uploaded +enraged +whaling +guise +stadiums +debuting +dormitory +cardiovascular +yunnan +dioceses +consultancy +notions +lordship +archdeacon +collided +medial +airfields +garment +wrestled +adriatic +reversal +refueling +verification +jakob +horseshoe +intricate +veracruz +sarawak +syndication +synthesizer +anthologies +stature +feasibility +guillaume +narratives +publicized +antrim +intermittent +constituents +grimsby +filmmaking +doping +unlawful +nominally +transmitting +documenting +seater +internationale +ejected +steamboat +alsace +boise +ineligible +geared +vassal +mustered +ville +inline +pairing +eurasian +kyrgyzstan +barnsley +reprise +stereotypes +rushes +conform +firefighters +deportivo +revolutionaries +rabbis +concurrency +charters +sustaining +aspirations +algiers +chichester +falkland +morphological +systematically +volcanoes +designate +artworks +reclaimed +jurist +anglia +resurrected +chaotic +feasible +circulating +simulated +environmentally +confinement +adventist +harrisburg +laborers +ostensibly +universiade +pensions +influenza +bratislava +octave +refurbishment +gothenburg +putin +barangay +annapolis +breaststroke +illustrates +distorted +choreographed +promo +emphasizing +stakeholders +descends +exhibiting +intrinsic +invertebrates +evenly +roundabout +salts +formula_10 +strata +inhibition +branching +stylistic +rumored +realises +mitochondrial +commuted +adherents +logos +bloomberg +telenovela +guineas +charcoal +engages +winery +reflective +siena +cambridgeshire +ventral +flashback +installing +engraving +grasses +traveller +rotated +proprietor +nationalities +precedence +sourced +trainers +cambodian +reductions +depleted +saharan +classifications +biochemistry +plaintiffs +arboretum +humanist +fictitious +aleppo +climates +bazaar +his/her +homogeneous +multiplication +moines +indexed +linguist +skeletal +foliage +societal +differentiated +informing +mammal +infancy +archival +cafes +malls +graeme +musee +schizophrenia +fargo +pronouns +derivation +descend +ascending +terminating +deviation +recaptured +confessions +weakening +tajikistan +bahadur +pasture +b/hip +donegal +supervising +sikhs +thinkers +euclidean +reinforcement +friars +portage +fuscous +lucknow +synchronized +assertion +choirs +privatization +corrosion +multitude +skyscraper +royalties +ligament +usable +spores +directs +clashed +stockport +fronted +dependency +contiguous +biologist +backstroke +powerhouse +frescoes +phylogenetic +welding +kildare +gabon +conveyed +augsburg +severn +continuum +sahib +lille +injuring +passeriformesfamily +succeeds +translating +unitarian +startup +turbulent +outlying +philanthropic +stanislaw +idols +claremont +conical +haryana +armagh +blended +implicit +conditioned +modulation +rochdale +labourers +coinage +shortstop +potsdam +gears +obesity +bestseller +advisers +bouts +comedians +jozef +lausanne +taxonomic +correlated +columbian +marne +indications +psychologists +libel +edict +beaufort +disadvantages +renal +finalized +racehorse +unconventional +disturbances +falsely +zoology +adorned +redesign +executing +narrower +commended +appliances +stalls +resurgence +saskatoon +miscellaneous +permitting +epoch +formula_11 +cumbria +forefront +vedic +eastenders +disposed +supermarkets +rower +inhibitor +magnesium +colourful +yusuf +harrow +formulas +centrally +balancing +ionic +nocturnal +consolidate +ornate +raiding +charismatic +accelerate +nominate +residual +dhabi +commemorates +attribution +uninhabited +mindanao +atrocities +genealogical +romani +applicant +enactment +abstraction +trough +pulpit +minuscule +misconduct +grenades +timely +supplements +messaging +curvature +ceasefire +telangana +susquehanna +braking +redistribution +shreveport +neighbourhoods +gregorian +widowed +khuzestan +empowerment +scholastic +evangelist +peptide +topical +theorist +historia +thence +sudanese +museo +jurisprudence +masurian +frankish +headlined +recounted +netball +petitions +tolerant +hectare +truncated +southend +methane +captives +reigns +massif +subunit +acidic +weightlifting +footballers +sabah +britannia +tunisian +segregated +sawmill +withdrawing +unpaid +weaponry +somme +perceptions +unicode +alcoholism +durban +wrought +waterfalls +jihad +auschwitz +upland +eastbound +adjective +anhalt +evaluating +regimes +guildford +reproduced +pamphlets +hierarchical +maneuvers +hanoi +fabricated +repetition +enriched +arterial +replacements +tides +globalization +adequately +westbound +satisfactory +fleets +phosphorus +lastly +neuroscience +anchors +xinjiang +membranes +improvisation +shipments +orthodoxy +submissions +bolivian +mahmud +ramps +leyte +pastures +outlines +flees +transmitters +fares +sequential +stimulated +novice +alternately +symmetrical +breakaway +layered +baronets +lizards +blackish +edouard +horsepower +penang +principals +mercantile +maldives +overwhelmingly +hawke +rallied +prostate +conscription +juveniles +maccabi +carvings +strikers +sudbury +spurred +improves +lombardy +macquarie +parisian +elastic +distillery +shetland +humane +brentford +wrexham +warehouses +routines +encompassed +introductory +isfahan +instituto +palais +revolutions +sporadic +impoverished +portico +fellowships +speculative +enroll +dormant +adhere +fundamentally +sculpted +meritorious +template +upgrading +reformer +rectory +uncredited +indicative +creeks +galveston +radically +hezbollah +firearm +educating +prohibits +trondheim +locus +refit +headwaters +screenings +lowlands +wasps +coarse +attaining +sedimentary +perished +pitchfork +interned +cerro +stagecoach +aeronautical +liter +transitioned +haydn +inaccurate +legislatures +bromwich +knesset +spectroscopy +butte +asiatic +degraded +concordia +catastrophic +lobes +wellness +pensacola +periphery +hapoel +theta +horizontally +freiburg +liberalism +pleas +durable +warmian +offenses +mesopotamia +shandong +unsuitable +hospitalized +appropriately +phonetic +encompass +conversions +observes +illnesses +breakout +assigns +crowns +inhibitors +nightly +manifestation +fountains +maximize +alphabetical +sloop +expands +newtown +widening +gaddafi +commencing +camouflage +footprint +tyrol +barangays +universite +highlanders +budgets +query +lobbied +westchester +equator +stipulated +pointe +distinguishes +allotted +embankment +advises +storing +loyalists +fourier +rehearsals +starvation +gland +rihanna +tubular +expressive +baccalaureate +intersections +revered +carbonate +eritrea +craftsmen +cosmopolitan +sequencing +corridors +shortlisted +bangladeshi +persians +mimic +parades +repetitive +recommends +flanks +promoters +incompatible +teaming +ammonia +greyhound +solos +improper +legislator +newsweek +recurrent +vitro +cavendish +eireann +crises +prophets +mandir +strategically +guerrillas +formula_12 +ghent +contenders +equivalence +drone +sociological +hamid +castes +statehood +aland +clinched +relaunched +tariffs +simulations +williamsburg +rotate +mediation +smallpox +harmonica +lodges +lavish +restrictive +o'sullivan +detainees +polynomials +echoes +intersecting +learners +elects +charlemagne +defiance +epsom +liszt +facilitating +absorbing +revelations +padua +pieter +pious +penultimate +mammalian +montenegrin +supplementary +widows +aromatic +croats +roanoke +trieste +legions +subdistrict +babylonian +grasslands +volga +violently +sparsely +oldies +telecommunication +respondents +quarries +downloadable +commandos +taxpayer +catalytic +malabar +afforded +copying +declines +nawab +junctions +assessing +filtering +classed +disused +compliant +christoph +gottingen +civilizations +hermitage +caledonian +whereupon +ethnically +springsteen +mobilization +terraces +indus +excel +zoological +enrichment +simulate +guitarists +registrar +cappella +invoked +reused +manchu +configured +uppsala +genealogy +mergers +casts +curricular +rebelled +subcontinent +horticultural +parramatta +orchestrated +dockyard +claudius +decca +prohibiting +turkmenistan +brahmin +clandestine +obligatory +elaborated +parasitic +helix +constraint +spearheaded +rotherham +eviction +adapting +albans +rescues +sociologist +guiana +convicts +occurrences +kamen +antennas +asturias +wheeled +sanitary +deterioration +trier +theorists +baseline +announcements +valea +planners +factual +serialized +serials +bilbao +demoted +fission +jamestown +cholera +alleviate +alteration +indefinite +sulfate +paced +climatic +valuation +artisans +proficiency +aegean +regulators +fledgling +sealing +influencing +servicemen +frequented +cancers +tambon +narayan +bankers +clarified +embodied +engraver +reorganisation +dissatisfied +dictated +supplemental +temperance +ratification +puget +nutrient +pretoria +papyrus +uniting +ascribed +cores +coptic +schoolhouse +barrio +1910s +armory +defected +transatlantic +regulates +ported +artefacts +specifies +boasted +scorers +mollusks +emitted +navigable +quakers +projective +dialogues +reunification +exponential +vastly +banners +unsigned +dissipated +halves +coincidentally +leasing +purported +escorting +estimation +foxes +lifespan +inflorescence +assimilation +showdown +staunch +prologue +ligand +superliga +telescopes +northwards +keynote +heaviest +taunton +redeveloped +vocalists +podlaskie +soyuz +rodents +azores +moravian +outset +parentheses +apparel +domestically +authoritative +polymers +monterrey +inhibit +launcher +jordanian +folds +taxis +mandates +singled +liechtenstein +subsistence +marxism +ousted +governorship +servicing +offseason +modernism +prism +devout +translators +islamist +chromosomes +pitted +bedfordshire +fabrication +authoritarian +javanese +leaflets +transient +substantive +predatory +sigismund +assassinate +diagrams +arrays +rediscovered +reclamation +spawning +fjord +peacekeeping +strands +fabrics +highs +regulars +tirana +ultraviolet +athenian +filly +barnet +naacp +nueva +favourites +terminates +showcases +clones +inherently +interpreting +bjorn +finely +lauded +unspecified +chola +pleistocene +insulation +antilles +donetsk +funnel +nutritional +biennale +reactivated +southport +primate +cavaliers +austrians +interspersed +restarted +suriname +amplifiers +wladyslaw +blockbuster +sportsman +minogue +brightness +benches +bridgeport +initiating +israelis +orbiting +newcomers +externally +scaling +transcribed +impairment +luxurious +longevity +impetus +temperament +ceilings +tchaikovsky +spreads +pantheon +bureaucracy +1820s +heraldic +villas +formula_13 +galician +meath +avoidance +corresponded +headlining +connacht +seekers +rappers +solids +monograph +scoreless +opole +isotopes +himalayas +parodies +garments +microscopic +republished +havilland +orkney +demonstrators +pathogen +saturated +hellenistic +facilitates +aerodynamic +relocating +indochina +laval +astronomers +bequeathed +administrations +extracts +nagoya +torquay +demography +medicare +ambiguity +renumbered +pursuant +concave +syriac +electrode +dispersal +henan +bialystok +walsall +crystalline +puebla +janata +illumination +tianjin +enslaved +coloration +championed +defamation +grille +johor +rejoin +caspian +fatally +planck +workings +appointing +institutionalized +wessex +modernized +exemplified +regatta +jacobite +parochial +programmers +blending +eruptions +insurrection +regression +indices +sited +dentistry +mobilized +furnishings +levant +primaries +ardent +nagasaki +conqueror +dorchester +opined +heartland +amman +mortally +wellesley +bowlers +outputs +coveted +orthography +immersion +disrepair +disadvantaged +curate +childless +condensed +codice_1 +remodeled +resultant +bolsheviks +superfamily +saxons +2010s +contractual +rivalries +malacca +oaxaca +magnate +vertebrae +quezon +olympiad +yucatan +tyres +macro +specialization +commendation +caliphate +gunnery +exiles +excerpts +fraudulent +adjustable +aramaic +interceptor +drumming +standardization +reciprocal +adolescents +federalist +aeronautics +favorably +enforcing +reintroduced +zhejiang +refining +biplane +banknotes +accordion +intersect +illustrating +summits +classmate +militias +biomass +massacres +epidemiology +reworked +wrestlemania +nantes +auditory +taxon +elliptical +chemotherapy +asserting +avoids +proficient +airmen +yellowstone +multicultural +alloys +utilization +seniority +kuyavian +huntsville +orthogonal +bloomington +cultivars +casimir +internment +repulsed +impedance +revolving +fermentation +parana +shutout +partnering +empowered +islamabad +polled +classify +amphibians +greyish +obedience +4x100 +projectile +khyber +halfback +relational +d'ivoire +synonyms +endeavour +padma +customized +mastery +defenceman +berber +purge +interestingly +covent +promulgated +restricting +condemnation +hillsborough +walkers +privateer +intra +captaincy +naturalized +huffington +detecting +hinted +migrating +bayou +counterattack +anatomical +foraging +unsafe +swiftly +outdated +paraguayan +attire +masjid +endeavors +jerseys +triassic +quechua +growers +axial +accumulate +wastewater +cognition +fungal +animator +pagoda +kochi +uniformly +antibody +yerevan +hypotheses +combatants +italianate +draining +fragmentation +snowfall +formative +inversion +kitchener +identifier +additive +lucha +selects +ashland +cambrian +racetrack +trapping +congenital +primates +wavelengths +expansions +yeomanry +harcourt +wealthiest +awaited +punta +intervening +aggressively +vichy +piloted +midtown +tailored +heyday +metadata +guadalcanal +inorganic +hadith +pulses +francais +tangent +scandals +erroneously +tractors +pigment +constabulary +jiangsu +landfill +merton +basalt +astor +forbade +debuts +collisions +exchequer +stadion +roofed +flavour +sculptors +conservancy +dissemination +electrically +undeveloped +existent +surpassing +pentecostal +manifested +amend +formula_14 +superhuman +barges +tunis +analytics +argyll +liquids +mechanized +domes +mansions +himalayan +indexing +reuters +nonlinear +purification +exiting +timbers +triangles +decommissioning +departmental +causal +fonts +americana +sept. +seasonally +incomes +razavi +sheds +memorabilia +rotational +terre +sutra +protege +yarmouth +grandmaster +annum +looted +imperialism +variability +liquidation +baptised +isotope +showcasing +milling +rationale +hammersmith +austen +streamlined +acknowledging +contentious +qaleh +breadth +turing +referees +feral +toulon +unofficially +identifiable +standout +labeling +dissatisfaction +jurgen +angrily +featherweight +cantons +constrained +dominates +standalone +relinquished +theologians +markedly +italics +downed +nitrate +likened +gules +craftsman +singaporean +pixels +mandela +moray +parity +departement +antigen +academically +burgh +brahma +arranges +wounding +triathlon +nouveau +vanuatu +banded +acknowledges +unearthed +stemming +authentication +byzantines +converge +nepali +commonplace +deteriorating +recalling +palette +mathematicians +greenish +pictorial +ahmedabad +rouen +validation +u.s.a. +'best +malvern +archers +converter +undergoes +fluorescent +logistical +notification +transvaal +illicit +symphonies +stabilization +worsened +fukuoka +decrees +enthusiast +seychelles +blogger +louvre +dignitaries +burundi +wreckage +signage +pinyin +bursts +federer +polarization +urbana +lazio +schism +nietzsche +venerable +administers +seton +kilograms +invariably +kathmandu +farmed +disqualification +earldom +appropriated +fluctuations +kermanshah +deployments +deformation +wheelbase +maratha +psalm +bytes +methyl +engravings +skirmish +fayette +vaccines +ideally +astrology +breweries +botanic +opposes +harmonies +irregularities +contended +gaulle +prowess +constants +aground +filipinos +fresco +ochreous +jaipur +willamette +quercus +eastwards +mortars +champaign +braille +reforming +horned +hunan +spacious +agitation +draught +specialties +flourishing +greensboro +necessitated +swedes +elemental +whorls +hugely +structurally +plurality +synthesizers +embassies +assad +contradictory +inference +discontent +recreated +inspectors +unicef +commuters +embryo +modifying +stints +numerals +communicated +boosted +trumpeter +brightly +adherence +remade +leases +restrained +eucalyptus +dwellers +planar +grooves +gainesville +daimler +anzac +szczecin +cornerback +prized +peking +mauritania +khalifa +motorized +lodging +instrumentalist +fortresses +cervical +formula_15 +passerine +sectarian +researches +apprenticed +reliefs +disclose +gliding +repairing +queue +kyushu +literate +canoeing +sacrament +separatist +calabria +parkland +flowed +investigates +statistically +visionary +commits +dragoons +scrolls +premieres +revisited +subdued +censored +patterned +elective +outlawed +orphaned +leyland +richly +fujian +miniatures +heresy +plaques +countered +nonfiction +exponent +moravia +dispersion +marylebone +midwestern +enclave +ithaca +federated +electronically +handheld +microscopy +tolls +arrivals +climbers +continual +cossacks +moselle +deserts +ubiquitous +gables +forecasts +deforestation +vertebrates +flanking +drilled +superstructure +inspected +consultative +bypassed +ballast +subsidy +socioeconomic +relic +grenada +journalistic +administering +accommodated +collapses +appropriation +reclassified +foreword +porte +assimilated +observance +fragmented +arundel +thuringia +gonzaga +shenzhen +shipyards +sectional +ayrshire +sloping +dependencies +promenade +ecuadorian +mangrove +constructs +goalscorer +heroism +iteration +transistor +omnibus +hampstead +cochin +overshadowed +chieftain +scalar +finishers +ghanaian +abnormalities +monoplane +encyclopaedia +characterize +travancore +baronetage +bearers +biking +distributes +paving +christened +inspections +banco +humber +corinth +quadratic +albanians +lineages +majored +roadside +inaccessible +inclination +darmstadt +fianna +epilepsy +propellers +papacy +montagu +bhutto +sugarcane +optimized +pilasters +contend +batsmen +brabant +housemates +sligo +ascot +aquinas +supervisory +accorded +gerais +echoed +nunavut +conservatoire +carniola +quartermaster +gminas +impeachment +aquitaine +reformers +quarterfinal +karlsruhe +accelerator +coeducational +archduke +gelechiidae +seaplane +dissident +frenchman +palau +depots +hardcover +aachen +darreh +denominational +groningen +parcels +reluctance +drafts +elliptic +counters +decreed +airship +devotional +contradiction +formula_16 +undergraduates +qualitative +guatemalan +slavs +southland +blackhawks +detrimental +abolish +chechen +manifestations +arthritis +perch +fated +hebei +peshawar +palin +immensely +havre +totalling +rampant +ferns +concourse +triples +elites +olympian +larva +herds +lipid +karabakh +distal +monotypic +vojvodina +batavia +multiplied +spacing +spellings +pedestrians +parchment +glossy +industrialization +dehydrogenase +patriotism +abolitionist +mentoring +elizabethan +figurative +dysfunction +abyss +constantin +middletown +stigma +mondays +gambia +gaius +israelites +renounced +nepalese +overcoming +buren +sulphur +divergence +predation +looting +iberia +futuristic +shelved +anthropological +innsbruck +escalated +clermont +entrepreneurial +benchmark +mechanically +detachments +populist +apocalyptic +exited +embryonic +stanza +readership +chiba +landlords +expansive +boniface +therapies +perpetrators +whitehall +kassel +masts +carriageway +clinch +pathogens +mazandaran +undesirable +teutonic +miocene +nagpur +juris +cantata +compile +diffuse +dynastic +reopening +comptroller +o'neal +flourish +electing +scientifically +departs +welded +modal +cosmology +fukushima +libertadores +chang'an +asean +generalization +localization +afrikaans +cricketers +accompanies +emigrants +esoteric +southwards +shutdown +prequel +fittings +innate +wrongly +equitable +dictionaries +senatorial +bipolar +flashbacks +semitism +walkway +lyrically +legality +sorbonne +vigorously +durga +samoan +karel +interchanges +patna +decider +registering +electrodes +anarchists +excursion +overthrown +gilan +recited +michelangelo +advertiser +kinship +taboo +cessation +formula_17 +premiers +traversed +madurai +poorest +torneo +exerted +replicate +spelt +sporadically +horde +landscaping +razed +hindered +esperanto +manchuria +propellant +jalan +baha'is +sikkim +linguists +pandit +racially +ligands +dowry +francophone +escarpment +behest +magdeburg +mainstay +villiers +yangtze +grupo +conspirators +martyrdom +noticeably +lexical +kazakh +unrestricted +utilised +sired +inhabits +proofs +joseon +pliny +minted +buddhists +cultivate +interconnected +reuse +viability +australasian +derelict +resolving +overlooks +menon +stewardship +playwrights +thwarted +filmfare +disarmament +protections +bundles +sidelined +hypothesized +singer/songwriter +forage +netted +chancery +townshend +restructured +quotation +hyperbolic +succumbed +parliaments +shenandoah +apical +kibbutz +storeys +pastors +lettering +ukrainians +hardships +chihuahua +avail +aisles +taluka +antisemitism +assent +ventured +banksia +seamen +hospice +faroe +fearful +woreda +outfield +chlorine +transformer +tatar +panoramic +pendulum +haarlem +styria +cornice +importing +catalyzes +subunits +enamel +bakersfield +realignment +sorties +subordinates +deanery +townland +gunmen +tutelage +evaluations +allahabad +thrace +veneto +mennonite +sharia +subgenus +satisfies +puritan +unequal +gastrointestinal +ordinances +bacterium +horticulture +argonauts +adjectives +arable +duets +visualization +woolwich +revamped +euroleague +thorax +completes +originality +vasco +freighter +sardar +oratory +sects +extremes +signatories +exporting +arisen +exacerbated +departures +saipan +furlongs +d'italia +goring +dakar +conquests +docked +offshoot +okrug +referencing +disperse +netting +summed +rewritten +articulation +humanoid +spindle +competitiveness +preventive +facades +westinghouse +wycombe +synthase +emulate +fostering +abdel +hexagonal +myriad +caters +arjun +dismay +axiom +psychotherapy +colloquial +complemented +martinique +fractures +culmination +erstwhile +atrium +electronica +anarchism +nadal +montpellier +algebras +submitting +adopts +stemmed +overcame +internacional +asymmetric +gallipoli +gliders +flushing +extermination +hartlepool +tesla +interwar +patriarchal +hitherto +ganges +combatant +marred +philology +glastonbury +reversible +isthmus +undermined +southwark +gateshead +andalusia +remedies +hastily +optimum +smartphone +evade +patrolled +beheaded +dopamine +waivers +ugandan +gujarati +densities +predicting +intestinal +tentative +interstellar +kolonia +soloists +penetrated +rebellions +qeshlaq +prospered +colegio +deficits +konigsberg +deficient +accessing +relays +kurds +politburo +codified +incarnations +occupancy +cossack +metaphysical +deprivation +chopra +piccadilly +formula_18 +makeshift +protestantism +alaskan +frontiers +faiths +tendon +dunkirk +durability +autobots +bonuses +coinciding +emails +gunboat +stucco +magma +neutrons +vizier +subscriptions +visuals +envisaged +carpets +smoky +schema +parliamentarian +immersed +domesticated +parishioners +flinders +diminutive +mahabharata +ballarat +falmouth +vacancies +gilded +twigs +mastering +clerics +dalmatia +islington +slogans +compressor +iconography +congolese +sanction +blends +bulgarians +moderator +outflow +textures +safeguard +trafalgar +tramways +skopje +colonialism +chimneys +jazeera +organisers +denoting +motivations +ganga +longstanding +deficiencies +gwynedd +palladium +holistic +fascia +preachers +embargo +sidings +busan +ignited +artificially +clearwater +cemented +northerly +salim +equivalents +crustaceans +oberliga +quadrangle +historiography +romanians +vaults +fiercely +incidental +peacetime +tonal +bhopal +oskar +radha +pesticides +timeslot +westerly +cathedrals +roadways +aldershot +connectors +brahmins +paler +aqueous +gustave +chromatic +linkage +lothian +specialises +aggregation +tributes +insurgent +enact +hampden +ghulam +federations +instigated +lyceum +fredrik +chairmanship +floated +consequent +antagonists +intimidation +patriarchate +warbler +heraldry +entrenched +expectancy +habitation +partitions +widest +launchers +nascent +ethos +wurzburg +lycee +chittagong +mahatma +merseyside +asteroids +yokosuka +cooperatives +quorum +redistricting +bureaucratic +yachts +deploying +rustic +phonology +chorale +cellist +stochastic +crucifixion +surmounted +confucian +portfolios +geothermal +crested +calibre +tropics +deferred +nasir +iqbal +persistence +essayist +chengdu +aborigines +fayetteville +bastion +interchangeable +burlesque +kilmarnock +specificity +tankers +colonels +fijian +quotations +enquiry +quito +palmerston +delle +multidisciplinary +polynesian +iodine +antennae +emphasised +manganese +baptists +galilee +jutland +latent +excursions +skepticism +tectonic +precursors +negligible +musique +misuse +vitoria +expressly +veneration +sulawesi +footed +mubarak +chongqing +chemically +midday +ravaged +facets +varma +yeovil +ethnographic +discounted +physicists +attache +disbanding +essen +shogunate +cooperated +waikato +realising +motherwell +pharmacology +sulfide +inward +expatriate +devoid +cultivar +monde +andean +groupings +goran +unaffected +moldovan +postdoctoral +coleophora +delegated +pronoun +conductivity +coleridge +disapproval +reappeared +microbial +campground +olsztyn +fostered +vaccination +rabbinical +champlain +milestones +viewership +caterpillar +effected +eupithecia +financier +inferred +uzbek +bundled +bandar +balochistan +mysticism +biosphere +holotype +symbolizes +lovecraft +photons +abkhazia +swaziland +subgroups +measurable +falkirk +valparaiso +ashok +discriminatory +rarity +tabernacle +flyweight +jalisco +westernmost +antiquarian +extracellular +margrave +colspan=9 +midsummer +digestive +reversing +burgeoning +substitutes +medallist +khrushchev +guerre +folio +detonated +partido +plentiful +aggregator +medallion +infiltration +shaded +santander +fared +auctioned +permian +ramakrishna +andorra +mentors +diffraction +bukit +potentials +translucent +feminists +tiers +protracted +coburg +wreath +guelph +adventurer +he/she +vertebrate +pipelines +celsius +outbreaks +australasia +deccan +garibaldi +unionists +buildup +biochemical +reconstruct +boulders +stringent +barbed +wording +furnaces +pests +befriends +organises +popes +rizal +tentacles +cadre +tallahassee +punishments +occidental +formatted +mitigation +rulings +rubens +cascades +inducing +choctaw +volta +synagogues +movable +altarpiece +mitigate +practise +intermittently +encountering +memberships +earns +signify +retractable +amounting +pragmatic +wilfrid +dissenting +divergent +kanji +reconstituted +devonian +constitutions +levied +hendrik +starch +costal +honduran +ditches +polygon +eindhoven +superstars +salient +argus +punitive +purana +alluvial +flaps +inefficient +retracted +advantageous +quang +andersson +danville +binghamton +symbolize +conclave +shaanxi +silica +interpersonal +adept +frans +pavilions +lubbock +equip +sunken +limburg +activates +prosecutions +corinthian +venerated +shootings +retreats +parapet +orissa +riviere +animations +parodied +offline +metaphysics +bluffs +plume +piety +fruition +subsidized +steeplechase +shanxi +eurasia +angled +forecasting +suffragan +ashram +larval +labyrinth +chronicler +summaries +trailed +merges +thunderstorms +filtered +formula_19 +advertisers +alpes +informatics +parti +constituting +undisputed +certifications +javascript +molten +sclerosis +rumoured +boulogne +hmong +lewes +breslau +notts +bantu +ducal +messengers +radars +nightclubs +bantamweight +carnatic +kaunas +fraternal +triggering +controversially +londonderry +visas +scarcity +offaly +uprisings +repelled +corinthians +pretext +kuomintang +kielce +empties +matriculated +pneumatic +expos +agile +treatises +midpoint +prehistory +oncology +subsets +hydra +hypertension +axioms +wabash +reiterated +swapped +achieves +premio +ageing +overture +curricula +challengers +subic +selangor +liners +frontline +shutter +validated +normalized +entertainers +molluscs +maharaj +allegation +youngstown +synth +thoroughfare +regionally +pillai +transcontinental +pedagogical +riemann +colonia +easternmost +tentatively +profiled +herefordshire +nativity +meuse +nucleotide +inhibits +huntingdon +throughput +recorders +conceding +domed +homeowners +centric +gabled +canoes +fringes +breeder +subtitled +fluoride +haplogroup +zionism +izmir +phylogeny +kharkiv +romanticism +adhesion +usaaf +delegations +lorestan +whalers +biathlon +vaulted +mathematically +pesos +skirmishes +heisman +kalamazoo +gesellschaft +launceston +interacts +quadruple +kowloon +psychoanalysis +toothed +ideologies +navigational +valence +induces +lesotho +frieze +rigging +undercarriage +explorations +spoof +eucharist +profitability +virtuoso +recitals +subterranean +sizeable +herodotus +subscriber +huxley +pivot +forewing +warring +boleslaw +bharatiya +suffixes +trois +percussionist +downturn +garrisons +philosophies +chants +mersin +mentored +dramatist +guilds +frameworks +thermodynamic +venomous +mehmed +assembling +rabbinic +hegemony +replicas +enlargement +claimant +retitled +utica +dumfries +metis +deter +assortment +tubing +afflicted +weavers +rupture +ornamentation +transept +salvaged +upkeep +callsign +rajput +stevenage +trimmed +intracellular +synchronization +consular +unfavorable +royalists +goldwyn +fasting +hussars +doppler +obscurity +currencies +amiens +acorn +tagore +townsville +gaussian +migrations +porta +anjou +graphite +seaport +monographs +gladiators +metrics +calligraphy +sculptural +swietokrzyskie +tolombeh +eredivisie +shoals +queries +carts +exempted +fiberglass +mirrored +bazar +progeny +formalized +mukherjee +professed +amazon.com +cathode +moreton +removable +mountaineers +nagano +transplantation +augustinian +steeply +epilogue +adapter +decisively +accelerating +mediaeval +substituting +tasman +devonshire +litres +enhancements +himmler +nephews +bypassing +imperfect +argentinian +reims +integrates +sochi +ascii +licences +niches +surgeries +fables +versatility +indra +footpath +afonso +crore +evaporation +encodes +shelling +conformity +simplify +updating +quotient +overt +firmware +umpires +architectures +eocene +conservatism +secretion +embroidery +f.c.. +tuvalu +mosaics +shipwreck +prefectural +cohort +grievances +garnering +centerpiece +apoptosis +djibouti +bethesda +formula_20 +shonen +richland +justinian +dormitories +meteorite +reliably +obtains +pedagogy +hardness +cupola +manifolds +amplification +steamers +familial +dumbarton +jerzy +genital +maidstone +salinity +grumman +signifies +presbytery +meteorology +procured +aegis +streamed +deletion +nuestra +mountaineering +accords +neuronal +khanate +grenoble +axles +dispatches +tokens +turku +auctions +propositions +planters +proclaiming +recommissioned +stravinsky +obverse +bombarded +waged +saviour +massacred +reformist +purportedly +resettlement +ravenna +embroiled +minden +revitalization +hikers +bridging +torpedoed +depletion +nizam +affectionately +latitudes +lubeck +spore +polymerase +aarhus +nazism +101st +buyout +galerie +diets +overflow +motivational +renown +brevet +deriving +melee +goddesses +demolish +amplified +tamworth +retake +brokerage +beneficiaries +henceforth +reorganised +silhouette +browsers +pollutants +peron +lichfield +encircled +defends +bulge +dubbing +flamenco +coimbatore +refinement +enshrined +grizzlies +capacitor +usefulness +evansville +interscholastic +rhodesian +bulletins +diamondbacks +rockers +platted +medalists +formosa +transporter +slabs +guadeloupe +disparate +concertos +violins +regaining +mandible +untitled +agnostic +issuance +hamiltonian +brampton +srpska +homology +downgraded +florentine +epitaph +kanye +rallying +analysed +grandstand +infinitely +antitrust +plundered +modernity +colspan=3|total +amphitheatre +doric +motorists +yemeni +carnivorous +probabilities +prelate +struts +scrapping +bydgoszcz +pancreatic +signings +predicts +compendium +ombudsman +apertura +appoints +rebbe +stereotypical +valladolid +clustered +touted +plywood +inertial +kettering +curving +d'honneur +housewives +grenadier +vandals +barbarossa +necked +waltham +reputedly +jharkhand +cistercian +pursues +viscosity +organiser +cloister +islet +stardom +moorish +himachal +strives +scripps +staggered +blasts +westwards +millimeters +angolan +hubei +agility +admirals +mordellistena +coincides +platte +vehicular +cordillera +riffs +schoolteacher +canaan +acoustics +tinged +reinforcing +concentrates +daleks +monza +selectively +musik +polynesia +exporter +reviving +macclesfield +bunkers +ballets +manors +caudal +microbiology +primes +unbroken +outcry +flocks +pakhtunkhwa +abelian +toowoomba +luminous +mould +appraisal +leuven +experimentally +interoperability +hideout +perak +specifying +knighthood +vasily +excerpt +computerized +niels +networked +byzantium +reaffirmed +geographer +obscured +fraternities +mixtures +allusion +accra +lengthened +inquest +panhandle +pigments +revolts +bluetooth +conjugate +overtaken +foray +coils +breech +streaks +impressionist +mendelssohn +intermediary +panned +suggestive +nevis +upazila +rotunda +mersey +linnaeus +anecdotes +gorbachev +viennese +exhaustive +moldavia +arcades +irrespective +orator +diminishing +predictive +cohesion +polarized +montage +avian +alienation +conus +jaffna +urbanization +seawater +extremity +editorials +scrolling +dreyfus +traverses +topographic +gunboats +extratropical +normans +correspondents +recognises +millennia +filtration +ammonium +voicing +complied +prefixes +diplomas +figurines +weakly +gated +oscillator +lucerne +embroidered +outpatient +airframe +fractional +disobedience +quarterbacks +formula_21 +shinto +chiapas +epistle +leakage +pacifist +avignon +penrith +renders +mantua +screenplays +gustaf +tesco +alphabetically +rations +discharges +headland +tapestry +manipur +boolean +mediator +ebenezer +subchannel +fable +bestselling +ateneo +trademarks +recurrence +dwarfs +britannica +signifying +vikram +mediate +condensation +censuses +verbandsgemeinde +cartesian +sprang +surat +britons +chelmsford +courtenay +statistic +retina +abortions +liabilities +closures +mississauga +skyscrapers +saginaw +compounded +aristocrat +msnbc +stavanger +septa +interpretive +hinder +visibly +seeding +shutouts +irregularly +quebecois +footbridge +hydroxide +implicitly +lieutenants +simplex +persuades +midshipman +heterogeneous +officiated +crackdown +lends +tartu +altars +fractions +dissidents +tapered +modernisation +scripting +blazon +aquaculture +thermodynamics +sistan +hasidic +bellator +pavia +propagated +theorized +bedouin +transnational +mekong +chronicled +declarations +kickstarter +quotas +runtime +duquesne +broadened +clarendon +brownsville +saturation +tatars +electorates +malayan +replicated +observable +amphitheater +endorsements +referral +allentown +mormons +pantomime +eliminates +typeface +allegorical +varna +conduction +evoke +interviewer +subordinated +uyghur +landscaped +conventionally +ascend +edifice +postulated +hanja +whitewater +embarking +musicologist +tagalog +frontage +paratroopers +hydrocarbons +transliterated +nicolae +viewpoints +surrealist +asheville +falklands +hacienda +glide +opting +zimbabwean +discal +mortgages +nicaraguan +yadav +ghosh +abstracted +castilian +compositional +cartilage +intergovernmental +forfeited +importation +rapping +artes +republika +narayana +condominium +frisian +bradman +duality +marche +extremist +phosphorylation +genomes +allusions +valencian +habeas +ironworks +multiplex +harpsichord +emigrate +alternated +breda +waffen +smartphones +familiarity +regionalliga +herbaceous +piping +dilapidated +carboniferous +xviii +critiques +carcinoma +sagar +chippewa +postmodern +neapolitan +excludes +notoriously +distillation +tungsten +richness +installments +monoxide +chand +privatisation +molded +maths +projectiles +luoyang +epirus +lemma +concentric +incline +erroneous +sideline +gazetted +leopards +fibres +renovate +corrugated +unilateral +repatriation +orchestration +saeed +rockingham +loughborough +formula_22 +bandleader +appellation +openness +nanotechnology +massively +tonnage +dunfermline +exposes +moored +ridership +motte +eurobasket +majoring +feats +silla +laterally +playlist +downwards +methodologies +eastbourne +daimyo +cellulose +leyton +norwalk +oblong +hibernian +opaque +insular +allegory +camogie +inactivation +favoring +masterpieces +rinpoche +serotonin +portrayals +waverley +airliner +longford +minimalist +outsourcing +excise +meyrick +qasim +organisational +synaptic +farmington +gorges +scunthorpe +zoned +tohoku +librarians +davao +decor +theatrically +brentwood +pomona +acquires +planter +capacitors +synchronous +skateboarding +coatings +turbocharged +ephraim +capitulation +scoreboard +hebrides +ensues +cereals +ailing +counterpoint +duplication +antisemitic +clique +aichi +oppressive +transcendental +incursions +rename +renumbering +powys +vestry +bitterly +neurology +supplanted +affine +susceptibility +orbiter +activating +overlaps +ecoregion +raman +canoer +darfur +microorganisms +precipitated +protruding +torun +anthropologists +rennes +kangaroos +parliamentarians +edits +littoral +archived +begum +rensselaer +microphones +ypres +empower +etruscan +wisden +montfort +calibration +isomorphic +rioting +kingship +verbally +smyrna +cohesive +canyons +fredericksburg +rahul +relativistic +micropolitan +maroons +industrialized +henchmen +uplift +earthworks +mahdi +disparity +cultured +transliteration +spiny +fragmentary +extinguished +atypical +inventors +biosynthesis +heralded +curacao +anomalies +aeroplane +surya +mangalore +maastricht +ashkenazi +fusiliers +hangzhou +emitting +monmouthshire +schwarzenegger +ramayana +peptides +thiruvananthapuram +alkali +coimbra +budding +reasoned +epithelial +harbors +rudimentary +classically +parque +ealing +crusades +rotations +riparian +pygmy +inertia +revolted +microprocessor +calendars +solvents +kriegsmarine +accademia +cheshmeh +yoruba +ardabil +mitra +genomic +notables +propagate +narrates +univision +outposts +polio +birkenhead +urinary +crocodiles +pectoral +barrymore +deadliest +rupees +chaim +protons +comical +astrophysics +unifying +formula_23 +vassals +cortical +audubon +pedals +tenders +resorted +geophysical +lenders +recognising +tackling +lanarkshire +doctrinal +annan +combating +guangxi +estimating +selectors +tribunals +chambered +inhabiting +exemptions +curtailed +abbasid +kandahar +boron +bissau +150th +codenamed +wearer +whorl +adhered +subversive +famer +smelting +inserting +mogadishu +zoologist +mosul +stumps +almanac +olympiacos +stamens +participatory +cults +honeycomb +geologists +dividend +recursive +skiers +reprint +pandemic +liber +percentages +adversely +stoppage +chieftains +tubingen +southerly +overcrowding +unorganized +hangars +fulfil +hails +cantilever +woodbridge +pinus +wiesbaden +fertilization +fluorescence +enhances +plenary +troublesome +episodic +thrissur +kickboxing +allele +staffing +garda +televisions +philatelic +spacetime +bullpen +oxides +leninist +enrolling +inventive +truro +compatriot +ruskin +normative +assay +gotha +murad +illawarra +gendarmerie +strasse +mazraeh +rebounded +fanfare +liaoning +rembrandt +iranians +emirate +governs +latency +waterfowl +chairmen +katowice +aristocrats +eclipsed +sentient +sonatas +interplay +sacking +decepticons +dynamical +arbitrarily +resonant +petar +velocities +alludes +wastes +prefectures +belleville +sensibility +salvadoran +consolidating +medicaid +trainees +vivekananda +molar +porous +upload +youngster +infused +doctorates +wuhan +annihilation +enthusiastically +gamespot +kanpur +accumulating +monorail +operetta +tiling +sapporo +finns +calvinist +hydrocarbon +sparrows +orienteering +cornelis +minster +vuelta +plebiscite +embraces +panchayats +focussed +remediation +brahman +olfactory +reestablished +uniqueness +northumbria +rwandan +predominately +abode +ghats +balances +californian +uptake +bruges +inert +westerns +reprints +cairn +yarra +resurfaced +audible +rossini +regensburg +italiana +fleshy +irrigated +alerts +yahya +varanasi +marginalized +expatriates +cantonment +normandie +sahitya +directives +rounder +hulls +fictionalized +constables +inserts +hipped +potosi +navies +biologists +canteen +husbandry +augment +fortnight +assamese +kampala +o'keefe +paleolithic +bluish +promontory +consecutively +striving +niall +reuniting +dipole +friendlies +disapproved +thrived +netflix +liberian +dielectric +medway +strategist +sankt +pickups +hitters +encode +rerouted +claimants +anglesey +partitioned +cavan +flutes +reared +repainted +armaments +bowed +thoracic +balliol +piero +chaplains +dehestan +sender +junkers +sindhi +sickle +dividends +metallurgy +honorific +berths +namco +springboard +resettled +gansu +copyrighted +criticizes +utopian +bendigo +ovarian +binomial +spaceflight +oratorio +proprietors +supergroup +duplicated +foreground +strongholds +revolved +optimize +layouts +westland +hurler +anthropomorphic +excelsior +merchandising +reeds +vetoed +cryptography +hollyoaks +monash +flooring +ionian +resilience +johnstown +resolves +lawmakers +alegre +wildcards +intolerance +subculture +selector +slums +formulate +bayonet +istvan +restitution +interchangeably +awakens +rostock +serpentine +oscillation +reichstag +phenotype +recessed +piotr +annotated +preparedness +consultations +clausura +preferential +euthanasia +genoese +outcrops +freemasonry +geometrical +genesee +islets +prometheus +panamanian +thunderbolt +terraced +stara +shipwrecks +futebol +faroese +sharqi +aldermen +zeitung +unify +formula_24 +humanism +syntactic +earthen +blyth +taxed +rescinded +suleiman +cymru +dwindled +vitality +superieure +resupply +adolphe +ardennes +rajiv +profiling +olympique +gestation +interfaith +milosevic +tagline +funerary +druze +silvery +plough +shrubland +relaunch +disband +nunatak +minimizing +excessively +waned +attaching +luminosity +bugle +encampment +electrostatic +minesweeper +dubrovnik +rufous +greenock +hochschule +assyrians +extracting +malnutrition +priya +attainment +anhui +connotations +predicate +seabirds +deduced +pseudonyms +gopal +plovdiv +refineries +imitated +kwazulu +terracotta +tenets +discourses +brandeis +whigs +dominions +pulmonate +landslides +tutors +determinant +richelieu +farmstead +tubercles +technicolor +hegel +redundancy +greenpeace +shortening +mules +distilled +xxiii +fundamentalist +acrylic +outbuildings +lighted +corals +signaled +transistors +cavite +austerity +76ers +exposures +dionysius +outlining +commutative +permissible +knowledgeable +howrah +assemblage +inhibited +crewmen +mbit/s +pyramidal +aberdeenshire +bering +rotates +atheism +howitzer +saone +lancet +fermented +contradicted +materiel +ofsted +numeric +uniformity +josephus +nazarene +kuwaiti +noblemen +pediment +emergent +campaigner +akademi +murcia +perugia +gallen +allsvenskan +finned +cavities +matriculation +rosters +twickenham +signatory +propel +readable +contends +artisan +flamboyant +reggio +italo +fumbles +widescreen +rectangle +centimetres +collaborates +envoys +rijeka +phonological +thinly +refractive +civilisation +reductase +cognate +dalhousie +monticello +lighthouses +jitsu +luneburg +socialite +fermi +collectible +optioned +marquee +jokingly +architecturally +kabir +concubine +nationalisation +watercolor +wicklow +acharya +pooja +leibniz +rajendra +nationalized +stalemate +bloggers +glutamate +uplands +shivaji +carolingian +bucuresti +dasht +reappears +muscat +functionally +formulations +hinged +hainan +catechism +autosomal +incremental +asahi +coeur +diversification +multilateral +fewest +recombination +finisher +harrogate +hangul +feasts +photovoltaic +paget +liquidity +alluded +incubation +applauded +choruses +malagasy +hispanics +bequest +underparts +cassava +kazimierz +gastric +eradication +mowtowr +tyrosine +archbishopric +e9e9e9 +unproductive +uxbridge +hydrolysis +harbours +officio +deterministic +devonport +kanagawa +breaches +freetown +rhinoceros +chandigarh +janos +sanatorium +liberator +inequalities +agonist +hydrophobic +constructors +nagorno +snowboarding +welcomes +subscribed +iloilo +resuming +catalysts +stallions +jawaharlal +harriers +definitively +roughriders +hertford +inhibiting +elgar +randomized +incumbents +episcopate +rainforests +yangon +improperly +kemal +interpreters +diverged +uttarakhand +umayyad +phnom +panathinaikos +shabbat +diode +jiangxi +forbidding +nozzle +artistry +licensee +processions +staffs +decimated +expressionism +shingle +palsy +ontology +mahayana +maribor +sunil +hostels +edwardian +jetty +freehold +overthrew +eukaryotic +schuylkill +rawalpindi +sheath +recessive +ferenc +mandibles +berlusconi +confessor +convergent +ababa +slugging +rentals +sephardic +equivalently +collagen +markov +dynamically +hailing +depressions +sprawling +fairgrounds +indistinguishable +plutarch +pressurized +banff +coldest +braunschweig +mackintosh +sociedad +wittgenstein +tromso +airbase +lecturers +subtitle +attaches +purified +contemplated +dreamworks +telephony +prophetic +rockland +aylesbury +biscay +coherence +aleksandar +judoka +pageants +theses +homelessness +luthor +sitcoms +hinterland +fifths +derwent +privateers +enigmatic +nationalistic +instructs +superimposed +conformation +tricycle +dusan +attributable +unbeknownst +laptops +etching +archbishops +ayatollah +cranial +gharbi +interprets +lackawanna +abingdon +saltwater +tories +lender +minaj +ancillary +ranching +pembrokeshire +topographical +plagiarism +murong +marque +chameleon +assertions +infiltrated +guildhall +reverence +schenectady +formula_25 +kollam +notary +mexicana +initiates +abdication +basra +theorems +ionization +dismantling +eared +censors +budgetary +numeral +verlag +excommunicated +distinguishable +quarried +cagliari +hindustan +symbolizing +watertown +descartes +relayed +enclosures +militarily +sault +devolved +dalian +djokovic +filaments +staunton +tumour +curia +villainous +decentralized +galapagos +moncton +quartets +onscreen +necropolis +brasileiro +multipurpose +alamos +comarca +jorgen +concise +mercia +saitama +billiards +entomologist +montserrat +lindbergh +commuting +lethbridge +phoenician +deviations +anaerobic +denouncing +redoubt +fachhochschule +principalities +negros +announcers +seconded +parrots +konami +revivals +approving +devotee +riyadh +overtook +morecambe +lichen +expressionist +waterline +silverstone +geffen +sternites +aspiration +behavioural +grenville +tripura +mediums +genders +pyotr +charlottesville +sacraments +programmable +ps100 +shackleton +garonne +sumerian +surpass +authorizing +interlocking +lagoons +voiceless +advert +steeple +boycotted +alouettes +yosef +oxidative +sassanid +benefiting +sayyid +nauru +predetermined +idealism +maxillary +polymerization +semesters +munchen +conor +outfitted +clapham +progenitor +gheorghe +observational +recognitions +numerically +colonized +hazrat +indore +contaminants +fatality +eradicate +assyria +convocation +cameos +skillful +skoda +corfu +confucius +overtly +ramadan +wollongong +placements +d.c.. +permutation +contemporaneous +voltages +elegans +universitat +samar +plunder +dwindling +neuter +antonin +sinhala +campania +solidified +stanzas +fibrous +marburg +modernize +sorcery +deutscher +florets +thakur +disruptive +infielder +disintegration +internazionale +vicariate +effigy +tripartite +corrective +klamath +environs +leavenworth +sandhurst +workmen +compagnie +hoseynabad +strabo +palisades +ordovician +sigurd +grandsons +defection +viacom +sinhalese +innovator +uncontrolled +slavonic +indexes +refrigeration +aircrew +superbike +resumption +neustadt +confrontations +arras +hindenburg +ripon +embedding +isomorphism +dwarves +matchup +unison +lofty +argos +louth +constitutionally +transitive +newington +facelift +degeneration +perceptual +aviators +enclosing +igneous +symbolically +academician +constitutionality +iso/iec +sacrificial +maturation +apprentices +enzymology +naturalistic +hajji +arthropods +abbess +vistula +scuttled +gradients +pentathlon +etudes +freedmen +melaleuca +thrice +conductive +sackville +franciscans +stricter +golds +kites +worshiped +monsignor +trios +orally +tiered +primacy +bodywork +castleford +epidemics +alveolar +chapelle +chemists +hillsboro +soulful +warlords +ngati +huguenot +diurnal +remarking +luger +motorways +gauss +jahan +cutoff +proximal +bandai +catchphrase +jonubi +ossetia +codename +codice_2 +throated +itinerant +chechnya +riverfront +leela +evoked +entailed +zamboanga +rejoining +circuitry +haymarket +khartoum +feuds +braced +miyazaki +mirren +lubusz +caricature +buttresses +attrition +characterizes +widnes +evanston +materialism +contradictions +marist +midrash +gainsborough +ulithi +turkmen +vidya +escuela +patrician +inspirations +reagent +premierships +humanistic +euphrates +transitioning +belfry +zedong +adaption +kaliningrad +lobos +epics +waiver +coniferous +polydor +inductee +refitted +moraine +unsatisfactory +worsening +polygamy +rajya +nested +subgenre +broadside +stampeders +lingua +incheon +pretender +peloton +persuading +excitation +multan +predates +tonne +brackish +autoimmune +insulated +podcasts +iraqis +bodybuilding +condominiums +midlothian +delft +debtor +asymmetrical +lycaenidae +forcefully +pathogenic +tamaulipas +andaman +intravenous +advancements +senegalese +chronologically +realigned +inquirer +eusebius +dekalb +additives +shortlist +goldwater +hindustani +auditing +caterpillars +pesticide +nakhon +ingestion +lansdowne +traditionalist +northland +thunderbirds +josip +nominating +locale +ventricular +animators +verandah +epistles +surveyors +anthems +dredd +upheaval +passaic +anatolian +svalbard +associative +floodplain +taranaki +estuaries +irreducible +beginners +hammerstein +allocate +coursework +secreted +counteract +handwritten +foundational +passover +discoverer +decoding +wares +bourgeoisie +playgrounds +nazionale +abbreviations +seanad +golan +mishra +godavari +rebranding +attendances +backstory +interrupts +lettered +hasbro +ultralight +hormozgan +armee +moderne +subdue +disuse +improvisational +enrolment +persists +moderated +carinthia +hatchback +inhibitory +capitalized +anatoly +abstracts +albemarle +bergamo +insolvency +sentai +cellars +walloon +joked +kashmiri +dirac +materialized +renomination +homologous +gusts +eighteens +centrifugal +storied +baluchestan +formula_26 +poincare +vettel +infuriated +gauges +streetcars +vedanta +stately +liquidated +goguryeo +swifts +accountancy +levee +acadian +hydropower +eustace +comintern +allotment +designating +torsion +molding +irritation +aerobic +halen +concerted +plantings +garrisoned +gramophone +cytoplasm +onslaught +requisitioned +relieving +genitive +centrist +jeong +espanola +dissolving +chatterjee +sparking +connaught +varese +arjuna +carpathian +empowering +meteorologist +decathlon +opioid +hohenzollern +fenced +ibiza +avionics +footscray +scrum +discounts +filament +directories +a.f.c +stiffness +quaternary +adventurers +transmits +harmonious +taizong +radiating +germantown +ejection +projectors +gaseous +nahuatl +vidyalaya +nightlife +redefined +refuted +destitute +arista +potters +disseminated +distanced +jamboree +kaohsiung +tilted +lakeshore +grained +inflicting +kreis +novelists +descendents +mezzanine +recast +fatah +deregulation +ac/dc +australis +kohgiluyeh +boreal +goths +authoring +intoxicated +nonpartisan +theodosius +pyongyang +shree +boyhood +sanfl +plenipotentiary +photosynthesis +presidium +sinaloa +honshu +texan +avenida +transmembrane +malays +acropolis +catalunya +vases +inconsistencies +methodists +quell +suisse +banat +simcoe +cercle +zealanders +discredited +equine +sages +parthian +fascists +interpolation +classifying +spinoff +yehuda +cruised +gypsum +foaled +wallachia +saraswati +imperialist +seabed +footnotes +nakajima +locales +schoolmaster +drosophila +bridgehead +immanuel +courtier +bookseller +niccolo +stylistically +portmanteau +superleague +konkani +millimetres +arboreal +thanjavur +emulation +sounders +decompression +commoners +infusion +methodological +osage +rococo +anchoring +bayreuth +formula_27 +abstracting +symbolized +bayonne +electrolyte +rowed +corvettes +traversing +editorship +sampler +presidio +curzon +adirondack +swahili +rearing +bladed +lemur +pashtun +behaviours +bottling +zaire +recognisable +systematics +leeward +formulae +subdistricts +smithfield +vijaya +buoyancy +boosting +cantonal +rishi +airflow +kamakura +adana +emblems +aquifer +clustering +husayn +woolly +wineries +montessori +turntable +exponentially +caverns +espoused +pianists +vorpommern +vicenza +latterly +o'rourke +williamstown +generale +kosice +duisburg +poirot +marshy +mismanagement +mandalay +dagenham +universes +chiral +radiated +stewards +vegan +crankshaft +kyrgyz +amphibian +cymbals +infrequently +offenbach +environmentalist +repatriated +permutations +midshipmen +loudoun +refereed +bamberg +ornamented +nitric +selim +translational +dorsum +annunciation +gippsland +reflector +informational +regia +reactionary +ahmet +weathering +erlewine +legalized +berne +occupant +divas +manifests +analyzes +disproportionate +mitochondria +totalitarian +paulista +interscope +anarcho +correlate +brookfield +elongate +brunel +ordinal +precincts +volatility +equaliser +hittite +somaliland +ticketing +monochrome +ubuntu +chhattisgarh +titleholder +ranches +referendums +blooms +accommodates +merthyr +religiously +ryukyu +tumultuous +checkpoints +anode +mi'kmaq +cannonball +punctuation +remodelled +assassinations +criminology +alternates +yonge +pixar +namibian +piraeus +trondelag +hautes +lifeboats +shoal +atelier +vehemently +sadat +postcode +jainism +lycoming +undisturbed +lutherans +genomics +popmatters +tabriz +isthmian +notched +autistic +horsham +mites +conseil +bloomsbury +seung +cybertron +idris +overhauled +disbandment +idealized +goldfields +worshippers +lobbyist +ailments +paganism +herbarium +athenians +messerschmitt +faraday +entangled +'olya +untreated +criticising +howitzers +parvati +lobed +debussy +atonement +tadeusz +permeability +mueang +sepals +degli +optionally +fuelled +follies +asterisk +pristina +lewiston +congested +overpass +affixed +pleads +telecasts +stanislaus +cryptographic +friesland +hamstring +selkirk +antisubmarine +inundated +overlay +aggregates +fleur +trolleybus +sagan +ibsen +inductees +beltway +tiled +ladders +cadbury +laplace +ascetic +micronesia +conveying +bellingham +cleft +batches +usaid +conjugation +macedon +assisi +reappointed +brine +jinnah +prairies +screenwriting +oxidized +despatches +linearly +fertilizers +brazilians +absorbs +wagga +modernised +scorsese +ashraf +charlestown +esque +habitable +nizhny +lettres +tuscaloosa +esplanade +coalitions +carbohydrates +legate +vermilion +standardised +galleria +psychoanalytic +rearrangement +substation +competency +nationalised +reshuffle +reconstructions +mehdi +bougainville +receivership +contraception +enlistment +conducive +aberystwyth +solicitors +dismisses +fibrosis +montclair +homeowner +surrealism +s.h.i.e.l.d +peregrine +compilers +1790s +parentage +palmas +rzeszow +worldview +eased +svenska +housemate +bundestag +originator +enlisting +outwards +reciprocity +formula_28 +carbohydrate +democratically +firefighting +romagna +acknowledgement +khomeini +carbide +quests +vedas +characteristically +guwahati +brixton +unintended +brothels +parietal +namur +sherbrooke +moldavian +baruch +milieu +undulating +laurier +entre +dijon +ethylene +abilene +heracles +paralleling +ceres +dundalk +falun +auspicious +chisinau +polarity +foreclosure +templates +ojibwe +punic +eriksson +biden +bachchan +glaciation +spitfires +norsk +nonviolent +heidegger +algonquin +capacitance +cassettes +balconies +alleles +airdate +conveys +replays +classifies +infrequent +amine +cuttings +rarer +woking +olomouc +amritsar +rockabilly +illyrian +maoist +poignant +tempore +stalinist +segmented +bandmate +mollusc +muhammed +totalled +byrds +tendered +endogenous +kottayam +aisne +oxidase +overhears +illustrators +verve +commercialization +purplish +directv +moulded +lyttelton +baptismal +captors +saracens +georgios +shorten +polity +grids +fitzwilliam +sculls +impurities +confederations +akhtar +intangible +oscillations +parabolic +harlequin +maulana +ovate +tanzanian +singularity +confiscation +qazvin +speyer +phonemes +overgrown +vicarage +gurion +undocumented +niigata +thrones +preamble +stave +interment +liiga +ataturk +aphrodite +groupe +indentured +habsburgs +caption +utilitarian +ozark +slovenes +reproductions +plasticity +serbo +dulwich +castel +barbuda +salons +feuding +lenape +wikileaks +swamy +breuning +shedding +afield +superficially +operationally +lamented +okanagan +hamadan +accolade +furthering +adolphus +fyodor +abridged +cartoonists +pinkish +suharto +cytochrome +methylation +debit +colspan=9| +refine +taoist +signalled +herding +leaved +bayan +fatherland +rampart +sequenced +negation +storyteller +occupiers +barnabas +pelicans +nadir +conscripted +railcars +prerequisite +furthered +columba +carolinas +markup +gwalior +franche +chaco +eglinton +ramparts +rangoon +metabolites +pollination +croat +televisa +holyoke +testimonial +setlist +safavid +sendai +georgians +shakespearean +galleys +regenerative +krzysztof +overtones +estado +barbary +cherbourg +obispo +sayings +composites +sainsbury +deliberation +cosmological +mahalleh +embellished +ascap +biala +pancras +calumet +grands +canvases +antigens +marianas +defenseman +approximated +seedlings +soren +stele +nuncio +immunology +testimonies +glossary +recollections +suitability +tampere +venous +cohomology +methanol +echoing +ivanovich +warmly +sterilization +imran +multiplying +whitechapel +undersea +xuanzong +tacitus +bayesian +roundhouse +correlations +rioters +molds +fiorentina +bandmates +mezzo +thani +guerilla +200th +premiums +tamils +deepwater +chimpanzees +tribesmen +selwyn +globo +turnovers +punctuated +erode +nouvelle +banbury +exponents +abolishing +helical +maimonides +endothelial +goteborg +infield +encroachment +cottonwood +mazowiecki +parable +saarbrucken +reliever +epistemology +artistes +enrich +rationing +formula_29 +palmyra +subfamilies +kauai +zoran +fieldwork +arousal +creditor +friuli +celts +comoros +equated +escalation +negev +tallied +inductive +anion +netanyahu +mesoamerican +lepidoptera +aspirated +remit +westmorland +italic +crosse +vaclav +fuego +owain +balmain +venetians +ethnicities +deflected +ticino +apulia +austere +flycatcher +reprising +repressive +hauptbahnhof +subtype +ophthalmology +summarizes +eniwetok +colonisation +subspace +nymphalidae +earmarked +tempe +burnet +crests +abbots +norwegians +enlarge +ashoka +frankfort +livorno +malware +renters +singly +iliad +moresby +rookies +gustavus +affirming +alleges +legume +chekhov +studded +abdicated +suzhou +isidore +townsite +repayment +quintus +yankovic +amorphous +constructor +narrowing +industrialists +tanganyika +capitalization +connective +mughals +rarities +aerodynamics +worthing +antalya +diagnostics +shaftesbury +thracian +obstetrics +benghazi +multiplier +orbitals +livonia +roscommon +intensify +ravel +oaths +overseer +locomotion +necessities +chickasaw +strathclyde +treviso +erfurt +aortic +contemplation +accrington +markazi +predeceased +hippocampus +whitecaps +assemblyman +incursion +ethnography +extraliga +reproducing +directorship +benzene +byway +stupa +taxable +scottsdale +onondaga +favourably +countermeasures +lithuanians +thatched +deflection +tarsus +consuls +annuity +paralleled +contextual +anglian +klang +hoisted +multilingual +enacting +samaj +taoiseach +carthaginian +apologised +hydrology +entrant +seamless +inflorescences +mugabe +westerners +seminaries +wintering +penzance +mitre +sergeants +unoccupied +delimitation +discriminate +upriver +abortive +nihon +bessarabia +calcareous +buffaloes +patil +daegu +streamline +berks +chaparral +laity +conceptions +typified +kiribati +threaded +mattel +eccentricity +signified +patagonia +slavonia +certifying +adnan +astley +sedition +minimally +enumerated +nikos +goalless +walid +narendra +causa +missoula +coolant +dalek +outcrop +hybridization +schoolchildren +peasantry +afghans +confucianism +shahr +gallic +tajik +kierkegaard +sauvignon +commissar +patriarchs +tuskegee +prussians +laois +ricans +talmudic +officiating +aesthetically +baloch +antiochus +separatists +suzerainty +arafat +shading +u.s.c +chancellors +inc.. +toolkit +nepenthes +erebidae +solicited +pratap +kabbalah +alchemist +caltech +darjeeling +biopic +spillway +kaiserslautern +nijmegen +bolstered +neath +pahlavi +eugenics +bureaus +retook +northfield +instantaneous +deerfield +humankind +selectivity +putative +boarders +cornhuskers +marathas +raikkonen +aliabad +mangroves +garages +gulch +karzai +poitiers +chernobyl +thane +alexios +belgrano +scion +solubility +urbanized +executable +guizhou +nucleic +tripled +equalled +harare +houseguests +potency +ghazi +repeater +overarching +regrouped +broward +ragtime +d'art +nandi +regalia +campsites +mamluk +plating +wirral +presumption +zenit +archivist +emmerdale +decepticon +carabidae +kagoshima +franconia +guarani +formalism +diagonally +submarginal +denys +walkways +punts +metrolink +hydrographic +droplets +upperside +martyred +hummingbird +antebellum +curiously +mufti +friary +chabad +czechs +shaykh +reactivity +berklee +turbonilla +tongan +sultans +woodville +unlicensed +enmity +dominicans +operculum +quarrying +watercolour +catalyzed +gatwick +'what +mesozoic +auditors +shizuoka +footballing +haldane +telemundo +appended +deducted +disseminate +o'shea +pskov +abrasive +entente +gauteng +calicut +lemurs +elasticity +suffused +scopula +staining +upholding +excesses +shostakovich +loanwords +naidu +championnat +chromatography +boasting +goaltenders +engulfed +salah +kilogram +morristown +shingles +shi'a +labourer +renditions +frantisek +jekyll +zonal +nanda +sheriffs +eigenvalues +divisione +endorsing +ushered +auvergne +cadres +repentance +freemasons +utilising +laureates +diocletian +semiconductors +o'grady +vladivostok +sarkozy +trackage +masculinity +hydroxyl +mervyn +muskets +speculations +gridiron +opportunistic +mascots +aleutian +fillies +sewerage +excommunication +borrowers +capillary +trending +sydenham +synthpop +rajah +cagayan +deportes +kedah +faure +extremism +michoacan +levski +culminates +occitan +bioinformatics +unknowingly +inciting +emulated +footpaths +piacenza +dreadnought +viceroyalty +oceanographic +scouted +combinatorial +ornithologist +cannibalism +mujahideen +independiente +cilicia +hindwing +minimized +odeon +gyorgy +rubles +purchaser +collieries +kickers +interurban +coiled +lynchburg +respondent +plzen +detractors +etchings +centering +intensification +tomography +ranjit +warblers +retelling +reinstatement +cauchy +modulus +redirected +evaluates +beginner +kalateh +perforated +manoeuvre +scrimmage +internships +megawatts +mottled +haakon +tunbridge +kalyan +summarised +sukarno +quetta +canonized +henryk +agglomeration +coahuila +diluted +chiropractic +yogyakarta +talladega +sheik +cation +halting +reprisals +sulfuric +musharraf +sympathizers +publicised +arles +lectionary +fracturing +startups +sangha +latrobe +rideau +ligaments +blockading +cremona +lichens +fabaceae +modulated +evocative +embodies +battersea +indistinct +altai +subsystem +acidity +somatic +formula_30 +tariq +rationality +sortie +ashlar +pokal +cytoplasmic +valour +bangla +displacing +hijacking +spectrometry +westmeath +weill +charing +goias +revolvers +individualized +tenured +nawaz +piquet +chanted +discard +bernd +phalanx +reworking +unilaterally +subclass +yitzhak +piloting +circumvent +disregarded +semicircular +viscous +tibetans +endeavours +retaliated +cretan +vienne +workhouse +sufficiency +aurangzeb +legalization +lipids +expanse +eintracht +sanjak +megas +125th +bahraini +yakima +eukaryotes +thwart +affirmation +peloponnese +retailing +carbonyl +chairwoman +macedonians +dentate +rockaway +correctness +wealthier +metamorphic +aragonese +fermanagh +pituitary +schrodinger +evokes +spoiler +chariots +akita +genitalia +combe +confectionery +desegregation +experiential +commodores +persepolis +viejo +restorations +virtualization +hispania +printmaking +stipend +yisrael +theravada +expended +radium +tweeted +polygonal +lippe +charente +leveraged +cutaneous +fallacy +fragrant +bypasses +elaborately +rigidity +majid +majorca +kongo +plasmodium +skits +audiovisual +eerste +staircases +prompts +coulthard +northwestward +riverdale +beatrix +copyrights +prudential +communicates +mated +obscenity +asynchronous +analyse +hansa +searchlight +farnborough +patras +asquith +qarah +contours +fumbled +pasteur +redistributed +almeria +sanctuaries +jewry +israelite +clinicians +koblenz +bookshop +affective +goulburn +panelist +sikorsky +cobham +mimics +ringed +portraiture +probabilistic +girolamo +intelligible +andalusian +jalal +athenaeum +eritrean +auxiliaries +pittsburg +devolution +sangam +isolating +anglers +cronulla +annihilated +kidderminster +synthesize +popularised +theophilus +bandstand +innumerable +chagrin +retroactively +weser +multiples +birdlife +goryeo +pawnee +grosser +grappling +tactile +ahmadinejad +turboprop +erdogan +matchday +proletarian +adhering +complements +austronesian +adverts +luminaries +archeology +impressionism +conifer +sodomy +interracial +platoons +lessen +postings +pejorative +registrations +cookery +persecutions +microbes +audits +idiosyncratic +subsp +suspensions +restricts +colouring +ratify +instrumentals +nucleotides +sulla +posits +bibliotheque +diameters +oceanography +instigation +subsumed +submachine +acceptor +legation +borrows +sedge +discriminated +loaves +insurers +highgate +detectable +abandons +kilns +sportscaster +harwich +iterations +preakness +arduous +tensile +prabhu +shortwave +philologist +shareholding +vegetative +complexities +councilors +distinctively +revitalize +automaton +amassing +montreux +khanh +surabaya +nurnberg +pernambuco +cuisines +charterhouse +firsts +tercera +inhabitant +homophobia +naturalism +einar +powerplant +coruna +entertainments +whedon +rajputs +raton +democracies +arunachal +oeuvre +wallonia +jeddah +trolleybuses +evangelism +vosges +kiowa +minimise +encirclement +undertakes +emigrant +beacons +deepened +grammars +publius +preeminent +seyyed +repechage +crafting +headingley +osteopathic +lithography +hotly +bligh +inshore +betrothed +olympians +formula_31 +dissociation +trivandrum +arran +petrovic +stettin +disembarked +simplification +bronzes +philo +acrobatic +jonsson +conjectured +supercharged +kanto +detects +cheeses +correlates +harmonics +lifecycle +sudamericana +reservists +decayed +elitserien +parametric +113th +dusky +hogarth +modulo +symbiotic +monopolies +discontinuation +converges +southerners +tucuman +eclipses +enclaves +emits +famicom +caricatures +artistically +levelled +mussels +erecting +mouthparts +cunard +octaves +crucible +guardia +unusable +lagrangian +droughts +ephemeral +pashto +canis +tapering +sasebo +silurian +metallurgical +outscored +evolves +reissues +sedentary +homotopy +greyhawk +reagents +inheriting +onshore +tilting +rebuffed +reusable +naturalists +basingstoke +insofar +offensives +dravidian +curators +planks +rajan +isoforms +flagstaff +preside +globular +egalitarian +linkages +biographers +goalscorers +molybdenum +centralised +nordland +jurists +ellesmere +rosberg +hideyoshi +restructure +biases +borrower +scathing +redress +tunnelling +workflow +magnates +mahendra +dissenters +plethora +transcriptions +handicrafts +keyword +xi'an +petrograd +unser +prokofiev +90deg +madan +bataan +maronite +kearny +carmarthen +termini +consulates +disallowed +rockville +bowery +fanzine +docklands +bests +prohibitions +yeltsin +selassie +naturalization +realisation +dispensary +tribeca +abdulaziz +pocahontas +stagnation +pamplona +cuneiform +propagating +subsurface +christgau +epithelium +schwerin +lynching +routledge +hanseatic +upanishad +glebe +yugoslavian +complicity +endowments +girona +mynetworktv +entomology +plinth +ba'ath +supercup +torus +akkadian +salted +englewood +commandery +belgaum +prefixed +colorless +dartford +enthroned +caesarea +nominative +sandown +safeguards +hulled +formula_32 +leamington +dieppe +spearhead +generalizations +demarcation +llanelli +masque +brickwork +recounting +sufism +strikingly +petrochemical +onslow +monologues +emigrating +anderlecht +sturt +hossein +sakhalin +subduction +novices +deptford +zanjan +airstrikes +coalfield +reintroduction +timbaland +hornby +messianic +stinging +universalist +situational +radiocarbon +strongman +rowling +saloons +traffickers +overran +fribourg +cambrai +gravesend +discretionary +finitely +archetype +assessor +pilipinas +exhumed +invocation +interacted +digitized +timisoara +smelter +teton +sexism +precepts +srinagar +pilsudski +carmelite +hanau +scoreline +hernando +trekking +blogging +fanbase +wielded +vesicles +nationalization +banja +rafts +motoring +luang +takeda +girder +stimulates +histone +sunda +nanoparticles +attains +jumpers +catalogued +alluding +pontus +ancients +examiners +shinkansen +ribbentrop +reimbursement +pharmacological +ramat +stringed +imposes +cheaply +transplanted +taiping +mizoram +looms +wallabies +sideman +kootenay +encased +sportsnet +revolutionized +tangier +benthic +runic +pakistanis +heatseekers +shyam +mishnah +presbyterians +stadt +sutras +straddles +zoroastrian +infer +fueling +gymnasts +ofcom +gunfight +journeyman +tracklist +oshawa +ps500 +pa'in +mackinac +xiongnu +mississippian +breckinridge +freemason +bight +autoroute +liberalization +distantly +thrillers +solomons +presumptive +romanization +anecdotal +bohemians +unpaved +milder +concurred +spinners +alphabets +strenuous +rivieres +kerrang +mistreatment +dismounted +intensively +carlist +dancehall +shunting +pluralism +trafficked +brokered +bonaventure +bromide +neckar +designates +malian +reverses +sotheby +sorghum +serine +environmentalists +languedoc +consulship +metering +bankstown +handlers +militiamen +conforming +regularity +pondicherry +armin +capsized +consejo +capitalists +drogheda +granular +purged +acadians +endocrine +intramural +elicit +terns +orientations +miklos +omitting +apocryphal +slapstick +brecon +pliocene +affords +typography +emigre +tsarist +tomasz +beset +nishi +necessitating +encyclical +roleplaying +journeyed +inflow +sprints +progressives +novosibirsk +cameroonian +ephesus +speckled +kinshasa +freiherr +burnaby +dalmatian +torrential +rigor +renegades +bhakti +nurburgring +cosimo +convincingly +reverting +visayas +lewisham +charlottetown +charadriiformesfamily +transferable +jodhpur +converters +deepening +camshaft +underdeveloped +protease +polonia +uterine +quantify +tobruk +dealerships +narasimha +fortran +inactivity +1780s +victors +categorised +naxos +workstation +skink +sardinian +chalice +precede +dammed +sondheim +phineas +tutored +sourcing +uncompromising +placer +tyneside +courtiers +proclaims +pharmacies +hyogo +booksellers +sengoku +kursk +spectrometer +countywide +wielkopolski +bobsleigh +shetty +llywelyn +consistory +heretics +guinean +cliches +individualism +monolithic +imams +usability +bursa +deliberations +railings +torchwood +inconsistency +balearic +stabilizer +demonstrator +facet +radioactivity +outboard +educates +d'oyly +heretical +handover +jurisdictional +shockwave +hispaniola +conceptually +routers +unaffiliated +trentino +formula_33 +cypriots +intervenes +neuchatel +formulating +maggiore +delisted +alcohols +thessaly +potable +estimator +suborder +fluency +mimicry +clergymen +infrastructures +rivals.com +baroda +subplot +majlis +plano +clinching +connotation +carinae +savile +intercultural +transcriptional +sandstones +ailerons +annotations +impresario +heinkel +scriptural +intermodal +astrological +ribbed +northeastward +posited +boers +utilise +kalmar +phylum +breakwater +skype +textured +guideline +azeri +rimini +massed +subsidence +anomalous +wolfsburg +polyphonic +accrediting +vodacom +kirov +captaining +kelantan +logie +fervent +eamon +taper +bundeswehr +disproportionately +divination +slobodan +pundits +hispano +kinetics +reunites +makati +ceasing +statistician +amending +chiltern +eparchy +riverine +melanoma +narragansett +pagans +raged +toppled +breaching +zadar +holby +dacian +ochre +velodrome +disparities +amphoe +sedans +webpage +williamsport +lachlan +groton +baring +swastika +heliport +unwillingness +razorbacks +exhibitors +foodstuffs +impacting +tithe +appendages +dermot +subtypes +nurseries +balinese +simulating +stary +remakes +mundi +chautauqua +geologically +stockade +hakka +dilute +kalimantan +pahang +overlapped +fredericton +baha'u'llah +jahangir +damping +benefactors +shomali +triumphal +cieszyn +paradigms +shielded +reggaeton +maharishi +zambian +shearing +golestan +mirroring +partitioning +flyover +songbook +incandescent +merrimack +huguenots +sangeet +vulnerabilities +trademarked +drydock +tantric +honoris +queenstown +labelling +iterative +enlists +statesmen +anglicans +herge +qinghai +burgundian +islami +delineated +zhuge +aggregated +banknote +qatari +suitably +tapestries +asymptotic +charleroi +majorities +pyramidellidae +leanings +climactic +tahir +ramsar +suppressor +revisionist +trawler +ernakulam +penicillium +categorization +slits +entitlement +collegium +earths +benefice +pinochet +puritans +loudspeaker +stockhausen +eurocup +roskilde +alois +jaroslav +rhondda +boutiques +vigor +neurotransmitter +ansar +malden +ferdinando +sported +relented +intercession +camberwell +wettest +thunderbolts +positional +oriel +cloverleaf +penalized +shoshone +rajkumar +completeness +sharjah +chromosomal +belgians +woolen +ultrasonic +sequentially +boleyn +mordella +microsystems +initiator +elachista +mineralogy +rhododendron +integrals +compostela +hamza +sawmills +stadio +berlioz +maidens +stonework +yachting +tappeh +myocardial +laborer +workstations +costumed +nicaea +lanark +roundtable +mashhad +nablus +algonquian +stuyvesant +sarkar +heroines +diwan +laments +intonation +intrigues +almaty +feuded +grandes +algarve +rehabilitate +macrophages +cruciate +dismayed +heuristic +eliezer +kozhikode +covalent +finalised +dimorphism +yaroslavl +overtaking +leverkusen +middlebury +feeders +brookings +speculates +insoluble +lodgings +jozsef +cysteine +shenyang +habilitation +spurious +brainchild +mtdna +comique +albedo +recife +partick +broadening +shahi +orientated +himalaya +swabia +palme +mennonites +spokeswoman +conscripts +sepulchre +chartres +eurozone +scaffold +invertebrate +parishad +bagan +heian +watercolors +basse +supercomputer +commences +tarragona +plainfield +arthurian +functor +identically +murex +chronicling +pressings +burrowing +histoire +guayaquil +goalkeeping +differentiable +warburg +machining +aeneas +kanawha +holocene +ramesses +reprisal +qingdao +avatars +turkestan +cantatas +besieging +repudiated +teamsters +equipping +hydride +ahmadiyya +euston +bottleneck +computations +terengganu +kalinga +stela +rediscovery +'this +azhar +stylised +karelia +polyethylene +kansai +motorised +lounges +normalization +calculators +1700s +goalkeepers +unfolded +commissary +cubism +vignettes +multiverse +heaters +briton +sparingly +childcare +thorium +plock +riksdag +eunuchs +catalysis +limassol +perce +uncensored +whitlam +ulmus +unites +mesopotamian +refraction +biodiesel +forza +fulda +unseated +mountbatten +shahrak +selenium +osijek +mimicking +antimicrobial +axons +simulcasting +donizetti +swabian +sportsmen +hafiz +neared +heraclius +locates +evaded +subcarpathian +bhubaneswar +negeri +jagannath +thaksin +aydin +oromo +lateran +goldsmiths +multiculturalism +cilia +mihai +evangelists +lorient +qajar +polygons +vinod +mechanised +anglophone +prefabricated +mosses +supervillain +airliners +biofuels +iodide +innovators +valais +wilberforce +logarithm +intelligentsia +dissipation +sanctioning +duchies +aymara +porches +simulators +mostar +telepathic +coaxial +caithness +burghs +fourths +stratification +joaquim +scribes +meteorites +monarchist +germination +vries +desiring +replenishment +istria +winemaking +tammany +troupes +hetman +lanceolate +pelagic +triptych +primeira +scant +outbound +hyphae +denser +bentham +basie +normale +executes +ladislaus +kontinental +herat +cruiserweight +activision +customization +manoeuvres +inglewood +northwood +waveform +investiture +inpatient +alignments +kiryat +rabat +archimedes +ustad +monsanto +archetypal +kirkby +sikhism +correspondingly +catskill +overlaid +petrels +widowers +unicameral +federalists +metalcore +gamerankings +mussel +formula_34 +lymphocytes +cystic +southgate +vestiges +immortals +kalam +strove +amazons +pocono +sociologists +sopwith +adheres +laurens +caregivers +inspecting +transylvanian +rebroadcast +rhenish +miserables +pyrams +blois +newtonian +carapace +redshirt +gotland +nazir +unilever +distortions +linebackers +federalism +mombasa +lumen +bernoulli +favouring +aligarh +denounce +steamboats +dnieper +stratigraphic +synths +bernese +umass +icebreaker +guanajuato +heisenberg +boldly +diodes +ladakh +dogmatic +scriptwriter +maritimes +battlestar +symposia +adaptable +toluca +bhavan +nanking +ieyasu +picardy +soybean +adalbert +brompton +deutsches +brezhnev +glandular +laotian +hispanicized +ibadan +personification +dalit +yamuna +regio +dispensed +yamagata +zweibrucken +revising +fandom +stances +participle +flavours +khitan +vertebral +crores +mayaguez +dispensation +guntur +undefined +harpercollins +unionism +meena +leveling +philippa +refractory +telstra +judea +attenuation +pylons +elaboration +elegy +edging +gracillariidae +residencies +absentia +reflexive +deportations +dichotomy +stoves +sanremo +shimon +menachem +corneal +conifers +mordellidae +facsimile +diagnoses +cowper +citta +viticulture +divisive +riverview +foals +mystics +polyhedron +plazas +airspeed +redgrave +motherland +impede +multiplicity +barrichello +airships +pharmacists +harvester +clays +payloads +differentiating +popularize +caesars +tunneling +stagnant +circadian +indemnity +sensibilities +musicology +prefects +serfs +metra +lillehammer +carmarthenshire +kiosks +welland +barbican +alkyl +tillandsia +gatherers +asociacion +showings +bharati +brandywine +subversion +scalable +pfizer +dawla +barium +dardanelles +nsdap +konig +ayutthaya +hodgkin +sedimentation +completions +purchasers +sponsorships +maximizing +banked +taoism +minot +enrolls +fructose +aspired +capuchin +outages +artois +carrollton +totality +osceola +pawtucket +fontainebleau +converged +queretaro +competencies +botha +allotments +sheaf +shastri +obliquely +banding +catharines +outwardly +monchengladbach +driest +contemplative +cassini +ranga +pundit +kenilworth +tiananmen +disulfide +formula_35 +townlands +codice_3 +looping +caravans +rachmaninoff +segmentation +fluorine +anglicised +gnostic +dessau +discern +reconfigured +altrincham +rebounding +battlecruiser +ramblers +1770s +convective +triomphe +miyagi +mourners +instagram +aloft +breastfeeding +courtyards +folkestone +changsha +kumamoto +saarland +grayish +provisionally +appomattox +uncial +classicism +mahindra +elapsed +supremes +monophyletic +cautioned +formula_36 +noblewoman +kernels +sucre +swaps +bengaluru +grenfell +epicenter +rockhampton +worshipful +licentiate +metaphorical +malankara +amputated +wattle +palawan +tankobon +nobunaga +polyhedra +transduction +jilin +syrians +affinities +fluently +emanating +anglicized +sportscar +botanists +altona +dravida +chorley +allocations +kunming +luanda +premiering +outlived +mesoamerica +lingual +dissipating +impairments +attenborough +balustrade +emulator +bakhsh +cladding +increments +ascents +workington +qal'eh +winless +categorical +petrel +emphasise +dormer +toros +hijackers +telescopic +solidly +jankovic +cession +gurus +madoff +newry +subsystems +northside +talib +englishmen +farnese +holographic +electives +argonne +scrivener +predated +brugge +nauvoo +catalyses +soared +siddeley +graphically +powerlifting +funicular +sungai +coercive +fusing +uncertainties +locos +acetic +diverge +wedgwood +dressings +tiebreaker +didactic +vyacheslav +acreage +interplanetary +battlecruisers +sunbury +alkaloids +hairpin +automata +wielkie +interdiction +plugins +monkees +nudibranch +esporte +approximations +disabling +powering +characterisation +ecologically +martinsville +termen +perpetuated +lufthansa +ascendancy +motherboard +bolshoi +athanasius +prunus +dilution +invests +nonzero +mendocino +charan +banque +shaheed +counterculture +unita +voivode +hospitalization +vapour +supermarine +resistor +steppes +osnabruck +intermediates +benzodiazepines +sunnyside +privatized +geopolitical +ponta +beersheba +kievan +embody +theoretic +sangh +cartographer +blige +rotors +thruway +battlefields +discernible +demobilized +broodmare +colouration +sagas +policymakers +serialization +augmentation +hoare +frankfurter +transnistria +kinases +detachable +generational +converging +antiaircraft +khaki +bimonthly +coadjutor +arkhangelsk +kannur +buffers +livonian +northwich +enveloped +cysts +yokozuna +herne +beeching +enron +virginian +woollen +excepting +competitively +outtakes +recombinant +hillcrest +clearances +pathe +cumbersome +brasov +u.s.a +likud +christiania +cruciform +hierarchies +wandsworth +lupin +resins +voiceover +sitar +electrochemical +mediacorp +typhus +grenadiers +hepatic +pompeii +weightlifter +bosniak +oxidoreductase +undersecretary +rescuers +ranji +seleucid +analysing +exegesis +tenancy +toure +kristiansand +110th +carillon +minesweepers +poitou +acceded +palladian +redevelop +naismith +rifled +proletariat +shojo +hackensack +harvests +endpoint +kuban +rosenborg +stonehenge +authorisation +jacobean +revocation +compatriots +colliding +undetermined +okayama +acknowledgment +angelou +fresnel +chahar +ethereal +mg/kg +emmet +mobilised +unfavourable +cultura +characterizing +parsonage +skeptics +expressways +rabaul +medea +guardsmen +visakhapatnam +caddo +homophobic +elmwood +encircling +coexistence +contending +seljuk +mycologist +infertility +moliere +insolvent +covenants +underpass +holme +landesliga +workplaces +delinquency +methamphetamine +contrived +tableau +tithes +overlying +usurped +contingents +spares +oligocene +molde +beatification +mordechai +balloting +pampanga +navigators +flowered +debutant +codec +orogeny +newsletters +solon +ambivalent +ubisoft +archdeaconry +harpers +kirkus +jabal +castings +kazhagam +sylhet +yuwen +barnstaple +amidships +causative +isuzu +watchtower +granules +canaveral +remuneration +insurer +payout +horizonte +integrative +attributing +kiwis +skanderbeg +asymmetry +gannett +urbanism +disassembled +unaltered +precluded +melodifestivalen +ascends +plugin +gurkha +bisons +stakeholder +industrialisation +abbotsford +sextet +bustling +uptempo +slavia +choreographers +midwives +haram +javed +gazetteer +subsection +natively +weighting +lysine +meera +redbridge +muchmusic +abruzzo +adjoins +unsustainable +foresters +kbit/s +cosmopterigidae +secularism +poetics +causality +phonograph +estudiantes +ceausescu +universitario +adjoint +applicability +gastropods +nagaland +kentish +mechelen +atalanta +woodpeckers +lombards +gatineau +romansh +avraham +acetylcholine +perturbation +galois +wenceslaus +fuzhou +meandering +dendritic +sacristy +accented +katha +therapeutics +perceives +unskilled +greenhouses +analogues +chaldean +timbre +sloped +volodymyr +sadiq +maghreb +monogram +rearguard +caucuses +mures +metabolite +uyezd +determinism +theosophical +corbet +gaels +disruptions +bicameral +ribosomal +wolseley +clarksville +watersheds +tarsi +radon +milanese +discontinuous +aristotelian +whistleblower +representational +hashim +modestly +localised +atrial +hazara +ravana +troyes +appointees +rubus +morningside +amity +aberdare +ganglia +wests +zbigniew +aerobatic +depopulated +corsican +introspective +twinning +hardtop +shallower +cataract +mesolithic +emblematic +graced +lubrication +republicanism +voronezh +bastions +meissen +irkutsk +oboes +hokkien +sprites +tenet +individualist +capitulated +oakville +dysentery +orientalist +hillsides +keywords +elicited +incised +lagging +apoel +lengthening +attractiveness +marauders +sportswriter +decentralization +boltzmann +contradicts +draftsman +precipitate +solihull +norske +consorts +hauptmann +riflemen +adventists +syndromes +demolishing +customize +continuo +peripherals +seamlessly +linguistically +bhushan +orphanages +paraul +lessened +devanagari +quarto +responders +patronymic +riemannian +altoona +canonization +honouring +geodetic +exemplifies +republica +enzymatic +porters +fairmount +pampa +sufferers +kamchatka +conjugated +coachella +uthman +repositories +copious +headteacher +awami +phoneme +homomorphism +franconian +moorland +davos +quantified +kamloops +quarks +mayoralty +weald +peacekeepers +valerian +particulate +insiders +perthshire +caches +guimaraes +piped +grenadines +kosciuszko +trombonist +artemisia +covariance +intertidal +soybeans +beatified +ellipse +fruiting +deafness +dnipropetrovsk +accrued +zealous +mandala +causation +junius +kilowatt +bakeries +montpelier +airdrie +rectified +bungalows +toleration +debian +pylon +trotskyist +posteriorly +two-and-a-half +herbivorous +islamists +poetical +donne +wodehouse +frome +allium +assimilate +phonemic +minaret +unprofitable +darpa +untenable +leaflet +bitcoin +zahir +thresholds +argentino +jacopo +bespoke +stratified +wellbeing +shiite +basaltic +timberwolves +secrete +taunts +marathons +isomers +carre +consecrators +penobscot +pitcairn +sakha +crosstown +inclusions +impassable +fenders +indre +uscgc +jordi +retinue +logarithmic +pilgrimages +railcar +cashel +blackrock +macroscopic +aligning +tabla +trestle +certify +ronson +palps +dissolves +thickened +silicate +taman +walsingham +hausa +lowestoft +rondo +oleksandr +cuyahoga +retardation +countering +cricketing +holborn +identifiers +hells +geophysics +infighting +sculpting +balaji +webbed +irradiation +runestone +trusses +oriya +sojourn +forfeiture +colonize +exclaimed +eucharistic +lackluster +glazing +northridge +gutenberg +stipulates +macroeconomic +priori +outermost +annular +udinese +insulating +headliner +godel +polytope +megalithic +salix +sharapova +derided +muskegon +braintree +plateaus +confers +autocratic +isomer +interstitial +stamping +omits +kirtland +hatchery +evidences +intifada +111th +podgorica +capua +motivating +nuneaton +jakub +korsakov +amitabh +mundial +monrovia +gluten +predictor +marshalling +d'orleans +levers +touchscreen +brantford +fricative +banishment +descendent +antagonism +ludovico +loudspeakers +formula_37 +livelihoods +manassas +steamships +dewsbury +uppermost +humayun +lures +pinnacles +dependents +lecce +clumps +observatories +paleozoic +dedicating +samiti +draughtsman +gauls +incite +infringing +nepean +pythagorean +convents +triumvirate +seigneur +gaiman +vagrant +fossa +byproduct +serrated +renfrewshire +sheltering +achaemenid +dukedom +catchers +sampdoria +platelet +bielefeld +fluctuating +phenomenology +strikeout +ethnology +prospectors +woodworking +tatra +wildfires +meditations +agrippa +fortescue +qureshi +wojciech +methyltransferase +accusative +saatchi +amerindian +volcanism +zeeland +toyama +vladimirovich +allege +polygram +redox +budgeted +advisories +nematode +chipset +starscream +tonbridge +hardening +shales +accompanist +paraded +phonographic +whitefish +sportive +audiobook +kalisz +hibernation +latif +duels +ps200 +coxeter +nayak +safeguarding +cantabria +minesweeping +zeiss +dunams +catholicos +sawtooth +ontological +nicobar +bridgend +unclassified +intrinsically +hanoverian +rabbitohs +kenseth +alcalde +northumbrian +raritan +septuagint +presse +sevres +origen +dandenong +peachtree +intersected +impeded +usages +hippodrome +novara +trajectories +customarily +yardage +inflected +yanow +kalan +taverns +liguria +librettist +intermarriage +1760s +courant +gambier +infanta +ptolemaic +ukulele +haganah +sceptical +manchukuo +plexus +implantation +hilal +intersex +efficiencies +arbroath +hagerstown +adelphi +diario +marais +matti +lifes +coining +modalities +divya +bletchley +conserving +ivorian +mithridates +generative +strikeforce +laymen +toponymy +pogrom +satya +meticulously +agios +dufferin +yaakov +fortnightly +cargoes +deterrence +prefrontal +przemysl +mitterrand +commemorations +chatsworth +gurdwara +abuja +chakraborty +badajoz +geometries +artiste +diatonic +ganglion +presides +marymount +nanak +cytokines +feudalism +storks +rowers +widens +politico +evangelicals +assailants +pittsfield +allowable +bijapur +telenovelas +dichomeris +glenelg +herbivores +keita +inked +radom +fundraisers +constantius +boheme +portability +komnenos +crystallography +derrida +moderates +tavistock +fateh +spacex +disjoint +bristles +commercialized +interwoven +empirically +regius +bulacan +newsday +showa +radicalism +yarrow +pleura +sayed +structuring +cotes +reminiscences +acetyl +edicts +escalators +aomori +encapsulated +legacies +bunbury +placings +fearsome +postscript +powerfully +keighley +hildesheim +amicus +crevices +deserters +benelux +aurangabad +freeware +ioannis +carpathians +chirac +seceded +prepaid +landlocked +naturalised +yanukovych +soundscan +blotch +phenotypic +determinants +twente +dictatorial +giessen +composes +recherche +pathophysiology +inventories +ayurveda +elevating +gravestone +degeneres +vilayet +popularizing +spartanburg +bloemfontein +previewed +renunciation +genotype +ogilvy +tracery +blacklisted +emissaries +diploid +disclosures +tupolev +shinjuku +antecedents +pennine +braganza +bhattacharya +countable +spectroscopic +ingolstadt +theseus +corroborated +compounding +thrombosis +extremadura +medallions +hasanabad +lambton +perpetuity +glycol +besancon +palaiologos +pandey +caicos +antecedent +stratum +laserdisc +novitiate +crowdfunding +palatal +sorceress +dassault +toughness +celle +cezanne +vientiane +tioga +hander +crossbar +gisborne +cursor +inspectorate +serif +praia +sphingidae +nameplate +psalter +ivanovic +sitka +equalised +mutineers +sergius +outgrowth +creationism +haredi +rhizomes +predominate +undertakings +vulgate +hydrothermal +abbeville +geodesic +kampung +physiotherapy +unauthorised +asteraceae +conservationist +minoan +supersport +mohammadabad +cranbrook +mentorship +legitimately +marshland +datuk +louvain +potawatomi +carnivores +levies +lyell +hymnal +regionals +tinto +shikoku +conformal +wanganui +beira +lleida +standstill +deloitte +formula_40 +corbusier +chancellery +mixtapes +airtime +muhlenberg +formula_39 +bracts +thrashers +prodigious +gironde +chickamauga +uyghurs +substitutions +pescara +batangas +gregarious +gijon +paleo +mathura +pumas +proportionally +hawkesbury +yucca +kristiania +funimation +fluted +eloquence +mohun +aftermarket +chroniclers +futurist +nonconformist +branko +mannerisms +lesnar +opengl +altos +retainers +ashfield +shelbourne +sulaiman +divisie +gwent +locarno +lieder +minkowski +bivalve +redeployed +cartography +seaway +bookings +decays +ostend +antiquaries +pathogenesis +formula_38 +chrysalis +esperance +valli +motogp +homelands +bridged +bloor +ghazal +vulgaris +baekje +prospector +calculates +debtors +hesperiidae +titian +returner +landgrave +frontenac +kelowna +pregame +castelo +caius +canoeist +watercolours +winterthur +superintendents +dissonance +dubstep +adorn +matic +salih +hillel +swordsman +flavoured +emitter +assays +monongahela +deeded +brazzaville +sufferings +babylonia +fecal +umbria +astrologer +gentrification +frescos +phasing +zielona +ecozone +candido +manoj +quadrilateral +gyula +falsetto +prewar +puntland +infinitive +contraceptive +bakhtiari +ohrid +socialization +tailplane +evoking +havelock +macapagal +plundering +104th +keynesian +templars +phrasing +morphologically +czestochowa +humorously +catawba +burgas +chiswick +ellipsoid +kodansha +inwards +gautama +katanga +orthopaedic +heilongjiang +sieges +outsourced +subterminal +vijayawada +hares +oration +leitrim +ravines +manawatu +cryogenic +tracklisting +about.com +ambedkar +degenerated +hastened +venturing +lobbyists +shekhar +typefaces +northcote +rugen +'good +ornithology +asexual +hemispheres +unsupported +glyphs +spoleto +epigenetic +musicianship +donington +diogo +kangxi +bisected +polymorphism +megawatt +salta +embossed +cheetahs +cruzeiro +unhcr +aristide +rayleigh +maturing +indonesians +noire +llano +ffffff +camus +purges +annales +convair +apostasy +algol +phage +apaches +marketers +aldehyde +pompidou +kharkov +forgeries +praetorian +divested +retrospectively +gornji +scutellum +bitumen +pausanias +magnification +imitations +nyasaland +geographers +floodlights +athlone +hippolyte +expositions +clarinetist +razak +neutrinos +rotax +sheykh +plush +interconnect +andalus +cladogram +rudyard +resonator +granby +blackfriars +placido +windscreen +sahel +minamoto +haida +cations +emden +blackheath +thematically +blacklist +pawel +disseminating +academical +undamaged +raytheon +harsher +powhatan +ramachandran +saddles +paderborn +capping +zahra +prospecting +glycine +chromatin +profane +banska +helmand +okinawan +dislocation +oscillators +insectivorous +foyle +gilgit +autonomic +tuareg +sluice +pollinated +multiplexed +granary +narcissus +ranchi +staines +nitra +goalscoring +midwifery +pensioners +algorithmic +meetinghouse +biblioteca +besar +narva +angkor +predate +lohan +cyclical +detainee +occipital +eventing +faisalabad +dartmoor +kublai +courtly +resigns +radii +megachilidae +cartels +shortfall +xhosa +unregistered +benchmarks +dystopian +bulkhead +ponsonby +jovanovic +accumulates +papuan +bhutanese +intuitively +gotaland +headliners +recursion +dejan +novellas +diphthongs +imbued +withstood +analgesic +amplify +powertrain +programing +maidan +alstom +affirms +eradicated +summerslam +videogame +molla +severing +foundered +gallium +atmospheres +desalination +shmuel +howmeh +catolica +bossier +reconstructing +isolates +lyase +tweets +unconnected +tidewater +divisible +cohorts +orebro +presov +furnishing +folklorist +simplifying +centrale +notations +factorization +monarchies +deepen +macomb +facilitation +hennepin +declassified +redrawn +microprocessors +preliminaries +enlarging +timeframe +deutschen +shipbuilders +patiala +ferrous +aquariums +genealogies +vieux +unrecognized +bridgwater +tetrahedral +thule +resignations +gondwana +registries +agder +dataset +felled +parva +analyzer +worsen +coleraine +columella +blockaded +polytechnique +reassembled +reentry +narvik +greys +nigra +knockouts +bofors +gniezno +slotted +hamasaki +ferrers +conferring +thirdly +domestication +photojournalist +universality +preclude +ponting +halved +thereupon +photosynthetic +ostrava +mismatch +pangasinan +intermediaries +abolitionists +transited +headings +ustase +radiological +interconnection +dabrowa +invariants +honorius +preferentially +chantilly +marysville +dialectical +antioquia +abstained +gogol +dirichlet +muricidae +symmetries +reproduces +brazos +fatwa +bacillus +ketone +paribas +chowk +multiplicative +dermatitis +mamluks +devotes +adenosine +newbery +meditative +minefields +inflection +oxfam +conwy +bystrica +imprints +pandavas +infinitesimal +conurbation +amphetamine +reestablish +furth +edessa +injustices +frankston +serjeant +4x200 +khazar +sihanouk +longchamp +stags +pogroms +coups +upperparts +endpoints +infringed +nuanced +summing +humorist +pacification +ciaran +jamaat +anteriorly +roddick +springboks +faceted +hypoxia +rigorously +cleves +fatimid +ayurvedic +tabled +ratna +senhora +maricopa +seibu +gauguin +holomorphic +campgrounds +amboy +coordinators +ponderosa +casemates +ouachita +nanaimo +mindoro +zealander +rimsky +cluny +tomaszow +meghalaya +caetano +tilak +roussillon +landtag +gravitation +dystrophy +cephalopods +trombones +glens +killarney +denominated +anthropogenic +pssas +roubaix +carcasses +montmorency +neotropical +communicative +rabindranath +ordinated +separable +overriding +surged +sagebrush +conciliation +codice_4 +durrani +phosphatase +qadir +votive +revitalized +taiyuan +tyrannosaurus +graze +slovaks +nematodes +environmentalism +blockhouse +illiteracy +schengen +ecotourism +alternation +conic +wields +hounslow +blackfoot +kwame +ambulatory +volhynia +hordaland +croton +piedras +rohit +drava +conceptualized +birla +illustrative +gurgaon +barisal +tutsi +dezong +nasional +polje +chanson +clarinets +krasnoyarsk +aleksandrovich +cosmonaut +d'este +palliative +midseason +silencing +wardens +durer +girders +salamanders +torrington +supersonics +lauda +farid +circumnavigation +embankments +funnels +bajnoksag +lorries +cappadocia +jains +warringah +retirees +burgesses +equalization +cusco +ganesan +algal +amazonian +lineups +allocating +conquerors +usurper +mnemonic +predating +brahmaputra +ahmadabad +maidenhead +numismatic +subregion +encamped +reciprocating +freebsd +irgun +tortoises +governorates +zionists +airfoil +collated +ajmer +fiennes +etymological +polemic +chadian +clerestory +nordiques +fluctuated +calvados +oxidizing +trailhead +massena +quarrels +dordogne +tirunelveli +pyruvate +pulsed +athabasca +sylar +appointee +serer +japonica +andronikos +conferencing +nicolaus +chemin +ascertained +incited +woodbine +helices +hospitalised +emplacements +to/from +orchestre +tyrannical +pannonia +methodism +pop/rock +shibuya +berbers +despot +seaward +westpac +separator +perpignan +alamein +judeo +publicize +quantization +ethniki +gracilis +menlo +offside +oscillating +unregulated +succumbing +finnmark +metrical +suleyman +raith +sovereigns +bundesstrasse +kartli +fiduciary +darshan +foramen +curler +concubines +calvinism +larouche +bukhara +sophomores +mohanlal +lutheranism +monomer +eamonn +'black +uncontested +immersive +tutorials +beachhead +bindings +permeable +postulates +comite +transformative +indiscriminate +hofstra +associacao +amarna +dermatology +lapland +aosta +babur +unambiguous +formatting +schoolboys +gwangju +superconducting +replayed +adherent +aureus +compressors +forcible +spitsbergen +boulevards +budgeting +nossa +annandale +perumal +interregnum +sassoon +kwajalein +greenbrier +caldas +triangulation +flavius +increment +shakhtar +nullified +pinfall +nomen +microfinance +depreciation +cubist +steeper +splendour +gruppe +everyman +chasers +campaigners +bridle +modality +percussive +darkly +capes +velar +picton +triennial +factional +padang +toponym +betterment +norepinephrine +112th +estuarine +diemen +warehousing +morphism +ideologically +pairings +immunization +crassus +exporters +sefer +flocked +bulbous +deseret +booms +calcite +bohol +elven +groot +pulau +citigroup +wyeth +modernizing +layering +pastiche +complies +printmaker +condenser +theropod +cassino +oxyrhynchus +akademie +trainings +lowercase +coxae +parte +chetniks +pentagonal +keselowski +monocoque +morsi +reticulum +meiosis +clapboard +recoveries +tinge +an/fps +revista +sidon +livre +epidermis +conglomerates +kampong +congruent +harlequins +tergum +simplifies +epidemiological +underwriting +tcp/ip +exclusivity +multidimensional +mysql +columbine +ecologist +hayat +sicilies +levees +handset +aesop +usenet +pacquiao +archiving +alexandrian +compensatory +broadsheet +annotation +bahamian +d'affaires +interludes +phraya +shamans +marmara +customizable +immortalized +ambushes +chlorophyll +diesels +emulsion +rheumatoid +voluminous +screenwriters +tailoring +sedis +runcorn +democratization +bushehr +anacostia +constanta +antiquary +sixtus +radiate +advaita +antimony +acumen +barristers +reichsbahn +ronstadt +symbolist +pasig +cursive +secessionist +afrikaner +munnetra +inversely +adsorption +syllabic +moltke +idioms +midline +olimpico +diphosphate +cautions +radziwill +mobilisation +copelatus +trawlers +unicron +bhaskar +financiers +minimalism +derailment +marxists +oireachtas +abdicate +eigenvalue +zafar +vytautas +ganguly +chelyabinsk +telluride +subordination +ferried +dived +vendee +pictish +dimitrov +expiry +carnation +cayley +magnitudes +lismore +gretna +sandwiched +unmasked +sandomierz +swarthmore +tetra +nanyang +pevsner +dehradun +mormonism +rashi +complying +seaplanes +ningbo +cooperates +strathcona +mornington +mestizo +yulia +edgbaston +palisade +ethno +polytopes +espirito +tymoshenko +pronunciations +paradoxical +taichung +chipmunks +erhard +maximise +accretion +kanda +`abdu'l +narrowest +umpiring +mycenaean +divisor +geneticist +ceredigion +barque +hobbyists +equates +auxerre +spinose +cheil +sweetwater +guano +carboxylic +archiv +tannery +cormorant +agonists +fundacion +anbar +tunku +hindrance +meerut +concordat +secunderabad +kachin +achievable +murfreesboro +comprehensively +forges +broadest +synchronised +speciation +scapa +aliyev +conmebol +tirelessly +subjugated +pillaged +udaipur +defensively +lakhs +stateless +haasan +headlamps +patterning +podiums +polyphony +mcmurdo +mujer +vocally +storeyed +mucosa +multivariate +scopus +minimizes +formalised +certiorari +bourges +populate +overhanging +gaiety +unreserved +borromeo +woolworths +isotopic +bashar +purify +vertebra +medan +juxtaposition +earthwork +elongation +chaudhary +schematic +piast +steeped +nanotubes +fouls +achaea +legionnaires +abdur +qmjhl +embraer +hardback +centerville +ilocos +slovan +whitehorse +mauritian +moulding +mapuche +donned +provisioning +gazprom +jonesboro +audley +lightest +calyx +coldwater +trigonometric +petroglyphs +psychoanalyst +congregate +zambezi +fissure +supervises +bexley +etobicoke +wairarapa +tectonics +emphasises +formula_41 +debugging +linfield +spatially +ionizing +ungulates +orinoco +clades +erlangen +news/talk +vols. +ceara +yakovlev +finsbury +entanglement +fieldhouse +graphene +intensifying +grigory +keyong +zacatecas +ninian +allgemeine +keswick +societa +snorri +femininity +najib +monoclonal +guyanese +postulate +huntly +abbeys +machinist +yunus +emphasising +ishaq +urmia +bremerton +pretenders +lumiere +thoroughfares +chikara +dramatized +metathorax +taiko +transcendence +wycliffe +retrieves +umpired +steuben +racehorses +taylors +kuznetsov +montezuma +precambrian +canopies +gaozong +propodeum +disestablished +retroactive +shoreham +rhizome +doubleheader +clinician +diwali +quartzite +shabaab +agassiz +despatched +stormwater +luxemburg +callao +universidade +courland +skane +glyph +dormers +witwatersrand +curacy +qualcomm +nansen +entablature +lauper +hausdorff +lusaka +ruthenian +360deg +cityscape +douai +vaishnava +spars +vaulting +rationalist +gygax +sequestration +typology +pollinates +accelerators +leben +colonials +cenotaph +imparted +carthaginians +equaled +rostrum +gobind +bodhisattva +oberst +bicycling +arabi +sangre +biophysics +hainaut +vernal +lunenburg +apportioned +finches +lajos +nenad +repackaged +zayed +nikephoros +r.e.m +swaminarayan +gestalt +unplaced +crags +grohl +sialkot +unsaturated +gwinnett +linemen +forays +palakkad +writs +instrumentalists +aircrews +badged +terrapins +180deg +oneness +commissariat +changi +pupation +circumscribed +contador +isotropic +administrated +fiefs +nimes +intrusions +minoru +geschichte +nadph +tainan +changchun +carbondale +frisia +swapo +evesham +hawai'i +encyclopedic +transporters +dysplasia +formula_42 +onsite +jindal +guetta +judgements +narbonne +permissions +paleogene +rationalism +vilna +isometric +subtracted +chattahoochee +lamina +missa +greville +pervez +lattices +persistently +crystallization +timbered +hawaiians +fouling +interrelated +masood +ripening +stasi +gamal +visigothic +warlike +cybernetics +tanjung +forfar +cybernetic +karelian +brooklands +belfort +greifswald +campeche +inexplicably +refereeing +understory +uninterested +prius +collegiately +sefid +sarsfield +categorize +biannual +elsevier +eisteddfod +declension +autonoma +procuring +misrepresentation +novelization +bibliographic +shamanism +vestments +potash +eastleigh +ionized +turan +lavishly +scilly +balanchine +importers +parlance +'that +kanyakumari +synods +mieszko +crossovers +serfdom +conformational +legislated +exclave +heathland +sadar +differentiates +propositional +konstantinos +photoshop +manche +vellore +appalachia +orestes +taiga +exchanger +grozny +invalidated +baffin +spezia +staunchly +eisenach +robustness +virtuosity +ciphers +inlets +bolagh +understandings +bosniaks +parser +typhoons +sinan +luzerne +webcomic +subtraction +jhelum +businessweek +ceske +refrained +firebox +mitigated +helmholtz +dilip +eslamabad +metalwork +lucan +apportionment +provident +gdynia +schooners +casement +danse +hajjiabad +benazir +buttress +anthracite +newsreel +wollaston +dispatching +cadastral +riverboat +provincetown +nantwich +missal +irreverent +juxtaposed +darya +ennobled +electropop +stereoscopic +maneuverability +laban +luhansk +udine +collectibles +haulage +holyrood +materially +supercharger +gorizia +shkoder +townhouses +pilate +layoffs +folkloric +dialectic +exuberant +matures +malla +ceuta +citizenry +crewed +couplet +stopover +transposition +tradesmen +antioxidant +amines +utterance +grahame +landless +isere +diction +appellant +satirist +urbino +intertoto +subiaco +antonescu +nehemiah +ubiquitin +emcee +stourbridge +fencers +103rd +wranglers +monteverdi +watertight +expounded +xiamen +manmohan +pirie +threefold +antidepressant +sheboygan +grieg +cancerous +diverging +bernini +polychrome +fundamentalism +bihari +critiqued +cholas +villers +tendulkar +dafydd +vastra +fringed +evangelization +episcopalian +maliki +sana'a +ashburton +trianon +allegany +heptathlon +insufficiently +panelists +pharrell +hexham +amharic +fertilized +plumes +cistern +stratigraphy +akershus +catalans +karoo +rupee +minuteman +quantification +wigmore +leutnant +metanotum +weeknights +iridescent +extrasolar +brechin +deuterium +kuching +lyricism +astrakhan +brookhaven +euphorbia +hradec +bhagat +vardar +aylmer +positron +amygdala +speculators +unaccompanied +debrecen +slurry +windhoek +disaffected +rapporteur +mellitus +blockers +fronds +yatra +sportsperson +precession +physiologist +weeknight +pidgin +pharma +condemns +standardize +zetian +tibor +glycoprotein +emporia +cormorants +amalie +accesses +leonhard +denbighshire +roald +116th +will.i.am +symbiosis +privatised +meanders +chemnitz +jabalpur +shing +secede +ludvig +krajina +homegrown +snippets +sasanian +euripides +peder +cimarron +streaked +graubunden +kilimanjaro +mbeki +middleware +flensburg +bukovina +lindwall +marsalis +profited +abkhaz +polis +camouflaged +amyloid +morgantown +ovoid +bodleian +morte +quashed +gamelan +juventud +natchitoches +storyboard +freeview +enumeration +cielo +preludes +bulawayo +1600s +olympiads +multicast +faunal +asura +reinforces +puranas +ziegfeld +handicraft +seamount +kheil +noche +hallmarks +dermal +colorectal +encircle +hessen +umbilicus +sunnis +leste +unwin +disclosing +superfund +montmartre +refuelling +subprime +kolhapur +etiology +bismuth +laissez +vibrational +mazar +alcoa +rumsfeld +recurve +ticonderoga +lionsgate +onlookers +homesteads +filesystem +barometric +kingswood +biofuel +belleza +moshav +occidentalis +asymptomatic +northeasterly +leveson +huygens +numan +kingsway +primogeniture +toyotomi +yazoo +limpets +greenbelt +booed +concurrence +dihedral +ventrites +raipur +sibiu +plotters +kitab +109th +trackbed +skilful +berthed +effendi +fairing +sephardi +mikhailovich +lockyer +wadham +invertible +paperbacks +alphabetic +deuteronomy +constitutive +leathery +greyhounds +estoril +beechcraft +poblacion +cossidae +excreted +flamingos +singha +olmec +neurotransmitters +ascoli +nkrumah +forerunners +dualism +disenchanted +benefitted +centrum +undesignated +noida +o'donoghue +collages +egrets +egmont +wuppertal +cleave +montgomerie +pseudomonas +srinivasa +lymphatic +stadia +resold +minima +evacuees +consumerism +ronde +biochemist +automorphism +hollows +smuts +improvisations +vespasian +bream +pimlico +eglin +colne +melancholic +berhad +ousting +saale +notaulices +ouest +hunslet +tiberias +abdomina +ramsgate +stanislas +donbass +pontefract +sucrose +halts +drammen +chelm +l'arc +taming +trolleys +konin +incertae +licensees +scythian +giorgos +dative +tanglewood +farmlands +o'keeffe +caesium +romsdal +amstrad +corte +oglethorpe +huntingdonshire +magnetization +adapts +zamosc +shooto +cuttack +centrepiece +storehouse +winehouse +morbidity +woodcuts +ryazan +buddleja +buoyant +bodmin +estero +austral +verifiable +periyar +christendom +curtail +shura +kaifeng +cotswold +invariance +seafaring +gorica +androgen +usman +seabird +forecourt +pekka +juridical +audacious +yasser +cacti +qianlong +polemical +d'amore +espanyol +distrito +cartographers +pacifism +serpents +backa +nucleophilic +overturning +duplicates +marksman +oriente +vuitton +oberleutnant +gielgud +gesta +swinburne +transfiguration +1750s +retaken +celje +fredrikstad +asuka +cropping +mansard +donates +blacksmiths +vijayanagara +anuradhapura +germinate +betis +foreshore +jalandhar +bayonets +devaluation +frazione +ablaze +abidjan +approvals +homeostasis +corollary +auden +superfast +redcliffe +luxembourgish +datum +geraldton +printings +ludhiana +honoree +synchrotron +invercargill +hurriedly +108th +three-and-a-half +colonist +bexar +limousin +bessemer +ossetian +nunataks +buddhas +rebuked +thais +tilburg +verdicts +interleukin +unproven +dordrecht +solent +acclamation +muammar +dahomey +operettas +4x400 +arrears +negotiators +whitehaven +apparitions +armoury +psychoactive +worshipers +sculptured +elphinstone +airshow +kjell +o'callaghan +shrank +professorships +predominance +subhash +coulomb +sekolah +retrofitted +samos +overthrowing +vibrato +resistors +palearctic +datasets +doordarshan +subcutaneous +compiles +immorality +patchwork +trinidadian +glycogen +pronged +zohar +visigoths +freres +akram +justo +agora +intakes +craiova +playwriting +bukhari +militarism +iwate +petitioners +harun +wisla +inefficiency +vendome +ledges +schopenhauer +kashi +entombed +assesses +tenn. +noumea +baguio +carex +o'donovan +filings +hillsdale +conjectures +blotches +annuals +lindisfarne +negated +vivek +angouleme +trincomalee +cofactor +verkhovna +backfield +twofold +automaker +rudra +freighters +darul +gharana +busway +formula_43 +plattsburgh +portuguesa +showrunner +roadmap +valenciennes +erdos +biafra +spiritualism +transactional +modifies +carne +107th +cocos +gcses +tiverton +radiotherapy +meadowlands +gunma +srebrenica +foxtel +authenticated +enslavement +classicist +klaipeda +minstrels +searchable +infantrymen +incitement +shiga +nadp+ +urals +guilders +banquets +exteriors +counterattacks +visualized +diacritics +patrimony +svensson +transepts +prizren +telegraphy +najaf +emblazoned +coupes +effluent +ragam +omani +greensburg +taino +flintshire +cd/dvd +lobbies +narrating +cacao +seafarers +bicolor +collaboratively +suraj +floodlit +sacral +puppetry +tlingit +malwa +login +motionless +thien +overseers +vihar +golem +specializations +bathhouse +priming +overdubs +winningest +archetypes +uniao +acland +creamery +slovakian +lithographs +maryborough +confidently +excavating +stillborn +ramallah +audiencia +alava +ternary +hermits +rostam +bauxite +gawain +lothair +captions +gulfstream +timelines +receded +mediating +petain +bastia +rudbar +bidders +disclaimer +shrews +tailings +trilobites +yuriy +jamil +demotion +gynecology +rajinikanth +madrigals +ghazni +flycatchers +vitebsk +bizet +computationally +kashgar +refinements +frankford +heralds +europe/africa +levante +disordered +sandringham +queues +ransacked +trebizond +verdes +comedie +primitives +figurine +organists +culminate +gosport +coagulation +ferrying +hoyas +polyurethane +prohibitive +midfielders +ligase +progesterone +defectors +sweetened +backcountry +diodorus +waterside +nieuport +khwaja +jurong +decried +gorkha +ismaili +300th +octahedral +kindergartens +paseo +codification +notifications +disregarding +risque +reconquista +shortland +atolls +texarkana +perceval +d'etudes +kanal +herbicides +tikva +nuova +gatherer +dissented +soweto +dexterity +enver +bacharach +placekicker +carnivals +automate +maynooth +symplectic +chetnik +militaire +upanishads +distributive +strafing +championing +moiety +miliband +blackadder +enforceable +maung +dimer +stadtbahn +diverges +obstructions +coleophoridae +disposals +shamrocks +aural +banca +bahru +coxed +grierson +vanadium +watermill +radiative +ecoregions +berets +hariri +bicarbonate +evacuations +mallee +nairn +rushden +loggia +slupsk +satisfactorily +milliseconds +cariboo +reine +cyclo +pigmentation +postmodernism +aqueducts +vasari +bourgogne +dilemmas +liquefied +fluminense +alloa +ibaraki +tenements +kumasi +humerus +raghu +labours +putsch +soundcloud +bodybuilder +rakyat +domitian +pesaro +translocation +sembilan +homeric +enforcers +tombstones +lectureship +rotorua +salamis +nikolaos +inferences +superfortress +lithgow +surmised +undercard +tarnow +barisan +stingrays +federacion +coldstream +haverford +ornithological +heerenveen +eleazar +jyoti +murali +bamako +riverbed +subsidised +theban +conspicuously +vistas +conservatorium +madrasa +kingfishers +arnulf +credential +syndicalist +sheathed +discontinuity +prisms +tsushima +coastlines +escapees +vitis +optimizing +megapixel +overground +embattled +halide +sprinters +buoys +mpumalanga +peculiarities +106th +roamed +menezes +macao +prelates +papyri +freemen +dissertations +irishmen +pooled +sverre +reconquest +conveyance +subjectivity +asturian +circassian +formula_45 +comdr +thickets +unstressed +monro +passively +harmonium +moveable +dinar +carlsson +elysees +chairing +b'nai +confusingly +kaoru +convolution +godolphin +facilitator +saxophones +eelam +jebel +copulation +anions +livres +licensure +pontypridd +arakan +controllable +alessandria +propelling +stellenbosch +tiber +wolka +liberators +yarns +d'azur +tsinghua +semnan +amhara +ablation +melies +tonality +historique +beeston +kahne +intricately +sonoran +robespierre +gyrus +boycotts +defaulted +infill +maranhao +emigres +framingham +paraiba +wilhelmshaven +tritium +skyway +labial +supplementation +possessor +underserved +motets +maldivian +marrakech +quays +wikimedia +turbojet +demobilization +petrarch +encroaching +sloops +masted +karbala +corvallis +agribusiness +seaford +stenosis +hieronymus +irani +superdraft +baronies +cortisol +notability +veena +pontic +cyclin +archeologists +newham +culled +concurring +aeolian +manorial +shouldered +fords +philanthropists +105th +siddharth +gotthard +halim +rajshahi +jurchen +detritus +practicable +earthenware +discarding +travelogue +neuromuscular +elkhart +raeder +zygmunt +metastasis +internees +102nd +vigour +upmarket +summarizing +subjunctive +offsets +elizabethtown +udupi +pardubice +repeaters +instituting +archaea +substandard +technische +linga +anatomist +flourishes +velika +tenochtitlan +evangelistic +fitchburg +springbok +cascading +hydrostatic +avars +occasioned +filipina +perceiving +shimbun +africanus +consternation +tsing +optically +beitar +45deg +abutments +roseville +monomers +huelva +lotteries +hypothalamus +internationalist +electromechanical +hummingbirds +fibreglass +salaried +dramatists +uncovers +invokes +earners +excretion +gelding +ancien +aeronautica +haverhill +stour +ittihad +abramoff +yakov +ayodhya +accelerates +industrially +aeroplanes +deleterious +dwelt +belvoir +harpalus +atpase +maluku +alasdair +proportionality +taran +epistemological +interferometer +polypeptide +adjudged +villager +metastatic +marshalls +madhavan +archduchess +weizmann +kalgoorlie +balan +predefined +sessile +sagaing +brevity +insecticide +psychosocial +africana +steelworks +aether +aquifers +belem +mineiro +almagro +radiators +cenozoic +solute +turbocharger +invicta +guested +buccaneer +idolatry +unmatched +paducah +sinestro +dispossessed +conforms +responsiveness +cyanobacteria +flautist +procurator +complementing +semifinalist +rechargeable +permafrost +cytokine +refuges +boomed +gelderland +franchised +jinan +burnie +doubtless +randomness +colspan=12 +angra +ginebra +famers +nuestro +declarative +roughness +lauenburg +motile +rekha +issuer +piney +interceptors +napoca +gipsy +formulaic +formula_44 +viswanathan +ebrahim +thessalonica +galeria +muskogee +unsold +html5 +taito +mobutu +icann +carnarvon +fairtrade +morphisms +upsilon +nozzles +fabius +meander +murugan +strontium +episcopacy +sandinista +parasol +attenuated +bhima +primeval +panay +ordinator +negara +osteoporosis +glossop +ebook +paradoxically +grevillea +modoc +equating +phonetically +legumes +covariant +dorje +quatre +bruxelles +pyroclastic +shipbuilder +zhaozong +obscuring +sveriges +tremolo +extensible +barrack +multnomah +hakon +chaharmahal +parsing +volumetric +astrophysical +glottal +combinatorics +freestanding +encoder +paralysed +cavalrymen +taboos +heilbronn +orientalis +lockport +marvels +ozawa +dispositions +waders +incurring +saltire +modulate +papilio +phenol +intermedia +rappahannock +plasmid +fortify +phenotypes +transiting +correspondences +leaguer +larnaca +incompatibility +mcenroe +deeming +endeavoured +aboriginals +helmed +salar +arginine +werke +ferrand +expropriated +delimited +couplets +phoenicians +petioles +ouster +anschluss +protectionist +plessis +urchins +orquesta +castleton +juniata +bittorrent +fulani +donji +mykola +rosemont +chandos +scepticism +signer +chalukya +wicketkeeper +coquitlam +programmatic +o'brian +carteret +urology +steelhead +paleocene +konkan +bettered +venkatesh +surfacing +longitudinally +centurions +popularization +yazid +douro +widths +premios +leonards +gristmill +fallujah +arezzo +leftists +ecliptic +glycerol +inaction +disenfranchised +acrimonious +depositing +parashah +cockatoo +marechal +bolzano +chios +cablevision +impartiality +pouches +thickly +equities +bentinck +emotive +boson +ashdown +conquistadors +parsi +conservationists +reductive +newlands +centerline +ornithologists +waveguide +nicene +philological +hemel +setanta +masala +aphids +convening +casco +matrilineal +chalcedon +orthographic +hythe +replete +damming +bolivarian +admixture +embarks +borderlands +conformed +nagarjuna +blenny +chaitanya +suwon +shigeru +tatarstan +lingayen +rejoins +grodno +merovingian +hardwicke +puducherry +prototyping +laxmi +upheavals +headquarter +pollinators +bromine +transom +plantagenet +arbuthnot +chidambaram +woburn +osamu +panelling +coauthored +zhongshu +hyaline +omissions +aspergillus +offensively +electrolytic +woodcut +sodom +intensities +clydebank +piotrkow +supplementing +quipped +focke +harbinger +positivism +parklands +wolfenbuttel +cauca +tryptophan +taunus +curragh +tsonga +remand +obscura +ashikaga +eltham +forelimbs +analogs +trnava +observances +kailash +antithesis +ayumi +abyssinia +dorsally +tralee +pursuers +misadventures +padova +perot +mahadev +tarim +granth +licenced +compania +patuxent +baronial +korda +cochabamba +codices +karna +memorialized +semaphore +playlists +mandibular +halal +sivaji +scherzinger +stralsund +foundries +ribosome +mindfulness +nikolayevich +paraphyletic +newsreader +catalyze +ioannina +thalamus +gbit/s +paymaster +sarab +500th +replenished +gamepro +cracow +formula_46 +gascony +reburied +lessing +easement +transposed +meurthe +satires +proviso +balthasar +unbound +cuckoos +durbar +louisbourg +cowes +wholesalers +manet +narita +xiaoping +mohamad +illusory +cathal +reuptake +alkaloid +tahrir +mmorpg +underlies +anglicanism +repton +aharon +exogenous +buchenwald +indigent +odostomia +milled +santorum +toungoo +nevsky +steyr +urbanisation +darkseid +subsonic +canaanite +akiva +eglise +dentition +mediators +cirencester +peloponnesian +malmesbury +durres +oerlikon +tabulated +saens +canaria +ischemic +esterhazy +ringling +centralization +walthamstow +nalanda +lignite +takht +leninism +expiring +circe +phytoplankton +promulgation +integrable +breeches +aalto +menominee +borgo +scythians +skrull +galleon +reinvestment +raglan +reachable +liberec +airframes +electrolysis +geospatial +rubiaceae +interdependence +symmetrically +simulcasts +keenly +mauna +adipose +zaidi +fairport +vestibular +actuators +monochromatic +literatures +congestive +sacramental +atholl +skytrain +tycho +tunings +jamia +catharina +modifier +methuen +tapings +infiltrating +colima +grafting +tauranga +halides +pontificate +phonetics +koper +hafez +grooved +kintetsu +extrajudicial +linkoping +cyberpunk +repetitions +laurentian +parnu +bretton +darko +sverdlovsk +foreshadowed +akhenaten +rehnquist +gosford +coverts +pragmatism +broadleaf +ethiopians +instated +mediates +sodra +opulent +descriptor +enugu +shimla +leesburg +officership +giffard +refectory +lusitania +cybermen +fiume +corus +tydfil +lawrenceville +ocala +leviticus +burghers +ataxia +richthofen +amicably +acoustical +watling +inquired +tiempo +multiracial +parallelism +trenchard +tokyopop +germanium +usisl +philharmonia +shapur +jacobites +latinized +sophocles +remittances +o'farrell +adder +dimitrios +peshwa +dimitar +orlov +outstretched +musume +satish +dimensionless +serialised +baptisms +pagasa +antiviral +1740s +quine +arapaho +bombardments +stratosphere +ophthalmic +injunctions +carbonated +nonviolence +asante +creoles +sybra +boilermakers +abington +bipartite +permissive +cardinality +anheuser +carcinogenic +hohenlohe +surinam +szeged +infanticide +generically +floorball +'white +automakers +cerebellar +homozygous +remoteness +effortlessly +allude +'great +headmasters +minting +manchurian +kinabalu +wemyss +seditious +widgets +marbled +almshouses +bards +subgenres +tetsuya +faulting +kickboxer +gaulish +hoseyn +malton +fluvial +questionnaires +mondale +downplayed +traditionalists +vercelli +sumatran +landfills +gamesradar +exerts +franciszek +unlawfully +huesca +diderot +libertarians +professorial +laane +piecemeal +conidae +taiji +curatorial +perturbations +abstractions +szlachta +watercraft +mullah +zoroastrianism +segmental +khabarovsk +rectors +affordability +scuola +diffused +stena +cyclonic +workpiece +romford +'little +jhansi +stalag +zhongshan +skipton +maracaibo +bernadotte +thanet +groening +waterville +encloses +sahrawi +nuffield +moorings +chantry +annenberg +islay +marchers +tenses +wahid +siegen +furstenberg +basques +resuscitation +seminarians +tympanum +gentiles +vegetarianism +tufted +venkata +fantastical +pterophoridae +machined +superposition +glabrous +kaveri +chicane +executors +phyllonorycter +bidirectional +jasta +undertones +touristic +majapahit +navratilova +unpopularity +barbadian +tinian +webcast +hurdler +rigidly +jarrah +staphylococcus +igniting +irrawaddy +stabilised +airstrike +ragas +wakayama +energetically +ekstraklasa +minibus +largemouth +cultivators +leveraging +waitangi +carnaval +weaves +turntables +heydrich +sextus +excavate +govind +ignaz +pedagogue +uriah +borrowings +gemstones +infractions +mycobacterium +batavian +massing +praetor +subalpine +massoud +passers +geostationary +jalil +trainsets +barbus +impair +budejovice +denbigh +pertain +historicity +fortaleza +nederlandse +lamenting +masterchef +doubs +gemara +conductance +ploiesti +cetaceans +courthouses +bhagavad +mihailovic +occlusion +bremerhaven +bulwark +morava +kaine +drapery +maputo +conquistador +kaduna +famagusta +first-past-the-post +erudite +galton +undated +tangential +filho +dismembered +dashes +criterium +darwen +metabolized +blurring +everard +randwick +mohave +impurity +acuity +ansbach +chievo +surcharge +plantain +algoma +porosity +zirconium +selva +sevenoaks +venizelos +gwynne +golgi +imparting +separatism +courtesan +idiopathic +gravestones +hydroelectricity +babar +orford +purposeful +acutely +shard +ridgewood +viterbo +manohar +expropriation +placenames +brevis +cosine +unranked +richfield +newnham +recoverable +flightless +dispersing +clearfield +abu'l +stranraer +kempe +streamlining +goswami +epidermal +pieta +conciliatory +distilleries +electrophoresis +bonne +tiago +curiosities +candidature +picnicking +perihelion +lintel +povoa +gullies +configure +excision +facies +signers +1730s +insufficiency +semiotics +streatham +deactivation +entomological +skippers +albacete +parodying +escherichia +honorees +singaporeans +counterterrorism +tiruchirappalli +omnivorous +metropole +globalisation +athol +unbounded +codice_5 +landforms +classifier +farmhouses +reaffirming +reparation +yomiuri +technologists +mitte +medica +viewable +steampunk +konya +kshatriya +repelling +edgewater +lamiinae +devas +potteries +llandaff +engendered +submits +virulence +uplifted +educationist +metropolitans +frontrunner +dunstable +forecastle +frets +methodius +exmouth +linnean +bouchet +repulsion +computable +equalling +liceo +tephritidae +agave +hydrological +azarenka +fairground +l'homme +enforces +xinhua +cinematographers +cooperstown +sa'id +paiute +christianization +tempos +chippenham +insulator +kotor +stereotyped +dello +cours +hisham +d'souza +eliminations +supercars +passau +rebrand +natures +coote +persephone +rededicated +cleaved +plenum +blistering +indiscriminately +cleese +safed +recursively +compacted +revues +hydration +shillong +echelons +garhwal +pedimented +grower +zwolle +wildflower +annexing +methionine +petah +valens +famitsu +petiole +specialities +nestorian +shahin +tokaido +shearwater +barberini +kinsmen +experimenter +alumnae +cloisters +alumina +pritzker +hardiness +soundgarden +julich +ps300 +watercourse +cementing +wordplay +olivet +demesne +chasseurs +amide +zapotec +gaozu +porphyry +absorbers +indium +analogies +devotions +engravers +limestones +catapulted +surry +brickworks +gotra +rodham +landline +paleontologists +shankara +islip +raucous +trollope +arpad +embarkation +morphemes +recites +picardie +nakhchivan +tolerances +formula_47 +khorramabad +nichiren +adrianople +kirkuk +assemblages +collider +bikaner +bushfires +roofline +coverings +reredos +bibliotheca +mantras +accentuated +commedia +rashtriya +fluctuation +serhiy +referential +fittipaldi +vesicle +geeta +iraklis +immediacy +chulalongkorn +hunsruck +bingen +dreadnoughts +stonemason +meenakshi +lebesgue +undergrowth +baltistan +paradoxes +parlement +articled +tiflis +dixieland +meriden +tejano +underdogs +barnstable +exemplify +venter +tropes +wielka +kankakee +iskandar +zilina +pharyngeal +spotify +materialised +picts +atlantique +theodoric +prepositions +paramilitaries +pinellas +attlee +actuated +piedmontese +grayling +thucydides +multifaceted +unedited +autonomously +universelle +utricularia +mooted +preto +incubated +underlie +brasenose +nootka +bushland +sensu +benzodiazepine +esteghlal +seagoing +amenhotep +azusa +sappers +culpeper +smokeless +thoroughbreds +dargah +gorda +alumna +mankato +zdroj +deleting +culvert +formula_49 +punting +wushu +hindering +immunoglobulin +standardisation +birger +oilfield +quadrangular +ulama +recruiters +netanya +1630s +communaute +istituto +maciej +pathan +meher +vikas +characterizations +playmaker +interagency +intercepts +assembles +horthy +introspection +narada +matra +testes +radnicki +estonians +csiro +instar +mitford +adrenergic +crewmembers +haaretz +wasatch +lisburn +rangefinder +ordre +condensate +reforestation +corregidor +spvgg +modulator +mannerist +faulted +aspires +maktoum +squarepants +aethelred +piezoelectric +mulatto +dacre +progressions +jagiellonian +norge +samaria +sukhoi +effingham +coxless +hermetic +humanists +centrality +litters +stirlingshire +beaconsfield +sundanese +geometrically +caretakers +habitually +bandra +pashtuns +bradenton +arequipa +laminar +brickyard +hitchin +sustains +shipboard +ploughing +trechus +wheelers +bracketed +ilyushin +subotica +d'hondt +reappearance +bridgestone +intermarried +fulfilment +aphasia +birkbeck +transformational +strathmore +hornbill +millstone +lacan +voids +solothurn +gymnasiums +laconia +viaducts +peduncle +teachta +edgware +shinty +supernovae +wilfried +exclaim +parthia +mithun +flashpoint +moksha +cumbia +metternich +avalanches +militancy +motorist +rivadavia +chancellorsville +federals +gendered +bounding +footy +gauri +caliphs +lingam +watchmaker +unrecorded +riverina +unmodified +seafloor +droit +pfalz +chrysostom +gigabit +overlordship +besiege +espn2 +oswestry +anachronistic +ballymena +reactivation +duchovny +ghani +abacetus +duller +legio +watercourses +nord-pas-de-calais +leiber +optometry +swarms +installer +sancti +adverbs +iheartmedia +meiningen +zeljko +kakheti +notional +circuses +patrilineal +acrobatics +infrastructural +sheva +oregonian +adjudication +aamir +wloclawek +overfishing +obstructive +subtracting +aurobindo +archeologist +newgate +'cause +secularization +tehsils +abscess +fingal +janacek +elkhorn +trims +kraftwerk +mandating +irregulars +faintly +congregationalist +sveti +kasai +mishaps +kennebec +provincially +durkheim +scotties +aicte +rapperswil +imphal +surrenders +morphs +nineveh +hoxha +cotabato +thuringian +metalworking +retold +shogakukan +anthers +proteasome +tippeligaen +disengagement +mockumentary +palatial +erupts +flume +corrientes +masthead +jaroslaw +rereleased +bharti +labors +distilling +tusks +varzim +refounded +enniskillen +melkite +semifinalists +vadodara +bermudian +capstone +grasse +origination +populus +alesi +arrondissements +semigroup +verein +opossum +messrs. +portadown +bulbul +tirupati +mulhouse +tetrahedron +roethlisberger +nonverbal +connexion +warangal +deprecated +gneiss +octet +vukovar +hesketh +chambre +despatch +claes +kargil +hideo +gravelly +tyndale +aquileia +tuners +defensible +tutte +theotokos +constructivist +ouvrage +dukla +polisario +monasticism +proscribed +commutation +testers +nipissing +codon +mesto +olivine +concomitant +exoskeleton +purports +coromandel +eyalet +dissension +hippocrates +purebred +yaounde +composting +oecophoridae +procopius +o'day +angiogenesis +sheerness +intelligencer +articular +felixstowe +aegon +endocrinology +trabzon +licinius +pagodas +zooplankton +hooghly +satie +drifters +sarthe +mercian +neuilly +tumours +canal+ +scheldt +inclinations +counteroffensive +roadrunners +tuzla +shoreditch +surigao +predicates +carnot +algeciras +militaries +generalize +bulkheads +gawler +pollutant +celta +rundgren +microrna +gewog +olimpija +placental +lubelski +roxburgh +discerned +verano +kikuchi +musicale +l'enfant +ferocity +dimorphic +antigonus +erzurum +prebendary +recitative +discworld +cyrenaica +stigmella +totnes +sutta +pachuca +ulsan +downton +landshut +castellan +pleural +siedlce +siecle +catamaran +cottbus +utilises +trophic +freeholders +holyhead +u.s.s +chansons +responder +waziristan +suzuka +birding +shogi +asker +acetone +beautification +cytotoxic +dixit +hunterdon +cobblestone +formula_48 +kossuth +devizes +sokoto +interlaced +shuttered +kilowatts +assiniboine +isaak +salto +alderney +sugarloaf +franchising +aggressiveness +toponyms +plaintext +antimatter +henin +equidistant +salivary +bilingualism +mountings +obligate +extirpated +irenaeus +misused +pastoralists +aftab +immigrating +warping +tyrolean +seaforth +teesside +soundwave +oligarchy +stelae +pairwise +iupac +tezuka +posht +orchestrations +landmass +ironstone +gallia +hjalmar +carmelites +strafford +elmhurst +palladio +fragility +teleplay +gruffudd +karoly +yerba +potok +espoo +inductance +macaque +nonprofits +pareto +rock'n'roll +spiritualist +shadowed +skateboarder +utterances +generality +congruence +prostrate +deterred +yellowknife +albarn +maldon +battlements +mohsen +insecticides +khulna +avellino +menstruation +glutathione +springdale +parlophone +confraternity +korps +countrywide +bosphorus +preexisting +damodar +astride +alexandrovich +sprinting +crystallized +botev +leaching +interstates +veers +angevin +undaunted +yevgeni +nishapur +northerners +alkmaar +bethnal +grocers +sepia +tornus +exemplar +trobe +charcot +gyeonggi +larne +tournai +lorain +voided +genji +enactments +maxilla +adiabatic +eifel +nazim +transducer +thelonious +pyrite +deportiva +dialectal +bengt +rosettes +labem +sergeyevich +synoptic +conservator +statuette +biweekly +adhesives +bifurcation +rajapaksa +mammootty +republique +yusef +waseda +marshfield +yekaterinburg +minnelli +fundy +fenian +matchups +dungannon +supremacist +panelled +drenthe +iyengar +fibula +narmada +homeport +oceanside +precept +antibacterial +altarpieces +swath +ospreys +lillooet +legnica +lossless +formula_50 +galvatron +iorga +stormont +rsfsr +loggers +kutno +phenomenological +medallists +cuatro +soissons +homeopathy +bituminous +injures +syndicates +typesetting +displacements +dethroned +makassar +lucchese +abergavenny +targu +alborz +akb48 +boldface +gastronomy +sacra +amenity +accumulator +myrtaceae +cornices +mourinho +denunciation +oxbow +diddley +aargau +arbitrage +bedchamber +gruffydd +zamindar +klagenfurt +caernarfon +slowdown +stansted +abrasion +tamaki +suetonius +dukakis +individualistic +ventrally +hotham +perestroika +ketones +fertilisation +sobriquet +couplings +renderings +misidentified +rundfunk +sarcastically +braniff +concours +dismissals +elegantly +modifiers +crediting +combos +crucially +seafront +lieut +ischemia +manchus +derivations +proteases +aristophanes +adenauer +porting +hezekiah +sante +trulli +hornblower +foreshadowing +ypsilanti +dharwad +khani +hohenstaufen +distillers +cosmodrome +intracranial +turki +salesian +gorzow +jihlava +yushchenko +leichhardt +venables +cassia +eurogamer +airtel +curative +bestsellers +timeform +sortied +grandview +massillon +ceding +pilbara +chillicothe +heredity +elblag +rogaland +ronne +millennial +batley +overuse +bharata +fille +campbelltown +abeyance +counterclockwise +250cc +neurodegenerative +consigned +electromagnetism +sunnah +saheb +exons +coxswain +gleaned +bassoons +worksop +prismatic +immigrate +pickets +takeo +bobsledder +stosur +fujimori +merchantmen +stiftung +forli +endorses +taskforce +thermally +atman +gurps +floodplains +enthalpy +extrinsic +setubal +kennesaw +grandis +scalability +durations +showrooms +prithvi +outro +overruns +andalucia +amanita +abitur +hipper +mozambican +sustainment +arsene +chesham +palaeolithic +reportage +criminality +knowsley +haploid +atacama +shueisha +ridgefield +astern +getafe +lineal +timorese +restyled +hollies +agincourt +unter +justly +tannins +mataram +industrialised +tarnovo +mumtaz +mustapha +stretton +synthetase +condita +allround +putra +stjepan +troughs +aechmea +specialisation +wearable +kadokawa +uralic +aeros +messiaen +existentialism +jeweller +effigies +gametes +fjordane +cochlear +interdependent +demonstrative +unstructured +emplacement +famines +spindles +amplitudes +actuator +tantalum +psilocybe +apnea +monogatari +expulsions +seleucus +tsuen +hospitaller +kronstadt +eclipsing +olympiakos +clann +canadensis +inverter +helio +egyptologist +squamous +resonate +munir +histology +torbay +khans +jcpenney +veterinarians +aintree +microscopes +colonised +reflectors +phosphorylated +pristimantis +tulare +corvinus +multiplexing +midweek +demosthenes +transjordan +ecija +tengku +vlachs +anamorphic +counterweight +radnor +trinitarian +armidale +maugham +njsiaa +futurism +stairways +avicenna +montebello +bridgetown +wenatchee +lyonnais +amass +surinamese +streptococcus +m*a*s*h +hydrogenation +frazioni +proscenium +kalat +pennsylvanian +huracan +tallying +kralove +nucleolar +phrygian +seaports +hyacinthe +ignace +donning +instalment +regnal +fonds +prawn +carell +folktales +goaltending +bracknell +vmware +patriarchy +mitsui +kragujevac +pythagoras +soult +thapa +disproved +suwalki +secures +somoza +l'ecole +divizia +chroma +herders +technologist +deduces +maasai +rampur +paraphrase +raimi +imaged +magsaysay +ivano +turmeric +formula_51 +subcommittees +axillary +ionosphere +organically +indented +refurbishing +pequot +violinists +bearn +colle +contralto +silverton +mechanization +etruscans +wittelsbach +pasir +redshirted +marrakesh +scarp +plein +wafers +qareh +teotihuacan +frobenius +sinensis +rehoboth +bundaberg +newbridge +hydrodynamic +traore +abubakar +adjusts +storytellers +dynamos +verbandsliga +concertmaster +exxonmobil +appreciable +sieradz +marchioness +chaplaincy +rechristened +cunxu +overpopulation +apolitical +sequencer +beaked +nemanja +binaries +intendant +absorber +filamentous +indebtedness +nusra +nashik +reprises +psychedelia +abwehr +ligurian +isoform +resistive +pillaging +mahathir +reformatory +lusatia +allerton +ajaccio +tepals +maturin +njcaa +abyssinian +objector +fissures +sinuous +ecclesiastic +dalits +caching +deckers +phosphates +wurlitzer +navigated +trofeo +berea +purefoods +solway +unlockable +grammys +kostroma +vocalizations +basilan +rebuke +abbasi +douala +helsingborg +ambon +bakar +runestones +cenel +tomislav +pigmented +northgate +excised +seconda +kirke +determinations +dedicates +vilas +pueblos +reversion +unexploded +overprinted +ekiti +deauville +masato +anaesthesia +endoplasmic +transponders +aguascalientes +hindley +celluloid +affording +bayeux +piaget +rickshaws +eishockey +camarines +zamalek +undersides +hardwoods +hermitian +mutinied +monotone +blackmails +affixes +jpmorgan +habermas +mitrovica +paleontological +polystyrene +thana +manas +conformist +turbofan +decomposes +logano +castration +metamorphoses +patroness +herbicide +mikolaj +rapprochement +macroeconomics +barranquilla +matsudaira +lintels +femina +hijab +spotsylvania +morpheme +bitola +baluchistan +kurukshetra +otway +extrusion +waukesha +menswear +helder +trung +bingley +protester +boars +overhang +differentials +exarchate +hejaz +kumara +unjustified +timings +sharpness +nuovo +taisho +sundar +etc.. +jehan +unquestionably +muscovy +daltrey +canute +paneled +amedeo +metroplex +elaborates +telus +tetrapods +dragonflies +epithets +saffir +parthenon +lucrezia +refitting +pentateuch +hanshin +montparnasse +lumberjacks +sanhedrin +erectile +odors +greenstone +resurgent +leszek +amory +substituents +prototypical +viewfinder +monck +universiteit +joffre +revives +chatillon +seedling +scherzo +manukau +ashdod +gympie +homolog +stalwarts +ruinous +weibo +tochigi +wallenberg +gayatri +munda +satyagraha +storefronts +heterogeneity +tollway +sportswriters +binocular +gendarmes +ladysmith +tikal +ortsgemeinde +ja'far +osmotic +linlithgow +bramley +telecoms +pugin +repose +rupaul +sieur +meniscus +garmisch +reintroduce +400th +shoten +poniatowski +drome +kazakhstani +changeover +astronautics +husserl +herzl +hypertext +katakana +polybius +antananarivo +seong +breguet +reliquary +utada +aggregating +liangshan +sivan +tonawanda +audiobooks +shankill +coulee +phenolic +brockton +bookmakers +handsets +boaters +wylde +commonality +mappings +silhouettes +pennines +maurya +pratchett +singularities +eschewed +pretensions +vitreous +ibero +totalitarianism +poulenc +lingered +directx +seasoning +deputation +interdict +illyria +feedstock +counterbalance +muzik +buganda +parachuted +violist +homogeneity +comix +fjords +corsairs +punted +verandahs +equilateral +laoghaire +magyars +117th +alesund +televoting +mayotte +eateries +refurbish +nswrl +yukio +caragiale +zetas +dispel +codecs +inoperable +outperformed +rejuvenation +elstree +modernise +contributory +pictou +tewkesbury +chechens +ashina +psionic +refutation +medico +overdubbed +nebulae +sandefjord +personages +eccellenza +businessperson +placename +abenaki +perryville +threshing +reshaped +arecibo +burslem +colspan=3|turnout +rebadged +lumia +erinsborough +interactivity +bitmap +indefatigable +theosophy +excitatory +gleizes +edsel +bermondsey +korce +saarinen +wazir +diyarbakir +cofounder +liberalisation +onsen +nighthawks +siting +retirements +semyon +d'histoire +114th +redditch +venetia +praha +'round +valdosta +hieroglyphic +postmedial +edirne +miscellany +savona +cockpits +minimization +coupler +jacksonian +appeasement +argentines +saurashtra +arkwright +hesiod +folios +fitzalan +publica +rivaled +civitas +beermen +constructivism +ribeira +zeitschrift +solanum +todos +deformities +chilliwack +verdean +meagre +bishoprics +gujrat +yangzhou +reentered +inboard +mythologies +virtus +unsurprisingly +rusticated +museu +symbolise +proportionate +thesaban +symbian +aeneid +mitotic +veliki +compressive +cisterns +abies +winemaker +massenet +bertolt +ahmednagar +triplemania +armorial +administracion +tenures +smokehouse +hashtag +fuerza +regattas +gennady +kanazawa +mahmudabad +crustal +asaph +valentinian +ilaiyaraaja +honeyeater +trapezoidal +cooperatively +unambiguously +mastodon +inhospitable +harnesses +riverton +renewables +djurgardens +haitians +airings +humanoids +boatswain +shijiazhuang +faints +veera +punjabis +steepest +narain +karlovy +serre +sulcus +collectives +1500m +arion +subarctic +liberally +apollonius +ostia +droplet +headstones +norra +robusta +maquis +veronese +imola +primers +luminance +escadrille +mizuki +irreconcilable +stalybridge +temur +paraffin +stuccoed +parthians +counsels +fundamentalists +vivendi +polymath +sugababes +mikko +yonne +fermions +vestfold +pastoralist +kigali +unseeded +glarus +cusps +amasya +northwesterly +minorca +astragalus +verney +trevelyan +antipathy +wollstonecraft +bivalves +boulez +royle +divisao +quranic +bareilly +coronal +deviates +lulea +erectus +petronas +chandan +proxies +aeroflot +postsynaptic +memoriam +moyne +gounod +kuznetsova +pallava +ordinating +reigate +'first +lewisburg +exploitative +danby +academica +bailiwick +brahe +injective +stipulations +aeschylus +computes +gulden +hydroxylase +liveries +somalis +underpinnings +muscovite +kongsberg +domus +overlain +shareware +variegated +jalalabad +agence +ciphertext +insectivores +dengeki +menuhin +cladistic +baerum +betrothal +tokushima +wavelet +expansionist +pottsville +siyuan +prerequisites +carpi +nemzeti +nazar +trialled +eliminator +irrorated +homeward +redwoods +undeterred +strayed +lutyens +multicellular +aurelian +notated +lordships +alsatian +idents +foggia +garros +chalukyas +lillestrom +podlaski +pessimism +hsien +demilitarized +whitewashed +willesden +kirkcaldy +sanctorum +lamia +relaying +escondido +paediatric +contemplates +demarcated +bluestone +betula +penarol +capitalise +kreuznach +kenora +115th +hold'em +reichswehr +vaucluse +m.i.a +windings +boys/girls +cajon +hisar +predictably +flemington +ysgol +mimicked +clivina +grahamstown +ionia +glyndebourne +patrese +aquaria +sleaford +dayal +sportscenter +malappuram +m.b.a. +manoa +carbines +solvable +designator +ramanujan +linearity +academicians +sayid +lancastrian +factorial +strindberg +vashem +delos +comyn +condensing +superdome +merited +kabaddi +intransitive +bideford +neuroimaging +duopoly +scorecards +ziggler +heriot +boyars +virology +marblehead +microtubules +westphalian +anticipates +hingham +searchers +harpist +rapides +morricone +convalescent +mises +nitride +metrorail +matterhorn +bicol +drivetrain +marketer +snippet +winemakers +muban +scavengers +halberstadt +herkimer +peten +laborious +stora +montgomeryshire +booklist +shamir +herault +eurostar +anhydrous +spacewalk +ecclesia +calliostoma +highschool +d'oro +suffusion +imparts +overlords +tagus +rectifier +counterinsurgency +ministered +eilean +milecastle +contre +micromollusk +okhotsk +bartoli +matroid +hasidim +thirunal +terme +tarlac +lashkar +presque +thameslink +flyby +troopship +renouncing +fatih +messrs +vexillum +bagration +magnetite +bornholm +androgynous +vehement +tourette +philosophic +gianfranco +tuileries +codice_6 +radially +flexion +hants +reprocessing +setae +burne +palaeographically +infantryman +shorebirds +tamarind +moderna +threading +militaristic +crohn +norrkoping +125cc +stadtholder +troms +klezmer +alphanumeric +brome +emmanuelle +tiwari +alchemical +formula_52 +onassis +bleriot +bipedal +colourless +hermeneutics +hosni +precipitating +turnstiles +hallucinogenic +panhellenic +wyandotte +elucidated +chita +ehime +generalised +hydrophilic +biota +niobium +rnzaf +gandhara +longueuil +logics +sheeting +bielsko +cuvier +kagyu +trefoil +docent +pancrase +stalinism +postures +encephalopathy +monckton +imbalances +epochs +leaguers +anzio +diminishes +pataki +nitrite +amuro +nabil +maybach +l'aquila +babbler +bacolod +thutmose +evora +gaudi +breakage +recur +preservative +60deg +mendip +functionaries +columnar +maccabiah +chert +verden +bromsgrove +clijsters +dengue +pastorate +phuoc +principia +viareggio +kharagpur +scharnhorst +anyang +bosons +l'art +criticises +ennio +semarang +brownian +mirabilis +asperger +calibers +typographical +cartooning +minos +disembark +supranational +undescribed +etymologically +alappuzha +vilhelm +lanao +pakenham +bhagavata +rakoczi +clearings +astrologers +manitowoc +bunuel +acetylene +scheduler +defamatory +trabzonspor +leaded +scioto +pentathlete +abrahamic +minigames +aldehydes +peerages +legionary +1640s +masterworks +loudness +bryansk +likeable +genocidal +vegetated +towpath +declination +pyrrhus +divinely +vocations +rosebery +associazione +loaders +biswas +oeste +tilings +xianzong +bhojpuri +annuities +relatedness +idolator +psers +constriction +chuvash +choristers +hanafi +fielders +grammarian +orpheum +asylums +millbrook +gyatso +geldof +stabilise +tableaux +diarist +kalahari +panini +cowdenbeath +melanin +4x100m +resonances +pinar +atherosclerosis +sheringham +castlereagh +aoyama +larks +pantograph +protrude +natak +gustafsson +moribund +cerevisiae +cleanly +polymeric +holkar +cosmonauts +underpinning +lithosphere +firuzabad +languished +mingled +citrate +spadina +lavas +daejeon +fibrillation +porgy +pineville +ps1000 +cobbled +emamzadeh +mukhtar +dampers +indelible +salonika +nanoscale +treblinka +eilat +purporting +fluctuate +mesic +hagiography +cutscenes +fondation +barrens +comically +accrue +ibrox +makerere +defections +'there +hollandia +skene +grosseto +reddit +objectors +inoculation +rowdies +playfair +calligrapher +namor +sibenik +abbottabad +propellants +hydraulically +chloroplasts +tablelands +tecnico +schist +klasse +shirvan +bashkortostan +bullfighting +north/south +polski +hanns +woodblock +kilmore +ejecta +ignacy +nanchang +danubian +commendations +snohomish +samaritans +argumentation +vasconcelos +hedgehogs +vajrayana +barents +kulkarni +kumbakonam +identifications +hillingdon +weirs +nayanar +beauvoir +messe +divisors +atlantiques +broods +affluence +tegucigalpa +unsuited +autodesk +akash +princeps +culprits +kingstown +unassuming +goole +visayan +asceticism +blagojevich +irises +paphos +unsound +maurier +pontchartrain +desertification +sinfonietta +latins +especial +limpet +valerenga +glial +brainstem +mitral +parables +sauropod +judean +iskcon +sarcoma +venlo +justifications +zhuhai +blavatsky +alleviated +usafe +steppenwolf +inversions +janko +chagall +secretory +basildon +saguenay +pergamon +hemispherical +harmonized +reloading +franjo +domaine +extravagance +relativism +metamorphosed +labuan +baloncesto +gmail +byproducts +calvinists +counterattacked +vitus +bubonic +120th +strachey +ritually +brookwood +selectable +savinja +incontinence +meltwater +jinja +1720s +brahmi +morgenthau +sheaves +sleeved +stratovolcano +wielki +utilisation +avoca +fluxus +panzergrenadier +philately +deflation +podlaska +prerogatives +kuroda +theophile +zhongzong +gascoyne +magus +takao +arundell +fylde +merdeka +prithviraj +venkateswara +liepaja +daigo +dreamland +reflux +sunnyvale +coalfields +seacrest +soldering +flexor +structuralism +alnwick +outweighed +unaired +mangeshkar +batons +glaad +banshees +irradiated +organelles +biathlete +cabling +chairlift +lollapalooza +newsnight +capacitive +succumbs +flatly +miramichi +burwood +comedienne +charteris +biotic +workspace +aficionados +sokolka +chatelet +o'shaughnessy +prosthesis +neoliberal +refloated +oppland +hatchlings +econometrics +loess +thieu +androids +appalachians +jenin +pterostichinae +downsized +foils +chipsets +stencil +danza +narrate +maginot +yemenite +bisects +crustacean +prescriptive +melodious +alleviation +empowers +hansson +autodromo +obasanjo +osmosis +daugava +rheumatism +moraes +leucine +etymologies +chepstow +delaunay +bramall +bajaj +flavoring +approximates +marsupials +incisive +microcomputer +tactically +waals +wilno +fisichella +ursus +hindmarsh +mazarin +lomza +xenophobia +lawlessness +annecy +wingers +gornja +gnaeus +superieur +tlaxcala +clasps +symbolises +slats +rightist +effector +blighted +permanence +divan +progenitors +kunsthalle +anointing +excelling +coenzyme +indoctrination +dnipro +landholdings +adriaan +liturgies +cartan +ethmia +attributions +sanctus +trichy +chronicon +tancred +affinis +kampuchea +gantry +pontypool +membered +distrusted +fissile +dairies +hyposmocoma +craigie +adarsh +martinsburg +taxiway +30deg +geraint +vellum +bencher +khatami +formula_53 +zemun +teruel +endeavored +palmares +pavements +u.s.. +internationalization +satirized +carers +attainable +wraparound +muang +parkersburg +extinctions +birkenfeld +wildstorm +payers +cohabitation +unitas +culloden +capitalizing +clwyd +daoist +campinas +emmylou +orchidaceae +halakha +orientales +fealty +domnall +chiefdom +nigerians +ladislav +dniester +avowed +ergonomics +newsmagazine +kitsch +cantilevered +benchmarking +remarriage +alekhine +coldfield +taupo +almirante +substations +apprenticeships +seljuq +levelling +eponym +symbolising +salyut +opioids +underscore +ethnologue +mohegan +marikina +libro +bassano +parse +semantically +disjointed +dugdale +padraig +tulsi +modulating +xfinity +headlands +mstislav +earthworms +bourchier +lgbtq +embellishments +pennants +rowntree +betel +motet +mulla +catenary +washoe +mordaunt +dorking +colmar +girardeau +glentoran +grammatically +samad +recreations +technion +staccato +mikoyan +spoilers +lyndhurst +victimization +chertsey +belafonte +tondo +tonsberg +narrators +subcultures +malformations +edina +augmenting +attests +euphemia +cabriolet +disguising +1650s +navarrese +demoralized +cardiomyopathy +welwyn +wallachian +smoothness +planktonic +voles +issuers +sardasht +survivability +cuauhtemoc +thetis +extruded +signet +raghavan +lombok +eliyahu +crankcase +dissonant +stolberg +trencin +desktops +bursary +collectivization +charlottenburg +triathlete +curvilinear +involuntarily +mired +wausau +invades +sundaram +deletions +bootstrap +abellio +axiomatic +noguchi +setups +malawian +visalia +materialist +kartuzy +wenzong +plotline +yeshivas +parganas +tunica +citric +conspecific +idlib +superlative +reoccupied +blagoevgrad +masterton +immunological +hatta +courbet +vortices +swallowtail +delves +haridwar +diptera +boneh +bahawalpur +angering +mardin +equipments +deployable +guanine +normality +rimmed +artisanal +boxset +chandrasekhar +jools +chenar +tanakh +carcassonne +belatedly +millville +anorthosis +reintegration +velde +surfactant +kanaan +busoni +glyphipterix +personas +fullness +rheims +tisza +stabilizers +bharathi +joost +spinola +mouldings +perching +esztergom +afzal +apostate +lustre +s.league +motorboat +monotheistic +armature +barat +asistencia +bloomsburg +hippocampal +fictionalised +defaults +broch +hexadecimal +lusignan +ryanair +boccaccio +breisgau +southbank +bskyb +adjoined +neurobiology +aforesaid +sadhu +langue +headship +wozniacki +hangings +regulus +prioritized +dynamism +allier +hannity +shimin +antoninus +gymnopilus +caledon +preponderance +melayu +electrodynamics +syncopated +ibises +krosno +mechanistic +morpeth +harbored +albini +monotheism +'real +hyperactivity +haveli +writer/director +minato +nimoy +caerphilly +chitral +amirabad +fanshawe +l'oreal +lorde +mukti +authoritarianism +valuing +spyware +hanbury +restarting +stato +embed +suiza +empiricism +stabilisation +stari +castlemaine +orbis +manufactory +mauritanian +shoji +taoyuan +prokaryotes +oromia +ambiguities +embodying +slims +frente +innovate +ojibwa +powdery +gaeltacht +argentinos +quatermass +detergents +fijians +adaptor +tokai +chileans +bulgars +oxidoreductases +bezirksliga +conceicao +myosin +nellore +500cc +supercomputers +approximating +glyndwr +polypropylene +haugesund +cockerell +tudman +ashbourne +hindemith +bloodlines +rigveda +etruria +romanos +steyn +oradea +deceleration +manhunter +laryngeal +fraudulently +janez +wendover +haplotype +janaki +naoki +belizean +mellencamp +cartographic +sadhana +tricolour +pseudoscience +satara +bytow +s.p.a. +jagdgeschwader +arcot +omagh +sverdrup +masterplan +surtees +apocrypha +ahvaz +d'amato +socratic +leumit +unnumbered +nandini +witold +marsupial +coalesced +interpolated +gimnasia +karadzic +keratin +mamoru +aldeburgh +speculator +escapement +irfan +kashyap +satyajit +haddington +solver +rothko +ashkelon +kickapoo +yeomen +superbly +bloodiest +greenlandic +lithic +autofocus +yardbirds +poona +keble +javan +sufis +expandable +tumblr +ursuline +swimwear +winwood +counsellors +aberrations +marginalised +befriending +workouts +predestination +varietal +siddhartha +dunkeld +judaic +esquimalt +shabab +ajith +telefonica +stargard +hoysala +radhakrishnan +sinusoidal +strada +hiragana +cebuano +monoid +independencia +floodwaters +mildura +mudflats +ottokar +translit +radix +wigner +philosophically +tephritid +synthesizing +castletown +installs +stirner +resettle +bushfire +choirmaster +kabbalistic +shirazi +lightship +rebus +colonizers +centrifuge +leonean +kristofferson +thymus +clackamas +ratnam +rothesay +municipally +centralia +thurrock +gulfport +bilinear +desirability +merite +psoriasis +macaw +erigeron +consignment +mudstone +distorting +karlheinz +ramen +tailwheel +vitor +reinsurance +edifices +superannuation +dormancy +contagion +cobden +rendezvoused +prokaryotic +deliberative +patricians +feigned +degrades +starlings +sopot +viticultural +beaverton +overflowed +convener +garlands +michiel +ternopil +naturelle +biplanes +bagot +gamespy +ventspils +disembodied +flattening +profesional +londoners +arusha +scapular +forestall +pyridine +ulema +eurodance +aruna +callus +periodontal +coetzee +immobilized +o'meara +maharani +katipunan +reactants +zainab +microgravity +saintes +britpop +carrefour +constrain +adversarial +firebirds +brahmo +kashima +simca +surety +surpluses +superconductivity +gipuzkoa +cumans +tocantins +obtainable +humberside +roosting +'king +formula_54 +minelayer +bessel +sulayman +cycled +biomarkers +annealing +shusha +barda +cassation +djing +polemics +tuple +directorates +indomitable +obsolescence +wilhelmine +pembina +bojan +tambo +dioecious +pensioner +magnificat +1660s +estrellas +southeasterly +immunodeficiency +railhead +surreptitiously +codeine +encores +religiosity +tempera +camberley +efendi +boardings +malleable +hagia +input/output +lucasfilm +ujjain +polymorphisms +creationist +berners +mickiewicz +irvington +linkedin +endures +kinect +munition +apologetics +fairlie +predicated +reprinting +ethnographer +variances +levantine +mariinsky +jadid +jarrow +asia/oceania +trinamool +waveforms +bisexuality +preselection +pupae +buckethead +hieroglyph +lyricists +marionette +dunbartonshire +restorer +monarchical +pazar +kickoffs +cabildo +savannas +gliese +dench +spoonbills +novelette +diliman +hypersensitivity +authorising +montefiore +mladen +qu'appelle +theistic +maruti +laterite +conestoga +saare +californica +proboscis +carrickfergus +imprecise +hadassah +baghdadi +jolgeh +deshmukh +amusements +heliopolis +berle +adaptability +partenkirchen +separations +baikonur +cardamom +southeastward +southfield +muzaffar +adequacy +metropolitana +rajkot +kiyoshi +metrobus +evictions +reconciles +librarianship +upsurge +knightley +badakhshan +proliferated +spirituals +burghley +electroacoustic +professing +featurette +reformists +skylab +descriptors +oddity +greyfriars +injects +salmond +lanzhou +dauntless +subgenera +underpowered +transpose +mahinda +gatos +aerobatics +seaworld +blocs +waratahs +joris +giggs +perfusion +koszalin +mieczyslaw +ayyubid +ecologists +modernists +sant'angelo +quicktime +him/her +staves +sanyo +melaka +acrocercops +qigong +iterated +generalizes +recuperation +vihara +circassians +psychical +chavo +memoires +infiltrates +notaries +pelecaniformesfamily +strident +chivalric +pierrepont +alleviating +broadsides +centipede +b.tech +reinterpreted +sudetenland +hussite +covenanters +radhika +ironclads +gainsbourg +testis +penarth +plantar +azadegan +beano +espn.com +leominster +autobiographies +nbcuniversal +eliade +khamenei +montferrat +undistinguished +ethnological +wenlock +fricatives +polymorphic +biome +joule +sheaths +astrophysicist +salve +neoclassicism +lovat +downwind +belisarius +forma +usurpation +freie +depopulation +backbench +ascenso +'high +aagpbl +gdanski +zalman +mouvement +encapsulation +bolshevism +statny +voyageurs +hywel +vizcaya +mazra'eh +narthex +azerbaijanis +cerebrospinal +mauretania +fantail +clearinghouse +bolingbroke +pequeno +ansett +remixing +microtubule +wrens +jawahar +palembang +gambian +hillsong +fingerboard +repurposed +sundry +incipient +veolia +theologically +ulaanbaatar +atsushi +foundling +resistivity +myeloma +factbook +mazowiecka +diacritic +urumqi +clontarf +provokes +intelsat +professes +materialise +portobello +benedictines +panionios +introverted +reacquired +bridport +mammary +kripke +oratorios +vlore +stoning +woredas +unreported +antti +togolese +fanzines +heuristics +conservatories +carburetors +clitheroe +cofounded +formula_57 +erupting +quinnipiac +bootle +ghostface +sittings +aspinall +sealift +transferase +boldklub +siskiyou +predominated +francophonie +ferruginous +castrum +neogene +sakya +madama +precipitous +'love +posix +bithynia +uttara +avestan +thrushes +seiji +memorably +septimius +libri +cibernetico +hyperinflation +dissuaded +cuddalore +peculiarity +vaslui +grojec +albumin +thurles +casks +fasteners +fluidity +buble +casals +terek +gnosticism +cognates +ulnar +radwanska +babylonians +majuro +oxidizer +excavators +rhythmically +liffey +gorakhpur +eurydice +underscored +arborea +lumumba +tuber +catholique +grama +galilei +scrope +centreville +jacobin +bequests +ardeche +polygamous +montauban +terai +weatherboard +readability +attainder +acraea +transversely +rivets +winterbottom +reassures +bacteriology +vriesea +chera +andesite +dedications +homogenous +reconquered +bandon +forrestal +ukiyo +gurdjieff +tethys +sparc +muscogee +grebes +belchatow +mansa +blantyre +palliser +sokolow +fibroblasts +exmoor +misaki +soundscapes +housatonic +middelburg +convenor +leyla +antipope +histidine +okeechobee +alkenes +sombre +alkene +rubik +macaques +calabar +trophee +pinchot +'free +frusciante +chemins +falaise +vasteras +gripped +schwarzenberg +cumann +kanchipuram +acoustically +silverbacks +fangio +inset +plympton +kuril +vaccinations +recep +theropods +axils +stavropol +encroached +apoptotic +papandreou +wailers +moonstone +assizes +micrometers +hornchurch +truncation +annapurna +egyptologists +rheumatic +promiscuity +satiric +fleche +caloptilia +anisotropy +quaternions +gruppo +viscounts +awardees +aftershocks +sigint +concordance +oblasts +gaumont +stent +commissars +kesteven +hydroxy +vijayanagar +belorussian +fabricius +watermark +tearfully +mamet +leukaemia +sorkh +milepost +tattooing +vosta +abbasids +uncompleted +hedong +woodwinds +extinguishing +malus +multiplexes +francoist +pathet +responsa +bassists +'most +postsecondary +ossory +grampian +saakashvili +alito +strasberg +impressionistic +volador +gelatinous +vignette +underwing +campanian +abbasabad +albertville +hopefuls +nieuwe +taxiways +reconvened +recumbent +pathologists +unionized +faversham +asymptotically +romulo +culling +donja +constricted +annesley +duomo +enschede +lovech +sharpshooter +lansky +dhamma +papillae +alanine +mowat +delius +wrest +mcluhan +podkarpackie +imitators +bilaspur +stunting +pommel +casemate +handicaps +nagas +testaments +hemings +necessitate +rearward +locative +cilla +klitschko +lindau +merion +consequential +antic +soong +copula +berthing +chevrons +rostral +sympathizer +budokan +ranulf +beria +stilt +replying +conflated +alcibiades +painstaking +yamanashi +calif. +arvid +ctesiphon +xizong +rajas +caxton +downbeat +resurfacing +rudders +miscegenation +deathmatch +foregoing +arthropod +attestation +karts +reapportionment +harnessing +eastlake +schola +dosing +postcolonial +imtiaz +formula_55 +insulators +gunung +accumulations +pampas +llewelyn +bahnhof +cytosol +grosjean +teaneck +briarcliff +arsenio +canara +elaborating +passchendaele +searchlights +holywell +mohandas +preventable +gehry +mestizos +ustinov +cliched +'national +heidfeld +tertullian +jihadist +tourer +miletus +semicircle +outclassed +bouillon +cardinalate +clarifies +dakshina +bilayer +pandyan +unrwa +chandragupta +formula_56 +portola +sukumaran +lactation +islamia +heikki +couplers +misappropriation +catshark +montt +ploughs +carib +stator +leaderboard +kenrick +dendrites +scape +tillamook +molesworth +mussorgsky +melanesia +restated +troon +glycoside +truckee +headwater +mashup +sectoral +gangwon +docudrama +skirting +psychopathology +dramatised +ostroleka +infestations +thabo +depolarization +wideroe +eisenbahn +thomond +kumaon +upendra +foreland +acronyms +yaqui +retaking +raphaelite +specie +dupage +villars +lucasarts +chloroplast +werribee +balsa +ascribe +havant +flava +khawaja +tyumen +subtract +interrogators +reshaping +buzzcocks +eesti +campanile +potemkin +apertures +snowboarder +registrars +handbooks +boyar +contaminant +depositors +proximate +jeunesse +zagora +pronouncements +mists +nihilism +deified +margraviate +pietersen +moderators +amalfi +adjectival +copepods +magnetosphere +pallets +clemenceau +castra +perforation +granitic +troilus +grzegorz +luthier +dockyards +antofagasta +ffestiniog +subroutine +afterword +waterwheel +druce +nitin +undifferentiated +emacs +readmitted +barneveld +tapers +hittites +infomercials +infirm +braathens +heligoland +carpark +geomagnetic +musculoskeletal +nigerien +machinima +harmonize +repealing +indecency +muskoka +verite +steubenville +suffixed +cytoskeleton +surpasses +harmonia +imereti +ventricles +heterozygous +envisions +otsego +ecoles +warrnambool +burgenland +seria +rawat +capistrano +welby +kirin +enrollments +caricom +dragonlance +schaffhausen +expanses +photojournalism +brienne +etude +referent +jamtland +schemas +xianbei +cleburne +bicester +maritima +shorelines +diagonals +bjelke +nonpublic +aliasing +m.f.a +ovals +maitreya +skirmishing +grothendieck +sukhothai +angiotensin +bridlington +durgapur +contras +gakuen +skagit +rabbinate +tsunamis +haphazard +tyldesley +microcontroller +discourages +hialeah +compressing +septimus +larvik +condoleezza +psilocybin +protectionism +songbirds +clandestinely +selectmen +wargame +cinemascope +khazars +agronomy +melzer +latifah +cherokees +recesses +assemblymen +basescu +banaras +bioavailability +subchannels +adenine +o'kelly +prabhakar +leonese +dimethyl +testimonials +geoffroy +oxidant +universiti +gheorghiu +bohdan +reversals +zamorin +herbivore +jarre +sebastiao +infanterie +dolmen +teddington +radomsko +spaceships +cuzco +recapitulation +mahoning +bainimarama +myelin +aykroyd +decals +tokelau +nalgonda +rajasthani +121st +quelled +tambov +illyrians +homilies +illuminations +hypertrophy +grodzisk +inundation +incapacity +equilibria +combats +elihu +steinitz +berengar +gowda +canwest +khosrau +maculata +houten +kandinsky +onside +leatherhead +heritable +belvidere +federative +chukchi +serling +eruptive +patan +entitlements +suffragette +evolutions +migrates +demobilisation +athleticism +trope +sarpsborg +kensal +translink +squamish +concertgebouw +energon +timestamp +competences +zalgiris +serviceman +codice_7 +spoofing +assange +mahadevan +skien +suceava +augustan +revisionism +unconvincing +hollande +drina +gottlob +lippi +broglie +darkening +tilapia +eagerness +nacht +kolmogorov +photometric +leeuwarden +jrotc +haemorrhage +almanack +cavalli +repudiation +galactose +zwickau +cetinje +houbraken +heavyweights +gabonese +ordinals +noticias +museveni +steric +charaxes +amjad +resection +joinville +leczyca +anastasius +purbeck +subtribe +dalles +leadoff +monoamine +jettisoned +kaori +anthologized +alfreton +indic +bayezid +tottori +colonizing +assassinating +unchanging +eusebian +d'estaing +tsingtao +toshio +transferases +peronist +metrology +equus +mirpur +libertarianism +kovil +indole +'green +abstention +quantitatively +icebreakers +tribals +mainstays +dryandra +eyewear +nilgiri +chrysanthemum +inositol +frenetic +merchantman +hesar +physiotherapist +transceiver +dancefloor +rankine +neisse +marginalization +lengthen +unaided +rework +pageantry +savio +striated +funen +witton +illuminates +frass +hydrolases +akali +bistrita +copywriter +firings +handballer +tachinidae +dmytro +coalesce +neretva +menem +moraines +coatbridge +crossrail +spoofed +drosera +ripen +protour +kikuyu +boleslav +edwardes +troubadours +haplogroups +wrasse +educationalist +sroda +khaneh +dagbladet +apennines +neuroscientist +deplored +terje +maccabees +daventry +spaceport +lessening +ducats +singer/guitarist +chambersburg +yeong +configurable +ceremonially +unrelenting +caffe +graaf +denizens +kingsport +ingush +panhard +synthesised +tumulus +homeschooled +bozorg +idiomatic +thanhouser +queensway +radek +hippolytus +inking +banovina +peacocks +piaui +handsworth +pantomimes +abalone +thera +kurzweil +bandura +augustinians +bocelli +ferrol +jiroft +quadrature +contravention +saussure +rectification +agrippina +angelis +matanzas +nidaros +palestrina +latium +coriolis +clostridium +ordain +uttering +lanchester +proteolytic +ayacucho +merseburg +holbein +sambalpur +algebraically +inchon +ostfold +savoia +calatrava +lahiri +judgeship +ammonite +masaryk +meyerbeer +hemorrhagic +superspeedway +ningxia +panicles +encircles +khmelnytsky +profusion +esher +babol +inflationary +anhydride +gaspe +mossy +periodicity +nacion +meteorologists +mahjong +interventional +sarin +moult +enderby +modell +palgrave +warners +montcalm +siddha +functionalism +rilke +politicized +broadmoor +kunste +orden +brasileira +araneta +eroticism +colquhoun +mamba +blacktown +tubercle +seagrass +manoel +camphor +neoregelia +llandudno +annexe +enplanements +kamien +plovers +statisticians +iturbide +madrasah +nontrivial +publican +landholders +manama +uninhabitable +revivalist +trunkline +friendliness +gurudwara +rocketry +unido +tripos +besant +braque +evolutionarily +abkhazian +staffel +ratzinger +brockville +bohemond +intercut +djurgarden +utilitarianism +deploys +sastri +absolutism +subhas +asghar +fictions +sepinwall +proportionately +titleholders +thereon +foursquare +machinegun +knightsbridge +siauliai +aqaba +gearboxes +castaways +weakens +phallic +strzelce +buoyed +ruthenia +pharynx +intractable +neptunes +koine +leakey +netherlandish +preempted +vinay +terracing +instigating +alluvium +prosthetics +vorarlberg +politiques +joinery +reduplication +nebuchadnezzar +lenticular +banka +seaborne +pattinson +helpline +aleph +beckenham +californians +namgyal +franziska +aphid +branagh +transcribe +appropriateness +surakarta +takings +propagates +juraj +b0d3fb +brera +arrayed +tailback +falsehood +hazleton +prosody +egyptology +pinnate +tableware +ratan +camperdown +ethnologist +tabari +classifiers +biogas +126th +kabila +arbitron +apuestas +membranous +kincardine +oceana +glories +natick +populism +synonymy +ghalib +mobiles +motherboards +stationers +germinal +patronised +formula_58 +gaborone +torts +jeezy +interleague +novaya +batticaloa +offshoots +wilbraham +filename +nswrfl +'well +trilobite +pythons +optimally +scientologists +rhesus +pilsen +backdrops +batang +unionville +hermanos +shrikes +fareham +outlawing +discontinuing +boisterous +shamokin +scanty +southwestward +exchangers +unexpired +mewar +h.m.s +saldanha +pawan +condorcet +turbidity +donau +indulgences +coincident +cliques +weeklies +bardhaman +violators +kenai +caspase +xperia +kunal +fistula +epistemic +cammell +nephi +disestablishment +rotator +germaniawerft +pyaar +chequered +jigme +perlis +anisotropic +popstars +kapil +appendices +berat +defecting +shacks +wrangel +panchayath +gorna +suckling +aerosols +sponheim +talal +borehole +encodings +enlai +subduing +agong +nadar +kitsap +syrmia +majumdar +pichilemu +charleville +embryology +booting +literati +abutting +basalts +jussi +repubblica +hertogenbosch +digitization +relents +hillfort +wiesenthal +kirche +bhagwan +bactrian +oases +phyla +neutralizing +helsing +ebooks +spearheading +margarine +'golden +phosphor +picea +stimulants +outliers +timescale +gynaecology +integrator +skyrocketed +bridgnorth +senecio +ramachandra +suffragist +arrowheads +aswan +inadvertent +microelectronics +118th +sofer +kubica +melanesian +tuanku +balkh +vyborg +crystallographic +initiators +metamorphism +ginzburg +looters +unimproved +finistere +newburyport +norges +immunities +franchisees +asterism +kortrijk +camorra +komsomol +fleurs +draughts +patagonian +voracious +artin +collaborationist +revolucion +revitalizing +xaver +purifying +antipsychotic +disjunct +pompeius +dreamwave +juvenal +beinn +adiyaman +antitank +allama +boletus +melanogaster +dumitru +caproni +aligns +athabaskan +stobart +phallus +veikkausliiga +hornsey +buffering +bourbons +dobruja +marga +borax +electrics +gangnam +motorcyclist +whidbey +draconian +lodger +galilean +sanctification +imitates +boldness +underboss +wheatland +cantabrian +terceira +maumee +redefining +uppercase +ostroda +characterise +universalism +equalized +syndicalism +haringey +masovia +deleuze +funkadelic +conceals +thuan +minsky +pluralistic +ludendorff +beekeeping +bonfires +endoscopic +abuts +prebend +jonkoping +amami +tribunes +yup'ik +awadh +gasification +pforzheim +reforma +antiwar +vaishnavism +maryville +inextricably +margrethe +empresa +neutrophils +sanctified +ponca +elachistidae +curiae +quartier +mannar +hyperplasia +wimax +busing +neologism +florins +underrepresented +digitised +nieuw +cooch +howards +frege +hughie +plied +swale +kapellmeister +vajpayee +quadrupled +aeronautique +dushanbe +custos +saltillo +kisan +tigray +manaus +epigrams +shamanic +peppered +frosts +promotion/relegation +concedes +zwingli +charentes +whangarei +hyung +spring/summer +sobre +eretz +initialization +sawai +ephemera +grandfathered +arnaldo +customised +permeated +parapets +growths +visegrad +estudios +altamont +provincia +apologises +stoppard +carburettor +rifts +kinematic +zhengzhou +eschatology +prakrit +folate +yvelines +scapula +stupas +rishon +reconfiguration +flutist +1680s +apostolate +proudhon +lakshman +articulating +stortford +faithfull +bitterns +upwelling +qur'anic +lidar +interferometry +waterlogged +koirala +ditton +wavefunction +fazal +babbage +antioxidants +lemberg +deadlocked +tolled +ramapo +mathematica +leiria +topologies +khali +photonic +balti +1080p +corrects +recommenced +polyglot +friezes +tiebreak +copacabana +cholmondeley +armband +abolishment +sheamus +buttes +glycolysis +cataloged +warrenton +sassari +kishan +foodservice +cryptanalysis +holmenkollen +cosplay +machi +yousuf +mangal +allying +fertiliser +otomi +charlevoix +metallurg +parisians +bottlenose +oakleigh +debug +cidade +accede +ligation +madhava +pillboxes +gatefold +aveyron +sorin +thirsk +immemorial +menelik +mehra +domingos +underpinned +fleshed +harshness +diphthong +crestwood +miskolc +dupri +pyrausta +muskingum +tuoba +prodi +incidences +waynesboro +marquesas +heydar +artesian +calinescu +nucleation +funders +covalently +compaction +derbies +seaters +sodor +tabular +amadou +peckinpah +o'halloran +zechariah +libyans +kartik +daihatsu +chandran +erzhu +heresies +superheated +yarder +dorde +tanjore +abusers +xuanwu +juniperus +moesia +trusteeship +birdwatching +beatz +moorcock +harbhajan +sanga +choreographic +photonics +boylston +amalgamate +prawns +electrifying +sarath +inaccurately +exclaims +powerpoint +chaining +cpusa +adulterous +saccharomyces +glogow +vfl/afl +syncretic +simla +persisting +functors +allosteric +euphorbiaceae +juryo +mlada +moana +gabala +thornycroft +kumanovo +ostrovsky +sitio +tutankhamun +sauropods +kardzhali +reinterpretation +sulpice +rosyth +originators +halesowen +delineation +asesoria +abatement +gardai +elytra +taillights +overlays +monsoons +sandpipers +ingmar +henrico +inaccuracy +irwell +arenabowl +elche +pressburg +signalman +interviewees +sinkhole +pendle +ecommerce +cellos +nebria +organometallic +surrealistic +propagandist +interlaken +canandaigua +aerials +coutinho +pascagoula +tonopah +letterkenny +gropius +carbons +hammocks +childe +polities +hosiery +donitz +suppresses +diaghilev +stroudsburg +bagram +pistoia +regenerating +unitarians +takeaway +offstage +vidin +glorification +bakunin +yavapai +lutzow +sabercats +witney +abrogated +gorlitz +validating +dodecahedron +stubbornly +telenor +glaxosmithkline +solapur +undesired +jellicoe +dramatization +four-and-a-half +seawall +waterpark +artaxerxes +vocalization +typographic +byung +sachsenhausen +shepparton +kissimmee +konnan +belsen +dhawan +khurd +mutagenesis +vejle +perrot +estradiol +formula_60 +saros +chiloe +misiones +lamprey +terrains +speke +miasto +eigenvectors +haydock +reservist +corticosteroids +savitri +shinawatra +developmentally +yehudi +berates +janissaries +recapturing +rancheria +subplots +gresley +nikkatsu +oryol +cosmas +boavista +formula_59 +playfully +subsections +commentated +kathakali +dorid +vilaine +seepage +hylidae +keiji +kazakhs +triphosphate +1620s +supersede +monarchists +falla +miyako +notching +bhumibol +polarizing +secularized +shingled +bronislaw +lockerbie +soleyman +bundesbahn +latakia +redoubts +boult +inwardly +invents +ondrej +minangkabau +newquay +permanente +alhaji +madhav +malini +ellice +bookmaker +mankiewicz +etihad +o'dea +interrogative +mikawa +wallsend +canisius +bluesy +vitruvius +noord +ratifying +mixtec +gujranwala +subprefecture +keelung +goiania +nyssa +shi'ite +semitone +ch'uan +computerised +pertuan +catapults +nepomuk +shruti +millstones +buskerud +acolytes +tredegar +sarum +armia +dell'arte +devises +custodians +upturned +gallaudet +disembarking +thrashed +sagrada +myeon +undeclared +qumran +gaiden +tepco +janesville +showground +condense +chalon +unstaffed +pasay +undemocratic +hauts +viridis +uninjured +escutcheon +gymkhana +petaling +hammam +dislocations +tallaght +rerum +shias +indios +guaranty +simplicial +benares +benediction +tajiri +prolifically +huawei +onerous +grantee +ferencvaros +otranto +carbonates +conceit +digipak +qadri +masterclasses +swamiji +cradock +plunket +helmsman +119th +salutes +tippecanoe +murshidabad +intelligibility +mittal +diversifying +bidar +asansol +crowdsourcing +rovere +karakoram +grindcore +skylights +tulagi +furrows +ligne +stuka +sumer +subgraph +amata +regionalist +bulkeley +teletext +glorify +readied +lexicographer +sabadell +predictability +quilmes +phenylalanine +bandaranaike +pyrmont +marksmen +quisling +viscountess +sociopolitical +afoul +pediments +swazi +martyrology +nullify +panagiotis +superconductors +veldenz +jujuy +l'isle +hematopoietic +shafi +subsea +hattiesburg +jyvaskyla +kebir +myeloid +landmine +derecho +amerindians +birkenau +scriabin +milhaud +mucosal +nikaya +freikorps +theoretician +proconsul +o'hanlon +clerked +bactria +houma +macular +topologically +shrubby +aryeh +ghazali +afferent +magalhaes +moduli +ashtabula +vidarbha +securitate +ludwigsburg +adoor +varun +shuja +khatun +chengde +bushels +lascelles +professionnelle +elfman +rangpur +unpowered +citytv +chojnice +quaternion +stokowski +aschaffenburg +commutes +subramaniam +methylene +satrap +gharb +namesakes +rathore +helier +gestational +heraklion +colliers +giannis +pastureland +evocation +krefeld +mahadeva +churchmen +egret +yilmaz +galeazzo +pudukkottai +artigas +generalitat +mudslides +frescoed +enfeoffed +aphorisms +melilla +montaigne +gauliga +parkdale +mauboy +linings +prema +sapir +xylophone +kushan +rockne +sequoyah +vasyl +rectilinear +vidyasagar +microcosm +san'a +carcinogen +thicknesses +aleut +farcical +moderating +detested +hegemonic +instalments +vauban +verwaltungsgemeinschaft +picayune +razorback +magellanic +moluccas +pankhurst +exportation +waldegrave +sufferer +bayswater +1up.com +rearmament +orangutans +varazdin +b.o.b +elucidate +harlingen +erudition +brankovic +lapis +slipway +urraca +shinde +unwell +elwes +euboea +colwyn +srivijaya +grandstands +hortons +generalleutnant +fluxes +peterhead +gandhian +reals +alauddin +maximized +fairhaven +endow +ciechanow +perforations +darters +panellist +manmade +litigants +exhibitor +tirol +caracalla +conformance +hotelier +stabaek +hearths +borac +frisians +ident +veliko +emulators +schoharie +uzbeks +samarra +prestwick +wadia +universita +tanah +bucculatrix +predominates +genotypes +denounces +roadsides +ganassi +keokuk +philatelist +tomic +ingots +conduits +samplers +abdus +johar +allegories +timaru +wolfpacks +secunda +smeaton +sportivo +inverting +contraindications +whisperer +moradabad +calamities +bakufu +soundscape +smallholders +nadeem +crossroad +xenophobic +zakir +nationalliga +glazes +retroflex +schwyz +moroder +rubra +quraysh +theodoros +endemol +infidels +km/hr +repositioned +portraitist +lluis +answerable +arges +mindedness +coarser +eyewall +teleported +scolds +uppland +vibraphone +ricoh +isenburg +bricklayer +cuttlefish +abstentions +communicable +cephalopod +stockyards +balto +kinston +armbar +bandini +elphaba +maxims +bedouins +sachsen +friedkin +tractate +pamir +ivanovo +mohini +kovalainen +nambiar +melvyn +orthonormal +matsuyama +cuernavaca +veloso +overstated +streamer +dravid +informers +analyte +sympathized +streetscape +gosta +thomasville +grigore +futuna +depleting +whelks +kiedis +armadale +earner +wynyard +dothan +animating +tridentine +sabri +immovable +rivoli +ariege +parley +clinker +circulates +junagadh +fraunhofer +congregants +180th +buducnost +formula_62 +olmert +dedekind +karnak +bayernliga +mazes +sandpiper +ecclestone +yuvan +smallmouth +decolonization +lemmy +adjudicated +retiro +legia +benue +posit +acidification +wahab +taconic +floatplane +perchlorate +atria +wisbech +divestment +dallara +phrygia +palustris +cybersecurity +rebates +facie +mineralogical +substituent +proteges +fowey +mayenne +smoothbore +cherwell +schwarzschild +junin +murrumbidgee +smalltalk +d'orsay +emirati +calaveras +titusville +theremin +vikramaditya +wampanoag +burra +plaines +onegin +emboldened +whampoa +langa +soderbergh +arnaz +sowerby +arendal +godunov +pathanamthitta +damselfly +bestowing +eurosport +iconoclasm +outfitters +acquiesced +badawi +hypotension +ebbsfleet +annulus +sohrab +thenceforth +chagatai +necessitates +aulus +oddities +toynbee +uniontown +innervation +populaire +indivisible +rossellini +minuet +cyrene +gyeongju +chania +cichlids +harrods +1690s +plunges +abdullahi +gurkhas +homebuilt +sortable +bangui +rediff +incrementally +demetrios +medaille +sportif +svend +guttenberg +tubules +carthusian +pleiades +torii +hoppus +phenyl +hanno +conyngham +teschen +cronenberg +wordless +melatonin +distinctiveness +autos +freising +xuanzang +dunwich +satanism +sweyn +predrag +contractually +pavlovic +malaysians +micrometres +expertly +pannonian +abstaining +capensis +southwesterly +catchphrases +commercialize +frankivsk +normanton +hibernate +verso +deportees +dubliners +codice_8 +condors +zagros +glosses +leadville +conscript +morrisons +usury +ossian +oulton +vaccinium +civet +ayman +codrington +hadron +nanometers +geochemistry +extractor +grigori +tyrrhenian +neocollyris +drooping +falsification +werft +courtauld +brigantine +orhan +chapultepec +supercopa +federalized +praga +havering +encampments +infallibility +sardis +pawar +undirected +reconstructionist +ardrossan +varuna +pastimes +archdiocesan +fledging +shenhua +molise +secondarily +stagnated +replicates +ciencias +duryodhana +marauding +ruislip +ilyich +intermixed +ravenswood +shimazu +mycorrhizal +icosahedral +consents +dunblane +follicular +pekin +suffield +muromachi +kinsale +gauche +businesspeople +thereto +watauga +exaltation +chelmno +gorse +proliferate +drainages +burdwan +kangra +transducers +inductor +duvalier +maguindanao +moslem +uncaf +givenchy +plantarum +liturgics +telegraphs +lukashenko +chenango +andante +novae +ironwood +faubourg +torme +chinensis +ambala +pietermaritzburg +virginians +landform +bottlenecks +o'driscoll +darbhanga +baptistery +ameer +needlework +naperville +auditoriums +mullingar +starrer +animatronic +topsoil +madura +cannock +vernet +santurce +catocala +ozeki +pontevedra +multichannel +sundsvall +strategists +medio +135th +halil +afridi +trelawny +caloric +ghraib +allendale +hameed +ludwigshafen +spurned +pavlo +palmar +strafed +catamarca +aveiro +harmonization +surah +predictors +solvay +mande +omnipresent +parenthesis +echolocation +equaling +experimenters +acyclic +lithographic +sepoys +katarzyna +sridevi +impoundment +khosrow +caesarean +nacogdoches +rockdale +lawmaker +caucasians +bahman +miyan +rubric +exuberance +bombastic +ductile +snowdonia +inlays +pinyon +anemones +hurries +hospitallers +tayyip +pulleys +treme +photovoltaics +testbed +polonium +ryszard +osgoode +profiting +ironwork +unsurpassed +nepticulidae +makai +lumbini +preclassic +clarksburg +egremont +videography +rehabilitating +ponty +sardonic +geotechnical +khurasan +solzhenitsyn +henna +phoenicia +rhyolite +chateaux +retorted +tomar +deflections +repressions +harborough +renan +brumbies +vandross +storia +vodou +clerkenwell +decking +universo +salon.com +imprisoning +sudwest +ghaziabad +subscribing +pisgah +sukhumi +econometric +clearest +pindar +yildirim +iulia +atlases +cements +remaster +dugouts +collapsible +resurrecting +batik +unreliability +thiers +conjunctions +colophon +marcher +placeholder +flagella +wolds +kibaki +viviparous +twelver +screenshots +aroostook +khadr +iconographic +itasca +jaume +basti +propounded +varro +be'er +jeevan +exacted +shrublands +creditable +brocade +boras +bittern +oneonta +attentional +herzliya +comprehensible +lakeville +discards +caxias +frankland +camerata +satoru +matlab +commutator +interprovincial +yorkville +benefices +nizami +edwardsville +amigaos +cannabinoid +indianola +amateurliga +pernicious +ubiquity +anarchic +novelties +precondition +zardari +symington +sargodha +headphone +thermopylae +mashonaland +zindagi +thalberg +loewe +surfactants +dobro +crocodilians +samhita +diatoms +haileybury +berwickshire +supercritical +sofie +snorna +slatina +intramolecular +agung +osteoarthritis +obstetric +teochew +vakhtang +connemara +deformations +diadem +ferruccio +mainichi +qualitatively +refrigerant +rerecorded +methylated +karmapa +krasinski +restatement +rouvas +cubitt +seacoast +schwarzkopf +homonymous +shipowner +thiamine +approachable +xiahou +160th +ecumenism +polistes +internazionali +fouad +berar +biogeography +texting +inadequately +'when +4kids +hymenoptera +emplaced +cognomen +bellefonte +supplant +michaelmas +uriel +tafsir +morazan +schweinfurt +chorister +ps400 +nscaa +petipa +resolutely +ouagadougou +mascarene +supercell +konstanz +bagrat +harmonix +bergson +shrimps +resonators +veneta +camas +mynydd +rumford +generalmajor +khayyam +web.com +pappus +halfdan +tanana +suomen +yutaka +bibliographical +traian +silat +noailles +contrapuntal +agaricus +'special +minibuses +1670s +obadiah +deepa +rorschach +malolos +lymington +valuations +imperials +caballeros +ambroise +judicature +elegiac +sedaka +shewa +checksum +gosforth +legionaries +corneille +microregion +friedrichshafen +antonis +surnamed +mycelium +cantus +educations +topmost +outfitting +ivica +nankai +gouda +anthemic +iosif +supercontinent +antifungal +belarusians +mudaliar +mohawks +caversham +glaciated +basemen +stevan +clonmel +loughton +deventer +positivist +manipuri +tensors +panipat +changeup +impermeable +dubbo +elfsborg +maritimo +regimens +bikram +bromeliad +substratum +norodom +gaultier +queanbeyan +pompeo +redacted +eurocopter +mothballed +centaurs +borno +copra +bemidji +'home +sopron +neuquen +passo +cineplex +alexandrov +wysokie +mammoths +yossi +sarcophagi +congreve +petkovic +extraneous +waterbirds +slurs +indias +phaeton +discontented +prefaced +abhay +prescot +interoperable +nordisk +bicyclists +validly +sejong +litovsk +zanesville +kapitanleutnant +kerch +changeable +mcclatchy +celebi +attesting +maccoll +sepahan +wayans +veined +gaudens +markt +dansk +soane +quantized +petersham +forebears +nayarit +frenzied +queuing +bygone +viggo +ludwik +tanka +hanssen +brythonic +cornhill +primorsky +stockpiles +conceptualization +lampeter +hinsdale +mesoderm +bielsk +rosenheim +ultron +joffrey +stanwyck +khagan +tiraspol +pavelic +ascendant +empoli +metatarsal +descentralizado +masada +ligier +huseyin +ramadi +waratah +tampines +ruthenium +statoil +mladost +liger +grecian +multiparty +digraph +maglev +reconsideration +radiography +cartilaginous +taizu +wintered +anabaptist +peterhouse +shoghi +assessors +numerator +paulet +painstakingly +halakhic +rocroi +motorcycling +gimel +kryptonian +emmeline +cheeked +drawdown +lelouch +dacians +brahmana +reminiscence +disinfection +optimizations +golders +extensor +tsugaru +tolling +liman +gulzar +unconvinced +crataegus +oppositional +dvina +pyrolysis +mandan +alexius +prion +stressors +loomed +moated +dhivehi +recyclable +relict +nestlings +sarandon +kosovar +solvers +czeslaw +kenta +maneuverable +middens +berkhamsted +comilla +folkways +loxton +beziers +batumi +petrochemicals +optimised +sirjan +rabindra +musicality +rationalisation +drillers +subspaces +'live +bbwaa +outfielders +tsung +danske +vandalised +norristown +striae +kanata +gastroenterology +steadfastly +equalising +bootlegging +mannerheim +notodontidae +lagoa +commentating +peninsulas +chishti +seismology +modigliani +preceptor +canonically +awardee +boyaca +hsinchu +stiffened +nacelle +bogor +dryness +unobstructed +yaqub +scindia +peeters +irritant +ammonites +ferromagnetic +speechwriter +oxygenated +walesa +millais +canarian +faience +calvinistic +discriminant +rasht +inker +annexes +howth +allocates +conditionally +roused +regionalism +regionalbahn +functionary +nitrates +bicentenary +recreates +saboteurs +koshi +plasmids +thinned +124th +plainview +kardashian +neuville +victorians +radiates +127th +vieques +schoolmates +petru +tokusatsu +keying +sunaina +flamethrower +'bout +demersal +hosokawa +corelli +omniscient +o'doherty +niksic +reflectivity +transdev +cavour +metronome +temporally +gabba +nsaids +geert +mayport +hematite +boeotia +vaudreuil +torshavn +sailplane +mineralogist +eskisehir +practises +gallifrey +takumi +unease +slipstream +hedmark +paulinus +ailsa +wielkopolska +filmworks +adamantly +vinaya +facelifted +franchisee +augustana +toppling +velvety +crispa +stonington +histological +genealogist +tactician +tebow +betjeman +nyingma +overwinter +oberoi +rampal +overwinters +petaluma +lactarius +stanmore +balikpapan +vasant +inclines +laminate +munshi +sociedade +rabbah +septal +boyband +ingrained +faltering +inhumans +nhtsa +affix +l'ordre +kazuki +rossendale +mysims +latvians +slaveholders +basilicata +neuburg +assize +manzanillo +scrobipalpa +formula_61 +belgique +pterosaurs +privateering +vaasa +veria +northport +pressurised +hobbyist +austerlitz +sahih +bhadra +siliguri +bistrica +bursaries +wynton +corot +lepidus +lully +libor +libera +olusegun +choline +mannerism +lymphocyte +chagos +duxbury +parasitism +ecowas +morotai +cancion +coniston +aggrieved +sputnikmusic +parle +ammonian +civilisations +malformation +cattaraugus +skyhawks +d'arc +demerara +bronfman +midwinter +piscataway +jogaila +threonine +matins +kohlberg +hubli +pentatonic +camillus +nigam +potro +unchained +chauvel +orangeville +cistercians +redeployment +xanthi +manju +carabinieri +pakeha +nikolaevich +kantakouzenos +sesquicentennial +gunships +symbolised +teramo +ballo +crusading +l'oeil +bharatpur +lazier +gabrovo +hysteresis +rothbard +chaumont +roundel +ma'mun +sudhir +queried +newts +shimane +presynaptic +playfield +taxonomists +sensitivities +freleng +burkinabe +orfeo +autovia +proselytizing +bhangra +pasok +jujutsu +heung +pivoting +hominid +commending +formula_64 +epworth +christianized +oresund +hantuchova +rajputana +hilversum +masoretic +dayak +bakri +assen +magog +macromolecules +waheed +qaida +spassky +rumped +protrudes +preminger +misogyny +glencairn +salafi +lacunae +grilles +racemes +areva +alighieri +inari +epitomized +photoshoot +one-of-a-kind +tring +muralist +tincture +backwaters +weaned +yeasts +analytically +smaland +caltrans +vysocina +jamuna +mauthausen +175th +nouvelles +censoring +reggina +christology +gilad +amplifying +mehmood +johnsons +redirects +eastgate +sacrum +meteoric +riverbanks +guidebooks +ascribes +scoparia +iconoclastic +telegraphic +chine +merah +mistico +lectern +sheung +aethelstan +capablanca +anant +uspto +albatrosses +mymensingh +antiretroviral +clonal +coorg +vaillant +liquidator +gigas +yokai +eradicating +motorcyclists +waitakere +tandon +nears +montenegrins +250th +tatsuya +yassin +atheistic +syncretism +nahum +berisha +transcended +owensboro +lakshmana +abteilung +unadorned +nyack +overflows +harrisonburg +complainant +uematsu +frictional +worsens +sangguniang +abutment +bulwer +sarma +apollinaire +shippers +lycia +alentejo +porpoises +optus +trawling +augustow +blackwall +workbench +westmount +leaped +sikandar +conveniences +stornoway +culverts +zoroastrians +hristo +ansgar +assistive +reassert +fanned +compasses +delgada +maisons +arima +plonsk +verlaine +starstruck +rakhine +befell +spirally +wyclef +expend +colloquium +formula_63 +albertus +bellarmine +handedness +holon +introns +movimiento +profitably +lohengrin +discoverers +awash +erste +pharisees +dwarka +oghuz +hashing +heterodox +uloom +vladikavkaz +linesman +rehired +nucleophile +germanicus +gulshan +songz +bayerische +paralympian +crumlin +enjoined +khanum +prahran +penitent +amersfoort +saranac +semisimple +vagrants +compositing +tualatin +oxalate +lavra +ironi +ilkeston +umpqua +calum +stretford +zakat +guelders +hydrazine +birkin +spurring +modularity +aspartate +sodermanland +hopital +bellary +legazpi +clasico +cadfael +hypersonic +volleys +pharmacokinetics +carotene +orientale +pausini +bataille +lunga +retailed +m.phil +mazowieckie +vijayan +rawal +sublimation +promissory +estimators +ploughed +conflagration +penda +segregationist +otley +amputee +coauthor +sopra +pellew +wreckers +tollywood +circumscription +permittivity +strabane +landward +articulates +beaverbrook +rutherglen +coterminous +whistleblowers +colloidal +surbiton +atlante +oswiecim +bhasa +lampooned +chanter +saarc +landkreis +tribulation +tolerates +daiichi +hatun +cowries +dyschirius +abercromby +attock +aldwych +inflows +absolutist +l'histoire +committeeman +vanbrugh +headstock +westbourne +appenzell +hoxton +oculus +westfalen +roundabouts +nickelback +trovatore +quenching +summarises +conservators +transmutation +talleyrand +barzani +unwillingly +axonal +'blue +opining +enveloping +fidesz +rafah +colborne +flickr +lozenge +dulcimer +ndebele +swaraj +oxidize +gonville +resonated +gilani +superiore +endeared +janakpur +shepperton +solidifying +memoranda +sochaux +kurnool +rewari +emirs +kooning +bruford +unavailability +kayseri +judicious +negating +pterosaur +cytosolic +chernihiv +variational +sabretooth +seawolves +devalued +nanded +adverb +volunteerism +sealers +nemours +smederevo +kashubian +bartin +animax +vicomte +polotsk +polder +archiepiscopal +acceptability +quidditch +tussock +seminaire +immolation +belge +coves +wellingborough +khaganate +mckellen +nayaka +brega +kabhi +pontoons +bascule +newsreels +injectors +cobol +weblog +diplo +biggar +wheatbelt +erythrocytes +pedra +showgrounds +bogdanovich +eclecticism +toluene +elegies +formalize +andromedae +airworthiness +springville +mainframes +overexpression +magadha +bijelo +emlyn +glutamine +accenture +uhuru +metairie +arabidopsis +patanjali +peruvians +berezovsky +accion +astrolabe +jayanti +earnestly +sausalito +recurved +1500s +ramla +incineration +galleons +laplacian +shiki +smethwick +isomerase +dordevic +janow +jeffersonville +internationalism +penciled +styrene +ashur +nucleoside +peristome +horsemanship +sedges +bachata +medes +kristallnacht +schneerson +reflectance +invalided +strutt +draupadi +destino +partridges +tejas +quadrennial +aurel +halych +ethnomusicology +autonomist +radyo +rifting +shi'ar +crvena +telefilm +zawahiri +plana +sultanates +theodorus +subcontractors +pavle +seneschal +teleports +chernivtsi +buccal +brattleboro +stankovic +safar +dunhuang +electrocution +chastised +ergonomic +midsomer +130th +zomba +nongovernmental +escapist +localize +xuzhou +kyrie +carinthian +karlovac +nisan +kramnik +pilipino +digitisation +khasi +andronicus +highwayman +maior +misspelling +sebastopol +socon +rhaetian +archimandrite +partway +positivity +otaku +dingoes +tarski +geopolitics +disciplinarian +zulfikar +kenzo +globose +electrophilic +modele +storekeeper +pohang +wheldon +washers +interconnecting +digraphs +intrastate +campy +helvetic +frontispiece +ferrocarril +anambra +petraeus +midrib +endometrial +dwarfism +mauryan +endocytosis +brigs +percussionists +furtherance +synergistic +apocynaceae +krona +berthier +circumvented +casal +siltstone +precast +ethnikos +realists +geodesy +zarzuela +greenback +tripathi +persevered +interments +neutralization +olbermann +departements +supercomputing +demobilised +cassavetes +dunder +ministering +veszprem +barbarism +'world +pieve +apologist +frentzen +sulfides +firewalls +pronotum +staatsoper +hachette +makhachkala +oberland +phonon +yoshihiro +instars +purnima +winslet +mutsu +ergative +sajid +nizamuddin +paraphrased +ardeidae +kodagu +monooxygenase +skirmishers +sportiva +o'byrne +mykolaiv +ophir +prieta +gyllenhaal +kantian +leche +copan +herero +ps250 +gelsenkirchen +shalit +sammarinese +chetwynd +wftda +travertine +warta +sigmaringen +concerti +namespace +ostergotland +biomarker +universals +collegio +embarcadero +wimborne +fiddlers +likening +ransomed +stifled +unabated +kalakaua +khanty +gongs +goodrem +countermeasure +publicizing +geomorphology +swedenborg +undefended +catastrophes +diverts +storyboards +amesbury +contactless +placentia +festivity +authorise +terrane +thallium +stradivarius +antonine +consortia +estimations +consecrate +supergiant +belichick +pendants +butyl +groza +univac +afire +kavala +studi +teletoon +paucity +gonbad +koninklijke +128th +stoichiometric +multimodal +facundo +anatomic +melamine +creuse +altan +brigands +mcguinty +blomfield +tsvangirai +protrusion +lurgan +warminster +tenzin +russellville +discursive +definable +scotrail +lignin +reincorporated +o'dell +outperform +redland +multicolored +evaporates +dimitrie +limbic +patapsco +interlingua +surrogacy +cutty +potrero +masud +cahiers +jintao +ardashir +centaurus +plagiarized +minehead +musings +statuettes +logarithms +seaview +prohibitively +downforce +rivington +tomorrowland +microbiologist +ferric +morag +capsid +kucinich +clairvaux +demotic +seamanship +cicada +painterly +cromarty +carbonic +tupou +oconee +tehuantepec +typecast +anstruther +internalized +underwriters +tetrahedra +flagrant +quakes +pathologies +ulrik +nahal +tarquini +dongguan +parnassus +ryoko +senussi +seleucia +airasia +einer +sashes +d'amico +matriculating +arabesque +honved +biophysical +hardinge +kherson +mommsen +diels +icbms +reshape +brasiliensis +palmach +netaji +oblate +functionalities +grigor +blacksburg +recoilless +melanchthon +reales +astrodome +handcrafted +memes +theorizes +isma'il +aarti +pirin +maatschappij +stabilizes +honiara +ashbury +copts +rootes +defensed +queiroz +mantegna +galesburg +coraciiformesfamily +cabrillo +tokio +antipsychotics +kanon +173rd +apollonia +finial +lydian +hadamard +rangi +dowlatabad +monolingual +platformer +subclasses +chiranjeevi +mirabeau +newsgroup +idmanyurdu +kambojas +walkover +zamoyski +generalist +khedive +flanges +knowle +bande +157th +alleyn +reaffirm +pininfarina +zuckerberg +hakodate +131st +aditi +bellinzona +vaulter +planking +boscombe +colombians +lysis +toppers +metered +nahyan +queensryche +minho +nagercoil +firebrand +foundress +bycatch +mendota +freeform +antena +capitalisation +martinus +overijssel +purists +interventionist +zgierz +burgundians +hippolyta +trompe +umatilla +moroccans +dictionnaire +hydrography +changers +chota +rimouski +aniline +bylaw +grandnephew +neamt +lemnos +connoisseurs +tractive +rearrangements +fetishism +finnic +apalachicola +landowning +calligraphic +circumpolar +mansfeld +legible +orientalism +tannhauser +blamey +maximization +noinclude +blackbirds +angara +ostersund +pancreatitis +glabra +acleris +juried +jungian +triumphantly +singlet +plasmas +synesthesia +yellowhead +unleashes +choiseul +quanzhong +brookville +kaskaskia +igcse +skatepark +jatin +jewellers +scaritinae +techcrunch +tellurium +lachaise +azuma +codeshare +dimensionality +unidirectional +scolaire +macdill +camshafts +unassisted +verband +kahlo +eliya +prelature +chiefdoms +saddleback +sockers +iommi +coloratura +llangollen +biosciences +harshest +maithili +k'iche +plical +multifunctional +andreu +tuskers +confounding +sambre +quarterdeck +ascetics +berdych +transversal +tuolumne +sagami +petrobras +brecker +menxia +instilling +stipulating +korra +oscillate +deadpan +v/line +pyrotechnic +stoneware +prelims +intracoastal +retraining +ilija +berwyn +encrypt +achievers +zulfiqar +glycoproteins +khatib +farmsteads +occultist +saman +fionn +derulo +khilji +obrenovic +argosy +toowong +dementieva +sociocultural +iconostasis +craigslist +festschrift +taifa +intercalated +tanjong +penticton +sharad +marxian +extrapolation +guises +wettin +prabang +exclaiming +kosta +famas +conakry +wanderings +'aliabad +macleay +exoplanet +bancorp +besiegers +surmounting +checkerboard +rajab +vliet +tarek +operable +wargaming +haldimand +fukuyama +uesugi +aggregations +erbil +brachiopods +tokyu +anglais +unfavorably +ujpest +escorial +armagnac +nagara +funafuti +ridgeline +cocking +o'gorman +compactness +retardant +krajowa +barua +coking +bestows +thampi +chicagoland +variably +o'loughlin +minnows +schwa +shaukat +polycarbonate +chlorinated +godalming +gramercy +delved +banqueting +enlil +sarada +prasanna +domhnall +decadal +regressive +lipoprotein +collectable +surendra +zaporizhia +cycliste +suchet +offsetting +formula_65 +pudong +d'arte +blyton +quonset +osmania +tientsin +manorama +proteomics +bille +jalpaiguri +pertwee +barnegat +inventiveness +gollancz +euthanized +henricus +shortfalls +wuxia +chlorides +cerrado +polyvinyl +folktale +straddled +bioengineering +eschewing +greendale +recharged +olave +ceylonese +autocephalous +peacebuilding +wrights +guyed +rosamund +abitibi +bannockburn +gerontology +scutari +souness +seagram +codice_9 +'open +xhtml +taguig +purposed +darbar +orthopedics +unpopulated +kisumu +tarrytown +feodor +polyhedral +monadnock +gottorp +priam +redesigning +gasworks +elfin +urquiza +homologation +filipovic +bohun +manningham +gornik +soundness +shorea +lanus +gelder +darke +sandgate +criticality +paranaense +153rd +vieja +lithograph +trapezoid +tiebreakers +convalescence +yan'an +actuaries +balad +altimeter +thermoelectric +trailblazer +previn +tenryu +ancaster +endoscopy +nicolet +discloses +fracking +plaine +salado +americanism +placards +absurdist +propylene +breccia +jirga +documenta +ismailis +161st +brentano +dallas/fort +embellishment +calipers +subscribes +mahavidyalaya +wednesbury +barnstormers +miwok +schembechler +minigame +unterberger +dopaminergic +inacio +nizamabad +overridden +monotype +cavernous +stichting +sassafras +sotho +argentinean +myrrh +rapidity +flatts +gowrie +dejected +kasaragod +cyprinidae +interlinked +arcseconds +degeneracy +infamously +incubate +substructure +trigeminal +sectarianism +marshlands +hooliganism +hurlers +isolationist +urania +burrard +switchover +lecco +wilts +interrogator +strived +ballooning +volterra +raciborz +relegating +gilding +cybele +dolomites +parachutist +lochaber +orators +raeburn +backend +benaud +rallycross +facings +banga +nuclides +defencemen +futurity +emitters +yadkin +eudonia +zambales +manasseh +sirte +meshes +peculiarly +mcminnville +roundly +boban +decrypt +icelanders +sanam +chelan +jovian +grudgingly +penalised +subscript +gambrinus +poaceae +infringements +maleficent +runciman +148th +supersymmetry +granites +liskeard +eliciting +involution +hallstatt +kitzbuhel +shankly +sandhills +inefficiencies +yishuv +psychotropic +nightjars +wavell +sangamon +vaikundar +choshu +retrospectives +pitesti +gigantea +hashemi +bosna +gakuin +siochana +arrangers +baronetcies +narayani +temecula +creston +koscierzyna +autochthonous +wyandot +anniston +igreja +mobilise +buzau +dunster +musselburgh +wenzhou +khattak +detoxification +decarboxylase +manlius +campbells +coleoptera +copyist +sympathisers +suisun +eminescu +defensor +transshipment +thurgau +somerton +fluctuates +ambika +weierstrass +lukow +giambattista +volcanics +romanticized +innovated +matabeleland +scotiabank +garwolin +purine +d'auvergne +borderland +maozhen +pricewaterhousecoopers +testator +pallium +scout.com +mv/pi +nazca +curacies +upjohn +sarasvati +monegasque +ketrzyn +malory +spikelets +biomechanics +haciendas +rapped +dwarfed +stews +nijinsky +subjection +matsu +perceptible +schwarzburg +midsection +entertains +circuitous +epiphytic +wonsan +alpini +bluefield +sloths +transportable +braunfels +dictum +szczecinek +jukka +wielun +wejherowo +hucknall +grameen +duodenum +ribose +deshpande +shahar +nexstar +injurious +dereham +lithographer +dhoni +structuralist +progreso +deschutes +christus +pulteney +quoins +yitzchak +gyeongsang +breviary +makkah +chiyoda +jutting +vineland +angiosperms +necrotic +novelisation +redistribute +tirumala +140th +featureless +mafic +rivaling +toyline +2/1st +martius +saalfeld +monthan +texian +kathak +melodramas +mithila +regierungsbezirk +509th +fermenting +schoolmate +virtuosic +briain +kokoda +heliocentric +handpicked +kilwinning +sonically +dinars +kasim +parkways +bogdanov +luxembourgian +halland +avesta +bardic +daugavpils +excavator +qwest +frustrate +physiographic +majoris +'ndrangheta +unrestrained +firmness +montalban +abundances +preservationists +adare +executioners +guardsman +bonnaroo +neglects +nazrul +pro12 +hoorn +abercorn +refuting +kabud +cationic +parapsychology +troposphere +venezuelans +malignancy +khoja +unhindered +accordionist +medak +visby +ejercito +laparoscopic +dinas +umayyads +valmiki +o'dowd +saplings +stranding +incisions +illusionist +avocets +buccleuch +amazonia +fourfold +turboprops +roosts +priscus +turnstile +areal +certifies +pocklington +spoofs +viseu +commonalities +dabrowka +annam +homesteaders +daredevils +mondrian +negotiates +fiestas +perennials +maximizes +lubavitch +ravindra +scrapers +finials +kintyre +violas +snoqualmie +wilders +openbsd +mlawa +peritoneal +devarajan +congke +leszno +mercurial +fakir +joannes +bognor +overloading +unbuilt +gurung +scuttle +temperaments +bautzen +jardim +tradesman +visitations +barbet +sagamore +graaff +forecasters +wilsons +assis +l'air +shariah +sochaczew +russa +dirge +biliary +neuve +heartbreakers +strathearn +jacobian +overgrazing +edrich +anticline +parathyroid +petula +lepanto +decius +channelled +parvathi +puppeteers +communicators +francorchamps +kahane +longus +panjang +intron +traite +xxvii +matsuri +amrit +katyn +disheartened +cacak +omonia +alexandrine +partaking +wrangling +adjuvant +haskovo +tendrils +greensand +lammermoor +otherworld +volusia +stabling +one-and-a-half +bresson +zapatista +eotvos +ps150 +webisodes +stepchildren +microarray +braganca +quanta +dolne +superoxide +bellona +delineate +ratha +lindenwood +bruhl +cingulate +tallies +bickerton +helgi +bevin +takoma +tsukuba +statuses +changeling +alister +bytom +dibrugarh +magnesia +duplicating +outlier +abated +goncalo +strelitz +shikai +mardan +musculature +ascomycota +springhill +tumuli +gabaa +odenwald +reformatted +autocracy +theresienstadt +suplex +chattopadhyay +mencken +congratulatory +weatherfield +systema +solemnity +projekt +quanzhou +kreuzberg +postbellum +nobuo +mediaworks +finisterre +matchplay +bangladeshis +kothen +oocyte +hovered +aromas +afshar +browed +teases +chorlton +arshad +cesaro +backbencher +iquique +vulcans +padmini +unabridged +cyclase +despotic +kirilenko +achaean +queensberry +debre +octahedron +iphigenia +curbing +karimnagar +sagarmatha +smelters +surrealists +sanada +shrestha +turridae +leasehold +jiedushi +eurythmics +appropriating +correze +thimphu +amery +musicomh +cyborgs +sandwell +pushcart +retorts +ameliorate +deteriorates +stojanovic +spline +entrenchments +bourse +chancellorship +pasolini +lendl +personage +reformulated +pubescens +loiret +metalurh +reinvention +nonhuman +eilema +tarsal +complutense +magne +broadview +metrodome +outtake +stouffville +seinen +bataillon +phosphoric +ostensible +opatow +aristides +beefheart +glorifying +banten +romsey +seamounts +fushimi +prophylaxis +sibylla +ranjith +goslar +balustrades +georgiev +caird +lafitte +peano +canso +bankura +halfpenny +segregate +caisson +bizerte +jamshedpur +euromaidan +philosophie +ridged +cheerfully +reclassification +aemilius +visionaries +samoans +wokingham +chemung +wolof +unbranched +cinerea +bhosle +ourense +immortalised +cornerstones +sourcebook +khufu +archimedean +universitatea +intermolecular +fiscally +suffices +metacomet +adjudicator +stablemate +specks +glace +inowroclaw +patristic +muharram +agitating +ashot +neurologic +didcot +gamla +ilves +putouts +siraj +laski +coaling +diarmuid +ratnagiri +rotulorum +liquefaction +morbihan +harel +aftershock +gruiformesfamily +bonnier +falconiformesfamily +adorns +wikis +maastrichtian +stauffenberg +bishopsgate +fakhr +sevenfold +ponders +quantifying +castiel +opacity +depredations +lenten +gravitated +o'mahony +modulates +inuktitut +paston +kayfabe +vagus +legalised +balked +arianism +tendering +sivas +birthdate +awlaki +khvajeh +shahab +samtgemeinde +bridgeton +amalgamations +biogenesis +recharging +tsukasa +mythbusters +chamfered +enthronement +freelancers +maharana +constantia +sutil +messines +monkton +okanogan +reinvigorated +apoplexy +tanahashi +neues +valiants +harappan +russes +carding +volkoff +funchal +statehouse +imitative +intrepidity +mellotron +samaras +turkana +besting +longitudes +exarch +diarrhoea +transcending +zvonareva +darna +ramblin +disconnection +137th +refocused +diarmait +agricole +ba'athist +turenne +contrabass +communis +daviess +fatimids +frosinone +fittingly +polyphyletic +qanat +theocratic +preclinical +abacha +toorak +marketplaces +conidia +seiya +contraindicated +retford +bundesautobahn +rebuilds +climatology +seaworthy +starfighter +qamar +categoria +malai +hellinsia +newstead +airworthy +catenin +avonmouth +arrhythmias +ayyavazhi +downgrade +ashburnham +ejector +kinematics +petworth +rspca +filmation +accipitridae +chhatrapati +g/mol +bacau +agama +ringtone +yudhoyono +orchestrator +arbitrators +138th +powerplants +cumbernauld +alderley +misamis +hawai`i +cuando +meistriliiga +jermyn +alans +pedigrees +ottavio +approbation +omnium +purulia +prioress +rheinland +lymphoid +lutsk +oscilloscope +ballina +iliac +motorbikes +modernising +uffizi +phylloxera +kalevala +bengalis +amravati +syntheses +interviewers +inflectional +outflank +maryhill +unhurt +profiler +nacelles +heseltine +personalised +guarda +herpetologist +airpark +pigot +margaretha +dinos +peleliu +breakbeat +kastamonu +shaivism +delamere +kingsville +epigram +khlong +phospholipids +journeying +lietuvos +congregated +deviance +celebes +subsoil +stroma +kvitova +lubricating +layoff +alagoas +olafur +doron +interuniversity +raycom +agonopterix +uzice +nanna +springvale +raimundo +wrested +pupal +talat +skinheads +vestige +unpainted +handan +odawara +ammar +attendee +lapped +myotis +gusty +ciconiiformesfamily +traversal +subfield +vitaphone +prensa +hasidism +inwood +carstairs +kropotkin +turgenev +dobra +remittance +purim +tannin +adige +tabulation +lethality +pacha +micronesian +dhruva +defensemen +tibeto +siculus +radioisotope +sodertalje +phitsanulok +euphonium +oxytocin +overhangs +skinks +fabrica +reinterred +emulates +bioscience +paragliding +raekwon +perigee +plausibility +frolunda +erroll +aznar +vyasa +albinus +trevally +confederacion +terse +sixtieth +1530s +kendriya +skateboarders +frontieres +muawiyah +easements +shehu +conservatively +keystones +kasem +brutalist +peekskill +cowry +orcas +syllabary +paltz +elisabetta +denticles +hampering +dolni +eidos +aarau +lermontov +yankton +shahbaz +barrages +kongsvinger +reestablishment +acetyltransferase +zulia +mrnas +slingsby +eucalypt +efficacious +weybridge +gradation +cinematheque +malthus +bampton +coexisted +cisse +hamdi +cupertino +saumarez +chionodes +libertine +formers +sakharov +pseudonymous +vol.1 +mcduck +gopalakrishnan +amberley +jorhat +grandmasters +rudiments +dwindle +param +bukidnon +menander +americanus +multipliers +pulawy +homoerotic +pillbox +cd+dvd +epigraph +aleksandrow +extrapolated +horseshoes +contemporain +angiography +hasselt +shawinigan +memorization +legitimized +cyclades +outsold +rodolphe +kelis +powerball +dijkstra +analyzers +incompressible +sambar +orangeburg +osten +reauthorization +adamawa +sphagnum +hypermarket +millipedes +zoroaster +madea +ossuary +murrayfield +pronominal +gautham +resellers +ethers +quarrelled +dolna +stragglers +asami +tangut +passos +educacion +sharaf +texel +berio +bethpage +bezalel +marfa +noronha +36ers +genteel +avram +shilton +compensates +sweetener +reinstalled +disables +noether +1590s +balakrishnan +kotaro +northallerton +cataclysm +gholam +cancellara +schiphol +commends +longinus +albinism +gemayel +hamamatsu +volos +islamism +sidereal +pecuniary +diggings +townsquare +neosho +lushan +chittoor +akhil +disputation +desiccation +cambodians +thwarting +deliberated +ellipsis +bahini +susumu +separators +kohneh +plebeians +kultur +ogaden +pissarro +trypeta +latur +liaodong +vetting +datong +sohail +alchemists +lengthwise +unevenly +masterly +microcontrollers +occupier +deviating +farringdon +baccalaureat +theocracy +chebyshev +archivists +jayaram +ineffectiveness +scandinavians +jacobins +encomienda +nambu +g/cm3 +catesby +paavo +heeded +rhodium +idealised +10deg +infective +mecyclothorax +halevy +sheared +minbari +audax +lusatian +rebuffs +hitfix +fastener +subjugate +tarun +binet +compuserve +synthesiser +keisuke +amalric +ligatures +tadashi +ignazio +abramovich +groundnut +otomo +maeve +mortlake +ostrogoths +antillean +todor +recto +millimetre +espousing +inaugurate +paracetamol +galvanic +harpalinae +jedrzejow +reassessment +langlands +civita +mikan +stikine +bijar +imamate +istana +kaiserliche +erastus +federale +cytosine +expansionism +hommes +norrland +smriti +snapdragon +gulab +taleb +lossy +khattab +urbanised +sesto +rekord +diffuser +desam +morganatic +silting +pacts +extender +beauharnais +purley +bouches +halfpipe +discontinuities +houthi +farmville +animism +horni +saadi +interpretative +blockades +symeon +biogeographic +transcaucasian +jetties +landrieu +astrocytes +conjunto +stumpings +weevils +geysers +redux +arching +romanus +tazeh +marcellinus +casein +opava +misrata +anare +sattar +declarer +dreux +oporto +venta +vallis +icosahedron +cortona +lachine +mohammedan +sandnes +zynga +clarin +diomedes +tsuyoshi +pribram +gulbarga +chartist +superettan +boscawen +altus +subang +gating +epistolary +vizianagaram +ogdensburg +panna +thyssen +tarkovsky +dzogchen +biograph +seremban +unscientific +nightjar +legco +deism +n.w.a +sudha +siskel +sassou +flintlock +jovial +montbeliard +pallida +formula_66 +tranquillity +nisei +adornment +'people +yamhill +hockeyallsvenskan +adopters +appian +lowicz +haplotypes +succinctly +starogard +presidencies +kheyrabad +sobibor +kinesiology +cowichan +militum +cromwellian +leiningen +ps1.5 +concourses +dalarna +goldfield +brzeg +faeces +aquarii +matchless +harvesters +181st +numismatics +korfball +sectioned +transpires +facultative +brandishing +kieron +forages +menai +glutinous +debarge +heathfield +1580s +malang +photoelectric +froome +semiotic +alwar +grammophon +chiaroscuro +mentalist +maramures +flacco +liquors +aleutians +marvell +sutlej +patnaik +qassam +flintoff +bayfield +haeckel +sueno +avicii +exoplanets +hoshi +annibale +vojislav +honeycombs +celebrant +rendsburg +veblen +quails +141st +carronades +savar +narrations +jeeva +ontologies +hedonistic +marinette +godot +munna +bessarabian +outrigger +thame +gravels +hoshino +falsifying +stereochemistry +nacionalista +medially +radula +ejecting +conservatorio +odile +ceiba +jaina +essonne +isometry +allophones +recidivism +iveco +ganda +grammarians +jagan +signposted +uncompressed +facilitators +constancy +ditko +propulsive +impaling +interbank +botolph +amlaib +intergroup +sorbus +cheka +debye +praca +adorning +presbyteries +dormition +strategos +qarase +pentecostals +beehives +hashemite +goldust +euronext +egress +arpanet +soames +jurchens +slovenska +copse +kazim +appraisals +marischal +mineola +sharada +caricaturist +sturluson +galba +faizabad +overwintering +grete +uyezds +didsbury +libreville +ablett +microstructure +anadolu +belenenses +elocution +cloaks +timeslots +halden +rashidun +displaces +sympatric +germanus +tuples +ceska +equalize +disassembly +krautrock +babangida +memel +deild +gopala +hematology +underclass +sangli +wawrinka +assur +toshack +refrains +nicotinic +bhagalpur +badami +racetracks +pocatello +walgreens +nazarbayev +occultation +spinnaker +geneon +josias +hydrolyzed +dzong +corregimiento +waistcoat +thermoplastic +soldered +anticancer +lactobacillus +shafi'i +carabus +adjournment +schlumberger +triceratops +despotate +mendicant +krishnamurti +bahasa +earthworm +lavoisier +noetherian +kalki +fervently +bhawan +saanich +coquille +gannet +motagua +kennels +mineralization +fitzherbert +svein +bifurcated +hairdressing +felis +abounded +dimers +fervour +hebdo +bluffton +aetna +corydon +clevedon +carneiro +subjectively +deutz +gastropoda +overshot +concatenation +varman +carolla +maharshi +mujib +inelastic +riverhead +initialized +safavids +rohini +caguas +bulges +fotbollforbund +hefei +spithead +westville +maronites +lytham +americo +gediminas +stephanus +chalcolithic +hijra +gnu/linux +predilection +rulership +sterility +haidar +scarlatti +saprissa +sviatoslav +pointedly +sunroof +guarantor +thevar +airstrips +pultusk +sture +129th +divinities +daizong +dolichoderus +cobourg +maoists +swordsmanship +uprated +bohme +tashi +largs +chandi +bluebeard +householders +richardsonian +drepanidae +antigonish +elbasan +occultism +marca +hypergeometric +oirat +stiglitz +ignites +dzungar +miquelon +pritam +d'automne +ulidiid +niamey +vallecano +fondo +billiton +incumbencies +raceme +chambery +cadell +barenaked +kagame +summerside +haussmann +hatshepsut +apothecaries +criollo +feint +nasals +timurid +feltham +plotinus +oxygenation +marginata +officinalis +salat +participations +ising +downe +izumo +unguided +pretence +coursed +haruna +viscountcy +mainstage +justicia +powiat +takara +capitoline +implacable +farben +stopford +cosmopterix +tuberous +kronecker +galatians +kweli +dogmas +exhorted +trebinje +skanda +newlyn +ablative +basidia +bhiwani +encroachments +stranglers +regrouping +tubal +shoestring +wawel +anionic +mesenchymal +creationists +pyrophosphate +moshi +despotism +powerbook +fatehpur +rupiah +segre +ternate +jessore +b.i.g +shevardnadze +abounds +gliwice +densest +memoria +suborbital +vietcong +ratepayers +karunanidhi +toolbar +descents +rhymney +exhortation +zahedan +carcinomas +hyperbaric +botvinnik +billets +neuropsychological +tigranes +hoards +chater +biennially +thistles +scotus +wataru +flotillas +hungama +monopolistic +payouts +vetch +generalissimo +caries +naumburg +piran +blizzards +escalates +reactant +shinya +theorize +rizzoli +transitway +ecclesiae +streptomyces +cantal +nisibis +superconductor +unworkable +thallus +roehampton +scheckter +viceroys +makuuchi +ilkley +superseding +takuya +klodzko +borbon +raspberries +operand +w.a.k.o +sarabande +factionalism +egalitarianism +temasek +torbat +unscripted +jorma +westerner +perfective +vrije +underlain +goldfrapp +blaenau +jomon +barthes +drivetime +bassa +bannock +umaga +fengxiang +zulus +sreenivasan +farces +codice_10 +freeholder +poddebice +imperialists +deregulated +wingtip +o'hagan +pillared +overtone +hofstadter +149th +kitano +saybrook +standardizing +aldgate +staveley +o'flaherty +hundredths +steerable +soltan +empted +cruyff +intramuros +taluks +cotonou +marae +karur +figueres +barwon +lucullus +niobe +zemlya +lathes +homeported +chaux +amyotrophic +opines +exemplars +bhamo +homomorphisms +gauleiter +ladin +mafiosi +airdrieonians +b/soul +decal +transcaucasia +solti +defecation +deaconess +numidia +sampradaya +normalised +wingless +schwaben +alnus +cinerama +yakutsk +ketchikan +orvieto +unearned +monferrato +rotem +aacsb +loong +decoders +skerries +cardiothoracic +repositioning +pimpernel +yohannan +tenebrionoidea +nargis +nouvel +costliest +interdenominational +noize +redirecting +zither +morcha +radiometric +frequenting +irtysh +gbagbo +chakri +litvinenko +infotainment +ravensbruck +harith +corbels +maegashira +jousting +natan +novus +falcao +minis +railed +decile +rauma +ramaswamy +cavitation +paranaque +berchtesgaden +reanimated +schomberg +polysaccharides +exclusionary +cleon +anurag +ravaging +dhanush +mitchells +granule +contemptuous +keisei +rolleston +atlantean +yorkist +daraa +wapping +micrometer +keeneland +comparably +baranja +oranje +schlafli +yogic +dinajpur +unimpressive +masashi +recreativo +alemannic +petersfield +naoko +vasudeva +autosport +rajat +marella +busko +wethersfield +ssris +soulcalibur +kobani +wildland +rookery +hoffenheim +kauri +aliphatic +balaclava +ferrite +publicise +victorias +theism +quimper +chapbook +functionalist +roadbed +ulyanovsk +cupen +purpurea +calthorpe +teofilo +mousavi +cochlea +linotype +detmold +ellerslie +gakkai +telkom +southsea +subcontractor +inguinal +philatelists +zeebrugge +piave +trochidae +dempo +spoilt +saharanpur +mihrab +parasympathetic +barbarous +chartering +antiqua +katsina +bugis +categorizes +altstadt +kandyan +pambansa +overpasses +miters +assimilating +finlandia +uneconomic +am/fm +harpsichordist +dresdner +luminescence +authentically +overpowers +magmatic +cliftonville +oilfields +skirted +berthe +cuman +oakham +frelimo +glockenspiel +confection +saxophonists +piaseczno +multilevel +antipater +levying +maltreatment +velho +opoczno +harburg +pedophilia +unfunded +palettes +plasterwork +breve +dharmendra +auchinleck +nonesuch +blackmun +libretti +rabbani +145th +hasselbeck +kinnock +malate +vanden +cloverdale +ashgabat +nares +radians +steelworkers +sabor +possums +catterick +hemispheric +ostra +outpaced +dungeness +almshouse +penryn +texians +1000m +franchitti +incumbency +texcoco +newar +tramcars +toroidal +meitetsu +spellbound +agronomist +vinifera +riata +bunko +pinas +ba'al +github +vasilyevich +obsolescent +geodesics +ancestries +tujue +capitalised +unassigned +throng +unpaired +psychometric +skegness +exothermic +buffered +kristiansund +tongued +berenger +basho +alitalia +prolongation +archaeologically +fractionation +cyprinid +echinoderms +agriculturally +justiciar +sonam +ilium +baits +danceable +grazer +ardahan +grassed +preemption +glassworks +hasina +ugric +umbra +wahhabi +vannes +tinnitus +capitaine +tikrit +lisieux +scree +hormuz +despenser +jagiellon +maisonneuve +gandaki +santarem +basilicas +lancing +landskrona +weilburg +fireside +elysian +isleworth +krishnamurthy +filton +cynon +tecmo +subcostal +scalars +triglycerides +hyperplane +farmingdale +unione +meydan +pilings +mercosur +reactivate +akiba +fecundity +jatra +natsume +zarqawi +preta +masao +presbyter +oakenfold +rhodri +ferran +ruizong +cloyne +nelvana +epiphanius +borde +scutes +strictures +troughton +whitestone +sholom +toyah +shingon +kutuzov +abelard +passant +lipno +cafeterias +residuals +anabaptists +paratransit +criollos +pleven +radiata +destabilizing +hadiths +bazaars +mannose +taiyo +crookes +welbeck +baoding +archelaus +nguesso +alberni +wingtips +herts +viasat +lankans +evreux +wigram +fassbinder +ryuichi +storting +reducible +olesnica +znojmo +hyannis +theophanes +flatiron +mustering +rajahmundry +kadir +wayang +prome +lethargy +zubin +illegality +conall +dramedy +beerbohm +hipparchus +ziarat +ryuji +shugo +glenorchy +microarchitecture +morne +lewinsky +cauvery +battenberg +hyksos +wayanad +hamilcar +buhari +brazo +bratianu +solms +aksaray +elamite +chilcotin +bloodstock +sagara +dolny +reunified +umlaut +proteaceae +camborne +calabrian +dhanbad +vaxjo +cookware +potez +rediffusion +semitones +lamentations +allgau +guernica +suntory +pleated +stationing +urgell +gannets +bertelsmann +entryway +raphitomidae +acetaldehyde +nephrology +categorizing +beiyang +permeate +tourney +geosciences +khana +masayuki +crucis +universitaria +slaskie +khaimah +finno +advani +astonishingly +tubulin +vampiric +jeolla +sociale +cleethorpes +badri +muridae +suzong +debater +decimation +kenyans +mutualism +pontifex +middlemen +insee +halevi +lamentation +psychopathy +brassey +wenders +kavya +parabellum +prolactin +inescapable +apses +malignancies +rinzai +stigmatized +menahem +comox +ateliers +welshpool +setif +centimetre +truthfulness +downfield +drusus +woden +glycosylation +emanated +agulhas +dalkeith +jazira +nucky +unifil +jobim +operon +oryzomys +heroically +seances +supernumerary +backhouse +hashanah +tatler +imago +invert +hayato +clockmaker +kingsmill +swiecie +analogously +golconda +poste +tacitly +decentralised +ge'ez +diplomatically +fossiliferous +linseed +mahavira +pedestals +archpriest +byelection +domiciled +jeffersonian +bombus +winegrowing +waukegan +uncultivated +haverfordwest +saumur +communally +disbursed +cleeve +zeljeznicar +speciosa +vacationers +sigur +vaishali +zlatko +iftikhar +cropland +transkei +incompleteness +bohra +subantarctic +slieve +physiologic +similis +klerk +replanted +'right +chafee +reproducible +bayburt +regicide +muzaffarpur +plurals +hanyu +orthologs +diouf +assailed +kamui +tarik +dodecanese +gorne +on/off +179th +shimoga +granaries +carlists +valar +tripolitania +sherds +simmern +dissociated +isambard +polytechnical +yuvraj +brabazon +antisense +pubmed +glans +minutely +masaaki +raghavendra +savoury +podcasting +tachi +bienville +gongsun +ridgely +deform +yuichi +binders +canna +carcetti +llobregat +implored +berri +njegos +intermingled +offload +athenry +motherhouse +corpora +kakinada +dannebrog +imperio +prefaces +musicologists +aerospatiale +shirai +nagapattinam +servius +cristoforo +pomfret +reviled +entebbe +stane +east/west +thermometers +matriarchal +siglo +bodil +legionnaire +ze'ev +theorizing +sangeetha +horticulturist +uncountable +lookalike +anoxic +ionospheric +genealogists +chicopee +imprinting +popish +crematoria +diamondback +cyathea +hanzhong +cameramen +halogaland +naklo +waclaw +storehouses +flexed +comuni +frits +glauca +nilgiris +compresses +nainital +continuations +albay +hypoxic +samajwadi +dunkerque +nanticoke +sarwar +interchanged +jubal +corba +jalgaon +derleth +deathstroke +magny +vinnytsia +hyphenated +rimfire +sawan +boehner +disrepute +normalize +aromanian +dualistic +approximant +chama +karimabad +barnacles +sanok +stipends +dyfed +rijksmuseum +reverberation +suncorp +fungicides +reverie +spectrograph +stereophonic +niazi +ordos +alcan +karaite +lautrec +tableland +lamellar +rieti +langmuir +russula +webern +tweaks +hawick +southerner +morphy +naturalisation +enantiomer +michinoku +barbettes +relieves +carburettors +redruth +oblates +vocabularies +mogilev +bagmati +galium +reasserted +extolled +symon +eurosceptic +inflections +tirtha +recompense +oruro +roping +gouverneur +pared +yayoi +watermills +retooled +leukocytes +jubilant +mazhar +nicolau +manheim +touraine +bedser +hambledon +kohat +powerhouses +tlemcen +reuven +sympathetically +afrikaners +interes +handcrafts +etcher +baddeley +wodonga +amaury +155th +vulgarity +pompadour +automorphisms +1540s +oppositions +prekmurje +deryni +fortifying +arcuate +mahila +bocage +uther +nozze +slashes +atlantica +hadid +rhizomatous +azeris +'with +osmena +lewisville +innervated +bandmaster +outcropping +parallelogram +dominicana +twang +ingushetia +extensional +ladino +sastry +zinoviev +relatable +nobilis +cbeebies +hitless +eulima +sporangia +synge +longlisted +criminalized +penitential +weyden +tubule +volyn +priestesses +glenbrook +kibbutzim +windshaft +canadair +falange +zsolt +bonheur +meine +archangels +safeguarded +jamaicans +malarial +teasers +badging +merseyrail +operands +pulsars +gauchos +biotin +bambara +necaxa +egmond +tillage +coppi +anxiolytic +preah +mausoleums +plautus +feroz +debunked +187th +belediyespor +mujibur +wantage +carboxyl +chettiar +murnau +vagueness +racemic +backstretch +courtland +municipio +palpatine +dezful +hyperbola +sreekumar +chalons +altay +arapahoe +tudors +sapieha +quilon +burdensome +kanya +xxviii +recension +generis +siphuncle +repressor +bitrate +mandals +midhurst +dioxin +democratique +upholds +rodez +cinematographic +epoque +jinping +rabelais +zhytomyr +glenview +rebooted +khalidi +reticulata +122nd +monnaie +passersby +ghazals +europaea +lippmann +earthbound +tadic +andorran +artvin +angelicum +banksy +epicentre +resemblances +shuttled +rathaus +bernt +stonemasons +balochi +siang +tynemouth +cygni +biosynthetic +precipitates +sharecroppers +d'annunzio +softbank +shiji +apeldoorn +polycyclic +wenceslas +wuchang +samnites +tamarack +silmarillion +madinah +palaeontology +kirchberg +sculpin +rohtak +aquabats +oviparous +thynne +caney +blimps +minimalistic +whatcom +palatalization +bardstown +direct3d +paramagnetic +kamboja +khash +globemaster +lengua +matej +chernigov +swanage +arsenals +cascadia +cundinamarca +tusculum +leavers +organics +warplanes +'three +exertions +arminius +gandharva +inquires +comercio +kuopio +chabahar +plotlines +mersenne +anquetil +paralytic +buckminster +ambit +acrolophus +quantifiers +clacton +ciliary +ansaldo +fergana +egoism +thracians +chicoutimi +northbrook +analgesia +brotherhoods +hunza +adriaen +fluoridation +snowfalls +soundboard +fangoria +cannibalistic +orthogonius +chukotka +dindigul +manzoni +chainz +macromedia +beltline +muruga +schistura +provable +litex +initio +pneumoniae +infosys +cerium +boonton +cannonballs +d'une +solvency +mandurah +houthis +dolmens +apologists +radioisotopes +blaxploitation +poroshenko +stawell +coosa +maximilien +tempelhof +espouse +declaratory +hambro +xalapa +outmoded +mihiel +benefitting +desirous +archeparchy +repopulated +telescoping +captor +mackaye +disparaged +ramanathan +crowne +tumbled +technetium +silted +chedi +nievre +hyeon +cartoonish +interlock +infocom +rediff.com +dioramas +timekeeping +concertina +kutaisi +cesky +lubomirski +unapologetic +epigraphic +stalactites +sneha +biofilm +falconry +miraflores +catena +'outstanding +prospekt +apotheosis +o'odham +pacemakers +arabica +gandhinagar +reminisces +iroquoian +ornette +tilling +neoliberalism +chameleons +pandava +prefontaine +haiyan +gneisenau +utama +bando +reconstitution +azaria +canola +paratroops +ayckbourn +manistee +stourton +manifestos +lympne +denouement +tractatus +rakim +bellflower +nanometer +sassanids +turlough +presbyterianism +varmland +20deg +phool +nyerere +almohad +manipal +vlaanderen +quickness +removals +makow +circumflex +eatery +morane +fondazione +alkylation +unenforceable +galliano +silkworm +junior/senior +abducts +phlox +konskie +lofoten +buuren +glyphosate +faired +naturae +cobbles +taher +skrulls +dostoevsky +walkout +wagnerian +orbited +methodically +denzil +sarat +extraterritorial +kohima +d'armor +brinsley +rostropovich +fengtian +comitatus +aravind +moche +wrangell +giscard +vantaa +viljandi +hakoah +seabees +muscatine +ballade +camanachd +sothern +mullioned +durad +margraves +maven +arete +chandni +garifuna +142nd +reading/literature +thickest +intensifies +trygve +khaldun +perinatal +asana +powerline +acetylation +nureyev +omiya +montesquieu +riverwalk +marly +correlating +intermountain +bulgar +hammerheads +underscores +wiretapping +quatrain +ruisseau +newsagent +tuticorin +polygyny +hemsworth +partisanship +banna +istrian +evaporator diff --git a/user/user_data/ZxcvbnData/3/female_names.txt b/user/user_data/ZxcvbnData/3/female_names.txt new file mode 100644 index 0000000..5ecc99e --- /dev/null +++ b/user/user_data/ZxcvbnData/3/female_names.txt @@ -0,0 +1,3712 @@ +mary +patricia +linda +barbara +elizabeth +jennifer +maria +susan +margaret +dorothy +lisa +nancy +karen +betty +helen +sandra +donna +carol +ruth +sharon +michelle +laura +sarah +kimberly +deborah +jessica +shirley +cynthia +angela +melissa +brenda +amy +anna +rebecca +virginia +kathleen +pamela +martha +debra +amanda +stephanie +carolyn +christine +marie +janet +catherine +frances +ann +joyce +diane +alice +julie +heather +teresa +doris +gloria +evelyn +jean +cheryl +mildred +katherine +joan +ashley +judith +rose +janice +kelly +nicole +judy +christina +kathy +theresa +beverly +denise +tammy +irene +jane +lori +rachel +marilyn +andrea +kathryn +louise +sara +anne +jacqueline +wanda +bonnie +julia +ruby +lois +tina +phyllis +norma +paula +diana +annie +lillian +emily +robin +peggy +crystal +gladys +rita +dawn +connie +florence +tracy +edna +tiffany +carmen +rosa +cindy +grace +wendy +victoria +edith +kim +sherry +sylvia +josephine +thelma +shannon +sheila +ethel +ellen +elaine +marjorie +carrie +charlotte +monica +esther +pauline +emma +juanita +anita +rhonda +hazel +amber +eva +debbie +april +leslie +clara +lucille +jamie +joanne +eleanor +valerie +danielle +megan +alicia +suzanne +michele +gail +bertha +darlene +veronica +jill +erin +geraldine +lauren +cathy +joann +lorraine +lynn +sally +regina +erica +beatrice +dolores +bernice +audrey +yvonne +annette +marion +dana +stacy +ana +renee +ida +vivian +roberta +holly +brittany +melanie +loretta +yolanda +jeanette +laurie +katie +kristen +vanessa +alma +sue +elsie +beth +jeanne +vicki +carla +tara +rosemary +eileen +terri +gertrude +lucy +tonya +ella +stacey +wilma +gina +kristin +jessie +natalie +agnes +vera +charlene +bessie +delores +melinda +pearl +arlene +maureen +colleen +allison +tamara +joy +georgia +constance +lillie +claudia +jackie +marcia +tanya +nellie +minnie +marlene +heidi +glenda +lydia +viola +courtney +marian +stella +caroline +dora +vickie +mattie +maxine +irma +mabel +marsha +myrtle +lena +christy +deanna +patsy +hilda +gwendolyn +jennie +nora +margie +nina +cassandra +leah +penny +kay +priscilla +naomi +carole +olga +billie +dianne +tracey +leona +jenny +felicia +sonia +miriam +velma +becky +bobbie +violet +kristina +toni +misty +mae +shelly +daisy +ramona +sherri +erika +katrina +claire +lindsey +lindsay +geneva +guadalupe +belinda +margarita +sheryl +cora +faye +ada +sabrina +isabel +marguerite +hattie +harriet +molly +cecilia +kristi +brandi +blanche +sandy +rosie +joanna +iris +eunice +angie +inez +lynda +madeline +amelia +alberta +genevieve +monique +jodi +janie +kayla +sonya +jan +kristine +candace +fannie +maryann +opal +alison +yvette +melody +luz +susie +olivia +flora +shelley +kristy +mamie +lula +lola +verna +beulah +antoinette +candice +juana +jeannette +pam +kelli +whitney +bridget +karla +celia +latoya +patty +shelia +gayle +della +vicky +lynne +sheri +marianne +kara +jacquelyn +erma +blanca +myra +leticia +pat +krista +roxanne +angelica +robyn +adrienne +rosalie +alexandra +brooke +bethany +sadie +bernadette +traci +jody +kendra +nichole +rachael +mable +ernestine +muriel +marcella +elena +krystal +angelina +nadine +kari +estelle +dianna +paulette +lora +mona +doreen +rosemarie +desiree +antonia +janis +betsy +christie +freda +meredith +lynette +teri +cristina +eula +leigh +meghan +sophia +eloise +rochelle +gretchen +cecelia +raquel +henrietta +alyssa +jana +gwen +jenna +tricia +laverne +olive +tasha +silvia +elvira +delia +kate +patti +lorena +kellie +sonja +lila +lana +darla +mindy +essie +mandy +lorene +elsa +josefina +jeannie +miranda +dixie +lucia +marta +faith +lela +johanna +shari +camille +tami +shawna +elisa +ebony +melba +ora +nettie +tabitha +ollie +winifred +kristie +alisha +aimee +rena +myrna +marla +tammie +latasha +bonita +patrice +ronda +sherrie +addie +francine +deloris +stacie +adriana +cheri +abigail +celeste +jewel +cara +adele +rebekah +lucinda +dorthy +effie +trina +reba +sallie +aurora +lenora +etta +lottie +kerri +trisha +nikki +estella +francisca +josie +tracie +marissa +karin +brittney +janelle +lourdes +laurel +helene +fern +elva +corinne +kelsey +ina +bettie +elisabeth +aida +caitlin +ingrid +iva +eugenia +christa +goldie +maude +jenifer +therese +dena +lorna +janette +latonya +candy +consuelo +tamika +rosetta +debora +cherie +polly +dina +jewell +fay +jillian +dorothea +nell +trudy +esperanza +patrica +kimberley +shanna +helena +cleo +stefanie +rosario +ola +janine +mollie +lupe +alisa +lou +maribel +susanne +bette +susana +elise +cecile +isabelle +lesley +jocelyn +paige +joni +rachelle +leola +daphne +alta +ester +petra +graciela +imogene +jolene +keisha +lacey +glenna +gabriela +keri +ursula +lizzie +kirsten +shana +adeline +mayra +jayne +jaclyn +gracie +sondra +carmela +marisa +rosalind +charity +tonia +beatriz +marisol +clarice +jeanine +sheena +angeline +frieda +lily +shauna +millie +claudette +cathleen +angelia +gabrielle +autumn +katharine +jodie +staci +lea +christi +justine +elma +luella +margret +dominique +socorro +martina +margo +mavis +callie +bobbi +maritza +lucile +leanne +jeannine +deana +aileen +lorie +ladonna +willa +manuela +gale +selma +dolly +sybil +abby +ivy +dee +winnie +marcy +luisa +jeri +magdalena +ofelia +meagan +audra +matilda +leila +cornelia +bianca +simone +bettye +randi +virgie +latisha +barbra +georgina +eliza +leann +bridgette +rhoda +haley +adela +nola +bernadine +flossie +ila +greta +ruthie +nelda +minerva +lilly +terrie +letha +hilary +estela +valarie +brianna +rosalyn +earline +catalina +ava +mia +clarissa +lidia +corrine +alexandria +concepcion +tia +sharron +rae +dona +ericka +jami +elnora +chandra +lenore +neva +marylou +melisa +tabatha +serena +avis +allie +sofia +jeanie +odessa +nannie +harriett +loraine +penelope +milagros +emilia +benita +allyson +ashlee +tania +esmeralda +eve +pearlie +zelma +malinda +noreen +tameka +saundra +hillary +amie +althea +rosalinda +lilia +alana +clare +alejandra +elinor +lorrie +jerri +darcy +earnestine +carmella +noemi +marcie +liza +annabelle +louisa +earlene +mallory +carlene +nita +selena +tanisha +katy +julianne +lakisha +edwina +maricela +margery +kenya +dollie +roxie +roslyn +kathrine +nanette +charmaine +lavonne +ilene +tammi +suzette +corine +kaye +chrystal +lina +deanne +lilian +juliana +aline +luann +kasey +maryanne +evangeline +colette +melva +lawanda +yesenia +nadia +madge +kathie +ophelia +valeria +nona +mitzi +mari +georgette +claudine +fran +alissa +roseann +lakeisha +susanna +reva +deidre +chasity +sheree +elvia +alyce +deirdre +gena +briana +araceli +katelyn +rosanne +wendi +tessa +berta +marva +imelda +marietta +marci +leonor +arline +sasha +madelyn +janna +juliette +deena +aurelia +josefa +augusta +liliana +lessie +amalia +savannah +anastasia +vilma +natalia +rosella +lynnette +corina +alfreda +leanna +amparo +coleen +tamra +aisha +wilda +karyn +maura +mai +evangelina +rosanna +hallie +erna +enid +mariana +lacy +juliet +jacklyn +freida +madeleine +mara +cathryn +lelia +casandra +bridgett +angelita +jannie +dionne +annmarie +katina +beryl +millicent +katheryn +diann +carissa +maryellen +liz +lauri +helga +gilda +rhea +marquita +hollie +tisha +tamera +angelique +francesca +kaitlin +lolita +florine +rowena +reyna +twila +fanny +janell +ines +concetta +bertie +alba +brigitte +alyson +vonda +pansy +elba +noelle +letitia +deann +brandie +louella +leta +felecia +sharlene +lesa +beverley +isabella +herminia +terra +celina +tori +octavia +jade +denice +germaine +michell +cortney +nelly +doretha +deidra +monika +lashonda +judi +chelsey +antionette +margot +adelaide +leeann +elisha +dessie +libby +kathi +gayla +latanya +mina +mellisa +kimberlee +jasmin +renae +zelda +elda +justina +gussie +emilie +camilla +abbie +rocio +kaitlyn +edythe +ashleigh +selina +lakesha +geri +allene +pamala +michaela +dayna +caryn +rosalia +jacquline +rebeca +marybeth +krystle +iola +dottie +belle +griselda +ernestina +elida +adrianne +demetria +delma +jaqueline +arleen +virgina +retha +fatima +tillie +eleanore +cari +treva +wilhelmina +rosalee +maurine +latrice +jena +taryn +elia +debby +maudie +jeanna +delilah +catrina +shonda +hortencia +theodora +teresita +robbin +danette +delphine +brianne +nilda +danna +cindi +bess +iona +winona +vida +rosita +marianna +racheal +guillermina +eloisa +celestine +caren +malissa +lona +chantel +shellie +marisela +leora +agatha +soledad +migdalia +ivette +christen +athena +janel +veda +pattie +tessie +tera +marilynn +lucretia +karrie +dinah +daniela +alecia +adelina +vernice +shiela +portia +merry +lashawn +dara +tawana +verda +alene +zella +sandi +rafaela +maya +kira +candida +alvina +suzan +shayla +lettie +samatha +oralia +matilde +larissa +vesta +renita +delois +shanda +phillis +lorri +erlinda +cathrine +barb +isabell +ione +gisela +roxanna +mayme +kisha +ellie +mellissa +dorris +dalia +bella +annetta +zoila +reta +reina +lauretta +kylie +christal +pilar +charla +elissa +tiffani +tana +paulina +leota +breanna +jayme +carmel +vernell +tomasa +mandi +dominga +santa +melodie +lura +alexa +tamela +mirna +kerrie +venus +felicita +cristy +carmelita +berniece +annemarie +tiara +roseanne +missy +cori +roxana +pricilla +kristal +jung +elyse +haydee +aletha +bettina +marge +gillian +filomena +zenaida +harriette +caridad +vada +aretha +pearline +marjory +marcela +flor +evette +elouise +alina +damaris +catharine +belva +nakia +marlena +luanne +lorine +karon +dorene +danita +brenna +tatiana +louann +julianna +andria +philomena +lucila +leonora +dovie +romona +mimi +jacquelin +gaye +tonja +misti +chastity +stacia +roxann +micaela +velda +marlys +johnna +aura +ivonne +hayley +nicki +majorie +herlinda +yadira +perla +gregoria +antonette +shelli +mozelle +mariah +joelle +cordelia +josette +chiquita +trista +laquita +georgiana +candi +shanon +hildegard +stephany +magda +karol +gabriella +tiana +roma +richelle +oleta +jacque +idella +alaina +suzanna +jovita +tosha +nereida +marlyn +kyla +delfina +tena +stephenie +sabina +nathalie +marcelle +gertie +darleen +thea +sharonda +shantel +belen +venessa +rosalina +genoveva +clementine +rosalba +renate +renata +georgianna +floy +dorcas +ariana +tyra +theda +mariam +juli +jesica +vikki +verla +roselyn +melvina +jannette +ginny +debrah +corrie +violeta +myrtis +latricia +collette +charleen +anissa +viviana +twyla +nedra +latonia +hellen +fabiola +annamarie +adell +sharyn +chantal +niki +maud +lizette +lindy +kesha +jeana +danelle +charline +chanel +valorie +dortha +cristal +sunny +leone +leilani +gerri +debi +andra +keshia +eulalia +easter +dulce +natividad +linnie +kami +georgie +catina +brook +alda +winnifred +sharla +ruthann +meaghan +magdalene +lissette +adelaida +venita +trena +shirlene +shameka +elizebeth +dian +shanta +latosha +carlotta +windy +rosina +mariann +leisa +jonnie +dawna +cathie +astrid +laureen +janeen +holli +fawn +vickey +teressa +shante +rubye +marcelina +chanda +terese +scarlett +marnie +lulu +lisette +jeniffer +elenor +dorinda +donita +carman +bernita +altagracia +aleta +adrianna +zoraida +lyndsey +janina +starla +phylis +phuong +kyra +charisse +blanch +sanjuanita +rona +nanci +marilee +maranda +brigette +sanjuana +marita +kassandra +joycelyn +felipa +chelsie +bonny +mireya +lorenza +kyong +ileana +candelaria +sherie +lucie +leatrice +lakeshia +gerda +edie +bambi +marylin +lavon +hortense +garnet +evie +tressa +shayna +lavina +kyung +jeanetta +sherrill +shara +phyliss +mittie +anabel +alesia +thuy +tawanda +joanie +tiffanie +lashanda +karissa +enriqueta +daria +daniella +corinna +alanna +abbey +roxane +roseanna +magnolia +lida +joellen +coral +carleen +tresa +peggie +novella +nila +maybelle +jenelle +carina +nova +melina +marquerite +margarette +josephina +evonne +cinthia +albina +toya +tawnya +sherita +myriam +lizabeth +lise +keely +jenni +giselle +cheryle +ardith +ardis +alesha +adriane +shaina +linnea +karolyn +felisha +dori +darci +artie +armida +zola +xiomara +vergie +shamika +nena +nannette +maxie +lovie +jeane +jaimie +inge +farrah +elaina +caitlyn +felicitas +cherly +caryl +yolonda +yasmin +teena +prudence +pennie +nydia +mackenzie +orpha +marvel +lizbeth +laurette +jerrie +hermelinda +carolee +tierra +mirian +meta +melony +kori +jennette +jamila +yoshiko +susannah +salina +rhiannon +joleen +cristine +ashton +aracely +tomeka +shalonda +marti +lacie +kala +jada +ilse +hailey +brittani +zona +syble +sherryl +nidia +marlo +kandice +kandi +alycia +ronna +norene +mercy +ingeborg +giovanna +gemma +christel +audry +zora +vita +trish +stephaine +shirlee +shanika +melonie +mazie +jazmin +inga +hettie +geralyn +fonda +estrella +adella +sarita +rina +milissa +maribeth +golda +evon +ethelyn +enedina +cherise +chana +velva +tawanna +sade +mirta +karie +jacinta +elna +davina +cierra +ashlie +albertha +tanesha +nelle +mindi +lorinda +larue +florene +demetra +dedra +ciara +chantelle +ashly +suzy +rosalva +noelia +lyda +leatha +krystyna +kristan +karri +darline +darcie +cinda +cherrie +awilda +almeda +rolanda +lanette +jerilyn +gisele +evalyn +cyndi +cleta +carin +zina +zena +velia +tanika +charissa +talia +margarete +lavonda +kaylee +kathlene +jonna +irena +ilona +idalia +candis +candance +brandee +anitra +alida +sigrid +nicolette +maryjo +linette +hedwig +christiana +alexia +tressie +modesta +lupita +lita +gladis +evelia +davida +cherri +cecily +ashely +annabel +agustina +wanita +shirly +rosaura +hulda +yetta +verona +thomasina +sibyl +shannan +mechelle +leandra +lani +kylee +kandy +jolynn +ferne +eboni +corene +alysia +zula +nada +moira +lyndsay +lorretta +jammie +hortensia +gaynell +adria +vina +vicenta +tangela +stephine +norine +nella +liana +leslee +kimberely +iliana +glory +felica +emogene +elfriede +eden +eartha +carma +ocie +lennie +kiara +jacalyn +carlota +arielle +otilia +kirstin +kacey +johnetta +joetta +jeraldine +jaunita +elana +dorthea +cami +amada +adelia +vernita +tamar +siobhan +renea +rashida +ouida +nilsa +meryl +kristyn +julieta +danica +breanne +aurea +anglea +sherron +odette +malia +lorelei +leesa +kenna +kathlyn +fiona +charlette +suzie +shantell +sabra +racquel +myong +mira +martine +lucienne +lavada +juliann +elvera +delphia +christiane +charolette +carri +asha +angella +paola +ninfa +leda +stefani +shanell +palma +machelle +lissa +kecia +kathryne +karlene +julissa +jettie +jenniffer +corrina +carolann +alena +rosaria +myrtice +marylee +liane +kenyatta +judie +janey +elmira +eldora +denna +cristi +cathi +zaida +vonnie +viva +vernie +rosaline +mariela +luciana +lesli +karan +felice +deneen +adina +wynona +tarsha +sheron +shanita +shani +shandra +randa +pinkie +nelida +marilou +lyla +laurene +laci +janene +dorotha +daniele +dani +carolynn +carlyn +berenice +ayesha +anneliese +alethea +thersa +tamiko +rufina +oliva +mozell +marylyn +kristian +kathyrn +kasandra +kandace +janae +domenica +debbra +dannielle +chun +arcelia +zenobia +sharen +sharee +lavinia +kacie +jackeline +huong +felisa +emelia +eleanora +cythia +cristin +claribel +anastacia +zulma +zandra +yoko +tenisha +susann +sherilyn +shay +shawanda +romana +mathilda +linsey +keiko +joana +isela +gretta +georgetta +eugenie +desirae +delora +corazon +antonina +anika +willene +tracee +tamatha +nichelle +mickie +maegan +luana +lanita +kelsie +edelmira +bree +afton +teodora +tamie +shena +linh +keli +kaci +danyelle +arlette +albertine +adelle +tiffiny +simona +nicolasa +nichol +nakisha +maira +loreen +kizzy +fallon +christene +bobbye +ying +vincenza +tanja +rubie +roni +queenie +margarett +kimberli +irmgard +idell +hilma +evelina +esta +emilee +dennise +dania +carie +risa +rikki +particia +masako +luvenia +loree +loni +lien +gigi +florencia +denita +billye +tomika +sharita +rana +nikole +neoma +margarite +madalyn +lucina +laila +kali +jenette +gabriele +evelyne +elenora +clementina +alejandrina +zulema +violette +vannessa +thresa +retta +patience +noella +nickie +jonell +chaya +camelia +bethel +anya +suzann +mila +lilla +laverna +keesha +kattie +georgene +eveline +estell +elizbeth +vivienne +vallie +trudie +stephane +magaly +madie +kenyetta +karren +janetta +hermine +drucilla +debbi +celestina +candie +britni +beckie +amina +zita +yolande +vivien +vernetta +trudi +pearle +patrina +ossie +nicolle +loyce +letty +katharina +joselyn +jonelle +jenell +iesha +heide +florinda +florentina +elodia +dorine +brunilda +brigid +ashli +ardella +twana +tarah +shavon +serina +rayna +ramonita +margurite +lucrecia +kourtney +kati +jesenia +crista +ayana +alica +alia +vinnie +suellen +romelia +rachell +olympia +michiko +kathaleen +jolie +jessi +janessa +hana +elease +carletta +britany +shona +salome +rosamond +regena +raina +ngoc +nelia +louvenia +lesia +latrina +laticia +larhonda +jina +jacki +emmy +deeann +coretta +arnetta +thalia +shanice +neta +mikki +micki +lonna +leana +lashunda +kiley +joye +jacqulyn +ignacia +hyun +hiroko +henriette +elayne +delinda +dahlia +coreen +consuela +conchita +babette +ayanna +anette +albertina +shawnee +shaneka +quiana +pamelia +merri +merlene +margit +kiesha +kiera +kaylene +jodee +jenise +erlene +emmie +dalila +daisey +casie +belia +babara +versie +vanesa +shelba +shawnda +nikia +naoma +marna +margeret +madaline +lawana +kindra +jutta +jazmine +janett +hannelore +glendora +gertrud +garnett +freeda +frederica +florance +flavia +carline +beverlee +anjanette +valda +tamala +shonna +sarina +oneida +merilyn +marleen +lurline +lenna +katherin +jeni +gracia +glady +farah +enola +dominque +devona +delana +cecila +caprice +alysha +alethia +vena +theresia +tawny +shakira +samara +sachiko +rachele +pamella +marni +mariel +maren +malisa +ligia +lera +latoria +larae +kimber +kathern +karey +jennefer +janeth +halina +fredia +delisa +debroah +ciera +angelika +andree +altha +vivan +terresa +tanna +sudie +signe +salena +ronni +rebbecca +myrtie +malika +maida +leonarda +kayleigh +ethyl +ellyn +dayle +cammie +brittni +birgit +avelina +asuncion +arianna +akiko +venice +tyesha +tonie +tiesha +takisha +steffanie +sindy +meghann +manda +macie +kellye +kellee +joslyn +inger +indira +glinda +glennis +fernanda +faustina +eneida +elicia +digna +dell +arletta +willia +tammara +tabetha +sherrell +sari +rebbeca +pauletta +natosha +nakita +mammie +kenisha +kazuko +kassie +earlean +daphine +corliss +clotilde +carolyne +bernetta +augustina +audrea +annis +annabell +tennille +tamica +selene +rosana +regenia +qiana +markita +macy +leeanne +laurine +jessenia +janita +georgine +genie +emiko +elvie +deandra +dagmar +corie +collen +cherish +romaine +porsha +pearlene +micheline +merna +margorie +margaretta +lore +jenine +hermina +fredericka +elke +drusilla +dorathy +dione +celena +brigida +allegra +tamekia +synthia +sook +slyvia +rosann +reatha +raye +marquetta +margart +ling +layla +kymberly +kiana +kayleen +katlyn +karmen +joella +emelda +eleni +detra +clemmie +cheryll +chantell +cathey +arnita +arla +angle +angelic +alyse +zofia +thomasine +tennie +sherly +sherley +sharyl +remedios +petrina +nickole +myung +myrle +mozella +louanne +lisha +latia +krysta +julienne +jeanene +jacqualine +isaura +gwenda +earleen +cleopatra +carlie +audie +antonietta +alise +verdell +tomoko +thao +talisha +shemika +savanna +santina +rosia +raeann +odilia +nana +minna +magan +lynelle +karma +joeann +ivana +inell +ilana +gudrun +dreama +crissy +chante +carmelina +arvilla +annamae +alvera +aleida +yanira +vanda +tianna +stefania +shira +nicol +nancie +monserrate +melynda +melany +lovella +laure +kacy +jacquelynn +hyon +gertha +eliana +christena +christeen +charise +caterina +carley +candyce +arlena +ammie +willette +vanita +tuyet +syreeta +penney +nyla +maryam +marya +magen +ludie +loma +livia +lanell +kimberlie +julee +donetta +diedra +denisha +deane +dawne +clarine +cherryl +bronwyn +alla +valery +tonda +sueann +soraya +shoshana +shela +sharleen +shanelle +nerissa +meridith +mellie +maye +maple +magaret +lili +leonila +leonie +leeanna +lavonia +lavera +kristel +kathey +kathe +jann +ilda +hildred +hildegarde +genia +fumiko +evelin +ermelinda +elly +dung +doloris +dionna +danae +berneice +annice +alix +verena +verdie +shawnna +shawana +shaunna +rozella +randee +ranae +milagro +lynell +luise +loida +lisbeth +karleen +junita +jona +isis +hyacinth +hedy +gwenn +ethelene +erline +donya +domonique +delicia +dannette +cicely +branda +blythe +bethann +ashlyn +annalee +alline +yuko +vella +trang +towanda +tesha +sherlyn +narcisa +miguelina +meri +maybell +marlana +marguerita +madlyn +lory +loriann +leonore +leighann +laurice +latesha +laronda +katrice +kasie +kaley +jadwiga +glennie +gearldine +francina +epifania +dyan +dorie +diedre +denese +demetrice +delena +cristie +cleora +catarina +carisa +barbera +almeta +trula +tereasa +solange +sheilah +shavonne +sanora +rochell +mathilde +margareta +maia +lynsey +lawanna +launa +kena +keena +katia +glynda +gaylene +elvina +elanor +danuta +danika +cristen +cordie +coletta +clarita +carmon +brynn +azucena +aundrea +angele +verlie +verlene +tamesha +silvana +sebrina +samira +reda +raylene +penni +norah +noma +mireille +melissia +maryalice +laraine +kimbery +karyl +karine +jolanda +johana +jesusa +jaleesa +jacquelyne +iluminada +hilaria +hanh +gennie +francie +floretta +exie +edda +drema +delpha +barbar +assunta +ardell +annalisa +alisia +yukiko +yolando +wonda +waltraud +veta +temeka +tameika +shirleen +shenita +piedad +ozella +mirtha +marilu +kimiko +juliane +jenice +janay +jacquiline +hilde +elois +echo +devorah +chau +brinda +betsey +arminda +aracelis +apryl +annett +alishia +veola +usha +toshiko +theola +tashia +talitha +shery +renetta +reiko +rasheeda +obdulia +mika +melaine +meggan +marlen +marget +marceline +mana +magdalen +librada +lezlie +latashia +lasandra +kelle +isidra +inocencia +gwyn +francoise +erminia +erinn +dimple +devora +criselda +armanda +arie +ariane +angelena +aliza +adriene +adaline +xochitl +twanna +tomiko +tamisha +taisha +susy +rutha +rhona +noriko +natashia +merrie +marinda +mariko +margert +loris +lizzette +leisha +kaila +joannie +jerrica +jene +jannet +janee +jacinda +herta +elenore +doretta +delaine +daniell +claudie +britta +apolonia +amberly +alease +yuri +waneta +tomi +sharri +sandie +roselle +reynalda +raguel +phylicia +patria +olimpia +odelia +mitzie +minda +mignon +mica +mendy +marivel +maile +lynetta +lavette +lauryn +latrisha +lakiesha +kiersten +kary +josphine +jolyn +jetta +janise +jacquie +ivelisse +glynis +gianna +gaynelle +danyell +danille +dacia +coralee +cher +ceola +arianne +aleshia +yung +williemae +trinh +thora +sherika +shemeka +shaunda +roseline +ricki +melda +mallie +lavonna +latina +laquanda +lala +lachelle +klara +kandis +johna +jeanmarie +jaye +grayce +gertude +emerita +ebonie +clorinda +ching +chery +carola +breann +blossom +bernardine +becki +arletha +argelia +alita +yulanda +yessenia +tobi +tasia +sylvie +shirl +shirely +shella +shantelle +sacha +rebecka +providencia +paulene +misha +miki +marline +marica +lorita +latoyia +lasonya +kerstin +kenda +keitha +kathrin +jaymie +gricelda +ginette +eryn +elina +elfrieda +danyel +cheree +chanelle +barrie +aurore +annamaria +alleen +ailene +aide +yasmine +vashti +treasa +tiffaney +sheryll +sharie +shanae +raisa +neda +mitsuko +mirella +milda +maryanna +maragret +mabelle +luetta +lorina +letisha +latarsha +lanelle +lajuana +krissy +karly +karena +jessika +jerica +jeanelle +jalisa +jacelyn +izola +euna +etha +domitila +dominica +daina +creola +carli +camie +brittny +ashanti +anisha +aleen +adah +yasuko +valrie +tona +tinisha +terisa +taneka +simonne +shalanda +serita +ressie +refugia +olene +margherita +mandie +maire +lyndia +luci +lorriane +loreta +leonia +lavona +lashawnda +lakia +kyoko +krystina +krysten +kenia +kelsi +jeanice +isobel +georgiann +genny +felicidad +eilene +deloise +deedee +conception +clora +cherilyn +calandra +armandina +anisa +tiera +theressa +stephania +sima +shyla +shonta +shera +shaquita +shala +rossana +nohemi +nery +moriah +melita +melida +melani +marylynn +marisha +mariette +malorie +madelene +ludivina +loria +lorette +loralee +lianne +lavenia +laurinda +lashon +kimi +keila +katelynn +jone +joane +jayna +janella +hertha +francene +elinore +despina +delsie +deedra +clemencia +carolin +bulah +brittanie +blondell +bibi +beaulah +beata +annita +agripina +virgen +valene +twanda +tommye +tarra +tari +tammera +shakia +sadye +ruthanne +rochel +rivka +pura +nenita +natisha +ming +merrilee +melodee +marvis +lucilla +leena +laveta +larita +lanie +keren +ileen +georgeann +genna +frida +eufemia +emely +edyth +deonna +deadra +darlena +chanell +cathern +cassondra +cassaundra +bernarda +berna +arlinda +anamaria +vertie +valeri +torri +stasia +sherise +sherill +sanda +ruthe +rosy +robbi +ranee +quyen +pearly +palmira +onita +nisha +niesha +nida +merlyn +mayola +marylouise +marth +margene +madelaine +londa +leontine +leoma +leia +lauralee +lanora +lakita +kiyoko +keturah +katelin +kareen +jonie +johnette +jenee +jeanett +izetta +hiedi +heike +hassie +giuseppina +georgann +fidela +fernande +elwanda +ellamae +eliz +dusti +dotty +cyndy +coralie +celesta +alverta +xenia +wava +vanetta +torrie +tashina +tandy +tambra +tama +stepanie +shila +shaunta +sharan +shaniqua +shae +setsuko +serafina +sandee +rosamaria +priscila +olinda +nadene +muoi +michelina +mercedez +maryrose +marcene +magali +mafalda +lannie +kayce +karoline +kamilah +kamala +justa +joline +jennine +jacquetta +iraida +georgeanna +franchesca +emeline +elane +ehtel +earlie +dulcie +dalene +classie +chere +charis +caroyln +carmina +carita +bethanie +ayako +arica +alysa +alessandra +akilah +adrien +zetta +youlanda +yelena +yahaira +xuan +wendolyn +tijuana +terina +teresia +suzi +sherell +shavonda +shaunte +sharda +shakita +sena +ryann +rubi +riva +reginia +rachal +parthenia +pamula +monnie +monet +michaele +melia +malka +maisha +lisandra +lekisha +lean +lakendra +krystin +kortney +kizzie +kittie +kera +kendal +kemberly +kanisha +julene +jule +johanne +jamee +halley +gidget +fredricka +fleta +fatimah +eusebia +elza +eleonore +dorthey +doria +donella +dinorah +delorse +claretha +christinia +charlyn +bong +belkis +azzie +andera +aiko +adena +yajaira +vania +ulrike +toshia +tifany +stefany +shizue +shenika +shawanna +sharolyn +sharilyn +shaquana +shantay +rozanne +roselee +remona +reanna +raelene +phung +petronila +natacha +nancey +myrl +miyoko +miesha +merideth +marvella +marquitta +marhta +marchelle +lizeth +libbie +lahoma +ladawn +kina +katheleen +katharyn +karisa +kaleigh +junie +julieann +johnsie +janean +jaimee +jackqueline +hisako +herma +helaine +gwyneth +gita +eustolia +emelina +elin +edris +donnette +donnetta +dierdre +denae +darcel +clarisa +cinderella +chia +charlesetta +charita +celsa +cassy +cassi +carlee +bruna +brittaney +brande +billi +antonetta +angla +angelyn +analisa +alane +wenona +wendie +veronique +vannesa +tobie +tempie +sumiko +sulema +somer +sheba +sharice +shanel +shalon +rosio +roselia +renay +rema +reena +ozie +oretha +oralee +ngan +nakesha +milly +marybelle +margrett +maragaret +manie +lurlene +lillia +lieselotte +lavelle +lashaunda +lakeesha +kaycee +kalyn +joya +joette +jenae +janiece +illa +grisel +glayds +genevie +gala +fredda +eleonor +debera +deandrea +corrinne +cordia +contessa +colene +cleotilde +chantay +cecille +beatris +azalee +arlean +ardath +anjelica +anja +alfredia +aleisha +zada +yuonne +xiao +willodean +vennie +vanna +tyisha +tova +torie +tonisha +tilda +tien +sirena +sherril +shanti +shan +senaida +samella +robbyn +renda +reita +phebe +paulita +nobuko +nguyet +neomi +mikaela +melania +maximina +marg +maisie +lynna +lilli +lashaun +lakenya +lael +kirstie +kathline +kasha +karlyn +karima +jovan +josefine +jennell +jacqui +jackelyn +hien +grazyna +florrie +floria +eleonora +dwana +dorla +delmy +deja +dede +dann +crysta +clelia +claris +chieko +cherlyn +cherelle +charmain +chara +cammy +arnette +ardelle +annika +amiee +amee +allena +yvone +yuki +yoshie +yevette +yael +willetta +voncile +venetta +tula +tonette +timika +temika +telma +teisha +taren +stacee +shawnta +saturnina +ricarda +pasty +onie +nubia +marielle +mariella +marianela +mardell +luanna +loise +lisabeth +lindsy +lilliana +lilliam +lelah +leigha +leanora +kristeen +khalilah +keeley +kandra +junko +joaquina +jerlene +jani +jamika +hsiu +hermila +genevive +evia +eugena +emmaline +elfreda +elene +donette +delcie +deeanna +darcey +clarinda +cira +chae +celinda +catheryn +casimira +carmelia +camellia +breana +bobette +bernardina +bebe +basilia +arlyne +amal +alayna +zonia +zenia +yuriko +yaeko +wynell +willena +vernia +tora +terrilyn +terica +tenesha +tawna +tajuana +taina +stephnie +sona +sina +shondra +shizuko +sherlene +sherice +sharika +rossie +rosena +rima +rheba +renna +natalya +nancee +melodi +meda +matha +marketta +maricruz +marcelene +malvina +luba +louetta +leida +lecia +lauran +lashawna +laine +khadijah +katerine +kasi +kallie +julietta +jesusita +jestine +jessia +jeffie +janyce +isadora +georgianne +fidelia +evita +eura +eulah +estefana +elsy +eladia +dodie +denisse +deloras +delila +daysi +crystle +concha +claretta +charlsie +charlena +carylon +bettyann +asley +ashlea +amira +agueda +agnus +yuette +vinita +victorina +tynisha +treena +toccara +tish +thomasena +tegan +soila +shenna +sharmaine +shantae +shandi +saran +sarai +sana +rosette +rolande +regine +otelia +olevia +nicholle +necole +naida +myrta +myesha +mitsue +minta +mertie +margy +mahalia +madalene +loura +lorean +lesha +leonida +lenita +lavone +lashell +lashandra +lamonica +kimbra +katherina +karry +kanesha +jong +jeneva +jaquelyn +gilma +ghislaine +gertrudis +fransisca +fermina +ettie +etsuko +ellan +elidia +edra +dorethea +doreatha +denyse +deetta +daine +cyrstal +corrin +cayla +carlita +camila +burma +bula +buena +barabara +avril +alaine +zana +wilhemina +wanetta +verline +vasiliki +tonita +tisa +teofila +tayna +taunya +tandra +takako +sunni +suanne +sixta +sharell +seema +rosenda +robena +raymonde +pamila +ozell +neida +mistie +micha +merissa +maurita +maryln +maryetta +marcell +malena +makeda +lovetta +lourie +lorrine +lorilee +laurena +lashay +larraine +laree +lacresha +kristle +keva +keira +karole +joie +jinny +jeannetta +jama +heidy +gilberte +gema +faviola +evelynn +enda +elli +ellena +divina +dagny +collene +codi +cindie +chassidy +chasidy +catrice +catherina +cassey +caroll +carlena +candra +calista +bryanna +britteny +beula +bari +audrie +audria +ardelia +annelle +angila +alona +allyn diff --git a/user/user_data/ZxcvbnData/3/male_names.txt b/user/user_data/ZxcvbnData/3/male_names.txt new file mode 100644 index 0000000..7a62566 --- /dev/null +++ b/user/user_data/ZxcvbnData/3/male_names.txt @@ -0,0 +1,984 @@ +james +john +robert +michael +william +david +richard +charles +joseph +thomas +christopher +daniel +paul +mark +donald +george +kenneth +steven +edward +brian +ronald +anthony +kevin +jason +matthew +gary +timothy +jose +larry +jeffrey +frank +scott +eric +stephen +andrew +raymond +gregory +joshua +jerry +dennis +walter +patrick +peter +harold +douglas +henry +carl +arthur +ryan +roger +joe +juan +jack +albert +jonathan +justin +terry +gerald +keith +samuel +willie +ralph +lawrence +nicholas +roy +benjamin +bruce +brandon +adam +harry +fred +wayne +billy +steve +louis +jeremy +aaron +randy +eugene +carlos +russell +bobby +victor +ernest +phillip +todd +jesse +craig +alan +shawn +clarence +sean +philip +chris +johnny +earl +jimmy +antonio +danny +bryan +tony +luis +mike +stanley +leonard +nathan +dale +manuel +rodney +curtis +norman +marvin +vincent +glenn +jeffery +travis +jeff +chad +jacob +melvin +alfred +kyle +francis +bradley +jesus +herbert +frederick +ray +joel +edwin +don +eddie +ricky +troy +randall +barry +bernard +mario +leroy +francisco +marcus +micheal +theodore +clifford +miguel +oscar +jay +jim +tom +calvin +alex +jon +ronnie +bill +lloyd +tommy +leon +derek +darrell +jerome +floyd +leo +alvin +tim +wesley +dean +greg +jorge +dustin +pedro +derrick +dan +zachary +corey +herman +maurice +vernon +roberto +clyde +glen +hector +shane +ricardo +sam +rick +lester +brent +ramon +tyler +gilbert +gene +marc +reginald +ruben +brett +nathaniel +rafael +edgar +milton +raul +ben +cecil +duane +andre +elmer +brad +gabriel +ron +roland +harvey +jared +adrian +karl +cory +claude +erik +darryl +neil +christian +javier +fernando +clinton +ted +mathew +tyrone +darren +lonnie +lance +cody +julio +kurt +allan +clayton +hugh +max +dwayne +dwight +armando +felix +jimmie +everett +ian +ken +bob +jaime +casey +alfredo +alberto +dave +ivan +johnnie +sidney +byron +julian +isaac +clifton +willard +daryl +virgil +andy +salvador +kirk +sergio +seth +kent +terrance +rene +eduardo +terrence +enrique +freddie +stuart +fredrick +arturo +alejandro +joey +nick +luther +wendell +jeremiah +evan +julius +donnie +otis +trevor +luke +homer +gerard +doug +kenny +hubert +angelo +shaun +lyle +matt +alfonso +orlando +rex +carlton +ernesto +pablo +lorenzo +omar +wilbur +blake +horace +roderick +kerry +abraham +rickey +ira +andres +cesar +johnathan +malcolm +rudolph +damon +kelvin +rudy +preston +alton +archie +marco +pete +randolph +garry +geoffrey +jonathon +felipe +bennie +gerardo +dominic +loren +delbert +colin +guillermo +earnest +benny +noel +rodolfo +myron +edmund +salvatore +cedric +lowell +gregg +sherman +devin +sylvester +roosevelt +israel +jermaine +forrest +wilbert +leland +simon +irving +owen +rufus +woodrow +sammy +kristopher +levi +marcos +gustavo +jake +lionel +marty +gilberto +clint +nicolas +laurence +ismael +orville +drew +ervin +dewey +wilfred +josh +hugo +ignacio +caleb +tomas +sheldon +erick +frankie +darrel +rogelio +terence +alonzo +elias +bert +elbert +ramiro +conrad +noah +grady +phil +cornelius +lamar +rolando +clay +percy +bradford +merle +darin +amos +terrell +moses +irvin +saul +roman +darnell +randal +tommie +timmy +darrin +brendan +toby +van +abel +dominick +emilio +elijah +cary +domingo +aubrey +emmett +marlon +emanuel +jerald +edmond +emil +dewayne +otto +teddy +reynaldo +bret +jess +trent +humberto +emmanuel +stephan +louie +vicente +lamont +garland +micah +efrain +heath +rodger +demetrius +ethan +eldon +rocky +pierre +eli +bryce +antoine +robbie +kendall +royce +sterling +grover +elton +cleveland +dylan +chuck +damian +reuben +stan +leonardo +russel +erwin +benito +hans +monte +blaine +ernie +curt +quentin +agustin +jamal +devon +adolfo +tyson +wilfredo +bart +jarrod +vance +denis +damien +joaquin +harlan +desmond +elliot +darwin +gregorio +kermit +roscoe +esteban +anton +solomon +norbert +elvin +nolan +carey +rod +quinton +hal +brain +rob +elwood +kendrick +darius +moises +marlin +fidel +thaddeus +cliff +marcel +ali +raphael +bryon +armand +alvaro +jeffry +dane +joesph +thurman +ned +sammie +rusty +michel +monty +rory +fabian +reggie +kris +isaiah +gus +avery +loyd +diego +adolph +millard +rocco +gonzalo +derick +rodrigo +gerry +rigoberto +alphonso +rickie +noe +vern +elvis +bernardo +mauricio +hiram +donovan +basil +nickolas +scot +vince +quincy +eddy +sebastian +federico +ulysses +heriberto +donnell +denny +gavin +emery +romeo +jayson +dion +dante +clement +coy +odell +jarvis +bruno +issac +dudley +sanford +colby +carmelo +nestor +hollis +stefan +donny +linwood +beau +weldon +galen +isidro +truman +delmar +johnathon +silas +frederic +irwin +merrill +charley +marcelino +carlo +trenton +kurtis +aurelio +winfred +vito +collin +denver +leonel +emory +pasquale +mohammad +mariano +danial +landon +dirk +branden +adan +numbers +clair +buford +bernie +wilmer +emerson +zachery +jacques +errol +josue +edwardo +wilford +theron +raymundo +daren +tristan +robby +lincoln +jame +genaro +octavio +cornell +hung +arron +antony +herschel +alva +giovanni +garth +cyrus +cyril +ronny +stevie +lon +kennith +carmine +augustine +erich +chadwick +wilburn +russ +myles +jonas +mitchel +mervin +zane +jamel +lazaro +alphonse +randell +johnie +jarrett +ariel +abdul +dusty +luciano +seymour +scottie +eugenio +mohammed +arnulfo +lucien +ferdinand +thad +ezra +aldo +rubin +mitch +earle +abe +marquis +lanny +kareem +jamar +boris +isiah +emile +elmo +aron +leopoldo +everette +josef +eloy +dorian +rodrick +reinaldo +lucio +jerrod +weston +hershel +lemuel +lavern +burt +jules +gil +eliseo +ahmad +nigel +efren +antwan +alden +margarito +refugio +dino +osvaldo +les +deandre +normand +kieth +ivory +trey +norberto +napoleon +jerold +fritz +rosendo +milford +sang +deon +christoper +alfonzo +lyman +josiah +brant +wilton +rico +jamaal +dewitt +brenton +yong +olin +faustino +claudio +judson +gino +edgardo +alec +jarred +donn +trinidad +tad +porfirio +odis +lenard +chauncey +tod +mel +marcelo +kory +augustus +keven +hilario +bud +sal +orval +mauro +dannie +zachariah +olen +anibal +milo +jed +thanh +amado +lenny +tory +richie +horacio +brice +mohamed +delmer +dario +mac +jonah +jerrold +robt +hank +sung +rupert +rolland +kenton +damion +chi +antone +waldo +fredric +bradly +kip +burl +tyree +jefferey +ahmed +willy +stanford +oren +moshe +mikel +enoch +brendon +quintin +jamison +florencio +darrick +tobias +minh +hassan +giuseppe +demarcus +cletus +tyrell +lyndon +keenan +werner +theo +geraldo +columbus +chet +bertram +markus +huey +hilton +dwain +donte +tyron +omer +isaias +hipolito +fermin +chung +adalberto +jamey +teodoro +mckinley +maximo +raleigh +lawerence +abram +rashad +emmitt +daron +chong +samual +otha +miquel +eusebio +dong +domenic +darron +wilber +renato +hoyt +haywood +ezekiel +chas +florentino +elroy +clemente +arden +neville +edison +deshawn +carrol +shayne +nathanial +jordon +danilo +claud +sherwood +raymon +rayford +cristobal +ambrose +titus +hyman +felton +ezequiel +erasmo +lonny +milan +lino +jarod +herb +andreas +rhett +jude +douglass +cordell +oswaldo +ellsworth +virgilio +toney +nathanael +benedict +mose +hong +isreal +garret +fausto +arlen +zack +modesto +francesco +manual +gaylord +gaston +filiberto +deangelo +michale +granville +malik +zackary +tuan +nicky +cristopher +antione +malcom +korey +jospeh +colton +waylon +hosea +shad +santo +rudolf +rolf +renaldo +marcellus +lucius +kristofer +harland +arnoldo +rueben +leandro +kraig +jerrell +jeromy +hobert +cedrick +arlie +winford +wally +luigi +keneth +jacinto +graig +franklyn +edmundo +leif +jeramy +willian +vincenzo +shon +michal +lynwood +jere +elden +darell +broderick +alonso diff --git a/user/user_data/ZxcvbnData/3/manifest.json b/user/user_data/ZxcvbnData/3/manifest.json new file mode 100644 index 0000000..76bba93 --- /dev/null +++ b/user/user_data/ZxcvbnData/3/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "zxcvbnData", + "version": "3" +} \ No newline at end of file diff --git a/user/user_data/ZxcvbnData/3/passwords.txt b/user/user_data/ZxcvbnData/3/passwords.txt new file mode 100644 index 0000000..cd30a0d --- /dev/null +++ b/user/user_data/ZxcvbnData/3/passwords.txt @@ -0,0 +1,30000 @@ +123456 +password +12345678 +qwerty +123456789 +12345 +1234 +111111 +1234567 +dragon +123123 +baseball +abc123 +football +monkey +letmein +shadow +master +696969 +mustang +666666 +qwertyuiop +123321 +1234567890 +pussy +superman +654321 +1qaz2wsx +7777777 +fuckyou +qazwsx +jordan +123qwe +000000 +killer +trustno1 +hunter +harley +zxcvbnm +asdfgh +buster +batman +soccer +tigger +charlie +sunshine +iloveyou +fuckme +ranger +hockey +computer +starwars +asshole +pepper +klaster +112233 +zxcvbn +freedom +princess +maggie +pass +ginger +11111111 +131313 +fuck +love +cheese +159753 +summer +chelsea +dallas +biteme +matrix +yankees +6969 +corvette +austin +access +thunder +merlin +secret +diamond +hello +hammer +fucker +1234qwer +silver +gfhjkm +internet +samantha +golfer +scooter +test +orange +cookie +q1w2e3r4t5 +maverick +sparky +phoenix +mickey +bigdog +snoopy +guitar +whatever +chicken +camaro +mercedes +peanut +ferrari +falcon +cowboy +welcome +sexy +samsung +steelers +smokey +dakota +arsenal +boomer +eagles +tigers +marina +nascar +booboo +gateway +yellow +porsche +monster +spider +diablo +hannah +bulldog +junior +london +purple +compaq +lakers +iceman +qwer1234 +hardcore +cowboys +money +banana +ncc1701 +boston +tennis +q1w2e3r4 +coffee +scooby +123654 +nikita +yamaha +mother +barney +brandy +chester +fuckoff +oliver +player +forever +rangers +midnight +chicago +bigdaddy +redsox +angel +badboy +fender +jasper +slayer +rabbit +natasha +marine +bigdick +wizard +marlboro +raiders +prince +casper +fishing +flower +jasmine +iwantu +panties +adidas +winter +winner +gandalf +password1 +enter +ghbdtn +1q2w3e4r +golden +cocacola +jordan23 +winston +madison +angels +panther +blowme +sexsex +bigtits +spanky +bitch +sophie +asdfasdf +horny +thx1138 +toyota +tiger +dick +canada +12344321 +blowjob +8675309 +muffin +liverpoo +apples +qwerty123 +passw0rd +abcd1234 +pokemon +123abc +slipknot +qazxsw +123456a +scorpion +qwaszx +butter +startrek +rainbow +asdfghjkl +razz +newyork +redskins +gemini +cameron +qazwsxedc +florida +liverpool +turtle +sierra +viking +booger +butthead +doctor +rocket +159357 +dolphins +captain +bandit +jaguar +packers +pookie +peaches +789456 +asdf +dolphin +helpme +blue +theman +maxwell +qwertyui +shithead +lovers +maddog +giants +nirvana +metallic +hotdog +rosebud +mountain +warrior +stupid +elephant +suckit +success +bond007 +jackass +alexis +porn +lucky +scorpio +samson +q1w2e3 +azerty +rush2112 +driver +freddy +1q2w3e4r5t +sydney +gators +dexter +red123 +123456q +12345a +bubba +creative +voodoo +golf +trouble +america +nissan +gunner +garfield +bullshit +asdfghjk +5150 +fucking +apollo +1qazxsw2 +2112 +eminem +legend +airborne +bear +beavis +apple +brooklyn +godzilla +skippy +4815162342 +buddy +qwert +kitten +magic +shelby +beaver +phantom +asdasd +xavier +braves +darkness +blink182 +copper +platinum +qweqwe +tomcat +01012011 +girls +bigboy +102030 +animal +police +online +11223344 +voyager +lifehack +12qwaszx +fish +sniper +315475 +trinity +blazer +heaven +lover +snowball +playboy +loveme +bubbles +hooters +cricket +willow +donkey +topgun +nintendo +saturn +destiny +pakistan +pumpkin +digital +sergey +redwings +explorer +tits +private +runner +therock +guinness +lasvegas +beatles +789456123 +fire +cassie +christin +qwerty1 +celtic +asdf1234 +andrey +broncos +007007 +babygirl +eclipse +fluffy +cartman +michigan +carolina +testing +alexande +birdie +pantera +cherry +vampire +mexico +dickhead +buffalo +genius +montana +beer +minecraft +maximus +flyers +lovely +stalker +metallica +doggie +snickers +speedy +bronco +lol123 +paradise +yankee +horses +magnum +dreams +147258369 +lacrosse +ou812 +goober +enigma +qwertyu +scotty +pimpin +bollocks +surfer +cock +poohbear +genesis +star +asd123 +qweasdzxc +racing +hello1 +hawaii +eagle1 +viper +poopoo +einstein +boobies +12345q +bitches +drowssap +simple +badger +alaska +action +jester +drummer +111222 +spitfire +forest +maryjane +champion +diesel +svetlana +friday +hotrod +147258 +chevy +lucky1 +westside +security +google +badass +tester +shorty +thumper +hitman +mozart +zaq12wsx +boobs +reddog +010203 +lizard +a123456 +123456789a +ruslan +eagle +1232323q +scarface +qwerty12 +147852 +a12345 +buddha +porno +420420 +spirit +money1 +stargate +qwe123 +naruto +mercury +liberty +12345qwert +semperfi +suzuki +popcorn +spooky +marley +scotland +kitty +cherokee +vikings +simpsons +rascal +qweasd +hummer +loveyou +michael1 +patches +russia +jupiter +penguin +passion +cumshot +vfhbyf +honda +vladimir +sandman +passport +raider +bastard +123789 +infinity +assman +bulldogs +fantasy +sucker +1234554321 +horney +domino +budlight +disney +ironman +usuckballz1 +softball +brutus +redrum +bigred +mnbvcxz +fktrcfylh +karina +marines +digger +kawasaki +cougar +fireman +oksana +monday +cunt +justice +nigger +super +wildcats +tinker +logitech +dancer +swordfis +avalon +everton +alexandr +motorola +patriots +hentai +madonna +pussy1 +ducati +colorado +connor +juventus +galore +smooth +freeuser +warcraft +boogie +titanic +wolverin +elizabet +arizona +valentin +saints +asdfg +accord +test123 +password123 +christ +yfnfif +stinky +slut +spiderma +naughty +chopper +hello123 +ncc1701d +extreme +skyline +poop +zombie +pearljam +123qweasd +froggy +awesome +vision +pirate +fylhtq +dreamer +bullet +predator +empire +123123a +kirill +charlie1 +panthers +penis +skipper +nemesis +rasdzv3 +peekaboo +rolltide +cardinal +psycho +danger +mookie +happy1 +wanker +chevelle +manutd +goblue +9379992 +hobbes +vegeta +fyfcnfcbz +852456 +picard +159951 +windows +loverboy +victory +vfrcbv +bambam +serega +123654789 +turkey +tweety +galina +hiphop +rooster +changeme +berlin +taurus +suckme +polina +electric +avatar +134679 +maksim +raptor +alpha1 +hendrix +newport +bigcock +brazil +spring +a1b2c3 +madmax +alpha +britney +sublime +darkside +bigman +wolfpack +classic +hercules +ronaldo +letmein1 +1q2w3e +741852963 +spiderman +blizzard +123456789q +cheyenne +cjkysirj +tiger1 +wombat +bubba1 +pandora +zxc123 +holiday +wildcat +devils +horse +alabama +147852369 +caesar +12312 +buddy1 +bondage +pussycat +pickle +shaggy +catch22 +leather +chronic +a1b2c3d4 +admin +qqq111 +qaz123 +airplane +kodiak +freepass +billybob +sunset +katana +phpbb +chocolat +snowman +angel1 +stingray +firebird +wolves +zeppelin +detroit +pontiac +gundam +panzer +vagina +outlaw +redhead +tarheels +greenday +nastya +01011980 +hardon +engineer +dragon1 +hellfire +serenity +cobra +fireball +lickme +darkstar +1029384756 +01011 +mustang1 +flash +124578 +strike +beauty +pavilion +01012000 +bobafett +dbrnjhbz +bigmac +bowling +chris1 +ytrewq +natali +pyramid +rulez +welcome1 +dodgers +apache +swimming +whynot +teens +trooper +fuckit +defender +precious +135790 +packard +weasel +popeye +lucifer +cancer +icecream +142536 +raven +swordfish +presario +viktor +rockstar +blonde +james1 +wutang +spike +pimp +atlanta +airforce +thailand +casino +lennon +mouse +741852 +hacker +bluebird +hawkeye +456123 +theone +catfish +sailor +goldfish +nfnmzyf +tattoo +pervert +barbie +maxima +nipples +machine +trucks +wrangler +rocks +tornado +lights +cadillac +bubble +pegasus +madman +longhorn +browns +target +666999 +eatme +qazwsx123 +microsoft +dilbert +christia +baller +lesbian +shooter +xfiles +seattle +qazqaz +cthutq +amateur +prelude +corona +freaky +malibu +123qweasdzxc +assassin +246810 +atlantis +integra +pussies +iloveu +lonewolf +dragons +monkey1 +unicorn +software +bobcat +stealth +peewee +openup +753951 +srinivas +zaqwsx +valentina +shotgun +trigger +veronika +bruins +coyote +babydoll +joker +dollar +lestat +rocky1 +hottie +random +butterfly +wordpass +smiley +sweety +snake +chipper +woody +samurai +devildog +gizmo +maddie +soso123aljg +mistress +freedom1 +flipper +express +hjvfirf +moose +cessna +piglet +polaris +teacher +montreal +cookies +wolfgang +scully +fatboy +wicked +balls +tickle +bunny +dfvgbh +foobar +transam +pepsi +fetish +oicu812 +basketba +toshiba +hotstuff +sunday +booty +gambit +31415926 +impala +stephani +jessica1 +hooker +lancer +knicks +shamrock +fuckyou2 +stinger +314159 +redneck +deftones +squirt +siemens +blaster +trucker +subaru +renegade +ibanez +manson +swinger +reaper +blondie +mylove +galaxy +blahblah +enterpri +travel +1234abcd +babylon5 +indiana +skeeter +master1 +sugar +ficken +smoke +bigone +sweetpea +fucked +trfnthbyf +marino +escort +smitty +bigfoot +babes +larisa +trumpet +spartan +valera +babylon +asdfghj +yankees1 +bigboobs +stormy +mister +hamlet +aardvark +butterfl +marathon +paladin +cavalier +manchester +skater +indigo +hornet +buckeyes +01011990 +indians +karate +hesoyam +toronto +diamonds +chiefs +buckeye +1qaz2wsx3edc +highland +hotsex +charger +redman +passwor +maiden +drpepper +storm +pornstar +garden +12345678910 +pencil +sherlock +timber +thuglife +insane +pizza +jungle +jesus1 +aragorn +1a2b3c +hamster +david1 +triumph +techno +lollol +pioneer +catdog +321654 +fktrctq +morpheus +141627 +pascal +shadow1 +hobbit +wetpussy +erotic +consumer +blabla +justme +stones +chrissy +spartak +goforit +burger +pitbull +adgjmptw +italia +barcelona +hunting +colors +kissme +virgin +overlord +pebbles +sundance +emerald +doggy +racecar +irina +element +1478963 +zipper +alpine +basket +goddess +poison +nipple +sakura +chichi +huskers +13579 +pussys +q12345 +ultimate +ncc1701e +blackie +nicola +rommel +matthew1 +caserta +omega +geronimo +sammy1 +trojan +123qwe123 +philips +nugget +tarzan +chicks +aleksandr +bassman +trixie +portugal +anakin +dodger +bomber +superfly +madness +q1w2e3r4t5y6 +loser +123asd +fatcat +ybrbnf +soldier +warlock +wrinkle1 +desire +sexual +babe +seminole +alejandr +951753 +11235813 +westham +andrei +concrete +access14 +weed +letmein2 +ladybug +naked +christop +trombone +tintin +bluesky +rhbcnbyf +qazxswedc +onelove +cdtnkfyf +whore +vfvjxrf +titans +stallion +truck +hansolo +blue22 +smiles +beagle +panama +kingkong +flatron +inferno +mongoose +connect +poiuyt +snatch +qawsed +juice +blessed +rocker +snakes +turbo +bluemoon +sex4me +finger +jamaica +a1234567 +mulder +beetle +fuckyou1 +passat +immortal +plastic +123454321 +anthony1 +whiskey +dietcoke +suck +spunky +magic1 +monitor +cactus +exigen +planet +ripper +teen +spyder +apple1 +nolimit +hollywoo +sluts +sticky +trunks +1234321 +14789632 +pickles +sailing +bonehead +ghbdtnbr +delta +charlott +rubber +911911 +112358 +molly1 +yomama +hongkong +jumper +william1 +ilovesex +faster +unreal +cumming +memphis +1123581321 +nylons +legion +sebastia +shalom +pentium +geheim +werewolf +funtime +ferret +orion +curious +555666 +niners +cantona +sprite +philly +pirates +abgrtyu +lollipop +eternity +boeing +super123 +sweets +cooldude +tottenha +green1 +jackoff +stocking +7895123 +moomoo +martini +biscuit +drizzt +colt45 +fossil +makaveli +snapper +satan666 +maniac +salmon +patriot +verbatim +nasty +shasta +asdzxc +shaved +blackcat +raistlin +qwerty12345 +punkrock +cjkywt +01012010 +4128 +waterloo +crimson +twister +oxford +musicman +seinfeld +biggie +condor +ravens +megadeth +wolfman +cosmos +sharks +banshee +keeper +foxtrot +gn56gn56 +skywalke +velvet +black1 +sesame +dogs +squirrel +privet +sunrise +wolverine +sucks +legolas +grendel +ghost +cats +carrot +frosty +lvbnhbq +blades +stardust +frog +qazwsxed +121314 +coolio +brownie +groovy +twilight +daytona +vanhalen +pikachu +peanuts +licker +hershey +jericho +intrepid +ninja +1234567a +zaq123 +lobster +goblin +punisher +strider +shogun +kansas +amadeus +seven7 +jason1 +neptune +showtime +muscle +oldman +ekaterina +rfrfirf +getsome +showme +111222333 +obiwan +skittles +danni +tanker +maestro +tarheel +anubis +hannibal +anal +newlife +gothic +shark +fighter +blue123 +blues +123456z +princes +slick +chaos +thunder1 +sabine +1q2w3e4r5t6y +python +test1 +mirage +devil +clover +tequila +chelsea1 +surfing +delete +potato +chubby +panasonic +sandiego +portland +baggins +fusion +sooners +blackdog +buttons +californ +moscow +playtime +mature +1a2b3c4d +dagger +dima +stimpy +asdf123 +gangster +warriors +iverson +chargers +byteme +swallow +liquid +lucky7 +dingdong +nymets +cracker +mushroom +456852 +crusader +bigguy +miami +dkflbvbh +bugger +nimrod +tazman +stranger +newpass +doodle +powder +gotcha +guardian +dublin +slapshot +septembe +147896325 +pepsi1 +milano +grizzly +woody1 +knights +photos +2468 +nookie +charly +rammstein +brasil +123321123 +scruffy +munchkin +poopie +123098 +kittycat +latino +walnut +1701 +thegame +viper1 +1passwor +kolobok +picasso +robert1 +barcelon +bananas +trance +auburn +coltrane +eatshit +goodluck +starcraft +wheels +parrot +postal +blade +wisdom +pink +gorilla +katerina +pass123 +andrew1 +shaney14 +dumbass +osiris +fuck_inside +oakland +discover +ranger1 +spanking +lonestar +bingo +meridian +ping +heather1 +dookie +stonecol +megaman +192837465 +rjntyjr +ledzep +lowrider +25802580 +richard1 +firefly +griffey +racerx +paradox +ghjcnj +gangsta +zaq1xsw2 +tacobell +weezer +sirius +halflife +buffett +shiloh +123698745 +vertigo +sergei +aliens +sobaka +keyboard +kangaroo +sinner +soccer1 +0.0.000 +bonjour +socrates +chucky +hotboy +sprint +0007 +sarah1 +scarlet +celica +shazam +formula1 +sommer +trebor +qwerasdf +jeep +mailcreated5240 +bollox +asshole1 +fuckface +honda1 +rebels +vacation +lexmark +penguins +12369874 +ragnarok +formula +258456 +tempest +vfhecz +tacoma +qwertz +colombia +flames +rockon +duck +prodigy +wookie +dodgeram +mustangs +123qaz +sithlord +smoker +server +bang +incubus +scoobydo +oblivion +molson +kitkat +titleist +rescue +zxcv1234 +carpet +1122 +bigballs +tardis +jimbob +xanadu +blueeyes +shaman +mersedes +pooper +pussy69 +golfing +hearts +mallard +12312312 +kenwood +patrick1 +dogg +cowboys1 +oracle +123zxc +nuttertools +102938 +topper +1122334455 +shemale +sleepy +gremlin +yourmom +123987 +gateway1 +printer +monkeys +peterpan +mikey +kingston +cooler +analsex +jimbo +pa55word +asterix +freckles +birdman +frank1 +defiant +aussie +stud +blondes +tatyana +445566 +aspirine +mariners +jackal +deadhead +katrin +anime +rootbeer +frogger +polo +scooter1 +hallo +noodles +thomas1 +parola +shaolin +celine +11112222 +plymouth +creampie +justdoit +ohyeah +fatass +assfuck +amazon +1234567q +kisses +magnus +camel +nopass +bosco +987456 +6751520 +harley1 +putter +champs +massive +spidey +lightnin +camelot +letsgo +gizmodo +aezakmi +bones +caliente +12121 +goodtime +thankyou +raiders1 +brucelee +redalert +aquarius +456654 +catherin +smokin +pooh +mypass +astros +roller +porkchop +sapphire +qwert123 +kevin1 +a1s2d3f4 +beckham +atomic +rusty1 +vanilla +qazwsxedcrfv +hunter1 +kaktus +cxfcnmt +blacky +753159 +elvis1 +aggies +blackjac +bangkok +scream +123321q +iforgot +power1 +kasper +abc12 +buster1 +slappy +shitty +veritas +chevrole +amber1 +01012001 +vader +amsterdam +jammer +primus +spectrum +eduard +granny +horny1 +sasha1 +clancy +usa123 +satan +diamond1 +hitler +avenger +1221 +spankme +123456qwerty +simba +smudge +scrappy +labrador +john316 +syracuse +front242 +falcons +husker +candyman +commando +gator +pacman +delta1 +pancho +krishna +fatman +clitoris +pineappl +lesbians +8j4ye3uz +barkley +vulcan +punkin +boner +celtics +monopoly +flyboy +romashka +hamburg +123456aa +lick +gangbang +223344 +area51 +spartans +aaa111 +tricky +snuggles +drago +homerun +vectra +homer1 +hermes +topcat +cuddles +infiniti +1234567890q +cosworth +goose +phoenix1 +killer1 +ivanov +bossman +qawsedrf +peugeot +exigent +doberman +durango +brandon1 +plumber +telefon +horndog +laguna +rbhbkk +dawg +webmaster +breeze +beast +porsche9 +beefcake +leopard +redbull +oscar1 +topdog +godsmack +theking +pics +omega1 +speaker +viktoria +fuckers +bowler +starbuck +gjkbyf +valhalla +anarchy +blacks +herbie +kingpin +starfish +nokia +loveit +achilles +906090 +labtec +ncc1701a +fitness +jordan1 +brando +arsenal1 +bull +kicker +napass +desert +sailboat +bohica +tractor +hidden +muppet +jackson1 +jimmy1 +terminator +phillies +pa55w0rd +terror +farside +swingers +legacy +frontier +butthole +doughboy +jrcfyf +tuesday +sabbath +daniel1 +nebraska +homers +qwertyuio +azamat +fallen +agent007 +striker +camels +iguana +looker +pinkfloy +moloko +qwerty123456 +dannyboy +luckydog +789654 +pistol +whocares +charmed +skiing +select +franky +puppy +daniil +vladik +vette +vfrcbvrf +ihateyou +nevada +moneys +vkontakte +mandingo +puppies +666777 +mystic +zidane +kotenok +dilligaf +budman +bunghole +zvezda +123457 +triton +golfball +technics +trojans +panda +laptop +rookie +01011991 +15426378 +aberdeen +gustav +jethro +enterprise +igor +stripper +filter +hurrican +rfnthbyf +lespaul +gizmo1 +butch +132435 +dthjybrf +1366613 +excalibu +963852 +nofear +momoney +possum +cutter +oilers +moocow +cupcake +gbpltw +batman1 +splash +svetik +super1 +soleil +bogdan +melissa1 +vipers +babyboy +tdutybq +lancelot +ccbill +keystone +passwort +flamingo +firefox +dogman +vortex +rebel +noodle +raven1 +zaphod +killme +pokemon1 +coolman +danila +designer +skinny +kamikaze +deadman +gopher +doobie +warhammer +deeznuts +freaks +engage +chevy1 +steve1 +apollo13 +poncho +hammers +azsxdc +dracula +000007 +sassy +bitch1 +boots +deskjet +12332 +macdaddy +mighty +rangers1 +manchest +sterlin +casey1 +meatball +mailman +sinatra +cthulhu +summer1 +bubbas +cartoon +bicycle +eatpussy +truelove +sentinel +tolkien +breast +capone +lickit +summit +123456k +peter1 +daisy1 +kitty1 +123456789z +crazy1 +jamesbon +texas1 +sexygirl +362436 +sonic +billyboy +redhot +microsof +microlab +daddy1 +rockets +iloveyo +fernand +gordon24 +danie +cutlass +polska +star69 +titties +pantyhos +01011985 +thekid +aikido +gofish +mayday +1234qwe +coke +anfield +sony +lansing +smut +scotch +sexx +catman +73501505 +hustler +saun +dfkthbz +passwor1 +jenny1 +azsxdcfv +cheers +irish1 +gabrie +tinman +orioles +1225 +charlton +fortuna +01011970 +airbus +rustam +xtreme +bigmoney +zxcasd +retard +grumpy +huskies +boxing +4runner +kelly1 +ultima +warlord +fordf150 +oranges +rotten +asdfjkl +superstar +denali +sultan +bikini +saratoga +thor +figaro +sixers +wildfire +vladislav +128500 +sparta +mayhem +greenbay +chewie +music1 +number1 +cancun +fabie +mellon +poiuytrewq +cloud9 +crunch +bigtime +chicken1 +piccolo +bigbird +321654987 +billy1 +mojo +01011981 +maradona +sandro +chester1 +bizkit +rjirfrgbde +789123 +rightnow +jasmine1 +hyperion +treasure +meatloaf +armani +rovers +jarhead +01011986 +cruise +coconut +dragoon +utopia +davids +cosmo +rfhbyf +reebok +1066 +charli +giorgi +sticks +sayang +pass1234 +exodus +anaconda +zaqxsw +illini +woofwoof +emily1 +sandy1 +packer +poontang +govols +jedi +tomato +beaner +cooter +creamy +lionking +happy123 +albatros +poodle +kenworth +dinosaur +greens +goku +happyday +eeyore +tsunami +cabbage +holyshit +turkey50 +memorex +chaser +bogart +orgasm +tommy1 +volley +whisper +knopka +ericsson +walleye +321123 +pepper1 +katie1 +chickens +tyler1 +corrado +twisted +100000 +zorro +clemson +zxcasdqwe +tootsie +milana +zenith +fktrcfylhf +shania +frisco +polniypizdec0211 +crazybab +junebug +fugazi +rereirf +vfvekz +1001 +sausage +vfczyz +koshka +clapton +justin1 +anhyeuem +condom +fubar +hardrock +skywalker +tundra +cocks +gringo +150781 +canon +vitalik +aspire +stocks +samsung1 +applepie +abc12345 +arjay +gandalf1 +boob +pillow +sparkle +gmoney +rockhard +lucky13 +samiam +everest +hellyeah +bigsexy +skorpion +rfrnec +hedgehog +australi +candle +slacker +dicks +voyeur +jazzman +america1 +bobby1 +br0d3r +wolfie +vfksirf +1qa2ws3ed +13243546 +fright +yosemite +temp +karolina +fart +barsik +surf +cheetah +baddog +deniska +starship +bootie +milena +hithere +kume +greatone +dildo +50cent +0.0.0.000 +albion +amanda1 +midget +lion +maxell +football1 +cyclone +freeporn +nikola +bonsai +kenshin +slider +balloon +roadkill +killbill +222333 +jerkoff +78945612 +dinamo +tekken +rambler +goliath +cinnamon +malaka +backdoor +fiesta +packers1 +rastaman +fletch +sojdlg123aljg +stefano +artemis +calico +nyjets +damnit +robotech +duchess +rctybz +hooter +keywest +18436572 +hal9000 +mechanic +pingpong +operator +presto +sword +rasputin +spank +bristol +faggot +shado +963852741 +amsterda +321456 +wibble +carrera +alibaba +majestic +ramses +duster +route66 +trident +clipper +steeler +wrestlin +divine +kipper +gotohell +kingfish +snake1 +passwords +buttman +pompey +viagra +zxcvbnm1 +spurs +332211 +slutty +lineage2 +oleg +macross +pooter +brian1 +qwert1 +charles1 +slave +jokers +yzerman +swimmer +ne1469 +nwo4life +solnce +seamus +lolipop +pupsik +moose1 +ivanova +secret1 +matador +love69 +420247 +ktyjxrf +subway +cinder +vermont +pussie +chico +florian +magick +guiness +allsop +ghetto +flash1 +a123456789 +typhoon +dfkthf +depeche +skydive +dammit +seeker +fuckthis +crysis +kcj9wx5n +umbrella +r2d2c3po +123123q +snoopdog +critter +theboss +ding +162534 +splinter +kinky +cyclops +jayhawk +456321 +caramel +qwer123 +underdog +caveman +onlyme +grapes +feather +hotshot +fuckher +renault +george1 +sex123 +pippen +000001 +789987 +floppy +cunts +megapass +1000 +pornos +usmc +kickass +great1 +quattro +135246 +wassup +helloo +p0015123 +nicole1 +chivas +shannon1 +bullseye +java +fishes +blackhaw +jamesbond +tunafish +juggalo +dkflbckfd +123789456 +dallas1 +translator +122333 +beanie +alucard +gfhjkm123 +supersta +magicman +ashley1 +cohiba +xbox360 +caligula +12131415 +facial +7753191 +dfktynbyf +cobra1 +cigars +fang +klingon +bob123 +safari +looser +10203 +deepthroat +malina +200000 +tazmania +gonzo +goalie +jacob1 +monaco +cruiser +misfit +vh5150 +tommyboy +marino13 +yousuck +sharky +vfhufhbnf +horizon +absolut +brighton +123456r +death1 +kungfu +maxx +forfun +mamapapa +enter1 +budweise +banker +getmoney +kostya +qazwsx12 +bigbear +vector +fallout +nudist +gunners +royals +chainsaw +scania +trader +blueboy +walrus +eastside +kahuna +qwerty1234 +love123 +steph +01011989 +cypress +champ +undertaker +ybrjkfq +europa +snowboar +sabres +moneyman +chrisbln +minime +nipper +groucho +whitey +viewsonic +penthous +wolf359 +fabric +flounder +coolguy +whitesox +passme +smegma +skidoo +thanatos +fucku2 +snapple +dalejr +mondeo +thesims +mybaby +panasoni +sinbad +thecat +topher +frodo +sneakers +q123456 +z1x2c3 +alfa +chicago1 +taylor1 +ghjcnjnfr +cat123 +olivier +cyber +titanium +0420 +madison1 +jabroni +dang +hambone +intruder +holly1 +gargoyle +sadie1 +static +poseidon +studly +newcastl +sexxxx +poppy +johannes +danzig +beastie +musica +buckshot +sunnyday +adonis +bluedog +bonkers +2128506 +chrono +compute +spawn +01011988 +turbo1 +smelly +wapbbs +goldstar +ferrari1 +778899 +quantum +pisces +boomboom +gunnar +1024 +test1234 +florida1 +nike +superman1 +multiplelo +custom +motherlode +1qwerty +westwood +usnavy +apple123 +daewoo +korn +stereo +sasuke +sunflowe +watcher +dharma +555777 +mouse1 +assholes +babyblue +123qwerty +marius +walmart +snoop +starfire +tigger1 +paintbal +knickers +aaliyah +lokomotiv +theend +winston1 +sapper +rover +erotica +scanner +racer +zeus +sexy69 +doogie +bayern +joshua1 +newbie +scott1 +losers +droopy +outkast +martin1 +dodge1 +wasser +ufkbyf +rjycnfynby +thirteen +12345z +112211 +hotred +deejay +hotpussy +192837 +jessic +philippe +scout +panther1 +cubbies +havefun +magpie +fghtkm +avalanch +newyork1 +pudding +leonid +harry1 +cbr600 +audia4 +bimmer +fucku +01011984 +idontknow +vfvfgfgf +1357 +aleksey +builder +01011987 +zerocool +godfather +mylife +donuts +allmine +redfish +777888 +sascha +nitram +bounce +333666 +smokes +1x2zkg8w +rodman +stunner +zxasqw12 +hoosier +hairy +beretta +insert +123456s +rtyuehe +francesc +tights +cheese1 +micron +quartz +hockey1 +gegcbr +searay +jewels +bogey +paintball +celeron +padres +bing +syncmaster +ziggy +simon1 +beaches +prissy +diehard +orange1 +mittens +aleksandra +queens +02071986 +biggles +thongs +southpark +artur +twinkle +gretzky +rabota +cambiami +monalisa +gollum +chuckles +spike1 +gladiator +whisky +spongebob +sexy1 +03082006 +mazafaka +meathead +4121 +ou8122 +barefoot +12345678q +cfitymrf +bigass +a1s2d3 +kosmos +blessing +titty +clevelan +terrapin +ginger1 +johnboy +maggot +clarinet +deeznutz +336699 +stumpy +stoney +footbal +traveler +volvo +bucket +snapon +pianoman +hawkeyes +futbol +casanova +tango +goodboy +scuba +honey1 +sexyman +warthog +mustard +abc1234 +nickel +10203040 +meowmeow +1012 +boricua +prophet +sauron +12qwas +reefer +andromeda +crystal1 +joker1 +90210 +goofy +loco +lovesex +triangle +whatsup +mellow +bengals +monster1 +maste +01011910 +lover1 +love1 +123aaa +sunshin +smeghead +hokies +sting +welder +rambo +cerberus +bunny1 +rockford +monke +1q2w3e4r5 +goldwing +gabriell +buzzard +crjhgbjy +james007 +rainman +groove +tiberius +purdue +nokia6300 +hayabusa +shou +jagger +diver +zigzag +poochie +usarmy +phish +redwood +redwing +12345679 +salamander +silver1 +abcd123 +sputnik +boobie +ripple +eternal +12qw34er +thegreat +allstar +slinky +gesperrt +mishka +whiskers +pinhead +overkill +sweet1 +rhfcjnrf +montgom240 +sersolution +jamie1 +starman +proxy +swords +nikolay +bacardi +rasta +badgirl +rebecca1 +wildman +penny1 +spaceman +1007 +10101 +logan1 +hacked +bulldog1 +helmet +windsor +buffy1 +runescape +trapper +123451 +banane +dbrnjh +ripken +12345qwe +frisky +shun +fester +oasis +lightning +ib6ub9 +cicero +kool +pony +thedog +784512 +01011992 +megatron +illusion +edward1 +napster +11223 +squash +roadking +woohoo +19411945 +hoosiers +01091989 +tracker +bagira +midway +leavemealone +br549 +14725836 +235689 +menace +rachel1 +feng +laser +stoned +realmadrid +787898 +balloons +tinkerbell +5551212 +maria1 +pobeda +heineken +sonics +moonlight +optimus +comet +orchid +02071982 +jaybird +kashmir +12345678a +chuang +chunky +peach +mortgage +rulezzz +saleen +chuckie +zippy +fishing1 +gsxr750 +doghouse +maxim +reader +shai +buddah +benfica +chou +salomon +meister +eraser +blackbir +bigmike +starter +pissing +angus +deluxe +eagles1 +hardcock +135792468 +mian +seahawks +godfathe +bookworm +gregor +intel +talisman +blackjack +babyface +hawaiian +dogfood +zhong +01011975 +sancho +ludmila +medusa +mortimer +123456654321 +roadrunn +just4me +stalin +01011993 +handyman +alphabet +pizzas +calgary +clouds +password2 +cgfhnfr +f**k +cubswin +gong +lexus +max123 +xxx123 +digital1 +gfhjkm1 +7779311 +missy1 +michae +beautifu +gator1 +1005 +pacers +buddie +chinook +heckfy +dutchess +sally1 +breasts +beowulf +darkman +jenn +tiffany1 +zhei +quan +qazwsx1 +satana +shang +idontkno +smiths +puddin +nasty1 +teddybea +valkyrie +passwd +chao +boxster +killers +yoda +cheater +inuyasha +beast1 +wareagle +foryou +dragonball +mermaid +bhbirf +teddy1 +dolphin1 +misty1 +delphi +gromit +sponge +qazzaq +fytxrf +gameover +diao +sergi +beamer +beemer +kittykat +rancid +manowar +adam12 +diggler +assword +austin1 +wishbone +gonavy +sparky1 +fisting +thedude +sinister +1213 +venera +novell +salsero +jayden +fuckoff1 +linda1 +vedder +02021987 +1pussy +redline +lust +jktymrf +02011985 +dfcbkbq +dragon12 +chrome +gamecube +titten +cong +bella1 +leng +02081988 +eureka +bitchass +147369 +banner +lakota +123321a +mustafa +preacher +hotbox +02041986 +z1x2c3v4 +playstation +01011977 +claymore +electra +checkers +zheng +qing +armagedon +02051986 +wrestle +svoboda +bulls +nimbus +alenka +madina +newpass6 +onetime +aa123456 +bartman +02091987 +silverad +electron +12345t +devil666 +oliver1 +skylar +rhtdtlrj +gobucks +johann +12011987 +milkman +02101985 +camper +thunderb +bigbutt +jammin +davide +cheeks +goaway +lighter +claudi +thumbs +pissoff +ghostrider +cocaine +teng +squall +lotus +hootie +blackout +doitnow +subzero +02031986 +marine1 +02021988 +pothead +123456qw +skate +1369 +peng +antoni +neng +miao +bcfields +1492 +marika +794613 +musashi +tulips +nong +piao +chai +ruan +southpar +02061985 +nude +mandarin +654123 +ninjas +cannabis +jetski +xerxes +zhuang +kleopatra +dickie +bilbo +pinky +morgan1 +1020 +1017 +dieter +baseball1 +tottenham +quest +yfnfkmz +dirtbike +1234567890a +mango +jackson5 +ipswich +iamgod +02011987 +tdutybz +modena +qiao +slippery +qweasd123 +bluefish +samtron +toon +111333 +iscool +02091986 +petrov +fuzzy +zhou +1357924680 +mollydog +deng +02021986 +1236987 +pheonix +zhun +ghblehjr +othello +starcraf +000111 +sanfran +a11111 +cameltoe +badman +vasilisa +jiang +1qaz2ws +luan +sveta +12qw12 +akira +chuai +369963 +cheech +beatle +pickup +paloma +01011983 +caravan +elizaveta +gawker +banzai +pussey +mullet +seng +bingo1 +bearcat +flexible +farscape +borussia +zhuai +templar +guitar1 +toolman +yfcntymrf +chloe1 +xiang +slave1 +guai +nuggets +02081984 +mantis +slim +scorpio1 +fyutkbyf +thedoors +02081987 +02061986 +123qq123 +zappa +fergie +7ugd5hip2j +huai +asdfzxcv +sunflower +pussyman +deadpool +bigtit +01011982 +love12 +lassie +skyler +gatorade +carpedie +jockey +mancity +spectre +02021984 +cameron1 +artemka +reng +02031984 +iomega +jing +moritz +spice +rhino +spinner +heater +zhai +hover +talon +grease +qiong +corleone +ltybcrf +tian +cowboy1 +hippie +chimera +ting +alex123 +02021985 +mickey1 +corsair +sonoma +aaron1 +xxxpass +bacchus +webmaste +chuo +xyz123 +chrysler +spurs1 +artem +shei +cosmic +01020304 +deutsch +gabriel1 +123455 +oceans +987456321 +binladen +latinas +a12345678 +speedo +buttercu +02081989 +21031988 +merlot +millwall +ceng +kotaku +jiong +dragonba +2580 +stonecold +snuffy +01011999 +02011986 +hellos +blaze +maggie1 +slapper +istanbul +bonjovi +babylove +mazda +bullfrog +phoeni +meng +porsche1 +nomore +02061989 +bobdylan +capslock +orion1 +zaraza +teddybear +ntktajy +myname +rong +wraith +mets +niao +02041984 +smokie +chevrolet +dialog +gfhjkmgfhjkm +dotcom +vadim +monarch +athlon +mikey1 +hamish +pian +liang +coolness +chui +thoma +ramones +ciccio +chippy +eddie1 +house1 +ning +marker +cougars +jackpot +barbados +reds +pdtplf +knockers +cobalt +amateurs +dipshit +napoli +kilroy +pulsar +jayhawks +daemon +alexey +weng +shuang +9293709b13 +shiner +eldorado +soulmate +mclaren +golfer1 +andromed +duan +50spanks +sexyboy +dogshit +02021983 +shuo +kakashka +syzygy +111111a +yeahbaby +qiang +netscape +fulham +120676 +gooner +zhui +rainbow6 +laurent +dog123 +halifax +freeway +carlitos +147963 +eastwood +microphone +monkey12 +1123 +persik +coldbeer +geng +nuan +danny1 +fgtkmcby +entropy +gadget +just4fun +sophi +baggio +carlito +1234567891 +02021989 +02041983 +specialk +piramida +suan +bigblue +salasana +hopeful +mephisto +bailey1 +hack +annie1 +generic +violetta +spencer1 +arcadia +02051983 +hondas +9562876 +trainer +jones1 +smashing +liao +159632 +iceberg +rebel1 +snooker +temp123 +zang +matteo +fastball +q2w3e4r5 +bamboo +fuckyo +shutup +astro +buddyboy +nikitos +redbird +maxxxx +shitface +02031987 +kuai +kissmyass +sahara +radiohea +1234asdf +wildcard +maxwell1 +patric +plasma +heynow +bruno1 +shao +bigfish +misfits +sassy1 +sheng +02011988 +02081986 +testpass +nanook +cygnus +licking +slavik +pringles +xing +1022 +ninja1 +submit +dundee +tiburon +pinkfloyd +yummy +shuai +guang +chopin +obelix +insomnia +stroker +1a2s3d4f +1223 +playboy1 +lazarus +jorda +spider1 +homerj +sleeper +02041982 +darklord +cang +02041988 +02041987 +tripod +magician +jelly +telephon +15975 +vsjasnel12 +pasword +iverson3 +pavlov +homeboy +gamecock +amigo +brodie +budapest +yjdsqgfhjkm +reckless +02011980 +pang +tiger123 +2469 +mason1 +orient +01011979 +zong +cdtnbr +maksimka +1011 +bushido +taxman +giorgio +sphinx +kazantip +02101984 +concorde +verizon +lovebug +georg +sam123 +seadoo +qazwsxedc123 +jiao +jezebel +pharmacy +abnormal +jellybea +maxime +puffy +islander +bunnies +jiggaman +drakon +010180 +pluto +zhjckfd +12365 +classics +crusher +mordor +hooligan +strawberry +02081985 +scrabble +hawaii50 +1224 +wg8e3wjf +cthtuf +premium +arrow +123456qwe +mazda626 +ramrod +tootie +rhjrjlbk +ghost1 +1211 +bounty +niang +02071984 +goat +killer12 +sweetnes +porno1 +masamune +426hemi +corolla +mariposa +hjccbz +doomsday +bummer +blue12 +zhao +bird33 +excalibur +samsun +kirsty +buttfuck +kfhbcf +zhuo +marcello +ozzy +02021982 +dynamite +655321 +master12 +123465 +lollypop +stepan +1qa2ws +spiker +goirish +callum +michael2 +moonbeam +attila +henry1 +lindros +andrea1 +sporty +lantern +12365478 +nextel +violin +volcom +998877 +water1 +imation +inspiron +dynamo +citadel +placebo +clowns +tiao +02061988 +tripper +dabears +haggis +merlin1 +02031985 +anthrax +amerika +iloveme +vsegda +burrito +bombers +snowboard +forsaken +katarina +a1a2a3 +woofer +tigger2 +fullmoon +tiger2 +spock +hannah1 +snoopy1 +sexxxy +sausages +stanislav +cobain +robotics +exotic +green123 +mobydick +senators +pumpkins +fergus +asddsa +147741 +258852 +windsurf +reddevil +vfitymrf +nevermind +nang +woodland +4417 +mick +shui +q1q2q3 +wingman +69696 +superb +zuan +ganesh +pecker +zephyr +anastasiya +icu812 +larry1 +02081982 +broker +zalupa +mihail +vfibyf +dogger +7007 +paddle +varvara +schalke +1z2x3c +presiden +yankees2 +tuning +poopy +02051982 +concord +vanguard +stiffy +rjhjktdf +felix1 +wrench +firewall +boxer +bubba69 +popper +02011984 +temppass +gobears +cuan +tipper +fuckme1 +kamila +thong +puss +bigcat +drummer1 +02031982 +sowhat +digimon +tigers1 +rang +jingle +bian +uranus +soprano +mandy1 +dusty1 +fandango +aloha +pumpkin1 +postman +02061980 +dogcat +bombay +pussy123 +onetwo +highheel +pippo +julie1 +laura1 +pepito +beng +smokey1 +stylus +stratus +reload +duckie +karen1 +jimbo1 +225588 +369258 +krusty +snappy +asdf12 +electro +111qqq +kuang +fishin +clit +abstr +christma +qqqqq1 +1234560 +carnage +guyver +boxers +kittens +zeng +1000000 +qwerty11 +toaster +cramps +yugioh +02061987 +icehouse +zxcvbnm123 +pineapple +namaste +harrypotter +mygirl +falcon1 +earnhard +fender1 +spikes +nutmeg +01081989 +dogboy +02091983 +369852 +softail +mypassword +prowler +bigboss +1112 +harvest +heng +jubilee +killjoy +basset +keng +zaqxswcde +redsox1 +biao +titan +misfit99 +robot +wifey +kidrock +02101987 +gameboy +enrico +1z2x3c4v +broncos1 +arrows +havana +banger +cookie1 +chriss +123qw +platypus +cindy1 +lumber +pinball +foxy +london1 +1023 +05051987 +02041985 +password12 +superma +longbow +radiohead +nigga +12051988 +spongebo +qwert12345 +abrakadabra +dodgers1 +02101989 +chillin +niceguy +pistons +hookup +santafe +bigben +jets +1013 +vikings1 +mankind +viktoriya +beardog +hammer1 +02071980 +reddwarf +magelan +longjohn +jennife +gilles +carmex2 +02071987 +stasik +bumper +doofus +slamdunk +pixies +garion +steffi +alessandro +beerman +niceass +warrior1 +honolulu +134679852 +visa +johndeer +mother1 +windmill +boozer +oatmeal +aptiva +busty +delight +tasty +slick1 +bergkamp +badgers +guitars +puffin +02091981 +nikki1 +irishman +miller1 +zildjian +123000 +airwolf +magnet +anai +install +02041981 +02061983 +astra +romans +megan1 +mudvayne +freebird +muscles +dogbert +02091980 +02091984 +snowflak +01011900 +mang +joseph1 +nygiants +playstat +junior1 +vjcrdf +qwer12 +webhompas +giraffe +pelican +jefferso +comanche +bruiser +monkeybo +kjkszpj +123456l +micro +albany +02051987 +angel123 +epsilon +aladin +death666 +hounddog +josephin +altima +chilly +02071988 +78945 +ultra +02041979 +gasman +thisisit +pavel +idunno +kimmie +05051985 +paulie +ballin +medion +moondog +manolo +pallmall +climber +fishbone +genesis1 +153624 +toffee +tbone +clippers +krypton +jerry1 +picturs +compass +111111q +02051988 +1121 +02081977 +sairam +getout +333777 +cobras +22041987 +bigblock +severin +booster +norwich +whiteout +ctrhtn +123456m +02061984 +hewlett +shocker +fuckinside +02031981 +chase1 +white1 +versace +123456789s +basebal +iloveyou2 +bluebell +08031986 +anthon +stubby +foreve +undertak +werder +saiyan +mama123 +medic +chipmunk +mike123 +mazdarx7 +qwe123qwe +bowwow +kjrjvjnbd +celeb +choochoo +demo +lovelife +02051984 +colnago +lithium +02051989 +15051981 +zzzxxx +welcom +anastasi +fidelio +franc +26061987 +roadster +stone55 +drifter +hookem +hellboy +1234qw +cbr900rr +sinned +good123654 +storm1 +gypsy +zebra +zachary1 +toejam +buceta +02021979 +testing1 +redfox +lineage +mike1 +highbury +koroleva +nathan1 +washingt +02061982 +02091985 +vintage +redbaron +dalshe +mykids +11051987 +macbeth +julien +james123 +krasotka +111000 +10011986 +987123 +pipeline +tatarin +sensei +codered +komodo +frogman +7894561230 +nascar24 +juicy +01031988 +redrose +mydick +pigeon +tkbpfdtnf +smirnoff +1215 +spam +winner1 +flyfish +moskva +81fukkc +21031987 +olesya +starligh +summer99 +13041988 +fishhead +freesex +super12 +06061986 +azazel +scoobydoo +02021981 +cabron +yogibear +sheba1 +konstantin +tranny +chilli +terminat +ghbywtccf +slowhand +soccer12 +cricket1 +fuckhead +1002 +seagull +achtung +blam +bigbob +bdsm +nostromo +survivor +cnfybckfd +lemonade +boomer1 +rainbow1 +rober +irinka +cocksuck +peaches1 +itsme +sugar1 +zodiac +upyours +dinara +135791 +sunny1 +chiara +johnson1 +02041989 +solitude +habibi +sushi +markiz +smoke1 +rockies +catwoman +johnny1 +qwerty7 +bearcats +username +01011978 +wanderer +ohshit +02101986 +sigma +stephen1 +paradigm +02011989 +flanker +sanity +jsbach +spotty +bologna +fantasia +chevys +borabora +cocker +74108520 +123ewq +12021988 +01061990 +gtnhjdbx +02071981 +01011960 +sundevil +3000gt +mustang6 +gagging +maggi +armstron +yfnfkb +13041987 +revolver +02021976 +trouble1 +madcat +jeremy1 +jackass1 +volkswag +30051985 +corndog +pool6123 +marines1 +03041991 +pizza1 +piggy +sissy +02031979 +sunfire +angelus +undead +24061986 +14061991 +wildbill +shinobi +45m2do5bs +123qwer +21011989 +cleopatr +lasvega +hornets +amorcit +11081989 +coventry +nirvana1 +destin +sidekick +20061988 +02081983 +gbhfvblf +sneaky +bmw325 +22021989 +nfytxrf +sekret +kalina +zanzibar +hotone +qazws +wasabi +heidi1 +highlander +blues1 +hitachi +paolo +23041987 +slayer1 +simba1 +02011981 +tinkerbe +kieran +01121986 +172839 +boiler +1125 +bluesman +waffle +asdfgh01 +threesom +conan +1102 +reflex +18011987 +nautilus +everlast +fatty +vader1 +01071986 +cyborg +ghbdtn123 +birddog +rubble +02071983 +suckers +02021973 +skyhawk +12qw12qw +dakota1 +joebob +nokia6233 +woodie +longdong +lamer +troll +ghjcnjgfhjkm +420000 +boating +nitro +armada +messiah +1031 +penguin1 +02091989 +americ +02071989 +redeye +asdqwe123 +07071987 +monty1 +goten +spikey +sonata +635241 +tokiohotel +sonyericsson +citroen +compaq1 +1812 +umpire +belmont +jonny +pantera1 +nudes +palmtree +14111986 +fenway +bighead +razor +gryphon +andyod22 +aaaaa1 +taco +10031988 +enterme +malachi +dogface +reptile +01041985 +dindom +handball +marseille +candy1 +19101987 +torino +tigge +matthias +viewsoni +13031987 +stinker +evangelion +24011985 +123456123 +rampage +sandrine +02081980 +thecrow +astral +28041987 +sprinter +private1 +seabee +shibby +02101988 +25081988 +fearless +junkie +01091987 +aramis +antelope +draven +fuck1 +mazda6 +eggman +02021990 +barselona +buddy123 +19061987 +fyfnjkbq +nancy1 +12121990 +10071987 +sluggo +kille +hotties +irishka +zxcasdqwe123 +shamus +fairlane +honeybee +soccer10 +13061986 +fantomas +17051988 +10051987 +20111986 +gladiato +karachi +gambler +gordo +01011995 +biatch +matthe +25800852 +papito +excite +buffalo1 +bobdole +cheshire +player1 +28021992 +thewho +10101986 +pinky1 +mentor +tomahawk +brown1 +03041986 +bismillah +bigpoppa +ijrjkfl +01121988 +runaway +08121986 +skibum +studman +helper +squeak +holycow +manfred +harlem +glock +gideon +987321 +14021985 +yellow1 +wizard1 +margarit +success1 +medved +sf49ers +lambda +pasadena +johngalt +quasar +1776 +02031980 +coldplay +amand +playa +bigpimp +04041991 +capricorn +elefant +sweetness +bruce1 +luca +dominik +10011990 +biker +09051945 +datsun +elcamino +trinitro +malice +audi +voyager1 +02101983 +joe123 +carpente +spartan1 +mario1 +glamour +diaper +12121985 +22011988 +winter1 +asimov +callisto +nikolai +pebble +02101981 +vendetta +david123 +boytoy +11061985 +02031989 +iloveyou1 +stupid1 +cayman +casper1 +zippo +yamahar1 +wildwood +foxylady +calibra +02041980 +27061988 +dungeon +leedsutd +30041986 +11051990 +bestbuy +antares +dominion +24680 +01061986 +skillet +enforcer +derparol +01041988 +196969 +29071983 +f00tball +purple1 +mingus +25031987 +21031990 +remingto +giggles +klaste +3x7pxr +01011994 +coolcat +29051989 +megane +20031987 +02051980 +04041988 +synergy +0000007 +macman +iforget +adgjmp +vjqgfhjkm +28011987 +rfvfcenhf +16051989 +25121987 +16051987 +rogue +mamamia +08051990 +20091991 +1210 +carnival +bolitas +paris1 +dmitriy +dimas +05051989 +papillon +knuckles +29011985 +hola +tophat +28021990 +100500 +cutiepie +devo +415263 +ducks +ghjuhfvvf +asdqwe +22021986 +freefall +parol +02011983 +zarina +buste +vitamin +warez +bigones +17061988 +baritone +jamess +twiggy +mischief +bitchy +hetfield +1003 +dontknow +grinch +sasha_007 +18061990 +12031985 +12031987 +calimero +224466 +letmei +15011987 +acmilan +alexandre +02031977 +08081988 +whiteboy +21051991 +barney1 +02071978 +money123 +18091985 +bigdawg +02031988 +cygnusx1 +zoloto +31011987 +firefigh +blowfish +screamer +lfybbk +20051988 +chelse +11121986 +01031989 +harddick +sexylady +30031988 +02041974 +auditt +pizdec +kojak +kfgjxrf +20091988 +123456ru +wp2003wp +1204 +15051990 +slugger +kordell1 +03031986 +swinging +01011974 +02071979 +rockie +dimples +1234123 +1dragon +trucking +rusty2 +roger1 +marijuana +kerouac +02051978 +08031985 +paco +thecure +keepout +kernel +noname123 +13121985 +francisc +bozo +02011982 +22071986 +02101979 +obsidian +12345qw +spud +tabasco +02051985 +jaguars +dfktynby +kokomo +popova +notused +sevens +4200 +magneto +02051976 +roswell +15101986 +21101986 +lakeside +bigbang +aspen +little1 +14021986 +loki +suckmydick +strawber +carlos1 +nokian73 +dirty1 +joshu +25091987 +16121987 +02041975 +advent +17011987 +slimshady +whistler +10101990 +stryker +22031984 +15021985 +01031985 +blueball +26031988 +ksusha +bahamut +robocop +w_pass +chris123 +impreza +prozac +bookie +bricks +13021990 +alice1 +cassandr +11111q +john123 +4ever +korova +02051973 +142857 +25041988 +paramedi +eclipse1 +salope +07091990 +1124 +darkangel +23021986 +999666 +nomad +02051981 +smackdow +01021990 +yoyoma +argentin +moonligh +57chevy +bootys +hardone +capricor +galant +spanker +dkflbr +24111989 +magpies +krolik +21051988 +cevthrb +cheddar +22041988 +bigbooty +scuba1 +qwedsa +duffman +bukkake +acura +johncena +sexxy +p@ssw0rd +258369 +cherries +12345s +asgard +leopold +fuck123 +mopar +lalakers +dogpound +matrix1 +crusty +spanner +kestrel +fenris +universa +peachy +assasin +lemmein +eggplant +hejsan +canucks +wendy1 +doggy1 +aikman +tupac +turnip +godlike +fussball +golden1 +19283746 +april1 +django +petrova +captain1 +vincent1 +ratman +taekwondo +chocha +serpent +perfect1 +capetown +vampir +amore +gymnast +timeout +nbvjatq +blue32 +ksenia +k.lvbkf +nazgul +budweiser +clutch +mariya +sylveste +02051972 +beaker +cartman1 +q11111 +sexxx +forever1 +loser1 +marseill +magellan +vehpbr +sexgod +jktxrf +hallo123 +132456 +liverpool1 +southpaw +seneca +camden +357159 +camero +tenchi +johndoe +145236 +roofer +741963 +vlad +02041978 +fktyrf +zxcv123 +wingnut +wolfpac +notebook +pufunga7782 +brandy1 +biteme1 +goodgirl +redhat +02031978 +challeng +millenium +hoops +maveric +noname +angus1 +gaell +onion +olympus +sabrina1 +ricard +sixpack +gratis +gagged +camaross +hotgirls +flasher +02051977 +bubba123 +goldfing +moonshin +gerrard +volkov +sonyfuck +mandrake +258963 +tracer +lakers1 +asians +susan1 +money12 +helmut +boater +diablo2 +1234zxcv +dogwood +bubbles1 +happy2 +randy1 +aries +beach1 +marcius2 +navigator +goodie +hellokitty +fkbyjxrf +earthlink +lookout +jumbo +opendoor +stanley1 +marie1 +12345m +07071977 +ashle +wormix +murzik +02081976 +lakewood +bluejays +loveya +commande +gateway2 +peppe +01011976 +7896321 +goth +oreo +slammer +rasmus +faith1 +knight1 +stone1 +redskin +ironmaiden +gotmilk +destiny1 +dejavu +1master +midnite +timosha +espresso +delfin +toriamos +oberon +ceasar +markie +1a2s3d +ghhh47hj7649 +vjkjrj +daddyo +dougie +disco +auggie +lekker +therock1 +ou8123 +start1 +noway +p4ssw0rd +shadow12 +333444 +saigon +2fast4u +capecod +23skidoo +qazxcv +beater +bremen +aaasss +roadrunner +peace1 +12345qwer +02071975 +platon +bordeaux +vbkfirf +135798642 +test12 +supernov +beatles1 +qwert40 +optimist +vanessa1 +prince1 +ilovegod +nightwish +natasha1 +alchemy +bimbo +blue99 +patches1 +gsxr1000 +richar +hattrick +hott +solaris +proton +nevets +enternow +beavis1 +amigos +159357a +ambers +lenochka +147896 +suckdick +shag +intercourse +blue1234 +spiral +02061977 +tosser +ilove +02031975 +cowgirl +canuck +q2w3e4 +munch +spoons +waterboy +123567 +evgeniy +savior +zasada +redcar +mamacita +terefon +globus +doggies +htubcnhfwbz +1008 +cuervo +suslik +azertyui +limewire +houston1 +stratfor +steaua +coors +tennis1 +12345qwerty +stigmata +derf +klondike +patrici +marijuan +hardball +odyssey +nineinch +boston1 +pass1 +beezer +sandr +charon +power123 +a1234 +vauxhall +875421 +awesome1 +reggae +boulder +funstuff +iriska +krokodil +rfntymrf +sterva +champ1 +bball +peeper +m123456 +toolbox +cabernet +sheepdog +magic32 +pigpen +02041977 +holein1 +lhfrjy +banan +dabomb +natalie1 +jennaj +montana1 +joecool +funky +steven1 +ringo +junio +sammy123 +qqqwww +baltimor +footjob +geezer +357951 +mash4077 +cashmone +pancake +monic +grandam +bongo +yessir +gocubs +nastia +vancouve +barley +dragon69 +watford +ilikepie +02071976 +laddie +123456789m +hairball +toonarmy +pimpdadd +cvthnm +hunte +davinci +lback +sophie1 +firenze +q1234567 +admin1 +bonanza +elway7 +daman +strap +azert +wxcvbn +afrika +theforce +123456t +idefix +wolfen +houdini +scheisse +default +beech +maserati +02061976 +sigmachi +dylan1 +bigdicks +eskimo +mizzou +02101976 +riccardo +egghead +111777 +kronos +ghbrjk +chaos1 +jomama +rfhnjirf +rodeo +dolemite +cafc91 +nittany +pathfind +mikael +password9 +vqsablpzla +purpl +gabber +modelsne +myxworld +hellsing +punker +rocknrol +fishon +fuck69 +02041976 +lolol +twinkie +tripleh +cirrus +redbone +killer123 +biggun +allegro +gthcbr +smith1 +wanking +bootsy +barry1 +mohawk +koolaid +5329 +futurama +samoht +klizma +996633 +lobo +honeys +peanut1 +556677 +zxasqw +joemama +javelin +samm +223322 +sandra1 +flicks +montag +nataly +3006 +tasha1 +1235789 +dogbone +poker1 +p0o9i8u7 +goodday +smoothie +toocool +max333 +metroid +archange +vagabond +billabon +22061941 +tyson1 +02031973 +darkange +skateboard +evolutio +morrowind +wizards +frodo1 +rockin +cumslut +plastics +zaqwsxcde +5201314 +doit +outback +bumble +dominiqu +persona +nevermore +alinka +02021971 +forgetit +sexo +all4one +c2h5oh +petunia +sheeba +kenny1 +elisabet +aolsucks +woodstoc +pumper +02011975 +fabio +granada +scrapper +123459 +minimoni +q123456789 +breaker +1004 +02091976 +ncc74656 +slimshad +friendster +austin31 +wiseguy +donner +dilbert1 +132465 +blackbird +buffet +jellybean +barfly +behappy +01011971 +carebear +fireblad +02051975 +boxcar +cheeky +kiteboy +hello12 +panda1 +elvisp +opennow +doktor +alex12 +02101977 +pornking +flamengo +02091975 +snowbird +lonesome +robin1 +11111a +weed420 +baracuda +bleach +12345abc +nokia1 +metall +singapor +mariner +herewego +dingo +tycoon +cubs +blunts +proview +123456789d +kamasutra +lagnaf +vipergts +navyseal +starwar +masterbate +wildone +peterbil +cucumber +butkus +123qwert +climax +deniro +gotribe +cement +scooby1 +summer69 +harrier +shodan +newyear +02091977 +starwars1 +romeo1 +sedona +harald +doubled +sasha123 +bigguns +salami +awnyce +kiwi +homemade +pimping +azzer +bradley1 +warhamme +linkin +dudeman +qwe321 +pinnacle +maxdog +flipflop +lfitymrf +fucker1 +acidburn +esquire +sperma +fellatio +jeepster +thedon +sexybitch +pookey +spliff +widget +vfntvfnbrf +trinity1 +mutant +samuel1 +meliss +gohome +1q2q3q +mercede +comein +grin +cartoons +paragon +henrik +rainyday +pacino +senna +bigdog1 +alleycat +12345qaz +narnia +mustang2 +tanya1 +gianni +apollo11 +wetter +clovis +escalade +rainbows +freddy1 +smart1 +daisydog +s123456 +cocksucker +pushkin +lefty +sambo +fyutkjxtr +hiziad +boyz +whiplash +orchard +newark +adrenalin +1598753 +bootsie +chelle +trustme +chewy +golfgti +tuscl +ambrosia +5wr2i7h8 +penetration +shonuf +jughead +payday +stickman +gotham +kolokol +johnny5 +kolbasa +stang +puppydog +charisma +gators1 +mone +jakarta +draco +nightmar +01011973 +inlove +laetitia +02091973 +tarpon +nautica +meadow +0192837465 +luckyone +14881488 +chessie +goldeney +tarakan +69camaro +bungle +wordup +interne +fuckme2 +515000 +dragonfl +sprout +02081974 +gerbil +bandit1 +02071971 +melanie1 +phialpha +camber +kathy1 +adriano +gonzo1 +10293847 +bigjohn +bismarck +7777777a +scamper +12348765 +rabbits +222777 +bynthytn +dima123 +alexander1 +mallorca +dragster +favorite6 +beethove +burner +cooper1 +fosters +hello2 +normandy +777999 +sebring +1michael +lauren1 +blake1 +killa +02091971 +nounours +trumpet1 +thumper1 +playball +xantia +rugby1 +rocknroll +guillaum +angela1 +strelok +prosper +buttercup +masterp +dbnfkbr +cambridg +venom +treefrog +lumina +1234566 +supra +sexybabe +freee +shen +frogs +driller +pavement +grace1 +dicky +checker +smackdown +pandas +cannibal +asdffdsa +blue42 +zyjxrf +nthvbyfnjh +melrose +neon +jabber +gamma +369258147 +aprilia +atticus +benessere +catcher +skipper1 +azertyuiop +sixty9 +thierry +treetop +jello +melons +123456789qwe +tantra +buzzer +catnip +bouncer +computer1 +sexyone +ananas +young1 +olenka +sexman +mooses +kittys +sephiroth +contra +hallowee +skylark +sparkles +777333 +1qazxsw23edc +lucas1 +q1w2e3r +gofast +hannes +amethyst +ploppy +flower2 +hotass +amatory +volleyba +dixie1 +bettyboo +ticklish +02061974 +frenchy +phish1 +murphy1 +trustno +02061972 +leinad +mynameis +spooge +jupiter1 +hyundai +frosch +junkmail +abacab +marbles +32167 +casio +sunshine1 +wayne1 +longhair +caster +snicker +02101973 +gannibal +skinhead +hansol +gatsby +segblue2 +montecar +plato +gumby +kaboom +matty +bosco1 +888999 +jazzy +panter +jesus123 +charlie2 +giulia +candyass +sex69 +travis1 +farmboy +special1 +02041973 +letsdoit +password01 +allison1 +abcdefg1 +notredam +ilikeit +789654123 +liberty1 +rugger +uptown +alcatraz +123456w +airman +007bond +navajo +kenobi +terrier +stayout +grisha +frankie1 +fluff +1qazzaq1 +1234561 +virginie +1234568 +tango1 +werdna +octopus +fitter +dfcbkbcf +blacklab +115599 +montrose +allen1 +supernova +frederik +ilovepussy +justice1 +radeon +playboy2 +blubber +sliver +swoosh +motocros +lockdown +pearls +thebear +istheman +pinetree +biit +1234rewq +rustydog +tampabay +titts +babycake +jehovah +vampire1 +streaming +collie +camil +fidelity +calvin1 +stitch +gatit +restart +puppy1 +budgie +grunt +capitals +hiking +dreamcas +zorro1 +321678 +riffraff +makaka +playmate +napalm +rollin +amstel +zxcvb123 +samanth +rumble +fuckme69 +jimmys +951357 +pizzaman +1234567899 +tralala +delpiero +alexi +yamato +itisme +1million +vfndtq +kahlua +londo +wonderboy +carrots +tazz +ratboy +rfgecnf +02081973 +nico +fujitsu +tujhrf +sergbest +blobby +02051970 +sonic1 +1357911 +smirnov +video1 +panhead +bucky +02031974 +44332211 +duffer +cashmoney +left4dead +bagpuss +salman +01011972 +titfuck +66613666 +england1 +malish +dresden +lemans +darina +zapper +123456as +123456qqq +met2002 +02041972 +redstar +blue23 +1234509876 +pajero +booyah +please1 +tetsuo +semper +finder +hanuman +sunlight +123456n +02061971 +treble +cupoi +password99 +dimitri +3ip76k2 +popcorn1 +lol12345 +stellar +nympho +shark1 +keith1 +saskia +bigtruck +revoluti +rambo1 +asd222 +feelgood +phat +gogators +bismark +cola +puck +furball +burnout +slonik +bowtie +mommy1 +icecube +fabienn +mouser +papamama +rolex +giants1 +blue11 +trooper1 +momdad +iklo +morten +rhubarb +gareth +123456d +blitz +canada1 +r2d2 +brest +tigercat +usmarine +lilbit +benny1 +azrael +lebowski +12345r +madagaskar +begemot +loverman +dragonballz +italiano +mazda3 +naughty1 +onions +diver1 +cyrano +capcom +asdfg123 +forlife +fisherman +weare138 +requiem +mufasa +alpha123 +piercing +hellas +abracadabra +duckman +caracas +macintos +02011971 +jordan2 +crescent +fduecn +hogtied +eatmenow +ramjet +18121812 +kicksass +whatthe +discus +rfhfvtkmrf +rufus1 +sqdwfe +mantle +vegitto +trek +dan123 +paladin1 +rudeboy +liliya +lunchbox +riversid +acapulco +libero +dnsadm +maison +toomuch +boobear +hemlock +sextoy +pugsley +misiek +athome +migue +altoids +marcin +123450 +rhfcfdbwf +jeter2 +rhinos +rjhjkm +mercury1 +ronaldinho +shampoo +makayla +kamilla +masterbating +tennesse +holger +john1 +matchbox +hores +poptart +parlament +goodyear +asdfgh1 +02081970 +hardwood +alain +erection +hfytnrb +highlife +implants +benjami +dipper +jeeper +bendover +supersonic +babybear +laserjet +gotenks +bama +natedogg +aol123 +pokemo +rabbit1 +raduga +sopranos +cashflow +menthol +pharao +hacking +334455 +ghjcnbnenrf +lizzy +muffin1 +pooky +penis1 +flyer +gramma +dipset +becca +ireland1 +diana1 +donjuan +pong +ziggy1 +alterego +simple1 +cbr900 +logger +111555 +claudia1 +cantona7 +matisse +ljxtymrf +victori +harle +mamas +encore +mangos +iceman1 +diamon +alexxx +tiamat +5000 +desktop +mafia +smurf +princesa +shojou +blueberr +welkom +maximka +123890 +123q123 +tammy1 +bobmarley +clips +demon666 +ismail +termite +laser1 +missie +altair +donna1 +bauhaus +trinitron +mogwai +flyers88 +juniper +nokia5800 +boroda +jingles +qwerasdfzxcv +shakur +777666 +legos +mallrats +1qazxsw +goldeneye +tamerlan +julia1 +backbone +spleen +49ers +shady +darkone +medic1 +justi +giggle +cloudy +aisan +douche +parkour +bluejay +huskers1 +redwine +1qw23er4 +satchmo +1231234 +nineball +stewart1 +ballsack +probes +kappa +amiga +flipper1 +dortmund +963258 +trigun +1237895 +homepage +blinky +screwy +gizzmo +belkin +chemist +coolhand +chachi +braves1 +thebest +greedisgood +pro100 +banana1 +101091m +123456g +wonderfu +barefeet +8inches +1111qqqq +kcchiefs +qweasdzxc123 +metal1 +jennifer1 +xian +asdasd123 +pollux +cheerleaers +fruity +mustang5 +turbos +shopper +photon +espana +hillbill +oyster +macaroni +gigabyte +jesper +motown +tuxedo +buster12 +triplex +cyclones +estrell +mortis +holla +456987 +fiddle +sapphic +jurassic +thebeast +ghjcnjq +baura +spock1 +metallica1 +karaoke +nemrac58 +love1234 +02031970 +flvbybcnhfnjh +frisbee +diva +ajax +feathers +flower1 +soccer11 +allday +mierda +pearl1 +amature +marauder +333555 +redheads +womans +egorka +godbless +159263 +nimitz +aaaa1111 +sashka +madcow +socce +greywolf +baboon +pimpdaddy +123456789r +reloaded +lancia +rfhfylfi +dicker +placid +grimace +22446688 +olemiss +whores +culinary +wannabe +maxi +1234567aa +amelie +riley1 +trample +phantom1 +baberuth +bramble +asdfqwer +vides +4you +abc123456 +taichi +aztnm +smother +outsider +hakr +blackhawk +bigblack +girlie +spook +valeriya +gianluca +freedo +1q2q3q4q +handbag +lavalamp +cumm +pertinant +whatup +nokia123 +redlight +patrik +111aaa +poppy1 +dfytxrf +aviator +sweeps +kristin1 +cypher +elway +yinyang +access1 +poophead +tucson +noles1 +monterey +waterfal +dank +dougal +918273 +suede +minnesot +legman +bukowski +ganja +mammoth +riverrat +asswipe +daredevi +lian +arizona1 +kamikadze +alex1234 +smile1 +angel2 +55bgates +bellagio +0001 +wanrltw +stiletto +lipton +arsena +biohazard +bbking +chappy +tetris +as123456 +darthvad +lilwayne +nopassword +7412369 +123456789987654321 +natchez +glitter +14785236 +mytime +rubicon +moto +pyon +wazzup +tbird +shane1 +nightowl +getoff +beckham7 +trueblue +hotgirl +nevermin +deathnote +13131 +taffy +bigal +copenhag +apricot +gallaries +dtkjcbgtl +totoro +onlyone +civicsi +jesse1 +baby123 +sierra1 +festus +abacus +sickboy +fishtank +fungus +charle +golfpro +teensex +mario66 +seaside +aleksei +rosewood +blackberry +1020304050 +bedlam +schumi +deerhunt +contour +darkelf +surveyor +deltas +pitchers +741258963 +dipstick +funny1 +lizzard +112233445566 +jupiter2 +softtail +titman +greenman +z1x2c3v4b5 +smartass +12345677 +notnow +myworld +nascar1 +chewbacc +nosferatu +downhill +dallas22 +kuan +blazers +whales +soldat +craving +powerman +yfcntyf +hotrats +cfvceyu +qweasdzx +princess1 +feline +qqwwee +chitown +1234qaz +mastermind +114477 +dingbat +care1839 +standby +kismet +atreides +dogmeat +icarus +monkeyboy +alex1 +mouses +nicetits +sealteam +chopper1 +crispy +winter99 +rrpass1 +myporn +myspace1 +corazo +topolino +ass123 +lawman +muffy +orgy +1love +passord +hooyah +ekmzyf +pretzel +amonra +nestle +01011950 +jimbeam +happyman +z12345 +stonewal +helios +manunited +harcore +dick1 +gaymen +2hot4u +light1 +qwerty13 +kakashi +pjkjnj +alcatel +taylo +allah +buddydog +ltkmaby +mongo +blonds +start123 +audia6 +123456v +civilwar +bellaco +turtles +mustan +deadspin +aaa123 +fynjirf +lucky123 +tortoise +amor +summe +waterski +zulu +drag0n +dtxyjcnm +gizmos +strife +interacial +pusyy +goose1 +bear1 +equinox +matri +jaguar1 +tobydog +sammys +nachos +traktor +bryan1 +morgoth +444555 +dasani +miami1 +mashka +xxxxxx1 +ownage +nightwin +hotlips +passmast +cool123 +skolko +eldiablo +manu +1357908642 +screwyou +badabing +foreplay +hydro +kubrick +seductive +demon1 +comeon +galileo +aladdin +metoo +happines +902100 +mizuno +caddy +bizzare +girls1 +redone +ohmygod +sable +bonovox +girlies +hamper +opus +gizmodo1 +aaabbb +pizzahut +999888 +rocky2 +anton1 +kikimora +peavey +ocelot +a1a2a3a4 +2wsx3edc +jackie1 +solace +sprocket +galary +chuck1 +volvo1 +shurik +poop123 +locutus +virago +wdtnjxtr +tequier +bisexual +doodles +makeitso +fishy +789632145 +nothing1 +fishcake +sentry +libertad +oaktree +fivestar +adidas1 +vegitta +mississi +spiffy +carme +neutron +vantage +agassi +boners +123456789v +hilltop +taipan +barrage +kenneth1 +fister +martian +willem +lfybkf +bluestar +moonman +ntktdbpjh +paperino +bikers +daffy +benji +quake +dragonfly +suckcock +danilka +lapochka +belinea +calypso +asshol +camero1 +abraxas +mike1234 +womam +q1q2q3q4q5 +youknow +maxpower +pic\'s +audi80 +sonora +raymond1 +tickler +tadpole +belair +crazyman +finalfantasy +999000 +jonatha +paisley +kissmyas +morgana +monste +mantra +spunk +magic123 +jonesy +mark1 +alessand +741258 +baddest +ghbdtnrfrltkf +zxccxz +tictac +augustin +racers +7grout +foxfire +99762000 +openit +nathanie +1z2x3c4v5b +seadog +gangbanged +lovehate +hondacbr +harpoon +mamochka +fisherma +bismilla +locust +wally1 +spiderman1 +saffron +utjhubq +123456987 +20spanks +safeway +pisser +bdfyjd +kristen1 +bigdick1 +magenta +vfhujif +anfisa +friday13 +qaz123wsx +0987654321q +tyrant +guan +meggie +kontol +nurlan +ayanami +rocket1 +yaroslav +websol76 +mutley +hugoboss +websolutions +elpaso +gagarin +badboys +sephirot +918273645 +newuser +qian +edcrfv +booger1 +852258 +lockout +timoxa94 +mazda323 +firedog +sokolova +skydiver +jesus777 +1234567890z +soulfly +canary +malinka +guillerm +hookers +dogfart +surfer1 +osprey +india123 +rhjkbr +stoppedby +nokia5530 +123456789o +blue1 +werter +divers +3000 +123456f +alpina +cali +whoknows +godspeed +986532 +foreskin +fuzzy1 +heyyou +didier +slapnuts +fresno +rosebud1 +sandman1 +bears1 +blade1 +honeybun +queen1 +baronn +pakista +philipp +9111961 +topsecret +sniper1 +214365 +slipper +letsfuck +pippen33 +godawgs +mousey +qw123456 +scrotum +loveis +lighthou +bp2002 +nancy123 +jeffrey1 +susieq +buddy2 +ralphie +trout1 +willi +antonov +sluttey +rehbwf +marty1 +darian +losangeles +letme1n +12345d +pusssy +godiva +ender +golfnut +leonidas +a1b2c3d4e5 +puffer +general1 +wizzard +lehjxrf +racer1 +bigbucks +cool12 +buddys +zinger +esprit +vbienrf +josep +tickling +froggie +987654321a +895623 +daddys +crumbs +gucci +mikkel +opiate +tracy1 +christophe +came11 +777555 +petrovich +humbug +dirtydog +allstate +horatio +wachtwoord +creepers +squirts +rotary +bigd +georgia1 +fujifilm +2sweet +dasha +yorkie +slimjim +wiccan +kenzie +system1 +skunk +b12345 +getit +pommes +daredevil +sugars +bucker +piston +lionheart +1bitch +515051 +catfight +recon +icecold +fantom +vodafone +kontakt +boris1 +vfcnth +canine +01011961 +valleywa +faraon +chickenwing101 +qq123456 +livewire +livelife +roosters +jeepers +ilya1234 +coochie +pavlik +dewalt +dfhdfhf +architec +blackops +1qaz2wsx3edc4rfv +rhfcjnf +wsxedc +teaser +sebora +25252 +rhino1 +ankara +swifty +decimal +redleg +shanno +nermal +candies +smirnova +dragon01 +photo1 +ranetki +a1s2d3f4g5 +axio +wertzu +maurizio +6uldv8 +zxcvasdf +punkass +flowe +graywolf +peddler +3rjs1la7qe +mpegs +seawolf +ladyboy +pianos +piggies +vixen +alexus +orpheus +gdtrfb +z123456 +macgyver +hugetits +ralph1 +flathead +maurici +mailru +goofball +nissan1 +nikon +stopit +odin +big1 +smooch +reboot +famil +bullit +anthony7 +gerhard +methos +124038 +morena +eagle2 +jessica2 +zebras +getlost +gfynthf +123581321 +sarajevo +indon +comets +tatjana +rfgbnjirf +joystick +batman12 +123456c +sabre +beerme +victory1 +kitties +1475369 +badboy1 +booboo1 +comcast +slava +squid +saxophon +lionhear +qaywsx +bustle +nastena +roadway +loader +hillside +starlight +24681012 +niggers +access99 +bazooka +molly123 +blackice +bandi +cocacol +nfhfrfy +timur +muschi +horse1 +quant4307s +squerting +oscars +mygirls +flashman +tangerin +goofy1 +p0o9i8 +housewifes +newness +monkey69 +escorpio +password11 +hippo +warcraft3 +qazxsw123 +qpalzm +ribbit +ghbdtndctv +bogota +star123 +258000 +lincoln1 +bigjim +lacoste +firestorm +legenda +indain +ludacris +milamber +1009 +evangeli +letmesee +a111111 +hooters1 +bigred1 +shaker +husky +a4tech +cnfkrth +argyle +rjhjdf +nataha +0o9i8u7y +gibson1 +sooners1 +glendale +archery +hoochie +stooge +aaaaaa1 +scorpions +school1 +vegas1 +rapier +mike23 +bassoon +groupd2013 +macaco +baker1 +labia +freewill +santiag +silverado +butch1 +vflfufcrfh +monica1 +rugrat +cornhole +aerosmit +bionicle +gfgfvfvf +daniel12 +virgo +fmale +favorite2 +detroit1 +pokey +shredder +baggies +wednesda +cosmo1 +mimosa +sparhawk +firehawk +romario +911turbo +funtimes +fhntvrf +nexus6 +159753456 +timothy1 +bajingan +terry1 +frenchie +raiden +1mustang +babemagnet +74123698 +nadejda +truffles +rapture +douglas1 +lamborghini +motocross +rjcvjc +748596 +skeeter1 +dante1 +angel666 +telecom +carsten +pietro +bmw318 +astro1 +carpediem +samir +orang +helium +scirocco +fuzzball +rushmore +rebelz +hotspur +lacrimosa +chevys10 +madonna1 +domenico +yfnfirf +jachin +shelby1 +bloke +dawgs +dunhill +atlanta1 +service1 +mikado +devilman +angelit +reznor +euphoria +lesbain +checkmat +browndog +phreak +blaze1 +crash1 +farida +mutter +luckyme +horsemen +vgirl +jediknig +asdas +cesare +allnight +rockey +starlite +truck1 +passfan +close-up +samue +cazzo +wrinkles +homely +eatme1 +sexpot +snapshot +dima1995 +asthma +thetruth +ducky +blender +priyanka +gaucho +dutchman +sizzle +kakarot +651550 +passcode +justinbieber +666333 +elodie +sanjay +110442 +alex01 +lotus1 +2300mj +lakshmi +zoomer +quake3 +12349876 +teapot +12345687 +ramada +pennywis +striper +pilot1 +chingon +optima +nudity +ethan1 +euclid +beeline +loyola +biguns +zaq12345 +bravo1 +disney1 +buffa +assmunch +vivid +6661313 +wellingt +aqwzsx +madala11 +9874123 +sigmar +pictere +tiptop +bettyboop +dinero +tahiti +gregory1 +bionic +speed1 +fubar1 +lexus1 +denis1 +hawthorn +saxman +suntzu +bernhard +dominika +camaro1 +hunter12 +balboa +bmw2002 +seville +diablo1 +vfhbyjxrf +1234abc +carling +lockerroom +punani +darth +baron1 +vaness +1password +libido +picher +232425 +karamba +futyn007 +daydream +11001001 +dragon123 +friends1 +bopper +rocky123 +chooch +asslover +shimmer +riddler +openme +tugboat +sexy123 +midori +gulnara +christo +swatch +laker +offroad +puddles +hackers +mannheim +manager1 +horseman +roman1 +dancer1 +komputer +pictuers +nokia5130 +ejaculation +lioness +123456y +evilone +nastenka +pushok +javie +lilman +3141592 +mjolnir +toulouse +pussy2 +bigworm +smoke420 +fullback +extensa +dreamcast +belize +delboy +willie1 +casablanca +csyjxtr +ricky1 +bonghit +salvator +basher +pussylover +rosie1 +963258741 +vivitron +cobra427 +meonly +armageddon +myfriend +zardoz +qwedsazxc +kraken +fzappa +starfox +333999 +illmatic +capoeira +weenie +ramzes +freedom2 +toasty +pupkin +shinigami +fhvfutljy +nocturne +churchil +thumbnils +tailgate +neworder +sexymama +goarmy +cerebus +michelle1 +vbifyz +surfsup +earthlin +dabulls +basketbal +aligator +mojojojo +saibaba +welcome2 +wifes +wdtnjr +12345w +slasher +papabear +terran +footman +hocke +153759 +texans +tom123 +sfgiants +billabong +aassdd +monolith +xxx777 +l3tm31n +ticktock +newone +hellno +japanees +contortionist +admin123 +scout1 +alabama1 +divx1 +rochard +privat +radar1 +bigdad +fhctybq +tortuga +citrus +avanti +fantasy1 +woodstock +s12345 +fireman1 +embalmer +woodwork +bonzai +konyor +newstart +jigga +panorama +goats +smithy +rugrats +hotmama +daedalus +nonstop +fruitbat +lisenok +quaker +violator +12345123 +my3sons +cajun +fraggle +gayboy +oldfart +vulva +knickerless +orgasms +undertow +binky +litle +kfcnjxrf +masturbation +bunnie +alexis1 +planner +transexual +sparty +leeloo +monies +fozzie +stinger1 +landrove +anakonda +scoobie +yamaha1 +henti +star12 +rfhlbyfk +beyonce +catfood +cjytxrf +zealots +strat +fordtruc +archangel +silvi +sativa +boogers +miles1 +bigjoe +tulip +petite +greentea +shitter +jonboy +voltron +morticia +evanescence +3edc4rfv +longshot +windows1 +serge +aabbcc +starbucks +sinful +drywall +prelude1 +www123 +camel1 +homebrew +marlins +123412 +letmeinn +domini +swampy +plokij +fordf350 +webcam +michele1 +bolivi +27731828 +wingzero +qawsedrftg +shinji +sverige +jasper1 +piper1 +cummer +iiyama +gocats +amour +alfarome +jumanji +mike69 +fantasti +1monkey +w00t88 +shawn1 +lorien +1a2s3d4f5g +koleso +murph +natascha +sunkist +kennwort +emine +grinder +m12345 +q1q2q3q4 +cheeba +money2 +qazwsxedc1 +diamante +prosto +pdiddy +stinky1 +gabby1 +luckys +franci +pornographic +moochie +gfhjdjp +samdog +empire1 +comicbookdb +emili +motdepasse +iphone +braveheart +reeses +nebula +sanjose +bubba2 +kickflip +arcangel +superbow +porsche911 +xyzzy +nigger1 +dagobert +devil1 +alatam +monkey2 +barbara1 +12345v +vfpfafrf +alessio +babemagn +aceman +arrakis +kavkaz +987789 +jasons +berserk +sublime1 +rogue1 +myspace +buckwhea +csyekz +pussy4me +vette1 +boots1 +boingo +arnaud +budlite +redstorm +paramore +becky1 +imtheman +chango +marley1 +milkyway +666555 +giveme +mahalo +lux2000 +lucian +paddy +praxis +shimano +bigpenis +creeper +newproject2004 +rammstei +j3qq4h7h2v +hfljcnm +lambchop +anthony2 +bugman +gfhjkm12 +dreamer1 +stooges +cybersex +diamant +cowboyup +maximus1 +sentra +615243 +goethe +manhatta +fastcar +selmer +1213141516 +yfnfitymrf +denni +chewey +yankee1 +elektra +123456789p +trousers +fishface +topspin +orwell +vorona +sodapop +motherfu +ibilltes +forall +kookie +ronald1 +balrog +maximilian +mypasswo +sonny1 +zzxxcc +tkfkdg +magoo +mdogg +heeled +gitara +lesbos +marajade +tippy +morozova +enter123 +lesbean +pounded +asd456 +fialka +scarab +sharpie +spanky1 +gstring +sachin +12345asd +princeto +hellohel +ursitesux +billows +1234kekc +kombat +cashew +duracell +kseniya +sevenof9 +kostik +arthur1 +corvet07 +rdfhnbhf +songoku +tiberian +needforspeed +1qwert +dropkick +kevin123 +panache +libra +a123456a +kjiflm +vfhnsirf +cntgfy +iamcool +narut +buffer +sk8ordie +urlaub +fireblade +blanked +marishka +gemini1 +altec +gorillaz +chief1 +revival47 +ironman1 +space1 +ramstein +doorknob +devilmaycry +nemesis1 +sosiska +pennstat +monday1 +pioner +shevchenko +detectiv +evildead +blessed1 +aggie +coffees +tical +scotts +bullwink +marsel +krypto +adrock +rjitxrf +asmodeus +rapunzel +theboys +hotdogs +deepthro +maxpayne +veronic +fyyeirf +otter +cheste +abbey1 +thanos +bedrock +bartok +google1 +xxxzzz +rodent +montecarlo +hernande +mikayla +123456789l +bravehea +12locked +ltymub +pegasus1 +ameteur +saltydog +faisal +milfnew +momsuck +everques +ytngfhjkz +m0nkey +businessbabe +cooki +custard +123456ab +lbvjxrf +outlaws +753357 +qwerty78 +udacha +insider +chees +fuckmehard +shotokan +katya +seahorse +vtldtlm +turtle1 +mike12 +beebop +heathe +everton1 +darknes +barnie +rbcekz +alisher +toohot +theduke +555222 +reddog1 +breezy +bulldawg +monkeyman +baylee +losangel +mastermi +apollo1 +aurelie +zxcvb12345 +cayenne +bastet +wsxzaq +geibcnbr +yello +fucmy69 +redwall +ladybird +bitchs +cccccc1 +rktjgfnhf +ghjdthrf +quest1 +oedipus +linus +impalass +fartman +12345k +fokker +159753a +optiplex +bbbbbb1 +realtor +slipkno +santacru +rowdy +jelena +smeller +3984240 +ddddd1 +sexyme +janet1 +3698741 +eatme69 +cazzone +today1 +poobear +ignatius +master123 +newpass1 +heather2 +snoopdogg +blondinka +pass12 +honeydew +fuckthat +890098890 +lovem +goldrush +gecko +biker1 +llama +pendejo +avalanche +fremont +snowman1 +gandolf +chowder +1a2b3c4d5e +flyguy +magadan +1fuck +pingvin +nokia5230 +ab1234 +lothar +lasers +bignuts +renee1 +royboy +skynet +12340987 +1122334 +dragrace +lovely1 +22334455 +booter +12345612 +corvett +123456qq +capital1 +videoes +funtik +wyvern +flange +sammydog +hulkster +13245768 +not4you +vorlon +omegared +l58jkdjp! +filippo +123mudar +samadams +petrus +chris12 +charlie123 +123456789123 +icetea +sunderla +adrian1 +123qweas +kazanova +aslan +monkey123 +fktyeirf +goodsex +123ab +lbtest +banaan +bluenose +837519 +asd12345 +waffenss +whateve +1a2a3a4a +trailers +vfhbirf +bhbcrf +klaatu +turk182 +monsoon +beachbum +sunbeam +succes +clyde1 +viking1 +rawhide +bubblegum +princ +mackenzi +hershey1 +222555 +dima55 +niggaz +manatee +aquila +anechka +pamel +bugsbunn +lovel +sestra +newport1 +althor +hornyman +wakeup +zzz111 +phishy +cerber +torrent +thething +solnishko +babel +buckeye1 +peanu +ethernet +uncencored +baraka +665544 +chris2 +rb26dett +willy1 +choppers +texaco +biggirl +123456b +anna2614 +sukebe +caralho +callofduty +rt6ytere +jesus7 +angel12 +1money +timelord +allblack +pavlova +romanov +tequiero +yitbos +lookup +bulls23 +snowflake +dickweed +barks +lever +irisha +firestar +fred1234 +ghjnjnbg +danman +gatito +betty1 +milhouse +kbctyjr +masterbaiting +delsol +papit +doggys +123698741 +bdfyjdf +invictus +bloods +kayla1 +yourmama +apple2 +angelok +bigboy1 +pontiac1 +verygood +yeshua +twins2 +porn4me +141516 +rasta69 +james2 +bosshog +candys +adventur +stripe +djkjlz +dokken +austin316 +skins +hogwarts +vbhevbh +navigato +desperado +xxx666 +cneltyn +vasiliy +hazmat +daytek +eightbal +fred1 +four20 +74227422 +fabia +aerosmith +manue +wingchun +boohoo +hombre +sanity72 +goatboy +fuckm +partizan +avrora +utahjazz +submarin +pussyeat +heinlein +control1 +costaric +smarty +chuan +triplets +snowy +snafu +teacher1 +vangogh +vandal +evergree +cochise +qwerty99 +pyramid1 +saab900 +sniffer +qaz741 +lebron23 +mark123 +wolvie +blackbelt +yoshi +feeder +janeway +nutella +fuking +asscock +deepak +poppie +bigshow +housewife +grils +tonto +cynthia1 +temptress +irakli +belle1 +russell1 +manders +frank123 +seabass +gforce +songbird +zippy1 +naught +brenda1 +chewy1 +hotshit +topaz +43046721 +girfriend +marinka +jakester +thatsme +planeta +falstaff +patrizia +reborn +riptide +cherry1 +shuan +nogard +chino +oasis1 +qwaszx12 +goodlife +davis1 +1911a1 +harrys +shitfuck +12345678900 +russian7 +007700 +bulls1 +porshe +danil +dolphi +river1 +sabaka +gobigred +deborah1 +volkswagen +miamo +alkaline +muffdive +1letmein +fkbyrf +goodguy +hallo1 +nirvan +ozzie +cannonda +cvbhyjdf +marmite +germany1 +joeblow +radio1 +love11 +raindrop +159852 +jacko +newday +fathead +elvis123 +caspe +citibank +sports1 +deuce +boxter +fakepass +golfman +snowdog +birthday4 +nonmembe +niklas +parsifal +krasota +theshit +1235813 +maganda +nikita1 +omicron +cassie1 +columbo +buick +sigma1 +thistle +bassin +rickster +apteka +sienna +skulls +miamor +coolgirl +gravis +1qazxc +virgini +hunter2 +akasha +batma +motorcyc +bambino +tenerife +fordf250 +zhuan +iloveporn +markiza +hotbabes +becool +fynjybyf +wapapapa +forme +mamont +pizda +dragonz +sharon1 +scrooge +mrbill +pfloyd +leeroy +natedog +ishmael +777111 +tecumseh +carajo +nfy.irf +0000000000o +blackcock +fedorov +antigone +feanor +novikova +bobert +peregrin +spartan117 +pumkin +rayman +manuals +tooltime +555333 +bonethug +marina1 +bonnie1 +tonyhawk +laracroft +mahalkita +18273645 +terriers +gamer +hoser +littlema +molotok +glennwei +lemon1 +caboose +tater +12345654321 +brians +fritz1 +mistral +jigsaw +fuckshit +hornyguy +southside +edthom +antonio1 +bobmarle +pitures +ilikesex +crafty +nexus +boarder +fulcrum +astonvil +yanks1 +yngwie +account1 +zooropa +hotlegs +sammi +gumbo +rover1 +perkele +maurolarastefy +lampard +357753 +barracud +dmband +abcxyz +pathfinder +335577 +yuliya +micky +jayman +asdfg12345 +1596321 +halcyon +rerfhtre +feniks +zaxscd +gotyoass +jaycee +samson1 +jamesb +vibrate +grandpri +camino +colossus +davidb +mamo4ka +nicky1 +homer123 +pinguin +watermelon +shadow01 +lasttime +glider +823762 +helen1 +pyramids +tulane +osama +rostov +john12 +scoote +bhbyrf +gohan +galeries +joyful +bigpussy +tonka +mowgli +astalavista +zzz123 +leafs +dalejr8 +unicorn1 +777000 +primal +bigmama +okmijn +killzone +qaz12345 +snookie +zxcvvcxz +davidc +epson +rockman +ceaser +beanbag +katten +3151020 +duckhunt +segreto +matros +ragnar +699669 +sexsexse +123123z +fuckyeah +bigbutts +gbcmrf +element1 +marketin +saratov +elbereth +blaster1 +yamahar6 +grime +masha +juneau +1230123 +pappy +lindsay1 +mooner +seattle1 +katzen +lucent +polly1 +lagwagon +pixie +misiaczek +666666a +smokedog +lakers24 +eyeball +ironhors +ametuer +volkodav +vepsrf +kimmy +gumby1 +poi098 +ovation +1q2w3 +drinker +penetrating +summertime +1dallas +prima +modles +takamine +hardwork +macintosh +tahoe +passthie +chiks +sundown +flowers1 +boromir +music123 +phaedrus +albert1 +joung +malakas +gulliver +parker1 +balder +sonne +jessie1 +domainlock2005 +express1 +vfkbyf +youandme +raketa +koala +dhjnvytyjub +nhfrnjh +testibil +ybrbnjc +987654321q +axeman +pintail +pokemon123 +dogggg +shandy +thesaint +11122233 +x72jhhu3z +theclash +raptors +zappa1 +djdjxrf +hell666 +friday1 +vivaldi +pluto1 +lance1 +guesswho +jeadmi +corgan +skillz +skippy1 +mango1 +gymnastic +satori +362514 +theedge +cxfcnkbdfz +sparkey +deicide +bagels +lololol +lemmings +r4e3w2q1 +silve +staind +schnuffi +dazzle +basebal1 +leroy1 +bilbo1 +luckie +qwerty2 +goodfell +hermione +peaceout +davidoff +yesterda +killah +flippy +chrisb +zelda1 +headless +muttley +fuckof +tittys +catdaddy +photog +beeker +reaver +ram1500 +yorktown +bolero +tryagain +arman +chicco +learjet +alexei +jenna1 +go2hell +12s3t4p55 +momsanaladventure +mustang9 +protoss +rooter +ginola +dingo1 +mojave +erica1 +1qazse4 +marvin1 +redwolf +sunbird +dangerou +maciek +girsl +hawks1 +packard1 +excellen +dashka +soleda +toonces +acetate +nacked +jbond007 +alligator +debbie1 +wellhung +monkeyma +supers +rigger +larsson +vaseline +rjnzhf +maripos +123456asd +cbr600rr +doggydog +cronic +jason123 +trekker +flipmode +druid +sonyvaio +dodges +mayfair +mystuff +fun4me +samanta +sofiya +magics +1ranger +arcane +sixtynin +222444 +omerta +luscious +gbyudby +bobcats +envision +chance1 +seaweed +holdem +tomate +mensch +slicer +acura1 +goochi +qweewq +punter +repoman +tomboy +never1 +cortina +gomets +147896321 +369852147 +dogma +bhjxrf +loglatin +eragon +strato +gazelle +growler +885522 +klaudia +payton34 +fuckem +butchie +scorpi +lugano +123456789k +nichola +chipper1 +spide +uhbujhbq +rsalinas +vfylfhby +longhorns +bugatti +everquest +!qaz2wsx +blackass +999111 +snakeman +p455w0rd +fanatic +family1 +pfqxbr +777vlad +mysecret +marat +phoenix2 +october1 +genghis +panties1 +cooker +citron +ace123 +1234569 +gramps +blackcoc +kodiak1 +hickory +ivanhoe +blackboy +escher +sincity +beaks +meandyou +spaniel +canon1 +timmy1 +lancaste +polaroid +edinburg +fuckedup +hotman +cueball +golfclub +gopack +bookcase +worldcup +dkflbvbhjdbx +twostep +17171717aa +letsplay +zolushka +stella1 +pfkegf +kingtut +67camaro +barracuda +wiggles +gjhjkm +prancer +patata +kjifhf +theman1 +romanova +sexyass +copper1 +dobber +sokolov +pomidor +algernon +cadman +amoremio +william2 +silly1 +bobbys +hercule +hd764nw5d7e1vb1 +defcon +deutschland +robinhood +alfalfa +machoman +lesbens +pandora1 +easypay +tomservo +nadezhda +goonies +saab9000 +jordyn +f15eagle +dbrecz +12qwerty +greatsex +thrawn +blunted +baywatch +doggystyle +loloxx +chevy2 +january1 +kodak +bushel +78963214 +ub6ib9 +zz8807zpl +briefs +hawker +224488 +first1 +bonzo +brent1 +erasure +69213124 +sidewind +soccer13 +622521 +mentos +kolibri +onepiece +united1 +ponyboy +keksa12 +wayer +mypussy +andrej +mischa +mille +bruno123 +garter +bigpun +talgat +familia +jazzy1 +mustang8 +newjob +747400 +bobber +blackbel +hatteras +ginge +asdfjkl; +camelot1 +blue44 +rebbyt34 +ebony1 +vegas123 +myboys +aleksander +ijrjkflrf +lopata +pilsner +lotus123 +m0nk3y +andreev +freiheit +balls1 +drjynfrnt +mazda1 +waterpolo +shibumi +852963 +123bbb +cezer121 +blondie1 +volkova +rattler +kleenex +ben123 +sanane +happydog +satellit +qazplm +qazwsxedcrfvtgb +meowmix +badguy +facefuck +spice1 +blondy +major1 +25000 +anna123 +654321a +sober1 +deathrow +patterso +china1 +naruto1 +hawkeye1 +waldo1 +butchy +crayon +5tgb6yhn +klopik +crocodil +mothra +imhorny +pookie1 +splatter +slippy +lizard1 +router +buratino +yahweh +123698 +dragon11 +123qwe456 +peepers +trucker1 +ganjaman +1hxboqg2 +cheyanne +storys +sebastie +zztop +maddison +4rfv3edc +darthvader +jeffro +iloveit +victor1 +hotty +delphin +lifeisgood +gooseman +shifty +insertions +dude123 +abrupt +123masha +boogaloo +chronos +stamford +pimpster +kthjxrf +getmein +amidala +flubber +fettish +grapeape +dantes +oralsex +jack1 +foxcg33 +winchest +francis1 +getin +archon +cliffy +blueman +1basebal +sport1 +emmitt22 +porn123 +bignasty +morga +123hfjdk147 +ferrar +juanito +fabiol +caseydog +steveo +peternorth +paroll +kimchi +bootleg +gaijin +secre +acacia +eatme2 +amarillo +monkey11 +rfhfgep +tylers +a1a2a3a4a5 +sweetass +blower +rodina +babushka +camilo +cimbom +tiffan +vfnbkmlf +ohbaby +gotigers +lindsey1 +dragon13 +romulus +qazxsw12 +zxcvbn1 +dropdead +hitman47 +snuggle +eleven11 +bloopers +357mag +avangard +bmw320 +ginscoot +dshade +masterkey +voodoo1 +rootedit +caramba +leahcim +hannover +8phrowz622 +tim123 +cassius +000000a +angelito +zzzzz1 +badkarma +star1 +malaga +glenwood +footlove +golf1 +summer12 +helpme1 +fastcars +titan1 +police1 +polinka +k.jdm +marusya +augusto +shiraz +pantyhose +donald1 +blaise +arabella +brigada +c3por2d2 +peter01 +marco1 +hellow +dillweed +uzumymw +geraldin +loveyou2 +toyota1 +088011 +gophers +indy500 +slainte +5hsu75kpot +teejay +renat +racoon +sabrin +angie1 +shiznit +harpua +sexyred +latex +tucker1 +alexandru +wahoo +teamwork +deepblue +goodison +rundmc +r2d2c3p0 +puppys +samba +ayrton +boobed +999777 +topsecre +blowme1 +123321z +loudog +random1 +pantie +drevil +mandolin +121212q +hottub +brother1 +failsafe +spade1 +matvey +open1234 +carmen1 +priscill +schatzi +kajak +gooddog +trojans1 +gordon1 +kayak +calamity +argent +ufhvjybz +seviyi +penfold +assface +dildos +hawkwind +crowbar +yanks +ruffles +rastus +luv2epus +open123 +aquafina +dawns +jared1 +teufel +12345c +vwgolf +pepsi123 +amores +passwerd +01478520 +boliva +smutty +headshot +password3 +davidd +zydfhm +gbgbcmrf +pornpass +insertion +ceckbr +test2 +car123 +checkit +dbnfkbq +niggas +nyyankee +muskrat +nbuhtyjr +gunner1 +ocean1 +fabienne +chrissy1 +wendys +loveme89 +batgirl +cerveza +igorek +steel1 +ragman +boris123 +novifarm +sexy12 +qwerty777 +mike01 +giveitup +123456abc +fuckall +crevice +hackerz +gspot +eight8 +assassins +texass +swallows +123458 +baldur +moonshine +labatt +modem +sydney1 +voland +dbnfkz +hotchick +jacker +princessa +dawgs1 +holiday1 +booper +reliant +miranda1 +jamaica1 +andre1 +badnaamhere +barnaby +tiger7 +david12 +margaux +corsica +085tzzqi +universi +thewall +nevermor +martin6 +qwerty77 +cipher +apples1 +0102030405 +seraphim +black123 +imzadi +gandon +ducati99 +1shadow +dkflbvbhjdyf +44magnum +bigbad +feedme +samantha1 +ultraman +redneck1 +jackdog +usmc0311 +fresh1 +monique1 +tigre +alphaman +cool1 +greyhoun +indycar +crunchy +55chevy +carefree +willow1 +063dyjuy +xrated +assclown +federica +hilfiger +trivia +bronco1 +mamita +100200300 +simcity +lexingky +akatsuki +retsam +johndeere +abudfv +raster +elgato +businka +satanas +mattingl +redwing1 +shamil +patate +mannn +moonstar +evil666 +b123456 +bowl300 +tanechka +34523452 +carthage +babygir +santino +bondarenko +jesuss +chico1 +numlock +shyguy +sound1 +kirby1 +needit +mostwanted +427900 +funky1 +steve123 +passions +anduril +kermit1 +prospero +lusty +barakuda +dream1 +broodwar +porky +christy1 +mahal +yyyyyy1 +allan1 +1sexy +flintsto +capri +cumeater +heretic +robert2 +hippos +blindax +marykay +collecti +kasumi +1qaz!qaz +112233q +123258 +chemistr +coolboy +0o9i8u +kabuki +righton +tigress +nessie +sergej +andrew12 +yfafyz +ytrhjvfyn +angel7 +victo +mobbdeep +lemming +transfor +1725782 +myhouse +aeynbr +muskie +leno4ka +westham1 +cvbhyjd +daffodil +pussylicker +pamela1 +stuffer +warehous +tinker1 +2w3e4r +pluton +louise1 +polarbea +253634 +prime1 +anatoliy +januar +wysiwyg +cobraya +ralphy +whaler +xterra +cableguy +112233a +porn69 +jamesd +aqualung +jimmy123 +lumpy +luckyman +kingsize +golfing1 +alpha7 +leeds1 +marigold +lol1234 +teabag +alex11 +10sne1 +saopaulo +shanny +roland1 +basser +3216732167 +carol1 +year2005 +morozov +saturn1 +joseluis +bushed +redrock +memnoch +lalaland +indiana1 +lovegod +gulnaz +buffalos +loveyou1 +anteater +pattaya +jaydee +redshift +bartek +summerti +coffee1 +ricochet +incest +schastie +rakkaus +h2opolo +suikoden +perro +dance1 +loveme1 +whoopass +vladvlad +boober +flyers1 +alessia +gfcgjhn +pipers +papaya +gunsling +coolone +blackie1 +gonads +gfhjkzytn +foxhound +qwert12 +gangrel +ghjvtntq +bluedevi +mywife +summer01 +hangman +licorice +patter +vfr750 +thorsten +515253 +ninguna +dakine +strange1 +mexic +vergeten +12345432 +8phrowz624 +stampede +floyd1 +sailfish +raziel +ananda +giacomo +freeme +crfprf +74185296 +allstars +master01 +solrac +gfnhbjn +bayliner +bmw525 +3465xxx +catter +single1 +michael3 +pentium4 +nitrox +mapet123456 +halibut +killroy +xxxxx1 +phillip1 +poopsie +arsenalfc +buffys +kosova +all4me +32165498 +arslan +opensesame +brutis +charles2 +pochta +nadegda +backspac +mustang0 +invis +gogeta +654321q +adam25 +niceday +truckin +gfdkbr +biceps +sceptre +bigdave +lauras +user345 +sandys +shabba +ratdog +cristiano +natha +march13 +gumball +getsdown +wasdwasd +redhead1 +dddddd1 +longlegs +13572468 +starsky +ducksoup +bunnys +omsairam +whoami +fred123 +danmark +flapper +swanky +lakings +yfhenj +asterios +rainier +searcher +dapper +ltdjxrf +horsey +seahawk +shroom +tkfkdgo +aquaman +tashkent +number9 +messi10 +1asshole +milenium +illumina +vegita +jodeci +buster01 +bareback +goldfinger +fire1 +33rjhjds +sabian +thinkpad +smooth1 +sully +bonghits +sushi1 +magnavox +colombi +voiture +limpone +oldone +aruba +rooster1 +zhenya +nomar5 +touchdow +limpbizkit +rhfcfdxbr +baphomet +afrodita +bball1 +madiso +ladles +lovefeet +matthew2 +theworld +thunderbird +dolly1 +123rrr +forklift +alfons +berkut +speedy1 +saphire +oilman +creatine +pussylov +bastard1 +456258 +wicked1 +filimon +skyline1 +fucing +yfnfkbz +hot123 +abdulla +nippon +nolimits +billiard +booty1 +buttplug +westlife +coolbean +aloha1 +lopas +asasin +1212121 +october2 +whodat +good4u +d12345 +kostas +ilya1992 +regal +pioneer1 +volodya +focus1 +bastos +nbvjif +fenix +anita1 +vadimka +nickle +jesusc +123321456 +teste +christ1 +essendon +evgenii +celticfc +adam1 +forumwp +lovesme +26exkp +chillout +burly +thelast1 +marcus1 +metalgear +test11 +ronaldo7 +socrate +world1 +franki +mommie +vicecity +postov1000 +charlie3 +oldschool +333221 +legoland +antoshka +counterstrike +buggy +mustang3 +123454 +qwertzui +toons +chesty +bigtoe +tigger12 +limpopo +rerehepf +diddle +nokia3250 +solidsnake +conan1 +rockroll +963369 +titanic1 +qwezxc +cloggy +prashant +katharin +maxfli +takashi +cumonme +michael9 +mymother +pennstate +khalid +48151623 +fightclub +showboat +mateusz +elrond +teenie +arrow1 +mammamia +dustydog +dominator +erasmus +zxcvb1 +1a2a3a +bones1 +dennis1 +galaxie +pleaseme +whatever1 +junkyard +galadriel +charlies +2wsxzaq1 +crimson1 +behemoth +teres +master11 +fairway +shady1 +pass99 +1batman +joshua12 +baraban +apelsin +mousepad +melon +twodogs +123321qwe +metalica +ryjgrf +pipiska +rerfhfxf +lugnut +cretin +iloveu2 +powerade +aaaaaaa1 +omanko +kovalenko +isabe +chobits +151nxjmt +shadow11 +zcxfcnkbdf +gy3yt2rgls +vfhbyrf +159753123 +bladerunner +goodone +wonton +doodie +333666999 +fuckyou123 +kitty123 +chisox +orlando1 +skateboa +red12345 +destroye +snoogans +satan1 +juancarlo +goheels +jetson +scottt +fuckup +aleksa +gfhfljrc +passfind +oscar123 +derrick1 +hateme +viper123 +pieman +audi100 +tuffy +andover +shooter1 +10000 +makarov +grant1 +nighthaw +13576479 +browneye +batigol +nfvfhf +chocolate1 +7hrdnw23 +petter +bantam +morlii +jediknight +brenden +argonaut +goodstuf +wisconsi +315920 +abigail1 +dirtbag +splurge +k123456 +lucky777 +valdepen +gsxr600 +322223 +ghjnjrjk +zaq1xsw2cde3 +schwanz +walter1 +letmein22 +nomads +124356 +codeblue +nokian70 +fucke +footbal1 +agyvorc +aztecs +passw0r +smuggles +femmes +ballgag +krasnodar +tamuna +schule +sixtynine +empires +erfolg +dvader +ladygaga +elite1 +venezuel +nitrous +kochamcie +olivia1 +trustn01 +arioch +sting1 +131415 +tristar +555000 +maroon +135799 +marsik +555556 +fomoco +natalka +cwoui +tartan +davecole +nosferat +hotsauce +dmitry +horus +dimasik +skazka +boss302 +bluebear +vesper +ultras +tarantul +asd123asd +azteca +theflash +8ball +1footbal +titlover +lucas123 +number6 +sampson1 +789852 +party1 +dragon99 +adonai +carwash +metropol +psychnau +vthctltc +hounds +firework +blink18 +145632 +wildcat1 +satchel +rice80 +ghtktcnm +sailor1 +cubano +anderso +rocks1 +mike11 +famili +dfghjc +besiktas +roygbiv +nikko +bethan +minotaur +rakesh +orange12 +hfleuf +jackel +myangel +favorite7 +1478520 +asssss +agnieszka +haley1 +raisin +htubyf +1buster +cfiekz +derevo +1a2a3a4a5a +baltika +raffles +scruffy1 +clitlick +louis1 +buddha1 +fy.nrf +walker1 +makoto +shadow2 +redbeard +vfvfvskfhfve +mycock +sandydog +lineman +network1 +favorite8 +longdick +mustangg +mavericks +indica +1killer +cisco1 +angelofwar +blue69 +brianna1 +bubbaa +slayer666 +level42 +baldrick +brutus1 +lowdown +haribo +lovesexy +500000 +thissuck +picker +stephy +1fuckme +characte +telecast +1bigdog +repytwjdf +thematrix +hammerhe +chucha +ganesha +gunsmoke +georgi +sheltie +1harley +knulla +sallas +westie +dragon7 +conker +crappie +margosha +lisboa +3e2w1q +shrike +grifter +ghjcnjghjcnj +asdfg1 +mnbvcxz1 +myszka +posture +boggie +rocketman +flhtyfkby +twiztid +vostok +pi314159 +force1 +televizor +gtkmvtym +samhain +imcool +jadzia +dreamers +strannik +k2trix +steelhea +nikitin +commodor +brian123 +chocobo +whopper +ibilljpf +megafon +ararat +thomas12 +ghbrjkbcn +q1234567890 +hibernia +kings1 +jim123 +redfive +68camaro +iawgk2 +xavier1 +1234567u +d123456 +ndirish +airborn +halfmoon +fluffy1 +ranchero +sneaker +soccer2 +passion1 +cowman +birthday1 +johnn +razzle +glock17 +wsxqaz +nubian +lucky2 +jelly1 +henderso +eric1 +123123e +boscoe01 +fuck0ff +simpson1 +sassie +rjyjgkz +nascar3 +watashi +loredana +janus +wilso +conman +david2 +mothe +iloveher +snikers +davidj +fkmnthyfnbdf +mettss +ratfink +123456h +lostsoul +sweet16 +brabus +wobble +petra1 +fuckfest +otters +sable1 +svetka +spartacu +bigstick +milashka +1lover +pasport +champagn +papichul +hrvatska +hondacivic +kevins +tacit +moneybag +gohogs +rasta1 +246813579 +ytyfdbcnm +gubber +darkmoon +vitaliy +233223 +playboys +tristan1 +joyce1 +oriflame +mugwump +access2 +autocad +thematri +qweqwe123 +lolwut +ibill01 +multisyn +1233211 +pelikan +rob123 +chacal +1234432 +griffon +pooch +dagestan +geisha +satriani +anjali +rocketma +gixxer +pendrago +vincen +hellokit +killyou +ruger +doodah +bumblebe +badlands +galactic +emachines +foghorn +jackso +jerem +avgust +frontera +123369 +daisymae +hornyboy +welcome123 +tigger01 +diabl +angel13 +interex +iwantsex +rockydog +kukolka +sawdust +online1 +3234412 +bigpapa +jewboy +3263827 +dave123 +riches +333222 +tony1 +toggle +farter +124816 +tities +balle +brasilia +southsid +micke +ghbdtn12 +patit +ctdfcnjgjkm +olds442 +zzzzzz1 +nelso +gremlins +gypsy1 +carter1 +slut69 +farcry +7415963 +michael8 +birdie1 +charl +123456789abc +100001 +aztec +sinjin +bigpimpi +closeup +atlas1 +nvidia +doggone +classic1 +manana +malcolm1 +rfkbyf +hotbabe +rajesh +dimebag +ganjubas +rodion +jagr68 +seren +syrinx +funnyman +karapuz +123456789n +bloomin +admin18533362 +biggdogg +ocarina +poopy1 +hellome +internet1 +booties +blowjobs +matt1 +donkey1 +swede +1jennife +evgeniya +lfhbyf +coach1 +444777 +green12 +patryk +pinewood +justin12 +271828 +89600506779 +notredame +tuborg +lemond +sk8ter +million1 +wowser +pablo1 +st0n3 +jeeves +funhouse +hiroshi +gobucs +angeleye +bereza +winter12 +catalin +qazedc +andros +ramazan +vampyre +sweethea +imperium +murat +jamest +flossy +sandeep +morgen +salamandra +bigdogg +stroller +njdevils +nutsack +vittorio +%%passwo +playful +rjyatnrf +tookie +ubnfhf +michi +777444 +shadow13 +devils1 +radiance +toshiba1 +beluga +amormi +dandfa +trust1 +killemall +smallville +polgara +billyb +landscap +steves +exploite +zamboni +damage11 +dzxtckfd +trader12 +pokey1 +kobe08 +damager +egorov +dragon88 +ckfdbr +lisa69 +blade2 +audis4 +nelson1 +nibbles +23176djivanfros +mutabor +artofwar +matvei +metal666 +hrfzlz +schwinn +poohbea +seven77 +thinker +123456789qwerty +sobriety +jakers +karamelka +vbkfyf +volodin +iddqd +dale03 +roberto1 +lizaveta +qqqqqq1 +cathy1 +08154711 +davidm +quixote +bluenote +tazdevil +katrina1 +bigfoot1 +bublik +marma +olechka +fatpussy +marduk +arina +nonrev67 +qqqq1111 +camill +wtpfhm +truffle +fairview +mashina +voltaire +qazxswedcvfr +dickface +grassy +lapdance +bosstone +crazy8 +yackwin +mobil +danielit +mounta1n +player69 +bluegill +mewtwo +reverb +cnthdf +pablito +a123321 +elena1 +warcraft1 +orland +ilovemyself +rfntyjr +joyride +schoo +dthjxrf +thetachi +goodtimes +blacksun +humpty +chewbacca +guyute +123xyz +lexicon +blue45 +qwe789 +galatasaray +centrino +hendrix1 +deimos +saturn5 +craig1 +vlad1996 +sarah123 +tupelo +ljrnjh +hotwife +bingos +1231231 +nicholas1 +flamer +pusher +1233210 +heart1 +hun999 +jiggy +giddyup +oktober +123456zxc +budda +galahad +glamur +samwise +oneton +bugsbunny +dominic1 +scooby2 +freetime +internat +159753852 +sc00ter +wantit +mazinger +inflames +laracrof +greedo +014789 +godofwar +repytwjd +water123 +fishnet +venus1 +wallace1 +tenpin +paula1 +1475963 +mania +novikov +qwertyasdfgh +goldmine +homies +777888999 +8balls +holeinon +paper1 +samael +013579 +mansur +nikit +ak1234 +blueline +polska1 +hotcock +laredo +windstar +vbkbwbz +raider1 +newworld +lfybkrf +catfish1 +shorty1 +piranha +treacle +royale +2234562 +smurfs +minion +cadence +flapjack +123456p +sydne +135531 +robinhoo +nasdaq +decatur +cyberonline +newage +gemstone +jabba +touchme +hooch +pigdog +indahous +fonzie +zebra1 +juggle +patrick2 +nihongo +hitomi +oldnavy +qwerfdsa +ukraina +shakti +allure +kingrich +diane1 +canad +piramide +hottie1 +clarion +college1 +5641110 +connect1 +therion +clubber +velcro +dave1 +astra1 +13579- +astroboy +skittle +isgreat +photoes +cvzefh1gkc +001100 +2cool4u +7555545 +ginger12 +2wsxcde3 +camaro69 +invader +domenow +asd1234 +colgate +qwertasdfg +jack123 +pass01 +maxman +bronte +whkzyc +peter123 +bogie +yecgaa +abc321 +1qay2wsx +enfield +camaroz2 +trashman +bonefish +system32 +azsxdcfvgb +peterose +iwantyou +dick69 +temp1234 +blastoff +capa200 +connie1 +blazin +12233445 +sexybaby +123456j +brentfor +pheasant +hommer +jerryg +thunders +august1 +lager +kapusta +boobs1 +nokia5300 +rocco1 +xytfu7 +stars1 +tugger +123sas +blingbling +1bubba +0wnsyo0 +1george +baile +richard2 +habana +1diamond +sensatio +1golfer +maverick1 +1chris +clinton1 +michael7 +dragons1 +sunrise1 +pissant +fatim +mopar1 +levani +rostik +pizzapie +987412365 +oceans11 +748159263 +cum4me +palmetto +4r3e2w1q +paige1 +muncher +arsehole +kratos +gaffer +banderas +billys +prakash +crabby +bungie +silver12 +caddis +spawn1 +xboxlive +sylvania +littlebi +524645 +futura +valdemar +isacs155 +prettygirl +big123 +555444 +slimer +chicke +newstyle +skypilot +sailormoon +fatluvr69 +jetaime +sitruc +jesuschrist +sameer +bear12 +hellion +yendor +country1 +etnies +conejo +jedimast +darkknight +toobad +yxcvbn +snooks +porn4life +calvary +alfaromeo +ghostman +yannick +fnkfynblf +vatoloco +homebase +5550666 +barret +1111111111zz +odysseus +edwardss +favre4 +jerrys +crybaby +xsw21qaz +firestor +spanks +indians1 +squish +kingair +babycakes +haters +sarahs +212223 +teddyb +xfactor +cumload +rhapsody +death123 +three3 +raccoon +thomas2 +slayer66 +1q2q3q4q5q +thebes +mysterio +thirdeye +orkiox. +nodoubt +bugsy +schweiz +dima1996 +angels1 +darkwing +jeronimo +moonpie +ronaldo9 +peaches2 +mack10 +manish +denise1 +fellowes +carioca +taylor12 +epaulson +makemoney +oc247ngucz +kochanie +3edcvfr4 +vulture +1qw23e +1234567z +munchie +picard1 +xthtgfirf +sportste +psycho1 +tahoe1 +creativ +perils +slurred +hermit +scoob +diesel1 +cards1 +wipeout +weeble +integra1 +out3xf +powerpc +chrism +kalle +ariadne +kailua +phatty +dexter1 +fordman +bungalow +paul123 +compa +train1 +thejoker +jys6wz +pussyeater +eatmee +sludge +dominus +denisa +tagheuer +yxcvbnm +bill1 +ghfdlf +300zx +nikita123 +carcass +semaj +ramone +muenchen +animal1 +greeny +annemari +dbrf134 +jeepcj7 +mollys +garten +sashok +ironmaid +coyotes +astoria +george12 +westcoast +primetim +123456o +panchito +rafae +japan1 +framer +auralo +tooshort +egorova +qwerty22 +callme +medicina +warhawk +w1w2w3w4 +cristia +merli +alex22 +kawaii +chatte +wargames +utvols +muaddib +trinket +andreas1 +jjjjj1 +cleric +scooters +cuntlick +gggggg1 +slipknot1 +235711 +handcuff +stussy +guess1 +leiceste +ppppp1 +passe +lovegun +chevyman +hugecock +driver1 +buttsex +psychnaut1 +cyber1 +black2 +alpha12 +melbourn +man123 +metalman +yjdsqujl +blondi +bungee +freak1 +stomper +caitlin1 +nikitina +flyaway +prikol +begood +desperad +aurelius +john1234 +whosyourdaddy +slimed123 +bretagne +den123 +hotwheel +king123 +roodypoo +izzicam +save13tx +warpten +nokia3310 +samolet +ready1 +coopers +scott123 +bonito +1aaaaa +yomomma +dawg1 +rache +itworks +asecret +fencer +451236 +polka +olivetti +sysadmin +zepplin +sanjuan +479373 +lickem +hondacrx +pulamea +future1 +naked1 +sexyguy +w4g8at +lollol1 +declan +runner1 +rumple +daddy123 +4snz9g +grandprix +calcio +whatthefuck +nagrom +asslick +pennst +negrit +squiggy +1223334444 +police22 +giovann +toronto1 +tweet +yardbird +seagate +truckers +554455 +scimitar +pescator +slydog +gaysex +dogfish +fuck777 +12332112 +qazxswed +morkovka +daniela1 +imback +horny69 +789123456 +123456789w +jimmy2 +bagger +ilove69 +nikolaus +atdhfkm +rebirth +1111aaaa +pervasive +gjgeufq +dte4uw +gfhnbpfy +skeletor +whitney1 +walkman +delorean +disco1 +555888 +as1234 +ishikawa +fuck12 +reaper1 +dmitrii +bigshot +morrisse +purgen +qwer4321 +itachi +willys +123123qwe +kisska +roma123 +trafford +sk84life +326159487 +pedros +idiom +plover +bebop +159875321 +jailbird +arrowhea +qwaszx123 +zaxscdvf +catlover +bakers +13579246 +bones69 +vermont1 +helloyou +simeon +chevyz71 +funguy +stargaze +parolparol +steph1 +bubby +apathy +poppet +laxman +kelly123 +goodnews +741236 +boner1 +gaetano +astonvilla +virtua +luckyboy +rocheste +hello2u +elohim +trigger1 +cstrike +pepsicola +miroslav +96385274 +fistfuck +cheval +magyar +svetlanka +lbfyjxrf +mamedov +123123123q +ronaldo1 +scotty1 +1nicole +pittbull +fredd +bbbbb1 +dagwood +gfhkfvtyn +ghblehrb +logan5 +1jordan +sexbomb +omega2 +montauk +258741 +dtythf +gibbon +winamp +thebomb +millerli +852654 +gemin +baldy +halflife2 +dragon22 +mulberry +morrigan +hotel6 +zorglub +surfin +951159 +excell +arhangel +emachine +moses1 +968574 +reklama +bulldog2 +cuties +barca +twingo +saber +elite11 +redtruck +casablan +ashish +moneyy +pepper12 +cnhtktw +rjcnbr +arschloch +phenix +cachorro +sunita +madoka +joselui +adams1 +mymoney +hemicuda +fyutkjr +jake12 +chicas +eeeee1 +sonnyboy +smarties +birdy +kitten1 +cnfcbr +island1 +kurosaki +taekwond +konfetka +bennett1 +omega3 +jackson2 +fresca +minako +octavian +kban667 +feyenoord +muaythai +jakedog +fktrcfylhjdyf +1357911q +phuket +sexslave +fktrcfylhjdbx +asdfjk +89015173454 +qwerty00 +kindbud +eltoro +sex6969 +nyknicks +12344321q +caballo +evenflow +hoddle +love22 +metro1 +mahalko +lawdog +tightass +manitou +buckie +whiskey1 +anton123 +335533 +password4 +primo +ramair +timbo +brayden +stewie +pedro1 +yorkshir +ganster +hellothe +tippy1 +direwolf +genesi +rodrig +enkeli +vaz21099 +sorcerer +winky +oneshot +boggle +serebro +badger1 +japanes +comicbook +kamehame +alcat +denis123 +echo45 +sexboy +gr8ful +hondo +voetbal +blue33 +2112rush +geneviev +danni1 +moosey +polkmn +matthew7 +ironhead +hot2trot +ashley12 +sweeper +imogen +blue21 +retep +stealth1 +guitarra +bernard1 +tatian +frankfur +vfnhbwf +slacking +haha123 +963741 +asdasdas +katenok +airforce1 +123456789qaz +shotgun1 +12qwasz +reggie1 +sharo +976431 +pacifica +dhip6a +neptun +kardon +spooky1 +beaut +555555a +toosweet +tiedup +11121314 +startac +lover69 +rediska +pirata +vfhrbp +1234qwerty +energize +hansolo1 +playbo +larry123 +oemdlg +cnjvfnjkju +a123123 +alexan +gohawks +antonius +fcbayern +mambo +yummy1 +kremlin +ellen1 +tremere +vfiekz +bellevue +charlie9 +izabella +malishka +fermat +rotterda +dawggy +becket +chasey +kramer1 +21125150 +lolit +cabrio +schlong +arisha +verity +3some +favorit +maricon +travelle +hotpants +red1234 +garrett1 +home123 +knarf +seven777 +figment +asdewq +canseco +good2go +warhol +thomas01 +pionee +al9agd +panacea +chevy454 +brazzers +oriole +azerty123 +finalfan +patricio +northsta +rebelde +bulldo +stallone +boogie1 +7uftyx +cfhfnjd +compusa +cornholi +config +deere +hoopster +sepultura +grasshop +babygurl +lesbo +diceman +proverbs +reddragon +nurbek +tigerwoo +superdup +buzzsaw +kakaroto +golgo13 +edwar +123qaz123 +butter1 +sssss1 +texas2 +respekt +ou812ic +123456qaz +55555a +doctor1 +mcgwire +maria123 +aol999 +cinders +aa1234 +joness +ghbrjkmyj +makemone +sammyboy +567765 +380zliki +theraven +testme +mylene +elvira26 +indiglo +tiramisu +shannara +baby1 +123666 +gfhreh +papercut +johnmish +orange8 +bogey1 +mustang7 +bagpipes +dimarik +vsijyjr +4637324 +ravage +cogito +seven11 +natashka +warzone +hr3ytm +4free +bigdee +000006 +243462536 +bigboi +123333 +trouts +sandy123 +szevasz +monica2 +guderian +newlife1 +ratchet +r12345 +razorbac +12345i +piazza31 +oddjob +beauty1 +fffff1 +anklet +nodrog +pepit +olivi +puravida +robert12 +transam1 +portman +bubbadog +steelers1 +wilson1 +eightball +mexico1 +superboy +4rfv5tgb +mzepab +samurai1 +fuckslut +colleen1 +girdle +vfrcbvec +q1w2e3r4t +soldier1 +19844891 +alyssa1 +a12345a +fidelis +skelter +nolove +mickeymouse +frehley +password69 +watermel +aliska +soccer15 +12345e +ladybug1 +abulafia +adagio +tigerlil +takehana +hecate +bootneck +junfan +arigato +wonkette +bobby123 +trustnoone +phantasm +132465798 +brianjo +w12345 +t34vfrc1991 +deadeye +1robert +1daddy +adida +check1 +grimlock +muffi +airwalk +prizrak +onclick +longbeac +ernie1 +eadgbe +moore1 +geniu +shadow123 +bugaga +jonathan1 +cjrjkjdf +orlova +buldog +talon1 +westport +aenima +541233432442 +barsuk +chicago2 +kellys +hellbent +toughguy +iskander +skoal +whatisit +jake123 +scooter2 +fgjrfkbgcbc +ghandi +love13 +adelphia +vjhrjdrf +adrenali +niunia +jemoeder +rainbo +all4u8 +anime1 +freedom7 +seraph +789321 +tommys +antman +firetruc +neogeo +natas +bmwm3 +froggy1 +paul1 +mamit +bayview +gateways +kusanagi +ihateu +frederi +rock1 +centurion +grizli +biggin +fish1 +stalker1 +3girls +ilovepor +klootzak +lollo +redsox04 +kirill123 +jake1 +pampers +vasya +hammers1 +teacup +towing +celtic1 +ishtar +yingyang +4904s677075 +dahc1 +patriot1 +patrick9 +redbirds +doremi +rebecc +yoohoo +makarova +epiphone +rfgbnfy +milesd +blister +chelseafc +katana1 +blackrose +1james +primrose +shock5 +hard1 +scooby12 +c6h12o6 +dustoff +boing +chisel +kamil +1william +defiant1 +tyvugq +mp8o6d +aaa340 +nafets +sonnet +flyhigh +242526 +crewcom +love23 +strike1 +stairway +katusha +salamand +cupcake1 +password0 +007james +sunnie +multisync +harley01 +tequila1 +fred12 +driver8 +q8zo8wzq +hunter01 +mozzer +temporar +eatmeraw +mrbrownxx +kailey +sycamore +flogger +tincup +rahasia +ganymede +bandera +slinger +1111122222 +vander +woodys +1cowboy +khaled +jamies +london12 +babyboo +tzpvaw +diogenes +budice +mavrick +135797531 +cheeta +macros +squonk +blackber +topfuel +apache1 +falcon16 +darkjedi +cheeze +vfhvtkfl +sparco +change1 +gfhfif +freestyl +kukuruza +loveme2 +12345f +kozlov +sherpa +marbella +44445555 +bocephus +1winner +alvar +hollydog +gonefish +iwantin +barman +godislove +amanda18 +rfpfynbg +eugen +abcdef1 +redhawk +thelema +spoonman +baller1 +harry123 +475869 +tigerman +cdtnjxrf +marillio +scribble +elnino +carguy +hardhead +l2g7k3 +troopers +selen +dragon76 +antigua +ewtosi +ulysse +astana +paroli +cristo +carmex +marjan +bassfish +letitbe +kasparov +jay123 +19933991 +blue13 +eyecandy +scribe +mylord +ukflbjkec +ellie1 +beaver1 +destro +neuken +halfpint +ameli +lilly1 +satanic +xngwoj +12345trewq +asdf1 +bulldogg +asakura +jesucrist +flipside +packers4 +biggy +kadett +biteme69 +bobdog +silverfo +saint1 +bobbo +packman +knowledg +foolio +fussbal +12345g +kozerog +westcoas +minidisc +nbvcxw +martini1 +alastair +rasengan +superbee +memento +porker +lena123 +florenc +kakadu +bmw123 +getalife +bigsky +monkee +people1 +schlampe +red321 +memyself +0147896325 +12345678900987654321 +soccer14 +realdeal +gfgjxrf +bella123 +juggs +doritos +celtics1 +peterbilt +ghbdtnbrb +gnusmas +xcountry +ghbdtn1 +batman99 +deusex +gtnhjdf +blablabl +juster +marimba +love2 +rerjkrf +alhambra +micros +siemens1 +assmaste +moonie +dashadasha +atybrc +eeeeee1 +wildrose +blue55 +davidl +xrp23q +skyblue +leo123 +ggggg1 +bestfriend +franny +1234rmvb +fun123 +rules1 +sebastien +chester2 +hakeem +winston2 +fartripper +atlant +07831505 +iluvsex +q1a2z3 +larrys +009900 +ghjkju +capitan +rider1 +qazxsw21 +belochka +andy123 +hellya +chicca +maximal +juergen +password1234 +howard1 +quetzal +daniel123 +qpwoeiruty +123555 +bharat +ferrari3 +numbnuts +savant +ladydog +phipsi +lovepussy +etoile +power2 +mitten +britneys +chilidog +08522580 +2fchbg +kinky1 +bluerose +loulo +ricardo1 +doqvq3 +kswbdu +013cpfza +timoha +ghbdtnghbdtn +3stooges +gearhead +browns1 +g00ber +super7 +greenbud +kitty2 +pootie +toolshed +gamers +coffe +ibill123 +freelove +anasazi +sister1 +jigger +natash +stacy1 +weronika +luzern +soccer7 +hoopla +dmoney +valerie1 +canes +razdvatri +washere +greenwoo +rfhjkbyf +anselm +pkxe62 +maribe +daniel2 +maxim1 +faceoff +carbine +xtkjdtr +buddy12 +stratos +jumpman +buttocks +aqswdefr +pepsis +sonechka +steeler1 +lanman +nietzsch +ballz +biscuit1 +wrxsti +goodfood +juventu +federic +mattman +vika123 +strelec +jledfyxbr +sideshow +4life +fredderf +bigwilly +12347890 +12345671 +sharik +bmw325i +fylhtqrf +dannon4 +marky +mrhappy +drdoom +maddog1 +pompier +cerbera +goobers +howler +jenny69 +evely +letitrid +cthuttdyf +felip +shizzle +golf12 +t123456 +yamah +bluearmy +squishy +roxan +10inches +dollface +babygirl1 +blacksta +kaneda +lexingto +canadien +222888 +kukushka +sistema +224422 +shadow69 +ppspankp +mellons +barbie1 +free4all +alfa156 +lostone +2w3e4r5t +painkiller +robbie1 +binger +8dihc6 +jaspe +rellik +quark +sogood +hoopstar +number2 +snowy1 +dad2ownu +cresta +qwe123asd +hjvfyjdf +gibsonsg +qbg26i +dockers +grunge +duckling +lfiekz +cuntsoup +kasia1 +1tigger +woaini +reksio +tmoney +firefighter +neuron +audia3 +woogie +powerboo +powermac +fatcock +12345666 +upnfmc +lustful +porn1 +gotlove +amylee +kbytqrf +11924704 +25251325 +sarasota +sexme +ozzie1 +berliner +nigga1 +guatemal +seagulls +iloveyou! +chicken2 +qwerty21 +010203040506 +1pillow +libby1 +vodoley +backlash +piglets +teiubesc +019283 +vonnegut +perico +thunde +buckey +gtxtymrf +manunite +iiiii1 +lost4815162342 +madonn +270873_ +britney1 +kevlar +piano1 +boondock +colt1911 +salamat +doma77ns +anuradha +cnhjqrf +rottweil +newmoon +topgun1 +mauser +fightclu +birthday21 +reviewpa +herons +aassddff +lakers32 +melissa2 +vredina +jiujitsu +mgoblue +shakey +moss84 +12345zxcvb +funsex +benji1 +garci +113322 +chipie +windex +nokia5310 +pwxd5x +bluemax +cosita +chalupa +trotsky +new123 +g3ujwg +newguy +canabis +gnaget +happydays +felixx +1patrick +cumface +sparkie +kozlova +123234 +newports +broncos7 +golf18 +recycle +hahah +harrypot +cachondo +open4me +miria +guessit +pepsione +knocker +usmc1775 +countach +playe +wiking +landrover +cracksevi +drumline +a7777777 +smile123 +manzana +panty +liberta +pimp69 +dolfan +quality1 +schnee +superson +elaine22 +webhompass +mrbrownx +deepsea +4wheel +mamasita +rockport +rollie +myhome +jordan12 +kfvgjxrf +hockey12 +seagrave +ford1 +chelsea2 +samsara +marissa1 +lamesa +mobil1 +piotrek +tommygun +yyyyy1 +wesley1 +billy123 +homersim +julies +amanda12 +shaka +maldini +suzenet +springst +iiiiii1 +yakuza +111111aa +westwind +helpdesk +annamari +bringit +hopefull +hhhhhhh1 +saywhat +mazdarx8 +bulova +jennife1 +baikal +gfhjkmxbr +victoria1 +gizmo123 +alex99 +defjam +2girls +sandrock +positivo +shingo +syncmast +opensesa +silicone +fuckina +senna1 +karlos +duffbeer +montagne +gehrig +thetick +pepino +hamburge +paramedic +scamp +smokeweed +fabregas +phantoms +venom121293 +2583458 +badone +porno69 +manwhore +vfvf123 +notagain +vbktyf +rfnthbyrf +wildblue +kelly001 +dragon66 +camell +curtis1 +frolova +1212123 +dothedew +tyler123 +reddrago +planetx +promethe +gigolo +1001001 +thisone +eugeni +blackshe +cruzazul +incognito +puller +joonas +quick1 +spirit1 +gazza +zealot +gordito +hotrod1 +mitch1 +pollito +hellcat +mythos +duluth +383pdjvl +easy123 +hermos +binkie +its420 +lovecraf +darien +romina +doraemon +19877891 +syclone +hadoken +transpor +ichiro +intell +gargamel +dragon2 +wavpzt +557744 +rjw7x4 +jennys +kickit +rjynfrn +likeit +555111 +corvus +nec3520 +133113 +mookie1 +bochum +samsung2 +locoman0 +154ugeiu +vfvfbgfgf +135792 +[start] +tenni +20001 +vestax +hufmqw +neveragain +wizkid +kjgfnf +nokia6303 +tristen +saltanat +louie1 +gandalf2 +sinfonia +alpha3 +tolstoy +ford150 +f00bar +1hello +alici +lol12 +riker1 +hellou +333888 +1hunter +qw1234 +vibrator +mets86 +43211234 +gonzale +cookies1 +sissy1 +john11 +bubber +blue01 +cup2006 +gtkmvtyb +nazareth +heybaby +suresh +teddie +mozilla +rodeo1 +madhouse +gamera +123123321 +naresh +dominos +foxtrot1 +taras +powerup +kipling +jasonb +fidget +galena +meatman +alpacino +bookmark +farting +humper +titsnass +gorgon +castaway +dianka +anutka +gecko1 +fucklove +connery +wings1 +erika1 +peoria +moneymaker +ichabod +heaven1 +paperboy +phaser +breakers +nurse1 +westbrom +alex13 +brendan1 +123asd123 +almera +grubber +clarkie +thisisme +welkom01 +51051051051 +crypto +freenet +pflybwf +black12 +testme2 +changeit +autobahn +attica +chaoss +denver1 +tercel +gnasher23 +master2 +vasilii +sherman1 +gomer +bigbuck +derek1 +qwerzxcv +jumble +dragon23 +art131313 +numark +beasty +cxfcnmttcnm +updown +starion +glist +sxhq65 +ranger99 +monkey7 +shifter +wolves1 +4r5t6y +phone1 +favorite5 +skytommy +abracada +1martin +102030405060 +gatech +giulio +blacktop +cheer1 +africa1 +grizzly1 +inkjet +shemales +durango1 +booner +11223344q +supergirl +vanyarespekt +dickless +srilanka +weaponx +6string +nashvill +spicey +boxer1 +fabien +2sexy2ho +bowhunt +jerrylee +acrobat +tawnee +ulisse +nolimit8 +l8g3bkde +pershing +gordo1 +allover +gobrowns +123432 +123444 +321456987 +spoon1 +hhhhh1 +sailing1 +gardenia +teache +sexmachine +tratata +pirate1 +niceone +jimbos +314159265 +qsdfgh +bobbyy +ccccc1 +carla1 +vjkjltw +savana +biotech +frigid +123456789g +dragon10 +yesiam +alpha06 +oakwood +tooter +winsto +radioman +vavilon +asnaeb +google123 +nariman +kellyb +dthyjcnm +password6 +parol1 +golf72 +skate1 +lthtdj +1234567890s +kennet +rossia +lindas +nataliya +perfecto +eminem1 +kitana +aragorn1 +rexona +arsenalf +planot +coope +testing123 +timex +blackbox +bullhead +barbarian +dreamon +polaris1 +cfvjktn +frdfhbev +gametime +slipknot666 +nomad1 +hfgcjlbz +happy69 +fiddler +brazil1 +joeboy +indianali +113355 +obelisk +telemark +ghostrid +preston1 +anonim +wellcome +verizon1 +sayangku +censor +timeport +dummies +adult1 +nbnfybr +donger +thales +iamgay +sexy1234 +deadlift +pidaras +doroga +123qwe321 +portuga +asdfgh12 +happys +cadr14nu +pi3141 +maksik +dribble +cortland +darken +stepanova +bommel +tropic +sochi2014 +bluegras +shahid +merhaba +nacho +2580456 +orange44 +kongen +3cudjz +78girl +my3kids +marcopol +deadmeat +gabbie +saruman +jeepman +freddie1 +katie123 +master99 +ronal +ballbag +centauri +killer7 +xqgann +pinecone +jdeere +geirby +aceshigh +55832811 +pepsimax +rayden +razor1 +tallyho +ewelina +coldfire +florid +glotest +999333 +sevenup +bluefin +limaperu +apostol +bobbins +charmed1 +michelin +sundin +centaur +alphaone +christof +trial1 +lions1 +45645 +just4you +starflee +vicki1 +cougar1 +green2 +jellyfis +batman69 +games1 +hihje863 +crazyzil +w0rm1 +oklick +dogbite +yssup +sunstar +paprika +postov10 +124578963 +x24ik3 +kanada +buckster +iloveamy +bear123 +smiler +nx74205 +ohiostat +spacey +bigbill +doudo +nikolaeva +hcleeb +sex666 +mindy1 +buster11 +deacons +boness +njkcnsq +candy2 +cracker1 +turkey1 +qwertyu1 +gogreen +tazzzz +edgewise +ranger01 +qwerty6 +blazer1 +arian +letmeinnow +cigar1 +jjjjjj1 +grigio +frien +tenchu +f9lmwd +imissyou +filipp +heathers +coolie +salem1 +woodduck +scubadiv +123kat +raffaele +nikolaev +dapzu455 +skooter +9inches +lthgfhjkm +gr8one +ffffff1 +zujlrf +amanda69 +gldmeo +m5wkqf +rfrltkf +televisi +bonjou +paleale +stuff1 +cumalot +fuckmenow +climb7 +mark1234 +t26gn4 +oneeye +george2 +utyyflbq +hunting1 +tracy71 +ready2go +hotguy +accessno +charger1 +rudedog +kmfdm +goober1 +sweetie1 +wtpmjgda +dimensio +ollie1 +pickles1 +hellraiser +mustdie +123zzz +99887766 +stepanov +verdun +tokenbad +anatol +bartende +cidkid86 +onkelz +timmie +mooseman +patch1 +12345678c +marta1 +dummy1 +bethany1 +myfamily +history1 +178500 +lsutiger +phydeaux +moren +dbrnjhjdbx +gnbxrf +uniden +drummers +abpbrf +godboy +daisy123 +hogan1 +ratpack +irland +tangerine +greddy +flore +sqrunch +billyjoe +q55555 +clemson1 +98745632 +marios +ishot +angelin +access12 +naruto12 +lolly +scxakv +austin12 +sallad +cool99 +rockit +mongo1 +mark22 +ghbynth +ariadna +senha +docto +tyler2 +mobius +hammarby +192168 +anna12 +claire1 +pxx3eftp +secreto +greeneye +stjabn +baguvix +satana666 +rhbcnbyjxrf +dallastx +garfiel +michaelj +1summer +montan +1234ab +filbert +squids +fastback +lyudmila +chucho +eagleone +kimberle +ar3yuk3 +jake01 +nokids +soccer22 +1066ad +ballon +cheeto +review69 +madeira +taylor2 +sunny123 +chubbs +lakeland +striker1 +porche +qwertyu8 +digiview +go1234 +ferari +lovetits +aditya +minnow +green3 +matman +cellphon +fortytwo +minni +pucara +69a20a +roman123 +fuente +12e3e456 +paul12 +jacky +demian +littleman +jadakiss +vlad1997 +franca +282860 +midian +nunzio +xaccess2 +colibri +jessica0 +revilo +654456 +harvey1 +wolf1 +macarena +corey1 +husky1 +arsen +milleniu +852147 +crowes +redcat +combat123654 +hugger +psalms +quixtar +ilovemom +toyot +ballss +ilovekim +serdar +james23 +avenger1 +serendip +malamute +nalgas +teflon +shagger +letmein6 +vyjujnjxbt +assa1234 +student1 +dixiedog +gznybwf13 +fuckass +aq1sw2de3 +robroy +hosehead +sosa21 +123345 +ias100 +teddy123 +poppin +dgl70460 +zanoza +farhan +quicksilver +1701d +tajmahal +depechemode +paulchen +angler +tommy2 +recoil +megamanx +scarecro +nicole2 +152535 +rfvtgb +skunky +fatty1 +saturno +wormwood +milwauke +udbwsk +sexlover +stefa +7bgiqk +gfnhbr +omar10 +bratan +lbyfvj +slyfox +forest1 +jambo +william3 +tempus +solitari +lucydog +murzilka +qweasdzxc1 +vehpbkrf +12312345 +fixit +woobie +andre123 +123456789x +lifter +zinaida +soccer17 +andone +foxbat +torsten +apple12 +teleport +123456i +leglover +bigcocks +vologda +dodger1 +martyn +d6o8pm +naciona +eagleeye +maria6 +rimshot +bentley1 +octagon +barbos +masaki +gremio +siemen +s1107d +mujeres +bigtits1 +cherr +saints1 +mrpink +simran +ghzybr +ferrari2 +secret12 +tornado1 +kocham +picolo +deneme +onelove1 +rolan +fenster +1fuckyou +cabbie +pegaso +nastyboy +password5 +aidana +mine2306 +mike13 +wetone +tigger69 +ytreza +bondage1 +myass +golova +tolik +happyboy +poilkj +nimda2k +rammer +rubies +hardcore1 +jetset +hoops1 +jlaudio +misskitt +1charlie +google12 +theone1 +phred +porsch +aalborg +luft4 +charlie5 +password7 +gnosis +djgabbab +1daniel +vinny +borris +cumulus +member1 +trogdor +darthmau +andrew2 +ktjybl +relisys +kriste +rasta220 +chgobndg +weener +qwerty66 +fritter +followme +freeman1 +ballen +blood1 +peache +mariso +trevor1 +biotch +gtfullam +chamonix +friendste +alligato +misha1 +1soccer +18821221 +venkat +superd +molotov +bongos +mpower +acun3t1x +dfcmrf +h4x3d +rfhfufylf +tigran +booyaa +plastic1 +monstr +rfnhby +lookatme +anabolic +tiesto +simon123 +soulman +canes1 +skyking +tomcat1 +madona +bassline +dasha123 +tarheel1 +dutch1 +xsw23edc +qwerty123456789 +imperator +slaveboy +bateau +paypal +house123 +pentax +wolf666 +drgonzo +perros +digger1 +juninho +hellomoto +bladerun +zzzzzzz1 +keebler +take8422 +fffffff1 +ginuwine +israe +caesar1 +crack1 +precious1 +garand +magda1 +zigazaga +321ewq +johnpaul +mama1234 +iceman69 +sanjeev +treeman +elric +rebell +1thunder +cochon +deamon +zoltan +straycat +uhbyuj +luvfur +mugsy +primer +wonder1 +teetime +candycan +pfchfytw +fromage +gitler +salvatio +piggy1 +23049307 +zafira +chicky +sergeev +katze +bangers +andriy +jailbait +vaz2107 +ghbhjlf +dbjktnnf +aqswde +zaratustra +asroma +1pepper +alyss +kkkkk1 +ryan1 +radish +cozumel +waterpol +pentium1 +rosebowl +farmall +steinway +dbrekz +baranov +jkmuf +another1 +chinacat +qqqqqqq1 +hadrian +devilmaycry4 +ratbag +teddy2 +love21 +pullings +packrat +robyn1 +boobo +qw12er34 +tribe1 +rosey +celestia +nikkie +fortune12 +olga123 +danthema +gameon +vfrfhjys +dilshod +henry14 +jenova +redblue +chimaera +pennywise +sokrates +danimal +qqaazz +fuaqz4 +killer2 +198200 +tbone1 +kolyan +wabbit +lewis1 +maxtor +egoist +asdfas +spyglass +omegas +jack12 +nikitka +esperanz +doozer +matematika +wwwww1 +ssssss1 +poiu0987 +suchka +courtney1 +gungho +alpha2 +fktyjxrf +summer06 +bud420 +devildriver +heavyd +saracen +foucault +choclate +rjdfktyrj +goblue1 +monaro +jmoney +dcpugh +efbcapa201 +qqh92r +pepsicol +bbb747 +ch5nmk +honeyb +beszoptad +tweeter +intheass +iseedeadpeople +123dan +89231243658s +farside1 +findme +smiley1 +55556666 +sartre +ytcnjh +kacper +costarica +134679258 +mikeys +nolimit9 +vova123 +withyou +5rxypn +love143 +freebie +rescue1 +203040 +michael6 +12monkey +redgreen +steff +itstime +naveen +good12345 +acidrain +1dawg +miramar +playas +daddio +orion2 +852741 +studmuff +kobe24 +senha123 +stephe +mehmet +allalone +scarface1 +helloworld +smith123 +blueyes +vitali +memphis1 +mybitch +colin1 +159874 +1dick +podaria +d6wnro +brahms +f3gh65 +dfcbkmtd +xxxman +corran +ugejvp +qcfmtz +marusia +totem +arachnid +matrix2 +antonell +fgntrf +zemfira +christos +surfing1 +naruto123 +plato1 +56qhxs +madzia +vanille +043aaa +asq321 +mutton +ohiostate +golde +cdznjckfd +rhfcysq +green5 +elephan +superdog +jacqueli +bollock +lolitas +nick12 +1orange +maplelea +july23 +argento +waldorf +wolfer +pokemon12 +zxcvbnmm +flicka +drexel +outlawz +harrie +atrain +juice2 +falcons1 +charlie6 +19391945 +tower1 +dragon21 +hotdamn +dirtyboy +love4ever +1ginger +thunder2 +virgo1 +alien1 +bubblegu +4wwvte +123456789qqq +realtime +studio54 +passss +vasilek +awsome +giorgia +bigbass +2002tii +sunghile +mosdef +simbas +count0 +uwrl7c +summer05 +lhepmz +ranger21 +sugarbea +principe +5550123 +tatanka +9638v +cheerios +majere +nomercy +jamesbond007 +bh90210 +7550055 +jobber +karaganda +pongo +trickle +defamer +6chid8 +1q2a3z +tuscan +nick123 +.adgjm +loveyo +hobbes1 +note1234 +shootme +171819 +loveporn +9788960 +monty123 +fabrice +macduff +monkey13 +shadowfa +tweeker +hanna1 +madball +telnet +loveu2 +qwedcxzas +thatsit +vfhcbr +ptfe3xxp +gblfhfcs +ddddddd1 +hakkinen +liverune +deathsta +misty123 +suka123 +recon1 +inferno1 +232629 +polecat +sanibel +grouch +hitech +hamradio +rkfdbfnehf +vandam +nadin +fastlane +shlong +iddqdidkfa +ledzeppelin +sexyfeet +098123 +stacey1 +negras +roofing +lucifer1 +ikarus +tgbyhn +melnik +barbaria +montego +twisted1 +bigal1 +jiggle +darkwolf +acerview +silvio +treetops +bishop1 +iwanna +pornsite +happyme +gfccdjhl +114411 +veritech +batterse +casey123 +yhntgb +mailto +milli +guster +q12345678 +coronet +sleuth +fuckmeha +armadill +kroshka +geordie +lastochka +pynchon +killall +tommy123 +sasha1996 +godslove +hikaru +clticic +cornbrea +vfkmdbyf +passmaster +123123123a +souris +nailer +diabolo +skipjack +martin12 +hinata +mof6681 +brookie +dogfight +johnso +karpov +326598 +rfvbrflpt +travesti +caballer +galaxy1 +wotan +antoha +art123 +xakep1234 +ricflair +pervert1 +p00kie +ambulanc +santosh +berserker +larry33 +bitch123 +a987654321 +dogstar +angel22 +cjcbcrf +redhouse +toodles +gold123 +hotspot +kennedy1 +glock21 +chosen1 +schneide +mainman +taffy1 +3ki42x +4zqauf +ranger2 +4meonly +year2000 +121212a +kfylsi +netzwerk +diese +picasso1 +rerecz +225522 +dastan +swimmer1 +brooke1 +blackbea +oneway +ruslana +dont4get +phidelt +chrisp +gjyxbr +xwing +kickme +shimmy +kimmy1 +4815162342lost +qwerty5 +fcporto +jazzbo +mierd +252627 +basses +sr20det +00133 +florin +howdy1 +kryten +goshen +koufax +cichlid +imhotep +andyman +wrest666 +saveme +dutchy +anonymou +semprini +siempre +mocha1 +forest11 +wildroid +aspen1 +sesam +kfgekz +cbhbec +a55555 +sigmanu +slash1 +giggs11 +vatech +marias +candy123 +jericho1 +kingme +123a123 +drakula +cdjkjxm +mercur +oneman +hoseman +plumper +ilovehim +lancers +sergey1 +takeshi +goodtogo +cranberr +ghjcnj123 +harvick +qazxs +1972chev +horsesho +freedom3 +letmein7 +saitek +anguss +vfvfgfgfz +300000 +elektro +toonporn +999111999q +mamuka +q9umoz +edelweis +subwoofer +bayside +disturbe +volition +lucky3 +12345678z +3mpz4r +march1 +atlantida +strekoza +seagrams +090909t +yy5rbfsc +jack1234 +sammy12 +sampras +mark12 +eintrach +chaucer +lllll1 +nochance +whitepower +197000 +lbvekz +passer +torana +12345as +pallas +koolio +12qw34 +nokia8800 +findout +1thomas +mmmmm1 +654987 +mihaela +chinaman +superduper +donnas +ringo1 +jeroen +gfdkjdf +professo +cdtnrf +tranmere +tanstaaf +himera +ukflbfnjh +667788 +alex32 +joschi +w123456 +okidoki +flatline +papercli +super8 +doris1 +2good4u +4z34l0ts +pedigree +freeride +gsxr1100 +wulfgar +benjie +ferdinan +king1 +charlie7 +djdxbr +fhntvbq +ripcurl +2wsx1qaz +kingsx +desade +sn00py +loveboat +rottie +evgesha +4money +dolittle +adgjmpt +buzzers +brett1 +makita +123123qweqwe +rusalka +sluts1 +123456e +jameson1 +bigbaby +1z2z3z +ckjybr +love4u +fucker69 +erhfbyf +jeanluc +farhad +fishfood +merkin +giant1 +golf69 +rfnfcnhjaf +camera1 +stromb +smoothy +774411 +nylon +juice1 +rfn.irf +newyor +123456789t +marmot +star11 +jennyff +jester1 +hisashi +kumquat +alex777 +helicopt +merkur +dehpye +cummin +zsmj2v +kristjan +april12 +englan +honeypot +badgirls +uzumaki +keines +p12345 +guita +quake1 +duncan1 +juicer +milkbone +hurtme +123456789b +qq123456789 +schwein +p3wqaw +54132442 +qwertyytrewq +andreeva +ruffryde +punkie +abfkrf +kristinka +anna1987 +ooooo1 +335533aa +umberto +amber123 +456123789 +456789123 +beelch +manta +peeker +1112131415 +3141592654 +gipper +wrinkle5 +katies +asd123456 +james11 +78n3s5af +michael0 +daboss +jimmyb +hotdog1 +david69 +852123 +blazed +sickan +eljefe +2n6wvq +gobills +rfhfcm +squeaker +cabowabo +luebri +karups +test01 +melkor +angel777 +smallvil +modano +olorin +4rkpkt +leslie1 +koffie +shadows1 +littleon +amiga1 +topeka +summer20 +asterix1 +pitstop +aloysius +k12345 +magazin +joker69 +panocha +pass1word +1233214 +ironpony +368ejhih +88keys +pizza123 +sonali +57np39 +quake2 +1234567890qw +1020304 +sword1 +fynjif +abcde123 +dfktyjr +rockys +grendel1 +harley12 +kokakola +super2 +azathoth +lisa123 +shelley1 +girlss +ibragim +seven1 +jeff24 +1bigdick +dragan +autobot +t4nvp7 +omega123 +900000 +hecnfv +889988 +nitro1 +doggie1 +fatjoe +811pahc +tommyt +savage1 +pallino +smitty1 +jg3h4hfn +jamielee +1qazwsx +zx123456 +machine1 +asdfgh123 +guinnes +789520 +sharkman +jochen +legend1 +sonic2 +extreme1 +dima12 +photoman +123459876 +nokian95 +775533 +vaz2109 +april10 +becks +repmvf +pooker +qwer12345 +themaster +nabeel +monkey10 +gogetit +hockey99 +bbbbbbb1 +zinedine +dolphin2 +anelka +1superma +winter01 +muggsy +horny2 +669966 +kuleshov +jesusis +calavera +bullet1 +87t5hdf +sleepers +winkie +vespa +lightsab +carine +magister +1spider +shitbird +salavat +becca1 +wc18c2 +shirak +galactus +zaskar +barkley1 +reshma +dogbreat +fullsail +asasa +boeder +12345ta +zxcvbnm12 +lepton +elfquest +tony123 +vkaxcs +savatage +sevilia1 +badkitty +munkey +pebbles1 +diciembr +qapmoc +gabriel2 +1qa2ws3e +cbcmrb +welldone +nfyufh +kaizen +jack11 +manisha +grommit +g12345 +maverik +chessman +heythere +mixail +jjjjjjj1 +sylvia1 +fairmont +harve +skully +global1 +youwish +pikachu1 +badcat +zombie1 +49527843 +ultra1 +redrider +offsprin +lovebird +153426 +stymie +aq1sw2 +sorrento +0000001 +r3ady41t +webster1 +95175 +adam123 +coonass +159487 +slut1 +gerasim +monkey99 +slutwife +159963 +1pass1page +hobiecat +bigtymer +all4you +maggie2 +olamide +comcast1 +infinit +bailee +vasileva +.ktxrf +asdfghjkl1 +12345678912 +setter +fuckyou7 +nnagqx +lifesuck +draken +austi +feb2000 +cable1 +1234qwerasdf +hax0red +zxcv12 +vlad7788 +nosaj +lenovo +underpar +huskies1 +lovegirl +feynman +suerte +babaloo +alskdjfhg +oldsmobi +bomber1 +redrover +pupuce +methodman +phenom +cutegirl +countyli +gretsch +godisgood +bysunsu +hardhat +mironova +123qwe456rty +rusty123 +salut +187211 +555666777 +11111z +mahesh +rjntyjxtr +br00klyn +dunce1 +timebomb +bovine +makelove +littlee +shaven +rizwan +patrick7 +42042042 +bobbijo +rustem +buttmunc +dongle +tiger69 +bluecat +blackhol +shirin +peaces +cherub +cubase +longwood +lotus7 +gwju3g +bruin +pzaiu8 +green11 +uyxnyd +seventee +dragon5 +tinkerbel +bluess +bomba +fedorova +joshua2 +bodyshop +peluche +gbpacker +shelly1 +d1i2m3a4 +ghtpbltyn +talons +sergeevna +misato +chrisc +sexmeup +brend +olddog +davros +hazelnut +bridget1 +hzze929b +readme +brethart +wild1 +ghbdtnbr1 +nortel +kinger +royal1 +bucky1 +allah1 +drakkar +emyeuanh +gallaghe +hardtime +jocker +tanman +flavio +abcdef123 +leviatha +squid1 +skeet +sexse +123456x +mom4u4mm +lilred +djljktq +ocean11 +cadaver +baxter1 +808state +fighton +primavera +1andrew +moogle +limabean +goddess1 +vitalya +blue56 +258025 +bullride +cicci +1234567d +connor1 +gsxr11 +oliveoil +leonard1 +legsex +gavrik +rjnjgtc +mexicano +2bad4u +goodfellas +ornw6d +mancheste +hawkmoon +zlzfrh +schorsch +g9zns4 +bashful +rossi46 +stephie +rfhfntkm +sellout +123fuck +stewar1 +solnze +00007 +thor5200 +compaq12 +didit +bigdeal +hjlbyf +zebulon +wpf8eu +kamran +emanuele +197500 +carvin +ozlq6qwm +3syqo15hil +pennys +epvjb6 +asdfghjkl123 +198000 +nfbcbz +jazzer +asfnhg66 +zoloft +albundy +aeiou +getlaid +planet1 +gjkbyjxrf +alex2000 +brianb +moveon +maggie11 +eieio +vcradq +shaggy1 +novartis +cocoloco +dunamis +554uzpad +sundrop +1qwertyu +alfie +feliks +briand +123www +red456 +addams +fhntv1998 +goodhead +theway +javaman +angel01 +stratoca +lonsdale +15987532 +bigpimpin +skater1 +issue43 +muffie +yasmina +slowride +crm114 +sanity729 +himmel +carolcox +bustanut +parabola +masterlo +computador +crackhea +dynastar +rockbott +doggysty +wantsome +bigten +gaelle +juicy1 +alaska1 +etower +sixnine +suntan +froggies +nokia7610 +hunter11 +njnets +alicante +buttons1 +diosesamo +elizabeth1 +chiron +trustnoo +amatuers +tinytim +mechta +sammy2 +cthulu +trs8f7 +poonam +m6cjy69u35 +cookie12 +blue25 +jordans +santa1 +kalinka +mikey123 +lebedeva +12345689 +kissss +queenbee +vjybnjh +ghostdog +cuckold +bearshare +rjcntyrj +alinochka +ghjcnjrdfibyj +aggie1 +teens1 +3qvqod +dauren +tonino +hpk2qc +iqzzt580 +bears85 +nascar88 +theboy +njqcw4 +masyanya +pn5jvw +intranet +lollone +shadow99 +00096462 +techie +cvtifhbrb +redeemed +gocanes +62717315 +topman +intj3a +cobrajet +antivirus +whyme +berserke +ikilz083 +airedale +brandon2 +hopkig +johanna1 +danil8098 +gojira +arthu +vision1 +pendragon +milen +chrissie +vampiro +mudder +chris22 +blowme69 +omega7 +surfers +goterps +italy1 +baseba11 +diego1 +gnatsum +birdies +semenov +joker123 +zenit2011 +wojtek +cab4ma99 +watchmen +damia +forgotte +fdm7ed +strummer +freelanc +cingular +orange77 +mcdonalds +vjhjpjdf +kariya +tombston +starlet +hawaii1 +dantheman +megabyte +nbvjirf +anjing +ybrjkftdbx +hotmom +kazbek +pacific1 +sashimi +asd12 +coorslig +yvtte545 +kitte +elysium +klimenko +cobblers +kamehameha +only4me +redriver +triforce +sidorov +vittoria +fredi +dank420 +m1234567 +fallout2 +989244342a +crazy123 +crapola +servus +volvos +1scooter +griffin1 +autopass +ownzyou +deviant +george01 +2kgwai +boeing74 +simhrq +hermosa +hardcor +griffy +rolex1 +hackme +cuddles1 +master3 +bujhtr +aaron123 +popolo +blader +1sexyred +gerry1 +cronos +ffvdj474 +yeehaw +bob1234 +carlos2 +mike77 +buckwheat +ramesh +acls2h +monster2 +montess +11qq22ww +lazer +zx123456789 +chimpy +masterch +sargon +lochness +archana +1234qwert +hbxfhl +sarahb +altoid +zxcvbn12 +dakot +caterham +dolomite +chazz +r29hqq +longone +pericles +grand1 +sherbert +eagle3 +pudge +irontree +synapse +boome +nogood +summer2 +pooki +gangsta1 +mahalkit +elenka +lbhtrnjh +dukedog +19922991 +hopkins1 +evgenia +domino1 +x123456 +manny1 +tabbycat +drake1 +jerico +drahcir +kelly2 +708090a +facesit +11c645df +mac123 +boodog +kalani +hiphop1 +critters +hellothere +tbirds +valerka +551scasi +love777 +paloalto +mrbrown +duke3d +killa1 +arcturus +spider12 +dizzy1 +smudger +goddog +75395 +spammy +1357997531 +78678 +datalife +zxcvbn123 +1122112211 +london22 +23dp4x +rxmtkp +biggirls +ownsu +lzbs2twz +sharps +geryfe +237081a +golakers +nemesi +sasha1995 +pretty1 +mittens1 +d1lakiss +speedrac +gfhjkmm +sabbat +hellrais +159753258 +qwertyuiop123 +playgirl +crippler +salma +strat1 +celest +hello5 +omega5 +cheese12 +ndeyl5 +edward12 +soccer3 +cheerio +davido +vfrcbr +gjhjctyjr +boscoe +inessa +shithole +ibill +qwepoi +201jedlz +asdlkj +davidk +spawn2 +ariel1 +michael4 +jamie123 +romantik +micro1 +pittsbur +canibus +katja +muhtar +thomas123 +studboy +masahiro +rebrov +patrick8 +hotboys +sarge1 +1hammer +nnnnn1 +eistee +datalore +jackdani +sasha2010 +mwq6qlzo +cmfnpu +klausi +cnhjbntkm +andrzej +ilovejen +lindaa +hunter123 +vvvvv1 +novembe +hamster1 +x35v8l +lacey1 +1silver +iluvporn +valter +herson +alexsandr +cojones +backhoe +womens +777angel +beatit +klingon1 +ta8g4w +luisito +benedikt +maxwel +inspecto +zaq12ws +wladimir +bobbyd +peterj +asdfg12 +hellspawn +bitch69 +nick1234 +golfer23 +sony123 +jello1 +killie +chubby1 +kodaira52 +yanochka +buckfast +morris1 +roaddogg +snakeeye +sex1234 +mike22 +mmouse +fucker11 +dantist +brittan +vfrfhjdf +doc123 +plokijuh +emerald1 +batman01 +serafim +elementa +soccer9 +footlong +cthuttdbx +hapkido +eagle123 +getsmart +getiton +batman2 +masons +mastiff +098890 +cfvfhf +james7 +azalea +sherif +saun24865709 +123red +cnhtrjpf +martina1 +pupper +michael5 +alan12 +shakir +devin1 +ha8fyp +palom +mamulya +trippy +deerhunter +happyone +monkey77 +3mta3 +123456789f +crownvic +teodor +natusik +0137485 +vovchik +strutter +triumph1 +cvetok +moremone +sonnen +screwbal +akira1 +sexnow +pernille +independ +poopies +samapi +kbcbxrf +master22 +swetlana +urchin +viper2 +magica +slurpee +postit +gilgames +kissarmy +clubpenguin +limpbizk +timber1 +celin +lilkim +fuckhard +lonely1 +mom123 +goodwood +extasy +sdsadee23 +foxglove +malibog +clark1 +casey2 +shell1 +odense +balefire +dcunited +cubbie +pierr +solei +161718 +bowling1 +areyukesc +batboy +r123456 +1pionee +marmelad +maynard1 +cn42qj +cfvehfq +heathrow +qazxcvbn +connecti +secret123 +newfie +xzsawq21 +tubitzen +nikusha +enigma1 +yfcnz123 +1austin +michaelc +splunge +wanger +phantom2 +jason2 +pain4me +primetime21 +babes1 +liberte +sugarray +undergro +zonker +labatts +djhjyf +watch1 +eagle5 +madison2 +cntgfirf +sasha2 +masterca +fiction7 +slick50 +bruins1 +sagitari +12481632 +peniss +insuranc +2b8riedt +12346789 +mrclean +ssptx452 +tissot +q1w2e3r4t5y6u7 +avatar1 +comet1 +spacer +vbrjkf +pass11 +wanker1 +14vbqk9p +noshit +money4me +sayana +fish1234 +seaways +pipper +romeo123 +karens +wardog +ab123456 +gorilla1 +andrey123 +lifesucks +jamesr +4wcqjn +bearman +glock22 +matt11 +dflbvrf +barbi +maine1 +dima1997 +sunnyboy +6bjvpe +bangkok1 +666666q +rafiki +letmein0 +0raziel0 +dalla +london99 +wildthin +patrycja +skydog +qcactw +tmjxn151 +yqlgr667 +jimmyd +stripclub +deadwood +863abgsg +horses1 +qn632o +scatman +sonia1 +subrosa +woland +kolya +charlie4 +moleman +j12345 +summer11 +angel11 +blasen +sandal +mynewpas +retlaw +cambria +mustang4 +nohack04 +kimber45 +fatdog +maiden1 +bigload +necron +dupont24 +ghost123 +turbo2 +.ktymrf +radagast +balzac +vsevolod +pankaj +argentum +2bigtits +mamabear +bumblebee +mercury7 +maddie1 +chomper +jq24nc +snooky +pussylic +1lovers +taltos +warchild +diablo66 +jojo12 +sumerki +aventura +gagger +annelies +drumset +cumshots +azimut +123580 +clambake +bmw540 +birthday54 +psswrd +paganini +wildwest +filibert +teaseme +1test +scampi +thunder5 +antosha +purple12 +supersex +hhhhhh1 +brujah +111222333a +13579a +bvgthfnjh +4506802a +killians +choco +qqqwwweee +raygun +1grand +koetsu13 +sharp1 +mimi92139 +fastfood +idontcare +bluered +chochoz +4z3al0ts +target1 +sheffiel +labrat +stalingrad +147123 +cubfan +corvett1 +holden1 +snapper1 +4071505 +amadeo +pollo +desperados +lovestory +marcopolo +mumbles +familyguy +kimchee +marcio +support1 +tekila +shygirl1 +trekkie +submissi +ilaria +salam +loveu +wildstar +master69 +sales1 +netware +homer2 +arseniy +gerrity1 +raspberr +atreyu +stick1 +aldric +tennis12 +matahari +alohomora +dicanio +michae1 +michaeld +666111 +luvbug +boyscout +esmerald +mjordan +admiral1 +steamboa +616913 +ybhdfyf +557711 +555999 +sunray +apokalipsis +theroc +bmw330 +buzzy +chicos +lenusik +shadowma +eagles05 +444222 +peartree +qqq123 +sandmann +spring1 +430799 +phatass +andi03 +binky1 +arsch +bamba +kenny123 +fabolous +loser123 +poop12 +maman +phobos +tecate +myxworld4 +metros +cocorico +nokia6120 +johnny69 +hater +spanked +313233 +markos +love2011 +mozart1 +viktoriy +reccos +331234 +hornyone +vitesse +1um83z +55555q +proline +v12345 +skaven +alizee +bimini +fenerbahce +543216 +zaqqaz +poi123 +stabilo +brownie1 +1qwerty1 +dinesh +baggins1 +1234567t +davidkin +friend1 +lietuva +octopuss +spooks +12345qq +myshit +buttface +paradoxx +pop123 +golfin +sweet69 +rfghbp +sambuca +kayak1 +bogus1 +girlz +dallas12 +millers +123456zx +operatio +pravda +eternal1 +chase123 +moroni +proust +blueduck +harris1 +redbarch +996699 +1010101 +mouche +millenni +1123456 +score1 +1234565 +1234576 +eae21157 +dave12 +pussyy +gfif1991 +1598741 +hoppy +darrian +snoogins +fartface +ichbins +vfkbyrf +rusrap +2741001 +fyfrjylf +aprils +favre +thisis +bannana +serval +wiggum +satsuma +matt123 +ivan123 +gulmira +123zxc123 +oscar2 +acces +annie2 +dragon0 +emiliano +allthat +pajaro +amandine +rawiswar +sinead +tassie +karma1 +piggys +nokias +orions +origami +type40 +mondo +ferrets +monker +biteme2 +gauntlet +arkham +ascona +ingram01 +klem1 +quicksil +bingo123 +blue66 +plazma +onfire +shortie +spjfet +123963 +thered +fire777 +lobito +vball +1chicken +moosehea +elefante +babe23 +jesus12 +parallax +elfstone +number5 +shrooms +freya +hacker1 +roxette +snoops +number7 +fellini +dtlmvf +chigger +mission1 +mitsubis +kannan +whitedog +james01 +ghjgecr +rfnfgekmnf +everythi +getnaked +prettybo +sylvan +chiller +carrera4 +cowbo +biochem +azbuka +qwertyuiop1 +midnight1 +informat +audio1 +alfred1 +0range +sucker1 +scott2 +russland +1eagle +torben +djkrjlfd +rocky6 +maddy1 +bonobo +portos +chrissi +xjznq5 +dexte +vdlxuc +teardrop +pktmxr +iamtheone +danijela +eyphed +suzuki1 +etvww4 +redtail +ranger11 +mowerman +asshole2 +coolkid +adriana1 +bootcamp +longcut +evets +npyxr5 +bighurt +bassman1 +stryder +giblet +nastja +blackadd +topflite +wizar +cumnow +technolo +bassboat +bullitt +kugm7b +maksimus +wankers +mine12 +sunfish +pimpin1 +shearer9 +user1 +vjzgjxnf +tycobb +80070633pc +stanly +vitaly +shirley1 +cinzia +carolyn1 +angeliqu +teamo +qdarcv +aa123321 +ragdoll +bonit +ladyluck +wiggly +vitara +jetbalance +12345600 +ozzman +dima12345 +mybuddy +shilo +satan66 +erebus +warrio +090808qwe +stupi +bigdan +paul1234 +chiapet +brooks1 +philly1 +dually +gowest +farmer1 +1qa2ws3ed4rf +alberto1 +beachboy +barne +aa12345 +aliyah +radman +benson1 +dfkthbq +highball +bonou2 +i81u812 +workit +darter +redhook +csfbr5yy +buttlove +episode1 +ewyuza +porthos +lalal +abcd12 +papero +toosexy +keeper1 +silver7 +jujitsu +corset +pilot123 +simonsay +pinggolf +katerinka +kender +drunk1 +fylhjvtlf +rashmi +nighthawk +maggy +juggernaut +larryb +cabibble +fyabcf +247365 +gangstar +jaybee +verycool +123456789qw +forbidde +prufrock +12345zxc +malaika +blackbur +docker +filipe +koshechka +gemma1 +djamaal +dfcbkmtdf +gangst +9988aa +ducks1 +pthrfkj +puertorico +muppets +griffins +whippet +sauber +timofey +larinso +123456789zxc +quicken +qsefth +liteon +headcase +bigdadd +zxc321 +maniak +jamesc +bassmast +bigdogs +1girls +123xxx +trajan +lerochka +noggin +mtndew +04975756 +domin +wer123 +fumanchu +lambada +thankgod +june22 +kayaking +patchy +summer10 +timepass +poiu1234 +kondor +kakka +lament +zidane10 +686xqxfg +l8v53x +caveman1 +nfvthkfy +holymoly +pepita +alex1996 +mifune +fighter1 +asslicker +jack22 +abc123abc +zaxxon +midnigh +winni +psalm23 +punky +monkey22 +password13 +mymusic +justyna +annushka +lucky5 +briann +495rus19 +withlove +almaz +supergir +miata +bingbong +bradpitt +kamasutr +yfgjktjy +vanman +pegleg +amsterdam1 +123a321 +letmein9 +shivan +korona +bmw520 +annette1 +scotsman +gandal +welcome12 +sc00by +qpwoei +fred69 +m1sf1t +hamburg1 +1access +dfkmrbhbz +excalibe +boobies1 +fuckhole +karamel +starfuck +star99 +breakfas +georgiy +ywvxpz +smasher +fatcat1 +allanon +12345n +coondog +whacko +avalon1 +scythe +saab93 +timon +khorne +atlast +nemisis +brady12 +blenheim +52678677 +mick7278 +9skw5g +fleetwoo +ruger1 +kissass +pussy7 +scruff +12345l +bigfun +vpmfsz +yxkck878 +evgeny +55667788 +lickher +foothill +alesis +poppies +77777778 +californi +mannie +bartjek +qhxbij +thehulk +xirt2k +angelo4ek +rfkmrekznjh +tinhorse +1david +sparky12 +night1 +luojianhua +bobble +nederland +rosemari +travi +minou +ciscokid +beehive +565hlgqo +alpine1 +samsung123 +trainman +xpress +logistic +vw198m2n +hanter +zaqwsx123 +qwasz +mariachi +paska +kmg365 +kaulitz +sasha12 +north1 +polarbear +mighty1 +makeksa11 +123456781 +one4all +gladston +notoriou +polniypizdec110211 +gosia +grandad +xholes +timofei +invalidp +speaker1 +zaharov +maggiema +loislane +gonoles +br5499 +discgolf +kaskad +snooper +newman1 +belial +demigod +vicky1 +pridurok +alex1990 +tardis1 +cruzer +hornie +sacramen +babycat +burunduk +mark69 +oakland1 +me1234 +gmctruck +extacy +sexdog +putang +poppen +billyd +1qaz2w +loveable +gimlet +azwebitalia +ragtop +198500 +qweas +mirela +rock123 +11bravo +sprewell +tigrenok +jaredleto +vfhbif +blue2 +rimjob +catwalk +sigsauer +loqse +doromich +jack01 +lasombra +jonny5 +newpassword +profesor +garcia1 +123as123 +croucher +demeter +4_life +rfhfvtkm +superman2 +rogues +assword1 +russia1 +jeff1 +mydream +z123456789 +rascal1 +darre +kimberl +pickle1 +ztmfcq +ponchik +lovesporn +hikari +gsgba368 +pornoman +chbjun +choppy +diggity +nightwolf +viktori +camar +vfhecmrf +alisa1 +minstrel +wishmaster +mulder1 +aleks +gogirl +gracelan +8womys +highwind +solstice +dbrnjhjdyf +nightman +pimmel +beertje +ms6nud +wwfwcw +fx3tuo +poopface +asshat +dirtyd +jiminy +luv2fuck +ptybnxtvgbjy +dragnet +pornogra +10inch +scarlet1 +guido1 +raintree +v123456 +1aaaaaaa +maxim1935 +hotwater +gadzooks +playaz +harri +brando1 +defcon1 +ivanna +123654a +arsenal2 +candela +nt5d27 +jaime1 +duke1 +burton1 +allstar1 +dragos +newpoint +albacore +1236987z +verygoodbot +1wildcat +fishy1 +ptktysq +chris11 +puschel +itdxtyrj +7kbe9d +serpico +jazzie +1zzzzz +kindbuds +wenef45313 +1compute +tatung +sardor +gfyfcjybr +test99 +toucan +meteora +lysander +asscrack +jowgnx +hevnm4 +suckthis +masha123 +karinka +marit +oqglh565 +dragon00 +vvvbbb +cheburashka +vfrfrf +downlow +unforgiven +p3e85tr +kim123 +sillyboy +gold1 +golfvr6 +quicksan +irochka +froglegs +shortsto +caleb1 +tishka +bigtitts +smurfy +bosto +dropzone +nocode +jazzbass +digdug +green7 +saltlake +therat +dmitriev +lunita +deaddog +summer0 +1212qq +bobbyg +mty3rh +isaac1 +gusher +helloman +sugarbear +corvair +extrem +teatime +tujazopi +titanik +efyreg +jo9k2jw2 +counchac +tivoli +utjvtnhbz +bebit +jacob6 +clayton1 +incubus1 +flash123 +squirter +dima2010 +cock1 +rawks +komatsu +forty2 +98741236 +cajun1 +madelein +mudhoney +magomed +q111111 +qaswed +consense +12345b +bakayaro +silencer +zoinks +bigdic +werwolf +pinkpuss +96321478 +alfie1 +ali123 +sarit +minette +musics +chato +iaapptfcor +cobaka +strumpf +datnigga +sonic123 +yfnecbr +vjzctvmz +pasta1 +tribbles +crasher +htlbcrf +1tiger +shock123 +bearshar +syphon +a654321 +cubbies1 +jlhanes +eyespy +fucktheworld +carrie1 +bmw325is +suzuk +mander +dorina +mithril +hondo1 +vfhnbyb +sachem +newton1 +12345x +7777755102q +230857z +xxxsex +scubapro +hayastan +spankit +delasoul +searock6 +fallout3 +nilrem +24681357 +pashka +voluntee +pharoh +willo +india1 +badboy69 +roflmao +gunslinger +lovergir +mama12 +melange +640xwfkv +chaton +darkknig +bigman1 +aabbccdd +harleyd +birdhouse +giggsy +hiawatha +tiberium +joker7 +hello1234 +sloopy +tm371855 +greendog +solar1 +bignose +djohn11 +espanol +oswego +iridium +kavitha +pavell +mirjam +cyjdsvujljv +alpha5 +deluge +hamme +luntik +turismo +stasya +kjkbnf +caeser +schnecke +tweety1 +tralfaz +lambrett +prodigy1 +trstno1 +pimpshit +werty1 +karman +bigboob +pastel +blackmen +matthew8 +moomin +q1w2e +gilly +primaver +jimmyg +house2 +elviss +15975321 +1jessica +monaliza +salt55 +vfylfhbyrf +harley11 +tickleme +murder1 +nurgle +kickass1 +theresa1 +fordtruck +pargolf +managua +inkognito +sherry1 +gotit +friedric +metro2033 +slk230 +freeport +cigarett +492529 +vfhctkm +thebeach +twocats +bakugan +yzerman1 +charlieb +motoko +skiman +1234567w +pussy3 +love77 +asenna +buffie +260zntpc +kinkos +access20 +mallard1 +fuckyou69 +monami +rrrrr1 +bigdog69 +mikola +1boomer +godzila +ginger2 +dima2000 +skorpion39 +dima1234 +hawkdog79 +warrior2 +ltleirf +supra1 +jerusale +monkey01 +333z333 +666888 +kelsey1 +w8gkz2x1 +fdfnfh +msnxbi +qwe123rty +mach1 +monkey3 +123456789qq +c123456 +nezabudka +barclays +nisse +dasha1 +12345678987654321 +dima1993 +oldspice +frank2 +rabbitt +prettyboy +ov3ajy +iamthema +kawasak +banjo1 +gtivr6 +collants +gondor +hibees +cowboys2 +codfish +buster2 +purzel +rubyred +kayaker +bikerboy +qguvyt +masher +sseexx +kenshiro +moonglow +semenova +rosari +eduard1 +deltaforce +grouper +bongo1 +tempgod +1taylor +goldsink +qazxsw1 +1jesus +m69fg2w +maximili +marysia +husker1 +kokanee +sideout +googl +south1 +plumber1 +trillian +00001 +1357900 +farkle +1xxxxx +pascha +emanuela +bagheera +hound1 +mylov +newjersey +swampfox +sakic19 +torey +geforce +wu4etd +conrail +pigman +martin2 +ber02 +nascar2 +angel69 +barty +kitsune +cornet +yes90125 +goomba +daking +anthea +sivart +weather1 +ndaswf +scoubidou +masterchief +rectum +3364068 +oranges1 +copter +1samanth +eddies +mimoza +ahfywbz +celtic88 +86mets +applemac +amanda11 +taliesin +1angel +imhere +london11 +bandit12 +killer666 +beer1 +06225930 +psylocke +james69 +schumach +24pnz6kc +endymion +wookie1 +poiu123 +birdland +smoochie +lastone +rclaki +olive1 +pirat +thunder7 +chris69 +rocko +151617 +djg4bb4b +lapper +ajcuivd289 +colole57 +shadow7 +dallas21 +ajtdmw +executiv +dickies +omegaman +jason12 +newhaven +aaaaaas +pmdmscts +s456123789 +beatri +applesauce +levelone +strapon +benladen +creaven +ttttt1 +saab95 +f123456 +pitbul +54321a +sex12345 +robert3 +atilla +mevefalkcakk +1johnny +veedub +lilleke +nitsuj +5t6y7u8i +teddys +bluefox +nascar20 +vwjetta +buffy123 +playstation3 +loverr +qweasd12 +lover2 +telekom +benjamin1 +alemania +neutrino +rockz +valjean +testicle +trinity3 +realty +firestarter +794613852 +ardvark +guadalup +philmont +arnold1 +holas +zw6syj +birthday299 +dover1 +sexxy1 +gojets +741236985 +cance +blue77 +xzibit +qwerty88 +komarova +qweszxc +footer +rainger +silverst +ghjcnb +catmando +tatooine +31217221027711 +amalgam +69dude +qwerty321 +roscoe1 +74185 +cubby +alfa147 +perry1 +darock +katmandu +darknight +knicks1 +freestuff +45454 +kidman +4tlved +axlrose +cutie1 +quantum1 +joseph10 +ichigo +pentium3 +rfhectkm +rowdy1 +woodsink +justforfun +sveta123 +pornografia +mrbean +bigpig +tujheirf +delta9 +portsmou +hotbod +kartal +10111213 +fkbyf001 +pavel1 +pistons1 +necromancer +verga +c7lrwu +doober +thegame1 +hatesyou +sexisfun +1melissa +tuczno18 +bowhunte +gobama +scorch +campeon +bruce2 +fudge1 +herpderp +bacon1 +redsky +blackeye +19966991 +19992000 +ripken8 +masturba +34524815 +primax +paulina1 +vp6y38 +427cobra +4dwvjj +dracon +fkg7h4f3v6 +longview +arakis +panama1 +honda2 +lkjhgfdsaz +razors +steels +fqkw5m +dionysus +mariajos +soroka +enriqu +nissa +barolo +king1234 +hshfd4n279 +holland1 +flyer1 +tbones +343104ky +modems +tk421 +ybrbnrf +pikapp +sureshot +wooddoor +florida2 +mrbungle +vecmrf +catsdogs +axolotl +nowayout +francoi +chris21 +toenail +hartland +asdjkl +nikkii +onlyyou +buckskin +fnord +flutie +holen1 +rincewind +lefty1 +ducky1 +199000 +fvthbrf +redskin1 +ryno23 +lostlove +19mtpgam19 +abercrom +benhur +jordan11 +roflcopter +ranma +phillesh +avondale +igromania +p4ssword +jenny123 +tttttt1 +spycams +cardigan +2112yyz +sleepy1 +paris123 +mopars +lakers34 +hustler1 +james99 +matrix3 +popimp +12pack +eggbert +medvedev +testit +performa +logitec +marija +sexybeast +supermanboy +iwantit +rjktcj +jeffer +svarog +halo123 +whdbtp +nokia3230 +heyjoe +marilyn1 +speeder +ibxnsm +prostock +bennyboy +charmin +codydog +parol999 +ford9402 +jimmer +crayola +159357258 +alex77 +joey1 +cayuga +phish420 +poligon +specops +tarasova +caramelo +draconis +dimon +cyzkhw +june29 +getbent +1guitar +jimjam +dictiona +shammy +flotsam +0okm9ijn +crapper +technic +fwsadn +rhfdxtyrj +zaq11qaz +anfield1 +159753q +curious1 +hip-hop +1iiiii +gfhjkm2 +cocteau +liveevil +friskie +crackhead +b1afra +elektrik +lancer1 +b0ll0cks +jasond +z1234567 +tempest1 +alakazam +asdfasd +duffy1 +oneday +dinkle +qazedctgb +kasimir +happy7 +salama +hondaciv +nadezda +andretti +cannondale +sparticu +znbvjd +blueice +money01 +finster +eldar +moosie +pappa +delta123 +neruda +bmw330ci +jeanpaul +malibu1 +alevtina +sobeit +travolta +fullmetal +enamorad +mausi +boston12 +greggy +smurf1 +ratrace +ichiban +ilovepus +davidg +wolf69 +villa1 +cocopuff +football12 +starfury +zxc12345 +forfree +fairfiel +dreams1 +tayson +mike2 +dogday +hej123 +oldtimer +sanpedro +clicker +mollycat +roadstar +golfe +lvbnhbq1 +topdevice +a1b2c +sevastopol +calli +milosc +fire911 +pink123 +team3x +nolimit5 +snickers1 +annies +09877890 +jewel1 +steve69 +justin11 +autechre +killerbe +browncow +slava1 +christer +fantomen +redcloud +elenberg +beautiful1 +passw0rd1 +nazira +advantag +cockring +chaka +rjpzdrf +99941 +az123456 +biohazar +energie +bubble1 +bmw323 +tellme +printer1 +glavine +1starwar +coolbeans +april17 +carly1 +quagmire +admin2 +djkujuhfl +pontoon +texmex +carlos12 +thermo +vaz2106 +nougat +bob666 +1hockey +1john +cricke +qwerty10 +twinz +totalwar +underwoo +tijger +lildevil +123q321 +germania +freddd +1scott +beefy +5t4r3e2w1q +fishbait +nobby +hogger +dnstuff +jimmyc +redknapp +flame1 +tinfloor +balla +nfnfhby +yukon1 +vixens +batata +danny123 +1zxcvbnm +gaetan +homewood +greats +tester1 +green99 +1fucker +sc0tland +starss +glori +arnhem +goatman +1234asd +supertra +bill123 +elguapo +sexylegs +jackryan +usmc69 +innow +roaddog +alukard +winter11 +crawler +gogiants +rvd420 +alessandr +homegrow +gobbler +esteba +valeriy +happy12 +1joshua +hawking +sicnarf +waynes +iamhappy +bayadera +august2 +sashas +gotti +dragonfire +pencil1 +halogen +borisov +bassingw +15975346 +zachar +sweetp +soccer99 +sky123 +flipyou +spots3 +xakepy +cyclops1 +dragon77 +rattolo58 +motorhea +piligrim +helloween +dmb2010 +supermen +shad0w +eatcum +sandokan +pinga +ufkfrnbrf +roksana +amista +pusser +sony1234 +azerty1 +1qasw2 +ghbdt +q1w2e3r4t5y6u7i8 +ktutylf +brehznev +zaebali +shitass +creosote +gjrtvjy +14938685 +naughtyboy +pedro123 +21crack +maurice1 +joesakic +nicolas1 +matthew9 +lbyfhf +elocin +hfcgbplzq +pepper123 +tiktak +mycroft +ryan11 +firefly1 +arriva +cyecvevhbr +loreal +peedee +jessica8 +lisa01 +anamari +pionex +ipanema +airbag +frfltvbz +123456789aa +epwr49 +casper12 +sweethear +sanandreas +wuschel +cocodog +france1 +119911 +redroses +erevan +xtvgbjy +bigfella +geneve +volvo850 +evermore +amy123 +moxie +celebs +geeman +underwor +haslo1 +joy123 +hallow +chelsea0 +12435687 +abarth +12332145 +tazman1 +roshan +yummie +genius1 +chrisd +ilovelife +seventy7 +qaz1wsx2 +rocket88 +gaurav +bobbyboy +tauchen +roberts1 +locksmit +masterof +www111 +d9ungl +volvos40 +asdasd1 +golfers +jillian1 +7xm5rq +arwpls4u +gbhcf2 +elloco +football2 +muerte +bob101 +sabbath1 +strider1 +killer66 +notyou +lawnboy +de7mdf +johnnyb +voodoo2 +sashaa +homedepo +bravos +nihao123 +braindea +weedhead +rajeev +artem1 +camille1 +rockss +bobbyb +aniston +frnhbcf +oakridge +biscayne +cxfcnm +dressage +jesus3 +kellyann +king69 +juillet +holliste +h00ters +ripoff +123645 +1999ar +eric12 +123777 +tommi +dick12 +bilder +chris99 +rulezz +getpaid +chicubs +ender1 +byajhvfnbrf +milkshak +sk8board +freakshow +antonella +monolit +shelb +hannah01 +masters1 +pitbull1 +1matthew +luvpussy +agbdlcid +panther2 +alphas +euskadi +8318131 +ronnie1 +7558795 +sweetgirl +cookie59 +sequoia +5552555 +ktyxbr +4500455 +money7 +severus +shinobu +dbityrf +phisig +rogue2 +fractal +redfred +sebastian1 +nelli +b00mer +cyberman +zqjphsyf6ctifgu +oldsmobile +redeemer +pimpi +lovehurts +1slayer +black13 +rtynfdh +airmax +g00gle +1panther +artemon +nopasswo +fuck1234 +luke1 +trinit +666000 +ziadma +oscardog +davex +hazel1 +isgood +demond +james5 +construc +555551 +january2 +m1911a1 +flameboy +merda +nathan12 +nicklaus +dukester +hello99 +scorpio7 +leviathan +dfcbktr +pourquoi +vfrcbv123 +shlomo +rfcgth +rocky3 +ignatz +ajhneyf +roger123 +squeek +4815162342a +biskit +mossimo +soccer21 +gridlock +lunker +popstar +ghhh47hj764 +chutney +nitehawk +vortec +gamma1 +codeman +dragula +kappasig +rainbow2 +milehigh +blueballs +ou8124me +rulesyou +collingw +mystere +aster +astrovan +firetruck +fische +crawfish +hornydog +morebeer +tigerpaw +radost +144000 +1chance +1234567890qwe +gracie1 +myopia +oxnard +seminoles +evgeni +edvard +partytim +domani +tuffy1 +jaimatadi +blackmag +kzueirf +peternor +mathew1 +maggie12 +henrys +k1234567 +fasted +pozitiv +cfdtkbq +jessica7 +goleafs +bandito +girl78 +sharingan +skyhigh +bigrob +zorros +poopers +oldschoo +pentium2 +gripper +norcal +kimba +artiller +moneymak +00197400 +272829 +shadow1212 +thebull +handbags +all4u2c +bigman2 +civics +godisgoo +section8 +bandaid +suzanne1 +zorba +159123 +racecars +i62gbq +rambo123 +ironroad +johnson2 +knobby +twinboys +sausage1 +kelly69 +enter2 +rhjirf +yessss +james12 +anguilla +boutit +iggypop +vovochka +06060 +budwiser +romuald +meditate +good1 +sandrin +herkules +lakers8 +honeybea +11111111a +miche +rangers9 +lobster1 +seiko +belova +midcon +mackdadd +bigdaddy1 +daddie +sepultur +freddy12 +damon1 +stormy1 +hockey2 +bailey12 +hedimaptfcor +dcowboys +sadiedog +thuggin +horny123 +josie1 +nikki2 +beaver69 +peewee1 +mateus +viktorija +barrys +cubswin1 +matt1234 +timoxa +rileydog +sicilia +luckycat +candybar +julian1 +abc456 +pussylip +phase1 +acadia +catty +246800 +evertonf +bojangle +qzwxec +nikolaj +fabrizi +kagome +noncapa0 +marle +popol +hahaha1 +cossie +carla10 +diggers +spankey +sangeeta +cucciolo +breezer +starwar1 +cornholio +rastafari +spring99 +yyyyyyy1 +webstar +72d5tn +sasha1234 +inhouse +gobuffs +civic1 +redstone +234523 +minnie1 +rivaldo +angel5 +sti2000 +xenocide +11qq11 +1phoenix +herman1 +holly123 +tallguy +sharks1 +madri +superbad +ronin +jalal123 +hardbody +1234567r +assman1 +vivahate +buddylee +38972091 +bonds25 +40028922 +qrhmis +wp2005 +ceejay +pepper01 +51842543 +redrum1 +renton +varadero +tvxtjk7r +vetteman +djhvbrc +curly1 +fruitcak +jessicas +maduro +popmart +acuari +dirkpitt +buick1 +bergerac +golfcart +pdtpljxrf +hooch1 +dudelove +d9ebk7 +123452000 +afdjhbn +greener +123455432 +parachut +mookie12 +123456780 +jeepcj5 +potatoe +sanya +qwerty2010 +waqw3p +gotika +freaky1 +chihuahu +buccanee +ecstacy +crazyboy +slickric +blue88 +fktdnbyf +2004rj +delta4 +333222111 +calient +ptbdhw +1bailey +blitz1 +sheila1 +master23 +hoagie +pyf8ah +orbita +daveyboy +prono1 +delta2 +heman +1horny +tyrik123 +ostrov +md2020 +herve +rockfish +el546218 +rfhbyjxrf +chessmaster +redmoon +lenny1 +215487 +tomat +guppy +amekpass +amoeba +my3girls +nottingh +kavita +natalia1 +puccini +fabiana +8letters +romeos +netgear +casper2 +taters +gowings +iforgot1 +pokesmot +pollit +lawrun +petey1 +rosebuds +007jr +gthtcnhjqrf +k9dls02a +neener +azertyu +duke11 +manyak +tiger01 +petros +supermar +mangas +twisty +spotter +takagi +dlanod +qcmfd454 +tusymo +zz123456 +chach +navyblue +gilbert1 +2kash6zq +avemaria +1hxboqg2s +viviane +lhbjkjubz2957704 +nowwowtg +1a2b3c4 +m0rn3 +kqigb7 +superpuper +juehtw +gethigh +theclown +makeme +pradeep +sergik +deion21 +nurik +devo2706 +nbvibt +roman222 +kalima +nevaeh +martin7 +anathema +florian1 +tamwsn3sja +dinmamma +133159 +123654q +slicks +pnp0c08 +yojimbo +skipp +kiran +pussyfuck +teengirl +apples12 +myballs +angeli +1234a +125678 +opelastra +blind1 +armagedd +fish123 +pitufo +chelseaf +thedevil +nugget1 +cunt69 +beetle1 +carter15 +apolon +collant +password00 +fishboy +djkrjdf +deftone +celti +three11 +cyrus1 +lefthand +skoal1 +ferndale +aries1 +fred01 +roberta1 +chucks +cornbread +lloyd1 +icecrea +cisco123 +newjerse +vfhrbpf +passio +volcom1 +rikimaru +yeah11 +djembe +facile +a1l2e3x4 +batman7 +nurbol +lorenzo1 +monica69 +blowjob1 +998899 +spank1 +233391 +n123456 +1bear +bellsout +999998 +celtic67 +sabre1 +putas +y9enkj +alfabeta +heatwave +honey123 +hard4u +insane1 +xthysq +magnum1 +lightsaber +123qweqwe +fisher1 +pixie1 +precios +benfic +thegirls +bootsman +4321rewq +nabokov +hightime +djghjc +1chelsea +junglist +august16 +t3fkvkmj +1232123 +lsdlsd12 +chuckie1 +pescado +granit +toogood +cathouse +natedawg +bmw530 +123kid +hajime +198400 +engine1 +wessonnn +kingdom1 +novembre +1rocks +kingfisher +qwerty89 +jordan22 +zasranec +megat +sucess +installutil +fetish01 +yanshi1982 +1313666 +1314520 +clemence +wargod +time1 +newzealand +snaker +13324124 +cfrehf +hepcat +mazahaka +bigjay +denisov +eastwest +1yellow +mistydog +cheetos +1596357 +ginger11 +mavrik +bubby1 +bhbyf +pyramide +giusepp +luthien +honda250 +andrewjackie +kentavr +lampoon +zaq123wsx +sonicx +davidh +1ccccc +gorodok +windsong +programm +blunt420 +vlad1995 +zxcvfdsa +tarasov +mrskin +sachas +mercedes1 +koteczek +rawdog +honeybear +stuart1 +kaktys +richard7 +55555n +azalia +hockey10 +scouter +francy +1xxxxxx +julie456 +tequilla +penis123 +schmoe +tigerwoods +1ferrari +popov +snowdrop +matthieu +smolensk +cornflak +jordan01 +love2000 +23wesdxc +kswiss +anna2000 +geniusnet +baby2000 +33ds5x +waverly +onlyone4 +networkingpe +raven123 +blesse +gocards +wow123 +pjflkork +juicey +poorboy +freeee +billybo +shaheen +zxcvbnm. +berlit +truth1 +gepard +ludovic +gunther1 +bobby2 +bob12345 +sunmoon +septembr +bigmac1 +bcnjhbz +seaking +all4u +12qw34er56ty +bassie +nokia5228 +7355608 +sylwia +charvel +billgate +davion +chablis +catsmeow +kjiflrf +amylynn +rfvbkkf +mizredhe +handjob +jasper12 +erbol +solara +bagpipe +biffer +notime +erlan +8543852 +sugaree +oshkosh +fedora +bangbus +5lyedn +longball +teresa1 +bootyman +aleksand +qazwsxedc12 +nujbhc +tifosi +zpxvwy +lights1 +slowpoke +tiger12 +kstate +password10 +alex69 +collins1 +9632147 +doglover +baseball2 +security1 +grunts +orange2 +godloves +213qwe879 +julieb +1qazxsw23edcvfr4 +noidea +8uiazp +betsy1 +junior2 +parol123 +123456zz +piehonkii +kanker +bunky +hingis +reese1 +qaz123456 +sidewinder +tonedup +footsie +blackpoo +jalapeno +mummy1 +always1 +josh1 +rockyboy +plucky +chicag +nadroj +blarney +blood123 +wheaties +packer1 +ravens1 +mrjones +gfhjkm007 +anna2010 +awatar +guitar12 +hashish +scale1 +tomwaits +amrita +fantasma +rfpfym +pass2 +tigris +bigair +slicker +sylvi +shilpa +cindylou +archie1 +bitches1 +poppys +ontime +horney1 +camaroz28 +alladin +bujhm +cq2kph +alina1 +wvj5np +1211123a +tetons +scorelan +concordi +morgan2 +awacs +shanty +tomcat14 +andrew123 +bear69 +vitae +fred99 +chingy +octane +belgario +fatdaddy +rhodan +password23 +sexxes +boomtown +joshua01 +war3demo +my2kids +buck1 +hot4you +monamour +12345aa +yumiko +parool +carlton1 +neverland +rose12 +right1 +sociald +grouse +brandon0 +cat222 +alex00 +civicex +bintang +malkav +arschloc +dodgeviper +qwerty666 +goduke +dante123 +boss1 +ontheroc +corpsman +love14 +uiegu451 +hardtail +irondoor +ghjrehfnehf +36460341 +konijn +h2slca +kondom25 +123456ss +cfytxrf +btnjey +nando +freemail +comander +natas666 +siouxsie +hummer1 +biomed +dimsum +yankees0 +diablo666 +lesbian1 +pot420 +jasonm +glock23 +jennyb +itsmine +lena2010 +whattheh +beandip +abaddon +kishore +signup +apogee +biteme12 +suzieq +vgfun4 +iseeyou +rifleman +qwerta +4pussy +hawkman +guest1 +june17 +dicksuck +bootay +cash12 +bassale +ktybyuhfl +leetch +nescafe +7ovtgimc +clapton1 +auror +boonie +tracker1 +john69 +bellas +cabinboy +yonkers +silky1 +ladyffesta +drache +kamil1 +davidp +bad123 +snoopy12 +sanche +werthvfy +achille +nefertiti +gerald1 +slage33 +warszawa +macsan26 +mason123 +kotopes +welcome8 +nascar99 +kiril +77778888 +hairy1 +monito +comicsans +81726354 +killabee +arclight +yuo67 +feelme +86753099 +nnssnn +monday12 +88351132 +88889999 +websters +subito +asdf12345 +vaz2108 +zvbxrpl +159753456852 +rezeda +multimed +noaccess +henrique +tascam +captiva +zadrot +hateyou +sophie12 +123123456 +snoop1 +charlie8 +birmingh +hardline +libert +azsxdcf +89172735872 +rjpthju +bondar +philips1 +olegnaruto +myword +yakman +stardog +banana12 +1234567890w +farout +annick +duke01 +rfj422 +billard +glock19 +shaolin1 +master10 +cinderel +deltaone +manning1 +biggreen +sidney1 +patty1 +goforit1 +766rglqy +sevendus +aristotl +armagedo +blumen +gfhfyjz +kazakov +lekbyxxx +accord1 +idiota +soccer16 +texas123 +victoire +ololo +chris01 +bobbbb +299792458 +eeeeeee1 +confiden +07070 +clarks +techno1 +kayley +stang1 +wwwwww1 +uuuuu1 +neverdie +jasonr +cavscout +481516234 +mylove1 +shaitan +1qazxcvb +barbaros +123456782000 +123wer +thissucks +7seven +227722 +faerie +hayduke +dbacks +snorkel +zmxncbv +tiger99 +unknown1 +melmac +polo1234 +sssssss1 +1fire +369147 +bandung +bluejean +nivram +stanle +ctcnhf +soccer20 +blingbli +dirtball +alex2112 +183461 +skylin +boobman +geronto +brittany1 +yyz2112 +gizmo69 +ktrcec +dakota12 +chiken +sexy11 +vg08k714 +bernadet +1bulldog +beachs +hollyb +maryjoy +margo1 +danielle1 +chakra +alexand +hullcity +matrix12 +sarenna +pablos +antler +supercar +chomsky +german1 +airjordan +545ettvy +camaron +flight1 +netvideo +tootall +valheru +481516 +1234as +skimmer +redcross +inuyash +uthvfy +1012nw +edoardo +bjhgfi +golf11 +9379992a +lagarto +socball +boopie +krazy +.adgjmptw +gaydar +kovalev +geddylee +firstone +turbodog +loveee +135711 +badbo +trapdoor +opopop11 +danny2 +max2000 +526452 +kerry1 +leapfrog +daisy2 +134kzbip +1andrea +playa1 +peekab00 +heskey +pirrello +gsewfmck +dimon4ik +puppie +chelios +554433 +hypnodanny +fantik +yhwnqc +ghbdtngjrf +anchorag +buffett1 +fanta +sappho +024680 +vialli +chiva +lucylu +hashem +exbntkm +thema +23jordan +jake11 +wildside +smartie +emerica +2wj2k9oj +ventrue +timoth +lamers +baerchen +suspende +boobis +denman85 +1adam12 +otello +king12 +dzakuni +qsawbbs +isgay +porno123 +jam123 +daytona1 +tazzie +bunny123 +amaterasu +jeffre +crocus +mastercard +bitchedup +chicago7 +aynrand +intel1 +tamila +alianza +mulch +merlin12 +rose123 +alcapone +mircea +loveher +joseph12 +chelsea6 +dorothy1 +wolfgar +unlimite +arturik +qwerty3 +paddy1 +piramid +linda123 +cooool +millie1 +warlock1 +forgotit +tort02 +ilikeyou +avensis +loveislife +dumbass1 +clint1 +2110se +drlove +olesia +kalinina +sergey123 +123423 +alicia1 +markova +tri5a3 +media1 +willia1 +xxxxxxx1 +beercan +smk7366 +jesusislord +motherfuck +smacker +birthday5 +jbaby +harley2 +hyper1 +a9387670a +honey2 +corvet +gjmptw +rjhjkmbien +apollon +madhuri +3a5irt +cessna17 +saluki +digweed +tamia1 +yja3vo +cfvlehfr +1111111q +martyna +stimpy1 +anjana +yankeemp +jupiler +idkfa +1blue +fromv +afric +3xbobobo +liverp00l +nikon1 +amadeus1 +acer123 +napoleo +david7 +vbhjckfdf +mojo69 +percy1 +pirates1 +grunt1 +alenushka +finbar +zsxdcf +mandy123 +1fred +timewarp +747bbb +druids +julia123 +123321qq +spacebar +dreads +fcbarcelona +angela12 +anima +christopher1 +stargazer +123123s +hockey11 +brewski +marlbor +blinker +motorhead +damngood +werthrf +letmein3 +moremoney +killer99 +anneke +eatit +pilatus +andrew01 +fiona1 +maitai +blucher +zxgdqn +e5pftu +nagual +panic1 +andron +openwide +alphabeta +alison1 +chelsea8 +fende +mmm666 +1shot2 +a19l1980 +123456@ +1black +m1chael +vagner +realgood +maxxx +vekmnbr +stifler +2509mmh +tarkan +sherzod +1234567b +gunners1 +artem2010 +shooby +sammie1 +p123456 +piggie +abcde12345 +nokia6230 +moldir +piter +1qaz3edc +frequenc +acuransx +1star +nikeair +alex21 +dapimp +ranjan +ilovegirls +anastasiy +berbatov +manso +21436587 +leafs1 +106666 +angelochek +ingodwetrust +123456aaa +deano +korsar +pipetka +thunder9 +minka +himura +installdevic +1qqqqq +digitalprodu +suckmeoff +plonker +headers +vlasov +ktr1996 +windsor1 +mishanya +garfield1 +korvin +littlebit +azaz09 +vandamme +scripto +s4114d +passward +britt1 +r1chard +ferrari5 +running1 +7xswzaq +falcon2 +pepper76 +trademan +ea53g5 +graham1 +volvos80 +reanimator +micasa +1234554321q +kairat +escorpion +sanek94 +karolina1 +kolovrat +karen2 +1qaz@wsx +racing1 +splooge +sarah2 +deadman1 +creed1 +nooner +minicoop +oceane +room112 +charme +12345ab +summer00 +wetcunt +drewman +nastyman +redfire +appels +merlin69 +dolfin +bornfree +diskette +ohwell +12345678qwe +jasont +madcap +cobra2 +dolemit1 +whatthehell +juanit +voldemar +rocke +bianc +elendil +vtufgjkbc +hotwheels +spanis +sukram +pokerface +k1ller +freakout +dontae +realmadri +drumss +gorams +258789 +snakey +jasonn +whitewolf +befree +johnny99 +pooka +theghost +kennys +vfvektxrf +toby1 +jumpman23 +deadlock +barbwire +stellina +alexa1 +dalamar +mustanggt +northwes +tesoro +chameleo +sigtau +satoshi +george11 +hotcum +cornell1 +golfer12 +geek01d +trololo +kellym +megapolis +pepsi2 +hea666 +monkfish +blue52 +sarajane +bowler1 +skeets +ddgirls +hfccbz +bailey01 +isabella1 +dreday +moose123 +baobab +crushme +000009 +veryhot +roadie +meanone +mike18 +henriett +dohcvtec +moulin +gulnur +adastra +angel9 +western1 +natura +sweetpe +dtnfkm +marsbar +daisys +frogger1 +virus1 +redwood1 +streetball +fridolin +d78unhxq +midas +michelob +cantik +sk2000 +kikker +macanudo +rambone +fizzle +20000 +peanuts1 +cowpie +stone32 +astaroth +dakota01 +redso +mustard1 +sexylove +giantess +teaparty +bobbin +beerbong +monet1 +charles3 +anniedog +anna1988 +cameleon +longbeach +tamere +qpful542 +mesquite +waldemar +12345zx +iamhere +lowboy +canard +granp +daisymay +love33 +moosejaw +nivek +ninjaman +shrike01 +aaa777 +88002000600 +vodolei +bambush +falcor +harley69 +alphaomega +severine +grappler +bosox +twogirls +gatorman +vettes +buttmunch +chyna +excelsio +crayfish +birillo +megumi +lsia9dnb9y +littlebo +stevek +hiroyuki +firehous +master5 +briley2 +gangste +chrisk +camaleon +bulle +troyboy +froinlaven +mybutt +sandhya +rapala +jagged +crazycat +lucky12 +jetman +wavmanuk +1heather +beegee +negril +mario123 +funtime1 +conehead +abigai +mhorgan +patagoni +travel1 +backspace +frenchfr +mudcat +dashenka +baseball3 +rustys +741852kk +dickme +baller23 +griffey1 +suckmycock +fuhrfzgc +jenny2 +spuds +berlin1 +justfun +icewind +bumerang +pavlusha +minecraft123 +shasta1 +ranger12 +123400 +twisters +buthead +miked +finance1 +dignity7 +hello9 +lvjdp383 +jgthfnjh +dalmatio +paparoach +miller31 +2bornot2b +fathe +monterre +theblues +satans +schaap +jasmine2 +sibelius +manon +heslo +jcnhjd +shane123 +natasha2 +pierrot +bluecar +iloveass +harriso +red12 +london20 +job314 +beholder +reddawg +fuckyou! +pussylick +bologna1 +austintx +ole4ka +blotto +onering +jearly +balbes +lightbul +bighorn +crossfir +lee123 +prapor +1ashley +gfhjkm22 +wwe123 +09090 +sexsite +marina123 +jagua +witch1 +schmoo +parkview +dragon3 +chilango +ultimo +abramova +nautique +2bornot2 +duende +1arthur +nightwing +surfboar +quant4307 +15s9pu03 +karina1 +shitball +walleye1 +wildman1 +whytesha +1morgan +my2girls +polic +baranova +berezuckiy +kkkkkk1 +forzima +fornow +qwerty02 +gokart +suckit69 +davidlee +whatnow +edgard +tits1 +bayshore +36987412 +ghbphfr +daddyy +explore1 +zoidberg +5qnzjx +morgane +danilov +blacksex +mickey12 +balsam +83y6pv +sarahc +slaye +all4u2 +slayer69 +nadia1 +rlzwp503 +4cranker +kaylie +numberon +teremok +wolf12 +deeppurple +goodbeer +aaa555 +66669999 +whatif +harmony1 +ue8fpw +3tmnej +254xtpss +dusty197 +wcksdypk +zerkalo +dfnheirf +motorol +digita +whoareyou +darksoul +manics +rounders +killer11 +d2000lb +cegthgfhjkm +catdog1 +beograd +pepsico +julius1 +123654987 +softbal +killer23 +weasel1 +lifeson +q123456q +444555666 +bunches +andy1 +darby1 +service01 +bear11 +jordan123 +amega +duncan21 +yensid +lerxst +rassvet +bronco2 +fortis +pornlove +paiste +198900 +asdflkjh +1236547890 +futur +eugene1 +winnipeg261 +fk8bhydb +seanjohn +brimston +matthe1 +bitchedu +crisco +302731 +roxydog +woodlawn +volgograd +ace1210 +boy4u2ownnyc +laura123 +pronger +parker12 +z123456z +andrew13 +longlife +sarang +drogba +gobruins +soccer4 +holida +espace +almira +murmansk +green22 +safina +wm00022 +1chevy +schlumpf +doroth +ulises +golf99 +hellyes +detlef +mydog +erkina +bastardo +mashenka +sucram +wehttam +generic1 +195000 +spaceboy +lopas123 +scammer +skynyrd +daddy2 +titani +ficker +cr250r +kbnthfnehf +takedown +sticky1 +davidruiz +desant +nremtp +painter1 +bogies +agamemno +kansas1 +smallfry +archi +2b4dnvsx +1player +saddie +peapod +6458zn7a +qvw6n2 +gfxqx686 +twice2 +sh4d0w3d +mayfly +375125 +phitau +yqmbevgk +89211375759 +kumar1 +pfhfpf +toyboy +way2go +7pvn4t +pass69 +chipster +spoony +buddycat +diamond3 +rincewin +hobie +david01 +billbo +hxp4life +matild +pokemon2 +dimochka +clown1 +148888 +jenmt3 +cuxldv +cqnwhy +cde34rfv +simone1 +verynice +toobig +pasha123 +mike00 +maria2 +lolpop +firewire +dragon9 +martesana +a1234567890 +birthday3 +providen +kiska +pitbulls +556655 +misawa +damned69 +martin11 +goldorak +gunship +glory1 +winxclub +sixgun +splodge +agent1 +splitter +dome69 +ifghjb +eliza1 +snaiper +wutang36 +phoenix7 +666425 +arshavin +paulaner +namron +m69fg1w +qwert1234 +terrys +zesyrmvu +joeman +scoots +dwml9f +625vrobg +sally123 +gostoso +symow8 +pelota +c43qpul5rz +majinbuu +lithium1 +bigstuff +horndog1 +kipelov +kringle +1beavis +loshara +octobe +jmzacf +12342000 +qw12qw +runescape1 +chargers1 +krokus +piknik +jessy +778811 +gjvbljh +474jdvff +pleaser +misskitty +breaker1 +7f4df451 +dayan +twinky +yakumo +chippers +matia +tanith +len2ski1 +manni +nichol1 +f00b4r +nokia3110 +standart +123456789i +shami +steffie +larrywn +chucker +john99 +chamois +jjjkkk +penmouse +ktnj2010 +gooners +hemmelig +rodney1 +merlin01 +bearcat1 +1yyyyy +159753z +1fffff +1ddddd +thomas11 +gjkbyrf +ivanka +f1f2f3 +petrovna +phunky +conair +brian2 +creative1 +klipsch +vbitymrf +freek +breitlin +cecili +westwing +gohabsgo +tippmann +1steve +quattro6 +fatbob +sp00ky +rastas +1123581 +redsea +rfnmrf +jerky1 +1aaaaaa +spk666 +simba123 +qwert54321 +123abcd +beavis69 +fyfyfc +starr1 +1236547 +peanutbutter +sintra +12345abcde +1357246 +abcde1 +climbon +755dfx +mermaids +monte1 +serkan +geilesau +777win +jasonc +parkside +imagine1 +rockhead +producti +playhard +principa +spammer +gagher +escada +tsv1860 +dbyjuhfl +cruiser1 +kennyg +montgome +2481632 +pompano +cum123 +angel6 +sooty +bear01 +april6 +bodyhamm +pugsly +getrich +mikes +pelusa +fosgate +jasonp +rostislav +kimberly1 +128mo +dallas11 +gooner1 +manuel1 +cocacola1 +imesh +5782790 +password8 +daboys +1jones +intheend +e3w2q1 +whisper1 +madone +pjcgujrat +1p2o3i +jamesp +felicida +nemrac +phikap +firecat +jrcfyjxrf +matt12 +bigfan +doedel +005500 +jasonx +1234567k +badfish +goosey +utjuhfabz +wilco +artem123 +igor123 +spike123 +jor23dan +dga9la +v2jmsz +morgan12 +avery1 +dogstyle +natasa +221195ws +twopac +oktober7 +karthik +poop1 +mightymo +davidr +zermatt +jehova +aezakmi1 +dimwit +monkey5 +serega123 +qwerty111 +blabl +casey22 +boy123 +1clutch +asdfjkl1 +hariom +bruce10 +jeep95 +1smith +sm9934 +karishma +bazzzz +aristo +669e53e1 +nesterov +kill666 +fihdfv +1abc2 +anna1 +silver11 +mojoman +telefono +goeagles +sd3lpgdr +rfhfynby +melinda1 +llcoolj +idteul +bigchief +rocky13 +timberwo +ballers +gatekeep +kashif +hardass +anastasija +max777 +vfuyjkbz +riesling +agent99 +kappas +dalglish +tincan +orange3 +turtoise +abkbvjy +mike24 +hugedick +alabala +geolog +aziza +devilboy +habanero +waheguru +funboy +freedom5 +natwest +seashore +impaler +qwaszx1 +pastas +bmw535 +tecktonik +mika00 +jobsearc +pinche +puntang +aw96b6 +1corvett +skorpio +foundati +zzr1100 +gembird +vfnhjcrby +soccer18 +vaz2110 +peterp +archer1 +cross1 +samedi +dima1992 +hunter99 +lipper +hotbody +zhjckfdf +ducati1 +trailer1 +04325956 +cheryl1 +benetton +kononenko +sloneczko +rfgtkmrf +nashua +balalaika +ampere +eliston +dorsai +digge +flyrod +oxymoron +minolta +ironmike +majortom +karimov +fortun +putaria +an83546921an13 +blade123 +franchis +mxaigtg5 +dynxyu +devlt4 +brasi +terces +wqmfuh +nqdgxz +dale88 +minchia +seeyou +housepen +1apple +1buddy +mariusz +bighouse +tango2 +flimflam +nicola1 +qwertyasd +tomek1 +shumaher +kartoshka +bassss +canaries +redman1 +123456789as +preciosa +allblacks +navidad +tommaso +beaudog +forrest1 +green23 +ryjgjxrf +go4it +ironman2 +badnews +butterba +1grizzly +isaeva +rembrand +toront +1richard +bigjon +yfltymrf +1kitty +4ng62t +littlejo +wolfdog +ctvtyjd +spain1 +megryan +tatertot +raven69 +4809594q +tapout +stuntman +a131313 +lagers +hotstuf +lfdbl11 +stanley2 +advokat +boloto +7894561 +dooker +adxel187 +cleodog +4play +0p9o8i +masterb +bimota +charlee +toystory +6820055 +6666667 +crevette +6031769 +corsa +bingoo +dima1990 +tennis11 +samuri +avocado +melissa6 +unicor +habari +metart +needsex +cockman +hernan +3891576 +3334444 +amigo1 +gobuffs2 +mike21 +allianz +2835493 +179355 +midgard +joey123 +oneluv +ellis1 +towncar +shonuff +scouse +tool69 +thomas19 +chorizo +jblaze +lisa1 +dima1999 +sophia1 +anna1989 +vfvekbxrf +krasavica +redlegs +jason25 +tbontb +katrine +eumesmo +vfhufhbnrf +1654321 +asdfghj1 +motdepas +booga +doogle +1453145 +byron1 +158272 +kardinal +tanne +fallen1 +abcd12345 +ufyljy +n12345 +kucing +burberry +bodger +1234578 +februar +1234512 +nekkid +prober +harrison1 +idlewild +rfnz90 +foiegras +pussy21 +bigstud +denzel +tiffany2 +bigwill +1234567890zzz +hello69 +compute1 +viper9 +hellspaw +trythis +gococks +dogballs +delfi +lupine +millenia +newdelhi +charlest +basspro +1mike +joeblack +975310 +1rosebud +batman11 +misterio +fucknut +charlie0 +august11 +juancho +ilonka +jigei743ks +adam1234 +889900 +goonie +alicat +ggggggg1 +1zzzzzzz +sexywife +northstar +chris23 +888111 +containe +trojan1 +jason5 +graikos +1ggggg +1eeeee +tigers01 +indigo1 +hotmale +jacob123 +mishima +richard3 +cjxb2014 +coco123 +meagain +thaman +wallst +edgewood +bundas +1power +matilda1 +maradon +hookedup +jemima +r3vi3wpass +2004-10- +mudman +taz123 +xswzaq +emerson1 +anna21 +warlord1 +toering +pelle +tgwdvu +masterb8 +wallstre +moppel +priora +ghjcnjrdfif +yoland +12332100 +1j9e7f6f +jazzzz +yesman +brianm +42qwerty42 +12345698 +darkmanx +nirmal +john31 +bb123456 +neuspeed +billgates +moguls +fj1200 +hbhlair +shaun1 +ghbdfn +305pwzlr +nbu3cd +susanb +pimpdad +mangust6403 +joedog +dawidek +gigante +708090 +703751 +700007 +ikalcr +tbivbn +697769 +marvi +iyaayas +karen123 +jimmyboy +dozer1 +e6z8jh +bigtime1 +getdown +kevin12 +brookly +zjduc3 +nolan1 +cobber +yr8wdxcq +liebe +m1garand +blah123 +616879 +action1 +600000 +sumitomo +albcaz +asian1 +557799 +dave69 +556699 +sasa123 +streaker +michel1 +karate1 +buddy7 +daulet +koks888 +roadtrip +wapiti +oldguy +illini1 +1234qq +mrspock +kwiatek +buterfly +august31 +jibxhq +jackin +taxicab +tristram +talisker +446655 +444666 +chrisa +freespace +vfhbfyyf +chevell +444333 +notyours +442244 +christian1 +seemore +sniper12 +marlin1 +joker666 +multik +devilish +crf450 +cdfoli +eastern1 +asshead +duhast +voyager2 +cyberia +1wizard +cybernet +iloveme1 +veterok +karandash +392781 +looksee +diddy +diabolic +foofight +missey +herbert1 +bmw318i +premier1 +zsfmpv +eric1234 +dun6sm +fuck11 +345543 +spudman +lurker +bitem +lizzy1 +ironsink +minami +339311 +s7fhs127 +sterne +332233 +plankton +galax +azuywe +changepa +august25 +mouse123 +sikici +killer69 +xswqaz +quovadis +gnomik +033028pw +777777a +barrakuda +spawn666 +goodgod +slurp +morbius +yelnats +cujo31 +norman1 +fastone +earwig +aureli +wordlife +bnfkbz +yasmi +austin123 +timberla +missy2 +legalize +netcom +liljon +takeit +georgin +987654321z +warbird +vitalina +all4u3 +mmmmmm1 +bichon +ellobo +wahoos +fcazmj +aksarben +lodoss +satnam +vasili +197800 +maarten +sam138989 +0u812 +ankita +walte +prince12 +anvils +bestia +hoschi +198300 +univer +jack10 +ktyecbr +gr00vy +hokie +wolfman1 +fuckwit +geyser +emmanue +ybrjkftd +qwerty33 +karat +dblock +avocat +bobbym +womersle +1please +nostra +dayana +billyray +alternat +iloveu1 +qwerty69 +rammstein1 +mystikal +winne +drawde +executor +craxxxs +ghjcnjnf +999888777 +welshman +access123 +963214785 +951753852 +babe69 +fvcnthlfv +****me +666999666 +testing2 +199200 +nintendo64 +oscarr +guido8 +zhanna +gumshoe +jbird +159357456 +pasca +123452345 +satan6 +mithrand +fhbirf +aa1111aa +viggen +ficktjuv +radial9 +davids1 +rainbow7 +futuro +hipho +platin +poppy123 +rhenjq +fulle +rosit +chicano +scrumpy +lumpy1 +seifer +uvmrysez +autumn1 +xenon +susie1 +7u8i9o0p +gamer1 +sirene +muffy1 +monkeys1 +kalinin +olcrackmaster +hotmove +uconn +gshock +merson +lthtdyz +pizzaboy +peggy1 +pistache +pinto1 +fishka +ladydi +pandor +baileys +hungwell +redboy +rookie1 +amanda01 +passwrd +clean1 +matty1 +tarkus +jabba1 +bobster +beer30 +solomon1 +moneymon +sesamo +fred11 +sunnysid +jasmine5 +thebears +putamadre +workhard +flashbac +counter1 +liefde +magnat +corky1 +green6 +abramov +lordik +univers +shortys +david3 +vip123 +gnarly +1234567s +billy2 +honkey +deathstar +grimmy +govinda +direktor +12345678s +linus1 +shoppin +rekbrjdf +santeria +prett +berty75 +mohican +daftpunk +uekmyfhf +chupa +strats +ironbird +giants56 +salisbur +koldun +summer04 +pondscum +jimmyj +miata1 +george3 +redshoes +weezie +bartman1 +0p9o8i7u +s1lver +dorkus +125478 +omega9 +sexisgood +mancow +patric1 +jetta1 +074401 +ghjuhtcc +gfhjk +bibble +terry2 +123213 +medicin +rebel2 +hen3ry +4freedom +aldrin +lovesyou +browny +renwod +winnie1 +belladon +1house +tyghbn +blessme +rfhfrfnbwf +haylee +deepdive +booya +phantasy +gansta +cock69 +4mnveh +gazza1 +redapple +structur +anakin1 +manolito +steve01 +poolman +chloe123 +vlad1998 +qazwsxe +pushit +random123 +ontherocks +o236nq +brain1 +dimedrol +agape +rovnogod +1balls +knigh +alliso +love01 +wolf01 +flintstone +beernuts +tuffguy +isengard +highfive +alex23 +casper99 +rubina +getreal +chinita +italian1 +airsoft +qwerty23 +muffdiver +willi1 +grace123 +orioles1 +redbull1 +chino1 +ziggy123 +breadman +estefan +ljcneg +gotoit +logan123 +wideglid +mancity1 +treess +qwe123456 +kazumi +qweasdqwe +oddworld +naveed +protos +towson +a801016 +godislov +at_asp +bambam1 +soccer5 +dark123 +67vette +carlos123 +hoser1 +scouser +wesdxc +pelus +dragon25 +pflhjn +abdula +1freedom +policema +tarkin +eduardo1 +mackdad +gfhjkm11 +lfplhfgthvf +adilet +zzzzxxxx +childre +samarkand +cegthgegth +shama +fresher +silvestr +greaser +allout +plmokn +sexdrive +nintendo1 +fantasy7 +oleander +fe126fd +crumpet +pingzing +dionis +hipster +yfcnz +requin +calliope +jerome1 +housecat +abc123456789 +doghot +snake123 +augus +brillig +chronic1 +gfhjkbot +expediti +noisette +master7 +caliban +whitetai +favorite3 +lisamari +educatio +ghjhjr +saber1 +zcegth +1958proman +vtkrbq +milkdud +imajica +thehip +bailey10 +hockey19 +dkflbdjcnjr +j123456 +bernar +aeiouy +gamlet +deltachi +endzone +conni +bcgfybz +brandi1 +auckland2010 +7653ajl1 +mardigra +testuser +bunko18 +camaro67 +36936 +greenie +454dfmcq +6xe8j2z4 +mrgreen +ranger5 +headhunt +banshee1 +moonunit +zyltrc +hello3 +pussyboy +stoopid +tigger11 +yellow12 +drums1 +blue02 +kils123 +junkman +banyan +jimmyjam +tbbucs +sportster +badass1 +joshie +braves10 +lajolla +1amanda +antani +78787 +antero +19216801 +chich +rhett32 +sarahm +beloit +sucker69 +corkey +nicosnn +rccola +caracol +daffyduc +bunny2 +mantas +monkies +hedonist +cacapipi +ashton1 +sid123 +19899891 +patche +greekgod +cbr1000 +leader1 +19977991 +ettore +chongo +113311 +picass +cfif123 +rhtfnbd +frances1 +andy12 +minnette +bigboy12 +green69 +alices +babcia +partyboy +javabean +freehand +qawsed123 +xxx111 +harold1 +passwo +jonny1 +kappa1 +w2dlww3v5p +1merlin +222999 +tomjones +jakeman +franken +markhegarty +john01 +carole1 +daveman +caseys +apeman +mookey +moon123 +claret +titans1 +residentevil +campari +curitiba +dovetail +aerostar +jackdaniels +basenji +zaq12w +glencoe +biglove +goober12 +ncc170 +far7766 +monkey21 +eclipse9 +1234567v +vanechka +aristote +grumble +belgorod +abhishek +neworleans +pazzword +dummie +sashadog +diablo11 +mst3000 +koala1 +maureen1 +jake99 +isaiah1 +funkster +gillian1 +ekaterina20 +chibears +astra123 +4me2no +winte +skippe +necro +windows9 +vinograd +demolay +vika2010 +quiksilver +19371ayj +dollar1 +shecky +qzwxecrv +butterfly1 +merrill1 +scoreland +1crazy +megastar +mandragora +track1 +dedhed +jacob2 +newhope +qawsedrftgyh +shack1 +samvel +gatita +shyster +clara1 +telstar +office1 +crickett +truls +nirmala +joselito +chrisl +lesnik +aaaabbbb +austin01 +leto2010 +bubbie +aaa12345 +widder +234432 +salinger +mrsmith +qazsedcft +newshoes +skunks +yt1300 +bmw316 +arbeit +smoove +123321qweewq +123qazwsx +22221111 +seesaw +0987654321a +peach1 +1029384756q +sereda +gerrard8 +shit123 +batcave +energy1 +peterb +mytruck +peter12 +alesya +tomato1 +spirou +laputaxx +magoo1 +omgkremidia +knight12 +norton1 +vladislava +shaddy +austin11 +jlbyjxrf +kbdthgekm +punheta +fetish69 +exploiter +roger2 +manstein +gtnhjd +32615948worms +dogbreath +ujkjdjkjvrf +vodka1 +ripcord +fatrat +kotek1 +tiziana +larrybir +thunder3 +nbvfnb +9kyq6fge +remembe +likemike +gavin1 +shinigam +yfcnfcmz +13245678 +jabbar +vampyr +ane4ka +lollipo +ashwin +scuderia +limpdick +deagle +3247562 +vishenka +fdhjhf +alex02 +volvov70 +mandys +bioshock +caraca +tombraider +matrix69 +jeff123 +13579135 +parazit +black3 +noway1 +diablos +hitmen +garden1 +aminor +decembe +august12 +b00ger +006900 +452073t +schach +hitman1 +mariner1 +vbnmrf +paint1 +742617000027 +bitchboy +pfqxjyjr +5681392 +marryher +sinnet +malik1 +muffin12 +aninha +piolin +lady12 +traffic1 +cbvjyf +6345789 +june21 +ivan2010 +ryan123 +honda99 +gunny +coorslight +asd321 +hunter69 +7224763 +sonofgod +dolphins1 +1dolphin +pavlenko +woodwind +lovelov +pinkpant +gblfhfcbyf +hotel1 +justinbiebe +vinter +jeff1234 +mydogs +1pizza +boats1 +parrothe +shawshan +brooklyn1 +cbrown +1rocky +hemi426 +dragon64 +redwings1 +porsches +ghostly +hubbahub +buttnut +b929ezzh +sorokina +flashg +fritos +b7mguk +metatron +treehous +vorpal +8902792 +marcu +free123 +labamba +chiefs1 +zxc123zxc +keli_14 +hotti +1steeler +money4 +rakker +foxwoods +free1 +ahjkjd +sidorova +snowwhit +neptune1 +mrlover +trader1 +nudelamb +baloo +power7 +deltasig +bills1 +trevo +7gorwell +nokia6630 +nokia5320 +madhatte +1cowboys +manga1 +namtab +sanjar +fanny1 +birdman1 +adv12775 +carlo1 +dude1998 +babyhuey +nicole11 +madmike +ubvyfpbz +qawsedr +lifetec +skyhook +stalker123 +toolong +robertso +ripazha +zippy123 +1111111a +manol +dirtyman +analslut +jason3 +dutches +minhasenha +cerise +fenrir +jayjay1 +flatbush +franka +bhbyjxrf +26429vadim +lawntrax +198700 +fritzy +nikhil +ripper1 +harami +truckman +nemvxyheqdd5oqxyxyzi +gkfytnf +bugaboo +cableman +hairpie +xplorer +movado +hotsex69 +mordred +ohyeah1 +patrick3 +frolov +katieh +4311111q +mochaj +presari +bigdo +753951852 +freedom4 +kapitan +tomas1 +135795 +sweet123 +pokers +shagme +tane4ka +sentinal +ufgyndmv +jonnyb +skate123 +123456798 +123456788 +very1 +gerrit +damocles +dollarbi +caroline1 +lloyds +pizdets +flatland +92702689 +dave13 +meoff +ajnjuhfabz +achmed +madison9 +744744z +amonte +avrillavigne +elaine1 +norma1 +asseater +everlong +buddy23 +cmgang1 +trash1 +mitsu +flyman +ulugbek +june27 +magistr +fittan +sebora64 +dingos +sleipnir +caterpil +cindys +212121qaz +partys +dialer +gjytltkmybr +qweqaz +janvier +rocawear +lostboy +aileron +sweety1 +everest1 +pornman +boombox +potter1 +blackdic +44448888 +eric123 +112233aa +2502557i +novass +nanotech +yourname +x12345 +indian1 +15975300 +1234567l +carla51 +chicago0 +coleta +cxzdsaewq +qqwweerr +marwan +deltic +hollys +qwerasd +pon32029 +rainmake +nathan0 +matveeva +legioner +kevink +riven +tombraid +blitzen +a54321 +jackyl +chinese1 +shalimar +oleg1995 +beaches1 +tommylee +eknock +berli +monkey23 +badbob +pugwash +likewhoa +jesus2 +yujyd360 +belmar +shadow22 +utfp5e +angelo1 +minimax +pooder +cocoa1 +moresex +tortue +lesbia +panthe +snoopy2 +drumnbass +alway +gmcz71 +6jhwmqku +leppard +dinsdale +blair1 +boriqua +money111 +virtuagirl +267605 +rattlesn +1sunshin +monica12 +veritas1 +newmexic +millertime +turandot +rfvxfnrf +jaydog +kakawka +bowhunter +booboo12 +deerpark +erreway +taylorma +rfkbybyf +wooglin +weegee +rexdog +iamhorny +cazzo1 +vhou812 +bacardi1 +dctktyyfz +godpasi +peanut12 +bertha1 +fuckyoubitch +ghosty +altavista +jertoot +smokeit +ghjcnbvtyz +fhnehxbr +rolsen +qazxcdews +maddmaxx +redrocke +qazokm +spencer2 +thekiller +asdf11 +123sex +tupac1 +p1234567 +dbrown +1biteme +tgo4466 +316769 +sunghi +shakespe +frosty1 +gucci1 +arcana +bandit01 +lyubov +poochy +dartmout +magpies1 +sunnyd +mouseman +summer07 +chester7 +shalini +danbury +pigboy +dave99 +deniss +harryb +ashley11 +pppppp1 +01081988m +balloon1 +tkachenko +bucks1 +master77 +pussyca +tricky1 +zzxxccvv +zoulou +doomer +mukesh +iluv69 +supermax +todays +thefox +don123 +dontask +diplom +piglett +shiney +fahbrf +qaz12wsx +temitope +reggin +project1 +buffy2 +inside1 +lbpfqyth +vanilla1 +lovecock +u4slpwra +fylh.irf +123211 +7ertu3ds +necroman +chalky +artist1 +simpso +4x7wjr +chaos666 +lazyacres +harley99 +ch33s3 +marusa +eagle7 +dilligas +computadora +lucky69 +denwer +nissan350z +unforgiv +oddball +schalke0 +aztec1 +borisova +branden1 +parkave +marie123 +germa +lafayett +878kckxy +405060 +cheeseca +bigwave +fred22 +andreea +poulet +mercutio +psycholo +andrew88 +o4izdmxu +sanctuar +newhome +milion +suckmydi +rjvgm.nth +warior +goodgame +1qwertyuiop +6339cndh +scorpio2 +macker +southbay +crabcake +toadie +paperclip +fatkid +maddo +cliff1 +rastafar +maries +twins1 +geujdrf +anjela +wc4fun +dolina +mpetroff +rollout +zydeco +shadow3 +pumpki +steeda +volvo240 +terras +blowjo +blue2000 +incognit +badmojo +gambit1 +zhukov +station1 +aaronb +graci +duke123 +clipper1 +qazxsw2 +ledzeppe +kukareku +sexkitte +cinco +007008 +lakers12 +a1234b +acmilan1 +afhfjy +starrr +slutty3 +phoneman +kostyan +bonzo1 +sintesi07 +ersatz +cloud1 +nephilim +nascar03 +rey619 +kairos +123456789e +hardon1 +boeing1 +juliya +hfccdtn +vgfun8 +polizei +456838 +keithb +minouche +ariston +savag +213141 +clarkken +microwav +london2 +santacla +campeo +qr5mx7 +464811 +mynuts +bombo +1mickey +lucky8 +danger1 +ironside +carter12 +wyatt1 +borntorun +iloveyou123 +jose1 +pancake1 +tadmichaels +monsta +jugger +hunnie +triste +heat7777 +ilovejesus +queeny +luckycharm +lieben +gordolee85 +jtkirk +forever21 +jetlag +skylane +taucher +neworlea +holera +000005 +anhnhoem +melissa7 +mumdad +massimiliano +dima1994 +nigel1 +madison3 +slicky +shokolad +serenit +jmh1978 +soccer123 +chris3 +drwho +rfpzdrf +1qasw23ed +free4me +wonka +sasquatc +sanan +maytag +verochka +bankone +molly12 +monopoli +xfqybr +lamborgini +gondolin +candycane +needsome +jb007 +scottie1 +brigit +0147258369 +kalamazo +lololyo123 +bill1234 +ilovejes +lol123123 +popkorn +april13 +567rntvm +downunde +charle1 +angelbab +guildwars +homeworld +qazxcvbnm +superma1 +dupa123 +kryptoni +happyy +artyom +stormie +cool11 +calvin69 +saphir +konovalov +jansport +october8 +liebling +druuna +susans +megans +tujhjdf +wmegrfux +jumbo1 +ljb4dt7n +012345678910 +kolesnik +speculum +at4gftlw +kurgan +93pn75 +cahek0980 +dallas01 +godswill +fhifdby +chelsea4 +jump23 +barsoom +catinhat +urlacher +angel99 +vidadi1 +678910 +lickme69 +topaz1 +westend +loveone +c12345 +gold12 +alex1959 +mamon +barney12 +1maggie +alex12345 +lp2568cskt +s1234567 +gjikbdctyf +anthony0 +browns99 +chips1 +sunking +widespre +lalala1 +tdutif +fucklife +master00 +alino4ka +stakan +blonde1 +phoebus +tenore +bvgthbz +brunos +suzjv8 +uvdwgt +revenant +1banana +veroniqu +sexfun +sp1der +4g3izhox +isakov +shiva1 +scooba +bluefire +wizard12 +dimitris +funbags +perseus +hoodoo +keving +malboro +157953 +a32tv8ls +latics +animate +mossad +yejntb +karting +qmpq39zr +busdrive +jtuac3my +jkne9y +sr20dett +4gxrzemq +keylargo +741147 +rfktylfhm +toast1 +skins1 +xcalibur +gattone +seether +kameron +glock9mm +julio1 +delenn +gameday +tommyd +str8edge +bulls123 +66699 +carlsberg +woodbird +adnama +45auto +codyman +truck2 +1w2w3w4w +pvjegu +method1 +luetdi +41d8cd98f00b +bankai +5432112345 +94rwpe +reneee +chrisx +melvins +775577 +sam2000 +scrappy1 +rachid +grizzley +margare +morgan01 +winstons +gevorg +gonzal +crawdad +gfhfdjp +babilon +noneya +pussy11 +barbell +easyride +c00li0 +777771 +311music +karla1 +golions +19866891 +peejay +leadfoot +hfvbkm +kr9z40sy +cobra123 +isotwe +grizz +sallys +****you +aaa123a +dembel +foxs14 +hillcres +webman +mudshark +alfredo1 +weeded +lester1 +hovepark +ratface +000777fffa +huskie +wildthing +elbarto +waikiki +masami +call911 +goose2 +regin +dovajb +agricola +cjytxrj +andy11 +penny123 +family01 +a121212 +1braves +upupa68 +happy100 +824655 +cjlove +firsttim +kalel +redhair +dfhtymt +sliders +bananna +loverbo +fifa2008 +crouton +chevy350 +panties2 +kolya1 +alyona +hagrid +spagetti +q2w3e4r +867530 +narkoman +nhfdvfnjkju123 +1ccccccc +napolean +0072563 +allay +w8sted +wigwam +jamesk +state1 +parovoz +beach69 +kevinb +rossella +logitech1 +celula +gnocca +canucks1 +loginova +marlboro1 +aaaa1 +kalleanka +mester +mishutka +milenko +alibek +jersey1 +peterc +1mouse +nedved +blackone +ghfplybr +682regkh +beejay +newburgh +ruffian +clarets +noreaga +xenophon +hummerh2 +tenshi +smeagol +soloyo +vfhnby +ereiamjh +ewq321 +goomie +sportin +cellphone +sonnie +jetblack +saudan +gblfhfc +matheus +uhfvjnf +alicja +jayman1 +devon1 +hexagon +bailey2 +vtufajy +yankees7 +salty1 +908070 +killemal +gammas +eurocard +sydney12 +tuesday1 +antietam +wayfarer +beast666 +19952009sa +aq12ws +eveli +hockey21 +haloreach +dontcare +xxxx1 +andrea11 +karlmarx +jelszo +tylerb +protools +timberwolf +ruffneck +pololo +1bbbbb +waleed +sasami +twinss +fairlady +illuminati +alex007 +sucks1 +homerjay +scooter7 +tarbaby +barmaley +amistad +vanes +randers +tigers12 +dreamer2 +goleafsg +googie +bernie1 +as12345 +godeep +james3 +phanto +gwbush +cumlover +2196dc +studioworks +995511 +golf56 +titova +kaleka +itali +socks1 +kurwamac +daisuke +hevonen +woody123 +daisie +wouter +henry123 +gostosa +guppie +porpoise +iamsexy +276115 +paula123 +1020315 +38gjgeuftd +rjrfrjkf +knotty +idiot1 +sasha12345 +matrix13 +securit +radical1 +ag764ks +jsmith +coolguy1 +secretar +juanas +sasha1988 +itout +00000001 +tiger11 +1butthea +putain +cavalo +basia1 +kobebryant +1232323 +12345asdfg +sunsh1ne +cyfqgth +tomkat +dorota +dashit +pelmen +5t6y7u +whipit +smokeone +helloall +bonjour1 +snowshoe +nilknarf +x1x2x3 +lammas +1234599 +lol123456 +atombomb +ironchef +noclue +alekseev +gwbush1 +silver2 +12345678m +yesican +fahjlbnf +chapstic +alex95 +open1 +tiger200 +lisichka +pogiako +cbr929 +searchin +tanya123 +alex1973 +phil413 +alex1991 +dominati +geckos +freddi +silenthill +egroeg +vorobey +antoxa +dark666 +shkola +apple22 +rebellio +shamanking +7f8srt +cumsucker +partagas +bill99 +22223333 +arnster55 +fucknuts +proxima +silversi +goblues +parcells +vfrcbvjdf +piloto +avocet +emily2 +1597530 +miniskir +himitsu +pepper2 +juiceman +venom1 +bogdana +jujube +quatro +botafogo +mama2010 +junior12 +derrickh +asdfrewq +miller2 +chitarra +silverfox +napol +prestigio +devil123 +mm111qm +ara123 +max33484 +sex2000 +primo1 +sephan +anyuta +alena2010 +viborg +verysexy +hibiscus +terps +josefin +oxcart +spooker +speciali +raffaello +partyon +vfhvtkflrf +strela +a123456z +worksuck +glasss +lomonosov +dusty123 +dukeblue +1winter +sergeeva +lala123 +john22 +cmc09 +sobolev +bettylou +dannyb +gjkrjdybr +hagakure +iecnhbr +awsedr +pmdmsctsk +costco +alekseeva +fktrcttd +bazuka +flyingv +garuda +buffy16 +gutierre +beer12 +stomatolog +ernies +palmeiras +golf123 +love269 +n.kmgfy +gjkysqgbpltw +youare +joeboo +baksik +lifeguar +111a111 +nascar8 +mindgame +dude1 +neopets +frdfkfyu +june24 +phoenix8 +penelopa +merlin99 +mercenar +badluck +mishel +bookert +deadsexy +power9 +chinchil +1234567m +alex10 +skunk1 +rfhkcjy +sammycat +wright1 +randy2 +marakesh +temppassword +elmer251 +mooki +patrick0 +bonoedge +1tits +chiar +kylie1 +graffix +milkman1 +cornel +mrkitty +nicole12 +ticketmaster +beatles4 +number20 +ffff1 +terps1 +superfre +yfdbufnjh +jake1234 +flblfc +1111qq +zanuda +jmol01 +wpoolejr +polopol +nicolett +omega13 +cannonba +123456789. +sandy69 +ribeye +bo243ns +marilena +bogdan123 +milla +redskins1 +19733791 +alias1 +movie1 +ducat +marzena +shadowru +56565 +coolman1 +pornlover +teepee +spiff +nafanya +gateway3 +fuckyou0 +hasher +34778 +booboo69 +staticx +hang10 +qq12345 +garnier +bosco123 +1234567qw +carson1 +samso +1xrg4kcq +cbr929rr +allan123 +motorbik +andrew22 +pussy101 +miroslava +cytujdbr +camp0017 +cobweb +snusmumrik +salmon1 +cindy2 +aliya +serendipity +co437at +tincouch +timmy123 +hunter22 +st1100 +vvvvvv1 +blanka +krondor +sweeti +nenit +kuzmich +gustavo1 +bmw320i +alex2010 +trees1 +kyliem +essayons +april26 +kumari +sprin +fajita +appletre +fghbjhb +1green +katieb +steven2 +corrado1 +satelite +1michell +123456789c +cfkfvfylhf +acurarsx +slut543 +inhere +bob2000 +pouncer +k123456789 +fishie +aliso +audia8 +bluetick +soccer69 +jordan99 +fromhell +mammoth1 +fighting54 +mike25 +pepper11 +extra1 +worldwid +chaise +vfr800 +sordfish +almat +nofate +listopad +hellgate +dctvghbdf +jeremia +qantas +lokiju +honker +sprint1 +maral +triniti +compaq3 +sixsix6 +married1 +loveman +juggalo1 +repvtyrj +zxcasdqw +123445 +whore1 +123678 +monkey6 +west123 +warcraf +pwnage +mystery1 +creamyou +ant123 +rehjgfnrf +corona1 +coleman1 +steve121 +alderaan +barnaul +celeste1 +junebug1 +bombshel +gretzky9 +tankist +targa +cachou +vaz2101 +playgolf +boneyard +strateg +romawka +iforgotit +pullup +garbage1 +irock +archmage +shaft1 +oceano +sadies +alvin1 +135135ab +psalm69 +lmfao +ranger02 +zaharova +33334444 +perkman +realman +salguod +cmoney +astonmartin +glock1 +greyfox +viper99 +helpm +blackdick +46775575 +family5 +shazbot +dewey1 +qwertyas +shivani +black22 +mailman1 +greenday1 +57392632 +red007 +stanky +sanchez1 +tysons +daruma +altosax +krayzie +85852008 +1forever +98798798 +irock. +123456654 +142536789 +ford22 +brick1 +michela +preciou +crazy4u +01telemike01 +nolife +concac +safety1 +annie123 +brunswic +destini +123456qwer +madison0 +snowball1 +137946 +1133557799 +jarule +scout2 +songohan +thedead +00009999 +murphy01 +spycam +hirsute +aurinko +associat +1miller +baklan +hermes1 +2183rm +martie +kangoo +shweta +yvonne1 +westsid +jackpot1 +rotciv +maratik +fabrika +claude1 +nursultan +noentry +ytnhjufnm +electra1 +ghjcnjnfr1 +puneet +smokey01 +integrit +bugeye +trouble2 +14071789 +paul01 +omgwtf +dmh415 +ekilpool +yourmom1 +moimeme +sparky11 +boludo +ruslan123 +kissme1 +demetrio +appelsin +asshole3 +raiders2 +bunns +fynjybj +billygoa +p030710p$e4o +macdonal +248ujnfk +acorns +schmidt1 +sparrow1 +vinbylrj +weasle +jerom +ycwvrxxh +skywalk +gerlinde +solidus +postal1 +poochie1 +1charles +rhianna +terorist +rehnrf +omgwtfbbq +assfucke +deadend +zidan +jimboy +vengence +maroon5 +7452tr +dalejr88 +sombra +anatole +elodi +amazonas +147789 +q12345q +gawker1 +juanma +kassidy +greek1 +bruces +bilbob +mike44 +0o9i8u7y6t +kaligula +agentx +familie +anders1 +pimpjuice +0128um +birthday10 +lawncare +hownow +grandorgue +juggerna +scarfac +kensai +swatteam +123four +motorbike +repytxbr +other1 +celicagt +pleomax +gen0303 +godisgreat +icepick +lucifer666 +heavy1 +tea4two +forsure +02020 +shortdog +webhead +chris13 +palenque +3techsrl +knights1 +orenburg +prong +nomarg +wutang1 +80637852730 +laika +iamfree +12345670 +pillow1 +12343412 +bigears +peterg +stunna +rocky5 +12123434 +damir +feuerwehr +7418529630 +danone +yanina +valenci +andy69 +111222q +silvia1 +1jjjjj +loveforever +passwo1 +stratocaster +8928190a +motorolla +lateralu +ujujkm +chubba +ujkjdf +signon +123456789zx +serdce +stevo +wifey200 +ololo123 +popeye1 +1pass +central1 +melena +luxor +nemezida +poker123 +ilovemusic +qaz1234 +noodles1 +lakeshow +amarill +ginseng +billiam +trento +321cba +fatback +soccer33 +master13 +marie2 +newcar +bigtop +dark1 +camron +nosgoth +155555 +biglou +redbud +jordan7 +159789 +diversio +actros +dazed +drizzit +hjcnjd +wiktoria +justic +gooses +luzifer +darren1 +chynna +tanuki +11335577 +icculus +boobss +biggi +firstson +ceisi123 +gatewa +hrothgar +jarhead1 +happyjoy +felipe1 +bebop1 +medman +athena1 +boneman +keiths +djljgfl +dicklick +russ120 +mylady +zxcdsa +rock12 +bluesea +kayaks +provista +luckies +smile4me +bootycal +enduro +123123f +heartbre +ern3sto +apple13 +bigpappa +fy.njxrf +bigtom +cool69 +perrito +quiet1 +puszek +cious +cruella +temp1 +david26 +alemap +aa123123 +teddies +tricolor +smokey12 +kikiriki +mickey01 +robert01 +super5 +ranman +stevenso +deliciou +money777 +degauss +mozar +susanne1 +asdasd12 +shitbag +mommy123 +wrestle1 +imfree +fuckyou12 +barbaris +florent +ujhijr +f8yruxoj +tefjps +anemone +toltec +2gether +left4dead2 +ximen +gfkmvf +dunca +emilys +diana123 +16473a +mark01 +bigbro +annarbor +nikita2000 +11aa11 +tigres +llllll1 +loser2 +fbi11213 +jupite +qwaszxqw +macabre +123ert +rev2000 +mooooo +klapaucius +bagel1 +chiquit +iyaoyas +bear101 +irocz28 +vfktymrfz +smokey2 +love99 +rfhnbyf +dracul +keith123 +slicko +peacock1 +orgasmic +thesnake +solder +wetass +doofer +david5 +rhfcyjlfh +swanny +tammys +turkiye +tubaman +estefani +firehose +funnyguy +servo +grace17 +pippa1 +arbiter +jimmy69 +nfymrf +asdf67nm +rjcnzy +demon123 +thicknes +sexysex +kristall +michail +encarta +banderos +minty +marchenko +de1987ma +mo5kva +aircav +naomi1 +bonni +tatoo +cronaldo +49ers1 +mama1963 +1truck +telecaster +punksnotdead +erotik +1eagles +1fender +luv269 +acdeehan +tanner1 +freema +1q3e5t7u +linksys +tiger6 +megaman1 +neophyte +australia1 +mydaddy +1jeffrey +fgdfgdfg +gfgekz +1986irachka +keyman +m0b1l3 +dfcz123 +mikeyg +playstation2 +abc125 +slacker1 +110491g +lordsoth +bhavani +ssecca +dctvghbdtn +niblick +hondacar +baby01 +worldcom +4034407 +51094didi +3657549 +3630000 +3578951 +sweetpussy +majick +supercoo +robert11 +abacabb +panda123 +gfhjkm13 +ford4x4 +zippo1 +lapin +1726354 +lovesong +dude11 +moebius +paravoz +1357642 +matkhau +solnyshko +daniel4 +multiplelog +starik +martusia +iamtheman +greentre +jetblue +motorrad +vfrcbvev +redoak +dogma1 +gnorman +komlos +tonka1 +1010220 +666satan +losenord +lateralus +absinthe +command1 +jigga1 +iiiiiii1 +pants1 +jungfrau +926337 +ufhhbgjnnth +yamakasi +888555 +sunny7 +gemini69 +alone1 +zxcvbnmz +cabezon +skyblues +zxc1234 +456123a +zero00 +caseih +azzurra +legolas1 +menudo +murcielago +785612 +779977 +benidorm +viperman +dima1985 +piglet1 +hemligt +hotfeet +7elephants +hardup +gamess +a000000 +267ksyjf +kaitlynn +sharkie +sisyphus +yellow22 +667766 +redvette +666420 +mets69 +ac2zxdty +hxxrvwcy +cdavis +alan1 +noddy +579300 +druss +eatshit1 +555123 +appleseed +simpleplan +kazak +526282 +fynfyfyfhbde +birthday6 +dragon6 +1pookie +bluedevils +omg123 +hj8z6e +x5dxwp +455445 +batman23 +termin +chrisbrown +animals1 +lucky9 +443322 +kzktxrf +takayuki +fermer +assembler +zomu9q +sissyboy +sergant +felina +nokia6230i +eminem12 +croco +hunt4red +festina +darknigh +cptnz062 +ndshnx4s +twizzler +wnmaz7sd +aamaax +gfhfcjkmrf +alabama123 +barrynov +happy5 +punt0it +durandal +8xuuobe4 +cmu9ggzh +bruno12 +316497 +crazyfrog +vfvfktyf +apple3 +kasey1 +mackdaddy +anthon1 +sunnys +angel3 +cribbage +moon1 +donal +bryce1 +pandabear +mwss474 +whitesta +freaker +197100 +bitche +p2ssw0rd +turnb +tiktonik +moonlite +ferret1 +jackas +ferrum +bearclaw +liberty2 +1diablo +caribe +snakeeyes +janbam +azonic +rainmaker +vetalik +bigeasy +baby1234 +sureno13 +blink1 +kluivert +calbears +lavanda +198600 +dhtlbyf +medvedeva +fox123 +whirling +bonscott +freedom9 +october3 +manoman +segredo +cerulean +robinso +bsmith +flatus +dannon +password21 +rrrrrr1 +callista +romai +rainman1 +trantor +mickeymo +bulldog7 +g123456 +pavlin +pass22 +snowie +hookah +7ofnine +bubba22 +cabible +nicerack +moomoo1 +summer98 +yoyo123 +milan1 +lieve27 +mustang69 +jackster +exocet +nadege +qaz12 +bahama +watson1 +libras +eclipse2 +bahram +bapezm +up9x8rww +ghjcnjz +themaste +deflep27 +ghost16 +gattaca +fotograf +junior123 +gilber +gbjyth +8vjzus +rosco1 +begonia +aldebara +flower12 +novastar +buzzman +manchild +lopez1 +mama11 +william7 +yfcnz1 +blackstar +spurs123 +moom4242 +1amber +iownyou +tightend +07931505 +paquito +1johnson +smokepot +pi31415 +snowmass +ayacdc +jessicam +giuliana +5tgbnhy6 +harlee +giuli +bigwig +tentacle +scoubidou2 +benelli +vasilina +nimda +284655 +jaihind +lero4ka +1tommy +reggi +ididit +jlbyjxtcndj +mike26 +qbert +wweraw +lukasz +loosee123 +palantir +flint1 +mapper +baldie +saturne +virgin1 +meeeee +elkcit +iloveme2 +blue15 +themoon +radmir +number3 +shyanne +missle +hannelor +jasmina +karin1 +lewie622 +ghjcnjqgfhjkm +blasters +oiseau +sheela +grinders +panget +rapido +positiv +twink +fltkbyf +kzsfj874 +daniel01 +enjoyit +nofags +doodad +rustler +squealer +fortunat +peace123 +khushi +devils2 +7inches +candlebo +topdawg +armen +soundman +zxcqweasd +april7 +gazeta +netman +hoppers +bear99 +ghbjhbntn +mantle7 +bigbo +harpo +jgordon +bullshi +vinny1 +krishn +star22 +thunderc +galinka +phish123 +tintable +nightcrawler +tigerboy +rbhgbx +messi +basilisk +masha1998 +nina123 +yomamma +kayla123 +geemoney +0000000000d +motoman +a3jtni +ser123 +owen10 +italien +vintelok +12345rewq +nightime +jeepin +ch1tt1ck +mxyzptlk +bandido +ohboy +doctorj +hussar +superted +parfilev +grundle +1jack +livestrong +chrisj +matthew3 +access22 +moikka +fatone +miguelit +trivium +glenn1 +smooches +heiko +dezember +spaghett +stason +molokai +bossdog +guitarma +waderh +boriska +photosho +path13 +hfrtnf +audre +junior24 +monkey24 +silke +vaz21093 +bigblue1 +trident1 +candide +arcanum +klinker +orange99 +bengals1 +rosebu +mjujuj +nallepuh +mtwapa1a +ranger69 +level1 +bissjop +leica +1tiffany +rutabega +elvis77 +kellie1 +sameas +barada +karabas +frank12 +queenb +toutoune +surfcity +samanth1 +monitor1 +littledo +kazakova +fodase +mistral1 +april22 +carlit +shakal +batman123 +fuckoff2 +alpha01 +5544332211 +buddy3 +towtruck +kenwood1 +vfiekmrf +jkl123 +pypsik +ranger75 +sitges +toyman +bartek1 +ladygirl +booman +boeing77 +installsqlst +222666 +gosling +bigmack +223311 +bogos +kevin2 +gomez1 +xohzi3g4 +kfnju842 +klubnika +cubalibr +123456789101 +kenpo +0147852369 +raptor1 +tallulah +boobys +jjones +1q2s3c +moogie +vid2600 +almas +wombat1 +extra300 +xfiles1 +green77 +sexsex1 +heyjude +sammyy +missy123 +maiyeuem +nccpl25282 +thicluv +sissie +raven3 +fldjrfn +buster22 +broncos2 +laurab +letmein4 +harrydog +solovey +fishlips +asdf4321 +ford123 +superjet +norwegen +movieman +psw333333 +intoit +postbank +deepwate +ola123 +geolog323 +murphys +eshort +a3eilm2s2y +kimota +belous +saurus +123321qaz +i81b4u +aaa12 +monkey20 +buckwild +byabybnb +mapleleafs +yfcnzyfcnz +baby69 +summer03 +twista +246890 +246824 +ltcnhjth +z1z2z3 +monika1 +sad123 +uto29321 +bathory +villan +funkey +poptarts +spam967888 +705499fh +sebast +porn1234 +earn381 +1porsche +whatthef +123456789y +polo12 +brillo +soreilly +waters1 +eudora +allochka +is_a_bot +winter00 +bassplay +531879fiz +onemore +bjarne +red911 +kot123 +artur1 +qazxdr +c0rvette +diamond7 +matematica +klesko +beaver12 +2enter +seashell +panam +chaching +edward2 +browni +xenogear +cornfed +aniram +chicco22 +darwin1 +ancella2 +sophie2 +vika1998 +anneli +shawn41 +babie +resolute +pandora2 +william8 +twoone +coors1 +jesusis1 +teh012 +cheerlea +renfield +tessa1 +anna1986 +madness1 +bkmlfh +19719870 +liebherr +ck6znp42 +gary123 +123654z +alsscan +eyedoc +matrix7 +metalgea +chinito +4iter +falcon11 +7jokx7b9du +bigfeet +tassadar +retnuh +muscle1 +klimova +darion +batistuta +bigsur +1herbier +noonie +ghjrehjh +karimova +faustus +snowwhite +1manager +dasboot +michael12 +analfuck +inbed +dwdrums +jaysoncj +maranell +bsheep75 +164379 +rolodex +166666 +rrrrrrr1 +almaz666 +167943 +russel1 +negrito +alianz +goodpussy +veronik +1w2q3r4e +efremov +emb377 +sdpass +william6 +alanfahy +nastya1995 +panther5 +automag +123qwe12 +vfvf2011 +fishe +1peanut +speedie +qazwsx1234 +pass999 +171204j +ketamine +sheena1 +energizer +usethis1 +123abc123 +buster21 +thechamp +flvbhfk +frank69 +chane +hopeful1 +claybird +pander +anusha +bigmaxxx +faktor +housebed +dimidrol +bigball +shashi +derby1 +fredy +dervish +bootycall +80988218126 +killerb +cheese2 +pariss +mymail +dell123 +catbert +christa1 +chevytru +gjgjdf +00998877 +overdriv +ratten +golf01 +nyyanks +dinamite +bloembol +gismo +magnus1 +march2 +twinkles +ryan22 +duckey +118a105b +kitcat +brielle +poussin +lanzarot +youngone +ssvegeta +hero63 +battle1 +kiler +fktrcfylh1 +newera +vika1996 +dynomite +oooppp +beer4me +foodie +ljhjuf +sonshine +godess +doug1 +constanc +thinkbig +steve2 +damnyou +autogod +www333 +kyle1 +ranger7 +roller1 +harry2 +dustin1 +hopalong +tkachuk +b00bies +bill2 +deep111 +stuffit +fire69 +redfish1 +andrei123 +graphix +1fishing +kimbo1 +mlesp31 +ifufkbyf +gurkan +44556 +emily123 +busman +and123 +8546404 +paladine +1world +bulgakov +4294967296 +bball23 +1wwwww +mycats +elain +delta6 +36363 +emilyb +color1 +6060842 +cdtnkfyrf +hedonism +gfgfrfhkj +5551298 +scubad +gostate +sillyme +hdbiker +beardown +fishers +sektor +00000007 +newbaby +rapid1 +braves95 +gator2 +nigge +anthony3 +sammmy +oou812 +heffer +phishin +roxanne1 +yourass +hornet1 +albator +2521659 +underwat +tanusha +dianas +3f3fpht7op +dragon20 +bilbobag +cheroke +radiatio +dwarf1 +majik +33st33 +dochka +garibald +robinh +sham69 +temp01 +wakeboar +violet1 +1w2w3w +registr +tonite +maranello +1593570 +parolamea +galatasara +loranthos +1472583 +asmodean +1362840 +scylla +doneit +jokerr +porkypig +kungen +mercator +koolhaas +come2me +debbie69 +calbear +liverpoolfc +yankees4 +12344321a +kennyb +madma +85200258 +dustin23 +thomas13 +tooling +mikasa +mistic +crfnbyf +112233445 +sofia1 +heinz57 +colts1 +price1 +snowey +joakim +mark11 +963147 +cnhfcnm +kzinti +1bbbbbbb +rubberdu +donthate +rupert1 +sasha1992 +regis1 +nbuhbwf +fanboy +sundial +sooner1 +wayout +vjnjhjkf +deskpro +arkangel +willie12 +mikeyb +celtic1888 +luis1 +buddy01 +duane1 +grandma1 +aolcom +weeman +172839456 +basshead +hornball +magnu +pagedown +molly2 +131517 +rfvtgbyhn +astonmar +mistery +madalina +cash1 +1happy +shenlong +matrix01 +nazarova +369874125 +800500 +webguy +rse2540 +ashley2 +briank +789551 +786110 +chunli +j0nathan +greshnik +courtne +suckmyco +mjollnir +789632147 +asdfg1234 +754321 +odelay +ranma12 +zebedee +artem777 +bmw318is +butt1 +rambler1 +yankees9 +alabam +5w76rnqp +rosies +mafioso +studio1 +babyruth +tranzit +magical123 +gfhjkm135 +12345$ +soboleva +709394 +ubique +drizzt1 +elmers +teamster +pokemons +1472583690 +1597532486 +shockers +merckx +melanie2 +ttocs +clarisse +earth1 +dennys +slobber +flagman +farfalla +troika +4fa82hyx +hakan +x4ww5qdr +cumsuck +leather1 +forum1 +july20 +barbel +zodiak +samuel12 +ford01 +rushfan +bugsy1 +invest1 +tumadre +screwme +a666666 +money5 +henry8 +tiddles +sailaway +starburs +100years +killer01 +comando +hiromi +ranetka +thordog +blackhole +palmeira +verboten +solidsna +q1w1e1 +humme +kevinc +gbrfxe +gevaudan +hannah11 +peter2 +vangar +sharky7 +talktome +jesse123 +chuchi +pammy +!qazxsw2 +siesta +twenty1 +wetwilly +477041 +natural1 +sun123 +daniel3 +intersta +shithead1 +hellyea +bonethugs +solitair +bubbles2 +father1 +nick01 +444000 +adidas12 +dripik +cameron2 +442200 +a7nz8546 +respublika +fkojn6gb +428054 +snoppy +rulez1 +haslo +rachael1 +purple01 +zldej102 +ab12cd34 +cytuehjxrf +madhu +astroman +preteen +handsoff +mrblonde +biggio +testin +vfdhif +twolves +unclesam +asmara +kpydskcw +lg2wmgvr +grolsch +biarritz +feather1 +williamm +s62i93 +bone1 +penske +337733 +336633 +taurus1 +334433 +billet +diamondd +333000 +nukem +fishhook +godogs +thehun +lena1982 +blue00 +smelly1 +unb4g9ty +65pjv22 +applegat +mikehunt +giancarlo +krillin +felix123 +december1 +soapy +46doris +nicole23 +bigsexy1 +justin10 +pingu +bambou +falcon12 +dgthtl +1surfer +qwerty01 +estrellit +nfqcjy +easygo +konica +qazqwe +1234567890m +stingers +nonrev +3e4r5t +champio +bbbbbb99 +196400 +allen123 +seppel +simba2 +rockme +zebra3 +tekken3 +endgame +sandy2 +197300 +fitte +monkey00 +eldritch +littleone +rfyfgkz +1member +66chevy +oohrah +cormac +hpmrbm41 +197600 +grayfox +elvis69 +celebrit +maxwell7 +rodders +krist +1camaro +broken1 +kendall1 +silkcut +katenka +angrick +maruni +17071994a +tktyf +kruemel +snuffles +iro4ka +baby12 +alexis01 +marryme +vlad1994 +forward1 +culero +badaboom +malvin +hardtoon +hatelove +molley +knopo4ka +duchess1 +mensuck +cba321 +kickbutt +zastava +wayner +fuckyou6 +eddie123 +cjkysir +john33 +dragonfi +cody1 +jabell +cjhjrf +badseed +sweden1 +marihuana +brownlov +elland +nike1234 +kwiettie +jonnyboy +togepi +billyk +robert123 +bb334 +florenci +ssgoku +198910 +bristol1 +bob007 +allister +yjdujhjl +gauloise +198920 +bellaboo +9lives +aguilas +wltfg4ta +foxyroxy +rocket69 +fifty50 +babalu +master21 +malinois +kaluga +gogosox +obsessio +yeahrigh +panthers1 +capstan +liza2000 +leigh1 +paintball1 +blueskie +cbr600f3 +bagdad +jose98 +mandreki +shark01 +wonderbo +muledeer +xsvnd4b2 +hangten +200001 +grenden +anaell +apa195 +model1 +245lufpq +zip100 +ghjcgtrn +wert1234 +misty2 +charro +juanjose +fkbcrf +frostbit +badminto +buddyy +1doctor +vanya +archibal +parviz +spunky1 +footboy +dm6tzsgp +legola +samadhi +poopee +ytdxz2ca +hallowboy +dposton +gautie +theworm +guilherme +dopehead +iluvtits +bobbob1 +ranger6 +worldwar +lowkey +chewbaca +oooooo99 +ducttape +dedalus +celular +8i9o0p +borisenko +taylor01 +111111z +arlingto +p3nnywiz +rdgpl3ds +boobless +kcmfwesg +blacksab +mother2 +markus1 +leachim +secret2 +s123456789 +1derful +espero +russell2 +tazzer +marykate +freakme +mollyb +lindros8 +james00 +gofaster +stokrotka +kilbosik +aquamann +pawel1 +shedevil +mousie +slot2009 +october6 +146969 +mm259up +brewcrew +choucho +uliana +sexfiend +fktirf +pantss +vladimi +starz +sheeps +12341234q +bigun +tiggers +crjhjcnm +libtech +pudge1 +home12 +zircon +klaus1 +jerry2 +pink1 +lingus +monkey66 +dumass +polopolo09 +feuerweh +rjyatnf +chessy +beefer +shamen +poohbear1 +4jjcho +bennevis +fatgirls +ujnbrf +cdexswzaq +9noize9 +rich123 +nomoney +racecar1 +hacke +clahay +acuario +getsum +hondacrv +william0 +cheyenn +techdeck +atljhjdf +wtcacq +suger +fallenangel +bammer +tranquil +carla123 +relayer +lespaul1 +portvale +idontno +bycnbnen +trooper2 +gennadiy +pompon +billbob +amazonka +akitas +chinatow +atkbrc +busters +fitness1 +cateye +selfok2013 +1murphy +fullhous +mucker +bajskorv +nectarin +littlebitch +love24 +feyenoor +bigal37 +lambo1 +pussybitch +icecube1 +biged +kyocera +ltybcjdf +boodle +theking1 +gotrice +sunset1 +abm1224 +fromme +sexsells +inheat +kenya1 +swinger1 +aphrodit +kurtcobain +rhind101 +poidog +poiulkjh +kuzmina +beantown +tony88 +stuttgar +drumer +joaqui +messenge +motorman +amber2 +nicegirl +rachel69 +andreia +faith123 +studmuffin +jaiden +red111 +vtkmybr +gamecocks +gumper +bosshogg +4me2know +tokyo1 +kleaner +roadhog +fuckmeno +phoenix3 +seeme +buttnutt +boner69 +andreyka +myheart +katerin +rugburn +jvtuepip +dc3ubn +chile1 +ashley69 +happy99 +swissair +balls2 +fylhttdf +jimboo +55555d +mickey11 +voronin +m7hsqstm +stufff +merete +weihnachte +dowjones +baloo1 +freeones +bears34 +auburn1 +beverl +timberland +1elvis +guinness1 +bombadil +flatron1 +logging7 +telefoon +merl1n +masha1 +andrei1 +cowabung +yousuck1 +1matrix +peopl +asd123qwe +sweett +mirror1 +torrente +joker12 +diamond6 +jackaroo +00000a +millerlite +ironhorse +2twins +stryke +gggg1 +zzzxxxccc +roosevel +8363eddy +angel21 +depeche1 +d0ct0r +blue14 +areyou +veloce +grendal +frederiksberg +cbcntvf +cb207sl +sasha2000 +was.here +fritzz +rosedale +spinoza +cokeisit +gandalf3 +skidmark +ashley01 +12345j +1234567890qaz +sexxxxxx +beagles +lennart +12345789 +pass10 +politic +max007 +gcheckou +12345611 +tiffy +lightman +mushin +velosiped +brucewayne +gauthie +elena123 +greenegg +h2oski +clocker +nitemare +123321s +megiddo +cassidy1 +david13 +boywonde +flori +peggy12 +pgszt6md +batterie +redlands +scooter6 +bckhere +trueno +bailey11 +maxwell2 +bandana +timoth1 +startnow +ducati74 +tiern +maxine1 +blackmetal +suzyq +balla007 +phatfarm +kirsten1 +titmouse +benhogan +culito +forbin +chess1 +warren1 +panman +mickey7 +24lover +dascha +speed2 +redlion +andrew10 +johnwayn +nike23 +chacha1 +bendog +bullyboy +goldtree +spookie +tigger99 +1cookie +poutine +cyclone1 +woodpony +camaleun +bluesky1 +dfadan +eagles20 +lovergirl +peepshow +mine1 +dima1989 +rjdfkmxer +11111aaaaa +machina +august17 +1hhhhh +0773417k +1monster +freaksho +jazzmin +davidw +kurupt +chumly +huggies +sashenka +ccccccc1 +bridge1 +giggalo +cincinna +pistol1 +hello22 +david77 +lightfoo +lucky6 +jimmy12 +261397 +lisa12 +tabaluga +mysite +belo4ka +greenn +eagle99 +punkrawk +salvado +slick123 +wichsen +knight99 +dummys +fefolico +contrera +kalle1 +anna1984 +delray +robert99 +garena +pretende +racefan +alons +serenada +ludmilla +cnhtkjr +l0swf9gx +hankster +dfktynbyrf +sheep1 +john23 +cv141ab +kalyani +944turbo +crystal2 +blackfly +zrjdktdf +eus1sue1 +mario5 +riverplate +harddriv +melissa3 +elliott1 +sexybitc +cnhfyybr +jimdavis +bollix +beta1 +amberlee +skywalk1 +natala +1blood +brattax +shitty1 +gb15kv99 +ronjon +rothmans +thedoc +joey21 +hotboi +firedawg +bimbo38 +jibber +aftermat +nomar +01478963 +phishing +domodo +anna13 +materia +martha1 +budman1 +gunblade +exclusiv +sasha1997 +anastas +rebecca2 +fackyou +kallisti +fuckmyass +norseman +ipswich1 +151500 +1edward +intelinside +darcy1 +bcrich +yjdjcnbf +failte +buzzzz +cream1 +tatiana1 +7eleven +green8 +153351 +1a2s3d4f5g6h +154263 +milano1 +bambi1 +bruins77 +rugby2 +jamal1 +bolita +sundaypunch +bubba12 +realmadr +vfyxtcnth +iwojima +notlob +black666 +valkiria +nexus1 +millerti +birthday100 +swiss1 +appollo +gefest +greeneyes +celebrat +tigerr +slava123 +izumrud +bubbabub +legoman +joesmith +katya123 +sweetdream +john44 +wwwwwww1 +oooooo1 +socal +lovespor +s5r8ed67s +258147 +heidis +cowboy22 +wachovia +michaelb +qwe1234567 +i12345 +255225 +goldie1 +alfa155 +45colt +safeu851 +antonova +longtong +1sparky +gfvznm +busen +hjlbjy +whateva +rocky4 +cokeman +joshua3 +kekskek1 +sirocco +jagman +123456qwert +phinupi +thomas10 +loller +sakur +vika2011 +fullred +mariska +azucar +ncstate +glenn74 +halima +aleshka +ilovemylife +verlaat +baggie +scoubidou6 +phatboy +jbruton +scoop1 +barney11 +blindman +def456 +maximus2 +master55 +nestea +11223355 +diego123 +sexpistols +sniffy +philip1 +f12345 +prisonbreak +nokia2700 +ajnjuhfa +yankees3 +colfax +ak470000 +mtnman +bdfyeirf +fotball +ichbin +trebla +ilusha +riobravo +beaner1 +thoradin +polkaudi +kurosawa +honda123 +ladybu +valerik +poltava +saviola +fuckyouguys +754740g0 +anallove +microlab1 +juris01 +ncc1864 +garfild +shania1 +qagsud +makarenko +cindy69 +lebedev +andrew11 +johnnybo +groovy1 +booster1 +sanders1 +tommyb +johnson4 +kd189nlcih +hondaman +vlasova +chick1 +sokada +sevisgur +bear2327 +chacho +sexmania +roma1993 +hjcnbckfd +valley1 +howdie +tuppence +jimandanne +strike3 +y4kuz4 +nhfnfnf +tsubasa +19955991 +scabby +quincunx +dima1998 +uuuuuu1 +logica +skinner1 +pinguino +lisa1234 +xpressmusic +getfucked +qqqq1 +bbbb1 +matulino +ulyana +upsman +johnsmith +123579 +co2000 +spanner1 +todiefor +mangoes +isabel1 +123852 +negra +snowdon +nikki123 +bronx1 +booom +ram2500 +chuck123 +fireboy +creek1 +batman13 +princesse +az12345 +maksat +1knight +28infern +241455 +r7112s +muselman +mets1986 +katydid +vlad777 +playme +kmfdm1 +asssex +1prince +iop890 +bigbroth +mollymoo +waitron +lizottes +125412 +juggler +quinta +0sister0 +zanardi +nata123 +heckfyxbr +22q04w90e +engine2 +nikita95 +zamira +hammer22 +lutscher +carolina1 +zz6319 +sanman +vfuflfy +buster99 +rossco +kourniko +aggarwal +tattoo1 +janice1 +finger1 +125521 +19911992 +shdwlnds +rudenko +vfvfgfgf123 +galatea +monkeybu +juhani +premiumcash +classact +devilmay +helpme2 +knuddel +hardpack +ramil +perrit +basil1 +zombie13 +stockcar +tos8217 +honeypie +nowayman +alphadog +melon1 +talula +125689 +tiribon12 +tornike +haribol +telefone +tiger22 +sucka +lfytxrf +chicken123 +muggins +a23456 +b1234567 +lytdybr +otter1 +pippa +vasilisk +cooking1 +helter +78978 +bestboy +viper7 +ahmed1 +whitewol +mommys +apple5 +shazam1 +chelsea7 +kumiko +masterma +rallye +bushmast +jkz123 +entrar +andrew6 +nathan01 +alaric +tavasz +heimdall +gravy1 +jimmy99 +cthlwt +powerr +gthtrhtcnjr +canesfan +sasha11 +ybrbnf_25 +august9 +brucie +artichok +arnie1 +superdude +tarelka +mickey22 +dooper +luners +holeshot +good123 +gettysbu +bicho +hammer99 +divine5 +1zxcvbn +stronzo +q22222 +disne +bmw750il +godhead +hallodu +aerith +nastik +differen +cestmoi +amber69 +5string +pornosta +dirtygirl +ginger123 +formel1 +scott12 +honda200 +hotspurs +johnatha +firstone123 +lexmark1 +msconfig +karlmasc +l123456 +123qweasdzx +baldman +sungod +furka +retsub +9811020 +ryder1 +tcglyued +astron +lbvfcbr +minddoc +dirt49 +baseball12 +tbear +simpl +schuey +artimus +bikman +plat1num +quantex +gotyou +hailey1 +justin01 +ellada +8481068 +000002 +manimal +dthjybxrf +buck123 +dick123 +6969696 +nospam +strong1 +kodeord +bama12 +123321w +superman123 +gladiolus +nintend +5792076 +dreamgirl +spankme1 +gautam +arianna1 +titti +tetas +cool1234 +belladog +importan +4206969 +87e5nclizry +teufelo7 +doller +yfl.irf +quaresma +3440172 +melis +bradle +nnmaster +fast1 +iverso +blargh +lucas12 +chrisg +iamsam +123321az +tomjerry +kawika +2597174 +standrew +billyg +muskan +gizmodo2 +rz93qpmq +870621345 +sathya +qmezrxg4 +januari +marthe +moom4261 +cum2me +hkger286 +lou1988 +suckit1 +croaker +klaudia1 +753951456 +aidan1 +fsunoles +romanenko +abbydog +isthebes +akshay +corgi +fuck666 +walkman555 +ranger98 +scorpian +hardwareid +bluedragon +fastman +2305822q +iddqdiddqd +1597532 +gopokes +zvfrfcb +w1234567 +sputnik1 +tr1993 +pa$$w0rd +2i5fdruv +havvoc +1357913 +1313131 +bnm123 +cowd00d +flexscan +thesims2 +boogiema +bigsexxy +powerstr +ngc4565 +joshman +babyboy1 +123jlb +funfunfu +qwe456 +honor1 +puttana +bobbyj +daniel21 +pussy12 +shmuck +1232580 +123578951 +maxthedo +hithere1 +bond0007 +gehenna +nomames +blueone +r1234567 +bwana +gatinho +1011111 +torrents +cinta +123451234 +tiger25 +money69 +edibey +pointman +mmcm19 +wales1 +caffreys +phaedra +bloodlus +321ret32 +rufuss +tarbit +joanna1 +102030405 +stickboy +lotrfotr34 +jamshid +mclarenf1 +ataman +99ford +yarrak +logan2 +ironlung +pushistik +dragoon1 +unclebob +tigereye +pinokio +tylerj +mermaid1 +stevie1 +jaylen +888777 +ramana +roman777 +brandon7 +17711771s +thiago +luigi1 +edgar1 +brucey +videogam +classi +birder +faramir +twiddle +cubalibre +grizzy +fucky +jjvwd4 +august15 +idinahui +ranita +nikita1998 +123342 +w1w2w3 +78621323 +4cancel +789963 +(null +vassago +jaydog472 +123452 +timt42 +canada99 +123589 +rebenok +htyfnf +785001 +osipov +maks123 +neverwinter +love2010 +777222 +67390436 +eleanor1 +bykemo +aquemini +frogg +roboto +thorny +shipmate +logcabin +66005918 +nokian +gonzos +louisian +1abcdefg +triathlo +ilovemar +couger +letmeino +supera +runvs +fibonacci +muttly +58565254 +5thgbqi +vfnehsv +electr +jose12 +artemis1 +newlove +thd1shr +hawkey +grigoryan +saisha +tosca +redder +lifesux +temple1 +bunnyman +thekids +sabbeth +tarzan1 +182838 +158uefas +dell50 +1super +666222 +47ds8x +jackhamm +mineonly +rfnfhbyf +048ro +665259 +kristina1 +bombero +52545856 +secure1 +bigloser +peterk +alex2 +51525354 +anarchy1 +superx +teenslut +money23 +sigmapi +sanfrancisco +acme34 +private5 +eclips +qwerttrewq +axelle +kokain +hardguy +peter69 +jesuschr +dyanna +dude69 +sarah69 +toyota91 +amberr +45645645 +bugmenot +bigted +44556677 +556644 +wwr8x9pu +alphaome +harley13 +kolia123 +wejrpfpu +revelati +nairda +sodoff +cityboy +pinkpussy +dkalis +miami305 +wow12345 +triplet +tannenbau +asdfasdf1 +darkhors +527952 +retired1 +soxfan +nfyz123 +37583867 +goddes +515069 +gxlmxbewym +1warrior +36925814 +dmb2011 +topten +karpova +89876065093rax +naturals +gateway9 +cepseoun +turbot +493949 +cock22 +italia1 +sasafras +gopnik +stalke +1qazxdr5 +wm2006 +ace1062 +alieva +blue28 +aracel +sandia +motoguzz +terri1 +emmajane +conej +recoba +alex1995 +jerkyboy +cowboy12 +arenrone +precisio +31415927 +scsa316 +panzer1 +studly1 +powerhou +bensam +mashoutq +billee +eeyore1 +reape +thebeatl +rul3z +montesa +doodle1 +cvzefh1gk +424365 +a159753 +zimmerma +gumdrop +ashaman +grimreap +icandoit +borodina +branca +dima2009 +keywest1 +vaders +bubluk +diavolo +assss +goleta +eatass +napster1 +382436 +369741 +5411pimo +lenchik +pikach +gilgamesh +kalimera +singer1 +gordon2 +rjycnbnewbz +maulwurf +joker13 +2much4u +bond00 +alice123 +robotec +fuckgirl +zgjybz +redhorse +margaret1 +brady1 +pumpkin2 +chinky +fourplay +1booger +roisin +1brandon +sandan +blackheart +cheez +blackfin +cntgfyjdf +mymoney1 +09080706 +goodboss +sebring1 +rose1 +kensingt +bigboner +marcus12 +ym3cautj +struppi +thestone +lovebugs +stater +silver99 +forest99 +qazwsx12345 +vasile +longboar +mkonji +huligan +rhfcbdfz +airmail +porn11 +1ooooo +sofun +snake2 +msouthwa +dougla +1iceman +shahrukh +sharona +dragon666 +france98 +196800 +196820 +ps253535 +zjses9evpa +sniper01 +design1 +konfeta +jack99 +drum66 +good4you +station2 +brucew +regedit +school12 +mvtnr765 +pub113 +fantas +tiburon1 +king99 +ghjcnjgbpltw +checkito +308win +1ladybug +corneliu +svetasveta +197430 +icicle +imaccess +ou81269 +jjjdsl +brandon6 +bimbo1 +smokee +piccolo1 +3611jcmg +children2 +cookie2 +conor1 +darth1 +margera +aoi856 +paully +ou812345 +sklave +eklhigcz +30624700 +amazing1 +wahooo +seau55 +1beer +apples2 +chulo +dolphin9 +heather6 +198206 +198207 +hergood +miracle1 +njhyflj +4real +milka +silverfi +fabfive +spring12 +ermine +mammy +jumpjet +adilbek +toscana +caustic +hotlove +sammy69 +lolita1 +byoung +whipme +barney01 +mistys +tree1 +buster3 +kaylin +gfccgjhn +132333 +aishiteru +pangaea +fathead1 +smurph +198701 +ryslan +gasto +xexeylhf +anisimov +chevyss +saskatoo +brandy12 +tweaker +irish123 +music2 +denny1 +palpatin +outlaw1 +lovesuck +woman1 +mrpibb +diadora +hfnfneq +poulette +harlock +mclaren1 +cooper12 +newpass3 +bobby12 +rfgecnfcerf +alskdjfh +mini14 +dukers +raffael +199103 +cleo123 +1234567qwertyu +mossberg +scoopy +dctulf +starline +hjvjxrf +misfits1 +rangers2 +bilbos +blackhea +pappnase +atwork +purple2 +daywalker +summoner +1jjjjjjj +swansong +chris10 +laluna +12345qqq +charly1 +lionsden +money99 +silver33 +hoghead +bdaddy +199430 +saisg002 +nosaints +tirpitz +1gggggg +jason13 +kingss +ernest1 +0cdh0v99ue +pkunzip +arowana +spiri +deskjet1 +armine +lances +magic2 +thetaxi +14159265 +cacique +14142135 +orange10 +richard0 +backdraf +255ooo +humtum +kohsamui +c43dae874d +wrestling1 +cbhtym +sorento +megha +pepsiman +qweqwe12 +bliss7 +mario64 +korolev +balls123 +schlange +gordit +optiquest +fatdick +fish99 +richy +nottoday +dianne1 +armyof1 +1234qwerasdfzxcv +bbonds +aekara +lidiya +baddog1 +yellow5 +funkie +ryan01 +greentree +gcheckout +marshal1 +liliput +000000z +rfhbyrf +gtogto43 +rumpole +tarado +marcelit +aqwzsxedc +kenshin1 +sassydog +system12 +belly1 +zilla +kissfan +tools1 +desember +donsdad +nick11 +scorpio6 +poopoo1 +toto99 +steph123 +dogfuck +rocket21 +thx113 +dude12 +sanek +sommar +smacky +pimpsta +letmego +k1200rs +lytghjgtnhjdcr +abigale +buddog +deles +baseball9 +roofus +carlsbad +hamzah +hereiam +genial +schoolgirlie +yfz450 +breads +piesek +washear +chimay +apocalyp +nicole18 +gfgf1234 +gobulls +dnevnik +wonderwall +beer1234 +1moose +beer69 +maryann1 +adpass +mike34 +birdcage +hottuna +gigant +penquin +praveen +donna123 +123lol123 +thesame +fregat +adidas11 +selrahc +pandoras +test3 +chasmo +111222333000 +pecos +daniel11 +ingersol +shana1 +mama12345 +cessna15 +myhero +1simpson +nazarenko +cognit +seattle2 +irina1 +azfpc310 +rfycthdf +hardy1 +jazmyn +sl1200 +hotlanta +jason22 +kumar123 +sujatha +fsd9shtyu +highjump +changer +entertai +kolding +mrbig +sayuri +eagle21 +qwertzu +jorge1 +0101dd +bigdong +ou812a +sinatra1 +htcnjhfy +oleg123 +videoman +pbyfblf +tv612se +bigbird1 +kenaidog +gunite +silverma +ardmore +123123qq +hotbot +cascada +cbr600f4 +harakiri +chico123 +boscos +aaron12 +glasgow1 +kmn5hc +lanfear +1light +liveoak +fizika +ybrjkftdyf +surfside +intermilan +multipas +redcard +72chevy +balata +coolio1 +schroede +kanat +testerer +camion +kierra +hejmeddig +antonio2 +tornados +isidor +pinkey +n8skfswa +ginny1 +houndog +1bill +chris25 +hastur +1marine +greatdan +french1 +hatman +123qqq +z1z2z3z4 +kicker1 +katiedog +usopen +smith22 +mrmagoo +1234512i +assa123 +7seven7 +monster7 +june12 +bpvtyf +149521 +guenter +alex1985 +voronina +mbkugegs +zaqwsxcderfv +rusty5 +mystic1 +master0 +abcdef12 +jndfkb +r4zpm3 +cheesey +skripka +blackwhite +sharon69 +dro8smwq +lektor +techman +boognish +deidara +heckfyf +quietkey +authcode +monkey4 +jayboy +pinkerto +merengue +chulita +bushwick +turambar +kittykit +joseph2 +dad123 +kristo +pepote +scheiss +hambone1 +bigballa +restaura +tequil +111luzer +euro2000 +motox +denhaag +chelsi +flaco1 +preeti +lillo +1001sin +passw +august24 +beatoff +555555d +willis1 +kissthis +qwertyz +rvgmw2gl +iloveboobies +timati +kimbo +msinfo +dewdrop +sdbaker +fcc5nky2 +messiah1 +catboy +small1 +chode +beastie1 +star77 +hvidovre +short1 +xavie +dagobah +alex1987 +papageno +dakota2 +toonami +fuerte +jesus33 +lawina +souppp +dirtybir +chrish +naturist +channel1 +peyote +flibble +gutentag +lactate +killem +zucchero +robinho +ditka +grumpy1 +avr7000 +boxxer +topcop +berry1 +mypass1 +beverly1 +deuce1 +9638527410 +cthuttdf +kzkmrf +lovethem +band1t +cantona1 +purple11 +apples123 +wonderwo +123a456 +fuzzie +lucky99 +dancer2 +hoddling +rockcity +winner12 +spooty +mansfiel +aimee1 +287hf71h +rudiger +culebra +god123 +agent86 +daniel0 +bunky1 +notmine +9ball +goofus +puffy1 +xyh28af4 +kulikov +bankshot +vurdf5i2 +kevinm +ercole +sexygirls +razvan +october7 +goater +lollie +raissa +thefrog +mdmaiwa3 +mascha +jesussaves +union1 +anthony9 +crossroa +brother2 +areyuke +rodman91 +toonsex +dopeman +gericom +vaz2115 +cockgobbler +12356789 +12345699 +signatur +alexandra1 +coolwhip +erwin1 +awdrgyjilp +pens66 +ghjrjgtyrj +linkinpark +emergenc +psych0 +blood666 +bootmort +wetworks +piroca +johnd +iamthe1 +supermario +homer69 +flameon +image1 +bebert +fylhtq1 +annapoli +apple11 +hockey22 +10048 +indahouse +mykiss +1penguin +markp +misha123 +foghat +march11 +hank1 +santorin +defcon4 +tampico +vbnhjafy +robert22 +bunkie +athlon64 +sex777 +nextdoor +koskesh +lolnoob +seemnemaailm +black23 +march15 +yeehaa +chiqui +teagan +siegheil +monday2 +cornhusk +mamusia +chilis +sthgrtst +feldspar +scottm +pugdog +rfghjy +micmac +gtnhjdyf +terminato +1jackson +kakosja +bogomol +123321aa +rkbvtyrj +tresor +tigertig +fuckitall +vbkkbjy +caramon +zxc12 +balin +dildo1 +soccer09 +avata +abby123 +cheetah1 +marquise +jennyc +hondavfr +tinti +anna1985 +dennis2 +jorel +mayflowe +icema +hal2000 +nikkis +bigmouth +greenery +nurjan +leonov +liberty7 +fafnir +larionov +sat321321 +byteme1 +nausicaa +hjvfynbrf +everto +zebra123 +sergio1 +titone +wisdom1 +kahala +104328q +marcin1 +salima +pcitra +1nnnnn +nalini +galvesto +neeraj +rick1 +squeeky +agnes1 +jitterbu +agshar +maria12 +0112358 +traxxas +stivone +prophet1 +bananza +sommer1 +canoneos +hotfun +redsox11 +1bigmac +dctdjkjl +legion1 +everclea +valenok +black9 +danny001 +roxie1 +1theman +mudslide +july16 +lechef +chula +glamis +emilka +canbeef +ioanna +cactus1 +rockshox +im2cool +ninja9 +thvfrjdf +june28 +milo17 +missyou +micky1 +nbibyf +nokiaa +goldi +mattias +fuckthem +asdzxc123 +ironfist +junior01 +nesta +crazzy +killswit +hygge +zantac +kazama +melvin1 +allston +maandag +hiccup +prototyp +specboot +dwl610 +hello6 +159456 +baldhead +redwhite +calpoly +whitetail +agile1 +cousteau +matt01 +aust1n +malcolmx +gjlfhjr +semperf1 +ferarri +a1b2c3d +vangelis +mkvdari +bettis36 +andzia +comand +tazzman +morgaine +pepluv +anna1990 +inandout +anetka +anna1997 +wallpape +moonrake +huntress +hogtie +cameron7 +sammy7 +singe11 +clownboy +newzeala +wilmar +safrane +rebeld +poopi +granat +hammertime +nermin +11251422 +xyzzy1 +bogeys +jkmxbr +fktrcfyl +11223311 +nfyrbcn +11223300 +powerpla +zoedog +ybrbnbyf +zaphod42 +tarawa +jxfhjdfirf +dude1234 +g5wks9 +goobe +czekolada +blackros +amaranth +medical1 +thereds +julija +nhecsyfujkjdt +promopas +buddy4 +marmalad +weihnachten +tronic +letici +passthief +67mustan +ds7zamnw +morri +w8woord +cheops +pinarell +sonofsam +av473dv +sf161pn +5c92v5h6 +purple13 +tango123 +plant1 +1baby +xufrgemw +fitta +1rangers +spawns +kenned +taratata +19944991 +11111118 +coronas +4ebouux8 +roadrash +corvette1 +dfyjdf846 +marley12 +qwaszxerdfcv +68stang +67stang +racin +ellehcim +sofiko +nicetry +seabass1 +jazzman1 +zaqwsx1 +laz2937 +uuuuuuu1 +vlad123 +rafale +j1234567 +223366 +nnnnnn1 +226622 +junkfood +asilas +cer980 +daddymac +persepho +neelam +00700 +shithappens +255555 +qwertyy +xbox36 +19755791 +qweasd1 +bearcub +jerryb +a1b1c1 +polkaudio +basketball1 +456rty +1loveyou +marcus2 +mama1961 +palace1 +transcend +shuriken +sudhakar +teenlove +anabelle +matrix99 +pogoda +notme +bartend +jordana +nihaoma +ataris +littlegi +ferraris +redarmy +giallo +fastdraw +accountbloc +peludo +pornostar +pinoyako +cindee +glassjaw +dameon +johnnyd +finnland +saudade +losbravo +slonko +toplay +smalltit +nicksfun +stockhol +penpal +caraj +divedeep +cannibus +poppydog +pass88 +viktory +walhalla +arisia +lucozade +goldenbo +tigers11 +caball +ownage123 +tonna +handy1 +johny +capital5 +faith2 +stillher +brandan +pooky1 +antananarivu +hotdick +1justin +lacrimos +goathead +bobrik +cgtwbfkbcn +maywood +kamilek +gbplf123 +gulnar +beanhead +vfvjyn +shash +viper69 +ttttttt1 +hondacr +kanako +muffer +dukies +justin123 +agapov58 +mushka +bad11bad +muleman +jojo123 +andreika +makeit +vanill +boomers +bigals +merlin11 +quacker +aurelien +spartak1922 +ligeti +diana2 +lawnmowe +fortune1 +awesom +rockyy +anna1994 +oinker +love88 +eastbay +ab55484 +poker0 +ozzy666 +papasmurf +antihero +photogra +ktm250 +painkill +jegr2d2 +p3orion +canman +dextur +qwest123 +samboy +yomismo +sierra01 +herber +vfrcbvvfrcbv +gloria1 +llama1 +pie123 +bobbyjoe +buzzkill +skidrow +grabber +phili +javier1 +9379992q +geroin +oleg1994 +sovereig +rollover +zaq12qaz +battery1 +killer13 +alina123 +groucho1 +mario12 +peter22 +butterbean +elise1 +lucycat +neo123 +ferdi +golfer01 +randie +gfhfyjbr +ventura1 +chelsea3 +pinoy +mtgox +yrrim7 +shoeman +mirko +ffggyyo +65mustan +ufdibyjd +john55 +suckfuck +greatgoo +fvfnjhb +mmmnnn +love20 +1bullshi +sucesso +easy1234 +robin123 +rockets1 +diamondb +wolfee +nothing0 +joker777 +glasnost +richar1 +guille +sayan +koresh +goshawk +alexx +batman21 +a123456b +hball +243122 +rockandr +coolfool +isaia +mary1 +yjdbrjdf +lolopc +cleocat +cimbo +lovehina +8vfhnf +passking +bonapart +diamond2 +bigboys +kreator +ctvtyjdf +sassy123 +shellac +table54781 +nedkelly +philbert +sux2bu +nomis +sparky99 +python1 +littlebear +numpty +silmaril +sweeet +jamesw +cbufhtnf +peggysue +wodahs +luvsex +wizardry +venom123 +love4you +bama1 +samat +reviewpass +ned467 +cjkjdtq +mamula +gijoe +amersham +devochka +redhill +gisel +preggo +polock +cando +rewster +greenlantern +panasonik +dave1234 +mikeee +1carlos +miledi +darkness1 +p0o9i8u7y6 +kathryn1 +happyguy +dcp500 +assmaster +sambuka +sailormo +antonio3 +logans +18254288 +nokiax2 +qwertzuiop +zavilov +totti +xenon1 +edward11 +targa1 +something1 +tony_t +q1w2e3r4t5y6u7i8o9p0 +02551670 +vladimir1 +monkeybutt +greenda +neel21 +craiger +saveliy +dei008 +honda450 +fylhtq95 +spike2 +fjnq8915 +passwordstandard +vova12345 +talonesi +richi +gigemags +pierre1 +westin +trevoga +dorothee +bastogne +25563o +brandon3 +truegrit +krimml +iamgreat +servis +a112233 +paulinka +azimuth +corperfmonsy +358hkyp +homerun1 +dogbert1 +eatmyass +cottage1 +savina +baseball7 +bigtex +gimmesum +asdcxz +lennon1 +a159357 +1bastard +413276191q +pngfilt +pchealth +netsnip +bodiroga +1matt +webtvs +ravers +adapters +siddis +mashamasha +coffee2 +myhoney +anna1982 +marcia1 +fairchil +maniek +iloveluc +batmonh +wildon +bowie1 +netnwlnk +fancy1 +tom204 +olga1976 +vfif123 +queens1 +ajax01 +lovess +mockba +icam4usb +triada +odinthor +rstlne +exciter +sundog +anchorat +girls69 +nfnmzyrf +soloma +gti16v +shadowman +ottom +rataros +tonchin +vishal +chicken0 +pornlo +christiaan +volante +likesit +mariupol +runfast +gbpltw123 +missys +villevalo +kbpjxrf +ghibli +calla +cessna172 +kinglear +dell11 +swift1 +walera +1cricket +pussy5 +turbo911 +tucke +maprchem56458 +rosehill +thekiwi1 +ygfxbkgt +mandarinka +98xa29 +magnit +cjfrf +paswoord +grandam1 +shenmue +leedsuni +hatrick +zagadka +angeldog +michaell +dance123 +koichi +bballs +29palms +xanth +228822 +ppppppp1 +1kkkkk +1lllll +mynewbots +spurss +madmax1 +224455 +city1 +mmmmmmm1 +nnnnnnn1 +biedronka +thebeatles +elessar +f14tomcat +jordan18 +bobo123 +ayi000 +tedbear +86chevyx +user123 +bobolink +maktub +elmer1 +flyfishi +franco1 +gandalf0 +traxdata +david21 +enlighte +dmitrij +beckys +1giants +flippe +12345678w +jossie +rugbyman +snowcat +rapeme +peanut11 +gemeni +udders +techn9ne +armani1 +chappie +war123 +vakantie +maddawg +sewanee +jake5253 +tautt1 +anthony5 +letterma +jimbo2 +kmdtyjr +hextall +jessica6 +amiga500 +hotcunt +phoenix9 +veronda +saqartvelo +scubas +sixer3 +williamj +nightfal +shihan +melnikova +kosssss +handily +killer77 +jhrl0821 +march17 +rushman +6gcf636i +metoyou +irina123 +mine11 +primus1 +formatters +matthew5 +infotech +gangster1 +jordan45 +moose69 +kompas +motoxxx +greatwhi +cobra12 +kirpich +weezer1 +hello23 +montse +tracy123 +connecte +cjymrf +hemingwa +azreal +gundam00 +mobila +boxman +slayers1 +ravshan +june26 +fktrcfylhjd +bermuda1 +tylerd +maersk +qazwsx11 +eybdthcbntn +ash123 +camelo +kat123 +backd00r +cheyenne1 +1king +jerkin +tnt123 +trabant +warhammer40k +rambos +punto +home77 +pedrito +1frank +brille +guitarman +george13 +rakas +tgbxtcrbq +flute1 +bananas1 +lovezp1314 +thespot +postie +buster69 +sexytime +twistys +zacharia +sportage +toccata +denver7 +terry123 +bogdanova +devil69 +higgins1 +whatluck +pele10 +kkk666 +jeffery1 +1qayxsw2 +riptide1 +chevy11 +munchy +lazer1 +hooker1 +ghfgjh +vergesse +playgrou +4077mash +gusev +humpin +oneputt +hydepark +monster9 +tiger8 +tangsoo +guy123 +hesoyam1 +uhtqneyu +thanku +lomond +ortezza +kronik +geetha +rabbit66 +killas +qazxswe +alabaste +1234567890qwerty +capone1 +andrea12 +geral +beatbox +slutfuck +booyaka +jasmine7 +ostsee +maestro1 +beatme +tracey1 +buster123 +donaldduck +ironfish +happy6 +konnichi +gintonic +momoney1 +dugan1 +today2 +enkidu +destiny2 +trim7gun +katuha +fractals +morganstanley +polkadot +gotime +prince11 +204060 +fifa2010 +bobbyt +seemee +amanda10 +airbrush +bigtitty +heidie +layla1 +cotton1 +5speed +fyfnjkmtdyf +flynavy +joxury8f +meeko +akuma +dudley1 +flyboy1 +moondog1 +trotters +mariami +signin +chinna +legs11 +pussy4 +1s1h1e1f1 +felici +optimus1 +iluvu +marlins1 +gavaec +balance1 +glock40 +london01 +kokot +southwes +comfort1 +sammy11 +rockbottom +brianc +litebeer +homero +chopsuey +greenlan +charit +freecell +hampster +smalldog +viper12 +blofeld +1234567890987654321 +realsex +romann +cartman2 +cjdthitycndj +nelly1 +bmw528 +zwezda +masterba +jeep99 +turtl +america2 +sunburst +sanyco +auntjudy +125wm +blue10 +qwsazx +cartma +toby12 +robbob +red222 +ilovecock +losfix16 +1explore +helge +vaz2114 +whynotme +baba123 +mugen +1qazwsxedc +albertjr +0101198 +sextime +supras +nicolas2 +wantsex +pussy6 +checkm8 +winam +24gordon +misterme +curlew +gbljhfcs +medtech +franzi +butthea +voivod +blackhat +egoiste +pjkeirf +maddog69 +pakalolo +hockey4 +igor1234 +rouges +snowhite +homefree +sexfreak +acer12 +dsmith +blessyou +199410 +vfrcbvjd +falco02 +belinda1 +yaglasph +april21 +groundho +jasmin1 +nevergiveup +elvir +gborv526 +c00kie +emma01 +awesome2 +larina +mike12345 +maximu +anupam +bltynbabrfwbz +tanushka +sukkel +raptor22 +josh12 +schalke04 +cosmodog +fuckyou8 +busybee +198800 +bijoux +frame1 +blackmor +giveit +issmall +bear13 +123-123 +bladez +littlegirl +ultra123 +fletch1 +flashnet +loploprock +rkelly +12step +lukas1 +littlewhore +cuntfinger +stinkyfinger +laurenc +198020 +n7td4bjl +jackie69 +camel123 +ben1234 +1gateway +adelheid +fatmike +thuglove +zzaaqq +chivas1 +4815162342q +mamadou +nadano +james22 +benwin +andrea99 +rjirf +michou +abkbgg +d50gnn +aaazzz +a123654 +blankman +booboo11 +medicus +bigbone +197200 +justine1 +bendix +morphius +njhvjp +44mag +zsecyus56 +goodbye1 +nokiadermo +a333444 +waratsea +4rzp8ab7 +fevral +brillian +kirbys +minim +erathia +grazia +zxcvb1234 +dukey +snaggle +poppi +hymen +1video +dune2000 +jpthjdf +cvbn123 +zcxfcnkbdfz +astonv +ginnie +316271 +engine3 +pr1ncess +64chevy +glass1 +laotzu +hollyy +comicbooks +assasins +nuaddn9561 +scottsda +hfcnfvfy +accobra +7777777z +werty123 +metalhead +romanson +redsand +365214 +shalo +arsenii +1989cc +sissi +duramax +382563 +petera +414243 +mamapap +jollymon +field1 +fatgirl +janets +trompete +matchbox20 +rambo2 +nepenthe +441232 +qwertyuiop10 +bozo123 +phezc419hv +romantika +lifestyl +pengui +decembre +demon6 +panther6 +444888 +scanman +ghjcnjabkz +pachanga +buzzword +indianer +spiderman3 +tony12 +startre +frog1 +fyutk +483422 +tupacshakur +albert12 +1drummer +bmw328i +green17 +aerdna +invisibl +summer13 +calimer +mustaine +lgnu9d +morefun +hesoyam123 +escort1 +scrapland +stargat +barabbas +dead13 +545645 +mexicali +sierr +gfhfpbn +gonchar +moonstafa +searock +counte +foster1 +jayhawk1 +floren +maremma +nastya2010 +softball1 +adaptec +halloo +barrabas +zxcasd123 +hunny +mariana1 +kafedra +freedom0 +green420 +vlad1234 +method7 +665566 +tooting +hallo12 +davinchi +conducto +medias +666444 +invernes +madhatter +456asd +12345678i +687887 +le33px +spring00 +help123 +bellybut +billy5 +vitalik1 +river123 +gorila +bendis +power666 +747200 +footslav +acehigh +qazxswedc123 +q1a1z1 +richard9 +peterburg +tabletop +gavrilov +123qwe1 +kolosov +fredrau +run4fun +789056 +jkbvgbflf +chitra +87654321q +steve22 +wideopen +access88 +surfe +tdfyutkbjy +impossib +kevin69 +880888 +cantina +887766 +wxcvb +dontforg +qwer1209 +asslicke +mamma123 +indig +arkasha +scrapp +morelia +vehxbr +jones2 +scratch1 +cody11 +cassie12 +gerbera +dontgotm +underhil +maks2010 +hollywood1 +hanibal +elena2010 +jason11 +1010321 +stewar +elaman +fireplug +goodby +sacrific +babyphat +bobcat12 +bruce123 +1233215 +tony45 +tiburo +love15 +bmw750 +wallstreet +2h0t4me +1346795 +lamerz +munkee +134679q +granvill +1512198 +armastus +aiden1 +pipeutvj +g1234567 +angeleyes +usmc1 +102030q +putangina +brandnew +shadowfax +eagles12 +1falcon +brianw +lokomoti +2022958 +scooper +pegas +jabroni1 +2121212 +buffal +siffredi +wewiz +twotone +rosebudd +nightwis +carpet1 +mickey2 +2525252 +sleddog +red333 +jamesm +2797349 +jeff12 +onizuka +felixxxx +rf6666 +fine1 +ohlala +forplay +chicago5 +muncho +scooby11 +ptichka +johnnn +19851985p +dogphil3650 +totenkopf +monitor2 +macross7 +3816778 +dudder +semaj1 +bounder +racerx1 +5556633 +7085506 +ofclr278 +brody1 +7506751 +nantucke +hedj2n4q +drew1 +aessedai +trekbike +pussykat +samatron +imani +9124852 +wiley1 +dukenukem +iampurehaha2 +9556035 +obvious1 +mccool24 +apache64 +kravchenko +justforf +basura +jamese +s0ccer +safado +darksta +surfer69 +damian1 +gjpbnbd +gunny1 +wolley +sananton +zxcvbn123456 +odt4p6sv8 +sergei1 +modem1 +mansikka +zzzz1 +rifraf +dima777 +mary69 +looking4 +donttell +red100 +ninjutsu +uaeuaeman +bigbri +brasco +queenas8151 +demetri +angel007 +bubbl +kolort +conny +antonia1 +avtoritet +kaka22 +kailayu +sassy2 +wrongway +chevy3 +1nascar +patriots1 +chrisrey +mike99 +sexy22 +chkdsk +sd3utre7 +padawan +a6pihd +doming +mesohorny +tamada +donatello +emma22 +eather +susan69 +pinky123 +stud69 +fatbitch +pilsbury +thc420 +lovepuss +1creativ +golf1234 +hurryup +1honda +huskerdu +marino1 +gowron +girl1 +fucktoy +gtnhjpfdjlcr +dkjfghdk +pinkfl +loreli +7777777s +donkeykong +rockytop +staples1 +sone4ka +xxxjay +flywheel +toppdogg +bigbubba +aaa123456 +2letmein +shavkat +paule +dlanor +adamas +0147852 +aassaa +dixon1 +bmw328 +mother12 +ilikepussy +holly2 +tsmith +excaliber +fhutynbyf +nicole3 +tulipan +emanue +flyvholm +currahee +godsgift +antonioj +torito +dinky1 +sanna +yfcnzvjz +june14 +anime123 +123321456654 +hanswurst +bandman +hello101 +xxxyyy +chevy69 +technica +tagada +arnol +v00d00 +lilone +filles +drumandbass +dinamit +a1234a +eatmeat +elway07 +inout +james6 +dawid1 +thewolf +diapason +yodaddy +qscwdv +fuckit1 +liljoe +sloeber +simbacat +sascha1 +qwe1234 +1badger +prisca +angel17 +gravedig +jakeyboy +longboard +truskawka +golfer11 +pyramid7 +highspee +pistola +theriver +hammer69 +1packers +dannyd +alfonse +qwertgfdsa +11119999 +basket1 +ghjtrn +saralee +12inches +paolo1 +zse4xdr5 +taproot +sophieh6 +grizzlie +hockey69 +danang +biggums +hotbitch +5alive +beloved1 +bluewave +dimon95 +koketka +multiscan +littleb +leghorn +poker2 +delite +skyfir +bigjake +persona1 +amberdog +hannah12 +derren +ziffle +1sarah +1assword +sparky01 +seymur +tomtom1 +123321qw +goskins +soccer19 +luvbekki +bumhole +2balls +1muffin +borodin +monkey9 +yfeiybrb +1alex +betmen +freder +nigger123 +azizbek +gjkzrjdf +lilmike +1bigdadd +1rock +taganrog +snappy1 +andrey1 +kolonka +bunyan +gomango +vivia +clarkkent +satur +gaudeamus +mantaray +1month +whitehea +fargus +andrew99 +ray123 +redhawks +liza2009 +qw12345 +den12345 +vfhnsyjdf +147258369a +mazepa +newyorke +1arsenal +hondas2000 +demona +fordgt +steve12 +birthday2 +12457896 +dickster +edcwsxqaz +sahalin +pantyman +skinny1 +hubertus +cumshot1 +chiro +kappaman +mark3434 +canada12 +lichking +bonkers1 +ivan1985 +sybase +valmet +doors1 +deedlit +kyjelly +bdfysx +ford11 +throatfuck +backwood +fylhsq +lalit +boss429 +kotova +bricky +steveh +joshua19 +kissa +imladris +star1234 +lubimka +partyman +crazyd +tobias1 +ilike69 +imhome +whome +fourstar +scanner1 +ujhjl312 +anatoli +85bears +jimbo69 +5678ytr +potapova +nokia7070 +sunday1 +kalleank +1996gta +refinnej +july1 +molodec +nothanks +enigm +12play +sugardog +nhfkbdfkb +larousse +cannon1 +144444 +qazxcdew +stimorol +jhereg +spawn7 +143000 +fearme +hambur +merlin21 +dobie +is3yeusc +partner1 +dekal +varsha +478jfszk +flavi +hippo1 +9hmlpyjd +july21 +7imjfstw +lexxus +truelov +nokia5200 +carlos6 +anais +mudbone +anahit +taylorc +tashas +larkspur +animal2000 +nibiru +jan123 +miyvarxar +deflep +dolore +communit +ifoptfcor +laura2 +anadrol +mamaliga +mitzi1 +blue92 +april15 +matveev +kajlas +wowlook1 +1flowers +shadow14 +alucard1 +1golf +bantha +scotlan +singapur +mark13 +manchester1 +telus01 +superdav +jackoff1 +madnes +bullnuts +world123 +clitty +palmer1 +david10 +spider10 +sargsyan +rattlers +david4 +windows2 +sony12 +visigoth +qqqaaa +penfloor +cabledog +camilla1 +natasha123 +eagleman +softcore +bobrov +dietmar +divad +sss123 +d1234567 +tlbyjhju +1q1q1q1 +paraiso +dav123 +lfiekmrf +drachen +lzhan16889 +tplate +gfghbrf +casio1 +123boots1 +123test +sys64738 +heavymetal +andiamo +meduza +soarer +coco12 +negrita +amigas +heavymet +bespin +1asdfghj +wharfrat +wetsex +tight1 +janus1 +sword123 +ladeda +dragon98 +austin2 +atep1 +jungle1 +12345abcd +lexus300 +pheonix1 +alex1974 +123qw123 +137955 +bigtim +shadow88 +igor1994 +goodjob +arzen +champ123 +121ebay +changeme1 +brooksie +frogman1 +buldozer +morrowin +achim +trish1 +lasse +festiva +bubbaman +scottb +kramit +august22 +tyson123 +passsword +oompah +al123456 +fucking1 +green45 +noodle1 +looking1 +ashlynn +al1716 +stang50 +coco11 +greese +bob111 +brennan1 +jasonj +1cherry +1q2345 +1xxxxxxx +fifa2011 +brondby +zachar1 +satyam +easy1 +magic7 +1rainbow +cheezit +1eeeeeee +ashley123 +assass1 +amanda123 +jerbear +1bbbbbb +azerty12 +15975391 +654321z +twinturb +onlyone1 +denis1988 +6846kg3r +jumbos +pennydog +dandelion +haileris +epervier +snoopy69 +afrodite +oldpussy +green55 +poopypan +verymuch +katyusha +recon7 +mine69 +tangos +contro +blowme2 +jade1 +skydive1 +fiveiron +dimo4ka +bokser +stargirl +fordfocus +tigers2 +platina +baseball11 +raque +pimper +jawbreak +buster88 +walter34 +chucko +penchair +horizon1 +thecure1 +scc1975 +adrianna1 +kareta +duke12 +krille +dumbfuck +cunt1 +aldebaran +laverda +harumi +knopfler +pongo1 +pfhbyf +dogman1 +rossigno +1hardon +scarlets +nuggets1 +ibelieve +akinfeev +xfhkbr +athene +falcon69 +happie +billly +nitsua +fiocco +qwerty09 +gizmo2 +slava2 +125690 +doggy123 +craigs +vader123 +silkeborg +124365 +peterm +123978 +krakatoa +123699 +123592 +kgvebmqy +pensacol +d1d2d3 +snowstor +goldenboy +gfg65h7 +ev700 +church1 +orange11 +g0dz1ll4 +chester3 +acheron +cynthi +hotshot1 +jesuschris +motdepass +zymurgy +one2one +fietsbel +harryp +wisper +pookster +nn527hp +dolla +milkmaid +rustyboy +terrell1 +epsilon1 +lillian1 +dale3 +crhbgrf +maxsim +selecta +mamada +fatman1 +ufkjxrf +shinchan +fuckuall +women1 +000008 +bossss +greta1 +rbhjxrf +mamasboy +purple69 +felicidade +sexy21 +cathay +hunglow +splatt +kahless +shopping1 +1gandalf +themis +delta7 +moon69 +blue24 +parliame +mamma1 +miyuki +2500hd +jackmeof +razer +rocker1 +juvis123 +noremac +boing747 +9z5ve9rrcz +icewater +titania +alley1 +moparman +christo1 +oliver2 +vinicius +tigerfan +chevyy +joshua99 +doda99 +matrixx +ekbnrf +jackfrost +viper01 +kasia +cnfhsq +triton1 +ssbt8ae2 +rugby8 +ramman +1lucky +barabash +ghtlfntkm +junaid +apeshit +enfant +kenpo1 +shit12 +007000 +marge1 +shadow10 +qwerty789 +richard8 +vbitkm +lostboys +jesus4me +richard4 +hifive +kolawole +damilola +prisma +paranoya +prince2 +lisaann +happyness +cardss +methodma +supercop +a8kd47v5 +gamgee +polly123 +irene1 +number8 +hoyasaxa +1digital +matthew0 +dclxvi +lisica +roy123 +2468013579 +sparda +queball +vaffanculo +pass1wor +repmvbx +999666333 +freedom8 +botanik +777555333 +marcos1 +lubimaya +flash2 +einstei +08080 +123456789j +159951159 +159357123 +carrot1 +alina1995 +sanjos +dilara +mustang67 +wisteria +jhnjgtl12 +98766789 +darksun +arxangel +87062134 +creativ1 +malyshka +fuckthemall +barsic +rocksta +2big4u +5nizza +genesis2 +romance1 +ofcourse +1horse +latenite +cubana +sactown +789456123a +milliona +61808861 +57699434 +imperia +bubba11 +yellow3 +change12 +55495746 +flappy +jimbo123 +19372846 +19380018 +cutlass1 +craig123 +klepto +beagle1 +solus +51502112 +pasha1 +19822891 +46466452 +19855891 +petshop +nikolaevna +119966 +nokia6131 +evenpar +hoosier1 +contrasena +jawa350 +gonzo123 +mouse2 +115511 +eetfuk +gfhfvgfvgfv +1crystal +sofaking +coyote1 +kwiatuszek +fhrflbq +valeria1 +anthro +0123654789 +alltheway +zoltar +maasikas +wildchil +fredonia +earlgrey +gtnhjczy +matrix123 +solid1 +slavko +12monkeys +fjdksl +inter1 +nokia6500 +59382113kevinp +spuddy +cachero +coorslit +password! +kiba1z +karizma +vova1994 +chicony +english1 +bondra12 +1rocket +hunden +jimbob1 +zpflhjn1 +th0mas +deuce22 +meatwad +fatfree +congas +sambora +cooper2 +janne +clancy1 +stonie +busta +kamaz +speedy2 +jasmine3 +fahayek +arsenal0 +beerss +trixie1 +boobs69 +luansantana +toadman +control2 +ewing33 +maxcat +mama1964 +diamond4 +tabaco +joshua0 +piper2 +music101 +guybrush +reynald +pincher +katiebug +starrs +pimphard +frontosa +alex97 +cootie +clockwor +belluno +skyeseth +booty69 +chaparra +boochie +green4 +bobcat1 +havok +saraann +pipeman +aekdb +jumpshot +wintermu +chaika +1chester +rjnjatq +emokid +reset1 +regal1 +j0shua +134679a +asmodey +sarahh +zapidoo +ciccione +sosexy +beckham23 +hornets1 +alex1971 +delerium +manageme +connor11 +1rabbit +sane4ek +caseyboy +cbljhjdf +redsox20 +tttttt99 +haustool +ander +pantera6 +passwd1 +journey1 +9988776655 +blue135 +writerspace +xiaoyua123 +justice2 +niagra +cassis +scorpius +bpgjldsgjldthnf +gamemaster +bloody1 +retrac +stabbin +toybox +fight1 +ytpyf. +glasha +va2001 +taylor11 +shameles +ladylove +10078 +karmann +rodeos +eintritt +lanesra +tobasco +jnrhjqcz +navyman +pablit +leshka +jessica3 +123vika +alena1 +platinu +ilford +storm7 +undernet +sasha777 +1legend +anna2002 +kanmax1994 +porkpie +thunder0 +gundog +pallina +easypass +duck1 +supermom +roach1 +twincam +14028 +tiziano +qwerty32 +123654789a +evropa +shampoo1 +yfxfkmybr +cubby1 +tsunami1 +fktrcttdf +yasacrac +17098 +happyhap +bullrun +rodder +oaktown +holde +isbest +taylor9 +reeper +hammer11 +julias +rolltide1 +compaq123 +fourx4 +subzero1 +hockey9 +7mary3 +busines +ybrbnjcbr +wagoneer +danniash +portishead +digitex +alex1981 +david11 +infidel +1snoopy +free30 +jaden +tonto1 +redcar27 +footie +moskwa +thomas21 +hammer12 +burzum +cosmo123 +50000 +burltree +54343 +54354 +vwpassat +jack5225 +cougars1 +burlpony +blackhorse +alegna +petert +katemoss +ram123 +nels0n +ferrina +angel77 +cstock +1christi +dave55 +abc123a +alex1975 +av626ss +flipoff +folgore +max1998 +science1 +si711ne +yams7 +wifey1 +sveiks +cabin1 +volodia +ox3ford +cartagen +platini +picture1 +sparkle1 +tiedomi +service321 +wooody +christi1 +gnasher +brunob +hammie +iraffert +bot2010 +dtcyeirf +1234567890p +cooper11 +alcoholi +savchenko +adam01 +chelsea5 +niewiem +icebear +lllooottt +ilovedick +sweetpus +money8 +cookie13 +rfnthbyf1988 +booboo2 +angus123 +blockbus +david9 +chica1 +nazaret +samsung9 +smile4u +daystar +skinnass +john10 +thegirl +sexybeas +wasdwasd1 +sigge1 +1qa2ws3ed4rf5tg +czarny +ripley1 +chris5 +ashley19 +anitha +pokerman +prevert +trfnthby +tony69 +georgia2 +stoppedb +qwertyuiop12345 +miniclip +franky1 +durdom +cabbages +1234567890o +delta5 +liudmila +nhfycajhvths +court1 +josiew +abcd1 +doghead +diman +masiania +songline +boogle +triston +deepika +sexy4me +grapple +spacebal +ebonee +winter0 +smokewee +nargiza +dragonla +sassys +andy2000 +menards +yoshio +massive1 +suckmy1k +passat99 +sexybo +nastya1996 +isdead +stratcat +hokuto +infix +pidoras +daffyduck +cumhard +baldeagl +kerberos +yardman +shibainu +guitare +cqub6553 +tommyy +bk.irf +bigfoo +hecto +july27 +james4 +biggus +esbjerg +isgod +1irish +phenmarr +jamaic +roma1990 +diamond0 +yjdbrjd +girls4me +tampa1 +kabuto +vaduz +hanse +spieng +dianochka +csm101 +lorna1 +ogoshi +plhy6hql +2wsx4rfv +cameron0 +adebayo +oleg1996 +sharipov +bouboule +hollister1 +frogss +yeababy +kablam +adelante +memem +howies +thering +cecilia1 +onetwo12 +ojp123456 +jordan9 +msorcloledbr +neveraga +evh5150 +redwin +1august +canno +1mercede +moody1 +mudbug +chessmas +tiikeri +stickdaddy77 +alex15 +kvartira +7654321a +lollol123 +qwaszxedc +algore +solana +vfhbyfvfhbyf +blue72 +misha1111 +smoke20 +junior13 +mogli +threee +shannon2 +fuckmylife +kevinh +saransk +karenw +isolde +sekirarr +orion123 +thomas0 +debra1 +laketaho +alondra +curiva +jazz1234 +1tigers +jambos +lickme2 +suomi +gandalf7 +028526 +zygote +brett123 +br1ttany +supafly +159000 +kingrat +luton1 +cool-ca +bocman +thomasd +skiller +katter +mama777 +chanc +tomass +1rachel +oldno7 +rfpfyjdf +bigkev +yelrah +primas +osito +kipper1 +msvcr71 +bigboy11 +thesun +noskcaj +chicc +sonja1 +lozinka +mobile1 +1vader +ummagumma +waves1 +punter12 +tubgtn +server1 +irina1991 +magic69 +dak001 +pandemonium +dead1 +berlingo +cherrypi +1montana +lohotron +chicklet +asdfgh123456 +stepside +ikmvw103 +icebaby +trillium +1sucks +ukrnet +glock9 +ab12345 +thepower +robert8 +thugstools +hockey13 +buffon +livefree +sexpics +dessar +ja0000 +rosenrot +james10 +1fish +svoloch +mykitty +muffin11 +evbukb +shwing +artem1992 +andrey1992 +sheldon1 +passpage +nikita99 +fubar123 +vannasx +eight888 +marial +max2010 +express2 +violentj +2ykn5ccf +spartan11 +brenda69 +jackiech +abagail +robin2 +grass1 +andy76 +bell1 +taison +superme +vika1995 +xtr451 +fred20 +89032073168 +denis1984 +2000jeep +weetabix +199020 +daxter +tevion +panther8 +h9iymxmc +bigrig +kalambur +tsalagi +12213443 +racecar02 +jeffrey4 +nataxa +bigsam +purgator +acuracl +troutbum +potsmoke +jimmyz +manutd1 +nytimes +pureevil +bearss +cool22 +dragonage +nodnarb +dbrbyu +4seasons +freude +elric1 +werule +hockey14 +12758698 +corkie +yeahright +blademan +tafkap +clave +liziko +hofner +jeffhardy +nurich +runne +stanisla +lucy1 +monk3y +forzaroma +eric99 +bonaire +blackwoo +fengshui +1qaz0okm +newmoney +pimpin69 +07078 +anonymer +laptop1 +cherry12 +ace111 +salsa1 +wilbur1 +doom12 +diablo23 +jgtxzbhr +under1 +honda01 +breadfan +megan2 +juancarlos +stratus1 +ackbar +love5683 +happytim +lambert1 +cbljhtyrj +komarov +spam69 +nfhtkrf +brownn +sarmat +ifiksr +spike69 +hoangen +angelz +economia +tanzen +avogadro +1vampire +spanners +mazdarx +queequeg +oriana +hershil +sulaco +joseph11 +8seconds +aquariu +cumberla +heather9 +anthony8 +burton12 +crystal0 +maria3 +qazwsxc +snow123 +notgood +198520 +raindog +heehaw +consulta +dasein +miller01 +cthulhu1 +dukenuke +iubire +baytown +hatebree +198505 +sistem +lena12 +welcome01 +maraca +middleto +sindhu +mitsou +phoenix5 +vovan +donaldo +dylandog +domovoy +lauren12 +byrjuybnj +123llll +stillers +sanchin +tulpan +smallvill +1mmmmm +patti1 +folgers +mike31 +colts18 +123456rrr +njkmrjz +phoenix0 +biene +ironcity +kasperok +password22 +fitnes +matthew6 +spotligh +bujhm123 +tommycat +hazel5 +guitar11 +145678 +vfcmrf +compass1 +willee +1barney +jack2000 +littleminge +shemp +derrek +xxx12345 +littlefuck +spuds1 +karolinka +camneely +qwertyu123 +142500 +brandon00 +munson15 +falcon3 +passssap +z3cn2erv +goahead +baggio10 +141592 +denali1 +37kazoo +copernic +123456789asd +orange88 +bravada +rush211 +197700 +pablo123 +uptheass +samsam1 +demoman +mattylad10 +heydude +mister2 +werken +13467985 +marantz +a22222 +f1f2f3f4 +fm12mn12 +gerasimova +burrito1 +sony1 +glenny +baldeagle +rmfidd +fenomen +verbati +forgetme +5element +wer138 +chanel1 +ooicu812 +10293847qp +minicooper +chispa +myturn +deisel +vthrehbq +boredboi4u +filatova +anabe +poiuyt1 +barmalei +yyyy1 +fourkids +naumenko +bangbros +pornclub +okaykk +euclid90 +warrior3 +kornet +palevo +patatina +gocart +antanta +jed1054 +clock1 +111111w +dewars +mankind1 +peugeot406 +liten +tahira +howlin +naumov +rmracing +corone +cunthole +passit +rock69 +jaguarxj +bumsen +197101 +sweet2 +197010 +whitecat +sawadee +money100 +yfhrjnbrb +andyboy +9085603566 +trace1 +fagget +robot1 +angel20 +6yhn7ujm +specialinsta +kareena +newblood +chingada +boobies2 +bugger1 +squad51 +133andre +call06 +ashes1 +ilovelucy +success2 +kotton +cavalla +philou +deebee +theband +nine09 +artefact +196100 +kkkkkkk1 +nikolay9 +onelov +basia +emilyann +sadman +fkrjujkbr +teamomuch +david777 +padrino +money21 +firdaus +orion3 +chevy01 +albatro +erdfcv +2legit +sarah7 +torock +kevinn +holio +soloy +enron714 +starfleet +qwer11 +neverman +doctorwh +lucy11 +dino12 +trinity7 +seatleon +o123456 +pimpman +1asdfgh +snakebit +chancho +prorok +bleacher +ramire +darkseed +warhorse +michael123 +1spanky +1hotdog +34erdfcv +n0th1ng +dimanche +repmvbyf +michaeljackson +login1 +icequeen +toshiro +sperme +racer2 +veget +birthday26 +daniel9 +lbvekmrf +charlus +bryan123 +wspanic +schreibe +1andonly +dgoins +kewell +apollo12 +egypt1 +fernie +tiger21 +aa123456789 +blowj +spandau +bisquit +12345678d +deadmau5 +fredie +311420 +happyface +samant +gruppa +filmstar +andrew17 +bakesale +sexy01 +justlook +cbarkley +paul11 +bloodred +rideme +birdbath +nfkbcvfy +jaxson +sirius1 +kristof +virgos +nimrod1 +hardc0re +killerbee +1abcdef +pitcher1 +justonce +vlada +dakota99 +vespucci +wpass +outside1 +puertori +rfvbkf +teamlosi +vgfun2 +porol777 +empire11 +20091989q +jasong +webuivalidat +escrima +lakers08 +trigger2 +addpass +342500 +mongini +dfhtybr +horndogg +palermo1 +136900 +babyblu +alla98 +dasha2010 +jkelly +kernow +yfnecz +rockhopper +toeman +tlaloc +silver77 +dave01 +kevinr +1234567887654321 +135642 +me2you +8096468644q +remmus +spider7 +jamesa +jilly +samba1 +drongo +770129ji +supercat +juntas +tema1234 +esthe +1234567892000 +drew11 +qazqaz123 +beegees +blome +rattrace +howhigh +tallboy +rufus2 +sunny2 +sou812 +miller12 +indiana7 +irnbru +patch123 +letmeon +welcome5 +nabisco +9hotpoin +hpvteb +lovinit +stormin +assmonke +trill +atlanti +money1234 +cubsfan +mello1 +stars2 +ueptkm +agate +dannym88 +lover123 +wordz +worldnet +julemand +chaser1 +s12345678 +pissword +cinemax +woodchuc +point1 +hotchkis +packers2 +bananana +kalender +420666 +penguin8 +awo8rx3wa8t +hoppie +metlife +ilovemyfamily +weihnachtsbau +pudding1 +luckystr +scully1 +fatboy1 +amizade +dedham +jahbless +blaat +surrende +****er +1panties +bigasses +ghjuhfvbcn +asshole123 +dfktyrb +likeme +nickers +plastik +hektor +deeman +muchacha +cerebro +santana5 +testdrive +dracula1 +canalc +l1750sq +savannah1 +murena +1inside +pokemon00 +1iiiiiii +jordan20 +sexual1 +mailliw +calipso +014702580369 +1zzzzzz +1jjjjjj +break1 +15253545 +yomama1 +katinka +kevin11 +1ffffff +martijn +sslazio +daniel5 +porno2 +nosmas +leolion +jscript +15975312 +pundai +kelli1 +kkkddd +obafgkm +marmaris +lilmama +london123 +rfhfnt +elgordo +talk87 +daniel7 +thesims3 +444111 +bishkek +afrika2002 +toby22 +1speedy +daishi +2children +afroman +qqqqwwww +oldskool +hawai +v55555 +syndicat +pukimak +fanatik +tiger5 +parker01 +bri5kev6 +timexx +wartburg +love55 +ecosse +yelena03 +madinina +highway1 +uhfdbwfgf +karuna +buhjvfybz +wallie +46and2 +khalif +europ +qaz123wsx456 +bobbybob +wolfone +falloutboy +manning18 +scuba10 +schnuff +ihateyou1 +lindam +sara123 +popcor +fallengun +divine1 +montblanc +qwerty8 +rooney10 +roadrage +bertie1 +latinus +lexusis +rhfvfnjhcr +opelgt +hitme +agatka +1yamaha +dmfxhkju +imaloser +michell1 +sb211st +silver22 +lockedup +andrew9 +monica01 +sassycat +dsobwick +tinroof +ctrhtnyj +bultaco +rhfcyjzhcr +aaaassss +14ss88 +joanne1 +momanddad +ahjkjdf +yelhsa +zipdrive +telescop +500600 +1sexsex +facial1 +motaro +511647 +stoner1 +temujin +elephant1 +greatman +honey69 +kociak +ukqmwhj6 +altezza +cumquat +zippos +kontiki +123max +altec1 +bibigon +tontos +qazsew +nopasaran +militar +supratt +oglala +kobayash +agathe +yawetag +dogs1 +cfiekmrf +megan123 +jamesdea +porosenok +tiger23 +berger1 +hello11 +seemann +stunner1 +walker2 +imissu +jabari +minfd +lollol12 +hjvfy +1-oct +stjohns +2278124q +123456789qwer +alex1983 +glowworm +chicho +mallards +bluedevil +explorer1 +543211 +casita +1time +lachesis +alex1982 +airborn1 +dubesor +changa +lizzie1 +captaink +socool +bidule +march23 +1861brr +k.ljxrf +watchout +fotze +1brian +keksa2 +aaaa1122 +matrim +providian +privado +dreame +merry1 +aregdone +davidt +nounour +twenty2 +play2win +artcast2 +zontik +552255 +shit1 +sluggy +552861 +dr8350 +brooze +alpha69 +thunder6 +kamelia2011 +caleb123 +mmxxmm +jamesh +lfybkjd +125267 +125000 +124536 +bliss1 +dddsss +indonesi +bob69 +123888 +tgkbxfgy +gerar +themack +hijodeputa +good4now +ddd123 +clk430 +kalash +tolkien1 +132forever +blackb +whatis +s1s2s3s4 +lolkin09 +yamahar +48n25rcc +djtiesto +111222333444555 +bigbull +blade55 +coolbree +kelse +ichwill +yamaha12 +sakic +bebeto +katoom +donke +sahar +wahine +645202 +god666 +berni +starwood +june15 +sonoio +time123 +llbean +deadsoul +lazarev +cdtnf +ksyusha +madarchod +technik +jamesy +4speed +tenorsax +legshow +yoshi1 +chrisbl +44e3ebda +trafalga +heather7 +serafima +favorite4 +havefun1 +wolve +55555r +james13 +nosredna +bodean +jlettier +borracho +mickael +marinus +brutu +sweet666 +kiborg +rollrock +jackson6 +macross1 +ousooner +9085084232 +takeme +123qwaszx +firedept +vfrfhjd +jackfros +123456789000 +briane +cookie11 +baby22 +bobby18 +gromova +systemofadown +martin01 +silver01 +pimaou +darthmaul +hijinx +commo +chech +skyman +sunse +2vrd6 +vladimirovna +uthvfybz +nicole01 +kreker +bobo1 +v123456789 +erxtgb +meetoo +drakcap +vfvf12 +misiek1 +butane +network2 +flyers99 +riogrand +jennyk +e12345 +spinne +avalon11 +lovejone +studen +maint +porsche2 +qwerty100 +chamberl +bluedog1 +sungam +just4u +andrew23 +summer22 +ludic +musiclover +aguil +beardog1 +libertin +pippo1 +joselit +patito +bigberth +digler +sydnee +jockstra +poopo +jas4an +nastya123 +profil +fuesse +default1 +titan2 +mendoz +kpcofgs +anamika +brillo021 +bomberman +guitar69 +latching +69pussy +blues2 +phelge +ninja123 +m7n56xo +qwertasd +alex1976 +cunningh +estrela +gladbach +marillion +mike2000 +258046 +bypop +muffinman +kd5396b +zeratul +djkxbwf +john77 +sigma2 +1linda +selur +reppep +quartz1 +teen1 +freeclus +spook1 +kudos4ever +clitring +sexiness +blumpkin +macbook +tileman +centra +escaflowne +pentable +shant +grappa +zverev +1albert +lommerse +coffee11 +777123 +polkilo +muppet1 +alex74 +lkjhgfdsazx +olesica +april14 +ba25547 +souths +jasmi +arashi +smile2 +2401pedro +mybabe +alex111 +quintain +pimp1 +tdeir8b2 +makenna +122333444455555 +%e2%82%ac +tootsie1 +pass111 +zaqxsw123 +gkfdfybt +cnfnbcnbrf +usermane +iloveyou12 +hard69 +osasuna +firegod +arvind +babochka +kiss123 +cookie123 +julie123 +kamakazi +dylan2 +223355 +tanguy +nbhtqa +tigger13 +tubby1 +makavel +asdflkj +sambo1 +mononoke +mickeys +gayguy +win123 +green33 +wcrfxtvgbjy +bigsmall +1newlife +clove +babyfac +bigwaves +mama1970 +shockwav +1friday +bassey +yarddog +codered1 +victory7 +bigrick +kracker +gulfstre +chris200 +sunbanna +bertuzzi +begemotik +kuolema +pondus +destinee +123456789zz +abiodun +flopsy +amadeusptfcor +geronim +yggdrasi +contex +daniel6 +suck1 +adonis1 +moorea +el345612 +f22raptor +moviebuf +raunchy +6043dkf +zxcvbnm123456789 +eric11 +deadmoin +ratiug +nosliw +fannies +danno +888889 +blank1 +mikey2 +gullit +thor99 +mamiya +ollieb +thoth +dagger1 +websolutionssu +bonker +prive +1346798520 +03038 +q1234q +mommy2 +contax +zhipo +gwendoli +gothic1 +1234562000 +lovedick +gibso +digital2 +space199 +b26354 +987654123 +golive +serious1 +pivkoo +better1 +824358553 +794613258 +nata1980 +logout +fishpond +buttss +squidly +good4me +redsox19 +jhonny +zse45rdx +matrixxx +honey12 +ramina +213546879 +motzart +fall99 +newspape +killit +gimpy +photowiz +olesja +thebus +marco123 +147852963 +bedbug +147369258 +hellbound +gjgjxrf +123987456 +lovehurt +five55 +hammer01 +1234554321a +alina2011 +peppino +ang238 +questor +112358132 +alina1994 +alina1998 +money77 +bobjones +aigerim +cressida +madalena +420smoke +tinchair +raven13 +mooser +mauric +lovebu +adidas69 +krypton1 +1111112 +loveline +divin +voshod +michaelm +cocotte +gbkbuhbv +76689295 +kellyj +rhonda1 +sweetu70 +steamforums +geeque +nothere +124c41 +quixotic +steam181 +1169900 +rfcgthcrbq +rfvbkm +sexstuff +1231230 +djctvm +rockstar1 +fulhamfc +bhecbr +rfntyf +quiksilv +56836803 +jedimaster +pangit +gfhjkm777 +tocool +1237654 +stella12 +55378008 +19216811 +potte +fender12 +mortalkombat +ball1 +nudegirl +palace22 +rattrap +debeers +lickpussy +jimmy6 +not4u2c +wert12 +bigjuggs +sadomaso +1357924 +312mas +laser123 +arminia +branford +coastie +mrmojo +19801982 +scott11 +banaan123 +ingres +300zxtt +hooters6 +sweeties +19821983 +19831985 +19833891 +sinnfein +welcome4 +winner69 +killerman +tachyon +tigre1 +nymets1 +kangol +martinet +sooty1 +19921993 +789qwe +harsingh +1597535 +thecount +phantom3 +36985214 +lukas123 +117711 +pakistan1 +madmax11 +willow01 +19932916 +fucker12 +flhrci +opelagila +theword +ashley24 +tigger3 +crazyj +rapide +deadfish +allana +31359092 +sasha1993 +sanders2 +discman +zaq!2wsx +boilerma +mickey69 +jamesg +babybo +jackson9 +orion7 +alina2010 +indien +breeze1 +atease +warspite +bazongaz +1celtic +asguard +mygal +fitzgera +1secret +duke33 +cyklone +dipascuc +potapov +1escobar2 +c0l0rad0 +kki177hk +1little +macondo +victoriya +peter7 +red666 +winston6 +kl?benhavn +muneca +jackme +jennan +happylife +am4h39d8nh +bodybuil +201980 +dutchie +biggame +lapo4ka +rauchen +black10 +flaquit +water12 +31021364 +command2 +lainth88 +mazdamx5 +typhon +colin123 +rcfhlfc +qwaszx11 +g0away +ramir +diesirae +hacked1 +cessna1 +woodfish +enigma2 +pqnr67w5 +odgez8j3 +grisou +hiheels +5gtgiaxm +2580258 +ohotnik +transits +quackers +serjik +makenzie +mdmgatew +bryana +superman12 +melly +lokit +thegod +slickone +fun4all +netpass +penhorse +1cooper +nsync +asdasd22 +otherside +honeydog +herbie1 +chiphi +proghouse +l0nd0n +shagg +select1 +frost1996 +casper123 +countr +magichat +greatzyo +jyothi +3bears +thefly +nikkita +fgjcnjk +nitros +hornys +san123 +lightspe +maslova +kimber1 +newyork2 +spammm +mikejone +pumpk1n +bruiser1 +bacons +prelude9 +boodie +dragon4 +kenneth2 +love98 +power5 +yodude +pumba +thinline +blue30 +sexxybj +2dumb2live +matt21 +forsale +1carolin +innova +ilikeporn +rbgtkjd +a1s2d3f +wu9942 +ruffus +blackboo +qwerty999 +draco1 +marcelin +hideki +gendalf +trevon +saraha +cartmen +yjhbkmcr +time2go +fanclub +ladder1 +chinni +6942987 +united99 +lindac +quadra +paolit +mainstre +beano002 +lincoln7 +bellend +anomie +8520456 +bangalor +goodstuff +chernov +stepashka +gulla +mike007 +frasse +harley03 +omnislash +8538622 +maryjan +sasha2011 +gineok +8807031 +hornier +gopinath +princesit +bdr529 +godown +bosslady +hakaone +1qwe2 +madman1 +joshua11 +lovegame +bayamon +jedi01 +stupid12 +sport123 +aaa666 +tony44 +collect1 +charliem +chimaira +cx18ka +trrim777 +chuckd +thedream +redsox99 +goodmorning +delta88 +iloveyou11 +newlife2 +figvam +chicago3 +jasonk +12qwer +9875321 +lestat1 +satcom +conditio +capri50 +sayaka +9933162 +trunks1 +chinga +snooch +alexand1 +findus +poekie +cfdbyf +kevind +mike1969 +fire13 +leftie +bigtuna +chinnu +silence1 +celos1 +blackdra +alex24 +gfgfif +2boobs +happy8 +enolagay +sataniv1993 +turner1 +dylans +peugeo +sasha1994 +hoppel +conno +moonshot +santa234 +meister1 +008800 +hanako +tree123 +qweras +gfitymrf +reggie31 +august29 +supert +joshua10 +akademia +gbljhfc +zorro123 +nathalia +redsox12 +hfpdjl +mishmash +nokiae51 +nyyankees +tu190022 +strongbo +none1 +not4u2no +katie2 +popart +harlequi +santan +michal1 +1therock +screwu +csyekmrf +olemiss1 +tyrese +hoople +sunshin1 +cucina +starbase +topshelf +fostex +california1 +castle1 +symantec +pippolo +babare +turntabl +1angela +moo123 +ipvteb +gogolf +alex88 +cycle1 +maxie1 +phase2 +selhurst +furnitur +samfox +fromvermine +shaq34 +gators96 +captain2 +delonge +tomatoe +bisous +zxcvbnma +glacius +pineapple1 +cannelle +ganibal +mko09ijn +paraklast1974 +hobbes12 +petty43 +artema +junior8 +mylover +1234567890d +fatal1ty +prostreet +peruan +10020 +nadya +caution1 +marocas +chanel5 +summer08 +metal123 +111lox +scrapy +thatguy +eddie666 +washingto +yannis +minnesota_hp +lucky4 +playboy6 +naumova +azzurro +patat +dale33 +pa55wd +speedster +zemanova +saraht +newto +tony22 +qscesz +arkady +1oliver +death6 +vkfwx046 +antiflag +stangs +jzf7qf2e +brianp +fozzy +cody123 +startrek1 +yoda123 +murciela +trabajo +lvbnhbtdf +canario +fliper +adroit +henry5 +goducks +papirus +alskdj +soccer6 +88mike +gogetter +tanelorn +donking +marky1 +leedsu +badmofo +al1916 +wetdog +akmaral +pallet +april24 +killer00 +nesterova +rugby123 +coffee12 +browseui +ralliart +paigow +calgary1 +armyman +vtldtltd +frodo2 +frxtgb +iambigal +benno +jaytee +2hot4you +askar +bigtee +brentwoo +palladin +eddie2 +al1916w +horosho +entrada +ilovetits +venture1 +dragon19 +jayde +chuvak +jamesl +fzr600 +brandon8 +vjqvbh +snowbal +snatch1 +bg6njokf +pudder +karolin +candoo +pfuflrf +satchel1 +manteca +khongbiet +critter1 +partridg +skyclad +bigdon +ginger69 +brave1 +anthony4 +spinnake +chinadol +passout +cochino +nipples1 +15058 +lopesk +sixflags +lloo999 +parkhead +breakdance +cia123 +fidodido +yuitre12 +fooey +artem1995 +gayathri +medin +nondriversig +l12345 +bravo7 +happy13 +kazuya +camster +alex1998 +luckyy +zipcode +dizzle +boating1 +opusone +newpassw +movies23 +kamikazi +zapato +bart316 +cowboys0 +corsair1 +kingshit +hotdog12 +rolyat +h200svrm +qwerty4 +boofer +rhtyltkm +chris999 +vaz21074 +simferopol +pitboss +love3 +britania +tanyshka +brause +123qwerty123 +abeille +moscow1 +ilkaev +manut +process1 +inetcfg +dragon05 +fortknox +castill +rynner +mrmike +koalas +jeebus +stockpor +longman +juanpabl +caiman +roleplay +jeremi +26058 +prodojo +002200 +magical1 +black5 +bvlgari +doogie1 +cbhtqa +mahina +a1s2d3f4g5h6 +jblpro +usmc01 +bismilah +guitar01 +april9 +santana1 +1234aa +monkey14 +sorokin +evan1 +doohan +animalsex +pfqxtyjr +dimitry +catchme +chello +silverch +glock45 +dogleg +litespee +nirvana9 +peyton18 +alydar +warhamer +iluvme +sig229 +minotavr +lobzik +jack23 +bushwack +onlin +football123 +joshua5 +federov +winter2 +bigmax +fufnfrhbcnb +hfpldfnhb +1dakota +f56307 +chipmonk +4nick8 +praline +vbhjh123 +king11 +22tango +gemini12 +street1 +77879 +doodlebu +homyak +165432 +chuluthu +trixi +karlito +salom +reisen +cdtnkzxjr +pookie11 +tremendo +shazaam +welcome0 +00000ty +peewee51 +pizzle +gilead +bydand +sarvar +upskirt +legends1 +freeway1 +teenfuck +ranger9 +darkfire +dfymrf +hunt0802 +justme1 +buffy1ma +1harry +671fsa75yt +burrfoot +budster +pa437tu +jimmyp +alina2006 +malacon +charlize +elway1 +free12 +summer02 +gadina +manara +gomer1 +1cassie +sanja +kisulya +money3 +pujols +ford50 +midiland +turga +orange6 +demetriu +freakboy +orosie1 +radio123 +open12 +vfufpby +mustek +chris33 +animes +meiling +nthtvjr +jasmine9 +gfdkjd +oligarh +marimar +chicago9 +.kzirf +bugssgub +samuraix +jackie01 +pimpjuic +macdad +cagiva +vernost +willyboy +fynjyjdf +tabby1 +privet123 +torres9 +retype +blueroom +raven11 +q12we3 +alex1989 +bringiton +ridered +kareltje +ow8jtcs8t +ciccia +goniners +countryb +24688642 +covingto +24861793 +beyblade +vikin +badboyz +wlafiga +walstib +mirand +needajob +chloes +balaton +kbpfdtnf +freyja +bond9007 +gabriel12 +stormbri +hollage +love4eve +fenomeno +darknite +dragstar +kyle123 +milfhunter +ma123123123 +samia +ghislain +enrique1 +ferien12 +xjy6721 +natalie2 +reglisse +wilson2 +wesker +rosebud7 +amazon1 +robertr +roykeane +xtcnth +mamatata +crazyc +mikie +savanah +blowjob69 +jackie2 +forty1 +1coffee +fhbyjxrf +bubbah +goteam +hackedit +risky1 +logoff +h397pnvr +buck13 +robert23 +bronc +st123st +godflesh +pornog +iamking +cisco69 +septiembr +dale38 +zhongguo +tibbar +panther9 +buffa1 +bigjohn1 +mypuppy +vehvfycr +april16 +shippo +fire1234 +green15 +q123123 +gungadin +steveg +olivier1 +chinaski +magnoli +faithy +storm12 +toadfrog +paul99 +78791 +august20 +automati +squirtle +cheezy +positano +burbon +nunya +llebpmac +kimmi +turtle2 +alan123 +prokuror +violin1 +durex +pussygal +visionar +trick1 +chicken6 +29024 +plowboy +rfybreks +imbue +sasha13 +wagner1 +vitalogy +cfymrf +thepro +26028 +gorbunov +dvdcom +letmein5 +duder +fastfun +pronin +libra1 +conner1 +harley20 +stinker1 +20068 +20038 +amitech +syoung +dugway +18068 +welcome7 +jimmypag +anastaci +kafka1 +pfhfnecnhf +catsss +campus100 +shamal +nacho1 +fire12 +vikings2 +brasil1 +rangerover +mohamma +peresvet +14058 +cocomo +aliona +14038 +qwaser +vikes +cbkmdf +skyblue1 +ou81234 +goodlove +dfkmltvfh +108888 +roamer +pinky2 +static1 +zxcv4321 +barmen +rock22 +shelby2 +morgans +1junior +pasword1 +logjam +fifty5 +nhfrnjhbcn +chaddy +philli +nemesis2 +ingenier +djkrjd +ranger3 +aikman8 +knothead +daddy69 +love007 +vsythb +ford350 +tiger00 +renrut +owen11 +energy12 +march14 +alena123 +robert19 +carisma +orange22 +murphy11 +podarok +prozak +kfgeirf +wolf13 +lydia1 +shazza +parasha +akimov +tobbie +pilote +heather4 +baster +leones +gznfxjr +megama +987654321g +bullgod +boxster1 +minkey +wombats +vergil +colegiata +lincol +smoothe +pride1 +carwash1 +latrell +bowling3 +fylhtq123 +pickwick +eider +bubblebox +bunnies1 +loquit +slipper1 +nutsac +purina +xtutdfhf +plokiju +1qazxs +uhjpysq +zxcvbasdfg +enjoy1 +1pumpkin +phantom7 +mama22 +swordsma +wonderbr +dogdays +milker +u23456 +silvan +dfkthbr +slagelse +yeahman +twothree +boston11 +wolf100 +dannyg +troll1 +fynjy123 +ghbcnfd +bftest +ballsdeep +bobbyorr +alphasig +cccdemo +fire123 +norwest +claire2 +august10 +lth1108 +problemas +sapito +alex06 +1rusty +maccom +goirish1 +ohyes +bxdumb +nabila +boobear1 +rabbit69 +princip +alexsander +travail +chantal1 +dogggy +greenpea +diablo69 +alex2009 +bergen09 +petticoa +classe +ceilidh +vlad2011 +kamakiri +lucidity +qaz321 +chileno +cexfhf +99ranger +mcitra +estoppel +volvos60 +carter80 +webpass +temp12 +touareg +fcgbhby +bubba8 +sunitha +200190ru +bitch2 +shadow23 +iluvit +nicole0 +ruben1 +nikki69 +butttt +shocker1 +souschef +lopotok01 +kantot +corsano +cfnfyf +riverat +makalu +swapna +all4u9 +cdtnkfy +ntktgepbr +ronaldo99 +thomasj +bmw540i +chrisw +boomba +open321 +z1x2c3v4b5n6m7 +gaviota +iceman44 +frosya +chris100 +chris24 +cosette +clearwat +micael +boogyman +pussy9 +camus1 +chumpy +heccrbq +konoplya +chester8 +scooter5 +ghjgfufylf +giotto +koolkat +zero000 +bonita1 +ckflrbq +j1964 +mandog +18n28n24a +renob +head1 +shergar +ringo123 +tanita +sex4free +johnny12 +halberd +reddevils +biolog +dillinge +fatb0y +c00per +hyperlit +wallace2 +spears1 +vitamine +buheirf +sloboda +alkash +mooman +marion1 +arsenal7 +sunder +nokia5610 +edifier +pippone +fyfnjkmtdbx +fujimo +pepsi12 +kulikova +bolat +duetto +daimon +maddog01 +timoshka +ezmoney +desdemon +chesters +aiden +hugues +patrick5 +aikman08 +robert4 +roenick +nyranger +writer1 +36169544 +foxmulder +118801 +kutter +shashank +jamjar +118811 +119955 +aspirina +dinkus +1sailor +nalgene +19891959 +snarf +allie1 +cracky +resipsa +45678912 +kemerovo +19841989 +netware1 +alhimik +19801984 +nicole123 +19761977 +51501984 +malaka1 +montella +peachfuz +jethro1 +cypress1 +henkie +holdon +esmith +55443322 +1friend +quique +bandicoot +statistika +great123 +death13 +ucht36 +master4 +67899876 +bobsmith +nikko1 +jr1234 +hillary1 +78978978 +rsturbo +lzlzdfcz +bloodlust +shadow00 +skagen +bambina +yummies +88887777 +91328378 +matthew4 +itdoes +98256518 +102938475 +alina2002 +123123789 +fubared +dannys +123456321 +nikifor +suck69 +newmexico +scubaman +rhbcnb +fifnfy +puffdadd +159357852 +dtheyxbr +theman22 +212009164 +prohor +shirle +nji90okm +newmedia +goose5 +roma1995 +letssee +iceman11 +aksana +wirenut +pimpdady +1212312121 +tamplier +pelican1 +domodedovo +1928374655 +fiction6 +duckpond +ybrecz +thwack +onetwo34 +gunsmith +murphydo +fallout1 +spectre1 +jabberwo +jgjesq +turbo6 +bobo12 +redryder +blackpus +elena1971 +danilova +antoin +bobo1234 +bobob +bobbobbo +dean1 +222222a +jesusgod +matt23 +musical1 +darkmage +loppol +werrew +josepha +rebel12 +toshka +gadfly +hawkwood +alina12 +dnomyar +sexaddict +dangit +cool23 +yocrack +archimed +farouk +nhfkzkz +lindalou +111zzzzz +ghjatccjh +wethepeople +m123456789 +wowsers +kbkbxrf +bulldog5 +m_roesel +sissinit +yamoon6 +123ewqasd +dangel +miruvor79 +kaytee +falcon7 +bandit11 +dotnet +dannii +arsenal9 +miatamx5 +1trouble +strip4me +dogpile +sexyred1 +rjdfktdf +google10 +shortman +crystal7 +awesome123 +cowdog +haruka +birthday28 +jitter +diabolik +boomer12 +dknight +bluewate +hockey123 +crm0624 +blueboys +willy123 +jumpup +google2 +cobra777 +llabesab +vicelord +hopper1 +gerryber +remmah +j10e5d4 +qqqqqqw +agusti +fre_ak8yj +nahlik +redrobin +scott3 +epson1 +dumpy +bundao +aniolek +hola123 +jergens +itsasecret +maxsam +bluelight +mountai1 +bongwater +1london +pepper14 +freeuse +dereks +qweqw +fordgt40 +rfhfdfy +raider12 +hunnybun +compac +splicer +megamon +tuffgong +gymnast1 +butter11 +modaddy +wapbbs_1 +dandelio +soccer77 +ghjnbdjcnjzybt +123xyi2 +fishead +x002tp00 +whodaman +555aaa +oussama +brunodog +technici +pmtgjnbl +qcxdw8ry +schweden +redsox3 +throbber +collecto +japan10 +dbm123dm +hellhoun +tech1 +deadzone +kahlan +wolf123 +dethklok +xzsawq +bigguy1 +cybrthc +chandle +buck01 +qq123123 +secreta +williams1 +c32649135 +delta12 +flash33 +123joker +spacejam +polopo +holycrap +daman1 +tummybed +financia +nusrat +euroline +magicone +jimkirk +ameritec +daniel26 +sevenn +topazz +kingpins +dima1991 +macdog +spencer5 +oi812 +geoffre +music11 +baffle +123569 +usagi +cassiope +polla +lilcrowe +thecakeisalie +vbhjndjhtw +vthokies +oldmans +sophie01 +ghoster +penny2 +129834 +locutus1 +meesha +magik +jerry69 +daddysgirl +irondesk +andrey12 +jasmine123 +vepsrfyn +likesdick +1accord +jetboat +grafix +tomuch +showit +protozoa +mosias98 +taburetka +blaze420 +esenin +anal69 +zhv84kv +puissant +charles0 +aishwarya +babylon6 +bitter1 +lenina +raleigh1 +lechat +access01 +kamilka +fynjy +sparkplu +daisy3112 +choppe +zootsuit +1234567j +rubyrose +gorilla9 +nightshade +alternativa +cghfdjxybr +snuggles1 +10121v +vova1992 +leonardo1 +dave2 +matthewd +vfhfnbr +1986mets +nobull +bacall +mexican1 +juanjo +mafia1 +boomer22 +soylent +edwards1 +jordan10 +blackwid +alex86 +gemini13 +lunar2 +dctvcjcfnm +malaki +plugger +eagles11 +snafu2 +1shelly +cintaku +hannah22 +tbird1 +maks5843 +irish88 +homer22 +amarok +fktrcfylhjdf +lincoln2 +acess +gre69kik +need4speed +hightech +core2duo +blunt1 +ublhjgjybrf +dragon33 +1autopas +autopas1 +wwww1 +15935746 +daniel20 +2500aa +massim +1ggggggg +96ford +hardcor1 +cobra5 +blackdragon +vovan_lt +orochimaru +hjlbntkb +qwertyuiop12 +tallen +paradoks +frozenfish +ghjuhfvvbcn +gerri1 +nuggett +camilit +doright +trans1 +serena1 +catch2 +bkmyeh +fireston +afhvfwtdn +purple3 +figure8 +fuckya +scamp1 +laranja +ontheoutside +louis123 +yellow7 +moonwalk +mercury2 +tolkein +raide +amenra +a13579 +dranreb +5150vh +harish +tracksta +sexking +ozzmosis +katiee +alomar +matrix19 +headroom +jahlove +ringding +apollo8 +132546 +132613 +12345672000 +saretta +135798 +136666 +thomas7 +136913 +onetwothree +hockey33 +calida +nefertit +bitwise +tailhook +boop4 +kfgecbr +bujhmbujhm +metal69 +thedark +meteoro +felicia1 +house12 +tinuviel +istina +vaz2105 +pimp13 +toolfan +nina1 +tuesday2 +maxmotives +lgkp500 +locksley +treech +darling1 +kurama +aminka +ramin +redhed +dazzler +jager1 +stpiliot +cardman +rfvtym +cheeser +14314314 +paramoun +samcat +plumpy +stiffie +vsajyjr +panatha +qqq777 +car12345 +098poi +asdzx +keegan1 +furelise +kalifornia +vbhjckfd +beast123 +zcfvfzkexifz +harry5 +1birdie +96328i +escola +extra330 +henry12 +gfhfyjqz +14u2nv +max1234 +templar1 +1dave +02588520 +catrin +pangolin +marhaba +latin1 +amorcito +dave22 +escape1 +advance1 +yasuhiro +grepw +meetme +orange01 +ernes +erdna +zsergn +nautica1 +justinb +soundwav +miasma +greg78 +nadine1 +sexmad +lovebaby +promo1 +excel1 +babys +dragonma +camry1 +sonnenschein +farooq +wazzkaprivet +magal +katinas +elvis99 +redsox24 +rooney1 +chiefy +peggys +aliev +pilsung +mudhen +dontdoit +dennis12 +supercal +energia +ballsout +funone +claudiu +brown2 +amoco +dabl1125 +philos +gjdtkbntkm +servette +13571113 +whizzer +nollie +13467982 +upiter +12string +bluejay1 +silkie +william4 +kosta1 +143333 +connor12 +sustanon +06068 +corporat +ssnake +laurita +king10 +tahoes +arsenal123 +sapato +charless +jeanmarc +levent +algerie +marine21 +jettas +winsome +dctvgbplf +1701ab +xxxp455w0rd5 +lllllll1 +ooooooo1 +monalis +koufax32 +anastasya +debugger +sarita2 +jason69 +ufkxjyjr +gjlcnfdf +1jerry +daniel10 +balinor +sexkitten +death2 +qwertasdfgzxcvb +s9te949f +vegeta1 +sysman +maxxam +dimabilan +mooose +ilovetit +june23 +illest +doesit +mamou +abby12 +longjump +transalp +moderato +littleguy +magritte +dilnoza +hawaiiguy +winbig +nemiroff +kokaine +admira +myemail +dream2 +browneyes +destiny7 +dragonss +suckme1 +asa123 +andranik +suckem +fleshbot +dandie +timmys +scitra +timdog +hasbeen +guesss +smellyfe +arachne +deutschl +harley88 +birthday27 +nobody1 +papasmur +home1 +jonass +bunia3 +epatb1 +embalm +vfvekmrf +apacer +12345656 +estreet +weihnachtsbaum +mrwhite +admin12 +kristie1 +kelebek +yoda69 +socken +tima123 +bayern1 +fktrcfylth +tamiya +99strenght +andy01 +denis2011 +19delta +stokecit +aotearoa +stalker2 +nicnac +conrad1 +popey +agusta +bowl36 +1bigfish +mossyoak +1stunner +getinnow +jessejames +gkfnjy +drako +1nissan +egor123 +hotness +1hawaii +zxc123456 +cantstop +1peaches +madlen +west1234 +jeter1 +markis +judit +attack1 +artemi +silver69 +153246 +crazy2 +green9 +yoshimi +1vette +chief123 +jasper2 +1sierra +twentyon +drstrang +aspirant +yannic +jenna123 +bongtoke +slurpy +1sugar +civic97 +rusty21 +shineon +james19 +anna12345 +wonderwoman +1kevin +karol1 +kanabis +wert21 +fktif6115 +evil1 +kakaha +54gv768 +826248s +tyrone1 +1winston +sugar2 +falcon01 +adelya +mopar440 +zasxcd +leecher +kinkysex +mercede1 +travka +11234567 +rebon +geekboy diff --git a/user/user_data/ZxcvbnData/3/ranked_dicts b/user/user_data/ZxcvbnData/3/ranked_dicts new file mode 100644 index 0000000..ab51854 Binary files /dev/null and b/user/user_data/ZxcvbnData/3/ranked_dicts differ diff --git a/user/user_data/ZxcvbnData/3/surnames.txt b/user/user_data/ZxcvbnData/3/surnames.txt new file mode 100644 index 0000000..87e7071 --- /dev/null +++ b/user/user_data/ZxcvbnData/3/surnames.txt @@ -0,0 +1,10000 @@ +smith +johnson +williams +jones +brown +davis +miller +wilson +moore +taylor +anderson +jackson +white +harris +martin +thompson +garcia +martinez +robinson +clark +rodriguez +lewis +lee +walker +hall +allen +young +hernandez +king +wright +lopez +hill +green +adams +baker +gonzalez +nelson +carter +mitchell +perez +roberts +turner +phillips +campbell +parker +evans +edwards +collins +stewart +sanchez +morris +rogers +reed +cook +morgan +bell +murphy +bailey +rivera +cooper +richardson +cox +howard +ward +torres +peterson +gray +ramirez +watson +brooks +sanders +price +bennett +wood +barnes +ross +henderson +coleman +jenkins +perry +powell +long +patterson +hughes +flores +washington +butler +simmons +foster +gonzales +bryant +alexander +griffin +diaz +hayes +myers +ford +hamilton +graham +sullivan +wallace +woods +cole +west +owens +reynolds +fisher +ellis +harrison +gibson +mcdonald +cruz +marshall +ortiz +gomez +murray +freeman +wells +webb +simpson +stevens +tucker +porter +hicks +crawford +boyd +mason +morales +kennedy +warren +dixon +ramos +reyes +burns +gordon +shaw +holmes +rice +robertson +hunt +black +daniels +palmer +mills +nichols +grant +knight +ferguson +stone +hawkins +dunn +perkins +hudson +spencer +gardner +stephens +payne +pierce +berry +matthews +arnold +wagner +willis +watkins +olson +carroll +duncan +snyder +hart +cunningham +lane +andrews +ruiz +harper +fox +riley +armstrong +carpenter +weaver +greene +elliott +chavez +sims +peters +kelley +franklin +lawson +fields +gutierrez +schmidt +carr +vasquez +castillo +wheeler +chapman +montgomery +richards +williamson +johnston +banks +meyer +bishop +mccoy +howell +alvarez +morrison +hansen +fernandez +garza +burton +nguyen +jacobs +reid +fuller +lynch +garrett +romero +welch +larson +frazier +burke +hanson +mendoza +moreno +bowman +medina +fowler +brewer +hoffman +carlson +silva +pearson +holland +fleming +jensen +vargas +byrd +davidson +hopkins +herrera +wade +soto +walters +neal +caldwell +lowe +jennings +barnett +graves +jimenez +horton +shelton +barrett +obrien +castro +sutton +mckinney +lucas +miles +rodriquez +chambers +holt +lambert +fletcher +watts +bates +hale +rhodes +pena +beck +newman +haynes +mcdaniel +mendez +bush +vaughn +parks +dawson +santiago +norris +hardy +steele +curry +powers +schultz +barker +guzman +page +munoz +ball +keller +chandler +weber +walsh +lyons +ramsey +wolfe +schneider +mullins +benson +sharp +bowen +barber +cummings +hines +baldwin +griffith +valdez +hubbard +salazar +reeves +warner +stevenson +burgess +santos +tate +cross +garner +mann +mack +moss +thornton +mcgee +farmer +delgado +aguilar +vega +glover +manning +cohen +harmon +rodgers +robbins +newton +blair +higgins +ingram +reese +cannon +strickland +townsend +potter +goodwin +walton +rowe +hampton +ortega +patton +swanson +goodman +maldonado +yates +becker +erickson +hodges +rios +conner +adkins +webster +malone +hammond +flowers +cobb +moody +quinn +pope +osborne +mccarthy +guerrero +estrada +sandoval +gibbs +gross +fitzgerald +stokes +doyle +saunders +wise +colon +gill +alvarado +greer +padilla +waters +nunez +ballard +schwartz +mcbride +houston +christensen +klein +pratt +briggs +parsons +mclaughlin +zimmerman +buchanan +moran +copeland +pittman +brady +mccormick +holloway +brock +poole +logan +bass +marsh +drake +wong +jefferson +morton +abbott +sparks +norton +huff +massey +figueroa +carson +bowers +roberson +barton +tran +lamb +harrington +boone +cortez +clarke +mathis +singleton +wilkins +cain +underwood +hogan +mckenzie +collier +luna +phelps +mcguire +bridges +wilkerson +nash +summers +atkins +wilcox +pitts +conley +marquez +burnett +cochran +chase +davenport +hood +gates +ayala +sawyer +vazquez +dickerson +hodge +acosta +flynn +espinoza +nicholson +monroe +wolf +morrow +whitaker +oconnor +skinner +ware +molina +kirby +huffman +gilmore +dominguez +oneal +lang +combs +kramer +hancock +gallagher +gaines +shaffer +wiggins +mathews +mcclain +fischer +wall +melton +hensley +bond +dyer +grimes +contreras +wyatt +baxter +snow +mosley +shepherd +larsen +hoover +beasley +petersen +whitehead +meyers +garrison +shields +horn +savage +olsen +schroeder +hartman +woodard +mueller +kemp +deleon +booth +patel +calhoun +wiley +eaton +cline +navarro +harrell +humphrey +parrish +duran +hutchinson +hess +dorsey +bullock +robles +beard +dalton +avila +rich +blackwell +johns +blankenship +trevino +salinas +campos +pruitt +callahan +montoya +hardin +guerra +mcdowell +stafford +gallegos +henson +wilkinson +booker +merritt +atkinson +orr +decker +hobbs +tanner +knox +pacheco +stephenson +glass +rojas +serrano +marks +hickman +sweeney +strong +mcclure +conway +roth +maynard +farrell +lowery +hurst +nixon +weiss +trujillo +ellison +sloan +juarez +winters +mclean +boyer +villarreal +mccall +gentry +carrillo +ayers +lara +sexton +pace +hull +leblanc +browning +velasquez +leach +chang +sellers +herring +noble +foley +bartlett +mercado +landry +durham +walls +barr +mckee +bauer +rivers +bradshaw +pugh +velez +rush +estes +dodson +morse +sheppard +weeks +camacho +bean +barron +livingston +middleton +spears +branch +blevins +chen +kerr +mcconnell +hatfield +harding +solis +frost +giles +blackburn +pennington +woodward +finley +mcintosh +koch +mccullough +blanchard +rivas +brennan +mejia +kane +benton +buckley +valentine +maddox +russo +mcknight +buck +moon +mcmillan +crosby +berg +dotson +mays +roach +chan +richmond +meadows +faulkner +oneill +knapp +kline +ochoa +jacobson +gay +hendricks +horne +shepard +hebert +cardenas +mcintyre +waller +holman +donaldson +cantu +morin +gillespie +fuentes +tillman +bentley +peck +key +salas +rollins +gamble +dickson +santana +cabrera +cervantes +howe +hinton +hurley +spence +zamora +yang +mcneil +suarez +petty +gould +mcfarland +sampson +carver +bray +macdonald +stout +hester +melendez +dillon +farley +hopper +galloway +potts +joyner +stein +aguirre +osborn +mercer +bender +franco +rowland +sykes +pickett +sears +mayo +dunlap +hayden +wilder +mckay +coffey +mccarty +ewing +cooley +vaughan +bonner +cotton +holder +stark +ferrell +cantrell +fulton +lott +calderon +pollard +hooper +burch +mullen +fry +riddle +levy +duke +odonnell +britt +daugherty +berger +dillard +alston +frye +riggs +chaney +odom +duffy +fitzpatrick +valenzuela +mayer +alford +mcpherson +acevedo +barrera +cote +reilly +compton +mooney +mcgowan +craft +clemons +wynn +nielsen +baird +stanton +snider +rosales +bright +witt +hays +holden +rutledge +kinney +clements +castaneda +slater +hahn +burks +delaney +pate +lancaster +sharpe +whitfield +talley +macias +burris +ratliff +mccray +madden +kaufman +beach +goff +cash +bolton +mcfadden +levine +byers +kirkland +kidd +workman +carney +mcleod +holcomb +finch +sosa +haney +franks +sargent +nieves +downs +rasmussen +bird +hewitt +foreman +valencia +oneil +delacruz +vinson +dejesus +hyde +forbes +gilliam +guthrie +wooten +huber +barlow +boyle +mcmahon +buckner +rocha +puckett +langley +knowles +cooke +velazquez +whitley +vang +shea +rouse +hartley +mayfield +elder +rankin +hanna +cowan +lucero +arroyo +slaughter +haas +oconnell +minor +boucher +archer +boggs +dougherty +andersen +newell +crowe +wang +friedman +bland +swain +holley +pearce +childs +yarbrough +galvan +proctor +meeks +lozano +mora +rangel +bacon +villanueva +schaefer +rosado +helms +boyce +goss +stinson +ibarra +hutchins +covington +crowley +hatcher +mackey +bunch +womack +polk +dodd +childress +childers +villa +springer +mahoney +dailey +belcher +lockhart +griggs +costa +brandt +walden +moser +tatum +mccann +akers +lutz +pryor +orozco +mcallister +lugo +davies +shoemaker +rutherford +newsome +magee +chamberlain +blanton +simms +godfrey +flanagan +crum +cordova +escobar +downing +sinclair +donahue +krueger +mcginnis +gore +farris +webber +corbett +andrade +starr +lyon +yoder +hastings +mcgrath +spivey +krause +harden +crabtree +kirkpatrick +arrington +ritter +mcghee +bolden +maloney +gagnon +dunbar +ponce +pike +mayes +beatty +mobley +kimball +butts +montes +eldridge +braun +hamm +gibbons +moyer +manley +herron +plummer +elmore +cramer +rucker +pierson +fontenot +rubio +goldstein +elkins +wills +novak +hickey +worley +gorman +katz +dickinson +broussard +woodruff +crow +britton +nance +lehman +bingham +zuniga +whaley +shafer +coffman +steward +delarosa +neely +mata +davila +mccabe +kessler +hinkle +welsh +pagan +goldberg +goins +crouch +cuevas +quinones +mcdermott +hendrickson +samuels +denton +bergeron +ivey +locke +haines +snell +hoskins +byrne +arias +corbin +beltran +chappell +downey +dooley +tuttle +couch +payton +mcelroy +crockett +groves +cartwright +dickey +mcgill +dubois +muniz +tolbert +dempsey +cisneros +sewell +latham +vigil +tapia +rainey +norwood +stroud +meade +tipton +kuhn +hilliard +bonilla +teague +gunn +greenwood +correa +reece +pineda +phipps +frey +kaiser +ames +gunter +schmitt +milligan +espinosa +bowden +vickers +lowry +pritchard +costello +piper +mcclellan +lovell +sheehan +hatch +dobson +singh +jeffries +hollingsworth +sorensen +meza +fink +donnelly +burrell +tomlinson +colbert +billings +ritchie +helton +sutherland +peoples +mcqueen +thomason +givens +crocker +vogel +robison +dunham +coker +swartz +keys +ladner +richter +hargrove +edmonds +brantley +albright +murdock +boswell +muller +quintero +padgett +kenney +daly +connolly +inman +quintana +lund +barnard +villegas +simons +huggins +tidwell +sanderson +bullard +mcclendon +duarte +draper +marrero +dwyer +abrams +stover +goode +fraser +crews +bernal +godwin +conklin +mcneal +baca +esparza +crowder +bower +brewster +mcneill +rodrigues +leal +coates +raines +mccain +mccord +miner +holbrook +swift +dukes +carlisle +aldridge +ackerman +starks +ricks +holliday +ferris +hairston +sheffield +lange +fountain +doss +betts +kaplan +carmichael +bloom +ruffin +penn +kern +bowles +sizemore +larkin +dupree +seals +metcalf +hutchison +henley +farr +mccauley +hankins +gustafson +curran +waddell +ramey +cates +pollock +cummins +messer +heller +funk +cornett +palacios +galindo +cano +hathaway +pham +enriquez +salgado +pelletier +painter +wiseman +blount +feliciano +houser +doherty +mead +mcgraw +swan +capps +blanco +blackmon +thomson +mcmanus +burkett +gleason +dickens +cormier +voss +rushing +rosenberg +hurd +dumas +benitez +arellano +marin +caudill +bragg +jaramillo +huerta +gipson +colvin +biggs +vela +platt +cassidy +tompkins +mccollum +dolan +daley +crump +sneed +kilgore +grove +grimm +davison +brunson +prater +marcum +devine +dodge +stratton +rosas +choi +tripp +ledbetter +hightower +feldman +epps +yeager +posey +scruggs +cope +stubbs +richey +overton +trotter +sprague +cordero +butcher +stiles +burgos +woodson +horner +bassett +purcell +haskins +akins +ziegler +spaulding +hadley +grubbs +sumner +murillo +zavala +shook +lockwood +driscoll +dahl +thorpe +redmond +putnam +mcwilliams +mcrae +romano +joiner +sadler +hedrick +hager +hagen +fitch +coulter +thacker +mansfield +langston +guidry +ferreira +corley +conn +rossi +lackey +baez +saenz +mcnamara +mcmullen +mckenna +mcdonough +link +engel +browne +roper +peacock +eubanks +drummond +stringer +pritchett +parham +mims +landers +grayson +schafer +egan +timmons +ohara +keen +hamlin +finn +cortes +mcnair +nadeau +moseley +michaud +rosen +oakes +kurtz +jeffers +calloway +beal +bautista +winn +suggs +stern +stapleton +lyles +laird +montano +dawkins +hagan +goldman +bryson +barajas +lovett +segura +metz +lockett +langford +hinson +eastman +hooks +smallwood +shapiro +crowell +whalen +triplett +chatman +aldrich +cahill +youngblood +ybarra +stallings +sheets +reeder +connelly +bateman +abernathy +winkler +wilkes +masters +hackett +granger +gillis +schmitz +sapp +napier +souza +lanier +gomes +weir +otero +ledford +burroughs +babcock +ventura +siegel +dugan +bledsoe +atwood +wray +varner +spangler +anaya +staley +kraft +fournier +belanger +wolff +thorne +bynum +burnette +boykin +swenson +purvis +pina +khan +duvall +darby +xiong +kauffman +healy +engle +benoit +valle +steiner +spicer +shaver +randle +lundy +chin +calvert +staton +neff +kearney +darden +oakley +medeiros +mccracken +crenshaw +perdue +dill +whittaker +tobin +washburn +hogue +goodrich +easley +bravo +dennison +shipley +kerns +jorgensen +crain +villalobos +maurer +longoria +keene +coon +witherspoon +staples +pettit +kincaid +eason +madrid +echols +lusk +stahl +currie +thayer +shultz +mcnally +seay +maher +gagne +barrow +nava +moreland +honeycutt +hearn +diggs +caron +whitten +westbrook +stovall +ragland +munson +meier +looney +kimble +jolly +hobson +goddard +culver +burr +presley +negron +connell +tovar +huddleston +ashby +salter +root +pendleton +oleary +nickerson +myrick +judd +jacobsen +bain +adair +starnes +matos +busby +herndon +hanley +bellamy +doty +bartley +yazzie +rowell +parson +gifford +cullen +christiansen +benavides +barnhart +talbot +mock +crandall +connors +bonds +whitt +gage +bergman +arredondo +addison +lujan +dowdy +jernigan +huynh +bouchard +dutton +rhoades +ouellette +kiser +herrington +hare +blackman +babb +allred +rudd +paulson +ogden +koenig +geiger +begay +parra +lassiter +hawk +esposito +waldron +ransom +prather +chacon +vick +sands +roark +parr +mayberry +greenberg +coley +bruner +whitman +skaggs +shipman +leary +hutton +romo +medrano +ladd +kruse +askew +schulz +alfaro +tabor +mohr +gallo +bermudez +pereira +bliss +reaves +flint +comer +woodall +naquin +guevara +delong +carrier +pickens +tilley +schaffer +knutson +fenton +doran +vogt +vann +prescott +mclain +landis +corcoran +zapata +hyatt +hemphill +faulk +dove +boudreaux +aragon +whitlock +trejo +tackett +shearer +saldana +hanks +mckinnon +koehler +bourgeois +keyes +goodson +foote +lunsford +goldsmith +flood +winslow +sams +reagan +mccloud +hough +esquivel +naylor +loomis +coronado +ludwig +braswell +bearden +huang +fagan +ezell +edmondson +cronin +nunn +lemon +guillory +grier +dubose +traylor +ryder +dobbins +coyle +aponte +whitmore +smalls +rowan +malloy +cardona +braxton +borden +humphries +carrasco +ruff +metzger +huntley +hinojosa +finney +madsen +ernst +dozier +burkhart +bowser +peralta +daigle +whittington +sorenson +saucedo +roche +redding +fugate +avalos +waite +lind +huston +hawthorne +hamby +boyles +boles +regan +faust +crook +beam +barger +hinds +gallardo +willoughby +willingham +eckert +busch +zepeda +worthington +tinsley +hoff +hawley +carmona +varela +rector +newcomb +kinsey +dube +whatley +ragsdale +bernstein +becerra +yost +mattson +felder +cheek +handy +grossman +gauthier +escobedo +braden +beckman +mott +hillman +flaherty +dykes +stockton +stearns +lofton +coats +cavazos +beavers +barrios +tang +mosher +cardwell +coles +burnham +weller +lemons +beebe +aguilera +parnell +harman +couture +alley +schumacher +redd +dobbs +blum +blalock +merchant +ennis +denson +cottrell +brannon +bagley +aviles +watt +sousa +rosenthal +rooney +dietz +blank +paquette +mcclelland +duff +velasco +lentz +grubb +burrows +barbour +ulrich +shockley +rader +beyer +mixon +layton +altman +weathers +stoner +squires +shipp +priest +lipscomb +cutler +caballero +zimmer +willett +thurston +storey +medley +epperson +shah +mcmillian +baggett +torrez +hirsch +dent +poirier +peachey +farrar +creech +barth +trimble +dupre +albrecht +sample +lawler +crisp +conroy +wetzel +nesbitt +murry +jameson +wilhelm +patten +minton +matson +kimbrough +guinn +croft +toth +pulliam +nugent +newby +littlejohn +dias +canales +bernier +baron +singletary +renteria +pruett +mchugh +mabry +landrum +brower +stoddard +cagle +stjohn +scales +kohler +kellogg +hopson +gant +tharp +gann +zeigler +pringle +hammons +fairchild +deaton +chavis +carnes +rowley +matlock +kearns +irizarry +carrington +starkey +lopes +jarrell +craven +baum +littlefield +linn +humphreys +etheridge +cuellar +chastain +bundy +speer +skelton +quiroz +pyle +portillo +ponder +moulton +machado +killian +hutson +hitchcock +dowling +cloud +burdick +spann +pedersen +levin +leggett +hayward +dietrich +beaulieu +barksdale +wakefield +snowden +briscoe +bowie +berman +ogle +mcgregor +laughlin +helm +burden +wheatley +schreiber +pressley +parris +alaniz +agee +swann +snodgrass +schuster +radford +monk +mattingly +harp +girard +cheney +yancey +wagoner +ridley +lombardo +hudgins +gaskins +duckworth +coburn +willey +prado +newberry +magana +hammonds +elam +whipple +slade +serna +ojeda +liles +dorman +diehl +upton +reardon +michaels +goetz +eller +bauman +baer +layne +hummel +brenner +amaya +adamson +ornelas +dowell +cloutier +castellanos +wellman +saylor +orourke +moya +montalvo +kilpatrick +durbin +shell +oldham +kang +garvin +foss +branham +bartholomew +templeton +maguire +holton +rider +monahan +mccormack +beaty +anders +streeter +nieto +nielson +moffett +lankford +keating +heck +gatlin +delatorre +callaway +adcock +worrell +unger +robinette +nowak +jeter +brunner +steen +parrott +overstreet +nobles +montanez +clevenger +brinkley +trahan +quarles +pickering +pederson +jansen +grantham +gilchrist +crespo +aiken +schell +schaeffer +lorenz +leyva +harms +dyson +wallis +pease +leavitt +cheng +cavanaugh +batts +warden +seaman +rockwell +quezada +paxton +linder +houck +fontaine +durant +caruso +adler +pimentel +mize +lytle +cleary +cason +acker +switzer +isaacs +higginbotham +waterman +vandyke +stamper +sisk +shuler +riddick +mcmahan +levesque +hatton +bronson +bollinger +arnett +okeefe +gerber +gannon +farnsworth +baughman +silverman +satterfield +mccrary +kowalski +grigsby +greco +cabral +trout +rinehart +mahon +linton +gooden +curley +baugh +wyman +weiner +schwab +schuler +morrissey +mahan +bunn +thrasher +spear +waggoner +qualls +purdy +mcwhorter +mauldin +gilman +perryman +newsom +menard +martino +graf +billingsley +artis +simpkins +salisbury +quintanilla +gilliland +fraley +foust +crouse +scarborough +grissom +fultz +marlow +markham +madrigal +lawton +barfield +whiting +varney +schwarz +gooch +arce +wheat +truong +poulin +hurtado +selby +gaither +fortner +culpepper +coughlin +brinson +boudreau +bales +stepp +holm +schilling +morrell +kahn +heaton +gamez +causey +turpin +shanks +schrader +meek +isom +hardison +carranza +yanez +scroggins +schofield +runyon +ratcliff +murrell +moeller +irby +currier +butterfield +ralston +pullen +pinson +estep +carbone +hawks +ellington +casillas +spurlock +sikes +motley +mccartney +kruger +isbell +houle +burk +tomlin +quigley +neumann +lovelace +fennell +cheatham +bustamante +skidmore +hidalgo +forman +culp +bowens +betancourt +aquino +robb +milner +martel +gresham +wiles +ricketts +dowd +collazo +bostic +blakely +sherrod +kenyon +gandy +ebert +deloach +allard +sauer +robins +olivares +gillette +chestnut +bourque +paine +hite +hauser +devore +crawley +chapa +talbert +poindexter +meador +mcduffie +mattox +kraus +harkins +choate +wren +sledge +sanborn +kinder +geary +cornwell +barclay +abney +seward +rhoads +howland +fortier +benner +vines +tubbs +troutman +rapp +mccurdy +deluca +westmoreland +havens +guajardo +clary +seal +meehan +herzog +guillen +ashcraft +waugh +renner +milam +elrod +churchill +breaux +bolin +asher +windham +tirado +pemberton +nolen +noland +knott +emmons +cornish +christenson +brownlee +barbee +waldrop +pitt +olvera +lombardi +gruber +gaffney +eggleston +banda +archuleta +slone +prewitt +pfeiffer +nettles +mena +mcadams +henning +gardiner +cromwell +chisholm +burleson +vest +oglesby +mccarter +lumpkin +wofford +vanhorn +thorn +teel +swafford +stclair +stanfield +ocampo +herrmann +hannon +arsenault +roush +mcalister +hiatt +gunderson +forsythe +duggan +delvalle +cintron +wilks +weinstein +uribe +rizzo +noyes +mclendon +gurley +bethea +winstead +maples +guyton +giordano +alderman +valdes +polanco +pappas +lively +grogan +griffiths +bobo +arevalo +whitson +sowell +rendon +fernandes +farrow +benavidez +ayres +alicea +stump +smalley +seitz +schulte +gilley +gallant +canfield +wolford +omalley +mcnutt +mcnulty +mcgovern +hardman +harbin +cowart +chavarria +brink +beckett +bagwell +armstead +anglin +abreu +reynoso +krebs +jett +hoffmann +greenfield +forte +burney +broome +sisson +trammell +partridge +mace +lomax +lemieux +gossett +frantz +fogle +cooney +broughton +pence +paulsen +muncy +mcarthur +hollins +beauchamp +withers +osorio +mulligan +hoyle +dockery +cockrell +begley +amador +roby +rains +lindquist +gentile +everhart +bohannon +wylie +sommers +purnell +fortin +dunning +breeden +vail +phelan +phan +marx +cosby +colburn +boling +biddle +ledesma +gaddis +denney +chow +bueno +berrios +wicker +tolliver +thibodeaux +nagle +lavoie +fisk +crist +barbosa +reedy +locklear +kolb +himes +behrens +beckwith +weems +wahl +shorter +shackelford +rees +muse +cerda +valadez +thibodeau +saavedra +ridgeway +reiter +mchenry +majors +lachance +keaton +ferrara +clemens +blocker +applegate +needham +mojica +kuykendall +hamel +escamilla +doughty +burchett +ainsworth +vidal +upchurch +thigpen +strauss +spruill +sowers +riggins +ricker +mccombs +harlow +buffington +sotelo +olivas +negrete +morey +macon +logsdon +lapointe +bigelow +bello +westfall +stubblefield +lindley +hein +hawes +farrington +breen +birch +wilde +steed +sepulveda +reinhardt +proffitt +minter +messina +mcnabb +maier +keeler +gamboa +donohue +basham +shinn +crooks +cota +borders +bills +bachman +tisdale +tavares +schmid +pickard +gulley +fonseca +delossantos +condon +batista +wicks +wadsworth +martell +littleton +ison +haag +folsom +brumfield +broyles +brito +mireles +mcdonnell +leclair +hamblin +gough +fanning +binder +winfield +whitworth +soriano +palumbo +newkirk +mangum +hutcherson +comstock +carlin +beall +bair +wendt +watters +walling +putman +otoole +morley +mares +lemus +keener +hundley +dial +damico +billups +strother +mcfarlane +lamm +eaves +crutcher +caraballo +canty +atwell +taft +siler +rust +rawls +rawlings +prieto +mcneely +mcafee +hulsey +hackney +galvez +escalante +delagarza +crider +bandy +wilbanks +stowe +steinberg +renfro +masterson +massie +lanham +haskell +hamrick +dehart +burdette +branson +bourne +babin +aleman +worthy +tibbs +smoot +slack +paradis +mull +luce +houghton +gantt +furman +danner +christianson +burge +ashford +arndt +almeida +stallworth +shade +searcy +sager +noonan +mclemore +mcintire +maxey +lavigne +jobe +ferrer +falk +coffin +byrnes +aranda +apodaca +stamps +rounds +peek +olmstead +lewandowski +kaminski +dunaway +bruns +brackett +amato +reich +mcclung +lacroix +koontz +herrick +hardesty +flanders +cousins +cato +cade +vickery +shank +nagel +dupuis +croteau +cotter +stuckey +stine +porterfield +pauley +moffitt +knudsen +hardwick +goforth +dupont +blunt +barrows +barnhill +shull +rash +loftis +lemay +kitchens +horvath +grenier +fuchs +fairbanks +culbertson +calkins +burnside +beattie +ashworth +albertson +wertz +vaught +vallejo +turk +tuck +tijerina +sage +peterman +marroquin +marr +lantz +hoang +demarco +cone +berube +barnette +wharton +stinnett +slocum +scanlon +sander +pinto +mancuso +lima +headley +epstein +counts +clarkson +carnahan +boren +arteaga +adame +zook +whittle +whitehurst +wenzel +saxton +reddick +puente +handley +haggerty +earley +devlin +chaffin +cady +acuna +solano +sigler +pollack +pendergrass +ostrander +janes +francois +crutchfield +chamberlin +brubaker +baptiste +willson +reis +neeley +mullin +mercier +lira +layman +keeling +higdon +espinal +chapin +warfield +toledo +pulido +peebles +nagy +montague +mello +lear +jaeger +hogg +graff +furr +soliz +poore +mendenhall +mclaurin +maestas +gable +barraza +tillery +snead +pond +neill +mcculloch +mccorkle +lightfoot +hutchings +holloman +harness +dorn +bock +zielinski +turley +treadwell +stpierre +starling +somers +oswald +merrick +easterling +bivens +truitt +poston +parry +ontiveros +olivarez +moreau +medlin +lenz +knowlton +fairley +cobbs +chisolm +bannister +woodworth +toler +ocasio +noriega +neuman +moye +milburn +mcclanahan +lilley +hanes +flannery +dellinger +danielson +conti +blodgett +beers +weatherford +strain +karr +hitt +denham +custer +coble +clough +casteel +bolduc +batchelor +ammons +whitlow +tierney +staten +sibley +seifert +schubert +salcedo +mattison +laney +haggard +grooms +dees +cromer +cooks +colson +caswell +zarate +swisher +shin +ragan +pridgen +mcvey +matheny +lafleur +franz +ferraro +dugger +whiteside +rigsby +mcmurray +lehmann +jacoby +hildebrand +hendrick +headrick +goad +fincher +drury +borges +archibald +albers +woodcock +trapp +soares +seaton +monson +luckett +lindberg +kopp +keeton +healey +garvey +gaddy +fain +burchfield +wentworth +strand +stack +spooner +saucier +ricci +plunkett +pannell +ness +leger +freitas +fong +elizondo +duval +beaudoin +urbina +rickard +partin +mcgrew +mcclintock +ledoux +forsyth +faison +devries +bertrand +wasson +tilton +scarbrough +leung +irvine +garber +denning +corral +colley +castleberry +bowlin +bogan +beale +baines +trice +rayburn +parkinson +nunes +mcmillen +leahy +kimmel +higgs +fulmer +carden +bedford +taggart +spearman +prichard +morrill +koonce +heinz +hedges +guenther +grice +findley +dover +creighton +boothe +bayer +arreola +vitale +valles +raney +osgood +hanlon +burley +bounds +worden +weatherly +vetter +tanaka +stiltner +nevarez +mosby +montero +melancon +harter +hamer +goble +gladden +gist +ginn +akin +zaragoza +tarver +sammons +royster +oreilly +muir +morehead +luster +kingsley +kelso +grisham +glynn +baumann +alves +yount +tamayo +paterson +oates +menendez +longo +hargis +gillen +desantis +conover +breedlove +sumpter +scherer +rupp +reichert +heredia +creel +cohn +clemmons +casas +bickford +belton +bach +williford +whitcomb +tennant +sutter +stull +mccallum +langlois +keel +keegan +dangelo +dancy +damron +clapp +clanton +bankston +oliveira +mintz +mcinnis +martens +mabe +laster +jolley +hildreth +hefner +glaser +duckett +demers +brockman +blais +alcorn +agnew +toliver +tice +seeley +najera +musser +mcfall +laplante +galvin +fajardo +doan +coyne +copley +clawson +cheung +barone +wynne +woodley +tremblay +stoll +sparrow +sparkman +schweitzer +sasser +samples +roney +legg +heim +farias +colwell +christman +bratcher +winchester +upshaw +southerland +sorrell +sells +mccloskey +martindale +luttrell +loveless +lovejoy +linares +latimer +embry +coombs +bratton +bostick +venable +tuggle +toro +staggs +sandlin +jefferies +heckman +griffis +crayton +clem +browder +thorton +sturgill +sprouse +royer +rousseau +ridenour +pogue +perales +peeples +metzler +mesa +mccutcheon +mcbee +hornsby +heffner +corrigan +armijo +plante +peyton +paredes +macklin +hussey +hodgson +granados +frias +becnel +batten +almanza +turney +teal +sturgeon +meeker +mcdaniels +limon +keeney +hutto +holguin +gorham +fishman +fierro +blanchette +rodrigue +reddy +osburn +oden +lerma +kirkwood +keefer +haugen +hammett +chalmers +brinkman +baumgartner +zhang +valerio +tellez +steffen +shumate +sauls +ripley +kemper +guffey +evers +craddock +carvalho +blaylock +banuelos +balderas +wheaton +turnbull +shuman +pointer +mosier +mccue +ligon +kozlowski +johansen +ingle +herr +briones +snipes +rickman +pipkin +pantoja +orosco +moniz +lawless +kunkel +hibbard +galarza +enos +bussey +schott +salcido +perreault +mcdougal +mccool +haight +garris +easton +conyers +atherton +wimberly +utley +spellman +smithson +slagle +ritchey +rand +petit +osullivan +oaks +nutt +mcvay +mccreary +mayhew +knoll +jewett +harwood +cardoza +ashe +arriaga +zeller +wirth +whitmire +stauffer +rountree +redden +mccaffrey +martz +larose +langdon +humes +gaskin +faber +devito +cass +almond +wingfield +wingate +villareal +tyner +smothers +severson +reno +pennell +maupin +leighton +janssen +hassell +hallman +halcomb +folse +fitzsimmons +fahey +cranford +bolen +battles +battaglia +wooldridge +trask +rosser +regalado +mcewen +keefe +fuqua +echevarria +caro +boynton +andrus +viera +vanmeter +taber +spradlin +seibert +provost +prentice +oliphant +laporte +hwang +hatchett +hass +greiner +freedman +covert +chilton +byars +wiese +venegas +swank +shrader +roberge +mullis +mortensen +mccune +marlowe +kirchner +keck +isaacson +hostetler +halverson +gunther +griswold +fenner +durden +blackwood +ahrens +sawyers +savoy +nabors +mcswain +mackay +lavender +lash +labbe +jessup +fullerton +cruse +crittenden +correia +centeno +caudle +canady +callender +alarcon +ahern +winfrey +tribble +salley +roden +musgrove +minnick +fortenberry +carrion +bunting +batiste +whited +underhill +stillwell +rauch +pippin +perrin +messenger +mancini +lister +kinard +hartmann +fleck +wilt +treadway +thornhill +spalding +rafferty +pitre +patino +ordonez +linkous +kelleher +homan +galbraith +feeney +curtin +coward +camarillo +buss +bunnell +bolt +beeler +autry +alcala +witte +wentz +stidham +shively +nunley +meacham +martins +lemke +lefebvre +hynes +horowitz +hoppe +holcombe +dunne +derr +cochrane +brittain +bedard +beauregard +torrence +strunk +soria +simonson +shumaker +scoggins +oconner +moriarty +kuntz +ives +hutcheson +horan +hales +garmon +fitts +bohn +atchison +wisniewski +vanwinkle +sturm +sallee +prosser +moen +lundberg +kunz +kohl +keane +jorgenson +jaynes +funderburk +freed +durr +creamer +cosgrove +batson +vanhoose +thomsen +teeter +smyth +redmon +orellana +maness +heflin +goulet +frick +forney +bunker +asbury +aguiar +talbott +southard +mowery +mears +lemmon +krieger +hickson +elston +duong +delgadillo +dayton +dasilva +conaway +catron +bruton +bradbury +bordelon +bivins +bittner +bergstrom +beals +abell +whelan +tejada +pulley +pino +norfleet +nealy +maes +loper +gatewood +frierson +freund +finnegan +cupp +covey +catalano +boehm +bader +yoon +walston +tenney +sipes +rawlins +medlock +mccaskill +mccallister +marcotte +maclean +hughey +henke +harwell +gladney +gilson +chism +caskey +brandenburg +baylor +villasenor +veal +thatcher +stegall +petrie +nowlin +navarrete +lombard +loftin +lemaster +kroll +kovach +kimbrell +kidwell +hershberger +fulcher +cantwell +bustos +boland +bobbitt +binkley +wester +weis +verdin +tong +tiller +sisco +sharkey +seymore +rosenbaum +rohr +quinonez +pinkston +malley +logue +lessard +lerner +lebron +krauss +klinger +halstead +haller +getz +burrow +alger +shores +pfeifer +perron +nelms +munn +mcmaster +mckenney +manns +knudson +hutchens +huskey +goebel +flagg +cushman +click +castellano +carder +bumgarner +wampler +spinks +robson +neel +mcreynolds +mathias +maas +loera +jenson +florez +coons +buckingham +brogan +berryman +wilmoth +wilhite +thrash +shephard +seidel +schulze +roldan +pettis +obryan +maki +mackie +hatley +frazer +fiore +chesser +bottoms +bisson +benefield +allman +wilke +trudeau +timm +shifflett +mundy +milliken +mayers +leake +kohn +huntington +horsley +hermann +guerin +fryer +frizzell +foret +flemming +fife +criswell +carbajal +bozeman +boisvert +angulo +wallen +tapp +silvers +ramsay +oshea +orta +moll +mckeever +mcgehee +linville +kiefer +ketchum +howerton +groce +gass +fusco +corbitt +betz +bartels +amaral +aiello +weddle +sperry +seiler +runyan +raley +overby +osteen +olds +mckeown +matney +lauer +lattimore +hindman +hartwell +fredrickson +fredericks +espino +clegg +carswell +cambell +burkholder +woodbury +welker +totten +thornburg +theriault +stitt +stamm +stackhouse +scholl +saxon +rife +razo +quinlan +pinkerton +olivo +nesmith +nall +mattos +lafferty +justus +giron +geer +fielder +drayton +dortch +conners +conger +boatwright +billiot +barden +armenta +tibbetts +steadman +slattery +rinaldi +raynor +pinckney +pettigrew +milne +matteson +halsey +gonsalves +fellows +durand +desimone +cowley +cowles +brill +barham +barela +barba +ashmore +withrow +valenti +tejeda +spriggs +sayre +salerno +peltier +peel +merriman +matheson +lowman +lindstrom +hyland +giroux +earls +dugas +dabney +collado +briseno +baxley +whyte +wenger +vanover +vanburen +thiel +schindler +schiller +rigby +pomeroy +passmore +marble +manzo +mahaffey +lindgren +laflamme +greathouse +fite +calabrese +bayne +yamamoto +wick +townes +thames +reinhart +peeler +naranjo +montez +mcdade +mast +markley +marchand +leeper +kellum +hudgens +hennessey +hadden +gainey +coppola +borrego +bolling +beane +ault +slaton +pape +null +mulkey +lightner +langer +hillard +ethridge +enright +derosa +baskin +weinberg +turman +somerville +pardo +noll +lashley +ingraham +hiller +hendon +glaze +cothran +cooksey +conte +carrico +abner +wooley +swope +summerlin +sturgis +sturdivant +stott +spurgeon +spillman +speight +roussel +popp +nutter +mckeon +mazza +magnuson +lanning +kozak +jankowski +heyward +forster +corwin +callaghan +bays +wortham +usher +theriot +sayers +sabo +poling +loya +lieberman +laroche +labelle +howes +harr +garay +fogarty +everson +durkin +dominquez +chaves +chambliss +witcher +vieira +vandiver +terrill +stoker +schreiner +moorman +liddell +lawhorn +krug +irons +hylton +hollenbeck +herrin +hembree +goolsby +goodin +gilmer +foltz +dinkins +daughtry +caban +brim +briley +bilodeau +wyant +vergara +tallent +swearingen +stroup +scribner +quillen +pitman +mccants +maxfield +martinson +holtz +flournoy +brookins +brody +baumgardner +straub +sills +roybal +roundtree +oswalt +mcgriff +mcdougall +mccleary +maggard +gragg +gooding +godinez +doolittle +donato +cowell +cassell +bracken +appel +zambrano +reuter +perea +nakamura +monaghan +mickens +mcclinton +mcclary +marler +kish +judkins +gilbreath +freese +flanigan +felts +erdmann +dodds +chew +brownell +boatright +barreto +slayton +sandberg +saldivar +pettway +odum +narvaez +moultrie +montemayor +merrell +lees +keyser +hoke +hardaway +hannan +gilbertson +fogg +dumont +deberry +coggins +buxton +bucher +broadnax +beeson +araujo +appleton +amundson +aguayo +ackley +yocum +worsham +shivers +sanches +sacco +robey +rhoden +pender +ochs +mccurry +madera +luong +knotts +jackman +heinrich +hargrave +gault +comeaux +chitwood +caraway +boettcher +bernhardt +barrientos +zink +wickham +whiteman +thorp +stillman +settles +schoonover +roque +riddell +pilcher +phifer +novotny +macleod +hardee +haase +grider +doucette +clausen +bevins +beamon +badillo +tolley +tindall +soule +snook +seale +pinkney +pellegrino +nowell +nemeth +mondragon +mclane +lundgren +ingalls +hudspeth +hixson +gearhart +furlong +downes +dibble +deyoung +cornejo +camara +brookshire +boyette +wolcott +surratt +sellars +segal +salyer +reeve +rausch +labonte +haro +gower +freeland +fawcett +eads +driggers +donley +collett +bromley +boatman +ballinger +baldridge +volz +trombley +stonge +shanahan +rivard +rhyne +pedroza +matias +jamieson +hedgepeth +hartnett +estevez +eskridge +denman +chiu +chinn +catlett +carmack +buie +bechtel +beardsley +bard +ballou +ulmer +skeen +robledo +rincon +reitz +piazza +munger +moten +mcmichael +loftus +ledet +kersey +groff +fowlkes +crumpton +clouse +bettis +villagomez +timmerman +strom +santoro +roddy +penrod +musselman +macpherson +leboeuf +harless +haddad +guido +golding +fulkerson +fannin +dulaney +dowdell +cottle +ceja +cate +bosley +benge +albritton +voigt +trowbridge +soileau +seely +rohde +pearsall +paulk +orth +nason +mota +mcmullin +marquardt +madigan +hoag +gillum +gabbard +fenwick +danforth +cushing +cress +creed +cazares +bettencourt +barringer +baber +stansberry +schramm +rutter +rivero +oquendo +necaise +mouton +montenegro +miley +mcgough +marra +macmillan +lamontagne +jasso +horst +hetrick +heilman +gaytan +gall +fortney +dingle +desjardins +dabbs +burbank +brigham +breland +beaman +arriola +yarborough +wallin +toscano +stowers +reiss +pichardo +orton +michels +mcnamee +mccrory +leatherman +kell +keister +horning +hargett +guay +ferro +deboer +dagostino +carper +blanks +beaudry +towle +tafoya +stricklin +strader +soper +sonnier +sigmon +schenk +saddler +pedigo +mendes +lunn +lohr +lahr +kingsbury +jarman +hume +holliman +hofmann +haworth +harrelson +hambrick +flick +edmunds +dacosta +crossman +colston +chaplin +carrell +budd +weiler +waits +valentino +trantham +tarr +solorio +roebuck +powe +plank +pettus +pagano +mink +luker +leathers +joslin +hartzell +gambrell +cepeda +carty +caputo +brewington +bedell +ballew +applewhite +warnock +walz +urena +tudor +reel +pigg +parton +mickelson +meagher +mclellan +mcculley +mandel +leech +lavallee +kraemer +kling +kipp +kehoe +hochstetler +harriman +gregoire +grabowski +gosselin +gammon +fancher +edens +desai +brannan +armendariz +woolsey +whitehouse +whetstone +ussery +towne +testa +tallman +studer +strait +steinmetz +sorrells +sauceda +rolfe +paddock +mitchem +mcginn +mccrea +lovato +hazen +gilpin +gaynor +fike +devoe +delrio +curiel +burkhardt +bode +backus +zinn +watanabe +wachter +vanpelt +turnage +shaner +schroder +sato +riordan +quimby +portis +natale +mckoy +mccown +kilmer +hotchkiss +hesse +halbert +gwinn +godsey +delisle +chrisman +canter +arbogast +angell +acree +yancy +woolley +wesson +weatherspoon +trainor +stockman +spiller +sipe +rooks +reavis +propst +porras +neilson +mullens +loucks +llewellyn +kumar +koester +klingensmith +kirsch +kester +honaker +hodson +hennessy +helmick +garrity +garibay +drain +casarez +callis +botello +aycock +avant +wingard +wayman +tully +theisen +szymanski +stansbury +segovia +rainwater +preece +pirtle +padron +mincey +mckelvey +mathes +larrabee +kornegay +klug +ingersoll +hecht +germain +eggers +dykstra +deering +decoteau +deason +dearing +cofield +carrigan +bonham +bahr +aucoin +appleby +almonte +yager +womble +wimmer +weimer +vanderpool +stancil +sprinkle +romine +remington +pfaff +peckham +olivera +meraz +maze +lathrop +koehn +hazelton +halvorson +hallock +haddock +ducharme +dehaven +caruthers +brehm +bosworth +bost +bias +beeman +basile +bane +aikens +wold +walther +tabb +suber +strawn +stocker +shirey +schlosser +riedel +rembert +reimer +pyles +peele +merriweather +letourneau +latta +kidder +hixon +hillis +hight +herbst +henriquez +haygood +hamill +gabel +fritts +eubank +dawes +correll +bushey +buchholz +brotherton +botts +barnwell +auger +atchley +westphal +veilleux +ulloa +stutzman +shriver +ryals +pilkington +moyers +marrs +mangrum +maddux +lockard +laing +kuhl +harney +hammock +hamlett +felker +doerr +depriest +carrasquillo +carothers +bogle +bischoff +bergen +albanese +wyckoff +vermillion +vansickle +thibault +tetreault +stickney +shoemake +ruggiero +rawson +racine +philpot +paschal +mcelhaney +mathison +legrand +lapierre +kwan +kremer +jiles +hilbert +geyer +faircloth +ehlers +egbert +desrosiers +dalrymple +cotten +cashman +cadena +boardman +alcaraz +wyrick +therrien +tankersley +strickler +puryear +plourde +pattison +pardue +mcginty +mcevoy +landreth +kuhns +koon +hewett +giddens +emerick +eades +deangelis +cosme +ceballos +birdsong +benham +bemis +armour +anguiano +welborn +tsosie +storms +shoup +sessoms +samaniego +rood +rojo +rhinehart +raby +northcutt +myer +munguia +morehouse +mcdevitt +mallett +lozada +lemoine +kuehn +hallett +grim +gillard +gaylor +garman +gallaher +feaster +faris +darrow +dardar +coney +carreon +braithwaite +boylan +boyett +bixler +bigham +benford +barragan +barnum +zuber +wyche +westcott +vining +stoltzfus +simonds +shupe +sabin +ruble +rittenhouse +richman +perrone +mulholland +millan +lomeli +kite +jemison +hulett +holler +hickerson +herold +hazelwood +griffen +gause +forde +eisenberg +dilworth +charron +chaisson +bristow +breunig +brace +boutwell +bentz +belk +bayless +batchelder +baran +baeza +zimmermann +weathersby +volk +toole +theis +tedesco +searle +schenck +satterwhite +ruelas +rankins +partida +nesbit +morel +menchaca +levasseur +kaylor +johnstone +hulse +hollar +hersey +harrigan +harbison +guyer +gish +giese +gerlach +geller +geisler +falcone +elwell +doucet +deese +darr +corder +chafin +byler +bussell +burdett +brasher +bowe +bellinger +bastian +barner +alleyne +wilborn +weil +wegner +tatro +spitzer +smithers +schoen +resendez +parisi +overman +obrian +mudd +mahler +maggio +lindner +lalonde +lacasse +laboy +killion +kahl +jessen +jamerson +houk +henshaw +gustin +graber +durst +duenas +davey +cundiff +conlon +colunga +coakley +chiles +capers +buell +bricker +bissonnette +bartz +bagby +zayas +volpe +treece +toombs +thom +terrazas +swinney +skiles +silveira +shouse +senn +ramage +moua +langham +kyles +holston +hoagland +herd +feller +denison +carraway +burford +bickel +ambriz +abercrombie +yamada +weidner +waddle +verduzco +thurmond +swindle +schrock +sanabria +rosenberger +probst +peabody +olinger +nazario +mccafferty +mcbroom +mcabee +mazur +matherne +mapes +leverett +killingsworth +heisler +griego +gosnell +frankel +franke +ferrante +fenn +ehrlich +christopherso +chasse +caton +brunelle +bloomfield +babbitt +azevedo +abramson +ables +abeyta +youmans +wozniak +wainwright +stowell +smitherman +samuelson +runge +rothman +rosenfeld +peake +owings +olmos +munro +moreira +leatherwood +larkins +krantz +kovacs +kizer +kindred +karnes +jaffe +hubbell +hosey +hauck +goodell +erdman +dvorak +doane +cureton +cofer +buehler +bierman +berndt +banta +abdullah +warwick +waltz +turcotte +torrey +stith +seger +sachs +quesada +pinder +peppers +pascual +paschall +parkhurst +ozuna +oster +nicholls +lheureux +lavalley +kimura +jablonski +haun +gourley +gilligan +croy +cotto +cargill +burwell +burgett +buckman +booher +adorno +wrenn +whittemore +urias +szabo +sayles +saiz +rutland +rael +pharr +pelkey +ogrady +nickell +musick +moats +mather +massa +kirschner +kieffer +kellar +hendershot +gott +godoy +gadson +furtado +fiedler +erskine +dutcher +dever +daggett +chevalier +brake +ballesteros +amerson +wingo +waldon +trott +silvey +showers +schlegel +ritz +pepin +pelayo +parsley +palermo +moorehead +mchale +lett +kocher +kilburn +iglesias +humble +hulbert +huckaby +hartford +hardiman +gurney +grigg +grasso +goings +fillmore +farber +depew +dandrea +cowen +covarrubias +burrus +bracy +ardoin +thompkins +standley +radcliffe +pohl +persaud +parenteau +pabon +newson +newhouse +napolitano +mulcahy +malave +keim +hooten +hernandes +heffernan +hearne +greenleaf +glick +fuhrman +fetter +faria +dishman +dickenson +crites +criss +clapper +chenault +castor +casto +bugg +bove +bonney +anderton +allgood +alderson +woodman +warrick +toomey +tooley +tarrant +summerville +stebbins +sokol +searles +schutz +schumann +scheer +remillard +raper +proulx +palmore +monroy +messier +melo +melanson +mashburn +manzano +lussier +jenks +huneycutt +hartwig +grimsley +fulk +fielding +fidler +engstrom +eldred +dantzler +crandell +calder +brumley +breton +brann +bramlett +boykins +bianco +bancroft +almaraz +alcantar +whitmer +whitener +welton +vineyard +rahn +paquin +mizell +mcmillin +mckean +marston +maciel +lundquist +liggins +lampkin +kranz +koski +kirkham +jiminez +hazzard +harrod +graziano +grammer +gendron +garrido +fordham +englert +dryden +demoss +deluna +crabb +comeau +brummett +blume +benally +wessel +vanbuskirk +thorson +stumpf +stockwell +reams +radtke +rackley +pelton +niemi +newland +nelsen +morrissette +miramontes +mcginley +mccluskey +marchant +luevano +lampe +lail +jeffcoat +infante +hinman +gaona +eady +desmarais +decosta +dansby +cisco +choe +breckenridge +bostwick +borg +bianchi +alberts +wilkie +whorton +vargo +tait +soucy +schuman +ousley +mumford +lippert +leath +lavergne +laliberte +kirksey +kenner +johnsen +izzo +hiles +gullett +greenwell +gaspar +galbreath +gaitan +ericson +delapaz +croom +cottingham +clift +bushnell +bice +beason +arrowood +waring +voorhees +truax +shreve +shockey +schatz +sandifer +rubino +rozier +roseberry +pieper +peden +nester +nave +murphey +malinowski +macgregor +lafrance +kunkle +kirkman +hipp +hasty +haddix +gervais +gerdes +gamache +fouts +fitzwater +dillingham +deming +deanda +cedeno +cannady +burson +bouldin +arceneaux +woodhouse +whitford +wescott +welty +weigel +torgerson +toms +surber +sunderland +sterner +setzer +riojas +pumphrey +puga +metts +mcgarry +mccandless +magill +lupo +loveland +llamas +leclerc +koons +kahler +huss +holbert +heintz +haupt +grimmett +gaskill +ellingson +dorr +dingess +deweese +desilva +crossley +cordeiro +converse +conde +caldera +cairns +burmeister +burkhalter +brawner +bott +youngs +vierra +valladares +shrum +shropshire +sevilla +rusk +rodarte +pedraza +nino +merino +mcminn +markle +mapp +lajoie +koerner +kittrell +kato +hyder +hollifield +heiser +hazlett +greenwald +fant +eldredge +dreher +delafuente +cravens +claypool +beecher +aronson +alanis +worthen +wojcik +winger +whitacre +valverde +valdivia +troupe +thrower +swindell +suttles +stroman +spires +slate +shealy +sarver +sartin +sadowski +rondeau +rolon +rascon +priddy +paulino +nolte +munroe +molloy +mciver +lykins +loggins +lenoir +klotz +kempf +hupp +hollowell +hollander +haynie +harkness +harker +gottlieb +frith +eddins +driskell +doggett +densmore +charette +cassady +byrum +burcham +buggs +benn +whitted +warrington +vandusen +vaillancourt +steger +siebert +scofield +quirk +purser +plumb +orcutt +nordstrom +mosely +michalski +mcphail +mcdavid +mccraw +marchese +mannino +lefevre +largent +lanza +kress +isham +hunsaker +hoch +hildebrandt +guarino +grijalva +graybill +fick +ewell +ewald +cusick +crumley +coston +cathcart +carruthers +bullington +bowes +blain +blackford +barboza +yingling +wert +weiland +varga +silverstein +sievers +shuster +shumway +runnels +rumsey +renfroe +provencher +polley +mohler +middlebrooks +kutz +koster +groth +glidden +fazio +deen +chipman +chenoweth +champlin +cedillo +carrero +carmody +buckles +brien +boutin +bosch +berkowitz +altamirano +wilfong +wiegand +waites +truesdale +toussaint +tobey +tedder +steelman +sirois +schnell +robichaud +richburg +plumley +pizarro +piercy +ortego +oberg +neace +mertz +mcnew +matta +lapp +lair +kibler +howlett +hollister +hofer +hatten +hagler +falgoust +engelhardt +eberle +dombrowski +dinsmore +daye +casares +braud +balch +autrey +wendel +tyndall +strobel +stoltz +spinelli +serrato +reber +rathbone +palomino +nickels +mayle +mathers +mach +loeffler +littrell +levinson +leong +lemire +lejeune +lazo +lasley +koller +kennard +hoelscher +hintz +hagerman +greaves +fore +eudy +engler +corrales +cordes +brunet +bidwell +bennet +tyrrell +tharpe +swinton +stribling +southworth +sisneros +savoie +samons +ruvalcaba +ries +ramer +omara +mosqueda +millar +mcpeak +macomber +luckey +litton +lehr +lavin +hubbs +hoard +hibbs +hagans +futrell +exum +evenson +culler +carbaugh +callen +brashear +bloomer +blakeney +bigler +addington +woodford +unruh +tolentino +sumrall +stgermain +smock +sherer +rayner +pooler +oquinn +nero +mcglothlin +linden +kowal +kerrigan +ibrahim +harvell +hanrahan +goodall +geist +fussell +fung +ferebee +eley +eggert +dorsett +dingman +destefano +colucci +clemmer +burnell +brumbaugh +boddie +berryhill +avelar +alcantara +winder +winchell +vandenberg +trotman +thurber +thibeault +stlouis +stilwell +sperling +shattuck +sarmiento +ruppert +rumph +renaud +randazzo +rademacher +quiles +pearman +palomo +mercurio +lowrey +lindeman +lawlor +larosa +lander +labrecque +hovis +holifield +henninger +hawkes +hartfield +hann +hague +genovese +garrick +fudge +frink +eddings +dinh +cribbs +calvillo +bunton +brodeur +bolding +blanding +agosto +zahn +wiener +trussell +tello +teixeira +speck +sharma +shanklin +sealy +scanlan +santamaria +roundy +robichaux +ringer +rigney +prevost +polson +nord +moxley +medford +mccaslin +mcardle +macarthur +lewin +lasher +ketcham +keiser +heine +hackworth +grose +grizzle +gillman +gartner +frazee +fleury +edson +edmonson +derry +cronk +conant +burress +burgin +broom +brockington +bolick +boger +birchfield +billington +baily +bahena +armbruster +anson +yoho +wilcher +tinney +timberlake +thielen +sutphin +stultz +sikora +serra +schulman +scheffler +santillan +rego +preciado +pinkham +mickle +lomas +lizotte +lent +kellerman +keil +johanson +hernadez +hartsfield +haber +gorski +farkas +eberhardt +duquette +delano +cropper +cozart +cockerham +chamblee +cartagena +cahoon +buzzell +brister +brewton +blackshear +benfield +aston +ashburn +arruda +wetmore +weise +vaccaro +tucci +sudduth +stromberg +stoops +showalter +shears +runion +rowden +rosenblum +riffle +renfrow +peres +obryant +leftwich +lark +landeros +kistler +killough +kerley +kastner +hoggard +hartung +guertin +govan +gatling +gailey +fullmer +fulford +flatt +esquibel +endicott +edmiston +edelstein +dufresne +dressler +dickman +chee +busse +bonnett +berard +yoshida +velarde +veach +vanhouten +vachon +tolson +tolman +tennyson +stites +soler +shutt +ruggles +rhone +pegues +neese +muro +moncrief +mefford +mcphee +mcmorris +mceachern +mcclurg +mansour +mader +leija +lecompte +lafountain +labrie +jaquez +heald +hash +hartle +gainer +frisby +farina +eidson +edgerton +dyke +durrett +duhon +cuomo +cobos +cervantez +bybee +brockway +borowski +binion +beery +arguello +amaro +acton +yuen +winton +wigfall +weekley +vidrine +vannoy +tardiff +shoop +shilling +schick +safford +prendergast +pilgrim +pellerin +osuna +nissen +nalley +moller +messner +messick +merrifield +mcguinness +matherly +marcano +mahone +lemos +lebrun +jara +hoffer +herren +hecker +haws +haug +gwin +gober +gilliard +fredette +favela +echeverria +downer +donofrio +desrochers +crozier +corson +bechtold +argueta +aparicio +zamudio +westover +westerman +utter +troyer +thies +tapley +slavin +shirk +sandler +roop +rimmer +raymer +radcliff +otten +moorer +millet +mckibben +mccutchen +mcavoy +mcadoo +mayorga +mastin +martineau +marek +madore +leflore +kroeger +kennon +jimerson +hostetter +hornback +hendley +hance +guardado +granado +gowen +goodale +flinn +fleetwood +fitz +durkee +duprey +dipietro +dilley +clyburn +brawley +beckley +arana +weatherby +vollmer +vestal +tunnell +trigg +tingle +takahashi +sweatt +storer +snapp +shiver +rooker +rathbun +poisson +perrine +perri +parmer +parke +pare +papa +palmieri +midkiff +mecham +mccomas +mcalpine +lovelady +lillard +lally +knopp +kile +kiger +haile +gupta +goldsberry +gilreath +fulks +friesen +franzen +flack +findlay +ferland +dreyer +dore +dennard +deckard +debose +crim +coulombe +chancey +cantor +branton +bissell +barns +woolard +witham +wasserman +spiegel +shoffner +scholz +ruch +rossman +petry +palacio +paez +neary +mortenson +millsap +miele +menke +mckim +mcanally +martines +lemley +larochelle +klaus +klatt +kaufmann +kapp +helmer +hedge +halloran +glisson +frechette +fontana +eagan +distefano +danley +creekmore +chartier +chaffee +carillo +burg +bolinger +berkley +benz +basso +bash +zelaya +woodring +witkowski +wilmot +wilkens +wieland +verdugo +urquhart +tsai +timms +swiger +swaim +sussman +pires +molnar +mcatee +lowder +loos +linker +landes +kingery +hufford +higa +hendren +hammack +hamann +gillam +gerhardt +edelman +delk +deans +curl +constantine +cleaver +claar +casiano +carruth +carlyle +brophy +bolanos +bibbs +bessette +beggs +baugher +bartel +averill +andresen +amin +adames +valente +turnbow +swink +sublett +stroh +stringfellow +ridgway +pugliese +poteat +ohare +neubauer +murchison +mingo +lemmons +kwon +kellam +kean +jarmon +hyden +hudak +hollinger +henkel +hemingway +hasson +hansel +halter +haire +ginsberg +gillispie +fogel +flory +etter +elledge +eckman +deas +currin +crafton +coomer +colter +claxton +bulter +braddock +bowyer +binns +bellows +baskerville +barros +ansley +woolf +wight +waldman +wadley +tull +trull +tesch +stouffer +stadler +slay +shubert +sedillo +santacruz +reinke +poynter +neri +neale +mowry +moralez +monger +mitchum +merryman +manion +macdougall +litchfield +levitt +lepage +lasalle +khoury +kavanagh +karns +ivie +huebner +hodgkins +halpin +garica +eversole +dutra +dunagan +duffey +dillman +dillion +deville +dearborn +damato +courson +coulson +burdine +bousquet +bonin +bish +atencio +westbrooks +wages +vaca +toner +tillis +swett +struble +stanfill +solorzano +slusher +sipple +silvas +shults +schexnayder +saez +rodas +rager +pulver +penton +paniagua +meneses +mcfarlin +mcauley +matz +maloy +magruder +lohman +landa +lacombe +jaimes +holzer +holst +heil +hackler +grundy +gilkey +farnham +durfee +dunton +dunston +duda +dews +craver +corriveau +conwell +colella +chambless +bremer +boutte +bourassa +blaisdell +backman +babineaux +audette +alleman +towner +taveras +tarango +sullins +suiter +stallard +solberg +schlueter +poulos +pimental +owsley +okelley +moffatt +metcalfe +meekins +medellin +mcglynn +mccowan +marriott +marable +lennox +lamoureux +koss +kerby +karp +isenberg +howze +hockenberry +highsmith +hallmark +gusman +greeley +giddings +gaudet +gallup +fleenor +eicher +edington +dimaggio +dement +demello +decastro +bushman +brundage +brooker +bourg +blackstock +bergmann +beaton +banister +argo +appling +wortman +watterson +villalpando +tillotson +tighe +sundberg +sternberg +stamey +shipe +seeger +scarberry +sattler +sain +rothstein +poteet +plowman +pettiford +penland +partain +pankey +oyler +ogletree +ogburn +moton +merkel +lucier +lakey +kratz +kinser +kershaw +josephson +imhoff +hendry +hammon +frisbie +frawley +fraga +forester +eskew +emmert +drennan +doyon +dandridge +cawley +carvajal +bracey +belisle +batey +ahner +wysocki +weiser +veliz +tincher +sansone +sankey +sandstrom +rohrer +risner +pridemore +pfeffer +persinger +peery +oubre +nowicki +musgrave +murdoch +mullinax +mccary +mathieu +livengood +kyser +klink +kimes +kellner +kavanaugh +kasten +imes +hoey +hinshaw +hake +gurule +grube +grillo +geter +gatto +garver +garretson +farwell +eiland +dunford +decarlo +corso +colman +collard +cleghorn +chasteen +cavender +carlile +calvo +byerly +brogdon +broadwater +breault +bono +bergin +behr +ballenger +amick +tamez +stiffler +steinke +simmon +shankle +schaller +salmons +sackett +saad +rideout +ratcliffe +ranson +plascencia +petterson +olszewski +olney +olguin +nilsson +nevels +morelli +montiel +monge +michaelson +mertens +mcchesney +mcalpin +mathewson +loudermilk +lineberry +liggett +kinlaw +kight +jost +hereford +hardeman +halpern +halliday +hafer +gaul +friel +freitag +forsberg +evangelista +doering +dicarlo +dendy +delp +deguzman +dameron +curtiss +cosper +cauthen +bradberry +bouton +bonnell +bixby +bieber +beveridge +bedwell +barhorst +bannon +baltazar +baier +ayotte +attaway +arenas +abrego +turgeon +tunstall +thaxton +tenorio +stotts +sthilaire +shedd +seabolt +scalf +salyers +ruhl +rowlett +robinett +pfister +perlman +pepe +parkman +nunnally +norvell +napper +modlin +mckellar +mcclean +mascarenas +leibowitz +ledezma +kuhlman +kobayashi +hunley +holmquist +hinkley +hazard +hartsell +gribble +gravely +fifield +eliason +doak +crossland +carleton +bridgeman +bojorquez +boggess +auten +woosley +whiteley +wexler +twomey +tullis +townley +standridge +santoyo +rueda +riendeau +revell +pless +ottinger +nigro +nickles +mulvey +menefee +mcshane +mcloughlin +mckinzie +markey +lockridge +lipsey +knisley +knepper +kitts +kiel +jinks +hathcock +godin +gallego +fikes +fecteau +estabrook +ellinger +dunlop +dudek +countryman +chauvin +chatham +bullins +brownfield +boughton +bloodworth +bibb +baucom +barbieri +aubin +armitage +alessi +absher +abbate +zito +woolery +wiggs +wacker +tynes +tolle +telles +tarter +swarey +strode +stockdale +stalnaker +spina +schiff +saari +risley +rameriz +rakes +pettaway +penner +paulus +palladino +omeara +montelongo +melnick +mehta +mcgary +mccourt +mccollough +marchetti +manzanares +lowther +leiva +lauderdale +lafontaine +kowalczyk +knighton +joubert +jaworski +huth +hurdle +housley +hackman +gulick +gordy +gilstrap +gehrke +gebhart +gaudette +foxworth +endres +dunkle +cimino +caddell +brauer +braley +bodine +blackmore +belden +backer +ayer +andress +wisner +vuong +valliere +twigg +tavarez +strahan +steib +staub +sowder +seiber +schutt +scharf +schade +rodriques +risinger +renshaw +rahman +presnell +piatt +nieman +nevins +mcilwain +mcgaha +mccully +mccomb +massengale +macedo +lesher +kearse +jauregui +husted +hudnall +holmberg +hertel +hardie +glidewell +frausto +fassett +dalessandro +dahlgren +corum +constantino +conlin +colquitt +colombo +claycomb +cardin +buller +boney +bocanegra +biggers +benedetto +araiza +andino +albin +zorn +werth +weisman +walley +vanegas +ulibarri +towe +tedford +teasley +suttle +steffens +stcyr +squire +singley +sifuentes +shuck +schram +sass +rieger +ridenhour +rickert +richerson +rayborn +rabe +raab +pendley +pastore +ordway +moynihan +mellott +mckissick +mcgann +mccready +mauney +marrufo +lenhart +lazar +lafave +keele +kautz +jardine +jahnke +jacobo +hord +hardcastle +hageman +giglio +gehring +fortson +duque +duplessis +dicken +derosier +deitz +dalessio +cram +castleman +candelario +callison +caceres +bozarth +biles +bejarano +bashaw +avina +armentrout +alverez +acord +waterhouse +vereen +vanlandingham +strawser +shotwell +severance +seltzer +schoonmaker +schock +schaub +schaffner +roeder +rodrigez +riffe +rasberry +rancourt +railey +quade +pursley +prouty +perdomo +oxley +osterman +nickens +murphree +mounts +merida +maus +mattern +masse +martinelli +mangan +lutes +ludwick +loney +laureano +lasater +knighten +kissinger +kimsey +kessinger +honea +hollingshead +hockett +heyer +heron +gurrola +gove +glasscock +gillett +galan +featherstone +eckhardt +duron +dunson +dasher +culbreth +cowden +cowans +claypoole +churchwell +chabot +caviness +cater +caston +callan +byington +burkey +boden +beckford +atwater +archambault +alvey +alsup +whisenant +weese +voyles +verret +tsang +tessier +sweitzer +sherwin +shaughnessy +revis +remy +prine +philpott +peavy +paynter +parmenter +ovalle +offutt +nightingale +newlin +nakano +myatt +muth +mohan +mcmillon +mccarley +mccaleb +maxson +marinelli +maley +liston +letendre +kain +huntsman +hirst +hagerty +gulledge +greenway +grajeda +gorton +goines +gittens +frederickson +fanelli +embree +eichelberger +dunkin +dixson +dillow +defelice +chumley +burleigh +borkowski +binette +biggerstaff +berglund +beller +audet +arbuckle +allain +alfano +youngman +wittman +weintraub +vanzant +vaden +twitty +stollings +standifer +sines +shope +scalise +saville +posada +pisano +otte +nolasco +mier +merkle +mendiola +melcher +mejias +mcmurry +mccalla +markowitz +manis +mallette +macfarlane +lough +looper +landin +kittle +kinsella +kinnard +hobart +helman +hellman +hartsock +halford +hage +gordan +glasser +gayton +gattis +gastelum +gaspard +frisch +fitzhugh +eckstein +eberly +dowden +despain +crumpler +crotty +cornelison +chouinard +chamness +catlin +cann +bumgardner +budde +branum +bradfield +braddy +borst +birdwell +bazan +banas +bade +arango +ahearn +addis +zumwalt +wurth +wilk +widener +wagstaff +urrutia +terwilliger +tart +steinman +staats +sloat +rives +riggle +revels +reichard +prickett +poff +pitzer +petro +pell +northrup +nicks +moline +mielke +maynor +mallon +magness +lingle +lindell +lieb +lesko +lebeau +lammers +lafond +kiernan +ketron +jurado +holmgren +hilburn +hayashi +hashimoto +harbaugh +guillot +gard +froehlich +feinberg +falco +dufour +drees +doney +diep +delao +daves +dail +crowson +coss +congdon +carner +camarena +butterworth +burlingame +bouffard +bloch +bilyeu +barta +bakke +baillargeon +avent +aquilar +zeringue +yarber +wolfson +vogler +voelker +truss +troxell +thrift +strouse +spielman +sistrunk +sevigny +schuller +schaaf +ruffner +routh +roseman +ricciardi +peraza +pegram +overturf +olander +odaniel +millner +melchor +maroney +machuca +macaluso +livesay +layfield +laskowski +kwiatkowski +kilby +hovey +heywood +hayman +havard +harville +haigh +hagood +grieco +glassman +gebhardt +fleischer +fann +elson +eccles +cunha +crumb +blakley +bardwell +abshire +woodham +wines +welter +wargo +varnado +tutt +traynor +swaney +stricker +stoffel +stambaugh +sickler +shackleford +selman +seaver +sansom +sanmiguel +royston +rourke +rockett +rioux +puleo +pitchford +nardi +mulvaney +middaugh +malek +leos +lathan +kujawa +kimbro +killebrew +houlihan +hinckley +herod +hepler +hamner +hammel +hallowell +gonsalez +gingerich +gambill +funkhouser +fricke +fewell +falkner +endsley +dulin +drennen +deaver +dambrosio +chadwell +castanon +burkes +brune +brisco +brinker +bowker +boldt +berner +beaumont +beaird +bazemore +barrick +albano +younts +wunderlich +weidman +vanness +toland +theobald +stickler +steiger +stanger +spies +spector +sollars +smedley +seibel +scoville +saito +rummel +rowles +rouleau +roos +rogan +roemer +ream +raya +purkey +priester +perreira +penick +paulin +parkins +overcash +oleson +neves +muldrow +minard +midgett +michalak +melgar +mcentire +mcauliffe +marte +lydon +lindholm +leyba +langevin +lagasse +lafayette +kesler +kelton +kaminsky +jaggers +humbert +huck +howarth +hinrichs +higley +gupton +guimond +gravois +giguere +fretwell +fontes +feeley +faucher +eichhorn +ecker +earp +dole +dinger +derryberry +demars +deel +copenhaver +collinsworth +colangelo +cloyd +claiborne +caulfield +carlsen +calzada +caffey +broadus +brenneman +bouie +bodnar +blaney +blanc +beltz +behling +barahona +yockey +winkle +windom +wimer +villatoro +trexler +teran +taliaferro +sydnor +swinson +snelling +smtih +simonton +simoneaux +simoneau +sherrer +seavey +scheel +rushton +rupe +ruano +rippy +reiner +reiff +rabinowitz +quach +penley +odle +nock +minnich +mckown +mccarver +mcandrew +longley +laux +lamothe +lafreniere +kropp +krick +kates +jepson +huie +howse +howie +henriques +haydon +haught +hatter +hartzog +harkey +grimaldo +goshorn +gormley +gluck +gilroy +gillenwater +giffin +fluker +feder +eyre +eshelman +eakins +detwiler +delrosario +davisson +catalan +canning +calton +brammer +botelho +blakney +bartell +averett +askins +aker +witmer +winkelman +widmer +whittier +weitzel +wardell +wagers +ullman +tupper +tingley +tilghman +talton +simard +seda +scheller +sala +rundell +rost +ribeiro +rabideau +primm +pinon +peart +ostrom +ober +nystrom +nussbaum +naughton +murr +moorhead +monti +monteiro +melson +meissner +mclin +mcgruder +marotta +makowski +majewski +madewell +lunt +lukens +leininger +lebel +lakin +kepler +jaques +hunnicutt +hungerford +hoopes +hertz +heins +halliburton +grosso +gravitt +glasper +gallman +gallaway +funke +fulbright +falgout +eakin +dostie +dorado +dewberry +derose +cutshall +crampton +costanzo +colletti +cloninger +claytor +chiang +campagna +burd +brokaw +broaddus +bretz +brainard +binford +bilbrey +alpert +aitken +ahlers +zajac +woolfolk +witten +windle +wayland +tramel +tittle +talavera +suter +straley +specht +sommerville +soloman +skeens +sigman +sibert +shavers +schuck +schmit +sartain +sabol +rosenblatt +rollo +rashid +rabb +polston +nyberg +northrop +navarra +muldoon +mikesell +mcdougald +mcburney +mariscal +lozier +lingerfelt +legere +latour +lagunas +lacour +kurth +killen +kiely +kayser +kahle +isley +huertas +hower +hinz +haugh +gumm +galicia +fortunato +flake +dunleavy +duggins +doby +digiovanni +devaney +deltoro +cribb +corpuz +coronel +coen +charbonneau +caine +burchette +blakey +blakemore +bergquist +beene +beaudette +bayles +ballance +bakker +bailes +asberry +arwood +zucker +willman +whitesell +wald +walcott +vancleave +trump +strasser +simas +shick +schleicher +schaal +saleh +rotz +resnick +rainer +partee +ollis +oller +oday +noles +munday +mong +millican +merwin +mazzola +mansell +magallanes +llanes +lewellen +lepore +kisner +keesee +jeanlouis +ingham +hornbeck +hawn +hartz +harber +haffner +gutshall +guth +grays +gowan +finlay +finkelstein +eyler +enloe +dungan +diez +dearman +cull +crosson +chronister +cassity +campion +callihan +butz +breazeale +blumenthal +berkey +batty +batton +arvizu +alderete +aldana +albaugh +abernethy +wolter +wille +tweed +tollefson +thomasson +teter +testerman +sproul +spates +southwick +soukup +skelly +senter +sealey +sawicki +sargeant +rossiter +rosemond +repp +pifer +ormsby +nickelson +naumann +morabito +monzon +millsaps +millen +mcelrath +marcoux +mantooth +madson +macneil +mackinnon +louque +leister +lampley +kushner +krouse +kirwan +jessee +janson +jahn +jacquez +islas +hutt +holladay +hillyer +hepburn +hensel +harrold +gingrich +geis +gales +fults +finnell +ferri +featherston +epley +ebersole +eames +dunigan +drye +dismuke +devaughn +delorenzo +damiano +confer +collum +clower +clow +claussen +clack +caylor +cawthon +casias +carreno +bluhm +bingaman +bewley +belew +beckner +auld +amey +wolfenbarger +wilkey +wicklund +waltman +villalba +valero +valdovinos +ullrich +tyus +twyman +trost +tardif +tanguay +stripling +steinbach +shumpert +sasaki +sappington +sandusky +reinhold +reinert +quijano +placencia +pinkard +phinney +perrotta +pernell +parrett +oxendine +owensby +orman +nuno +mori +mcroberts +mcneese +mckamey +mccullum +markel +mardis +maines +lueck +lubin +lefler +leffler +larios +labarbera +kershner +josey +jeanbaptiste +izaguirre +hermosillo +haviland +hartshorn +hafner +ginter +getty +franck +fiske +dufrene +doody +davie +dangerfield +dahlberg +cuthbertson +crone +coffelt +chidester +chesson +cauley +caudell +cantara +campo +caines +bullis +bucci +brochu +bogard +bickerstaff +benning +arzola +antonelli +adkinson +zellers +wulf +worsley +woolridge +whitton +westerfield +walczak +vassar +truett +trueblood +trawick +townsley +topping +tobar +telford +steverson +stagg +sitton +sill +sergent +schoenfeld +sarabia +rutkowski +rubenstein +rigdon +prentiss +pomerleau +plumlee +philbrick +patnode +oloughlin +obregon +nuss +morell +mikell +mele +mcinerney +mcguigan +mcbrayer +lollar +kuehl +kinzer +kamp +joplin +jacobi +howells +holstein +hedden +hassler +harty +halle +greig +gouge +goodrum +gerhart +geier +geddes +gast +forehand +ferree +fendley +feltner +esqueda +encarnacion +eichler +egger +edmundson +eatmon +doud +donohoe +donelson +dilorenzo +digiacomo +diggins +delozier +dejong +danford +crippen +coppage +cogswell +clardy +cioffi +cabe +brunette +bresnahan +blomquist +blackstone +biller +bevis +bevan +bethune +benbow +baty +basinger +balcom +andes +aman +aguero +adkisson +yandell +wilds +whisenhunt +weigand +weeden +voight +villar +trottier +tillett +suazo +setser +scurry +schuh +schreck +schauer +samora +roane +rinker +reimers +ratchford +popovich +parkin +natal +melville +mcbryde +magdaleno +loehr +lockman +lingo +leduc +larocca +lamere +laclair +krall +korte +koger +jalbert +hughs +higbee +henton +heaney +haith +gump +greeson +goodloe +gholston +gasper +gagliardi +fregoso +farthing +fabrizio +ensor +elswick +elgin +eklund +eaddy +drouin +dorton +dizon +derouen +deherrera +davy +dampier +cullum +culley +cowgill +cardoso +cardinale +brodsky +broadbent +brimmer +briceno +branscum +bolyard +boley +bennington +beadle +baur +ballentine +azure +aultman +arciniega +aguila +aceves +yepez +woodrum +wethington +weissman +veloz +trusty +troup +trammel +tarpley +stivers +steck +sprayberry +spraggins +spitler +spiers +sohn +seagraves +schiffman +rudnick +rizo +riccio +rennie +quackenbush +puma +plott +pearcy +parada +paiz +munford +moskowitz +mease +mcnary +mccusker +lozoya +longmire +loesch +lasky +kuhlmann +krieg +koziol +kowalewski +konrad +kindle +jowers +jolin +jaco +horgan +hine +hileman +hepner +heise +heady +hawkinson +hannigan +haberman +guilford +grimaldi +garton +gagliano +fruge +follett +fiscus +ferretti +ebner +easterday +eanes +dirks +dimarco +depalma +deforest +cruce +craighead +christner +candler +cadwell +burchell +buettner +brinton +brazier +brannen +brame +bova +bomar +blakeslee +belknap +bangs +balzer +athey +armes +alvis +alverson +alvardo +yeung +wheelock +westlund +wessels +volkman +threadgill +thelen +tague +symons +swinford +sturtevant +straka +stier +stagner +segarra +seawright +rutan +roux +ringler +riker +ramsdell +quattlebaum +purifoy +poulson +permenter +peloquin +pasley +pagel +osman +obannon +nygaard +newcomer +munos +motta +meadors +mcquiston +mcniel +mcmann +mccrae +mayne +matte +legault +lechner +kucera +krohn +kratzer +koopman +jeske +horrocks +hock +hibbler +hesson +hersh +harvin +halvorsen +griner +grindle +gladstone +garofalo +frampton +forbis +eddington +diorio +dingus +dewar +desalvo +curcio +creasy +cortese +cordoba +connally +cluff +cascio +capuano +canaday +calabro +bussard +brayton +borja +bigley +arnone +arguelles +acuff +zamarripa +wooton +widner +wideman +threatt +thiele +templin +teeters +synder +swint +swick +sturges +stogner +stedman +spratt +siegfried +shetler +scull +savino +sather +rothwell +rook +rone +rhee +quevedo +privett +pouliot +poche +pickel +petrillo +pellegrini +peaslee +partlow +otey +nunnery +morelock +morello +meunier +messinger +mckie +mccubbin +mccarron +lerch +lavine +laverty +lariviere +lamkin +kugler +krol +kissel +keeter +hubble +hickox +hetzel +hayner +hagy +hadlock +groh +gottschalk +goodsell +gassaway +garrard +galligan +firth +fenderson +feinstein +etienne +engleman +emrick +ellender +drews +doiron +degraw +deegan +dart +crissman +corr +cookson +coil +cleaves +charest +chapple +chaparro +castano +carpio +byer +bufford +bridgewater +bridgers +brandes +borrero +bonanno +aube +ancheta +abarca +abad +wooster +wimbush +willhite +willams +wigley +weisberg +wardlaw +vigue +vanhook +unknow +torre +tasker +tarbox +strachan +slover +shamblin +semple +schuyler +schrimsher +sayer +salzman +rubalcava +riles +reneau +reichel +rayfield +rabon +pyatt +prindle +poss +polito +plemmons +pesce +perrault +pereyra +ostrowski +nilsen +niemeyer +munsey +mundell +moncada +miceli +meader +mcmasters +mckeehan +matsumoto +marron +marden +lizarraga +lingenfelter +lewallen +langan +lamanna +kovac +kinsler +kephart +keown +kass +kammerer +jeffreys +hysell +hosmer +hardnett +hanner +guyette +greening +glazer +ginder +fromm +fluellen +finkle +fessler +essary +eisele +duren +dittmer +crochet +cosentino +cogan +coelho +cavin +carrizales +campuzano +brough +bopp +bookman +bobb +blouin +beesley +battista +bascom +bakken +badgett +arneson +anselmo +albino +ahumada +woodyard +wolters +wireman +willison +warman +waldrup +vowell +vantassel +twombly +toomer +tennison +teets +tedeschi +swanner +stutz +stelly +sheehy +schermerhorn +scala +sandidge +salters +salo +saechao +roseboro +rolle +ressler +renz +renn +redford +raposa +rainbolt +pelfrey +orndorff +oney +nolin +nimmons +nardone +myhre +morman +menjivar +mcglone +mccammon +maxon +marciano +manus +lowrance +lorenzen +lonergan +lollis +littles +lindahl +lamas +lach +kuster +krawczyk +knuth +knecht +kirkendall +keitt +keever +kantor +jarboe +hoye +houchens +holter +holsinger +hickok +helwig +helgeson +hassett +harner +hamman +hames +hadfield +goree +goldfarb +gaughan +gaudreau +gantz +gallion +frady +foti +flesher +ferrin +faught +engram +donegan +desouza +degroot +cutright +crowl +criner +coan +clinkscales +chewning +chavira +catchings +carlock +bulger +buenrostro +bramblett +brack +boulware +bookout +bitner +birt +baranowski +baisden +allmon +acklin +yoakum +wilbourn +whisler +weinberger +washer +vasques +vanzandt +vanatta +troxler +tomes +tindle +tims +throckmorton +thach +stpeter +stlaurent +stenson +spry +spitz +songer +snavely +shroyer +shortridge +shenk +sevier +seabrook +scrivner +saltzman +rosenberry +rockwood +robeson +roan +reiser +ramires +raber +posner +popham +piotrowski +pinard +peterkin +pelham +peiffer +peay +nadler +musso +millett +mestas +mcgowen +marques +marasco +manriquez +manos +mair +lipps +leiker +krumm +knorr +kinslow +kessel +kendricks +kelm +irick +ickes +hurlburt +horta +hoekstra +heuer +helmuth +heatherly +hampson +hagar +haga +greenlaw +grau +godbey +gingras +gillies +gibb +gayden +gauvin +garrow +fontanez +florio +finke +fasano +ezzell +ewers +eveland +eckenrode +duclos +drumm +dimmick +delancey +defazio +dashiell +cusack +crowther +crigger +cray +coolidge +coldiron +cleland +chalfant +cassel +camire +cabrales +broomfield +brittingham +brisson +brickey +braziel +brazell +bragdon +boulanger +boman +bohannan +beem +barre +azar +ashbaugh +armistead +almazan +adamski +zendejas +winburn +willaims +wilhoit +westberry +wentzel +wendling +visser +vanscoy +vankirk +vallee +tweedy +thornberry +sweeny +spradling +spano +smelser +shim +sechrist +schall +scaife +rugg +rothrock +roesler +riehl +ridings +render +ransdell +radke +pinero +petree +pendergast +peluso +pecoraro +pascoe +panek +oshiro +navarrette +murguia +moores +moberg +michaelis +mcwhirter +mcsweeney +mcquade +mccay +mauk +mariani +marceau +mandeville +maeda +lunde +ludlow +loeb +lindo +linderman +leveille +leith +larock +lambrecht +kulp +kinsley +kimberlin +kesterson +hoyos +helfrich +hanke +grisby +goyette +gouveia +glazier +gile +gerena +gelinas +gasaway +funches +fujimoto +flynt +fenske +fellers +fehr +eslinger +escalera +enciso +duley +dittman +dineen +diller +devault +collings +clymer +clowers +chavers +charland +castorena +castello +camargo +bunce +bullen +boyes +borchers +borchardt +birnbaum +birdsall +billman +benites +bankhead +ange +ammerman +adkison +winegar +wickman +warr +warnke +villeneuve +veasey +vassallo +vannatta +vadnais +twilley +towery +tomblin +tippett +theiss +talkington +talamantes +swart +swanger +streit +stines +stabler +spurling +sobel +sine +simmers +shippy +shiflett +shearin +sauter +sanderlin +rusch +runkle +ruckman +rorie +roesch +richert +rehm +randel +ragin +quesenberry +puentes +plyler +plotkin +paugh +oshaughnessy +ohalloran +norsworthy +niemann +nader +moorefield +mooneyham +modica +miyamoto +mickel +mebane +mckinnie +mazurek +mancilla +lukas +lovins +loughlin +lotz +lindsley +liddle +levan +lederman +leclaire +lasseter +lapoint +lamoreaux +lafollette +kubiak +kirtley +keffer +kaczmarek +housman +hiers +hibbert +herrod +hegarty +hathorn +greenhaw +grafton +govea +futch +furst +franko +forcier +foran +flickinger +fairfield +eure +emrich +embrey +edgington +ecklund +eckard +durante +deyo +delvecchio +dade +currey +creswell +cottrill +casavant +cartier +cargile +capel +cammack +calfee +burse +burruss +brust +brousseau +bridwell +braaten +borkholder +bloomquist +bjork +bartelt +amburgey +yeary +whitefield +vinyard +vanvalkenburg +twitchell +timmins +tapper +stringham +starcher +spotts +slaugh +simonsen +sheffer +sequeira +rosati +rhymes +quint +pollak +peirce +patillo +parkerson +paiva +nilson +nevin +narcisse +mitton +merriam +merced +meiners +mckain +mcelveen +mcbeth +marsden +marez +manke +mahurin +mabrey +luper +krull +hunsicker +hornbuckle +holtzclaw +hinnant +heston +hering +hemenway +hegwood +hearns +halterman +guiterrez +grote +granillo +grainger +glasco +gilder +garren +garlock +garey +fryar +fredricks +fraizer +foshee +ferrel +felty +everitt +evens +esser +elkin +eberhart +durso +duguay +driskill +doster +dewall +deveau +demps +demaio +delreal +deleo +darrah +cumberbatch +culberson +cranmer +cordle +colgan +chesley +cavallo +castellon +castelli +carreras +carnell +carlucci +bontrager +blumberg +blasingame +becton +artrip +andujar +alkire +alder +zukowski +zuckerman +wroblewski +wrigley +woodside +wigginton +westman +westgate +werts +washam +wardlow +walser +waiters +tadlock +stringfield +stimpson +stickley +standish +spurlin +spindler +speller +spaeth +sotomayor +sluder +shryock +shepardson +shatley +scannell +santistevan +rosner +resto +reinhard +rathburn +prisco +poulsen +pinney +phares +pennock +pastrana +oviedo +ostler +nauman +mulford +moise +moberly +mirabal +metoyer +metheny +mentzer +meldrum +mcinturff +mcelyea +mcdougle +massaro +lumpkins +loveday +lofgren +lirette +lesperance +lefkowitz +ledger +lauzon +lachapelle +klassen +keough +kempton +kaelin +jeffords +hsieh +hoyer +horwitz +hoeft +hennig +haskin +gourdine +golightly +girouard +fulgham +fritsch +freer +frasher +foulk +firestone +fiorentino +fedor +ensley +englehart +eells +dunphy +donahoe +dileo +dibenedetto +dabrowski +crick +coonrod +conder +coddington +chunn +chaput +cerna +carreiro +calahan +braggs +bourdon +bollman +bittle +bauder +barreras +aubuchon +anzalone +adamo +zerbe +willcox +westberg +weikel +waymire +vroman +vinci +vallejos +truesdell +troutt +trotta +tollison +toles +tichenor +symonds +surles +strayer +stgeorge +sroka +sorrentino +solares +snelson +silvestri +sikorski +shawver +schumaker +schorr +schooley +scates +satterlee +satchell +rymer +roselli +robitaille +riegel +regis +reames +provenzano +priestley +plaisance +pettey +palomares +nowakowski +monette +minyard +mclamb +mchone +mccarroll +masson +magoon +maddy +lundin +licata +leonhardt +landwehr +kircher +kinch +karpinski +johannsen +hussain +houghtaling +hoskinson +hollaway +holeman +hobgood +hiebert +goggin +geissler +gadbois +gabaldon +fleshman +flannigan +fairman +eilers +dycus +dunmire +duffield +dowler +deloatch +dehaan +deemer +clayborn +christofferso +chilson +chesney +chatfield +carron +canale +brigman +branstetter +bosse +borton +bonar +biron +barroso +arispe +zacharias +zabel +yaeger +woolford +whetzel +weakley +veatch +vandeusen +tufts +troxel +troche +traver +townsel +talarico +swilley +sterrett +stenger +speakman +sowards +sours +souders +souder +soles +sobers +snoddy +smither +shute +shoaf +shahan +schuetz +scaggs +santini +rosson +rolen +robidoux +rentas +recio +pixley +pawlowski +pawlak +paull +overbey +orear +oliveri +oldenburg +nutting +naugle +mossman +misner +milazzo +michelson +mcentee +mccullar +mccree +mcaleer +mazzone +mandell +manahan +malott +maisonet +mailloux +lumley +lowrie +louviere +lipinski +lindemann +leppert +leasure +labarge +kubik +knisely +knepp +kenworthy +kennelly +kelch +kanter +houchin +hosley +hosler +hollon +holleman +heitman +haggins +gwaltney +goulding +gorden +geraci +gathers +frison +feagin +falconer +espada +erving +erikson +eisenhauer +ebeling +durgin +dowdle +dinwiddie +delcastillo +dedrick +crimmins +covell +cournoyer +coria +cohan +cataldo +carpentier +canas +campa +brode +brashears +blaser +bicknell +bednar +barwick +ascencio +althoff +almodovar +alamo +zirkle +zabala +wolverton +winebrenner +wetherell +westlake +wegener +weddington +tuten +trosclair +tressler +theroux +teske +swinehart +swensen +sundquist +southall +socha +sizer +silverberg +shortt +shimizu +sherrard +shaeffer +scheid +scheetz +saravia +sanner +rubinstein +rozell +romer +rheaume +reisinger +randles +pullum +petrella +payan +nordin +norcross +nicoletti +nicholes +newbold +nakagawa +monteith +milstead +milliner +mellen +mccardle +liptak +leitch +latimore +larrison +landau +laborde +koval +izquierdo +hymel +hoskin +holte +hoefer +hayworth +hausman +harrill +harrel +hardt +gully +groover +grinnell +greenspan +graver +grandberry +gorrell +goldenberg +goguen +gilleland +fuson +feldmann +everly +dyess +dunnigan +downie +dolby +deatherage +cosey +cheever +celaya +caver +cashion +caplinger +cansler +byrge +bruder +breuer +breslin +brazelton +botkin +bonneau +bondurant +bohanan +bogue +bodner +boatner +blatt +bickley +belliveau +beiler +beier +beckstead +bachmann +atkin +altizer +alloway +allaire +albro +abron +zellmer +yetter +yelverton +wiens +whidden +viramontes +vanwormer +tarantino +tanksley +sumlin +strauch +strang +stice +spahn +sosebee +sigala +shrout +seamon +schrum +schneck +schantz +ruddy +romig +roehl +renninger +reding +polak +pohlman +pasillas +oldfield +oldaker +ohanlon +ogilvie +norberg +nolette +neufeld +nellis +mummert +mulvihill +mullaney +monteleone +mendonca +meisner +mcmullan +mccluney +mattis +massengill +manfredi +luedtke +lounsbury +liberatore +lamphere +laforge +jourdan +iorio +iniguez +ikeda +hubler +hodgdon +hocking +heacock +haslam +haralson +hanshaw +hannum +hallam +haden +garnes +garces +gammage +gambino +finkel +faucett +ehrhardt +eggen +dusek +durrant +dubay +dones +depasquale +delucia +degraff +decamp +davalos +cullins +conard +clouser +clontz +cifuentes +chappel +chaffins +celis +carwile +byram +bruggeman +bressler +brathwaite +brasfield +bradburn +boose +bodie +blosser +bertsch +bernardi +bernabe +bengtson +barrette +astorga +alday +albee +abrahamson +yarnell +wiltse +wiebe +waguespack +vasser +upham +turek +traxler +torain +tomaszewski +tinnin +tiner +tindell +styron +stahlman +staab +skiba +sheperd +seidl +secor +schutte +sanfilippo +ruder +rondon +rearick +procter +prochaska +pettengill +pauly +neilsen +nally +mullenax +morano +meads +mcnaughton +mcmurtry +mcmath +mckinsey +matthes +massenburg +marlar +margolis +malin +magallon +mackin +lovette +loughran +loring +longstreet +loiselle +lenihan +kunze +koepke +kerwin +kalinowski +kagan +innis +innes +holtzman +heinemann +harshman +haider +haack +grondin +grissett +greenawalt +goudy +goodlett +goldston +gokey +gardea +galaviz +gafford +gabrielson +furlow +fritch +fordyce +folger +elizalde +ehlert +eckhoff +eccleston +ealey +dubin +diemer +deschamps +delapena +decicco +debolt +cullinan +crittendon +crase +cossey +coppock +coots +colyer +cluck +chamberland +burkhead +bumpus +buchan +borman +birkholz +berardi +benda +behnke +barter +amezquita +wotring +wirtz +wingert +wiesner +whitesides +weyant +wainscott +venezia +varnell +tussey +thurlow +tabares +stiver +stell +starke +stanhope +stanek +sisler +sinnott +siciliano +shehan +selph +seager +scurlock +scranton +santucci +santangelo +saltsman +rogge +rettig +renwick +reidy +reider +redfield +premo +parente +paolucci +palmquist +ohler +netherton +mutchler +morita +mistretta +minnis +middendorf +menzel +mendosa +mendelson +meaux +mcspadden +mcquaid +mcnatt +manigault +maney +mager +lukes +lopresti +liriano +letson +lechuga +lazenby +lauria +larimore +krupp +krupa +kopec +kinchen +kifer +kerney +kerner +kennison +kegley +karcher +justis +johson +jellison +janke +huskins +holzman +hinojos +hefley +hatmaker +harte +halloway +hallenbeck +goodwyn +glaspie +geise +fullwood +fryman +frakes +fraire +farrer +enlow +engen +ellzey +eckles +earles +dunkley +drinkard +dreiling +draeger +dinardo +dills +desroches +desantiago +curlee +crumbley +critchlow +coury +courtright +coffield +cleek +charpentier +cardone +caples +cantin +buntin +bugbee +brinkerhoff +brackin +bourland +blassingame +beacham +banning +auguste +andreasen +amann +almon +alejo +adelman +abston +yerger +wymer +woodberry +windley +whiteaker +westfield +weibel +wanner +waldrep +villani +vanarsdale +utterback +updike +triggs +topete +tolar +tigner +thoms +tauber +tarvin +tally +swiney +sweatman +studebaker +stennett +starrett +stannard +stalvey +sonnenberg +smithey +sieber +sickles +shinault +segars +sanger +salmeron +rothe +rizzi +restrepo +ralls +ragusa +quiroga +papenfuss +oropeza +okane +mudge +mozingo +molinaro +mcvicker +mcgarvey +mcfalls +mccraney +matus +magers +llanos +livermore +linehan +leitner +laymon +lawing +lacourse +kwong +kollar +kneeland +kennett +kellett +kangas +janzen +hutter +huling +hofmeister +hewes +harjo +habib +guice +grullon +greggs +grayer +granier +grable +gowdy +giannini +getchell +gartman +garnica +ganey +gallimore +fetters +fergerson +farlow +fagundes +exley +esteves +enders +edenfield +easterwood +drakeford +dipasquale +desousa +deshields +deeter +dedmon +debord +daughtery +cutts +courtemanche +coursey +copple +coomes +collis +cogburn +clopton +choquette +chaidez +castrejon +calhoon +burbach +bulloch +buchman +bruhn +bohon +blough +baynes +barstow +zeman +zackery +yardley +yamashita +wulff +wilken +wiliams +wickersham +wible +whipkey +wedgeworth +walmsley +walkup +vreeland +verrill +umana +traub +swingle +summey +stroupe +stockstill +steffey +stefanski +statler +stapp +speights +solari +soderberg +shunk +shorey +shewmaker +sheilds +schiffer +schank +schaff +sagers +rochon +riser +rickett +reale +raglin +polen +plata +pitcock +percival +palen +orona +oberle +nocera +navas +nault +mullings +montejano +monreal +minick +middlebrook +meece +mcmillion +mccullen +mauck +marshburn +maillet +mahaney +magner +maclin +lucey +litteral +lippincott +leite +leaks +lamarre +jurgens +jerkins +jager +hurwitz +hughley +hotaling +horstman +hohman +hocker +hively +hipps +hessler +hermanson +hepworth +helland +hedlund +harkless +haigler +gutierez +grindstaff +glantz +giardina +gerken +gadsden +finnerty +farnum +encinas +drakes +dennie +cutlip +curtsinger +couto +cortinas +corby +chiasson +carle +carballo +brindle +borum +bober +blagg +berthiaume +beahm +batres +basnight +backes +axtell +atterberry +alvares +alegria +woodell +wojciechowski +winfree +winbush +wiest +wesner +wamsley +wakeman +verner +truex +trafton +toman +thorsen +theus +tellier +tallant +szeto +strope +stills +simkins +shuey +shaul +servin +serio +serafin +salguero +ryerson +rudder +ruark +rother +rohrbaugh +rohrbach +rohan +rogerson +risher +reeser +pryce +prokop +prins +priebe +prejean +pinheiro +petrone +petri +penson +pearlman +parikh +natoli +murakami +mullikin +mullane +motes +morningstar +mcveigh +mcgrady +mcgaughey +mccurley +marchan +manske +lusby +linde +likens +licon +leroux +lemaire +legette +laskey +laprade +laplant +kolar +kittredge +kinley +kerber +kanagy +jetton +janik +ippolito +inouye +hunsinger +howley +howery +horrell +holthaus +hiner +hilson +hilderbrand +hartzler +harnish +harada +hansford +halligan +hagedorn +gwynn +gudino +greenstein +greear +gracey +goudeau +goodner +ginsburg +gerth +gerner +fujii +frier +frenette +folmar +fleisher +fleischmann +fetzer +eisenman +earhart +dupuy +dunkelberger +drexler +dillinger +dilbeck +dewald +demby +deford +craine +chesnut +casady +carstens +carrick +carino +carignan +canchola +bushong +burman +buono +brownlow +broach +britten +brickhouse +boyden +boulton +borland +bohrer +blubaugh +bever +berggren +benevides +arocho +arends +amezcua +almendarez +zalewski +witzel +winkfield +wilhoite +vangundy +vanfleet +vanetten +vandergriff +urbanski +troiano +thibodaux +straus +stoneking +stjean +stillings +stange +speicher +speegle +smeltzer +slawson +simmonds +shuttleworth +serpa +senger +seidman +schweiger +schloss +schimmel +schechter +sayler +sabatini +ronan +rodiguez +riggleman +richins +reamer +prunty +porath +plunk +piland +philbrook +pettitt +perna +peralez +pascale +padula +oboyle +nivens +nickols +mundt +munden +montijo +mcmanis +mcgrane +mccrimmon +manzi +mangold +malick +mahar +maddock +losey +litten +leedy +leavell +ladue +krahn +kluge +junker +iversen +imler +hurtt +huizar +hubbert +howington +hollomon +holdren +hoisington +heiden +hauge +hartigan +gutirrez +griffie +greenhill +gratton +granata +gottfried +gertz +gautreaux +furry +furey +funderburg +flippen +fitzgibbon +drucker +donoghue +dildy +devers +detweiler +despres +denby +degeorge +cueto +cranston +courville +clukey +cirillo +chivers +caudillo +butera +bulluck +buckmaster +braunstein +bracamonte +bourdeau +bonnette +bobadilla diff --git a/user/user_data/ZxcvbnData/3/us_tv_and_film.txt b/user/user_data/ZxcvbnData/3/us_tv_and_film.txt new file mode 100644 index 0000000..3603b13 --- /dev/null +++ b/user/user_data/ZxcvbnData/3/us_tv_and_film.txt @@ -0,0 +1,19160 @@ +you +i +to +that +it +me +what +this +know +i'm +no +have +my +don't +just +not +do +be +your +we +it's +so +but +all +well +oh +about +right +you're +get +here +out +going +like +yeah +if +can +up +want +think +that's +now +go +him +how +got +did +why +see +come +good +really +look +will +okay +back +can't +mean +tell +i'll +hey +he's +could +didn't +yes +something +because +say +take +way +little +make +need +gonna +never +we're +too +she's +i've +sure +our +sorry +what's +let +thing +maybe +down +man +very +there's +should +anything +said +much +any +even +off +please +doing +thank +give +thought +help +talk +god +still +wait +find +nothing +again +things +let's +doesn't +call +told +great +better +ever +night +away +believe +feel +everything +you've +fine +last +keep +does +put +around +stop +they're +i'd +guy +isn't +always +listen +wanted +guys +huh +those +big +lot +happened +thanks +won't +trying +kind +wrong +talking +guess +care +bad +mom +remember +getting +we'll +together +dad +leave +understand +wouldn't +actually +hear +baby +nice +father +else +stay +done +wasn't +course +might +mind +every +enough +try +hell +came +someone +you'll +whole +yourself +idea +ask +must +coming +looking +woman +room +knew +tonight +real +son +hope +went +hmm +happy +pretty +saw +girl +sir +friend +already +saying +next +job +problem +minute +thinking +haven't +heard +honey +matter +myself +couldn't +exactly +having +probably +happen +we've +hurt +boy +dead +gotta +alone +excuse +start +kill +hard +you'd +today +car +ready +without +wants +hold +wanna +yet +seen +deal +once +gone +morning +supposed +friends +head +stuff +worry +live +truth +face +forget +true +cause +soon +knows +telling +wife +who's +chance +run +move +anyone +person +bye +somebody +heart +miss +making +meet +anyway +phone +reason +damn +lost +looks +bring +case +turn +wish +tomorrow +kids +trust +check +change +anymore +least +aren't +working +makes +taking +means +brother +hate +ago +says +beautiful +gave +fact +crazy +sit +afraid +important +rest +fun +kid +word +watch +glad +everyone +sister +minutes +everybody +bit +couple +whoa +either +mrs +feeling +daughter +wow +gets +asked +break +promise +door +close +hand +easy +question +tried +far +walk +needs +mine +killed +hospital +anybody +alright +wedding +shut +able +die +perfect +stand +comes +hit +waiting +dinner +funny +husband +almost +pay +answer +cool +eyes +news +child +shouldn't +yours +moment +sleep +read +where's +sounds +sonny +pick +sometimes +bed +date +plan +hours +lose +hands +serious +shit +behind +inside +ahead +week +wonderful +fight +past +cut +quite +he'll +sick +it'll +eat +nobody +goes +save +seems +finally +lives +worried +upset +carly +met +brought +seem +sort +safe +weren't +leaving +front +shot +loved +asking +running +clear +figure +hot +felt +parents +drink +absolutely +how's +daddy +sweet +alive +sense +meant +happens +bet +blood +ain't +kidding +lie +meeting +dear +seeing +sound +fault +ten +buy +hour +speak +lady +jen +thinks +christmas +outside +hang +possible +worse +mistake +ooh +handle +spend +totally +giving +here's +marriage +realize +unless +sex +send +needed +scared +picture +talked +ass +hundred +changed +completely +explain +certainly +sign +boys +relationship +loves +hair +lying +choice +anywhere +future +weird +luck +she'll +turned +touch +kiss +crane +questions +obviously +wonder +pain +calling +somewhere +throw +straight +cold +fast +words +food +none +drive +feelings +they'll +marry +drop +cannot +dream +protect +twenty +surprise +sweetheart +poor +looked +mad +except +gun +y'know +dance +takes +appreciate +especially +situation +besides +pull +hasn't +worth +sheridan +amazing +expect +swear +piece +busy +happening +movie +we'd +catch +perhaps +step +fall +watching +kept +darling +dog +honor +moving +till +admit +problems +murder +he'd +evil +definitely +feels +honest +eye +broke +missed +longer +dollars +tired +evening +starting +entire +trip +niles +suppose +calm +imagine +fair +caught +blame +sitting +favor +apartment +terrible +clean +learn +frasier +relax +accident +wake +prove +smart +message +missing +forgot +interested +table +nbsp +mouth +pregnant +ring +careful +shall +dude +ride +figured +wear +shoot +stick +follow +angry +write +stopped +ran +standing +forgive +jail +wearing +ladies +kinda +lunch +cristian +greenlee +gotten +hoping +phoebe +thousand +ridge +paper +tough +tape +count +boyfriend +proud +agree +birthday +they've +share +offer +hurry +feet +wondering +decision +ones +finish +voice +herself +would've +mess +deserve +evidence +cute +dress +interesting +hotel +enjoy +quiet +concerned +staying +beat +sweetie +mention +clothes +fell +neither +mmm +fix +respect +prison +attention +holding +calls +surprised +bar +keeping +gift +hadn't +putting +dark +owe +ice +helping +normal +aunt +lawyer +apart +plans +jax +girlfriend +floor +whether +everything's +box +judge +upstairs +sake +mommy +possibly +worst +acting +accept +blow +strange +saved +conversation +plane +mama +yesterday +lied +quick +lately +stuck +difference +store +she'd +bought +doubt +listening +walking +cops +deep +dangerous +buffy +sleeping +chloe +rafe +join +card +crime +gentlemen +willing +window +walked +guilty +likes +fighting +difficult +soul +joke +favorite +uncle +promised +bother +seriously +cell +knowing +broken +advice +somehow +paid +losing +push +helped +killing +boss +liked +innocent +rules +learned +thirty +risk +letting +speaking +ridiculous +afternoon +apologize +nervous +charge +patient +boat +how'd +hide +detective +planning +huge +breakfast +horrible +awful +pleasure +driving +hanging +picked +sell +quit +apparently +dying +notice +congratulations +visit +could've +c'mon +letter +decide +forward +fool +showed +smell +seemed +spell +memory +pictures +slow +seconds +hungry +hearing +kitchen +ma'am +should've +realized +kick +grab +discuss +fifty +reading +idiot +suddenly +agent +destroy +bucks +shoes +peace +arms +demon +livvie +consider +papers +incredible +witch +drunk +attorney +tells +knock +ways +gives +nose +skye +turns +keeps +jealous +drug +sooner +cares +plenty +extra +outta +weekend +matters +gosh +opportunity +impossible +waste +pretend +jump +eating +proof +slept +arrest +breathe +perfectly +warm +pulled +twice +easier +goin +dating +suit +romantic +drugs +comfortable +finds +checked +divorce +begin +ourselves +closer +ruin +smile +laugh +treat +fear +what'd +otherwise +excited +mail +hiding +stole +pacey +noticed +fired +excellent +bringing +bottom +note +sudden +bathroom +honestly +sing +foot +remind +charges +witness +finding +tree +dare +hardly +that'll +steal +silly +contact +teach +shop +plus +colonel +fresh +trial +invited +roll +reach +dirty +choose +emergency +dropped +butt +credit +obvious +locked +loving +nuts +agreed +prue +goodbye +condition +guard +fuckin +grow +cake +mood +crap +crying +belong +partner +trick +pressure +dressed +taste +neck +nurse +raise +lots +carry +whoever +drinking +they'd +breaking +file +lock +wine +spot +paying +assume +asleep +turning +viki +bedroom +shower +nikolas +camera +fill +reasons +forty +bigger +nope +breath +doctors +pants +freak +movies +folks +cream +wild +truly +desk +convince +client +threw +hurts +spending +answers +shirt +chair +rough +doin +sees +ought +empty +wind +aware +dealing +pack +tight +hurting +guest +arrested +salem +confused +surgery +expecting +deacon +unfortunately +goddamn +bottle +beyond +whenever +pool +opinion +starts +jerk +secrets +falling +necessary +barely +dancing +tests +copy +cousin +ahem +twelve +tess +skin +fifteen +speech +orders +complicated +nowhere +escape +biggest +restaurant +grateful +usual +burn +address +someplace +screw +everywhere +regret +goodness +mistakes +details +responsibility +suspect +corner +hero +dumb +terrific +whoo +hole +memories +o'clock +teeth +ruined +bite +stenbeck +liar +showing +cards +desperate +search +pathetic +spoke +scare +marah +afford +settle +stayed +checking +hired +heads +concern +blew +alcazar +champagne +connection +tickets +happiness +saving +kissing +hated +personally +suggest +prepared +onto +downstairs +ticket +it'd +loose +holy +duty +convinced +throwing +kissed +legs +loud +saturday +babies +where'd +warning +miracle +carrying +blind +ugly +shopping +hates +sight +bride +coat +clearly +celebrate +brilliant +wanting +forrester +lips +custody +screwed +buying +toast +thoughts +reality +lexie +attitude +advantage +grandfather +sami +grandma +someday +roof +marrying +powerful +grown +grandmother +fake +must've +ideas +exciting +familiar +bomb +bout +harmony +schedule +capable +practically +correct +clue +forgotten +appointment +deserves +threat +bloody +lonely +shame +jacket +hook +scary +investigation +invite +shooting +lesson +criminal +victim +funeral +considering +burning +strength +harder +sisters +pushed +shock +pushing +heat +chocolate +miserable +corinthos +nightmare +brings +zander +crash +chances +sending +recognize +healthy +boring +feed +engaged +headed +treated +knife +drag +badly +hire +paint +pardon +behavior +closet +warn +gorgeous +milk +survive +ends +dump +rent +remembered +thanksgiving +rain +revenge +prefer +spare +pray +disappeared +aside +statement +sometime +meat +fantastic +breathing +laughing +stood +affair +ours +depends +protecting +jury +brave +fingers +murdered +explanation +picking +blah +stronger +handsome +unbelievable +anytime +shake +oakdale +wherever +pulling +facts +waited +lousy +circumstances +disappointed +weak +trusted +license +nothin +trash +understanding +slip +sounded +awake +friendship +stomach +weapon +threatened +mystery +vegas +understood +basically +switch +frankly +cheap +lifetime +deny +clock +garbage +why'd +tear +ears +indeed +changing +singing +tiny +decent +avoid +messed +filled +touched +disappear +exact +pills +kicked +harm +fortune +pretending +insurance +fancy +drove +cared +belongs +nights +lorelai +lift +timing +guarantee +chest +woke +burned +watched +heading +selfish +drinks +doll +committed +elevator +freeze +noise +wasting +ceremony +uncomfortable +staring +files +bike +stress +permission +thrown +possibility +borrow +fabulous +doors +screaming +bone +xander +what're +meal +apology +anger +honeymoon +bail +parking +fixed +wash +stolen +sensitive +stealing +photo +chose +lets +comfort +worrying +pocket +mateo +bleeding +shoulder +ignore +talent +tied +garage +dies +demons +dumped +witches +rude +crack +bothering +radar +soft +meantime +gimme +kinds +fate +concentrate +throat +prom +messages +intend +ashamed +somethin +manage +guilt +interrupt +guts +tongue +shoe +basement +sentence +purse +glasses +cabin +universe +repeat +mirror +wound +travers +tall +engagement +therapy +emotional +jeez +decisions +soup +thrilled +stake +chef +moves +extremely +moments +expensive +counting +shots +kidnapped +cleaning +shift +plate +impressed +smells +trapped +aidan +knocked +charming +attractive +argue +puts +whip +embarrassed +package +hitting +bust +stairs +alarm +pure +nail +nerve +incredibly +walks +dirt +stamp +terribly +friendly +damned +jobs +suffering +disgusting +stopping +deliver +riding +helps +disaster +bars +crossed +trap +talks +eggs +chick +threatening +spoken +introduce +confession +embarrassing +bags +impression +gate +reputation +presents +chat +suffer +argument +talkin +crowd +homework +coincidence +cancel +pride +solve +hopefully +pounds +pine +mate +illegal +generous +outfit +maid +bath +punch +freaked +begging +recall +enjoying +prepare +wheel +defend +signs +painful +yourselves +maris +that'd +suspicious +cooking +button +warned +sixty +pity +yelling +awhile +confidence +offering +pleased +panic +hers +gettin +refuse +grandpa +testify +choices +cruel +mental +gentleman +coma +cutting +proteus +guests +expert +benefit +faces +jumped +toilet +sneak +halloween +privacy +smoking +reminds +twins +swing +solid +options +commitment +crush +ambulance +wallet +gang +eleven +option +laundry +assure +stays +skip +fail +discussion +clinic +betrayed +sticking +bored +mansion +soda +sheriff +suite +handled +busted +load +happier +studying +romance +procedure +commit +assignment +suicide +minds +swim +yell +llanview +chasing +proper +believes +humor +hopes +lawyers +giant +latest +escaped +parent +tricks +insist +dropping +cheer +medication +flesh +routine +sandwich +handed +false +beating +warrant +awfully +odds +treating +thin +suggesting +fever +sweat +silent +clever +sweater +mall +sharing +assuming +judgment +goodnight +divorced +surely +steps +confess +math +listened +comin +answered +vulnerable +bless +dreaming +chip +zero +pissed +nate +kills +tears +knees +chill +brains +unusual +packed +dreamed +cure +lookin +grave +cheating +breaks +locker +gifts +awkward +thursday +joking +reasonable +dozen +curse +quartermaine +millions +dessert +rolling +detail +alien +delicious +closing +vampires +wore +tail +secure +salad +murderer +spit +offense +dust +conscience +bread +answering +lame +invitation +grief +smiling +pregnancy +prisoner +delivery +guards +virus +shrink +freezing +wreck +massimo +wire +technically +blown +anxious +cave +holidays +cleared +wishes +caring +candles +bound +charm +pulse +jumping +jokes +boom +occasion +silence +nonsense +frightened +slipped +dimera +blowing +relationships +kidnapping +spin +tool +roxy +packing +blaming +wrap +obsessed +fruit +torture +personality +there'll +fairy +necessarily +seventy +print +motel +underwear +grams +exhausted +believing +freaking +carefully +trace +touching +messing +recovery +intention +consequences +belt +sacrifice +courage +enjoyed +attracted +remove +testimony +intense +heal +defending +unfair +relieved +loyal +slowly +buzz +alcohol +surprises +psychiatrist +plain +attic +who'd +uniform +terrified +cleaned +zach +threaten +fella +enemies +satisfied +imagination +hooked +headache +forgetting +counselor +andie +acted +badge +naturally +frozen +sakes +appropriate +trunk +dunno +costume +sixteen +impressive +kicking +junk +grabbed +understands +describe +clients +owns +affect +witnesses +starving +instincts +happily +discussing +deserved +strangers +surveillance +admire +questioning +dragged +barn +deeply +wrapped +wasted +tense +hoped +fellas +roommate +mortal +fascinating +stops +arrangements +agenda +literally +propose +honesty +underneath +sauce +promises +lecture +eighty +torn +shocked +backup +differently +ninety +deck +biological +pheebs +ease +creep +waitress +telephone +ripped +raising +scratch +rings +prints +thee +arguing +ephram +asks +oops +diner +annoying +taggert +sergeant +blast +towel +clown +habit +creature +bermuda +snap +react +paranoid +handling +eaten +therapist +comment +sink +reporter +nurses +beats +priority +interrupting +warehouse +loyalty +inspector +pleasant +excuses +threats +guessing +tend +praying +motive +unconscious +mysterious +unhappy +tone +switched +rappaport +sookie +neighbor +loaded +swore +piss +balance +toss +misery +thief +squeeze +lobby +goa'uld +geez +exercise +forth +booked +sandburg +poker +eighteen +d'you +bury +everyday +digging +creepy +wondered +liver +hmmm +magical +fits +discussed +moral +helpful +searching +flew +depressed +aisle +cris +amen +vows +neighbors +darn +cents +arrange +annulment +useless +adventure +resist +fourteen +celebrating +inch +debt +violent +sand +teal'c +celebration +reminded +phones +paperwork +emotions +stubborn +pound +tension +stroke +steady +overnight +chips +beef +suits +boxes +cassadine +collect +tragedy +spoil +realm +wipe +surgeon +stretch +stepped +nephew +neat +limo +confident +perspective +climb +punishment +finest +springfield +hint +furniture +blanket +twist +proceed +fries +worries +niece +gloves +soap +signature +disappoint +crawl +convicted +flip +counsel +doubts +crimes +accusing +shaking +remembering +hallway +halfway +bothered +madam +gather +cameras +blackmail +symptoms +rope +ordinary +imagined +cigarette +supportive +explosion +trauma +ouch +furious +cheat +avoiding +whew +thick +oooh +boarding +approve +urgent +shhh +misunderstanding +drawer +phony +interfere +catching +bargain +tragic +respond +punish +penthouse +thou +rach +ohhh +insult +bugs +beside +begged +absolute +strictly +socks +senses +sneaking +reward +polite +checks +tale +physically +instructions +fooled +blows +tabby +bitter +adorable +y'all +tested +suggestion +jewelry +alike +jacks +distracted +shelter +lessons +constable +circus +audition +tune +shoulders +mask +helpless +feeding +explains +sucked +robbery +objection +behave +valuable +shadows +courtroom +confusing +talented +smarter +mistaken +customer +bizarre +scaring +motherfucker +alert +vecchio +reverend +foolish +compliment +bastards +worker +wheelchair +protective +gentle +reverse +picnic +knee +cage +wives +wednesday +voices +toes +stink +scares +pour +cheated +slide +ruining +filling +exit +cottage +upside +proves +parked +diary +complaining +confessed +pipe +merely +massage +chop +spill +prayer +betray +waiter +scam +rats +fraud +brush +tables +sympathy +pill +filthy +seventeen +employee +bracelet +pays +fairly +deeper +arrive +tracking +spite +shed +recommend +oughta +nanny +menu +diet +corn +roses +patch +dime +devastated +subtle +bullets +beans +pile +confirm +strings +parade +borrowed +toys +straighten +steak +premonition +planted +honored +exam +convenient +traveling +laying +insisted +dish +aitoro +kindly +grandson +donor +temper +teenager +proven +mothers +denial +backwards +tent +swell +noon +happiest +drives +thinkin +spirits +potion +holes +fence +whatsoever +rehearsal +overheard +lemme +hostage +bench +tryin +taxi +shove +moron +impress +needle +intelligent +instant +disagree +stinks +rianna +recover +groom +gesture +constantly +bartender +suspects +sealed +legally +hears +dresses +sheet +psychic +teenage +knocking +judging +accidentally +waking +rumor +manners +homeless +hollow +desperately +tapes +referring +item +genoa +gear +majesty +cried +tons +spells +instinct +quote +motorcycle +convincing +fashioned +aids +accomplished +grip +bump +upsetting +needing +invisible +forgiveness +feds +compare +bothers +tooth +inviting +earn +compromise +cocktail +tramp +jabot +intimate +dignity +dealt +souls +informed +gods +dressing +cigarettes +alistair +leak +fond +corky +seduce +liquor +fingerprints +enchantment +butters +stuffed +stavros +emotionally +transplant +tips +oxygen +nicely +lunatic +drill +complain +announcement +unfortunate +slap +prayers +plug +opens +oath +o'neill +mutual +yacht +remembers +fried +extraordinary +bait +warton +sworn +stare +safely +reunion +burst +might've +dive +aboard +expose +buddies +trusting +booze +sweep +sore +scudder +properly +parole +ditch +canceled +speaks +glow +wears +thirsty +skull +ringing +dorm +dining +bend +unexpected +pancakes +harsh +flattered +ahhh +troubles +fights +favourite +eats +rage +undercover +spoiled +sloane +shine +destroying +deliberately +conspiracy +thoughtful +sandwiches +plates +nails +miracles +fridge +drank +contrary +beloved +allergic +washed +stalking +solved +sack +misses +forgiven +bent +maciver +involve +dragging +cooked +pointing +foul +dull +beneath +heels +faking +deaf +stunt +jealousy +hopeless +fears +cuts +scenario +necklace +crashed +accuse +restraining +homicide +helicopter +firing +safer +auction +videotape +tore +reservations +pops +appetite +wounds +vanquish +ironic +fathers +excitement +anyhow +tearing +sends +rape +laughed +belly +dealer +cooperate +accomplish +wakes +spotted +sorts +reservation +ashes +tastes +supposedly +loft +intentions +integrity +wished +towels +suspected +investigating +inappropriate +lipstick +lawn +compassion +cafeteria +scarf +precisely +obsession +loses +lighten +infection +granddaughter +explode +balcony +this'll +spying +publicity +depend +cracked +conscious +ally +absurd +vicious +invented +forbid +directions +defendant +bare +announce +screwing +salesman +robbed +leap +lakeview +insanity +reveal +possibilities +kidnap +gown +chairs +wishing +setup +punished +criminals +regrets +raped +quarters +lamp +dentist +anyways +anonymous +semester +risks +owes +lungs +explaining +delicate +tricked +eager +doomed +adoption +stab +sickness +scum +floating +envelope +vault +sorel +pretended +potatoes +plea +photograph +payback +misunderstood +kiddo +healing +cascade +capeside +stabbed +remarkable +brat +privilege +passionate +nerves +lawsuit +kidney +disturbed +cozy +tire +shirts +oven +ordering +delay +risky +monsters +honorable +grounded +closest +breakdown +bald +abandon +scar +collar +worthless +sucking +enormous +disturbing +disturb +distract +deals +conclusions +vodka +dishes +crawling +briefcase +wiped +whistle +sits +roast +rented +pigs +flirting +deposit +bottles +topic +riot +overreacting +logical +hostile +embarrass +casual +beacon +amusing +altar +claus +survival +skirt +shave +porch +ghosts +favors +drops +dizzy +chili +advise +strikes +rehab +photographer +peaceful +leery +heavens +fortunately +fooling +expectations +cigar +weakness +ranch +practicing +examine +cranes +bribe +sail +prescription +hush +fragile +forensics +expense +drugged +cows +bells +visitor +suitcase +sorta +scan +manticore +insecure +imagining +hardest +clerk +wrist +what'll +starters +silk +pump +pale +nicer +haul +flies +boot +thumb +there'd +how're +elders +quietly +pulls +idiots +erase +denying +ankle +amnesia +accepting +heartbeat +devane +confront +minus +legitimate +fixing +arrogant +tuna +supper +slightest +sins +sayin +recipe +pier +paternity +humiliating +genuine +snack +rational +minded +guessed +weddings +tumor +humiliated +aspirin +spray +picks +eyed +drowning +contacts +ritual +perfume +hiring +hating +docks +creatures +visions +thanking +thankful +sock +nineteen +fork +throws +teenagers +stressed +slice +rolls +plead +ladder +kicks +detectives +assured +tellin +shallow +responsibilities +repay +howdy +girlfriends +deadly +comforting +ceiling +verdict +insensitive +spilled +respected +messy +interrupted +halliwell +blond +bleed +wardrobe +takin +murders +backs +underestimate +justify +harmless +frustrated +fold +enzo +communicate +bugging +arson +whack +salary +rumors +obligation +liking +dearest +congratulate +vengeance +rack +puzzle +fires +courtesy +caller +blamed +tops +quiz +prep +curiosity +circles +barbecue +sunnydale +spinning +psychotic +cough +accusations +resent +laughs +freshman +envy +drown +bartlet +asses +sofa +poster +highness +dock +apologies +theirs +stat +stall +realizes +psych +mmmm +fools +understandable +treats +succeed +stir +relaxed +makin +gratitude +faithful +accent +witter +wandering +locate +inevitable +gretel +deed +crushed +controlling +smelled +robe +gossip +gambling +cosmetics +accidents +surprising +stiff +sincere +rushed +refrigerator +preparing +nightmares +mijo +ignoring +hunch +fireworks +drowned +brass +whispering +sophisticated +luggage +hike +explore +emotion +crashing +contacted +complications +shining +rolled +righteous +reconsider +goody +geek +frightening +ethics +creeps +courthouse +camping +affection +smythe +haircut +essay +baked +apologized +vibe +respects +receipt +mami +hats +destructive +adore +adopt +tracked +shorts +reminding +dough +creations +cabot +barrel +snuck +slight +reporters +pressing +magnificent +madame +lazy +glorious +fiancee +bits +visitation +sane +kindness +shoulda +rescued +mattress +lounge +lifted +importantly +glove +enterprises +disappointment +condo +beings +admitting +yelled +waving +spoon +screech +satisfaction +reads +nailed +worm +tick +resting +marvelous +fuss +cortlandt +chased +pockets +luckily +lilith +filing +conversations +consideration +consciousness +worlds +innocence +forehead +aggressive +trailer +slam +quitting +inform +delighted +daylight +danced +confidential +aunts +washing +tossed +spectra +marrow +lined +implying +hatred +grill +corpse +clues +sober +offended +morgue +infected +humanity +distraction +cart +wired +violation +promising +harassment +glue +d'angelo +cursed +brutal +warlocks +wagon +unpleasant +proving +priorities +mustn't +lease +flame +disappearance +depressing +thrill +sitter +ribs +flush +earrings +deadline +corporal +collapsed +update +snapped +smack +melt +figuring +delusional +coulda +burnt +tender +sperm +realise +pork +popped +interrogation +esteem +choosing +undo +pres +prayed +plague +manipulate +insulting +detention +delightful +coffeehouse +betrayal +apologizing +adjust +wrecked +wont +whipped +rides +reminder +monsieur +faint +bake +distress +correctly +complaint +blocked +tortured +risking +pointless +handing +dumping +cups +alibi +struggling +shiny +risked +mummy +mint +hose +hobby +fortunate +fleischman +fitting +curtain +counseling +rode +puppet +modeling +memo +irresponsible +humiliation +hiya +freakin +felony +choke +blackmailing +appreciated +tabloid +suspicion +recovering +pledge +panicked +nursery +louder +jeans +investigator +homecoming +frustrating +buys +busting +buff +sleeve +irony +dope +declare +autopsy +workin +torch +prick +limb +hysterical +goddamnit +fetch +dimension +crowded +clip +climbing +bonding +woah +trusts +negotiate +lethal +iced +fantasies +deeds +bore +babysitter +questioned +outrageous +kiriakis +insulted +grudge +driveway +deserted +definite +beep +wires +suggestions +searched +owed +lend +drunken +demanding +costanza +conviction +bumped +weigh +touches +tempted +shout +resolve +relate +poisoned +meals +invitations +haunted +bogus +autograph +affects +tolerate +stepping +spontaneous +sleeps +probation +manny +fist +spectacular +hostages +heroin +havin +habits +encouraging +consult +burgers +boyfriends +bailed +baggage +watches +troubled +torturing +teasing +sweetest +qualities +postpone +overwhelmed +malkovich +impulse +classy +charging +amazed +policeman +hypocrite +humiliate +hideous +d'ya +costumes +bluffing +betting +bein +bedtime +alcoholic +vegetable +tray +suspicions +spreading +splendid +shrimp +shouting +pressed +nooo +grieving +gladly +fling +eliminate +cereal +aaah +sonofabitch +paralyzed +lotta +locks +guaranteed +dummy +despise +dental +briefing +bluff +batteries +whatta +sounding +servants +presume +handwriting +fainted +dried +allright +acknowledge +whacked +toxic +reliable +quicker +overwhelming +lining +harassing +fatal +endless +dolls +convict +whatcha +unlikely +shutting +positively +overcome +goddam +essence +dose +diagnosis +cured +bully +ahold +yearbook +tempting +shelf +prosecution +pouring +possessed +greedy +wonders +thorough +spine +rath +psychiatric +meaningless +latte +jammed +ignored +fiance +evidently +contempt +compromised +cans +weekends +urge +theft +suing +shipment +scissors +responding +proposition +noises +matching +hormones +hail +grandchildren +gently +smashed +sexually +sentimental +nicest +manipulated +intern +handcuffs +framed +errands +entertaining +crib +carriage +barge +spends +slipping +seated +rubbing +rely +reject +recommendation +reckon +headaches +float +embrace +corners +whining +sweating +skipped +mountie +motives +listens +cristobel +cleaner +cheerleader +balsom +unnecessary +stunning +scent +quartermaines +pose +montega +loosen +info +hottest +haunt +gracious +forgiving +errand +cakes +blames +abortion +sketch +shifts +plotting +perimeter +pals +mere +mattered +lonigan +interference +eyewitness +enthusiasm +diapers +strongest +shaken +punched +portal +catches +backyard +terrorists +sabotage +organs +needy +cuff +civilization +woof +who'll +prank +obnoxious +mates +hereby +gabby +faked +cellar +whitelighter +void +strangle +sour +muffins +interfering +demonic +clearing +boutique +barrington +terrace +smoked +righty +quack +petey +pact +knot +ketchup +disappearing +cordy +uptight +ticking +terrifying +tease +swamp +secretly +rejection +reflection +realizing +rays +mentally +marone +doubted +deception +congressman +cheesy +toto +stalling +scoop +ribbon +immune +expects +destined +bets +bathing +appreciation +accomplice +wander +shoved +sewer +scroll +retire +lasts +fugitive +freezer +discount +cranky +crank +clearance +bodyguard +anxiety +accountant +whoops +volunteered +talents +stinking +remotely +garlic +decency +cord +beds +altogether +uniforms +tremendous +popping +outa +observe +lung +hangs +feelin +dudes +donation +disguise +curb +bites +antique +toothbrush +realistic +predict +landlord +hourglass +hesitate +consolation +babbling +tipped +stranded +smartest +repeating +puke +psst +paycheck +overreacted +macho +juvenile +grocery +freshen +disposal +cuffs +caffeine +vanished +unfinished +ripping +pinch +flattering +expenses +dinners +colleague +ciao +belthazor +attorneys +woulda +whereabouts +waitin +truce +tripped +tasted +steer +poisoning +manipulative +immature +husbands +heel +granddad +delivering +condoms +addict +trashed +raining +pasta +needles +leaning +detector +coolest +batch +appointments +almighty +vegetables +spark +perfection +pains +momma +mole +meow +hairs +getaway +cracking +compliments +behold +verge +tougher +timer +tapped +taped +specialty +snooping +shoots +rendezvous +pentagon +leverage +jeopardize +janitor +grandparents +forbidden +clueless +bidding +ungrateful +unacceptable +tutor +serum +scuse +pajamas +mouths +lure +irrational +doom +cries +beautifully +arresting +approaching +traitor +sympathetic +smug +smash +rental +prostitute +premonitions +jumps +inventory +darlin +committing +banging +asap +worms +violated +vent +traumatic +traced +sweaty +shaft +overboard +insight +healed +grasp +experiencing +crappy +crab +chunk +awww +stain +shack +reacted +pronounce +poured +moms +marriages +jabez +handful +flipped +fireplace +embarrassment +disappears +concussion +bruises +brakes +twisting +swept +summon +splitting +sloppy +settling +reschedule +notch +hooray +grabbing +exquisite +disrespect +thornhart +straw +slapped +shipped +shattered +ruthless +refill +payroll +numb +mourning +manly +hunk +entertain +drift +dreadful +doorstep +confirmation +chops +appreciates +vague +tires +stressful +stashed +stash +sensed +preoccupied +predictable +noticing +madly +gunshot +dozens +dork +confuse +cleaners +charade +chalk +cappuccino +bouquet +amulet +addiction +who've +warming +unlock +satisfy +sacrificed +relaxing +lone +blocking +blend +blankets +addicted +yuck +hunger +hamburger +greeting +greet +gravy +gram +dreamt +dice +caution +backpack +agreeing +whale +taller +supervisor +sacrifices +phew +ounce +irrelevant +gran +felon +favorites +farther +fade +erased +easiest +convenience +compassionate +cane +backstage +agony +adores +veins +tweek +thieves +surgical +strangely +stetson +recital +proposing +productive +meaningful +immunity +hassle +goddamned +frighten +dearly +cease +ambition +wage +unstable +salvage +richer +refusing +raging +pumping +pressuring +mortals +lowlife +intimidated +intentionally +inspire +forgave +devotion +despicable +deciding +dash +comfy +breach +bark +aaaah +switching +swallowed +stove +screamed +scars +russians +pounding +poof +pipes +pawn +legit +invest +farewell +curtains +civilized +caviar +boost +token +superstition +supernatural +sadness +recorder +psyched +motivated +microwave +hallelujah +fraternity +dryer +cocoa +chewing +acceptable +unbelievably +smiled +smelling +simpler +respectable +remarks +khasinau +indication +gutter +grabs +fulfill +flashlight +ellenor +blooded +blink +blessings +beware +uhhh +turf +swings +slips +shovel +shocking +puff +mirrors +locking +heartless +fras +childish +cardiac +utterly +tuscany +ticked +stunned +statesville +sadly +purely +kiddin +jerks +hitch +flirt +fare +equals +dismiss +christening +casket +c'mere +breakup +biting +antibiotics +accusation +abducted +witchcraft +thread +runnin +punching +paramedics +newest +murdering +masks +lawndale +initials +grampa +choking +charms +careless +bushes +buns +bummed +shred +saves +saddle +rethink +regards +precinct +persuade +meds +manipulating +llanfair +leash +hearted +guarantees +fucks +disgrace +deposition +bookstore +boil +vitals +veil +trespassing +sidewalk +sensible +punishing +overtime +optimistic +obsessing +notify +mornin +jeopardy +jaffa +injection +hilarious +desires +confide +cautious +yada +where're +vindictive +vial +teeny +stroll +sittin +scrub +rebuild +posters +ordeal +nuns +intimacy +inheritance +exploded +donate +distracting +despair +crackers +wildwind +virtue +thoroughly +tails +spicy +sketches +sights +sheer +shaving +seize +scarecrow +refreshing +prosecute +platter +napkin +misplaced +merchandise +loony +jinx +heroic +frankenstein +ambitious +syrup +solitary +resemblance +reacting +premature +lavery +flashes +cheque +awright +acquainted +wrapping +untie +salute +realised +priceless +partying +lightly +lifting +kasnoff +insisting +glowing +generator +explosives +cutie +confronted +buts +blouse +ballistic +antidote +analyze +allowance +adjourned +unto +understatement +tucked +touchy +subconscious +screws +sarge +roommates +rambaldi +offend +nerd +knives +irresistible +incapable +hostility +goddammit +fuse +frat +curfew +blackmailed +walkin +starve +sleigh +sarcastic +recess +rebound +pinned +parlor +outfits +livin +heartache +haired +fundraiser +doorman +discreet +dilucca +cracks +considerate +climbed +catering +apophis +zoey +urine +strung +stitches +sordid +sark +protector +phoned +pets +hostess +flaw +flavor +deveraux +consumed +confidentiality +bourbon +straightened +specials +spaghetti +prettier +powerless +playin +playground +paranoia +instantly +havoc +exaggerating +eavesdropping +doughnuts +diversion +deepest +cutest +comb +bela +behaving +anyplace +accessory +workout +translate +stuffing +speeding +slime +royalty +polls +marital +lurking +lottery +imaginary +greetings +fairwinds +elegant +elbow +credibility +credentials +claws +chopped +bridal +bedside +babysitting +witty +unforgivable +underworld +tempt +tabs +sophomore +selfless +secrecy +restless +okey +movin +metaphor +messes +meltdown +lecter +incoming +gasoline +diefenbaker +buckle +admired +adjustment +warmth +throats +seduced +queer +parenting +noses +luckiest +graveyard +gifted +footsteps +dimeras +cynical +wedded +verbal +unpredictable +tuned +stoop +slides +sinking +rigged +plumbing +lingerie +hankey +greed +everwood +elope +dresser +chauffeur +bulletin +bugged +bouncing +temptation +strangest +slammed +sarcasm +pending +packages +orderly +obsessive +murderers +meteor +inconvenience +glimpse +froze +execute +courageous +consulate +closes +bosses +bees +amends +wuss +wolfram +wacky +unemployed +testifying +syringe +stew +startled +sorrow +sleazy +shaky +screams +rsquo +remark +poke +nutty +mentioning +mend +inspiring +impulsive +housekeeper +foam +fingernails +conditioning +baking +whine +thug +starved +sniffing +sedative +programmed +picket +paged +hound +homosexual +homo +hips +forgets +flipping +flea +flatter +dwell +dumpster +choo +assignments +ants +vile +unreasonable +tossing +thanked +steals +souvenir +scratched +psychopath +outs +obstruction +obey +lump +insists +harass +gloat +filth +edgy +didn +coroner +confessing +bruise +betraying +bailing +appealing +adebisi +wrath +wandered +waist +vain +traps +stepfather +poking +obligated +heavenly +dilemma +crazed +contagious +coaster +cheering +bundle +vomit +thingy +speeches +robbing +raft +pumped +pillows +peep +packs +neglected +m'kay +loneliness +intrude +helluva +gardener +forresters +drooling +betcha +vase +supermarket +squat +spitting +rhyme +relieve +receipts +racket +pictured +pause +overdue +motivation +morgendorffer +kidnapper +insect +horns +feminine +eyeballs +dumps +disappointing +crock +convertible +claw +clamp +canned +cambias +bathtub +avanya +artery +weep +warmer +suspense +summoned +spiders +reiber +raving +pushy +postponed +ohhhh +noooo +mold +laughter +incompetent +hugging +groceries +drip +communicating +auntie +adios +wraps +wiser +willingly +weirdest +timmih +thinner +swelling +swat +steroids +sensitivity +scrape +rehearse +prophecy +ledge +justified +insults +hateful +handles +doorway +chatting +buyer +buckaroo +bedrooms +askin +ammo +tutoring +subpoena +scratching +privileges +pager +mart +intriguing +idiotic +grape +enlighten +corrupt +brunch +bridesmaid +barking +applause +acquaintance +wretched +superficial +soak +smoothly +sensing +restraint +posing +pleading +payoff +oprah +nemo +morals +loaf +jumpy +ignorant +herbal +hangin +germs +generosity +flashing +doughnut +clumsy +chocolates +captive +behaved +apologise +vanity +stumbled +preview +poisonous +perjury +parental +onboard +mugged +minding +linen +knots +interviewing +humour +grind +greasy +goons +drastic +coop +comparing +cocky +clearer +bruised +brag +bind +worthwhile +whoop +vanquishing +tabloids +sprung +spotlight +sentencing +racist +provoke +pining +overly +locket +imply +impatient +hovering +hotter +fest +endure +dots +doren +debts +crawled +chained +brit +breaths +weirdo +warmed +wand +troubling +tok'ra +strapped +soaked +skipping +scrambled +rattle +profound +musta +mocking +misunderstand +limousine +kacl +hustle +forensic +enthusiastic +duct +drawers +devastating +conquer +clarify +chores +cheerleaders +cheaper +callin +blushing +barging +abused +yoga +wrecking +wits +waffles +virginity +vibes +uninvited +unfaithful +teller +strangled +scheming +ropes +rescuing +rave +postcard +o'reily +morphine +lotion +lads +kidneys +judgement +itch +indefinitely +grenade +glamorous +genetically +freud +discretion +delusions +crate +competent +bakery +argh +ahhhh +wedge +wager +unfit +tripping +torment +superhero +stirring +spinal +sorority +seminar +scenery +rabble +pneumonia +perks +override +ooooh +mija +manslaughter +mailed +lime +lettuce +intimidate +guarded +grieve +grad +frustration +doorbell +chinatown +authentic +arraignment +annulled +allergies +wanta +verify +vegetarian +tighter +telegram +stalk +spared +shoo +satisfying +saddam +requesting +pens +overprotective +obstacles +notified +nasedo +grandchild +genuinely +flushed +fluids +floss +escaping +ditched +cramp +corny +bunk +bitten +billions +bankrupt +yikes +wrists +ultrasound +ultimatum +thirst +sniff +shakes +salsa +retrieve +reassuring +pumps +neurotic +negotiating +needn't +monitors +millionaire +lydecker +limp +incriminating +hatchet +gracias +gordie +fills +feeds +doubting +decaf +biopsy +whiz +voluntarily +ventilator +unpack +unload +toad +spooked +snitch +schillinger +reassure +persuasive +mystical +mysteries +matrimony +mails +jock +headline +explanations +dispatch +curly +cupid +condolences +comrade +cassadines +bulb +bragging +awaits +assaulted +ambush +adolescent +abort +yank +whit +vaguely +undermine +tying +swamped +stabbing +slippers +slash +sincerely +sigh +setback +secondly +rotting +precaution +pcpd +melting +liaison +hots +hooking +headlines +haha +ganz +fury +felicity +fangs +encouragement +earring +dreidel +dory +donut +dictate +decorating +cocktails +bumps +blueberry +believable +backfired +backfire +apron +adjusting +vous +vouch +vitamins +ummm +tattoos +slimy +sibling +shhhh +renting +peculiar +parasite +paddington +marries +mailbox +magically +lovebirds +knocks +informant +exits +drazen +distractions +disconnected +dinosaurs +dashwood +crooked +conveniently +wink +warped +underestimated +tacky +shoving +seizure +reset +pushes +opener +mornings +mash +invent +indulge +horribly +hallucinating +festive +eyebrows +enjoys +desperation +dealers +darkest +daph +boragora +belts +bagel +authorization +auditions +agitated +wishful +wimp +vanish +unbearable +tonic +suffice +suction +slaying +safest +rocking +relive +puttin +prettiest +noisy +newlyweds +nauseous +misguided +mildly +midst +liable +judgmental +indy +hunted +givin +fascinated +elephants +dislike +deluded +decorate +crummy +contractions +carve +bottled +bonded +bahamas +unavailable +twenties +trustworthy +surgeons +stupidity +skies +remorse +preferably +pies +nausea +napkins +mule +mourn +melted +mashed +inherit +greatness +golly +excused +dumbo +drifting +delirious +damaging +cubicle +compelled +comm +chooses +checkup +boredom +bandages +alarms +windshield +who're +whaddya +transparent +surprisingly +sunglasses +slit +roar +reade +prognosis +probe +pitiful +persistent +peas +nosy +nagging +morons +masterpiece +martinis +limbo +liars +irritating +inclined +hump +hoynes +fiasco +eatin +cubans +concentrating +colorful +clam +cider +brochure +barto +bargaining +wiggle +welcoming +weighing +vanquished +stains +sooo +snacks +smear +sire +resentment +psychologist +pint +overhear +morality +landingham +kisser +hoot +holling +handshake +grilled +formality +elevators +depths +confirms +boathouse +accidental +westbridge +wacko +ulterior +thugs +thighs +tangled +stirred +snag +sling +sleaze +rumour +ripe +remarried +puddle +pins +perceptive +miraculous +longing +lockup +librarian +impressions +immoral +hypothetically +guarding +gourmet +gabe +faxed +extortion +downright +digest +cranberry +bygones +buzzing +burying +bikes +weary +taping +takeout +sweeping +stepmother +stale +senor +seaborn +pros +pepperoni +newborn +ludicrous +injected +geeks +forged +faults +drue +dire +dief +desi +deceiving +caterer +calmed +budge +ankles +vending +typing +tribbiani +there're +squared +snowing +shades +sexist +rewrite +regretted +raises +picky +orphan +mural +misjudged +miscarriage +memorize +leaking +jitters +invade +interruption +illegally +handicapped +glitch +gittes +finer +distraught +dispose +dishonest +digs +dads +cruelty +circling +canceling +butterflies +belongings +barbrady +amusement +alias +zombies +where've +unborn +swearing +stables +squeezed +sensational +resisting +radioactive +questionable +privileged +portofino +owning +overlook +orson +oddly +interrogate +imperative +impeccable +hurtful +hors +heap +graders +glance +disgust +devious +destruct +crazier +countdown +chump +cheeseburger +burglar +berries +ballroom +assumptions +annoyed +allergy +admirer +admirable +activate +underpants +twit +tack +strokes +stool +sham +scrap +retarded +resourceful +remarkably +refresh +pressured +precautions +pointy +nightclub +mustache +maui +lace +hunh +hubby +flare +dont +dokey +dangerously +crushing +clinging +choked +chem +cheerleading +checkbook +cashmere +calmly +blush +believer +amazingly +alas +what've +toilets +tacos +stairwell +spirited +sewing +rubbed +punches +protects +nuisance +motherfuckers +mingle +kynaston +knack +kinkle +impose +gullible +godmother +funniest +friggin +folding +fashions +eater +dysfunctional +drool +dripping +ditto +cruising +criticize +conceive +clone +cedars +caliber +brighter +blinded +birthdays +banquet +anticipate +annoy +whim +whichever +volatile +veto +vested +shroud +rests +reindeer +quarantine +pleases +painless +orphans +orphanage +offence +obliged +negotiation +narcotics +mistletoe +meddling +manifest +lookit +lilah +intrigued +injustice +homicidal +gigantic +exposing +elves +disturbance +disastrous +depended +demented +correction +cooped +cheerful +buyers +brownies +beverage +basics +arvin +weighs +upsets +unethical +swollen +sweaters +stupidest +sensation +scalpel +props +prescribed +pompous +objections +mushrooms +mulwray +manipulation +lured +internship +insignificant +inmate +incentive +fulfilled +disagreement +crypt +cornered +copied +brightest +beethoven +attendant +amaze +yogurt +wyndemere +vocabulary +tulsa +tactic +stuffy +respirator +pretends +polygraph +pennies +ordinarily +olives +necks +morally +martyr +leftovers +joints +hopping +homey +hints +heartbroken +forge +florist +firsthand +fiend +dandy +crippled +corrected +conniving +conditioner +clears +chemo +bubbly +bladder +beeper +baptism +wiring +wench +weaknesses +volunteering +violating +unlocked +tummy +surrogate +subid +stray +startle +specifics +slowing +scoot +robbers +rightful +richest +qfxmjrie +puffs +pierced +pencils +paralysis +makeover +luncheon +linksynergy +jerky +jacuzzi +hitched +hangover +fracture +flock +firemen +disgusted +darned +clams +borrowing +banged +wildest +weirder +unauthorized +stunts +sleeves +sixties +shush +shalt +retro +quits +pegged +painfully +paging +omelet +memorized +lawfully +jackets +intercept +ingredient +grownup +glued +fulfilling +enchanted +delusion +daring +compelling +carton +bridesmaids +bribed +boiling +bathrooms +bandage +awaiting +assign +arrogance +antiques +ainsley +turkeys +trashing +stockings +stalked +stabilized +skates +sedated +robes +respecting +psyche +presumptuous +prejudice +paragraph +mocha +mints +mating +mantan +lorne +loads +listener +itinerary +hepatitis +heave +guesses +fading +examining +dumbest +dishwasher +deceive +cunning +cripple +convictions +confided +compulsive +compromising +burglary +bumpy +brainwashed +benes +arnie +affirmative +adrenaline +adamant +watchin +waitresses +transgenic +toughest +tainted +surround +stormed +spree +spilling +spectacle +soaking +shreds +sewers +severed +scarce +scamming +scalp +rewind +rehearsing +pretentious +potions +overrated +obstacle +nerds +meems +mcmurphy +maternity +maneuver +loathe +fertility +eloping +ecstatic +ecstasy +divorcing +dignan +costing +clubhouse +clocks +candid +bursting +breather +braces +bending +arsonist +adored +absorb +valiant +uphold +unarmed +topolsky +thrilling +thigh +terminate +sustain +spaceship +snore +sneeze +smuggling +salty +quaint +patronize +patio +morbid +mamma +kettle +joyous +invincible +interpret +insecurities +impulses +illusions +holed +exploit +drivin +defenseless +dedicate +cradle +coupon +countless +conjure +cardboard +booking +backseat +accomplishment +wordsworth +wisely +valet +vaccine +urges +unnatural +unlucky +truths +traumatized +tasting +swears +strawberries +steaks +stats +skank +seducing +secretive +scumbag +screwdriver +schedules +rooting +rightfully +rattled +qualifies +puppets +prospects +pronto +posse +polling +pedestal +palms +muddy +morty +microscope +merci +lecturing +inject +incriminate +hygiene +grapefruit +gazebo +funnier +cuter +bossy +booby +aides +zende +winthrop +warrants +valentines +undressed +underage +truthfully +tampered +suffers +speechless +sparkling +sidelines +shrek +railing +puberty +pesky +outrage +outdoors +motions +moods +lunches +litter +kidnappers +itching +intuition +imitation +humility +hassling +gallons +drugstore +dosage +disrupt +dipping +deranged +debating +cuckoo +cremated +craziness +cooperating +circumstantial +chimney +blinking +biscuits +admiring +weeping +triad +trashy +soothing +slumber +slayers +skirts +siren +shindig +sentiment +rosco +riddance +quaid +purity +proceeding +pretzels +panicking +mckechnie +lovin +leaked +intruding +impersonating +ignorance +hamburgers +footprints +fluke +fleas +festivities +fences +feisty +evacuate +emergencies +deceived +creeping +craziest +corpses +conned +coincidences +bounced +bodyguards +blasted +bitterness +baloney +ashtray +apocalypse +zillion +watergate +wallpaper +telesave +sympathize +sweeter +startin +spades +sodas +snowed +sleepover +signor +seein +retainer +restroom +rested +repercussions +reliving +reconcile +prevail +preaching +overreact +o'neil +noose +moustache +manicure +maids +landlady +hypothetical +hopped +homesick +hives +hesitation +herbs +hectic +heartbreak +haunting +gangs +frown +fingerprint +exhausting +everytime +disregard +cling +chevron +chaperone +blinding +bitty +beads +battling +badgering +anticipation +upstanding +unprofessional +unhealthy +turmoil +truthful +toothpaste +tippin +thoughtless +tagataya +shooters +senseless +rewarding +propane +preposterous +pigeons +pastry +overhearing +obscene +negotiable +loner +jogging +itchy +insinuating +insides +hospitality +hormone +hearst +forthcoming +fists +fifties +etiquette +endings +destroys +despises +deprived +cuddy +crust +cloak +circumstance +chewed +casserole +bidder +bearer +artoo +applaud +appalling +vowed +virgins +vigilante +undone +throttle +testosterone +tailor +symptom +swoop +suitcases +stomp +sticker +stakeout +spoiling +snatched +smoochy +smitten +shameless +restraints +researching +renew +refund +reclaim +raoul +puzzles +purposely +punks +prosecuted +plaid +picturing +pickin +parasites +mysteriously +multiply +mascara +jukebox +interruptions +gunfire +furnace +elbows +duplicate +drapes +deliberate +decoy +cryptic +coupla +condemn +complicate +colossal +clerks +clarity +brushed +banished +argon +alarmed +worships +versa +uncanny +technicality +sundae +stumble +stripping +shuts +schmuck +satin +saliva +robber +relentless +reconnect +recipes +rearrange +rainy +psychiatrists +policemen +plunge +plugged +patched +overload +o'malley +mindless +menus +lullaby +lotte +leavin +killin +karinsky +invalid +hides +grownups +griff +flaws +flashy +flaming +fettes +evicted +dread +degrassi +dealings +dangers +cushion +bowel +barged +abide +abandoning +wonderfully +wait'll +violate +suicidal +stayin +sorted +slamming +sketchy +shoplifting +raiser +quizmaster +prefers +needless +motherhood +momentarily +migraine +lifts +leukemia +leftover +keepin +hinks +hellhole +gowns +goodies +gallon +futures +entertained +eighties +conspiring +cheery +benign +apiece +adjustments +abusive +abduction +wiping +whipping +welles +unspeakable +unidentified +trivial +transcripts +textbook +supervise +superstitious +stricken +stimulating +spielberg +slices +shelves +scratches +sabotaged +retrieval +repressed +rejecting +quickie +ponies +peeking +outraged +o'connell +moping +moaning +mausoleum +licked +kovich +klutz +interrogating +interfered +insulin +infested +incompetence +hyper +horrified +handedly +gekko +fraid +fractured +examiner +eloped +disoriented +dashing +crashdown +courier +cockroach +chipped +brushing +bombed +bolts +baths +baptized +astronaut +assurance +anemia +abuela +abiding +withholding +weave +wearin +weaker +suffocating +straws +straightforward +stench +steamed +starboard +sideways +shrinks +shortcut +scram +roasted +roaming +riviera +respectfully +repulsive +psychiatry +provoked +penitentiary +painkillers +ninotchka +mitzvah +milligrams +midge +marshmallows +looky +lapse +kubelik +intellect +improvise +implant +goa'ulds +giddy +geniuses +fruitcake +footing +fightin +drinkin +doork +detour +cuddle +crashes +combo +colonnade +cheats +cetera +bailiff +auditioning +assed +amused +alienate +aiding +aching +unwanted +topless +tongues +tiniest +superiors +soften +sheldrake +rawley +raisins +presses +plaster +nessa +narrowed +minions +merciful +lawsuits +intimidating +infirmary +inconvenient +imposter +hugged +honoring +holdin +hades +godforsaken +fumes +forgery +foolproof +folder +flattery +fingertips +exterminator +explodes +eccentric +dodging +disguised +crave +constructive +concealed +compartment +chute +chinpokomon +bodily +astronauts +alimony +accustomed +abdominal +wrinkle +wallow +valium +untrue +uncover +trembling +treasures +torched +toenails +timed +termites +telly +taunting +taransky +talker +succubus +smarts +sliding +sighting +semen +seizures +scarred +savvy +sauna +saddest +sacrificing +rubbish +riled +ratted +rationally +provenance +phonse +perky +pedal +overdose +nasal +nanites +mushy +movers +missus +midterm +merits +melodramatic +manure +knitting +invading +interpol +incapacitated +hotline +hauling +gunpoint +grail +ganza +framing +flannel +faded +eavesdrop +desserts +calories +breathtaking +bleak +blacked +batter +aggravated +yanked +wigand +whoah +unwind +undoubtedly +unattractive +twitch +trimester +torrance +timetable +taxpayers +strained +stared +slapping +sincerity +siding +shenanigans +shacking +sappy +samaritan +poorer +politely +paste +oysters +overruled +nightcap +mosquito +millimeter +merrier +manhood +lucked +kilos +ignition +hauled +harmed +goodwill +freshmen +fenmore +fasten +farce +exploding +erratic +drunks +ditching +d'artagnan +cramped +contacting +closets +clientele +chimp +bargained +arranging +anesthesia +amuse +altering +afternoons +accountable +abetting +wolek +waved +uneasy +toddy +tattooed +spauldings +sliced +sirens +schibetta +scatter +rinse +remedy +redemption +pleasures +optimism +oblige +mmmmm +masked +malicious +mailing +kosher +kiddies +judas +isolate +insecurity +incidentally +heals +headlights +growl +grilling +glazed +flunk +floats +fiery +fairness +exercising +excellency +disclosure +cupboard +counterfeit +condescending +conclusive +clicked +cleans +cholesterol +cashed +broccoli +brats +blueprints +blindfold +billing +attach +appalled +alrighty +wynant +unsolved +unreliable +toots +tighten +sweatshirt +steinbrenner +steamy +spouse +sonogram +slots +sleepless +shines +retaliate +rephrase +redeem +rambling +quilt +quarrel +prying +proverbial +priced +prescribe +prepped +pranks +possessive +plaintiff +pediatrics +overlooked +outcast +nightgown +mumbo +mediocre +mademoiselle +lunchtime +lifesaver +leaned +lambs +interns +hounding +hellmouth +hahaha +goner +ghoul +gardening +frenzy +foyer +extras +exaggerate +everlasting +enlightened +dialed +devote +deceitful +d'oeuvres +cosmetic +contaminated +conspired +conning +cavern +carving +butting +boiled +blurry +babysit +ascension +aaaaah +wildly +whoopee +whiny +weiskopf +walkie +vultures +vacations +upfront +unresolved +tampering +stockholders +snaps +sleepwalking +shrunk +sermon +seduction +scams +revolve +phenomenal +patrolling +paranormal +ounces +omigod +nightfall +lashing +innocents +infierno +incision +humming +haunts +gloss +gloating +frannie +fetal +feeny +entrapment +discomfort +detonator +dependable +concede +complication +commotion +commence +chulak +caucasian +casually +brainer +bolie +ballpark +anwar +analyzing +accommodations +youse +wring +wallowing +transgenics +thrive +tedious +stylish +strippers +sterile +squeezing +squeaky +sprained +solemn +snoring +shattering +shabby +seams +scrawny +revoked +residue +reeks +recite +ranting +quoting +predicament +plugs +pinpoint +petrified +pathological +passports +oughtta +nighter +navigate +kippie +intrigue +intentional +insufferable +hunky +how've +horrifying +hearty +hamptons +grazie +funerals +forks +fetched +excruciating +enjoyable +endanger +dumber +drying +diabolical +crossword +corry +comprehend +clipped +classmates +candlelight +brutally +brutality +boarded +bathrobe +authorize +assemble +aerobics +wholesome +whiff +vermin +trophies +trait +tragically +toying +testy +tasteful +stocked +spinach +sipping +sidetracked +scrubbing +scraping +sanctity +robberies +ridin +retribution +refrain +realities +radiant +protesting +projector +plutonium +payin +parting +o'reilly +nooooo +motherfucking +measly +manic +lalita +juggling +jerking +intro +inevitably +hypnosis +huddle +horrendous +hobbies +heartfelt +harlin +hairdresser +gonorrhea +fussing +furtwangler +fleeting +flawless +flashed +fetus +eulogy +distinctly +disrespectful +denies +crossbow +cregg +crabs +cowardly +contraction +contingency +confirming +condone +coffins +cleansing +cheesecake +certainty +cages +c'est +briefed +bravest +bosom +boils +binoculars +bachelorette +appetizer +ambushed +alerted +woozy +withhold +vulgar +utmost +unleashed +unholy +unhappiness +unconditional +typewriter +typed +twists +supermodel +subpoenaed +stringing +skeptical +schoolgirl +romantically +rocked +revoir +reopen +puncture +preach +polished +planetarium +penicillin +peacefully +nurturing +more'n +mmhmm +midgets +marklar +lodged +lifeline +jellyfish +infiltrate +hutch +horseback +heist +gents +frickin +freezes +forfeit +flakes +flair +fathered +eternally +epiphany +disgruntled +discouraged +delinquent +decipher +danvers +cubes +credible +coping +chills +cherished +catastrophe +bombshell +birthright +billionaire +ample +affections +admiration +abbotts +whatnot +watering +vinegar +unthinkable +unseen +unprepared +unorthodox +underhanded +uncool +timeless +thump +thermometer +theoretically +tapping +tagged +swung +stares +spiked +solves +smuggle +scarier +saucer +quitter +prudent +powdered +poked +pointers +peril +penetrate +penance +opium +nudge +nostrils +neurological +mockery +mobster +medically +loudly +insights +implicate +hypocritical +humanly +holiness +healthier +hammered +haldeman +gunman +gloom +freshly +francs +flunked +flawed +emptiness +drugging +dozer +derevko +deprive +deodorant +cryin +crocodile +coloring +colder +cognac +clocked +clippings +charades +chanting +certifiable +caterers +brute +brochures +botched +blinders +bitchin +banter +woken +ulcer +tread +thankfully +swine +swimsuit +swans +stressing +steaming +stamped +stabilize +squirm +snooze +shuffle +shredded +seafood +scratchy +savor +sadistic +rhetorical +revlon +realist +prosecuting +prophecies +polyester +petals +persuasion +paddles +o'leary +nuthin +neighbour +negroes +muster +meningitis +matron +lockers +letterman +legged +indictment +hypnotized +housekeeping +hopelessly +hallucinations +grader +goldilocks +girly +flask +envelopes +downside +doves +dissolve +discourage +disapprove +diabetic +deliveries +decorator +crossfire +criminally +containment +comrades +complimentary +chatter +catchy +cashier +cartel +caribou +cardiologist +brawl +booted +barbershop +aryan +angst +administer +zellie +wreak +whistles +vandalism +vamps +uterus +upstate +unstoppable +understudy +tristin +transcript +tranquilizer +toxins +tonsils +stempel +spotting +spectator +spatula +softer +snotty +slinging +showered +sexiest +sensual +sadder +rimbaud +restrain +resilient +remission +reinstate +rehash +recollection +rabies +popsicle +plausible +pediatric +patronizing +ostrich +ortolani +oooooh +omelette +mistrial +marseilles +loophole +laughin +kevvy +irritated +infidelity +hypothermia +horrific +groupie +grinding +graceful +goodspeed +gestures +frantic +extradition +echelon +disks +dawnie +dared +damsel +curled +collateral +collage +chant +calculating +bumping +bribes +boardwalk +blinds +blindly +bleeds +bickering +beasts +backside +avenge +apprehended +anguish +abusing +youthful +yells +yanking +whomever +when'd +vomiting +vengeful +unpacking +unfamiliar +undying +tumble +trolls +treacherous +tipping +tantrum +tanked +summons +straps +stomped +stinkin +stings +staked +squirrels +sprinkles +speculate +sorting +skinned +sicko +sicker +shootin +shatter +seeya +schnapps +s'posed +ronee +respectful +regroup +regretting +reeling +reckoned +ramifications +puddy +projections +preschool +plissken +platonic +permalash +outdone +outburst +mutants +mugging +misfortune +miserably +miraculously +medications +margaritas +manpower +lovemaking +logically +leeches +latrine +kneel +inflict +impostor +hypocrisy +hippies +heterosexual +heightened +hecuba +healer +gunned +grooming +groin +gooey +gloomy +frying +friendships +fredo +firepower +fathom +exhaustion +evils +endeavor +eggnog +dreaded +d'arcy +crotch +coughing +coronary +cookin +consummate +congrats +companionship +caved +caspar +bulletproof +brilliance +breakin +brash +blasting +aloud +airtight +advising +advertise +adultery +aches +wronged +upbeat +trillion +thingies +tending +tarts +surreal +specs +specialize +spade +shrew +shaping +selves +schoolwork +roomie +recuperating +rabid +quart +provocative +proudly +pretenses +prenatal +pharmaceuticals +pacing +overworked +originals +nicotine +murderous +mileage +mayonnaise +massages +losin +interrogated +injunction +impartial +homing +heartbreaker +hacks +glands +giver +fraizh +flips +flaunt +englishman +electrocuted +dusting +ducking +drifted +donating +cylon +crutches +crates +cowards +comfortably +chummy +chitchat +childbirth +businesswoman +brood +blatant +bethy +barring +bagged +awakened +asbestos +airplanes +worshipped +winnings +why're +visualize +unprotected +unleash +trays +thicker +therapists +takeoff +streisand +storeroom +stethoscope +stacked +spiteful +sneaks +snapping +slaughtered +slashed +simplest +silverware +shits +secluded +scruples +scrubs +scraps +ruptured +roaring +receptionist +recap +raditch +radiator +pushover +plastered +pharmacist +perverse +perpetrator +ornament +ointment +nineties +napping +nannies +mousse +moors +momentary +misunderstandings +manipulator +malfunction +laced +kivar +kickin +infuriating +impressionable +holdup +hires +hesitated +headphones +hammering +groundwork +grotesque +graces +gauze +gangsters +frivolous +freeing +fours +forwarding +ferrars +faulty +fantasizing +extracurricular +empathy +divorces +detonate +depraved +demeaning +deadlines +dalai +cursing +cufflink +crows +coupons +comforted +claustrophobic +casinos +camped +busboy +bluth +bennetts +baskets +attacker +aplastic +angrier +affectionate +zapped +wormhole +weaken +unrealistic +unravel +unimportant +unforgettable +twain +suspend +superbowl +stutter +stewardess +stepson +standin +spandex +souvenirs +sociopath +skeletons +shivering +sexier +selfishness +scrapbook +ritalin +ribbons +reunite +remarry +relaxation +rattling +rapist +psychosis +prepping +poses +pleasing +pisses +piling +persecuted +padded +operatives +negotiator +natty +menopause +mennihan +martimmys +loyalties +laynie +lando +justifies +intimately +inexperienced +impotent +immortality +horrors +hooky +hinges +heartbreaking +handcuffed +gypsies +guacamole +grovel +graziella +goggles +gestapo +fussy +ferragamo +feeble +eyesight +explosions +experimenting +enchanting +doubtful +dizziness +dismantle +detectors +deserving +defective +dangling +dancin +crumble +creamed +cramping +conceal +clockwork +chrissakes +chrissake +chopping +cabinets +brooding +bonfire +blurt +bloated +blackmailer +beforehand +bathed +bathe +barcode +banish +badges +babble +await +attentive +aroused +antibodies +animosity +ya'll +wrinkled +wonderland +willed +whisk +waltzing +waitressing +vigilant +upbringing +unselfish +uncles +trendy +trajectory +striped +stamina +stalled +staking +stacks +spoils +snuff +snooty +snide +shrinking +senora +secretaries +scoundrel +saline +salads +rundown +riddles +relapse +recommending +raspberry +plight +pecan +pantry +overslept +ornaments +niner +negligent +negligence +nailing +mucho +mouthed +monstrous +malpractice +lowly +loitering +logged +lingering +lettin +lattes +kamal +juror +jillefsky +jacked +irritate +intrusion +insatiable +infect +impromptu +icing +hmmmm +hefty +gasket +frightens +flapping +firstborn +faucet +estranged +envious +dopey +doesn +disposition +disposable +disappointments +dipped +dignified +deceit +dealership +deadbeat +curses +coven +counselors +concierge +clutches +casbah +callous +cahoots +brotherly +britches +brides +bethie +beige +autographed +attendants +attaboy +astonishing +appreciative +antibiotic +aneurysm +afterlife +affidavit +zoning +whats +whaddaya +vasectomy +unsuspecting +toula +topanga +tonio +toasted +tiring +terrorized +tenderness +tailing +sweats +suffocated +sucky +subconsciously +starvin +sprouts +spineless +sorrows +snowstorm +smirk +slicery +sledding +slander +simmer +signora +sigmund +seventies +sedate +scented +sandals +rollers +retraction +resigning +recuperate +receptive +racketeering +queasy +provoking +priors +prerogative +premed +pinched +pendant +outsiders +orbing +opportunist +olanov +neurologist +nanobot +mommies +molested +misread +mannered +laundromat +intercom +inspect +insanely +infatuation +indulgent +indiscretion +inconsiderate +hurrah +howling +herpes +hasta +harassed +hanukkah +groveling +groosalug +gander +galactica +futile +fridays +flier +fixes +exploiting +exorcism +evasive +endorse +emptied +dreary +dreamy +downloaded +dodged +doctored +disobeyed +disneyland +disable +dehydrated +contemplating +coconuts +cockroaches +clogged +chilling +chaperon +cameraman +bulbs +bucklands +bribing +brava +bracelets +bowels +bluepoint +appetizers +appendix +antics +anointed +analogy +almonds +yammering +winch +weirdness +wangler +vibrations +vendor +unmarked +unannounced +twerp +trespass +travesty +transfusion +trainee +towelie +tiresome +straightening +staggering +sonar +socializing +sinus +sinners +shambles +serene +scraped +scones +scepter +sarris +saberhagen +ridiculously +ridicule +rents +reconciled +radios +publicist +pubes +prune +prude +precrime +postponing +pluck +perish +peppermint +peeled +overdo +nutshell +nostalgic +mulan +mouthing +mistook +meddle +maybourne +martimmy +lobotomy +livelihood +lippman +likeness +kindest +kaffee +jocks +jerked +jeopardizing +jazzed +insured +inquisition +inhale +ingenious +holier +helmets +heirloom +heinous +haste +harmsway +hardship +hanky +gutters +gruesome +groping +goofing +godson +glare +finesse +figuratively +ferrie +endangerment +dreading +dozed +dorky +dmitri +divert +discredit +dialing +cufflinks +crutch +craps +corrupted +cocoon +cleavage +cannery +bystander +brushes +bruising +bribery +brainstorm +bolted +binge +ballistics +astute +arroway +adventurous +adoptive +addicts +addictive +yadda +whitelighters +wematanye +weeds +wedlock +wallets +vulnerability +vroom +vents +upped +unsettling +unharmed +trippin +trifle +tracing +tormenting +thats +syphilis +subtext +stickin +spices +sores +smacked +slumming +sinks +signore +shitting +shameful +shacked +septic +seedy +righteousness +relish +rectify +ravishing +quickest +phoebs +perverted +peeing +pedicure +pastrami +passionately +ozone +outnumbered +oregano +offender +nukes +nosed +nighty +nifty +mounties +motivate +moons +misinterpreted +mercenary +mentality +marsellus +lupus +lumbar +lovesick +lobsters +leaky +laundering +latch +jafar +instinctively +inspires +indoors +incarcerated +hundredth +handkerchief +gynecologist +guittierez +groundhog +grinning +goodbyes +geese +fullest +eyelashes +eyelash +enquirer +endlessly +elusive +disarm +detest +deluding +dangle +cotillion +corsage +conjugal +confessional +cones +commandment +coded +coals +chuckle +christmastime +cheeseburgers +chardonnay +celery +campfire +calming +burritos +brundle +broflovski +brighten +borderline +blinked +bling +beauties +bauers +battered +articulate +alienated +ahhhhh +agamemnon +accountants +y'see +wrongful +wrapper +workaholic +winnebago +whispered +warts +vacate +unworthy +unanswered +tonane +tolerated +throwin +throbbing +thrills +thorns +thereof +there've +tarot +sunscreen +stretcher +stereotype +soggy +sobbing +sizable +sightings +shucks +shrapnel +sever +senile +seaboard +scorned +saver +rebellious +rained +putty +prenup +pores +pinching +pertinent +peeping +paints +ovulating +opposites +occult +nutcracker +nutcase +newsstand +newfound +mocked +midterms +marshmallow +marbury +maclaren +leans +krudski +knowingly +keycard +junkies +juilliard +jolinar +irritable +invaluable +inuit +intoxicating +instruct +insolent +inexcusable +incubator +illustrious +hunsecker +houseguest +homosexuals +homeroom +hernia +harming +handgun +hallways +hallucination +gunshots +groupies +groggy +goiter +gingerbread +giggling +frigging +fledged +fedex +fairies +exchanging +exaggeration +esteemed +enlist +drags +dispense +disloyal +disconnect +desks +dentists +delacroix +degenerate +daydreaming +cushions +cuddly +corroborate +complexion +compensated +cobbler +closeness +chilled +checkmate +channing +carousel +calms +bylaws +benefactor +ballgame +baiting +backstabbing +artifact +airspace +adversary +actin +accuses +accelerant +abundantly +abstinence +zissou +zandt +yapping +witchy +willows +whadaya +vilandra +veiled +undress +undivided +underestimating +ultimatums +twirl +truckload +tremble +toasting +tingling +tents +tempered +sulking +stunk +sponges +spills +softly +snipers +scourge +rooftop +riana +revolting +revisit +refreshments +redecorating +recapture +raysy +pretense +prejudiced +precogs +pouting +poofs +pimple +piles +pediatrician +padre +packets +paces +orvelle +oblivious +objectivity +nighttime +nervosa +mexicans +meurice +melts +matchmaker +maeby +lugosi +lipnik +leprechaun +kissy +kafka +introductions +intestines +inspirational +insightful +inseparable +injections +inadvertently +hussy +huckabees +hittin +hemorrhaging +headin +haystack +hallowed +grudges +granilith +grandkids +grading +gracefully +godsend +gobbles +fragrance +fliers +finchley +farts +eyewitnesses +expendable +existential +dorms +delaying +degrading +deduction +darlings +danes +cylons +counsellor +contraire +consciously +conjuring +congratulating +cokes +buffay +brooch +bitching +bistro +bijou +bewitched +benevolent +bends +bearings +barren +aptitude +amish +amazes +abomination +worldly +whispers +whadda +wayward +wailing +vanishing +upscale +untouchable +unspoken +uncontrollable +unavoidable +unattended +trite +transvestite +toupee +timid +timers +terrorizing +swana +stumped +strolling +storybook +storming +stomachs +stoked +stationery +springtime +spontaneity +spits +spins +soaps +sentiments +scramble +scone +rooftops +retract +reflexes +rawdon +ragged +quirky +quantico +psychologically +prodigal +pounce +potty +pleasantries +pints +petting +perceive +onstage +notwithstanding +nibble +newmans +neutralize +mutilated +millionaires +mayflower +masquerade +mangy +macreedy +lunatics +lovable +locating +limping +lasagna +kwang +keepers +juvie +jaded +ironing +intuitive +intensely +insure +incantation +hysteria +hypnotize +humping +happenin +griet +grasping +glorified +ganging +g'night +focker +flunking +flimsy +flaunting +fixated +fitzwallace +fainting +eyebrow +exonerated +ether +electrician +egotistical +earthly +dusted +dignify +detonation +debrief +dazzling +dan'l +damnedest +daisies +crushes +crucify +contraband +confronting +collapsing +cocked +clicks +cliche +circled +chandelier +carburetor +callers +broads +breathes +bloodshed +blindsided +blabbing +bialystock +bashing +ballerina +aviva +arteries +anomaly +airstrip +agonizing +adjourn +aaaaa +yearning +wrecker +witnessing +whence +warhead +unsure +unheard +unfreeze +unfold +unbalanced +ugliest +troublemaker +toddler +tiptoe +threesome +thirties +thermostat +swipe +surgically +subtlety +stung +stumbling +stubs +stride +strangling +sprayed +socket +smuggled +showering +shhhhh +sabotaging +rumson +rounding +risotto +repairman +rehearsed +ratty +ragging +radiology +racquetball +racking +quieter +quicksand +prowl +prompt +premeditated +prematurely +prancing +porcupine +plated +pinocchio +peeked +peddle +panting +overweight +overrun +outing +outgrown +obsess +nursed +nodding +negativity +negatives +musketeers +mugger +motorcade +merrily +matured +masquerading +marvellous +maniacs +lovey +louse +linger +lilies +lawful +kudos +knuckle +juices +judgments +itches +intolerable +intermission +inept +incarceration +implication +imaginative +huckleberry +holster +heartburn +gunna +groomed +graciously +fulfillment +fugitives +forsaking +forgives +foreseeable +flavors +flares +fixation +fickle +fantasize +famished +fades +expiration +exclamation +erasing +eiffel +eerie +earful +duped +dulles +dissing +dissect +dispenser +dilated +detergent +desdemona +debriefing +damper +curing +crispina +crackpot +courting +cordial +conflicted +comprehension +commie +cleanup +chiropractor +charmer +chariot +cauldron +catatonic +bullied +buckets +brilliantly +breathed +booths +boardroom +blowout +blindness +blazing +biologically +bibles +biased +beseech +barbaric +balraj +audacity +anticipating +alcoholics +airhead +agendas +admittedly +absolution +youre +yippee +wittlesey +withheld +willful +whammy +weakest +washes +virtuous +videotapes +vials +unplugged +unpacked +unfairly +turbulence +tumbling +tricking +tremendously +traitors +torches +tinga +thyroid +teased +tawdry +taker +sympathies +swiped +sundaes +suave +strut +stepdad +spewing +spasm +socialize +slither +simulator +shutters +shrewd +shocks +semantics +schizophrenic +scans +savages +rya'c +runny +ruckus +royally +roadblocks +rewriting +revoke +repent +redecorate +recovers +recourse +ratched +ramali +racquet +quince +quiche +puppeteer +puking +puffed +problemo +praises +pouch +postcards +pooped +poised +piled +phoney +phobia +patching +parenthood +pardner +oozing +ohhhhh +numbing +nostril +nosey +neatly +nappa +nameless +mortuary +moronic +modesty +midwife +mcclane +matuka +maitre +lumps +lucid +loosened +loins +lawnmower +lamotta +kroehner +jinxy +jessep +jamming +jailhouse +jacking +intruders +inhuman +infatuated +indigestion +implore +implanted +hormonal +hoboken +hillbilly +heartwarming +headway +hatched +hartmans +harping +grapevine +gnome +forties +flyin +flirted +fingernail +exhilarating +enjoyment +embark +dumper +dubious +drell +docking +disillusioned +dishonor +disbarred +dicey +custodial +counterproductive +corned +cords +contemplate +concur +conceivable +cobblepot +chickened +checkout +carpe +cap'n +campers +buyin +bullies +braid +boxed +bouncy +blueberries +blubbering +bloodstream +bigamy +beeped +bearable +autographs +alarming +wretch +wimps +widower +whirlwind +whirl +warms +vandelay +unveiling +undoing +unbecoming +turnaround +touche +togetherness +tickles +ticker +teensy +taunt +sweethearts +stitched +standpoint +staffers +spotless +soothe +smothered +sickening +shouted +shepherds +shawl +seriousness +schooled +schoolboy +s'mores +roped +reminders +raggedy +preemptive +plucked +pheromones +particulars +pardoned +overpriced +overbearing +outrun +ohmigod +nosing +nicked +neanderthal +mosquitoes +mortified +milky +messin +mecha +markinson +marivellas +mannequin +manderley +madder +macready +lookie +locusts +lifetimes +lanna +lakhi +kholi +impersonate +hyperdrive +horrid +hopin +hogging +hearsay +harpy +harboring +hairdo +hafta +grasshopper +gobble +gatehouse +foosball +floozy +fished +firewood +finalize +felons +euphemism +entourage +elitist +elegance +drokken +drier +dredge +dossier +diseased +diarrhea +diagnose +despised +defuse +d'amour +contesting +conserve +conscientious +conjured +collars +clogs +chenille +chatty +chamomile +casing +calculator +brittle +breached +blurted +birthing +bikinis +astounding +assaulting +aroma +appliance +antsy +amnio +alienating +aliases +adolescence +xerox +wrongs +workload +willona +whistling +werewolves +wallaby +unwelcome +unseemly +unplug +undermining +ugliness +tyranny +tuesdays +trumpets +transference +ticks +tangible +tagging +swallowing +superheroes +studs +strep +stowed +stomping +steffy +sprain +spouting +sponsoring +sneezing +smeared +slink +shakin +sewed +seatbelt +scariest +scammed +sanctimonious +roasting +rightly +retinal +rethinking +resented +reruns +remover +racks +purest +progressing +presidente +preeclampsia +postponement +portals +poppa +pliers +pinning +pelvic +pampered +padding +overjoyed +ooooo +one'll +octavius +nonono +nicknames +neurosurgeon +narrows +misled +mislead +mishap +milltown +milking +meticulous +mediocrity +meatballs +machete +lurch +layin +knockin +khruschev +jurors +jumpin +jugular +jeweler +intellectually +inquiries +indulging +indestructible +indebted +imitate +ignores +hyperventilating +hyenas +hurrying +hermano +hellish +heheh +harshly +handout +grunemann +glances +giveaway +getup +gerome +furthest +frosting +frail +forwarded +forceful +flavored +flammable +flaky +fingered +fatherly +ethic +embezzlement +duffel +dotted +distressed +disobey +disappearances +dinky +diminish +diaphragm +deuces +creme +courteous +comforts +coerced +clots +clarification +chunks +chickie +chases +chaperoning +cartons +caper +calves +caged +bustin +bulging +bringin +boomhauer +blowin +blindfolded +biscotti +ballplayer +bagging +auster +assurances +aschen +arraigned +anonymity +alters +albatross +agreeable +adoring +abduct +wolfi +weirded +watchers +washroom +warheads +vincennes +urgency +understandably +uncomplicated +uhhhh +twitching +treadmill +thermos +tenorman +tangle +talkative +swarm +surrendering +summoning +strive +stilts +stickers +squashed +spraying +sparring +soaring +snort +sneezed +slaps +skanky +singin +sidle +shreck +shortness +shorthand +sharper +shamed +sadist +rydell +rusik +roulette +resumes +respiration +recount +reacts +purgatory +princesses +presentable +ponytail +plotted +pinot +pigtails +phillippe +peddling +paroled +orbed +offends +o'hara +moonlit +minefield +metaphors +malignant +mainframe +magicks +maggots +maclaine +loathing +leper +leaps +leaping +lashed +larch +larceny +lapses +ladyship +juncture +jiffy +jakov +invoke +infantile +inadmissible +horoscope +hinting +hideaway +hesitating +heddy +heckles +hairline +gripe +gratifying +governess +goebbels +freddo +foresee +fascination +exemplary +executioner +etcetera +escorts +endearing +eaters +earplugs +draped +disrupting +disagrees +dimes +devastate +detain +depositions +delicacy +darklighter +cynicism +cyanide +cutters +cronus +continuance +conquering +confiding +compartments +combing +cofell +clingy +cleanse +christmases +cheered +cheekbones +buttle +burdened +bruenell +broomstick +brained +bozos +bontecou +bluntman +blazes +blameless +bizarro +bellboy +beaucoup +barkeep +awaken +astray +assailant +appease +aphrodisiac +alleys +yesss +wrecks +woodpecker +wondrous +wimpy +willpower +wheeling +weepy +waxing +waive +videotaped +veritable +untouched +unlisted +unfounded +unforeseen +twinge +triggers +traipsing +toxin +tombstone +thumping +therein +testicles +telephones +tarmac +talby +tackled +swirling +suicides +suckered +subtitles +sturdy +strangler +stockbroker +stitching +steered +standup +squeal +sprinkler +spontaneously +splendor +spiking +spender +snipe +snagged +skimming +siddown +showroom +shovels +shotguns +shoelaces +shitload +shellfish +sharpest +shadowy +seizing +scrounge +scapegoat +sayonara +saddled +rummaging +roomful +renounce +reconsidered +recharge +realistically +radioed +quirks +quadrant +punctual +practising +pours +poolhouse +poltergeist +pocketbook +plainly +picnics +pesto +pawing +passageway +partied +oneself +numero +nostalgia +nitwit +neuro +mixer +meanest +mcbeal +matinee +margate +marce +manipulations +manhunt +manger +magicians +loafers +litvack +lightheaded +lifeguard +lawns +laughingstock +ingested +indignation +inconceivable +imposition +impersonal +imbecile +huddled +housewarming +horizons +homicides +hiccups +hearse +hardened +gushing +gushie +greased +goddamit +freelancer +forging +fondue +flustered +flung +flinch +flicker +fixin +festivus +fertilizer +farted +faggots +exonerate +evict +enormously +encrypted +emdash +embracing +duress +dupres +dowser +doormat +disfigured +disciplined +dibbs +depository +deathbed +dazzled +cuttin +cures +crowding +crepe +crammed +copycat +contradict +confidant +condemning +conceited +commute +comatose +clapping +circumference +chuppah +chore +choksondik +chestnuts +briault +bottomless +bonnet +blokes +berluti +beret +beggars +bankroll +bania +athos +arsenic +apperantly +ahhhhhh +afloat +accents +zipped +zeros +zeroes +zamir +yuppie +youngsters +yorkers +wisest +wipes +wield +whyn't +weirdos +wednesdays +vicksburg +upchuck +untraceable +unsupervised +unpleasantness +unhook +unconscionable +uncalled +trappings +tragedies +townie +thurgood +things'll +thine +tetanus +terrorize +temptations +tanning +tampons +swarming +straitjacket +steroid +startling +starry +squander +speculating +sollozzo +sneaked +slugs +skedaddle +sinker +silky +shortcomings +sellin +seasoned +scrubbed +screwup +scrapes +scarves +sandbox +salesmen +rooming +romances +revere +reproach +reprieve +rearranging +ravine +rationalize +raffle +punchy +psychobabble +provocation +profoundly +prescriptions +preferable +polishing +poached +pledges +pirelli +perverts +oversized +overdressed +outdid +nuptials +nefarious +mouthpiece +motels +mopping +mongrel +missin +metaphorically +mertin +memos +melodrama +melancholy +measles +meaner +mantel +maneuvering +mailroom +luring +listenin +lifeless +licks +levon +legwork +kneecaps +kippur +kiddie +kaput +justifiable +insistent +insidious +innuendo +innit +indecent +imaginable +horseshit +hemorrhoid +hella +healthiest +haywire +hamsters +hairbrush +grouchy +grisly +gratuitous +glutton +glimmer +gibberish +ghastly +gentler +generously +geeky +fuhrer +fronting +foolin +faxes +faceless +extinguisher +expel +etched +endangering +ducked +dodgeball +dives +dislocated +discrepancy +devour +derail +dementia +daycare +cynic +crumbling +cowardice +covet +cornwallis +corkscrew +cookbook +commandments +coincidental +cobwebs +clouded +clogging +clicking +clasp +chopsticks +chefs +chaps +cashing +carat +calmer +brazen +brainwashing +bradys +bowing +boned +bloodsucking +bleachers +bleached +bedpan +bearded +barrenger +bachelors +awwww +assures +assigning +asparagus +apprehend +anecdote +amoral +aggravation +afoot +acquaintances +accommodating +yakking +worshipping +wladek +willya +willies +wigged +whoosh +whisked +watered +warpath +volts +violates +valuables +uphill +unwise +untimely +unsavory +unresponsive +unpunished +unexplained +tubby +trolling +toxicology +tormented +toothache +tingly +timmiihh +thursdays +thoreau +terrifies +temperamental +telegrams +talkie +takers +symbiote +swirl +suffocate +stupider +strapping +steckler +springing +someway +sleepyhead +sledgehammer +slant +slams +showgirl +shoveling +shmoopy +sharkbait +shan't +scrambling +schematics +sandeman +sabbatical +rummy +reykjavik +revert +responsive +rescheduled +requisition +relinquish +rejoice +reckoning +recant +rebadow +reassurance +rattlesnake +ramble +primed +pricey +prance +pothole +pocus +persist +perpetrated +pekar +peeling +pastime +parmesan +pacemaker +overdrive +ominous +observant +nothings +noooooo +nonexistent +nodded +nieces +neglecting +nauseating +mutated +musket +mumbling +mowing +mouthful +mooseport +monologue +mistrust +meetin +masseuse +mantini +mailer +madre +lowlifes +locksmith +livid +liven +limos +liberating +lhasa +leniency +leering +laughable +lashes +lasagne +laceration +korben +katan +kalen +jittery +jammies +irreplaceable +intubate +intolerant +inhaler +inhaled +indifferent +indifference +impound +impolite +humbly +heroics +heigh +guillotine +guesthouse +grounding +grips +gossiping +goatee +gnomes +gellar +frutt +frobisher +freudian +foolishness +flagged +femme +fatso +fatherhood +fantasized +fairest +faintest +eyelids +extravagant +extraterrestrial +extraordinarily +escalator +elevate +drivel +dissed +dismal +disarray +dinnertime +devastation +dermatologist +delicately +defrost +debutante +debacle +damone +dainty +cuvee +culpa +crucified +creeped +crayons +courtship +convene +congresswoman +concocted +compromises +comprende +comma +coleslaw +clothed +clinically +chickenshit +checkin +cesspool +caskets +calzone +brothel +boomerang +bodega +blasphemy +bitsy +bicentennial +berlini +beatin +beards +barbas +barbarians +backpacking +arrhythmia +arousing +arbitrator +antagonize +angling +anesthetic +altercation +aggressor +adversity +acathla +aaahhh +wreaking +workup +wonderin +wither +wielding +what'm +what'cha +waxed +vibrating +veterinarian +venting +vasey +valor +validate +upholstery +untied +unscathed +uninterrupted +unforgiving +undies +uncut +twinkies +tucking +treatable +treasured +tranquility +townspeople +torso +tomei +tipsy +tinsel +tidings +thirtieth +tantrums +tamper +talky +swayed +swapping +suitor +stylist +stirs +standoff +sprinklers +sparkly +snobby +snatcher +smoother +sleepin +shrug +shoebox +sheesh +shackles +setbacks +sedatives +screeching +scorched +scanned +satyr +roadblock +riverbank +ridiculed +resentful +repellent +recreate +reconvene +rebuttal +realmedia +quizzes +questionnaire +punctured +pucker +prolong +professionalism +pleasantly +pigsty +penniless +paychecks +patiently +parading +overactive +ovaries +orderlies +oracles +oiled +offending +nudie +neonatal +neighborly +moops +moonlighting +mobilize +mmmmmm +milkshake +menial +meats +mayan +maxed +mangled +magua +lunacy +luckier +liters +lansbury +kooky +knowin +jeopardized +inkling +inhalation +inflated +infecting +incense +inbound +impractical +impenetrable +idealistic +i'mma +hypocrites +hurtin +humbled +hologram +hokey +hocus +hitchhiking +hemorrhoids +headhunter +hassled +harts +hardworking +haircuts +hacksaw +genitals +gazillion +gammy +gamesphere +fugue +footwear +folly +flashlights +fives +filet +extenuating +estrogen +entails +embezzled +eloquent +egomaniac +ducts +drowsy +drones +doree +donovon +disguises +diggin +deserting +depriving +defying +deductible +decorum +decked +daylights +daybreak +dashboard +damnation +cuddling +crunching +crickets +crazies +councilman +coughed +conundrum +complimented +cohaagen +clutching +clued +clader +cheques +checkpoint +chats +channeling +ceases +carasco +capisce +cantaloupe +cancelling +campsite +burglars +breakfasts +bra'tac +blueprint +bleedin +blabbed +beneficiary +basing +avert +atone +arlyn +approves +apothecary +antiseptic +aleikuum +advisement +zadir +wobbly +withnail +whattaya +whacking +wedged +wanders +vaginal +unimaginable +undeniable +unconditionally +uncharted +unbridled +tweezers +tvmegasite +trumped +triumphant +trimming +treading +tranquilizers +toontown +thunk +suture +suppressing +strays +stonewall +stogie +stepdaughter +stace +squint +spouses +splashed +speakin +sounder +sorrier +sorrel +sombrero +solemnly +softened +snobs +snippy +snare +smoothing +slump +slimeball +slaving +silently +shiller +shakedown +sensations +scrying +scrumptious +screamin +saucy +santoses +roundup +roughed +rosary +robechaux +retrospect +rescind +reprehensible +repel +remodeling +reconsidering +reciprocate +railroaded +psychics +promos +prob'ly +pristine +printout +priestess +prenuptial +precedes +pouty +phoning +peppy +pariah +parched +panes +overloaded +overdoing +nymphs +nother +notebooks +nearing +nearer +monstrosity +milady +mieke +mephesto +medicated +marshals +manilow +mammogram +m'lady +lotsa +loopy +lesion +lenient +learner +laszlo +kross +kinks +jinxed +involuntary +insubordination +ingrate +inflatable +incarnate +inane +hypoglycemia +huntin +humongous +hoodlum +honking +hemorrhage +helpin +hathor +hatching +grotto +grandmama +gorillas +godless +girlish +ghouls +gershwin +frosted +flutter +flagpole +fetching +fatter +faithfully +exert +evasion +escalate +enticing +enchantress +elopement +drills +downtime +downloading +dorks +doorways +divulge +dissociative +disgraceful +disconcerting +deteriorate +destinies +depressive +dented +denim +decruz +decidedly +deactivate +daydreams +curls +culprit +cruelest +crippling +cranberries +corvis +copped +commend +coastguard +cloning +cirque +churning +chock +chivalry +catalogues +cartwheels +carols +canister +buttered +bundt +buljanoff +bubbling +brokers +broaden +brimstone +brainless +bores +badmouthing +autopilot +ascertain +aorta +ampata +allenby +accosted +absolve +aborted +aaagh +aaaaaah +yonder +yellin +wyndham +wrongdoing +woodsboro +wigging +wasteland +warranty +waltzed +walnuts +vividly +veggie +unnecessarily +unloaded +unicorns +understated +unclean +umbrellas +twirling +turpentine +tupperware +triage +treehouse +tidbit +tickled +threes +thousandth +thingie +terminally +teething +tassel +talkies +swoon +switchboard +swerved +suspiciously +subsequentlyne +subscribe +strudel +stroking +strictest +stensland +starin +stannart +squirming +squealing +sorely +softie +snookums +sniveling +smidge +sloth +skulking +simian +sightseeing +siamese +shudder +shoppers +sharpen +shannen +semtex +secondhand +seance +scowl +scorn +safekeeping +russe +rummage +roshman +roomies +roaches +rinds +retrace +retires +resuscitate +rerun +reputations +rekall +refreshment +reenactment +recluse +ravioli +raves +raking +purses +punishable +punchline +puked +prosky +previews +poughkeepsie +poppins +polluted +placenta +pissy +petulant +perseverance +pears +pawns +pastries +partake +panky +palate +overzealous +orchids +obstructing +objectively +obituaries +obedient +nothingness +musty +motherly +mooning +momentous +mistaking +minutemen +milos +microchip +meself +merciless +menelaus +mazel +masturbate +mahogany +lysistrata +lillienfield +likable +liberate +leveled +letdown +larynx +lardass +lainey +lagged +klorel +kidnappings +keyed +karmic +jeebies +irate +invulnerable +intrusive +insemination +inquire +injecting +informative +informants +impure +impasse +imbalance +illiterate +hurled +hunts +hematoma +headstrong +handmade +handiwork +growling +gorky +getcha +gesundheit +gazing +galley +foolishly +fondness +floris +ferocious +feathered +fateful +fancies +fakes +faker +expire +ever'body +essentials +eskimos +enlightening +enchilada +emissary +embolism +elsinore +ecklie +drenched +drazi +doped +dogging +doable +dislikes +dishonesty +disengage +discouraging +derailed +deformed +deflect +defer +deactivated +crips +constellations +congressmen +complimenting +clubbing +clawing +chromium +chimes +chews +cheatin +chaste +cellblock +caving +catered +catacombs +calamari +bucking +brulee +brits +brisk +breezes +bounces +boudoir +binks +better'n +bellied +behrani +behaves +bedding +balmy +badmouth +backers +avenging +aromatherapy +armpit +armoire +anythin +anonymously +anniversaries +aftershave +affliction +adrift +admissible +adieu +acquittal +yucky +yearn +whitter +whirlpool +wendigo +watchdog +wannabes +wakey +vomited +voicemail +valedictorian +uttered +unwed +unrequited +unnoticed +unnerving +unkind +unjust +uniformed +unconfirmed +unadulterated +unaccounted +uglier +turnoff +trampled +tramell +toads +timbuktu +throwback +thimble +tasteless +tarantula +tamale +takeovers +swish +supposing +streaking +stargher +stanzi +stabs +squeamish +splattered +spiritually +spilt +speciality +smacking +skywire +skips +skaara +simpatico +shredding +showin +shortcuts +shite +shielding +shamelessly +serafine +sentimentality +seasick +schemer +scandalous +sainted +riedenschneider +rhyming +revel +retractor +retards +resurrect +remiss +reminiscing +remanded +reiben +regains +refuel +refresher +redoing +redheaded +reassured +rearranged +rapport +qumar +prowling +prejudices +precarious +powwow +pondering +plunger +plunged +pleasantville +playpen +phlegm +perfected +pancreas +paley +ovary +outbursts +oppressed +ooohhh +omoroca +offed +o'toole +nurture +nursemaid +nosebleed +necktie +muttering +munchies +mucking +mogul +mitosis +misdemeanor +miscarried +millionth +migraines +midler +manicurist +mandelbaum +manageable +malfunctioned +magnanimous +loudmouth +longed +lifestyles +liddy +lickety +leprechauns +komako +klute +kennel +justifying +irreversible +inventing +intergalactic +insinuate +inquiring +ingenuity +inconclusive +incessant +improv +impersonation +hyena +humperdinck +hubba +housework +hoffa +hither +hissy +hippy +hijacked +heparin +hellooo +hearth +hassles +hairstyle +hahahaha +hadda +guys'll +gutted +gulls +gritty +grievous +graft +gossamer +gooder +gambled +gadgets +fundamentals +frustrations +frolicking +frock +frilly +foreseen +footloose +fondly +flirtation +flinched +flatten +farthest +exposer +evading +escrow +empathize +embryos +embodiment +ellsberg +ebola +dulcinea +dreamin +drawbacks +doting +doose +doofy +disturbs +disorderly +disgusts +detox +denominator +demeanor +deliriously +decode +debauchery +croissant +cravings +cranked +coworkers +councilor +confuses +confiscate +confines +conduit +compress +combed +clouding +clamps +cinch +chinnery +celebratory +catalogs +carpenters +carnal +canin +bundys +bulldozer +buggers +bueller +brainy +booming +bookstores +bloodbath +bittersweet +bellhop +beeping +beanstalk +beady +baudelaire +bartenders +bargains +averted +armadillo +appreciating +appraised +antlers +aloof +allowances +alleyway +affleck +abject +zilch +youore +xanax +wrenching +wouldn +witted +wicca +whorehouse +whooo +whips +vouchers +victimized +vicodin +untested +unsolicited +unfocused +unfettered +unfeeling +unexplainable +understaffed +underbelly +tutorial +tryst +trampoline +towering +tirade +thieving +thang +swimmin +swayzak +suspecting +superstitions +stubbornness +streamers +strattman +stonewalling +stiffs +stacking +spout +splice +sonrisa +smarmy +slows +slicing +sisterly +shrill +shined +seeming +sedley +seatbelts +scour +scold +schoolyard +scarring +salieri +rustling +roxbury +rewire +revved +retriever +reputable +remodel +reins +reincarnation +rance +rafters +rackets +quail +pumbaa +proclaim +probing +privates +pried +prewedding +premeditation +posturing +posterity +pleasurable +pizzeria +pimps +penmanship +penchant +pelvis +overturn +overstepped +overcoat +ovens +outsmart +outed +ooohh +oncologist +omission +offhand +odour +nyazian +notarized +nobody'll +nightie +navel +nabbed +mystique +mover +mortician +morose +moratorium +mockingbird +mobsters +mingling +methinks +messengered +merde +masochist +martouf +martians +marinara +manray +majorly +magnifying +mackerel +lurid +lugging +lonnegan +loathsome +llantano +liberace +leprosy +latinos +lanterns +lamest +laferette +kraut +intestine +innocencia +inhibitions +ineffectual +indisposed +incurable +inconvenienced +inanimate +improbable +implode +hydrant +hustling +hustled +huevos +how'm +hooey +hoods +honcho +hinge +hijack +heimlich +hamunaptra +haladki +haiku +haggle +gutsy +grunting +grueling +gribbs +greevy +grandstanding +godparents +glows +glistening +gimmick +gaping +fraiser +formalities +foreigner +folders +foggy +fitty +fiends +fe'nos +favours +eyeing +extort +expedite +escalating +epinephrine +entitles +entice +eminence +eights +earthlings +eagerly +dunville +dugout +doublemeat +doling +dispensing +dispatcher +discoloration +diners +diddly +dictates +diazepam +derogatory +delights +defies +decoder +dealio +danson +cutthroat +crumbles +croissants +crematorium +craftsmanship +could'a +cordless +cools +conked +confine +concealing +complicates +communique +cockamamie +coasters +clobbered +clipping +clipboard +clemenza +cleanser +circumcision +chanukah +certainaly +cellmate +cancels +cadmium +buzzed +bumstead +bucko +browsing +broth +braver +boggling +bobbing +blurred +birkhead +benet +belvedere +bellies +begrudge +beckworth +banky +baldness +baggy +babysitters +aversion +astonished +assorted +appetites +angina +amiss +ambulances +alibis +airway +admires +adhesive +yoyou +xxxxxx +wreaked +wracking +woooo +wooing +wised +wilshire +wedgie +waging +violets +vincey +uplifting +untrustworthy +unmitigated +uneventful +undressing +underprivileged +unburden +umbilical +tweaking +turquoise +treachery +tosses +torching +toothpick +toasts +thickens +tereza +tenacious +teldar +taint +swill +sweatin +subtly +subdural +streep +stopwatch +stockholder +stillwater +stalkers +squished +squeegee +splinters +spliced +splat +spied +spackle +sophistication +snapshots +smite +sluggish +slithered +skeeters +sidewalks +sickly +shrugs +shrubbery +shrieking +shitless +settin +sentinels +selfishly +scarcely +sangria +sanctum +sahjhan +rustle +roving +rousing +rosomorf +riddled +responsibly +renoir +remoray +remedial +refundable +redirect +recheck +ravenwood +rationalizing +ramus +ramelle +quivering +pyjamas +psychos +provocations +prouder +protestors +prodded +proctologist +primordial +pricks +prickly +precedents +pentangeli +pathetically +parka +parakeet +panicky +overthruster +outsmarted +orthopedic +oncoming +offing +nutritious +nuthouse +nourishment +nibbling +newlywed +narcissist +mutilation +mundane +mummies +mumble +mowed +morvern +mortem +mopes +molasses +misplace +miscommunication +miney +midlife +menacing +memorizing +massaging +masking +magnets +luxuries +lounging +lothario +liposuction +lidocaine +libbets +levitate +leeway +launcelot +larek +lackeys +kumbaya +kryptonite +knapsack +keyhole +katarangura +juiced +jakey +ironclad +invoice +intertwined +interlude +interferes +injure +infernal +indeedy +incur +incorrigible +incantations +impediment +igloo +hysterectomy +hounded +hollering +hindsight +heebie +havesham +hasenfuss +hankering +hangers +hakuna +gutless +gusto +grubbing +grrrr +grazed +gratification +grandeur +gorak +godammit +gnawing +glanced +frostbite +frees +frazzled +fraulein +fraternizing +fortuneteller +formaldehyde +followup +foggiest +flunky +flickering +firecrackers +figger +fetuses +fates +eyeliner +extremities +extradited +expires +exceedingly +evaporate +erupt +epileptic +entrails +emporium +egregious +eggshells +easing +duwayne +droll +dreyfuss +dovey +doubly +doozy +donkeys +donde +distrust +distressing +disintegrate +discreetly +decapitated +dealin +deader +dashed +darkroom +dares +daddies +dabble +cushy +cupcakes +cuffed +croupier +croak +crapped +coursing +coolers +contaminate +consummated +construed +condos +concoction +compulsion +commish +coercion +clemency +clairvoyant +circulate +chesterton +checkered +charlatan +chaperones +categorically +cataracts +carano +capsules +capitalize +burdon +bullshitting +brewed +breathless +breasted +brainstorming +bossing +borealis +bonsoir +bobka +boast +blimp +bleep +bleeder +blackouts +bisque +billboards +beatings +bayberry +bashed +bamboozled +balding +baklava +baffled +backfires +babak +awkwardness +attest +attachments +apologizes +anyhoo +antiquated +alcante +advisable +aahhh +aaahh +zatarc +yearbooks +wuddya +wringing +womanhood +witless +winging +whatsa +wetting +waterproof +wastin +vogelman +vocation +vindicated +vigilance +vicariously +venza +vacuuming +utensils +uplink +unveil +unloved +unloading +uninhibited +unattached +tweaked +turnips +trinkets +toughen +toting +topside +terrors +terrify +technologically +tarnish +tagliati +szpilman +surly +supple +summation +suckin +stepmom +squeaking +splashmore +souffle +solitaire +solicitation +solarium +smokers +slugged +slobbering +skylight +skimpy +sinuses +silenced +sideburns +shrinkage +shoddy +shhhhhh +shelled +shareef +shangri +seuss +serenade +scuffle +scoff +scanners +sauerkraut +sardines +sarcophagus +salvy +rusted +russells +rowboat +rolfsky +ringside +respectability +reparations +renegotiate +reminisce +reimburse +regimen +raincoat +quibble +puzzled +purposefully +pubic +proofing +prescribing +prelim +poisons +poaching +personalized +personable +peroxide +pentonville +payphone +payoffs +paleontology +overflowing +oompa +oddest +objecting +o'hare +o'daniel +notches +nobody'd +nightstand +neutralized +nervousness +nerdy +needlessly +naquadah +nappy +nantucket +nambla +mountaineer +motherfuckin +morrie +monopolizing +mohel +mistreated +misreading +misbehave +miramax +minivan +milligram +milkshakes +metamorphosis +medics +mattresses +mathesar +matchbook +matata +marys +malucci +magilla +lymphoma +lowers +lordy +linens +lindenmeyer +limelight +leapt +laxative +lather +lapel +lamppost +laguardia +kindling +kegger +kawalsky +juries +jokin +jesminder +interning +innermost +injun +infallible +industrious +indulgence +incinerator +impossibility +impart +illuminate +iguanas +hypnotic +hyped +hospitable +hoses +homemaker +hirschmuller +helpers +headset +guardianship +guapo +grubby +granola +granddaddy +goren +goblet +gluttony +globes +giorno +getter +geritol +gassed +gaggle +foxhole +fouled +foretold +floorboards +flippers +flaked +fireflies +feedings +fashionably +farragut +fallback +facials +exterminate +excites +everything'll +evenin +ethically +ensue +enema +empath +eluded +eloquently +eject +edema +dumpling +droppings +dolled +distasteful +disputing +displeasure +disdain +deterrent +dehydration +defied +decomposing +dawned +dailies +custodian +crusts +crucifix +crowning +crier +crept +craze +crawls +couldn +correcting +corkmaster +copperfield +cooties +contraption +consumes +conspire +consenting +consented +conquers +congeniality +complains +communicator +commendable +collide +coladas +colada +clout +clooney +classifieds +clammy +civility +cirrhosis +chink +catskills +carvers +carpool +carelessness +cardio +carbs +capades +butabi +busmalis +burping +burdens +bunks +buncha +bulldozers +browse +brockovich +breakthroughs +bravado +boogety +blossoms +blooming +bloodsucker +blight +betterton +betrayer +belittle +beeps +bawling +barts +bartending +bankbooks +babish +atropine +assertive +armbrust +anyanka +annoyance +anemic +anago +airwaves +aimlessly +aaargh +aaand +yoghurt +writhing +workable +winking +winded +widen +whooping +whiter +whatya +wazoo +voila +virile +vests +vestibule +versed +vanishes +urkel +uproot +unwarranted +unscheduled +unparalleled +undergrad +tweedle +turtleneck +turban +trickery +transponder +toyed +townhouse +thyself +thunderstorm +thinning +thawed +tether +technicalities +tau'ri +tarnished +taffeta +tacked +systolic +swerve +sweepstakes +swabs +suspenders +superwoman +sunsets +succulent +subpoenas +stumper +stosh +stomachache +stewed +steppin +stepatech +stateside +spicoli +sparing +soulless +sonnets +sockets +snatching +smothering +slush +sloman +slashing +sitters +simpleton +sighs +sidra +sickens +shunned +shrunken +showbiz +shopped +shimmering +shagging +semblance +segue +sedation +scuzzlebutt +scumbags +screwin +scoundrels +scarsdale +scabs +saucers +saintly +saddened +runaways +runaround +rheya +resenting +rehashing +rehabilitated +regrettable +refreshed +redial +reconnecting +ravenous +raping +rafting +quandary +pylea +putrid +puffing +psychopathic +prunes +probate +prayin +pomegranate +plummeting +planing +plagues +pinata +pithy +perversion +personals +perched +peeps +peckish +pavarotti +pajama +packin +pacifier +overstepping +okama +obstetrician +nutso +nuance +normalcy +nonnegotiable +nomak +ninny +nines +nicey +newsflash +neutered +nether +negligee +necrosis +navigating +narcissistic +mylie +muses +momento +moisturizer +moderation +misinformed +misconception +minnifield +mikkos +methodical +mebbe +meager +maybes +matchmaking +masry +markovic +malakai +luzhin +lusting +lumberjack +loopholes +loaning +lightening +leotard +launder +lamaze +kubla +kneeling +kibosh +jumpsuit +joliet +jogger +janover +jakovasaurs +irreparable +innocently +inigo +infomercial +inexplicable +indispensable +impregnated +impossibly +imitating +hunches +hummus +houmfort +hothead +hostiles +hooves +hooligans +homos +homie +hisself +heyyy +hesitant +hangout +handsomest +handouts +hairless +gwennie +guzzling +guinevere +grungy +goading +glaring +gavel +gardino +gangrene +fruitful +friendlier +freckle +freakish +forthright +forearm +footnote +flops +fixer +firecracker +finito +figgered +fezzik +fastened +farfetched +fanciful +familiarize +faire +fahrenheit +extravaganza +exploratory +explanatory +everglades +eunuch +estas +escapade +erasers +emptying +embarassing +dweeb +dutiful +dumplings +dries +drafty +dollhouse +dismissing +disgraced +discrepancies +disbelief +disagreeing +digestion +didnt +deviled +deviated +demerol +delectable +decaying +decadent +dears +dateless +d'algout +cultivating +cryto +crumpled +crumbled +cronies +crease +craves +cozying +corduroy +congratulated +confidante +compressions +complicating +compadre +coerce +classier +chums +chumash +chivalrous +chinpoko +charred +chafing +celibacy +carted +carryin +carpeting +carotid +cannibals +candor +butterscotch +busts +busier +bullcrap +buggin +brookside +brodski +brassiere +brainwash +brainiac +botrelle +bonbon +boatload +blimey +blaring +blackness +bipartisan +bimbos +bigamist +biebe +biding +betrayals +bestow +bellerophon +bedpans +bassinet +basking +barzini +barnyard +barfed +backups +audited +asinine +asalaam +arouse +applejack +annoys +anchovies +ampule +alameida +aggravate +adage +accomplices +yokel +y'ever +wringer +witwer +withdrawals +windward +willfully +whorfin +whimsical +whimpering +weddin +weathered +warmest +wanton +volant +visceral +vindication +veggies +urinate +uproar +unwritten +unwrap +unsung +unsubstantiated +unspeakably +unscrupulous +unraveling +unquote +unqualified +unfulfilled +undetectable +underlined +unattainable +unappreciated +ummmm +ulcers +tylenol +tweak +turnin +tuatha +tropez +trellis +toppings +tootin +toodle +tinkering +thrives +thespis +theatrics +thatherton +tempers +tavington +tartar +tampon +swelled +sutures +sustenance +sunflowers +sublet +stubbins +strutting +strewn +stowaway +stoic +sternin +stabilizing +spiraling +spinster +speedometer +speakeasy +soooo +soiled +sneakin +smithereens +smelt +smacks +slaughterhouse +slacks +skids +sketching +skateboards +sizzling +sixes +sirree +simplistic +shouts +shorted +shoelace +sheeit +shards +shackled +sequestered +selmak +seduces +seclusion +seamstress +seabeas +scoops +scooped +scavenger +satch +s'more +rudeness +romancing +rioja +rifkin +rieper +revise +reunions +repugnant +replicating +repaid +renewing +relaxes +rekindle +regrettably +regenerate +reels +reciting +reappear +readin +ratting +rapes +rancher +rammed +rainstorm +railroading +queers +punxsutawney +punishes +pssst +prudy +proudest +protectors +procrastinating +proactive +priss +postmortem +pompoms +poise +pickings +perfectionist +peretti +people'll +pecking +patrolman +paralegal +paragraphs +paparazzi +pankot +pampering +overstep +overpower +outweigh +omnipotent +odious +nuwanda +nurtured +newsroom +neeson +needlepoint +necklaces +neato +muggers +muffler +mousy +mourned +mosey +mopey +mongolians +moldy +misinterpret +minibar +microfilm +mendola +mended +melissande +masturbating +masbath +manipulates +maimed +mailboxes +magnetism +m'lord +m'honey +lymph +lunge +lovelier +lefferts +leezak +ledgers +larraby +laloosh +kundun +kozinski +knockoff +kissin +kiosk +kennedys +kellman +karlo +kaleidoscope +jeffy +jaywalking +instructing +infraction +informer +infarction +impulsively +impressing +impersonated +impeach +idiocy +hyperbole +hurray +humped +huhuh +hsing +hordes +hoodlums +honky +hitchhiker +hideously +heaving +heathcliff +headgear +headboard +hazing +harem +handprint +hairspray +gutiurrez +goosebumps +gondola +glitches +gasping +frolic +freeways +frayed +fortitude +forgetful +forefathers +fonder +foiled +foaming +flossing +flailing +fitzgeralds +firehouse +finders +fiftieth +fellah +fawning +farquaad +faraway +fancied +extremists +exorcist +exhale +ethros +entrust +ennui +energized +encephalitis +embezzling +elster +elixir +electrolytes +duplex +dryers +drexl +dredging +drawback +don'ts +dobisch +divorcee +disrespected +disprove +disobeying +disinfectant +dingy +digress +dieting +dictating +devoured +devise +detonators +desist +deserter +derriere +deron +deceptive +debilitating +deathwok +daffodils +curtsy +cursory +cuppa +cumin +cronkite +cremation +credence +cranking +coverup +courted +countin +counselling +cornball +contentment +consensual +compost +cluett +cleverly +cleansed +cleanliness +chopec +chomp +chins +chime +cheswick +chessler +cheapest +chatted +cauliflower +catharsis +catchin +caress +camcorder +calorie +cackling +bystanders +buttoned +buttering +butted +buries +burgel +buffoon +brogna +bragged +boutros +bogeyman +blurting +blurb +blowup +bloodhound +blissful +birthmark +bigot +bestest +belted +belligerent +beggin +befall +beeswax +beatnik +beaming +barricade +baggoli +badness +awoke +artsy +artful +aroun +armpits +arming +annihilate +anise +angiogram +anaesthetic +amorous +ambiance +alligators +adoration +admittance +adama +abydos +zonked +zhivago +yorkin +wrongfully +writin +wrappers +worrywart +woops +wonderfalls +womanly +wickedness +whoopie +wholeheartedly +whimper +which'll +wheelchairs +what'ya +warranted +wallop +wading +wacked +virginal +vermouth +vermeil +verger +ventriss +veneer +vampira +utero +ushers +urgently +untoward +unshakable +unsettled +unruly +unlocks +ungodly +undue +uncooperative +uncontrollably +unbeatable +twitchy +tumbler +truest +triumphs +triplicate +tribbey +tortures +tongaree +tightening +thorazine +theres +testifies +teenaged +tearful +taxing +taldor +syllabus +swoops +swingin +suspending +sunburn +stuttering +stupor +strides +strategize +strangulation +stooped +stipulation +stingy +stapled +squeaks +squawking +spoilsport +splicing +spiel +spencers +spasms +spaniard +softener +sodding +soapbox +smoldering +smithbauer +skittish +sifting +sickest +sicilians +shuffling +shrivel +segretti +seeping +securely +scurrying +scrunch +scrote +screwups +schenkman +sawing +savin +satine +sapiens +salvaging +salmonella +sacrilege +rumpus +ruffle +roughing +rotted +rondall +ridding +rickshaw +rialto +rhinestone +restrooms +reroute +requisite +repress +rednecks +redeeming +rayed +ravell +raked +raincheck +raffi +racked +pushin +profess +prodding +procure +presuming +preppy +prednisone +potted +posttraumatic +poorhouse +podiatrist +plowed +pledging +playroom +plait +placate +pinback +picketing +photographing +pharoah +petrak +petal +persecuting +perchance +pellets +peeved +peerless +payable +pauses +pathologist +pagliacci +overwrought +overreaction +overqualified +overheated +outcasts +otherworldly +opinionated +oodles +oftentimes +occured +obstinate +nutritionist +numbness +nubile +nooooooo +nobodies +nepotism +neanderthals +mushu +mucus +mothering +mothballs +monogrammed +molesting +misspoke +misspelled +misconstrued +miscalculated +minimums +mince +mildew +mighta +middleman +mementos +mellowed +mayol +mauled +massaged +marmalade +mardi +makings +lundegaard +lovingly +loudest +lotto +loosing +loompa +looming +longs +loathes +littlest +littering +lifelike +legalities +laundered +lapdog +lacerations +kopalski +knobs +knitted +kittridge +kidnaps +kerosene +karras +jungles +jockeys +iranoff +invoices +invigorating +insolence +insincere +insectopia +inhumane +inhaling +ingrates +infestation +individuality +indeterminate +incomprehensible +inadequacy +impropriety +importer +imaginations +illuminating +ignite +hysterics +hypodermic +hyperventilate +hyperactive +humoring +honeymooning +honed +hoist +hoarding +hitching +hiker +hightail +hemoglobin +hell'd +heinie +growin +grasped +grandparent +granddaughters +gouged +goblins +gleam +glades +gigantor +get'em +geriatric +gatekeeper +gargoyles +gardenias +garcon +garbo +gallows +gabbing +futon +fulla +frightful +freshener +fortuitous +forceps +fogged +fodder +foamy +flogging +flaun +flared +fireplaces +feverish +favell +fattest +fattening +fallow +extraordinaire +evacuating +errant +envied +enchant +enamored +egocentric +dussander +dunwitty +dullest +dropout +dredged +dorsia +doornail +donot +dongs +dogged +dodgy +ditty +dishonorable +discriminating +discontinue +dings +dilly +dictation +dialysis +delly +delightfully +daryll +dandruff +cruddy +croquet +cringe +crimp +credo +crackling +courtside +counteroffer +counterfeiting +corrupting +copping +conveyor +contusions +contusion +conspirator +consoling +connoisseur +confetti +composure +compel +colic +coddle +cocksuckers +coattails +cloned +claustrophobia +clamoring +churn +chugga +chirping +chasin +chapped +chalkboard +centimeter +caymans +catheter +casings +caprica +capelli +cannolis +cannoli +camogli +camembert +butchers +butchered +busboys +bureaucrats +buckled +bubbe +brownstone +bravely +brackley +bouquets +botox +boozing +boosters +bodhi +blunders +blunder +blockage +biocyte +betrays +bested +beryllium +beheading +beggar +begbie +beamed +bastille +barstool +barricades +barbecues +barbecued +bandwagon +backfiring +bacarra +avenged +autopsies +aunties +associating +artichoke +arrowhead +appendage +apostrophe +antacid +ansel +annul +amuses +amped +amicable +amberg +alluring +adversaries +admirers +adlai +acupuncture +abnormality +aaaahhhh +zooming +zippity +zipping +zeroed +yuletide +yoyodyne +yengeese +yeahhh +wrinkly +wracked +withered +winks +windmills +whopping +wendle +weigart +waterworks +waterbed +watchful +wantin +wagging +waaah +vying +ventricle +varnish +vacuumed +unreachable +unprovoked +unmistakable +unfriendly +unfolding +underpaid +uncuff +unappealing +unabomber +typhoid +tuxedos +tushie +turds +tumnus +troubadour +trinium +treaters +treads +transpired +transgression +tought +thready +thins +thinners +techs +teary +tattaglia +tassels +tarzana +tanking +tablecloths +synchronize +symptomatic +sycophant +swimmingly +sweatshop +surfboard +superpowers +sunroom +sunblock +sugarplum +stupidly +strumpet +strapless +stooping +stools +stealthy +stalks +stairmaster +staffer +sshhh +squatting +squatters +spectacularly +sorbet +socked +sociable +snubbed +snorting +sniffles +snazzy +snakebite +smuggler +smorgasbord +smooching +slurping +slouch +slingshot +slaved +skimmed +sisterhood +silliest +sidarthur +sheraton +shebang +sharpening +shanghaied +shakers +sendoff +scurvy +scoliosis +scaredy +scagnetti +sawchuk +saugus +sasquatch +sandbag +saltines +s'pose +roston +rostle +riveting +ristle +rifling +revulsion +reverently +retrograde +restful +resents +reptilian +reorganize +renovating +reiterate +reinvent +reinmar +reibers +reechard +recuse +reconciling +recognizance +reclaiming +recitation +recieved +rebate +reacquainted +rascals +railly +quintuplets +quahog +pygmies +puzzling +punctuality +prosthetic +proms +probie +preys +preserver +preppie +poachers +plummet +plumbers +plannin +pitying +pitfalls +piqued +pinecrest +pinches +pillage +pigheaded +physique +pessimistic +persecute +perjure +percentile +pentothal +pensky +penises +peini +pazzi +pastels +parlour +paperweight +pamper +pained +overwhelm +overalls +outrank +outpouring +outhouse +outage +ouija +obstructed +obsessions +obeying +obese +o'riley +o'higgins +nosebleeds +norad +noooooooo +nononono +nonchalant +nippy +neurosis +nekhorvich +necronomicon +naquada +n'est +mystik +mystified +mumps +muddle +mothership +moped +monumentally +monogamous +mondesi +misogynistic +misinterpreting +mindlock +mending +megaphone +meeny +medicating +meanie +masseur +markstrom +marklars +margueritas +manifesting +maharajah +lukewarm +loveliest +loran +lizardo +liquored +lipped +lingers +limey +lemkin +leisurely +lathe +latched +lapping +ladle +krevlorneswath +kosygin +khakis +kenaru +keats +kaitlan +julliard +jollies +jaundice +jargon +jackals +invisibility +insipid +inflamed +inferiority +inexperience +incinerated +incinerate +incendiary +incan +inbred +implicating +impersonator +hunks +horsing +hooded +hippopotamus +hiked +hetson +hetero +hessian +henslowe +hendler +hellstrom +headstone +hayloft +harbucks +handguns +hallucinate +haldol +haggling +gynaecologist +gulag +guilder +guaranteeing +groundskeeper +grindstone +grimoir +grievance +griddle +gribbit +greystone +graceland +gooders +goeth +gentlemanly +gelatin +gawking +ganged +fukes +fromby +frenchmen +foursome +forsley +forbids +footwork +foothold +floater +flinging +flicking +fittest +fistfight +fireballs +fillings +fiddling +fennyman +felonious +felonies +feces +favoritism +fatten +fanatics +faceman +excusing +excepted +entwined +entree +ensconced +eladio +ehrlichman +easterland +dueling +dribbling +drape +downtrodden +doused +dosed +dorleen +dokie +distort +displeased +disown +dismount +disinherited +disarmed +disapproves +diperna +dined +diligent +dicaprio +depress +decoded +debatable +dealey +darsh +damsels +damning +dad'll +d'oeuvre +curlers +curie +cubed +crikey +crepes +countrymen +cornfield +coppers +copilot +copier +cooing +conspiracies +consigliere +condoning +commoner +commies +combust +comas +colds +clawed +clamped +choosy +chomping +chimps +chigorin +chianti +cheep +checkups +cheaters +celibate +cautiously +cautionary +castell +carpentry +caroling +carjacking +caritas +caregiver +cardiology +candlesticks +canasta +cain't +burro +burnin +bunking +bumming +bullwinkle +brummel +brooms +brews +breathin +braslow +bracing +botulism +boorish +bloodless +blayne +blatantly +blankie +bedbugs +becuase +barmaid +bared +baracus +banal +bakes +backpacks +attentions +atrocious +ativan +athame +asunder +astound +assuring +aspirins +asphyxiation +ashtrays +aryans +arnon +apprehension +applauding +anvil +antiquing +antidepressants +annoyingly +amputate +altruistic +alotta +alerting +afterthought +affront +affirm +actuality +abysmal +absentee +yeller +yakushova +wuzzy +wriggle +worrier +woogyman +womanizer +windpipe +windbag +willin +whisking +whimsy +wendall +weeny +weensy +weasels +watery +watcha +wasteful +waski +washcloth +waaay +vouched +viznick +ventriloquist +vendettas +veils +vayhue +vamanos +vadimus +upstage +uppity +unsaid +unlocking +unintentionally +undetected +undecided +uncaring +unbearably +tween +tryout +trotting +trini +trimmings +trickier +treatin +treadstone +trashcan +transcendent +tramps +townsfolk +torturous +torrid +toothpicks +tolerable +tireless +tiptoeing +timmay +tillinghouse +tidying +tibia +thumbing +thrusters +thrashing +these'll +thatos +testicular +teriyaki +tenors +tenacity +tellers +telemetry +tarragon +switchblade +swicker +swells +sweatshirts +swatches +surging +supremely +sump'n +succumb +subsidize +stumbles +stuffs +stoppin +stipulate +stenographer +steamroll +stasis +stagger +squandered +splint +splendidly +splashy +splashing +specter +sorcerers +somewheres +somber +snuggled +snowmobile +sniffed +snags +smugglers +smudged +smirking +smearing +slings +sleet +sleepovers +sleek +slackers +siree +siphoning +singed +sincerest +sickened +shuffled +shriveled +shorthanded +shittin +shish +shipwrecked +shins +sheetrock +shawshank +shamu +sha're +servitude +sequins +seascape +scrapings +scoured +scorching +sandpaper +saluting +salud +ruffled +roughnecks +rougher +rosslyn +rosses +roost +roomy +romping +revolutionize +reprimanded +refute +refrigerated +reeled +redundancies +rectal +recklessly +receding +reassignment +reapers +readout +ration +raring +ramblings +raccoons +quarantined +purging +punters +psychically +premarital +pregnancies +predisposed +precautionary +pollute +podunk +plums +plaything +pixilated +pitting +piranhas +pieced +piddles +pickled +photogenic +phosphorous +pffft +pestilence +pessimist +perspiration +perps +penticoff +passageways +pardons +panics +pancamo +paleontologist +overwhelms +overstating +overpaid +overdid +outlive +orthodontist +orgies +oreos +ordover +ordinates +ooooooh +oooohhh +omelettes +officiate +obtuse +obits +nymph +novocaine +noooooooooo +nipping +nilly +nightstick +negate +neatness +natured +narcotic +narcissism +namun +nakatomi +murky +muchacho +mouthwash +motzah +morsel +morph +morlocks +mooch +moloch +molest +mohra +modus +modicum +mockolate +misdemeanors +miscalculation +middies +meringue +mercilessly +meditating +mayakovsky +maximillian +marlee +markovski +maniacal +maneuvered +magnificence +maddening +lutze +lunged +lovelies +lorry +loosening +lookee +littered +lilac +lightened +laces +kurzon +kurtzweil +kind've +kimono +kenji +kembu +keanu +kazuo +jonesing +jilted +jiggling +jewelers +jewbilee +jacqnoud +jacksons +ivories +insurmountable +innocuous +innkeeper +infantery +indulged +indescribable +incoherent +impervious +impertinent +imperfections +hunnert +huffy +horsies +horseradish +hollowed +hogwash +hockley +hissing +hiromitsu +hidin +hereafter +helpmann +hehehe +haughty +happenings +hankie +handsomely +halliwells +haklar +haise +gunsights +grossly +grope +grocer +grits +gripping +grabby +glorificus +gizzard +gilardi +gibarian +geminon +gasses +garnish +galloping +gairwyn +futterman +futility +fumigated +fruitless +friendless +freon +foregone +forego +floored +flighty +flapjacks +fizzled +ficus +festering +farbman +fabricate +eyghon +extricate +exalted +eventful +esophagus +enterprising +entail +endor +emphatically +embarrasses +electroshock +easel +duffle +drumsticks +dissection +dissected +disposing +disparaging +disorientation +disintegrated +disarming +devoting +dessaline +deprecating +deplorable +delve +degenerative +deduct +decomposed +deathly +dearie +daunting +dankova +cyclotron +cyberspace +cutbacks +culpable +cuddled +crumpets +cruelly +crouching +cranium +cramming +cowering +couric +cordesh +conversational +conclusively +clung +clotting +cleanest +chipping +chimpanzee +chests +cheapen +chainsaws +censure +catapult +caravaggio +carats +captivating +calrissian +butlers +busybody +bussing +bunion +bulimic +budging +brung +browbeat +brokenhearted +brecher +breakdowns +bracebridge +boning +blowhard +blisters +blackboard +bigotry +bialy +bhamra +bended +begat +battering +baste +basquiat +barricaded +barometer +balled +baited +badenweiler +backhand +ascenscion +argumentative +appendicitis +apparition +anxiously +antagonistic +angora +anacott +amniotic +ambience +alonna +aleck +akashic +ageless +abouts +aawwww +aaaaarrrrrrggghhh +aaaaaa +zendi +yuppies +yodel +y'hear +wrangle +wombosi +wittle +withstanding +wisecracks +wiggling +wierd +whittlesley +whipper +whattya +whatsamatter +whatchamacallit +whassup +whad'ya +weakling +warfarin +waponis +wampum +wadn't +vorash +vizzini +virtucon +viridiana +veracity +ventilated +varicose +varcon +vandalized +vamos +vamoose +vaccinated +vacationing +usted +urinal +uppers +unwittingly +unsealed +unplanned +unhinged +unhand +unfathomable +unequivocally +unbreakable +unadvisedly +udall +tynacorp +tuxes +tussle +turati +tunic +tsavo +trussed +troublemakers +trollop +tremors +transsexual +transfusions +toothbrushes +toned +toddlers +tinted +tightened +thundering +thorpey +this'd +thespian +thaddius +tenuous +tenths +tenement +telethon +teleprompter +teaspoon +taunted +tattle +tardiness +taraka +tappy +tapioca +tapeworm +talcum +tacks +swivel +swaying +superpower +summarize +sumbitch +sultry +suburbia +styrofoam +stylings +strolls +strobe +stockpile +stewardesses +sterilized +sterilize +stealin +stakeouts +squawk +squalor +squabble +sprinkled +sportsmanship +spokes +spiritus +sparklers +spareribs +sowing +sororities +sonovabitch +solicit +softy +softness +softening +snuggling +snatchers +snarling +snarky +snacking +smears +slumped +slowest +slithering +sleazebag +slayed +slaughtering +skidded +skated +sivapathasundaram +sissies +silliness +silences +sidecar +sicced +shylock +shtick +shrugged +shriek +shoves +should'a +shortcake +shockingly +shirking +shaves +shatner +sharpener +shapely +shafted +sexless +septum +selflessness +seabea +scuff +screwball +scoping +scooch +scolding +schnitzel +schemed +scalper +santy +sankara +sanest +salesperson +sakulos +safehouse +sabers +runes +rumblings +rumbling +ruijven +ringers +righto +rhinestones +retrieving +reneging +remodelling +relentlessly +regurgitate +refills +reeking +reclusive +recklessness +recanted +ranchers +rafer +quaking +quacks +prophesied +propensity +profusely +problema +prided +prays +postmark +popsicles +poodles +pollyanna +polaroids +pokes +poconos +pocketful +plunging +plugging +pleeease +platters +pitied +pinetti +piercings +phooey +phonies +pestering +periscope +pentagram +pelts +patronized +paramour +paralyze +parachutes +pales +paella +paducci +owatta +overdone +overcrowded +overcompensating +ostracized +ordinate +optometrist +operandi +omens +okayed +oedipal +nuttier +nuptial +nunheim +noxious +nourish +notepad +nitroglycerin +nibblet +neuroses +nanosecond +nabbit +mythic +munchkins +multimillion +mulroney +mucous +muchas +mountaintop +morlin +mongorians +moneybags +mom'll +molto +mixup +misgivings +mindset +michalchuk +mesmerized +merman +mensa +meaty +mbwun +materialize +materialistic +masterminded +marginally +mapuhe +malfunctioning +magnify +macnamara +macinerney +machinations +macadamia +lysol +lurks +lovelorn +lopsided +locator +litback +litany +linea +limousines +limes +lighters +liebkind +levity +levelheaded +letterhead +lesabre +leron +lepers +lefts +leftenant +laziness +layaway +laughlan +lascivious +laryngitis +lapsed +landok +laminated +kurten +kobol +knucklehead +knowed +knotted +kirkeby +kinsa +karnovsky +jolla +jimson +jettison +jeric +jawed +jankis +janitors +jango +jalopy +jailbreak +jackers +jackasses +invalidate +intercepting +intercede +insinuations +infertile +impetuous +impaled +immerse +immaterial +imbeciles +imagines +idyllic +idolized +icebox +i'd've +hypochondriac +hyphen +hurtling +hurried +hunchback +hullo +horsting +hoooo +homeboys +hollandaise +hoity +hijinks +hesitates +herrero +herndorff +helplessly +heeyy +heathen +hearin +headband +harrassment +harpies +halstrom +hahahahaha +hacer +grumbling +grimlocks +grift +greets +grandmothers +grander +grafts +gordievsky +gondorff +godorsky +glscripts +gaudy +gardeners +gainful +fuses +fukienese +frizzy +freshness +freshening +fraught +frantically +foxbooks +fortieth +forked +foibles +flunkies +fleece +flatbed +fisted +firefight +fingerpaint +filibuster +fhloston +fenceline +femur +fatigues +fanucci +fantastically +familiars +falafel +fabulously +eyesore +expedient +ewwww +eviscerated +erogenous +epidural +enchante +embarassed +embarass +embalming +elude +elspeth +electrocute +eigth +eggshell +echinacea +eases +earpiece +earlobe +dumpsters +dumbshit +dumbasses +duloc +duisberg +drummed +drinkers +dressy +dorma +doily +divvy +diverting +dissuade +disrespecting +displace +disorganized +disgustingly +discord +disapproving +diligence +didja +diced +devouring +detach +destructing +desolate +demerits +delude +delirium +degrade +deevak +deemesa +deductions +deduce +debriefed +deadbeats +dateline +darndest +damnable +dalliance +daiquiri +d'agosta +cussing +cryss +cripes +cretins +crackerjack +cower +coveting +couriers +countermission +cotswolds +convertibles +conversationalist +consorting +consoled +consarn +confides +confidentially +commited +commiserate +comme +comforter +comeuppance +combative +comanches +colosseum +colling +coexist +coaxing +cliffside +chutes +chucked +chokes +childlike +childhoods +chickening +chenowith +charmingly +changin +catsup +captioning +capsize +cappucino +capiche +candlewell +cakewalk +cagey +caddie +buxley +bumbling +bulky +buggered +brussel +brunettes +brumby +brotha +bronck +brisket +bridegroom +braided +bovary +bookkeeper +bluster +bloodline +blissfully +blase +billionaires +bicker +berrisford +bereft +berating +berate +bendy +belive +belated +beikoku +beens +bedspread +bawdy +barreling +baptize +banya +balthazar +balmoral +bakshi +bails +badgered +backstreet +awkwardly +auras +attuned +atheists +astaire +assuredly +arrivederci +appetit +appendectomy +apologetic +antihistamine +anesthesiologist +amulets +albie +alarmist +aiight +adstream +admirably +acquaint +abound +abominable +aaaaaaah +zekes +zatunica +wussy +worded +wooed +woodrell +wiretap +windowsill +windjammer +windfall +whisker +whims +whatiya +whadya +weirdly +weenies +waunt +washout +wanto +waning +victimless +verdad +veranda +vandaley +vancomycin +valise +vaguest +upshot +unzip +unwashed +untrained +unstuck +unprincipled +unmentionables +unjustly +unfolds +unemployable +uneducated +unduly +undercut +uncovering +unconsciousness +unconsciously +tyndareus +turncoat +turlock +tulle +tryouts +trouper +triplette +trepkos +tremor +treeger +trapeze +traipse +tradeoff +trach +torin +tommorow +tollan +toity +timpani +thumbprint +thankless +tell'em +telepathy +telemarketing +telekinesis +teevee +teeming +tarred +tambourine +talentless +swooped +switcheroo +swirly +sweatpants +sunstroke +suitors +sugarcoat +subways +subterfuge +subservient +subletting +stunningly +strongbox +striptease +stravanavitch +stradling +stoolie +stodgy +stocky +stifle +stealer +squeezes +squatter +squarely +sprouted +spool +spindly +speedos +soups +soundly +soulmates +somebody'll +soliciting +solenoid +sobering +snowflakes +snowballs +snores +slung +slimming +skulk +skivvies +skewered +skewer +sizing +sistine +sidebar +sickos +shushing +shunt +shugga +shone +shol'va +sharpened +shapeshifter +shadowing +shadoe +selectman +sefelt +seared +scrounging +scribbling +scooping +scintillating +schmoozing +scallops +sapphires +sanitarium +sanded +safes +rudely +roust +rosebush +rosasharn +rondell +roadhouse +riveted +rewrote +revamp +retaliatory +reprimand +replicators +replaceable +remedied +relinquishing +rejoicing +reincarnated +reimbursed +reevaluate +redid +redefine +recreating +reconnected +rebelling +reassign +rearview +rayne +ravings +ratso +rambunctious +radiologist +quiver +quiero +queef +qualms +pyrotechnics +pulsating +psychosomatic +proverb +promiscuous +profanity +prioritize +preying +predisposition +precocious +precludes +prattling +prankster +povich +potting +postpartum +porridge +polluting +plowing +pistachio +pissin +pickpocket +physicals +peruse +pertains +personified +personalize +perjured +perfecting +pepys +pepperdine +pembry +peering +peels +pedophile +patties +passkey +paratrooper +paraphernalia +paralyzing +pandering +paltry +palpable +pagers +pachyderm +overstay +overestimated +overbite +outwit +outgrow +outbid +ooops +oomph +oohhh +oldie +obliterate +objectionable +nygma +notting +noches +nitty +nighters +newsstands +newborns +neurosurgery +nauseated +nastiest +narcolepsy +mutilate +muscled +murmur +mulva +mulling +mukada +muffled +morgues +moonbeams +monogamy +molester +molestation +molars +moans +misprint +mismatched +mirth +mindful +mimosas +millander +mescaline +menstrual +menage +mellowing +medevac +meddlesome +matey +manicures +malevolent +madmen +macaroons +lydell +lycra +lunchroom +lunching +lozenges +looped +litigious +liquidate +linoleum +lingk +limitless +limber +lilacs +ligature +liftoff +lemmiwinks +leggo +learnin +lazarre +lawyered +lactose +knelt +kenosha +kemosabe +jussy +junky +jordy +jimmies +jeriko +jakovasaur +issacs +isabela +irresponsibility +ironed +intoxication +insinuated +inherits +ingest +ingenue +inflexible +inflame +inevitability +inedible +inducement +indignant +indictments +indefensible +incomparable +incommunicado +improvising +impounded +illogical +ignoramus +hydrochloric +hydrate +hungover +humorless +humiliations +hugest +hoverdrone +hovel +hmmph +hitchhike +hibernating +henchman +helloooo +heirlooms +heartsick +headdress +hatches +harebrained +hapless +hanen +handsomer +hallows +habitual +guten +gummy +guiltier +guidebook +gstaad +gruff +griss +grieved +grata +gorignak +goosed +goofed +glowed +glitz +glimpses +glancing +gilmores +gianelli +geraniums +garroway +gangbusters +gamblers +galls +fuddy +frumpy +frowning +frothy +fro'tak +frere +fragrances +forgettin +follicles +flowery +flophouse +floatin +flirts +flings +flatfoot +fingerprinting +fingerprinted +fingering +finald +fillet +fianc +femoral +federales +fawkes +fascinates +farfel +fambly +falsified +fabricating +exterminators +expectant +excusez +excrement +excercises +evian +etins +esophageal +equivalency +equate +equalizer +entrees +enquire +endearment +empathetic +emailed +eggroll +earmuffs +dyslexic +duper +duesouth +drunker +druggie +dreadfully +dramatics +dragline +downplay +downers +dominatrix +doers +docket +docile +diversify +distracts +disloyalty +disinterested +discharging +disagreeable +dirtier +dinghy +dimwitted +dimoxinil +dimmy +diatribe +devising +deviate +detriment +desertion +depressants +depravity +deniability +delinquents +defiled +deepcore +deductive +decimate +deadbolt +dauthuille +dastardly +daiquiris +daggers +dachau +curiouser +curdled +cucamonga +cruller +cruces +crosswalk +crinkle +crescendo +cremate +counseled +couches +cornea +corday +copernicus +contrition +contemptible +constipated +conjoined +confounded +condescend +concoct +conch +compensating +committment +commandeered +comely +coddled +cockfight +cluttered +clunky +clownfish +cloaked +clenched +cleanin +civilised +circumcised +cimmeria +cilantro +chutzpah +chucking +chiseled +chicka +chattering +cervix +carrey +carpal +carnations +cappuccinos +candied +calluses +calisthenics +bushy +burners +budington +buchanans +brimming +braids +boycotting +bouncers +botticelli +botherin +bookkeeping +bogyman +bogged +bloodthirsty +blintzes +blanky +binturong +billable +bigboote +bewildered +betas +bequeath +behoove +befriend +bedpost +bedded +baudelaires +barreled +barboni +barbeque +bangin +baltus +bailout +backstabber +baccarat +awning +augie +arguillo +archway +apricots +apologising +annyong +anchorman +amenable +amazement +allspice +alannis +airfare +airbags +ahhhhhhhhh +ahhhhhhhh +ahhhhhhh +agitator +adrenal +acidosis +achoo +accessorizing +accentuate +abrasions +abductor +aaaahhh +aaaaaaaa +aaaaaaa +zeroing +zelner +zeldy +yevgeny +yeska +yellows +yeesh +yeahh +yamuri +wouldn't've +workmanship +woodsman +winnin +winked +wildness +whoring +whitewash +whiney +when're +wheezer +wheelman +wheelbarrow +westerburg +weeding +watermelons +washboard +waltzes +wafting +voulez +voluptuous +vitone +vigilantes +videotaping +viciously +vices +veruca +vermeer +verifying +vasculitis +valets +upholstered +unwavering +untold +unsympathetic +unromantic +unrecognizable +unpredictability +unmask +unleashing +unintentional +unglued +unequivocal +underrated +underfoot +unchecked +unbutton +unbind +unbiased +unagi +uhhhhh +tugging +triads +trespasses +treehorn +traviata +trappers +transplants +trannie +tramping +tracheotomy +tourniquet +tooty +toothless +tomarrow +toasters +thruster +thoughtfulness +thornwood +tengo +tenfold +telltale +telephoto +telephoned +telemarketer +tearin +tastic +tastefully +tasking +taser +tamed +tallow +taketh +taillight +tadpoles +tachibana +syringes +sweated +swarthy +swagger +surges +supermodels +superhighway +sunup +sun'll +sulfa +sugarless +sufficed +subside +strolled +stringy +strengthens +straightest +straightens +storefront +stopper +stockpiling +stimulant +stiffed +steyne +sternum +stepladder +stepbrother +steers +steelheads +steakhouse +stathis +stankylecartmankennymr +standoffish +stalwart +squirted +spritz +sprig +sprawl +spousal +sphincter +spenders +spearmint +spatter +spangled +southey +soured +sonuvabitch +somethng +snuffed +sniffs +smokescreen +smilin +slobs +sleepwalker +sleds +slays +slayage +skydiving +sketched +skanks +sixed +siphoned +siphon +simpering +sigfried +sidearm +siddons +sickie +shuteye +shuffleboard +shrubberies +shrouded +showmanship +shouldn't've +shoplift +shiatsu +sentries +sentance +sensuality +seething +secretions +searing +scuttlebutt +sculpt +scowling +scouring +scorecard +schoolers +schmucks +scepters +scaly +scalps +scaffolding +sauces +sartorius +santen +salivating +sainthood +saget +saddens +rygalski +rusting +ruination +rueland +rudabaga +rottweiler +roofies +romantics +rollerblading +roldy +roadshow +rickets +rible +rheza +revisiting +retentive +resurface +restores +respite +resounding +resorting +resists +repulse +repressing +repaying +reneged +refunds +rediscover +redecorated +reconstructive +recommitted +recollect +receptacle +reassess +reanimation +realtors +razinin +rationalization +ratatouille +rashum +rasczak +rancheros +rampler +quizzing +quips +quartered +purring +pummeling +puede +proximo +prospectus +pronouncing +prolonging +procreation +proclamations +principled +prides +preoccupation +prego +precog +prattle +pounced +potshots +potpourri +porque +pomegranates +polenta +plying +pluie +plesac +playmates +plantains +pillowcase +piddle +pickers +photocopied +philistine +perpetuate +perpetually +perilous +pawned +pausing +pauper +parter +parlez +parlay +pally +ovulation +overtake +overstate +overpowering +overpowered +overconfident +overbooked +ovaltine +outweighs +outings +ottos +orrin +orifice +orangutan +oopsy +ooooooooh +oooooo +ooohhhh +ocular +obstruct +obscenely +o'dwyer +nutjob +nunur +notifying +nostrand +nonny +nonfat +noblest +nimble +nikes +nicht +newsworthy +nestled +nearsighted +ne'er +nastier +narco +nakedness +muted +mummified +mudda +mozzarella +moxica +motivator +motility +mothafucka +mortmain +mortgaged +mores +mongers +mobbed +mitigating +mistah +misrepresented +mishke +misfortunes +misdirection +mischievous +mineshaft +millaney +microwaves +metzenbaum +mccovey +masterful +masochistic +marliston +marijawana +manya +mantumbi +malarkey +magnifique +madrona +madox +machida +m'hidi +lullabies +loveliness +lotions +looka +lompoc +litterbug +litigator +lithe +liquorice +linds +limericks +lightbulb +lewises +letch +lemec +layover +lavatory +laurels +lateness +laparotomy +laboring +kuato +kroff +krispy +krauts +knuckleheads +kitschy +kippers +kimbrow +keypad +keepsake +kebab +karloff +junket +judgemental +jointed +jezzie +jetting +jeeze +jeeter +jeesus +jeebs +janeane +jails +jackhammer +ixnay +irritates +irritability +irrevocable +irrefutable +irked +invoking +intricacies +interferon +intents +insubordinate +instructive +instinctive +inquisitive +inlay +injuns +inebriated +indignity +indecisive +incisors +incacha +inalienable +impresses +impregnate +impregnable +implosion +idolizes +hypothyroidism +hypoglycemic +huseni +humvee +huddling +honing +hobnobbing +hobnob +histrionics +histamine +hirohito +hippocratic +hindquarters +hikita +hikes +hightailed +hieroglyphics +heretofore +herbalist +hehey +hedriks +heartstrings +headmistress +headlight +hardheaded +happend +handlebars +hagitha +habla +gyroscope +guys'd +guy'd +guttersnipe +grump +growed +grovelling +groan +greenbacks +gravedigger +grating +grasshoppers +grandiose +grandest +grafted +gooood +goood +gooks +godsakes +goaded +glamorama +giveth +gingham +ghostbusters +germane +georgy +gazzo +gazelles +gargle +garbled +galgenstein +gaffe +g'day +fyarl +furnish +furies +fulfills +frowns +frowned +frighteningly +freebies +freakishly +forewarned +foreclose +forearms +fordson +fonics +flushes +flitting +flemmer +flabby +fishbowl +fidgeting +fevers +feigning +faxing +fatigued +fathoms +fatherless +fancier +fanatical +factored +eyelid +eyeglasses +expresso +expletive +expectin +excruciatingly +evidentiary +ever'thing +eurotrash +eubie +estrangement +erlich +epitome +entrap +enclose +emphysema +embers +emasculating +eighths +eardrum +dyslexia +duplicitous +dumpty +dumbledore +dufus +duddy +duchamp +drunkenness +drumlin +drowns +droid +drinky +drifts +drawbridge +dramamine +douggie +douchebag +dostoyevsky +doodling +don'tcha +domineering +doings +dogcatcher +doctoring +ditzy +dissimilar +dissecting +disparage +disliking +disintegrating +dishwalla +dishonored +dishing +disengaged +disavowed +dippy +diorama +dimmed +dilate +digitalis +diggory +dicing +diagnosing +devola +desolation +dennings +denials +deliverance +deliciously +delicacies +degenerates +degas +deflector +defile +deference +decrepit +deciphered +dawdle +dauphine +daresay +dangles +dampen +damndest +cucumbers +cucaracha +cryogenically +croaks +croaked +criticise +crisper +creepiest +creams +crackle +crackin +covertly +counterintelligence +corrosive +cordially +cops'll +convulsions +convoluted +conversing +conga +confrontational +confab +condolence +condiments +complicit +compiegne +commodus +comings +cometh +collusion +collared +cockeyed +clobber +clemonds +clarithromycin +cienega +christmasy +christmassy +chloroform +chippie +chested +cheeco +checklist +chauvinist +chandlers +chambermaid +chakras +cellophane +caveat +cataloguing +cartmanland +carples +carny +carded +caramels +cappy +caped +canvassing +callback +calibrated +calamine +buttermilk +butterfingers +bunsen +bulimia +bukatari +buildin +budged +brobich +bringer +brendell +brawling +bratty +braised +boyish +boundless +botch +boosh +bookies +bonbons +bodes +bobunk +bluntly +blossoming +bloomers +bloodstains +bloodhounds +blech +biter +biometric +bioethics +bijan +bigoted +bicep +bereaved +bellowing +belching +beholden +beached +batmobile +barcodes +barch +barbecuing +bandanna +backwater +backtrack +backdraft +augustino +atrophy +atrocity +atley +atchoo +asthmatic +assoc +armchair +arachnids +aptly +appetizing +antisocial +antagonizing +anorexia +anini +andersons +anagram +amputation +alleluia +airlock +aimless +agonized +agitate +aggravating +aerosol +acing +accomplishing +accidently +abuser +abstain +abnormally +aberration +aaaaahh +zlotys +zesty +zerzura +zapruder +zantopia +yelburton +yeess +y'knowwhati'msayin +wwhat +wussies +wrenched +would'a +worryin +wormser +wooooo +wookiee +wolchek +wishin +wiseguys +windbreaker +wiggy +wieners +wiedersehen +whoopin +whittled +wherefore +wharvey +welts +wellstone +wedges +wavered +watchit +wastebasket +wango +waken +waitressed +wacquiem +vrykolaka +voula +vitally +visualizing +viciousness +vespers +vertes +verily +vegetarians +vater +vaporize +vannacutt +vallens +ussher +urinating +upping +unwitting +untangle +untamed +unsanitary +unraveled +unopened +unisex +uninvolved +uninteresting +unintelligible +unimaginative +undeserving +undermines +undergarments +unconcerned +tyrants +typist +tykes +tybalt +twosome +twits +tutti +turndown +tularemia +tuberculoma +tsimshian +truffaut +truer +truant +trove +triumphed +tripe +trigonometry +trifled +trifecta +tribulations +tremont +tremoille +transcends +trafficker +touchin +tomfoolery +tinkered +tinfoil +tightrope +thousan +thoracotomy +thesaurus +thawing +thatta +tessio +temps +taxidermist +tator +tachycardia +t'akaya +swelco +sweetbreads +swatting +supercollider +sunbathing +summarily +suffocation +sueleen +succinct +subsided +submissive +subjecting +subbing +subatomic +stupendous +stunted +stubble +stubbed +streetwalker +strategizing +straining +straightaway +stoli +stiffer +stickup +stens +steamroller +steadwell +steadfast +stateroom +stans +sshhhh +squishing +squinting +squealed +sprouting +sprimp +spreadsheets +sprawled +spotlights +spooning +spirals +speedboat +spectacles +speakerphone +southglen +souse +soundproof +soothsayer +sommes +somethings +solidify +soars +snorted +snorkeling +snitches +sniping +snifter +sniffin +snickering +sneer +snarl +smila +slinking +slanted +slanderous +slammin +skimp +skilosh +siteid +sirloin +singe +sighing +sidekicks +sicken +showstopper +shoplifter +shimokawa +sherborne +shavadai +sharpshooters +sharking +shagged +shaddup +senorita +sesterces +sensuous +seahaven +scullery +scorcher +schotzie +schnoz +schmooze +schlep +schizo +scents +scalping +scalped +scallop +scalding +sayeth +saybrooke +sawed +savoring +sardine +sandstorm +sandalwood +salutations +sagman +s'okay +rsvp'd +rousted +rootin +romper +romanovs +rollercoaster +rolfie +robinsons +ritzy +ritualistic +ringwald +rhymed +rheingold +rewrites +revoking +reverts +retrofit +retort +retinas +respirations +reprobate +replaying +repaint +renquist +renege +relapsing +rekindled +rejuvenating +rejuvenated +reinstating +recriminations +rechecked +reassemble +rears +reamed +reacquaint +rayanne +ravish +rathole +raspail +rarest +rapists +rants +racketeer +quittin +quitters +quintessential +queremos +quellek +quelle +quasimodo +pyromaniac +puttanesca +puritanical +purer +puree +pungent +pummel +puedo +psychotherapist +prosecutorial +prosciutto +propositioning +procrastination +probationary +primping +preventative +prevails +preservatives +preachy +praetorians +practicality +powders +potus +postop +positives +poser +portolano +portokalos +poolside +poltergeists +pocketed +poach +plummeted +plucking +plimpton +playthings +plastique +plainclothes +pinpointed +pinkus +pinks +pigskin +piffle +pictionary +piccata +photocopy +phobias +perignon +perfumes +pecks +pecked +patently +passable +parasailing +paramus +papier +paintbrush +pacer +paaiint +overtures +overthink +overstayed +overrule +overestimate +overcooked +outlandish +outgrew +outdoorsy +outdo +orchestrate +oppress +opposable +oooohh +oomupwah +okeydokey +okaaay +ohashi +of'em +obscenities +oakie +o'gar +nurection +nostradamus +norther +norcom +nooch +nonsensical +nipped +nimbala +nervously +neckline +nebbleman +narwhal +nametag +n'n't +mycenae +muzak +muumuu +mumbled +mulvehill +muggings +muffet +mouthy +motivates +motaba +moocher +mongi +moley +moisturize +mohair +mocky +mmkay +mistuh +missis +misdeeds +mincemeat +miggs +miffed +methadone +messieur +menopausal +menagerie +mcgillicuddy +mayflowers +matrimonial +matick +masai +marzipan +maplewood +manzelle +mannequins +manhole +manhandle +malfunctions +madwoman +machiavelli +lynley +lynched +lurconis +lujack +lubricant +looove +loons +loofah +lonelyhearts +lollipops +lineswoman +lifers +lexter +lepner +lemony +leggy +leafy +leadeth +lazerus +lazare +lawford +languishing +lagoda +ladman +kundera +krinkle +krendler +kreigel +kowolski +knockdown +knifed +kneed +kneecap +kids'll +kennie +kenmore +keeled +kazootie +katzenmoyer +kasdan +karak +kapowski +kakistos +julyan +jockstrap +jobless +jiggly +jaunt +jarring +jabbering +irrigate +irrevocably +irrationally +ironies +invitro +intimated +intently +intentioned +intelligently +instill +instigator +instep +inopportune +innuendoes +inflate +infects +infamy +indiscretions +indiscreet +indio +indignities +indict +indecision +inconspicuous +inappropriately +impunity +impudent +impotence +implicates +implausible +imperfection +impatience +immutable +immobilize +idealist +iambic +hysterically +hyperspace +hygienist +hydraulics +hydrated +huzzah +husks +hunched +huffed +hubris +hubbub +hovercraft +houngan +hosed +horoscopes +hopelessness +hoodwinked +honorably +honeysuckle +homegirl +holiest +hippity +hildie +hieroglyphs +hexton +herein +heckle +heaping +healthilizer +headfirst +hatsue +harlot +hardwired +halothane +hairstyles +haagen +haaaaa +gutting +gummi +groundless +groaning +gristle +grills +graynamore +grabbin +goodes +goggle +glittering +glint +gleaming +glassy +girth +gimbal +giblets +gellers +geezers +geeze +garshaw +gargantuan +garfunkel +gangway +gandarium +gamut +galoshes +gallivanting +gainfully +gachnar +fusionlips +fusilli +furiously +frugal +fricking +frederika +freckling +frauds +fountainhead +forthwith +forgo +forgettable +foresight +foresaw +fondling +fondled +fondle +folksy +fluttering +fluffing +floundering +flirtatious +flexing +flatterer +flaring +fixating +finchy +figurehead +fiendish +fertilize +ferment +fending +fellahs +feelers +fascinate +fantabulous +falsify +fallopian +faithless +fairer +fainter +failings +facetious +eyepatch +exxon +extraterrestrials +extradite +extracurriculars +extinguish +expunged +expelling +exorbitant +exhilarated +exertion +exerting +excercise +everbody +evaporated +escargot +escapee +erases +epizootics +epithelials +ephrum +entanglements +enslave +engrossed +emphatic +emeralds +ember +emancipated +elevates +ejaculate +effeminate +eccentricities +easygoing +earshot +dunks +dullness +dulli +dulled +drumstick +dropper +driftwood +dregs +dreck +dreamboat +draggin +downsizing +donowitz +dominoes +diversions +distended +dissipate +disraeli +disqualify +disowned +dishwashing +disciplining +discerning +disappoints +dinged +digested +dicking +detonating +despising +depressor +depose +deport +dents +defused +deflecting +decryption +decoys +decoupage +decompress +decibel +decadence +deafening +dawning +dater +darkened +dappy +dallying +dagon +czechoslovakians +cuticles +cuteness +cupboards +culottes +cruisin +crosshairs +cronyn +criminalistics +creatively +creaming +crapping +cranny +cowed +contradicting +constipation +confining +confidences +conceiving +conceivably +concealment +compulsively +complainin +complacent +compels +communing +commode +comming +commensurate +columnists +colonoscopy +colchicine +coddling +clump +clubbed +clowning +cliffhanger +clang +cissy +choosers +choker +chiffon +channeled +chalet +cellmates +cathartic +caseload +carjack +canvass +canisters +candlestick +candlelit +camry +calzones +calitri +caldy +byline +butterball +bustier +burlap +bureaucrat +buffoons +buenas +brookline +bronzed +broiled +broda +briss +brioche +briar +breathable +brays +brassieres +boysenberry +bowline +boooo +boonies +booklets +bookish +boogeyman +boogey +bogas +boardinghouse +bluuch +blundering +bluer +blowed +blotchy +blossomed +bloodwork +bloodied +blithering +blinks +blathering +blasphemous +blacking +birdson +bings +bfmid +bfast +bettin +berkshires +benjamins +benevolence +benched +benatar +bellybutton +belabor +behooves +beddy +beaujolais +beattle +baxworth +baseless +barfing +bannish +bankrolled +banek +ballsy +ballpoint +baffling +badder +badda +bactine +backgammon +baako +aztreonam +authoritah +auctioning +arachtoids +apropos +aprons +apprised +apprehensive +anythng +antivenin +antichrist +anorexic +anoint +anguished +angioplasty +angio +amply +ampicillin +amphetamines +alternator +alcove +alabaster +airlifted +agrabah +affidavits +admonished +admonish +addled +addendum +accuser +accompli +absurdity +absolved +abrusso +abreast +aboot +abductions +abducting +aback +ababwa +aaahhhh +zorin +zinthar +zinfandel +zillions +zephyrs +zatarcs +zacks +youuu +yokels +yardstick +yammer +y'understand +wynette +wrung +wreaths +wowed +wouldn'ta +worming +wormed +workday +woodsy +woodshed +woodchuck +wojadubakowski +withering +witching +wiseass +wiretaps +wining +willoby +wiccaning +whupped +whoopi +whoomp +wholesaler +whiteness +whiner +whatchya +wharves +wenus +weirdoes +weaning +watusi +waponi +waistband +wackos +vouching +votre +vivica +viveca +vivant +vivacious +visor +visitin +visage +vicrum +vetted +ventriloquism +venison +varnsen +vaporized +vapid +vanstock +uuuuh +ushering +urologist +urination +upstart +uprooted +unsubtitled +unspoiled +unseat +unseasonably +unseal +unsatisfying +unnerve +unlikable +unleaded +uninsured +uninspired +unicycle +unhooked +unfunny +unfreezing +unflattering +unfairness +unexpressed +unending +unencumbered +unearth +undiscovered +undisciplined +understan +undershirt +underlings +underline +undercurrent +uncivilized +uncharacteristic +umpteenth +uglies +tuney +trumps +truckasaurus +trubshaw +trouser +tringle +trifling +trickster +trespassers +trespasser +traumas +trattoria +trashes +transgressions +trampling +tp'ed +toxoplasmosis +tounge +tortillas +topsy +topple +topnotch +tonsil +tions +timmuh +timithious +tilney +tighty +tightness +tightens +tidbits +ticketed +thyme +threepio +thoughtfully +thorkel +thommo +thing'll +thefts +that've +thanksgivings +tetherball +testikov +terraforming +tepid +tendonitis +tenboom +telex +teenybopper +tattered +tattaglias +tanneke +tailspin +tablecloth +swooping +swizzle +swiping +swindled +swilling +swerving +sweatshops +swaddling +swackhammer +svetkoff +supossed +superdad +sumptuous +sugary +sugai +subvert +substantiate +submersible +sublimating +subjugation +stymied +strychnine +streetlights +strassmans +stranglehold +strangeness +straddling +straddle +stowaways +stotch +stockbrokers +stifling +stepford +steerage +steena +statuary +starlets +staggeringly +ssshhh +squaw +spurt +spungeon +spritzer +sprightly +sprays +sportswear +spoonful +splittin +splitsville +speedily +specialise +spastic +sparrin +souvlaki +southie +sourpuss +soupy +soundstage +soothes +somebody'd +softest +sociopathic +socialized +snyders +snowmobiles +snowballed +snatches +smugness +smoothest +smashes +sloshed +sleight +skyrocket +skied +skewed +sixpence +sipowicz +singling +simulates +shyness +shuvanis +showoff +shortsighted +shopkeeper +shoehorn +shithouse +shirtless +shipshape +shifu +shelve +shelbyville +sheepskin +sharpens +shaquille +shanshu +servings +sequined +seizes +seashells +scrambler +scopes +schnauzer +schmo +schizoid +scampered +savagely +saudis +santas +sandovals +sanding +saleswoman +sagging +s'cuse +rutting +ruthlessly +runneth +ruffians +rubes +rosalita +rollerblades +rohypnol +roasts +roadies +ritten +rippling +ripples +rigoletto +richardo +rethought +reshoot +reserving +reseda +rescuer +reread +requisitions +repute +reprogram +replenish +repetitious +reorganizing +reinventing +reinvented +reheat +refrigerators +reenter +recruiter +recliner +rawdy +rashes +rajeski +raison +raisers +rages +quinine +questscape +queller +pygmalion +pushers +pusan +purview +pumpin +pubescent +prudes +provolone +propriety +propped +procrastinate +processional +preyed +pretrial +portent +pooling +poofy +polloi +policia +poacher +pluses +pleasuring +platitudes +plateaued +plaguing +pittance +pinheads +pincushion +pimply +pimped +piggyback +piecing +phillipe +philipse +philby +pharaohs +petyr +petitioner +peshtigo +pesaram +persnickety +perpetrate +percolating +pepto +penne +penell +pemmican +peeks +pedaling +peacemaker +pawnshop +patting +pathologically +patchouli +pasts +pasties +passin +parlors +paltrow +palamon +padlock +paddling +oversleep +overheating +overdosed +overcharge +overblown +outrageously +ornery +opportune +oooooooooh +oohhhh +ohhhhhh +ogres +odorless +obliterated +nyong +nymphomaniac +ntozake +novocain +nough +nonnie +nonissue +nodules +nightmarish +nightline +niceties +newsman +needra +nedry +necking +navour +nauseam +nauls +narim +namath +nagged +naboo +n'sync +myslexia +mutator +mustafi +musketeer +murtaugh +murderess +munching +mumsy +muley +mouseville +mortifying +morgendorffers +moola +montel +mongoloid +molestered +moldings +mocarbies +mo'ss +mixers +misrell +misnomer +misheard +mishandled +miscreant +misconceptions +miniscule +millgate +mettle +metricconverter +meteors +menorah +mengele +melding +meanness +mcgruff +mcarnold +matzoh +matted +mastectomy +massager +marveling +marooned +marmaduke +marick +manhandled +manatees +man'll +maltin +maliciously +malfeasance +malahide +maketh +makeovers +maiming +machismo +lumpectomy +lumbering +lucci +lording +lorca +lookouts +loogie +loners +loathed +lissen +lighthearted +lifer +lickin +lewen +levitation +lestercorp +lessee +lentils +legislate +legalizing +lederhosen +lawmen +lasskopf +lardner +lambeau +lamagra +ladonn +lactic +lacquer +labatier +krabappel +kooks +knickknacks +klutzy +kleynach +klendathu +kinross +kinkaid +kind'a +ketch +kesher +karikos +karenina +kanamits +junshi +jumbled +joust +jotted +jobson +jingling +jigalong +jerries +jellies +jeeps +javna +irresistable +internist +intercranial +inseminated +inquisitor +infuriate +inflating +infidelities +incessantly +incensed +incase +incapacitate +inasmuch +inaccuracies +imploding +impeding +impediments +immaturity +illegible +iditarod +icicles +ibuprofen +i'i'm +hymie +hydrolase +hunker +humps +humons +humidor +humdinger +humbling +huggin +huffing +housecleaning +hothouse +hotcakes +hosty +hootenanny +hootchie +hoosegow +honks +honeymooners +homily +homeopathic +hitchhikers +hissed +hillnigger +hexavalent +hewwo +hershe +hermey +hergott +henny +hennigans +henhouse +hemolytic +helipad +heifer +hebrews +hebbing +heaved +headlock +harrowing +harnessed +hangovers +handi +handbasket +halfrek +hacene +gyges +guys're +gundersons +gumption +gruntmaster +grubs +grossie +groped +grins +greaseball +gravesite +gratuity +granma +grandfathers +grandbaby +gradski +gracing +gossips +gooble +goners +golitsyn +gofer +godsake +goddaughter +gnats +gluing +glares +givers +ginza +gimmie +gimmee +gennero +gemme +gazpacho +gazed +gassy +gargling +gandhiji +galvanized +gallbladder +gaaah +furtive +fumigation +fucka +fronkonsteen +frills +freezin +freewald +freeloader +frailty +forger +foolhardy +fondest +fomin +followin +follicle +flotation +flopping +floodgates +flogged +flicked +flenders +fleabag +fixings +fixable +fistful +firewater +firelight +fingerbang +finalizing +fillin +filipov +fiderer +felling +feldberg +feign +faunia +fatale +farkus +fallible +faithfulness +factoring +eyeful +extramarital +exterminated +exhume +exasperated +eviscerate +estoy +esmerelda +escapades +epoxy +enticed +enthused +entendre +engrossing +endorphins +emptive +emmys +eminently +embezzler +embarressed +embarrassingly +embalmed +eludes +eling +elated +eirie +egotitis +effecting +eerily +eecom +eczema +earthy +earlobes +eally +dyeing +dwells +duvet +duncans +dulcet +droves +droppin +drools +drey'auc +downriver +domesticity +dollop +doesnt +dobler +divulged +diversionary +distancing +dispensers +disorienting +disneyworld +dismissive +disingenuous +disheveled +disfiguring +dinning +dimming +diligently +dilettante +dilation +dickensian +diaphragms +devastatingly +destabilize +desecrate +deposing +deniece +demony +delving +delicates +deigned +defraud +deflower +defibrillator +defiantly +defenceless +defacing +deconstruction +decompose +deciphering +decibels +deceptively +deceptions +decapitation +debutantes +debonair +deadlier +dawdling +davic +darwinism +darnit +darks +danke +danieljackson +dangled +cytoxan +cutout +cutlery +curveball +curfews +cummerbund +crunches +crouched +crisps +cripples +crilly +cribs +crewman +creepin +creeds +credenza +creak +crawly +crawlin +crawlers +crated +crackheads +coworker +couldn't've +corwins +coriander +copiously +convenes +contraceptives +contingencies +contaminating +conniption +condiment +concocting +comprehending +complacency +commendatore +comebacks +com'on +collarbone +colitis +coldly +coiffure +coffers +coeds +codependent +cocksucking +cockney +cockles +clutched +closeted +cloistered +cleve +cleats +clarifying +clapped +cinnabar +chunnel +chumps +cholinesterase +choirboy +chocolatey +chlamydia +chigliak +cheesie +chauvinistic +chasm +chartreuse +charo +charnier +chapil +chalked +chadway +certifiably +cellulite +celled +cavalcade +cataloging +castrated +cassio +cashews +cartouche +carnivore +carcinogens +capulet +captivated +capt'n +cancellations +campin +callate +callar +caffeinated +cadavers +cacophony +cackle +buzzes +buttoning +busload +burglaries +burbs +buona +bunions +bullheaded +buffs +bucyk +buckling +bruschetta +browbeating +broomsticks +broody +bromly +brolin +briefings +brewskies +breathalyzer +breakups +bratwurst +brania +braiding +brags +braggin +bradywood +bottomed +bossa +bordello +bookshelf +boogida +bondsman +bolder +boggles +bludgeoned +blowtorch +blotter +blips +blemish +bleaching +blainetologists +blading +blabbermouth +birdseed +bimmel +biloxi +biggly +bianchinni +betadine +berenson +belus +belloq +begets +befitting +beepers +beelzebub +beefed +bedridden +bedevere +beckons +beaded +baubles +bauble +battleground +bathrobes +basketballs +basements +barroom +barnacle +barkin +barked +baretta +bangles +bangler +banality +bambang +baltar +ballplayers +bagman +baffles +backroom +babysat +baboons +averse +audiotape +auctioneer +atten +atcha +astonishment +arugula +arroz +antihistamines +annoyances +anesthesiology +anatomically +anachronism +amiable +amaretto +allahu +alight +aimin +ailment +afterglow +affronte +advil +adrenals +actualization +acrost +ached +accursed +accoutrements +absconded +aboveboard +abetted +aargh +aaaahh +zuwicky +zolda +ziploc +zakamatak +youve +yippie +yesterdays +yella +yearns +yearnings +yearned +yawning +yalta +yahtzee +y'mean +y'are +wuthering +wreaks +worrisome +workiiing +wooooooo +wonky +womanizing +wolodarsky +wiwith +withdraws +wishy +wisht +wipers +wiper +winos +windthorne +windsurfing +windermere +wiggled +wiggen +whwhat +whodunit +whoaaa +whittling +whitesnake +whereof +wheezing +wheeze +whatd'ya +whataya +whammo +whackin +wellll +weightless +weevil +wedgies +webbing +weasly +wayside +waxes +waturi +washy +washrooms +wandell +waitaminute +waddya +waaaah +vornac +vishnoor +virulent +vindictiveness +vinceres +villier +vigeous +vestigial +ventilate +vented +venereal +veering +veered +veddy +vaslova +valosky +vailsburg +vaginas +vagas +urethra +upstaged +uploading +unwrapping +unwieldy +untapped +unsatisfied +unquenchable +unnerved +unmentionable +unlovable +unknowns +uninformed +unimpressed +unhappily +unguarded +unexplored +undergarment +undeniably +unclench +unclaimed +uncharacteristically +unbuttoned +unblemished +ululd +uhhhm +tweeze +tutsami +tushy +tuscarora +turkle +turghan +turbinium +tubers +trucoat +troxa +tropicana +triquetra +trimmers +triceps +trespassed +traya +traumatizing +transvestites +trainors +tradin +trackers +townies +tourelles +toucha +tossin +tortious +topshop +topes +tonics +tongs +tomsk +tomorrows +toiling +toddle +tizzy +tippers +timmi +thwap +thusly +ththe +thrusts +throwers +throwed +throughway +thickening +thermonuclear +thelwall +thataway +terrifically +tendons +teleportation +telepathically +telekinetic +teetering +teaspoons +tarantulas +tapas +tanned +tangling +tamales +tailors +tahitian +tactful +tachy +tablespoon +syrah +synchronicity +synch +synapses +swooning +switchman +swimsuits +sweltering +sweetly +suvolte +suslov +surfed +supposition +suppertime +supervillains +superfluous +superego +sunspots +sunning +sunless +sundress +suckah +succotash +sublevel +subbasement +studious +striping +strenuously +straights +stonewalled +stillness +stilettos +stevesy +steno +steenwyck +stargates +stammering +staedert +squiggly +squiggle +squashing +squaring +spreadsheet +spramp +spotters +sporto +spooking +splendido +spittin +spirulina +spiky +spate +spartacus +spacerun +soonest +something'll +someth +somepin +someone'll +sofas +soberly +sobered +snowmen +snowbank +snowballing +snivelling +sniffling +snakeskin +snagging +smush +smooter +smidgen +smackers +slumlord +slossum +slimmer +slighted +sleepwalk +sleazeball +skokie +skeptic +sitarides +sistah +sipped +sindell +simpletons +simony +silkwood +silks +silken +sightless +sideboard +shuttles +shrugging +shrouds +showy +shoveled +shouldn'ta +shoplifters +shitstorm +sheeny +shapetype +shaming +shallows +shackle +shabbily +shabbas +seppuku +senility +semite +semiautomatic +selznick +secretarial +sebacio +scuzzy +scummy +scrutinized +scrunchie +scribbled +scotches +scolded +scissor +schlub +scavenging +scarin +scarfing +scallions +scald +savour +savored +saute +sarcoidosis +sandbar +saluted +salish +saith +sailboats +sagittarius +sacre +saccharine +sacamano +rushdie +rumpled +rumba +rulebook +rubbers +roughage +rotisserie +rootie +roofy +roofie +romanticize +rittle +ristorante +rippin +rinsing +ringin +rincess +rickety +reveling +retest +retaliating +restorative +reston +restaurateur +reshoots +resetting +resentments +reprogramming +repossess +repartee +renzo +remore +remitting +remeber +relaxants +rejuvenate +rejections +regenerated +refocus +referrals +reeno +recycles +recrimination +reclining +recanting +reattach +reassigning +razgul +raved +rattlesnakes +rattles +rashly +raquetball +ransack +raisinettes +raheem +radisson +radishes +raban +quoth +qumari +quints +quilts +quilting +quien +quarreled +purty +purblind +punchbowl +publically +psychotics +psychopaths +psychoanalyze +pruning +provasik +protectin +propping +proportioned +prophylactic +proofed +prompter +procreate +proclivities +prioritizing +prinze +pricked +press'll +presets +prescribes +preocupe +prejudicial +prefex +preconceived +precipice +pralines +pragmatist +powerbar +pottie +pottersville +potsie +potholes +posses +posies +portkey +porterhouse +pornographers +poring +poppycock +poppers +pomponi +pokin +poitier +podiatry +pleeze +pleadings +playbook +platelets +plane'arium +placebos +place'll +pistachios +pirated +pinochle +pineapples +pinafore +pimples +piggly +piddling +picon +pickpockets +picchu +physiologically +physic +phobic +philandering +phenomenally +pheasants +pewter +petticoat +petronis +petitioning +perturbed +perpetuating +permutat +perishable +perimeters +perfumed +percocet +per'sus +pepperjack +penalize +pelting +pellet +peignoir +pedicures +peckers +pecans +pawning +paulsson +pattycake +patrolmen +patois +pathos +pasted +parishioner +parcheesi +parachuting +papayas +pantaloons +palpitations +palantine +paintballing +overtired +overstress +oversensitive +overnights +overexcited +overanxious +overachiever +outwitted +outvoted +outnumber +outlast +outlander +out've +orphey +orchestrating +openers +ooooooo +okies +ohhhhhhhhh +ohhhhhhhh +ogling +offbeat +obsessively +obeyed +o'hana +o'bannon +o'bannion +numpce +nummy +nuked +nuances +nourishing +nosedive +norbu +nomlies +nomine +nixed +nihilist +nightshift +newmeat +neglectful +neediness +needin +naphthalene +nanocytes +nanite +naivete +n'yeah +mystifying +myhnegon +mutating +musing +mulled +muggy +muerto +muckraker +muchachos +mountainside +motherless +mosquitos +morphed +mopped +moodoo +moncho +mollem +moisturiser +mohicans +mocks +mistresses +misspent +misinterpretation +miscarry +minuses +mindee +mimes +millisecond +milked +mightn't +mightier +mierzwiak +microchips +meyerling +mesmerizing +mershaw +meecrob +medicate +meddled +mckinnons +mcgewan +mcdunnough +mcats +mbien +matzah +matriarch +masturbated +masselin +martialed +marlboros +marksmanship +marinate +marchin +manicured +malnourished +malign +majorek +magnon +magnificently +macking +machiavellian +macdougal +macchiato +macaws +macanaw +m'self +lydells +lusts +lucite +lubricants +lopper +lopped +loneliest +lonelier +lomez +lojack +loath +liquefy +lippy +limps +likin +lightness +liesl +liebchen +licious +libris +libation +lhamo +leotards +leanin +laxatives +lavished +latka +lanyard +lanky +landmines +lameness +laddies +lacerated +labored +l'amour +kreskin +kovitch +kournikova +kootchy +konoss +knknow +knickety +knackety +kmart +klicks +kiwanis +kissable +kindergartners +kilter +kidnet +kid'll +kicky +kickbacks +kickback +kholokov +kewpie +kendo +katra +kareoke +kafelnikov +kabob +junjun +jumba +julep +jordie +jondy +jolson +jenoff +jawbone +janitorial +janiro +ipecac +invigorated +intruded +intros +intravenously +interruptus +interrogations +interject +interfacing +interestin +insuring +instilled +insensitivity +inscrutable +inroads +innards +inlaid +injector +ingratitude +infuriates +infra +infliction +indelicate +incubators +incrimination +inconveniencing +inconsolable +incestuous +incas +incarcerate +inbreeding +impudence +impressionists +impeached +impassioned +imipenem +idling +idiosyncrasies +icebergs +hypotensive +hydrochloride +hushed +humus +humph +hummm +hulking +hubcaps +hubald +howya +howbout +how'll +housebroken +hotwire +hotspots +hotheaded +horrace +hopsfield +honto +honkin +honeymoons +homewrecker +hombres +hollers +hollerin +hoedown +hoboes +hobbling +hobble +hoarse +hinky +highlighters +hexes +heru'ur +hernias +heppleman +hell're +heighten +heheheheheh +heheheh +hedging +heckling +heckled +heavyset +heatshield +heathens +heartthrob +headpiece +hayseed +haveo +hauls +hasten +harridan +harpoons +hardens +harcesis +harbouring +hangouts +halkein +haleh +halberstam +hairnet +hairdressers +hacky +haaaa +h'yah +gusta +gushy +gurgling +guilted +gruel +grudging +grrrrrr +grosses +groomsmen +griping +gravest +gratified +grated +goulash +goopy +goona +goodly +godliness +godawful +godamn +glycerin +glutes +glowy +globetrotters +glimpsed +glenville +glaucoma +girlscout +giraffes +gilbey +gigglepuss +ghora +gestating +gelato +geishas +gearshift +gayness +gasped +gaslighting +garretts +garba +gablyczyck +g'head +fumigating +fumbling +fudged +fuckwad +fuck're +fuchsia +fretting +freshest +frenchies +freezers +fredrica +fraziers +fraidy +foxholes +fourty +fossilized +forsake +forfeits +foreclosed +foreal +footsies +florists +flopped +floorshow +floorboard +flinching +flecks +flaubert +flatware +flatulence +flatlined +flashdance +flail +flagging +fiver +fitzy +fishsticks +finetti +finelli +finagle +filko +fieldstone +fibber +ferrini +feedin +feasting +favore +fathering +farrouhk +farmin +fairytale +fairservice +factoid +facedown +fabled +eyeballin +extortionist +exquisitely +expedited +exorcise +existentialist +execs +exculpatory +exacerbate +everthing +eventuality +evander +euphoric +euphemisms +estamos +erred +entitle +enquiries +enormity +enfants +endive +encyclopedias +emulating +embittered +effortless +ectopic +ecirc +easely +earphones +earmarks +dweller +durslar +durned +dunois +dunking +dunked +dumdum +dullard +dudleys +druthers +druggist +drossos +drooled +driveways +drippy +dreamless +drawstring +drang +drainpipe +dozing +dotes +dorkface +doorknobs +doohickey +donnatella +doncha +domicile +dokos +dobermans +dizzying +divola +ditsy +distaste +disservice +dislodged +dislodge +disinherit +disinformation +discounting +dinka +dimly +digesting +diello +diddling +dictatorships +dictators +diagnostician +devours +devilishly +detract +detoxing +detours +detente +destructs +desecrated +derris +deplore +deplete +demure +demolitions +demean +delish +delbruck +delaford +degaulle +deftly +deformity +deflate +definatly +defector +decrypted +decontamination +decapitate +decanter +dardis +dampener +damme +daddy'll +dabbling +dabbled +d'etre +d'argent +d'alene +d'agnasti +czechoslovakian +cymbal +cyberdyne +cutoffs +cuticle +curvaceous +curiousity +crowing +crowed +croutons +cropped +criminy +crescentis +crashers +cranwell +coverin +courtrooms +countenance +cosmically +cosign +corroboration +coroners +cornflakes +copperpot +copperhead +copacetic +coordsize +convulsing +consults +conjures +congenial +concealer +compactor +commercialism +cokey +cognizant +clunkers +clumsily +clucking +cloves +cloven +cloths +clothe +clods +clocking +clings +clavicle +classless +clashing +clanking +clanging +clamping +civvies +citywide +circulatory +circuited +chronisters +chromic +choos +chloroformed +chillun +cheesed +chatterbox +chaperoned +channukah +cerebellum +centerpieces +centerfold +ceecee +ccedil +cavorting +cavemen +cauterized +cauldwell +catting +caterine +cassiopeia +carves +cartwheel +carpeted +carob +caressing +carelessly +careening +capricious +capitalistic +capillaries +candidly +camaraderie +callously +calfskin +caddies +buttholes +busywork +busses +burps +burgomeister +bunkhouse +bungchow +bugler +buffets +buffed +brutish +brusque +bronchitis +bromden +brolly +broached +brewskis +brewin +brean +breadwinner +brana +bountiful +bouncin +bosoms +borgnine +bopping +bootlegs +booing +bombosity +bolting +boilerplate +bluey +blowback +blouses +bloodsuckers +bloodstained +bloat +bleeth +blackface +blackest +blackened +blacken +blackballed +blabs +blabbering +birdbrain +bipartisanship +biodegradable +biltmore +bilked +big'uns +bidet +besotted +bernheim +benegas +bendiga +belushi +bellboys +belittling +behinds +begone +bedsheets +beckoning +beaute +beaudine +beastly +beachfront +bathes +batak +baser +baseballs +barbella +bankrolling +bandaged +baerly +backlog +backin +babying +azkaban +awwwww +aviary +authorizes +austero +aunty +attics +atreus +astounded +astonish +artemus +arses +arintero +appraiser +apathetic +anybody'd +anxieties +anticlimactic +antar +anglos +angleman +anesthetist +androscoggin +andolini +andale +amway +amuck +amniocentesis +amnesiac +americano +amara +alvah +altruism +alternapalooza +alphabetize +alpaca +allus +allergist +alexandros +alaikum +akimbo +agoraphobia +agides +aggrhh +aftertaste +adoptions +adjuster +addictions +adamantium +activator +accomplishes +aberrant +aaaaargh +aaaaaaaaaaaaa +a'ight +zzzzzzz +zucchini +zookeeper +zirconia +zippers +zequiel +zellary +zeitgeist +zanuck +zagat +you'n +ylang +yes'm +yenta +yecchh +yecch +yawns +yankin +yahdah +yaaah +y'got +xeroxed +wwooww +wristwatch +wrangled +wouldst +worthiness +worshiping +wormy +wormtail +wormholes +woosh +wollsten +wolfing +woefully +wobbling +wintry +wingding +windstorm +windowtext +wiluna +wilting +wilted +willick +willenholly +wildflowers +wildebeest +whyyy +whoppers +whoaa +whizzing +whizz +whitest +whistled +whist +whinny +wheelies +whazzup +whatwhatwhaaat +whato +whatdya +what'dya +whacks +wewell +wetsuit +welluh +weeps +waylander +wavin +wassail +wasnt +warneford +warbucks +waltons +wallbanger +waiving +waitwait +vowing +voucher +vornoff +vorhees +voldemort +vivre +vittles +vindaloo +videogames +vichyssoise +vicarious +vesuvius +verguenza +ven't +velveteen +velour +velociraptor +vastness +vasectomies +vapors +vanderhof +valmont +validates +valiantly +vacuums +usurp +usernum +us'll +urinals +unyielding +unvarnished +unturned +untouchables +untangled +unsecured +unscramble +unreturned +unremarkable +unpretentious +unnerstand +unmade +unimpeachable +unfashionable +underwrite +underlining +underling +underestimates +underappreciated +uncouth +uncork +uncommonly +unclog +uncircumcised +unchallenged +uncas +unbuttoning +unapproved +unamerican +unafraid +umpteen +umhmm +uhwhy +ughuh +typewriters +twitches +twitched +twirly +twinkling +twinges +twiddling +turners +turnabout +tumblin +tryed +trowel +trousseau +trivialize +trifles +tribianni +trenchcoat +trembled +traumatize +transitory +transients +transfuse +transcribing +tranq +trampy +traipsed +trainin +trachea +traceable +touristy +toughie +toscanini +tortola +tortilla +torreon +toreador +tommorrow +tollbooth +tollans +toidy +togas +tofurkey +toddling +toddies +toasties +toadstool +to've +tingles +timin +timey +timetables +tightest +thuggee +thrusting +thrombus +throes +thrifty +thornharts +thinnest +thicket +thetas +thesulac +tethered +testaburger +tersenadine +terrif +terdlington +tepui +temping +tector +taxidermy +tastebuds +tartlets +tartabull +tar'd +tantamount +tangy +tangles +tamer +tabula +tabletops +tabithia +szechwan +synthedyne +svenjolly +svengali +survivalists +surmise +surfboards +surefire +suprise +supremacists +suppositories +superstore +supercilious +suntac +sunburned +summercliff +sullied +sugared +suckle +subtleties +substantiated +subsides +subliminal +subhuman +strowman +stroked +stroganoff +streetlight +straying +strainer +straighter +straightener +stoplight +stirrups +stewing +stereotyping +stepmommy +stephano +stashing +starshine +stairwells +squatsie +squandering +squalid +squabbling +squab +sprinkling +spreader +spongy +spokesmen +splintered +spittle +spitter +spiced +spews +spendin +spect +spearchucker +spatulas +southtown +soused +soshi +sorter +sorrowful +sooth +some'in +soliloquy +soiree +sodomized +sobriki +soaping +snows +snowcone +snitching +snitched +sneering +snausages +snaking +smoothed +smoochies +smarten +smallish +slushy +slurring +sluman +slithers +slippin +sleuthing +sleeveless +skinless +skillfully +sketchbook +skagnetti +sista +sinning +singularly +sinewy +silverlake +siguto +signorina +sieve +sidearms +shying +shunning +shtud +shrieks +shorting +shortbread +shopkeepers +shmancy +shizzit +shitheads +shitfaced +shipmates +shiftless +shelving +shedlow +shavings +shatters +sharifa +shampoos +shallots +shafter +sha'nauc +sextant +serviceable +sepsis +senores +sendin +semis +semanski +selflessly +seinfelds +seers +seeps +seductress +secaucus +sealant +scuttling +scusa +scrunched +scissorhands +schreber +schmancy +scamps +scalloped +savoir +savagery +sarong +sarnia +santangel +samool +sallow +salino +safecracker +sadism +sacrilegious +sabrini +sabath +s'aright +ruttheimer +rudest +rubbery +rousting +rotarian +roslin +roomed +romari +romanica +rolltop +rolfski +rockettes +roared +ringleader +riffing +ribcage +rewired +retrial +reting +resuscitated +restock +resale +reprogrammed +replicant +repentant +repellant +repays +repainting +renegotiating +rendez +remem +relived +relinquishes +relearn +relaxant +rekindling +rehydrate +refueled +refreshingly +refilling +reexamine +reeseman +redness +redeemable +redcoats +rectangles +recoup +reciprocated +reassessing +realy +realer +reachin +re'kali +rawlston +ravages +rappaports +ramoray +ramming +raindrops +rahesh +radials +racists +rabartu +quiches +quench +quarreling +quaintly +quadrants +putumayo +put'em +purifier +pureed +punitis +pullout +pukin +pudgy +puddings +puckering +pterodactyl +psychodrama +psats +protestations +protectee +prosaic +propositioned +proclivity +probed +printouts +prevision +pressers +preset +preposition +preempt +preemie +preconceptions +prancan +powerpuff +potties +potpie +poseur +porthole +poops +pooping +pomade +polyps +polymerized +politeness +polisher +polack +pocketknife +poatia +plebeian +playgroup +platonically +platitude +plastering +plasmapheresis +plaids +placemats +pizzazz +pintauro +pinstripes +pinpoints +pinkner +pincer +pimento +pileup +pilates +pigmen +pieeee +phrased +photocopies +phoebes +philistines +philanderer +pheromone +phasers +pfeffernuesse +pervs +perspire +personify +perservere +perplexed +perpetrating +perkiness +perjurer +periodontist +perfunctory +perdido +percodan +pentameter +pentacle +pensive +pensione +pennybaker +pennbrooke +penhall +pengin +penetti +penetrates +pegnoir +peeve +peephole +pectorals +peckin +peaky +peaksville +paxcow +paused +patted +parkishoff +parkers +pardoning +paraplegic +paraphrasing +paperers +papered +pangs +paneling +palooza +palmed +palmdale +palatable +pacify +pacified +owwwww +oversexed +overrides +overpaying +overdrawn +overcompensate +overcomes +overcharged +outmaneuver +outfoxed +oughtn't +ostentatious +oshun +orthopedist +or'derves +ophthalmologist +operagirl +oozes +oooooooh +onesie +omnis +omelets +oktoberfest +okeydoke +ofthe +ofher +obstetrical +obeys +obeah +o'henry +nyquil +nyanyanyanyah +nuttin +nutsy +nutball +nurhachi +numbskull +nullifies +nullification +nucking +nubbin +nourished +nonspecific +noing +noinch +nohoho +nobler +nitwits +newsprint +newspaperman +newscaster +neuropathy +netherworld +neediest +navasky +narcissists +napped +nafta +mache +mykonos +mutilating +mutherfucker +mutha +mutates +mutate +musn't +murchy +multitasking +mujeeb +mudslinging +muckraking +mousetrap +mourns +mournful +motherf +mostro +morphing +morphate +moralistic +moochy +mooching +monotonous +monopolize +monocle +molehill +moland +mofet +mockup +mobilizing +mmmmmmm +mitzvahs +mistreating +misstep +misjudge +misinformation +misdirected +miscarriages +miniskirt +mindwarped +minced +milquetoast +miguelito +mightily +midstream +midriff +mideast +microbe +methuselah +mesdames +mescal +men'll +memma +megaton +megara +megalomaniac +meeee +medulla +medivac +meaninglessness +mcnuggets +mccarthyism +maypole +may've +mauve +mateys +marshack +markles +marketable +mansiere +manservant +manse +manhandling +mallomars +malcontent +malaise +majesties +mainsail +mailmen +mahandra +magnolias +magnified +magev +maelstrom +machu +macado +m'boy +m'appelle +lustrous +lureen +lunges +lumped +lumberyard +lulled +luego +lucks +lubricated +loveseat +loused +lounger +loski +lorre +loora +looong +loonies +loincloth +lofts +lodgers +lobbing +loaner +livered +liqueur +ligourin +lifesaving +lifeguards +lifeblood +liaisons +let'em +lesbianism +lence +lemonlyman +legitimize +leadin +lazars +lazarro +lawyering +laugher +laudanum +latrines +lations +laters +lapels +lakefront +lahit +lafortunata +lachrymose +l'italien +kwaini +kruczynski +kramerica +kowtow +kovinsky +korsekov +kopek +knowakowski +knievel +knacks +kiowas +killington +kickball +keyworth +keymaster +kevie +keveral +kenyons +keggers +keepsakes +kechner +keaty +kavorka +karajan +kamerev +kaggs +jujyfruit +jostled +jonestown +jokey +joists +jocko +jimmied +jiggled +jests +jenzen +jenko +jellyman +jedediah +jealitosis +jaunty +jarmel +jankle +jagoff +jagielski +jackrabbits +jabbing +jabberjaw +izzat +irresponsibly +irrepressible +irregularity +irredeemable +inuvik +intuitions +intubated +intimates +interminable +interloper +intercostal +instyle +instigate +instantaneously +ining +ingrown +ingesting +infusing +infringe +infinitum +infact +inequities +indubitably +indisputable +indescribably +indentation +indefinable +incontrovertible +inconsequential +incompletes +incoherently +inclement +incidentals +inarticulate +inadequacies +imprudent +improprieties +imprison +imprinted +impressively +impostors +importante +imperious +impale +immodest +immobile +imbedded +imbecilic +illegals +idn't +hysteric +hypotenuse +hygienic +hyeah +hushpuppies +hunhh +humpback +humored +hummed +humiliates +humidifier +huggy +huggers +huckster +hotbed +hosing +hosers +horsehair +homebody +homebake +holing +holies +hoisting +hogwallop +hocks +hobbits +hoaxes +hmmmmm +hisses +hippest +hillbillies +hilarity +heurh +herniated +hermaphrodite +hennifer +hemlines +hemline +hemery +helplessness +helmsley +hellhound +heheheheh +heeey +hedda +heartbeats +heaped +healers +headstart +headsets +headlong +hawkland +havta +haulin +harvey'll +hanta +hansom +hangnail +handstand +handrail +handoff +hallucinogen +hallor +halitosis +haberdashery +gypped +guy'll +gumbel +guerillas +guava +guardrail +grunther +grunick +groppi +groomer +grodin +gripes +grinds +grifters +gretch +greevey +greasing +graveyards +grandkid +grainy +gouging +gooney +googly +goldmuff +goldenrod +goingo +godly +gobbledygook +gobbledegook +glues +gloriously +glengarry +glassware +glamor +gimmicks +giggly +giambetti +ghoulish +ghettos +ghali +gether +geriatrics +gerbils +geosynchronous +georgio +gente +gendarme +gelbman +gazillionth +gayest +gauging +gastro +gaslight +gasbag +garters +garish +garas +gantu +gangy +gangly +gangland +galling +gadda +furrowed +funnies +funkytown +fugimotto +fudging +fuckeen +frustrates +froufrou +froot +fromberge +frizzies +fritters +frightfully +friendliest +freeloading +freelancing +freakazoid +fraternization +framers +fornication +fornicating +forethought +footstool +foisting +focussing +focking +flurries +fluffed +flintstones +fledermaus +flayed +flawlessly +flatters +flashbang +flapped +fishies +firmer +fireproof +firebug +fingerpainting +finessed +findin +financials +finality +fillets +fiercest +fiefdom +fibbing +fervor +fentanyl +fenelon +fedorchuk +feckless +feathering +faucets +farewells +fantasyland +fanaticism +faltered +faggy +faberge +extorting +extorted +exterminating +exhumation +exhilaration +exhausts +exfoliate +excels +exasperating +exacting +everybody'd +evasions +espressos +esmail +errrr +erratically +eroding +ernswiler +epcot +enthralled +ensenada +enriching +enrage +enhancer +endear +encrusted +encino +empathic +embezzle +emanates +electricians +eking +egomaniacal +egging +effacing +ectoplasm +eavesdropped +dummkopf +dugray +duchaisne +drunkard +drudge +droop +droids +drips +dripped +dribbles +drazens +downy +downsize +downpour +dosages +doppelganger +dopes +doohicky +dontcha +doneghy +divining +divest +diuretics +diuretic +distrustful +disrupts +dismemberment +dismember +disinfect +disillusionment +disheartening +discourteous +discotheque +discolored +dirtiest +diphtheria +dinks +dimpled +didya +dickwad +diatribes +diathesis +diabetics +deviants +detonates +detests +detestable +detaining +despondent +desecration +derision +derailing +deputized +depressors +dependant +dentures +denominators +demur +demonology +delts +dellarte +delacour +deflated +defib +defaced +decorators +deaqon +davola +datin +darwinian +darklighters +dandelions +dampened +damaskinos +dalrimple +d'peshu +d'hoffryn +d'astier +cynics +cutesy +cutaway +curmudgeon +curdle +culpability +cuisinart +cuffing +crypts +cryptid +crunched +crumblers +crudely +crosscheck +croon +crissake +crevasse +creswood +creepo +creases +creased +creaky +cranks +crabgrass +coveralls +couple'a +coughs +coslaw +corporeal +cornucopia +cornering +corks +cordoned +coolly +coolin +cookbooks +contrite +contented +constrictor +confound +confit +confiscating +condoned +conditioners +concussions +comprendo +comers +combustible +combusted +collingswood +coldness +coitus +codicil +coasting +clydesdale +cluttering +clunker +clunk +clumsiness +clotted +clothesline +clinches +clincher +cleverness +clench +clein +cleanses +claymores +clammed +chugging +chronically +christsakes +choque +chompers +chiseling +chirpy +chirp +chinks +chingachgook +chickenpox +chickadee +chewin +chessboard +chargin +chanteuse +chandeliers +chamdo +chagrined +chaff +certs +certainties +cerreno +cerebrum +censured +cemetary +caterwauling +cataclysmic +casitas +cased +carvel +carting +carrear +carolling +carolers +carnie +cardiogram +carbuncle +capulets +canines +candaules +canape +caldecott +calamitous +cadillacs +cachet +cabeza +cabdriver +buzzards +butai +businesswomen +bungled +bumpkins +bummers +bulldoze +buffybot +bubut +bubbies +brrrrr +brownout +brouhaha +bronzing +bronchial +broiler +briskly +briefcases +bricked +breezing +breeher +breakable +breadstick +bravenet +braved +brandies +brainwaves +brainiest +braggart +bradlee +boys're +boys'll +boys'd +boutonniere +bossed +bosomy +borans +boosts +bookshelves +bookends +boneless +bombarding +bollo +boinked +boink +bluest +bluebells +bloodshot +blockhead +blockbusters +blithely +blather +blankly +bladders +blackbeard +bitte +bippy +biogenetics +bilge +bigglesworth +bicuspids +beususe +betaseron +besmirch +bernece +bereavement +bentonville +benchley +benching +bembe +bellyaching +bellhops +belie +beleaguered +behrle +beginnin +begining +beenie +beefs +beechwood +becau +beaverhausen +beakers +bazillion +baudouin +barrytown +barringtons +barneys +barbs +barbers +barbatus +bankrupted +bailiffs +backslide +baby'd +baaad +b'fore +awwwk +aways +awakes +automatics +authenticate +aught +aubyn +attired +attagirl +atrophied +asystole +astroturf +assertiveness +artichokes +arquillians +aright +archenemy +appraise +appeased +antin +anspaugh +anesthetics +anaphylactic +amscray +ambivalence +amalio +alriiight +alphabetized +alpena +alouette +allora +alliteration +allenwood +allegiances +algerians +alcerro +alastor +ahaha +agitators +aforethought +advertises +admonition +adirondacks +adenoids +acupuncturist +acula +actuarial +activators +actionable +achingly +accusers +acclimated +acclimate +absurdly +absorbent +absolvo +absolutes +absences +abdomenizer +aaaaaaaaah +aaaaaaaaaa +a'right diff --git a/user/user_data/first_party_sets.db b/user/user_data/first_party_sets.db index c9b5189..e76aefa 100644 Binary files a/user/user_data/first_party_sets.db and b/user/user_data/first_party_sets.db differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/_metadata/verified_contents.json b/user/user_data/hyphen-data/120.0.6050.0/_metadata/verified_contents.json new file mode 100644 index 0000000..b5cf545 --- /dev/null +++ b/user/user_data/hyphen-data/120.0.6050.0/_metadata/verified_contents.json @@ -0,0 +1 @@ +[{"description":"treehash per file","signed_content":{"payload":"eyJjb250ZW50X2hhc2hlcyI6W3siYmxvY2tfc2l6ZSI6NDA5NiwiZGlnZXN0Ijoic2hhMjU2IiwiZmlsZXMiOlt7InBhdGgiOiJoeXBoLWFmLmh5YiIsInJvb3RfaGFzaCI6ImU3S1ZpWjlhODYwT3ZfdHR1dTRDME9JODlGQUNkcjR0Z01lOGhnNU1xVUkifSx7InBhdGgiOiJoeXBoLWFzLmh5YiIsInJvb3RfaGFzaCI6InduaE9NeFdLZ0hFMWhROXhKYWZxcS1SeXM4X0hyN2dzZFBBdHBwNmlVUDQifSx7InBhdGgiOiJoeXBoLWJlLmh5YiIsInJvb3RfaGFzaCI6IlpLdnllRTdIQmlLMktnYjBwRUUzVnotRmZ4RlJoQVNQcUJHeXlCbGtkaDAifSx7InBhdGgiOiJoeXBoLWJnLmh5YiIsInJvb3RfaGFzaCI6ImRaUHdPVkNCNC02eTJGRnRFSFJtQ0tfWUpzXzlUbjQzMVRrMm1UMGdDaE0ifSx7InBhdGgiOiJoeXBoLWJuLmh5YiIsInJvb3RfaGFzaCI6InduaE9NeFdLZ0hFMWhROXhKYWZxcS1SeXM4X0hyN2dzZFBBdHBwNmlVUDQifSx7InBhdGgiOiJoeXBoLWNzLmh5YiIsInJvb3RfaGFzaCI6IklnUndJWmZEOFctRjdYbExMMHJ4TTdkYTVRc3FVQlVwS2F5SkdodlVfRXcifSx7InBhdGgiOiJoeXBoLWN1Lmh5YiIsInJvb3RfaGFzaCI6ImFiWlhPbWx5T0dnSEplVWlHMkhaQURadHA3dlM2QnI3RGh3TUF0eWV4N2sifSx7InBhdGgiOiJoeXBoLWN5Lmh5YiIsInJvb3RfaGFzaCI6Ims5Y1JTUUhCNDNiNlVNaHN6cE5nN3k2cGliTVZGOFJnQjk3MmpQVGNvYkEifSx7InBhdGgiOiJoeXBoLWRhLmh5YiIsInJvb3RfaGFzaCI6IlRMZk92MjdUTFFpSDdWaFNIbDlCblQydDlKSkl1WEpDMWlFWUxRS251bGcifSx7InBhdGgiOiJoeXBoLWRlLTE5MDEuaHliIiwicm9vdF9oYXNoIjoiMHlHekNnc2tpTGI1STJoTC0yc1FCVmJMXzNCekE4VFNwSUZ6aDltd1ZsYyJ9LHsicGF0aCI6Imh5cGgtZGUtMTk5Ni5oeWIiLCJyb290X2hhc2giOiJIMGVZZHhlbDNyZU15UHRqVEt2QUI4RWFzaEFTbGpMUmhZOU83c0ljUFVRIn0seyJwYXRoIjoiaHlwaC1kZS1jaC0xOTAxLmh5YiIsInJvb3RfaGFzaCI6InpMQVlIVGVvc3IwdlBrcTc2VjdJM083b0V1cUI5M3NtSmxqNThibjZuYWMifSx7InBhdGgiOiJoeXBoLWVsLmh5YiIsInJvb3RfaGFzaCI6IjFOazV4S1JiR1ZYVElCUkVIbjB2SFJzU1VNTjZfdDAzdTVtRkwzMEtNN3MifSx7InBhdGgiOiJoeXBoLWVuLWdiLmh5YiIsInJvb3RfaGFzaCI6IlZvR2ZOaHpnajBOQ29qelhscjBQdjFSdnpFTEZJVFJ3MURRTWRUMXZiT0kifSx7InBhdGgiOiJoeXBoLWVuLXVzLmh5YiIsInJvb3RfaGFzaCI6Il94OUFGM2dFMzBLelE0bHFRU1BqLWZXWnl0bnNqLURWQVgzdDRqZEVUVXMifSx7InBhdGgiOiJoeXBoLWVzLmh5YiIsInJvb3RfaGFzaCI6IjBmdWc0YWVadDc0Z19XbEVyNUtsY1JHWkVkMzJXZFEtWFptSkxZX2xuRWsifSx7InBhdGgiOiJoeXBoLWV0Lmh5YiIsInJvb3RfaGFzaCI6ImxkUFIwUm14R3EyZ3EzNFF1Ylp6LXRlRGtvWFFibmg4VjM2bjIyRkNxY0EifSx7InBhdGgiOiJoeXBoLWV1Lmh5YiIsInJvb3RfaGFzaCI6IjRuZUtUOGU0OEdTaksycEV2Q254RGlaTm5XSVV1TzI0NjlIMTl0YU9MckkifSx7InBhdGgiOiJoeXBoLWZyLmh5YiIsInJvb3RfaGFzaCI6IjFudGF1Nm9FVUtQbWV2SFJKSkwydEc5c1FYQmxOcHFSZFJxYlZpMnJZeDAifSx7InBhdGgiOiJoeXBoLWdhLmh5YiIsInJvb3RfaGFzaCI6ImxGLVlGb3VwcUItempfM1ZadFc0aEw4Uk51Ql9YREpna0p2N1VMMFJFc1kifSx7InBhdGgiOiJoeXBoLWdsLmh5YiIsInJvb3RfaGFzaCI6IlJBU1hfb0MxVzFDUmtOYURETC0xZVoxYnYyS0c0Y2hfWE1jUEU4cXRpY1kifSx7InBhdGgiOiJoeXBoLWd1Lmh5YiIsInJvb3RfaGFzaCI6InJ3N2JaOElobTRBOFByYkIzdWJ5MUJvXzRBUm9xZHFMNk85UVZ0Y0JxX00ifSx7InBhdGgiOiJoeXBoLWhpLmh5YiIsInJvb3RfaGFzaCI6IjlOOGlUVVdmMFJGcGpkV2hOaFBGdV9EdEVmQkNlTllDTU5Bb0FRNnNERUkifSx7InBhdGgiOiJoeXBoLWhyLmh5YiIsInJvb3RfaGFzaCI6IjFmQm1wV1ZfSFh3NTBGT1ZiZklFdDVKdlFOTC1UMmxYT3ZDZGtKQm00bXcifSx7InBhdGgiOiJoeXBoLWh1Lmh5YiIsInJvb3RfaGFzaCI6InExWmRIaTR3VElWbFFiSHhVdW5NVEJaaEMya29JWTg1d3pUTnE0aUhTVlEifSx7InBhdGgiOiJoeXBoLWh5Lmh5YiIsInJvb3RfaGFzaCI6Im16VGZ5b1hMSjFSb0tmRUU4VGQxZnZzblNUVEI2ZFNaSDFXdFZrbGlwMm8ifSx7InBhdGgiOiJoeXBoLWl0Lmh5YiIsInJvb3RfaGFzaCI6Ii1jQW4xXzFFc0J6VjRjMzRBdUlNWTFZR2N3bUs4WXZxQ1RDNm12TTA0UGMifSx7InBhdGgiOiJoeXBoLWthLmh5YiIsInJvb3RfaGFzaCI6IlZoTFVGQnBOSDg5RDU2WXVPRmx4dnRqTTBJcjZfVTRLMUJacXB6NzVmaTAifSx7InBhdGgiOiJoeXBoLWtuLmh5YiIsInJvb3RfaGFzaCI6Iks1bWRDaFV2Z0VZQnFvODRfdzA2YmxsSmwzdngycWR2cUlpc3JpRlNZb2MifSx7InBhdGgiOiJoeXBoLWxhLmh5YiIsInJvb3RfaGFzaCI6Il9VdHZOaE5jMDdreTQxRHNJQmZmMkowdU5xd2liMVRreVBMa3ZHMndXVDAifSx7InBhdGgiOiJoeXBoLWx0Lmh5YiIsInJvb3RfaGFzaCI6Il9pbnpod2o5ZEtMZ3NOeDdVOHV1TGE4WVlXZUFnZVZQb2pVVUJ2eVZPUkUifSx7InBhdGgiOiJoeXBoLWx2Lmh5YiIsInJvb3RfaGFzaCI6Imtkc0Ytd1FuNHpQQzNySW83ekw0UUZLNlJ4NkNZVjZmVkhzd3dBM0tDV2MifSx7InBhdGgiOiJoeXBoLW1sLmh5YiIsInJvb3RfaGFzaCI6ImtGY3R1UFNiQWV4cUVDY3l6ZkZQd19COU5qeS1EU1lSQS1XREJERms2SWcifSx7InBhdGgiOiJoeXBoLW1uLWN5cmwuaHliIiwicm9vdF9oYXNoIjoiMm5yb3g2UFNHU19XQ1FZWUk3SnZ0cWwxMlhjUHVTd3UxMk1aS2VMT1QzayJ9LHsicGF0aCI6Imh5cGgtbXIuaHliIiwicm9vdF9oYXNoIjoiOU44aVRVV2YwUkZwamRXaE5oUEZ1X0R0RWZCQ2VOWUNNTkFvQVE2c0RFSSJ9LHsicGF0aCI6Imh5cGgtbXVsLWV0aGkuaHliIiwicm9vdF9oYXNoIjoiOHZyQnZRYWZfbHpSRVMyVXpERVRmdE9LR3hZUWstelhUSndXaUVLTGFJcyJ9LHsicGF0aCI6Imh5cGgtbmIuaHliIiwicm9vdF9oYXNoIjoidW1oN2VNX0ptaVRpdVdjeUNSU2Y0eGVnT085aDZaczZxcl9XeHdtQk9IdyJ9LHsicGF0aCI6Imh5cGgtbmwuaHliIiwicm9vdF9oYXNoIjoiMWNMSjEtZ0J3UkhNMDlhVExINVZZOWpXeGY2cUpqYjgydFdSX0tsRlg5ZyJ9LHsicGF0aCI6Imh5cGgtbm4uaHliIiwicm9vdF9oYXNoIjoiVVRNblpKaGR0LW51UGEwSGRBMmpqeE9yUU9CMTZ4UVk3ZFo1b2dKeVB2MCJ9LHsicGF0aCI6Imh5cGgtb3IuaHliIiwicm9vdF9oYXNoIjoiVHB6VEFycl94T28tbGxJeWZxSkFjdXZ6ZTF4UHdIR1NrcjJzRUtxdFpscyJ9LHsicGF0aCI6Imh5cGgtcGEuaHliIiwicm9vdF9oYXNoIjoiUndNcDBvLXFTRS1VWFhqXzc3RjIzTGJ5QXl4MVBpVzhBVUVHclNTeXhvbyJ9LHsicGF0aCI6Imh5cGgtcHQuaHliIiwicm9vdF9oYXNoIjoiOXZ2eHZMSmd6SVlsYjhTVTg0ajNzbjBRaGwtX2oyRlJmZTRscjAxWTF1ZyJ9LHsicGF0aCI6Imh5cGgtcnUuaHliIiwicm9vdF9oYXNoIjoicXN2dk9SNU5oUWlrYV8zVXU5N3QwQ0tWU2o2RFhPSVFFMVVXbWRmR1VRdyJ9LHsicGF0aCI6Imh5cGgtc2suaHliIiwicm9vdF9oYXNoIjoiN2Z4MDBSMHQtYjVscVVlX3hGNy1pVThuNkZUTzJrVjNmYy1odGdEQVZlYyJ9LHsicGF0aCI6Imh5cGgtc2wuaHliIiwicm9vdF9oYXNoIjoiT1hDWTBsMS0wYzZ2eVk4YmpURTBObEJBSnlvUVl5YmFfOVp0WVN0UF83byJ9LHsicGF0aCI6Imh5cGgtc3EuaHliIiwicm9vdF9oYXNoIjoidkNuSlFCenBVa0ZNdXV2RnlPNGRKOEZ3Ykc5M2dIdGY5eFBpRWtRNHM4byJ9LHsicGF0aCI6Imh5cGgtc3YuaHliIiwicm9vdF9oYXNoIjoiR1hhQU9rUmRyWE5ac1FLbHBKX3lCd1doZUNpRzhjZFNzREZ4OWc3MnJwOCJ9LHsicGF0aCI6Imh5cGgtdGEuaHliIiwicm9vdF9oYXNoIjoiUVAycFNGYW9id1pkNkxxbUdFNm1QYzJ3RWU1TXBKaW53ZjdrVEpreFRHYyJ9LHsicGF0aCI6Imh5cGgtdGUuaHliIiwicm9vdF9oYXNoIjoiVVctcFpVLWpycXEwZ05RT3IyclhqOEE1Q0d2WTdjRkV2ajFaVWw3Y3JDayJ9LHsicGF0aCI6Imh5cGgtdGsuaHliIiwicm9vdF9oYXNoIjoiZF8ydTBwdllRcXFwZHF0LS1CdGhlaFhBb3RIcjBSWWNHX0pyZWFFSXRjMCJ9LHsicGF0aCI6Imh5cGgtdWsuaHliIiwicm9vdF9oYXNoIjoieWxjVXUzT05ZS3N1LW9pS3R5VWNSak1PQnhwZzBMdjdMNENvZHpsUW5zayJ9LHsicGF0aCI6Imh5cGgtdW5kLWV0aGkuaHliIiwicm9vdF9oYXNoIjoiSGVnOHQ0ZmZyMVA3Zm02TnM2cmxBSXJTVHIzU2ktQWdNVEJ1cWVuejRvVSJ9LHsicGF0aCI6Im1hbmlmZXN0Lmpzb24iLCJyb290X2hhc2giOiIxWEh2TTdEbkIxY2ZFTHMzdVpwZ2ZXOURyLU1fVTlGYlE1V3hidlA5cG1VIn1dLCJmb3JtYXQiOiJ0cmVlaGFzaCIsImhhc2hfYmxvY2tfc2l6ZSI6NDA5Nn1dLCJpdGVtX2lkIjoiamFtaGNubmtpaGlubWRsa2Fra2FvcGJqYmJjbmdmbGMiLCJpdGVtX3ZlcnNpb24iOiIxMjAuMC42MDUwLjAiLCJwcm90b2NvbF92ZXJzaW9uIjoxfQ","signatures":[{"header":{"kid":"publisher"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"ud33uh3_3o_eTIMSj_MKboC9-GzBxQ-Bu6XS31wn7JB3ntcoVSUfAgMjTBCsIYEEgqVfKJlf92wgl3SbjJWaT-_XfV8sMFwZtuAT0qJV0p9gammnprPP0OmUwJdJB-kK1MO8ESwSyeGKCEeIXGDqAVdQHkYD-oKzYS-zKhe9KVnU-WtJ6mtG80ybhjxJDM1aLyS6_ocXKYBmcB9av0IY-saDVR7hkVNjc-iR9lhYI1682VbDmlQ9-uueCkK4YsqmO1mOSgYcQ-Hm56zQxhGrMHbGokIX667-8yHRbxjoag7eNxHrY5VQI-te17pDKE9G9cz87qvGSMPUi9QGdyt7a1652KWPXe6bDEOjIoaHUq9juOd7r8SxYCv8tqhAx5nxhqkaq9oHSfiYrrcddaSdtdCOYo7hyqVQV1562x0NZiNrGH9sU5V-e_5DAmPVqBMA1yjY3ZQEWWyTdQ_Wtw5qbs3m5qh5Grut8RtIb7yGJJsamDN3LG73jcrtXZ1cMynqN3LysksG8Y73RfO3joVhy3gw5Y1X6ES1gvQi4n1hxvOCCXoGIbIJwIZGjTlcuh2J_eweLo0hm1IeXK_lAB9P1RiruKfEc0P75CY4V_LDziEdFHxIpFS6PjH94n1aAj0F3ba6opqyjgXs6n8uuhoJvdq5GwnAuwsOzs771p8mWl0"},{"header":{"kid":"webstore"},"protected":"eyJhbGciOiJSUzI1NiJ9","signature":"fLFplPrKe8OWo-G7YhCQxsnj2MHPUqYvWL9ACSCD1WuA4K5c0pOFNMZ10w0Po0lgprE7LTCjWTk3pKKvyTxojWAyAg-c75DU2kfnntDabBEn9ooCiBcWJIuOkJMdcLYBbfe-t-JO0KPKm-2mGi59MkO9xir2MMwAqtITGdrH4WXjHTIB6guYQMtre_Bp_zqvZnGQKqZI0Cdq8QVqd7z69_j63fvv0CjXuZ-6F1RNElS75H3FzJ1OrVMCOjEOaKyk1DD-aqgr-6lUq2er1XWrf9JxtAmAawpnh3RAEi_1VoGtbga92USt_0ZLiapoC4PlWSloLuX-_NYFg9gtPJNS9w"}]}}] \ No newline at end of file diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-af.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-af.hyb new file mode 100644 index 0000000..54e6c0e Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-af.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-as.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-as.hyb new file mode 100644 index 0000000..43a9527 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-as.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-be.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-be.hyb new file mode 100644 index 0000000..4da6b74 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-be.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-bg.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-bg.hyb new file mode 100644 index 0000000..3f46fa1 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-bg.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-bn.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-bn.hyb new file mode 100644 index 0000000..43a9527 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-bn.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-cs.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-cs.hyb new file mode 100644 index 0000000..4255d56 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-cs.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-cu.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-cu.hyb new file mode 100644 index 0000000..4ec90d3 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-cu.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-cy.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-cy.hyb new file mode 100644 index 0000000..5afe8aa Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-cy.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-da.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-da.hyb new file mode 100644 index 0000000..f33f430 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-da.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-de-1901.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-de-1901.hyb new file mode 100644 index 0000000..7de89ad Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-de-1901.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-de-1996.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-de-1996.hyb new file mode 100644 index 0000000..9880a9c Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-de-1996.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-de-ch-1901.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-de-ch-1901.hyb new file mode 100644 index 0000000..7e0b36a Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-de-ch-1901.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-el.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-el.hyb new file mode 100644 index 0000000..413defd Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-el.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-en-gb.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-en-gb.hyb new file mode 100644 index 0000000..8b2ca33 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-en-gb.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-en-us.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-en-us.hyb new file mode 100644 index 0000000..db1469a Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-en-us.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-es.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-es.hyb new file mode 100644 index 0000000..1ef2330 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-es.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-et.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-et.hyb new file mode 100644 index 0000000..bc42bf3 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-et.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-eu.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-eu.hyb new file mode 100644 index 0000000..b9d6f46 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-eu.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-fr.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-fr.hyb new file mode 100644 index 0000000..b24b5a2 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-fr.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-ga.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-ga.hyb new file mode 100644 index 0000000..3eb376f Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-ga.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-gl.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-gl.hyb new file mode 100644 index 0000000..604c80a Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-gl.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-gu.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-gu.hyb new file mode 100644 index 0000000..908ea1a Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-gu.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-hi.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-hi.hyb new file mode 100644 index 0000000..b0b9680 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-hi.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-hr.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-hr.hyb new file mode 100644 index 0000000..f73854c Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-hr.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-hu.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-hu.hyb new file mode 100644 index 0000000..95d8194 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-hu.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-hy.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-hy.hyb new file mode 100644 index 0000000..1bb1832 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-hy.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-it.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-it.hyb new file mode 100644 index 0000000..aadffdf Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-it.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-ka.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-ka.hyb new file mode 100644 index 0000000..818a72d Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-ka.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-kn.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-kn.hyb new file mode 100644 index 0000000..46bdbcf Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-kn.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-la.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-la.hyb new file mode 100644 index 0000000..c91ca2f Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-la.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-lt.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-lt.hyb new file mode 100644 index 0000000..98c190c Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-lt.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-lv.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-lv.hyb new file mode 100644 index 0000000..105c274 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-lv.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-ml.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-ml.hyb new file mode 100644 index 0000000..c716ff2 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-ml.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-mn-cyrl.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-mn-cyrl.hyb new file mode 100644 index 0000000..3c6a4a4 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-mn-cyrl.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-mr.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-mr.hyb new file mode 100644 index 0000000..b0b9680 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-mr.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-mul-ethi.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-mul-ethi.hyb new file mode 100644 index 0000000..1bfa7d9 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-mul-ethi.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-nb.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-nb.hyb new file mode 100644 index 0000000..1e897a0 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-nb.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-nl.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-nl.hyb new file mode 100644 index 0000000..09b81c5 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-nl.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-nn.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-nn.hyb new file mode 100644 index 0000000..74cf56e Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-nn.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-or.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-or.hyb new file mode 100644 index 0000000..e320ce8 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-or.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-pa.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-pa.hyb new file mode 100644 index 0000000..fd61325 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-pa.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-pt.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-pt.hyb new file mode 100644 index 0000000..10a669b Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-pt.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-ru.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-ru.hyb new file mode 100644 index 0000000..eddd313 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-ru.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-sk.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-sk.hyb new file mode 100644 index 0000000..303df31 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-sk.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-sl.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-sl.hyb new file mode 100644 index 0000000..2215e70 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-sl.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-sq.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-sq.hyb new file mode 100644 index 0000000..dfb9c8b Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-sq.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-sv.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-sv.hyb new file mode 100644 index 0000000..9f07d78 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-sv.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-ta.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-ta.hyb new file mode 100644 index 0000000..3cb21b5 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-ta.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-te.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-te.hyb new file mode 100644 index 0000000..4b34907 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-te.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-tk.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-tk.hyb new file mode 100644 index 0000000..1bc9345 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-tk.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-uk.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-uk.hyb new file mode 100644 index 0000000..fc65a25 Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-uk.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/hyph-und-ethi.hyb b/user/user_data/hyphen-data/120.0.6050.0/hyph-und-ethi.hyb new file mode 100644 index 0000000..3c98edb Binary files /dev/null and b/user/user_data/hyphen-data/120.0.6050.0/hyph-und-ethi.hyb differ diff --git a/user/user_data/hyphen-data/120.0.6050.0/manifest.json b/user/user_data/hyphen-data/120.0.6050.0/manifest.json new file mode 100644 index 0000000..e8922aa --- /dev/null +++ b/user/user_data/hyphen-data/120.0.6050.0/manifest.json @@ -0,0 +1,5 @@ +{ + "manifest_version": 2, + "name": "hyphens-data", + "version": "120.0.6050.0" +} \ No newline at end of file diff --git a/user/user_data/segmentation_platform/ukm_db b/user/user_data/segmentation_platform/ukm_db index 4f08fe3..b35ecf9 100644 Binary files a/user/user_data/segmentation_platform/ukm_db and b/user/user_data/segmentation_platform/ukm_db differ diff --git a/自动化.py b/自动化.py index 8a19bd9..15061f9 100644 --- a/自动化.py +++ b/自动化.py @@ -1,27 +1,32 @@ import os -import re -import json import time -from urllib.parse import urlparse +from datetime import datetime from loguru import logger -from bs4 import BeautifulSoup -from curl_cffi import requests -from DrissionPage import ChromiumPage, ChromiumOptions, SessionPage +from DrissionPage import ChromiumPage, ChromiumOptions class Pdd: - def __init__(self, url, user_id, time_start): - self.url = url + def __init__( + self, + user_id, + file_path=None, + topics=None, + time_start=None, + interval=None, + creator_link=None, + count=None, + url=None, + ): self.user_id = user_id + self.file_path = file_path or url + self.topics = topics or "" self.time_start = time_start + self.interval = interval + self.creator_link = creator_link + self.count = count - self.session = requests.Session() - - # 浏览器和URL模板 self.page = None - self.user_url_template = None # 用户视频列表URL模板 - self.user_profile_url_template = None # 用户信息URL模板 def create_page(self): co = ChromiumOptions() @@ -32,536 +37,495 @@ class Pdd: # 以该配置创建页面对象 self.page = ChromiumPage(addr_or_opts=co) - def extract_note_data(self, initial_state): - """ - 从初始状态中提取笔记数据(只提取标题、描述、图片列表、视频列表和话题) + def _parse_topics(self): + raw = str(self.topics or "").strip() + if not raw: + return [] + for sep in ("-", "—", "–"): + raw = raw.replace(sep, "-") + parts = [p.strip() for p in raw.split("-")] + return [p for p in parts if p] - Args: - initial_state: window.__INITIAL_STATE__ 解析后的字典 + def _format_topics_desc(self): + topics = self._parse_topics() + if not topics: + return "" + return " ".join(f"#{topic}" for topic in topics) - Returns: - dict: 提取的笔记数据 - """ + def _collect_media_files(self): + path = str(self.file_path or "").strip() + if not path: + raise ValueError("文件路径为空") + if os.path.isfile(path): + return [path] + if not os.path.isdir(path): + raise ValueError(f"文件路径不存在:{path}") + + video_exts = {".mp4", ".mov", ".avi", ".mkv", ".wmv", ".webm", ".m4v"} + image_exts = {".jpg", ".jpeg", ".png", ".gif", ".bmp", ".webp", ".svg"} + all_exts = video_exts | image_exts + + files = [] + for name in sorted(os.listdir(path)): + full = os.path.join(path, name) + if os.path.isfile(full): + ext = os.path.splitext(name)[1].lower() + if ext in all_exts: + files.append(full) + + if not files: + raise ValueError(f"文件夹未找到媒体文件(视频或图片):{path}") + + limit = self._normalize_count() + if limit: + files = files[:limit] + return files + + def _is_video_file(self, file_path): + """判断文件是否为视频""" + video_exts = {".mp4", ".mov", ".avi", ".mkv", ".wmv", ".webm", ".m4v"} + ext = os.path.splitext(file_path)[1].lower() + return ext in video_exts + + def _is_image_file(self, file_path): + """判断文件是否为图片""" + image_exts = {".jpg", ".jpeg", ".png", ".gif", ".bmp", ".webp", ".svg"} + ext = os.path.splitext(file_path)[1].lower() + return ext in image_exts + + def _title_from_path(self, media_path): + if os.path.isdir(self.file_path): + return os.path.basename(os.path.normpath(self.file_path)) + return os.path.basename(os.path.dirname(media_path)) + + def _normalize_count(self): + if self.count is None or self.count == "": + return None try: - # 获取笔记详情 - note_store = initial_state.get('note', {}) - note_detail_map = note_store.get('noteDetailMap', {}) + value = int(float(self.count)) + return value if value > 0 else None + except Exception: + return None - # 获取第一个笔记ID - first_note_id = note_store.get('firstNoteId') - if not first_note_id: - # 如果没有firstNoteId,尝试获取noteDetailMap中的第一个key - if note_detail_map: - first_note_id = list(note_detail_map.keys())[0] + def _interval_seconds(self): + if self.interval is None or self.interval == "": + return 0 + if isinstance(self.interval, (int, float)): + return int(float(self.interval) * 60) + text = str(self.interval).strip().lower() + try: + if text.endswith("秒") or text.endswith("s"): + return int(float(text.rstrip("秒s"))) + if text.endswith("分钟") or text.endswith("m"): + return int(float(text.rstrip("分钟m")) * 60) + if text.endswith("小时") or text.endswith("h"): + return int(float(text.rstrip("小时h")) * 3600) + return int(float(text) * 60) + except Exception: + return 0 + + def _open_creator_tab(self): + max_retries = 3 + for retry in range(max_retries): + try: + self.page.get(url="https://mcn.pinduoduo.com/register") + break + except Exception as e: + logger.warning(f"打开页面失败 (尝试 {retry + 1}/{max_retries}): {e}") + if retry < max_retries - 1: + time.sleep(2) else: - print("未找到笔记ID") - return None + raise - # 获取笔记详情 - note_detail = note_detail_map.get(first_note_id, {}) - note_info = note_detail.get('note', {}) - - if not note_info: - print("未找到笔记信息") - return None - - # 只提取需要的字段 - extracted_data = { - 'title': note_info.get('title'), - 'desc': note_info.get('desc'), - 'images': [], - 'videos': [], - 'topics': [] - } - - # 提取图片信息 - image_list = note_info.get('imageList', []) - for img in image_list: - image_data = { - 'url': img.get('urlDefault') or img.get('url'), - 'urlPre': img.get('urlPre'), - 'width': img.get('width'), - 'height': img.get('height'), - } - extracted_data['images'].append(image_data) - - # 提取视频信息(如果存在) - video_info = note_info.get('video', {}) - if video_info: - video_data = {} - - # 尝试提取视频URL - media = video_info.get('media', {}) - if media: - stream = media.get('stream', {}) - if stream: - hls = stream.get('hls', {}) - if hls: - video_data['url'] = hls.get('masterUrl') or hls.get('url') - # 如果没有hls,尝试其他字段 - if not video_data.get('url'): - video_data['url'] = media.get('url') or media.get('videoUrl') - - # 提取视频封面 - if video_info.get('cover'): - video_data['cover'] = video_info.get('cover') - - # 提取视频时长 - if video_info.get('time'): - video_data['time'] = video_info.get('time') - - if video_data.get('url'): - extracted_data['videos'].append(video_data) - - # 提取话题信息 - # 话题可能在多个位置,尝试不同的字段名 - topic_list = note_info.get('topicList', []) or note_info.get('tagList', []) or note_info.get('hashtagList', - []) - if topic_list: - for topic in topic_list: - topic_data = { - 'name': topic.get('name') or topic.get('title') or topic.get('tagName'), - 'id': topic.get('id') or topic.get('topicId') or topic.get('tagId'), - } - if topic_data.get('name'): - extracted_data['topics'].append(topic_data) - - # 如果描述中包含话题(#话题#格式),也提取出来 - desc = note_info.get('desc', '') - if desc: - # 使用正则表达式提取 #话题# 格式 - topic_pattern = r'#([^#]+)#' - matches = re.findall(topic_pattern, desc) - for match in matches: - # 避免重复添加 - if not any(t.get('name') == match for t in extracted_data['topics']): - extracted_data['topics'].append({'name': match}) - - return extracted_data - - except Exception as e: - print(f"提取笔记数据时出错:{e}") - import traceback - traceback.print_exc() - return None - - def extract_video_from_meta(self, html_content): - """ - 从HTML的meta标签中提取视频信息 - - Args: - html_content: HTML内容字符串 - - Returns: - dict: 视频信息字典,如果没有找到则返回None - """ - try: - soup = BeautifulSoup(html_content, 'html.parser') - video_info = {} - - # 提取og:video标签 - og_video = soup.find('meta', {'name': 'og:video'}) - if og_video and og_video.get('content'): - video_info['url'] = og_video.get('content') - - # 提取视频时长 - og_videotime = soup.find('meta', {'name': 'og:videotime'}) - if og_videotime and og_videotime.get('content'): - video_info['time'] = og_videotime.get('content') - - # 提取视频质量 - og_videoquality = soup.find('meta', {'name': 'og:videoquality'}) - if og_videoquality and og_videoquality.get('content'): - video_info['quality'] = og_videoquality.get('content') - - # 如果找到了视频URL,返回视频信息 - if video_info.get('url'): - return video_info - - return None - except Exception as e: - print(f"从meta标签提取视频信息时出错:{e}") - return None - - def get_page_datas(self): - tab = self.page.new_tab() - tab.listen.start(self.url) - - tab.get(url=self.url) - - res = tab.listen.wait(timeout=3) - if res: - print(res.response.body) - - # 提取meta标签中的视频信息 - video_info = self.extract_video_from_meta(res.response.body) - - # 使用正则表达式提取window.__INITIAL_STATE__的内容 - pattern = r'' - match = re.search(pattern, res.response.body, re.DOTALL) - - if not match: - print("未找到 window.__INITIAL_STATE__ 数据") - # 如果只有视频信息,返回视频信息 - if video_info: - return {'videos': [video_info]} - return None - - # 提取JSON字符串 - json_str = match.group(1) - - # 处理JavaScript中的undefined值(Python JSON不支持undefined) - json_str = re.sub(r'\bundefined\b', 'null', json_str) - - # 解析JSON - initial_state = json.loads(json_str) - - # 提取笔记数据 - note_data = self.extract_note_data(initial_state) - - # 如果提取到视频信息,添加到笔记数据中 - if video_info and note_data: - if 'videos' not in note_data or not note_data['videos']: - note_data['videos'] = [] - note_data['videos'].append(video_info) - - tab.close() - - return note_data - - def download_video(self, url): - page = SessionPage() - page.download('https://sns-video-hw.xhscdn.com/stream/110/258/01e6cd08be6e36ad010370019190eceaac_258.mp4') - - def download_image(self, url, name): - """ - 下载图片文件 - - Args: - url: 图片URL - save_path: 保存路径,如果为None则使用URL中的文件名 - """ - # 设置请求头 - headers = { - 'Accept': 'text/html,application/xhtml+xml,application/xml;q=0.9,image/avif,image/webp,image/apng,*/*;q=0.8,application/signed-exchange;v=b3;q=0.7', - 'Accept-Language': 'zh-CN,zh;q=0.9,en;q=0.8,en-GB;q=0.7,en-US;q=0.6', - 'Cache-Control': 'no-cache', - 'DNT': '1', - 'Pragma': 'no-cache', - 'Proxy-Connection': 'keep-alive', - 'Upgrade-Insecure-Requests': '1', - 'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/143.0.0.0 Safari/537.36 Edg/143.0.0.0' - } - - try: - # 发送请求,verify=False 相当于 curl 的 --insecure - response = requests.get(url, headers=headers, verify=False, timeout=30) - response.raise_for_status() # 检查HTTP错误 - - # 保存文件 - with open(f"{name}.webp", 'wb') as f: - f.write(response.content) - - return True - - except requests.exceptions.RequestException as e: - print(f"下载失败: {e}") - return None - - def action(self): - self.create_page() - - datas = self.get_page_datas() - - self.page.get(url="https://mcn.pinduoduo.com/register") - - for i in range(5): + for _ in range(15): if self.page.ele("x://*[text()='登录']", timeout=5): logger.warning("请登录》》》") + time.sleep(5) else: break else: - logger.error("未登录!!!") - return + raise RuntimeError("未登录") - self.page.ele("x://*[text()='主播/作者管理']").click() - time.sleep(1) - self.page.ele("x://*[text()='签约主播/作者']").click() - ele = self.page.ele("x://*[text()='我知道了']", timeout=3) - if ele: - ele.click() + try: + self.page.ele("x://*[text()='主播/作者管理']", timeout=10).click() time.sleep(1) - self.page.ele('x://*[@placeholder="输入主播/作者ID搜索"]').input(vals=self.user_id, clear=True) + self.page.ele("x://*[text()='签约主播/作者']", timeout=10).click() + ele = self.page.ele("x://*[text()='我知道了']", timeout=3) + if ele: + ele.click() + time.sleep(1) + self.page.ele('x://*[@placeholder="输入主播/作者ID搜索"]', timeout=10).input(vals=self.user_id, clear=True) + time.sleep(1) + self.page.ele("x://*[text()='提交']", timeout=10).click() + time.sleep(1) + self.page.actions.move_to(ele_or_loc="x://*[text()='内容管理']") + time.sleep(1) + self.page.ele("x://*[text()='内容管理']", timeout=10).click() + time.sleep(3) + # 等待标签页出现 + creator_tab = None + for _ in range(10): + try: + creator_tab = self.page.get_tab(url="home/creator/manage") + if creator_tab: + break + except Exception: + pass + time.sleep(1) + if not creator_tab: + raise RuntimeError("无法打开内容管理页面") + return creator_tab + except Exception as e: + logger.error(f"打开创作者页面失败: {e}") + raise + + def _apply_schedule(self, creator_tab): + if not self.time_start: + return + creator_tab.ele( + 'x://*[@id="root"]/section/section/main/div/div/div/div[2]/div[2]/div/div[1]/div/div[2]/div/div[3]/div/div/div/label[2]' + ).click() time.sleep(1) - self.page.ele("x://*[text()='提交']").click() - time.sleep(1) - self.page.actions.move_to(ele_or_loc="x://*[text()='内容管理']") - time.sleep(1) - self.page.ele("x://*[text()='内容管理']").click() - time.sleep(3) - creator_tab = self.page.get_tab(url="home/creator/manage") - creator_tab.ele("x://*[text()='发布视频']").click() - # 下载文件 - path_datas = [] - if datas.get("videos"): - for i in datas.get("videos"): - self.download_video(url=i["url"]) + date_picker_ele = creator_tab.ele('x://*[@placeholder="选择日期"]', timeout=3) + if not date_picker_ele: + return + try: + dt = datetime.strptime(self.time_start, "%Y-%m-%d %H:%M:%S") + date_str = dt.strftime("%Y-%m-%d") + time_str = dt.strftime("%H:%M:%S") + year = dt.year + month = dt.month + day = dt.day + hour = dt.hour + minute = dt.minute + second = dt.second - # 解析URL - parsed_url = urlparse(i["url"]) - # 获取路径部分 - path = parsed_url.path - # 从路径中提取文件名 - filename = os.path.basename(path) - - path_datas.append(filename) - creator_tab.ele("x://*[text()='发布视频']").click.to_upload( - path_datas) - else: - for _, i in enumerate(datas.get("images")): - self.download_image(url=i["url"], name=_) - - path_datas.append(f"{_}.webp") - - creator_tab.ele('x://*[text()="添加图片"]').click.to_upload( - path_datas + logger.info( + f"开始设置定时时间: {self.time_start} (年={year}, 月={month}, 日={day}, 时={hour}, 分={minute}, 秒={second})" ) - time.sleep(3) - creator_tab.ele('x://*[@placeholder="添加标题"]').input(vals=datas["title"], clear=True) - time.sleep(3) + date_picker_ele.click() + time.sleep(1.5) - xpath_path = creator_tab.ele('x://*[text()="添加视频描述"]').xpath - # 方法2:使用正则表达式替换最后一个div[1] - new_path = re.sub(r'div\[1\]$', 'div[2]', xpath_path) - new_path += "/div/div[3]/div/div/div" - creator_tab.ele(f'x:{new_path}').input(vals=datas["desc"].replace("[话题]", "")[:450], clear=True) + try: + month_text_ele = creator_tab.ele('x://span[@class="RPR_dateText_5-152-0"]', timeout=2) + if month_text_ele: + current_month = month_text_ele.text + target_month_str = f"{month}月" + if current_month != target_month_str: + current_month_num = int(current_month.replace("月", "")) + target_month_num = month + if target_month_num > current_month_num: + arrow_selector = 'x://svg[@data-testid="beast-core-icon-right"]' + clicks_needed = target_month_num - current_month_num + else: + arrow_selector = 'x://svg[@data-testid="beast-core-icon-left"]' + clicks_needed = current_month_num - target_month_num + for _ in range(min(clicks_needed, 12)): + arrow = creator_tab.ele(arrow_selector, timeout=1) + if arrow: + arrow.click() + time.sleep(0.4) + new_month_ele = creator_tab.ele( + 'x://span[@class="RPR_dateText_5-152-0"]', timeout=1 + ) + if new_month_ele and new_month_ele.text == target_month_str: + break + except Exception as e: + logger.warning(f"切换月份时出错: {e},继续尝试选择日期") - # 定时 - if self.time_start: - # 点击"定时发布"选项 - creator_tab.ele( - 'x://*[@id="root"]/section/section/main/div/div/div/div[2]/div[2]/div/div[1]/div/div[2]/div/div[3]/div/div/div/label[2]').click() - time.sleep(1) - - # 获取日期选择器元素 - date_picker_ele = creator_tab.ele('x://*[@placeholder="选择日期"]', timeout=3) - if date_picker_ele: - # 解析时间字符串,格式:2026-01-15 09:30:00 + date_cell = creator_tab.ele( + f'x://td[@role="date-cell"]//div[@title="{day}" and not(contains(@class, "RPR_disabled")) and not(contains(@class, "RPR_outOfMonth"))]', + timeout=3, + ) + if date_cell: + date_cell.click() + time.sleep(0.5) + + time_input = creator_tab.ele('x://input[@data-testid="beast-core-timePicker-html-input"]', timeout=3) + if time_input: + time_input.click() + time.sleep(0.8) + else: try: - from datetime import datetime - dt = datetime.strptime(self.time_start, "%Y-%m-%d %H:%M:%S") - date_str = dt.strftime("%Y-%m-%d") - time_str = dt.strftime("%H:%M:%S") - year = dt.year - month = dt.month - day = dt.day - hour = dt.hour - minute = dt.minute - second = dt.second - - logger.info(f"开始设置定时时间: {self.time_start} (年={year}, 月={month}, 日={day}, 时={hour}, 分={minute}, 秒={second})") - - # 点击日期选择器打开面板 - date_picker_ele.click() - time.sleep(1.5) # 等待面板完全加载 - - # 方法:通过点击日期和时间选择器来设置 - # 1. 如果需要,先切换年月 - # 2. 点击日期单元格 - # 3. 点击时间选择器中的小时、分钟、秒 - # 4. 点击确认按钮 - - # 检查并切换年月(如果需要) - # 获取当前显示的月份 - try: - month_text_ele = creator_tab.ele('x://span[@class="RPR_dateText_5-152-0"]', timeout=2) - if month_text_ele: - current_month = month_text_ele.text - logger.info(f"当前显示的月份: {current_month}") - - # 如果需要切换月份 - target_month_str = f"{month}月" - if current_month != target_month_str: - logger.info(f"需要切换到目标月份: {target_month_str}") - # 计算月份差值(简化处理,只考虑同一年内) - current_month_num = int(current_month.replace('月', '')) - target_month_num = month - - # 确定点击方向 - if target_month_num > current_month_num: - # 点击右箭头 - arrow_selector = 'x://svg[@data-testid="beast-core-icon-right"]' - clicks_needed = target_month_num - current_month_num - else: - # 点击左箭头 - arrow_selector = 'x://svg[@data-testid="beast-core-icon-left"]' - clicks_needed = current_month_num - target_month_num - - # 点击箭头切换月份 - for _ in range(min(clicks_needed, 12)): - arrow = creator_tab.ele(arrow_selector, timeout=1) - if arrow: - arrow.click() - time.sleep(0.4) - # 验证是否切换成功 - new_month_ele = creator_tab.ele('x://span[@class="RPR_dateText_5-152-0"]', timeout=1) - if new_month_ele and new_month_ele.text == target_month_str: - logger.info(f"成功切换到目标月份: {target_month_str}") - break - except Exception as e: - logger.warning(f"切换月份时出错: {e},继续尝试选择日期") - - # 选择日期 - 点击对应的日期单元格 - date_cell = creator_tab.ele(f'x://td[@role="date-cell"]//div[@title="{day}" and not(contains(@class, "RPR_disabled")) and not(contains(@class, "RPR_outOfMonth"))]', timeout=3) - if date_cell: - date_cell.click() - logger.info(f"已点击日期: {day}") - time.sleep(0.5) - else: - logger.warning(f"未找到日期单元格: {day}") - - # 先点击时间输入框打开时间选择器 - time_input = creator_tab.ele('x://input[@data-testid="beast-core-timePicker-html-input"]', timeout=3) + time_input_xpath = "/html/body/div[2]/div/div/div/div/div/footer/div/div/div/div/div/div/div/div[1]/input" + time_input = creator_tab.ele(f"x:{time_input_xpath}", timeout=2) if time_input: time_input.click() - logger.info("已点击时间输入框,打开时间选择器") - time.sleep(0.8) # 等待时间选择器面板打开 - else: - logger.warning("未找到时间输入框,尝试使用XPath") - # 备用方案:使用用户提供的XPath - try: - time_input_xpath = '/html/body/div[2]/div/div/div/div/div/footer/div/div/div/div/div/div/div/div[1]/input' - time_input = creator_tab.ele(f'x:{time_input_xpath}', timeout=2) - if time_input: - time_input.click() - logger.info("通过XPath点击了时间输入框") - time.sleep(0.8) - except Exception as e: - logger.warning(f"通过XPath也未能找到时间输入框: {e}") - - # 选择时间 - 点击时间选择器中的小时、分钟、秒 - # 小时 - hour_str = f"{hour:02d}" - hour_item = creator_tab.ele(f'x://ul[@data-testid="beast-core-timePicker-list-hh"]//li[text()="{hour_str}"]', timeout=3) - if hour_item: - hour_item.scroll.to_see() - time.sleep(0.2) - hour_item.click() - logger.info(f"已选择小时: {hour_str}") - time.sleep(0.3) - else: - logger.warning(f"未找到小时选项: {hour_str}") - - # 分钟 - minute_str = f"{minute:02d}" - minute_item = creator_tab.ele(f'x://ul[@data-testid="beast-core-timePicker-list-mm"]//li[text()="{minute_str}"]', timeout=3) - if minute_item: - minute_item.scroll.to_see() - time.sleep(0.2) - minute_item.click() - logger.info(f"已选择分钟: {minute_str}") - time.sleep(0.3) - else: - logger.warning(f"未找到分钟选项: {minute_str}") - - # 秒 - second_str = f"{second:02d}" - second_item = creator_tab.ele(f'x://ul[@data-testid="beast-core-timePicker-list-ss"]//li[text()="{second_str}"]', timeout=3) - if second_item: - second_item.scroll.to_see() - time.sleep(0.2) - second_item.click() - logger.info(f"已选择秒: {second_str}") - time.sleep(0.3) - else: - logger.warning(f"未找到秒选项: {second_str}") - - # 点击确认按钮 - try: - # 查找确认按钮 - confirm_btn = creator_tab.ele('x://button[@data-testid="beast-core-button"]//span[text()="确认"]', timeout=3) - if confirm_btn: - confirm_btn.click() - logger.info("已点击确认按钮") - time.sleep(0.5) - else: - # 尝试通过JavaScript点击确认按钮 - confirm_js = """ - (function() { - const buttons = document.querySelectorAll('button[data-testid="beast-core-button"]'); - for (let btn of buttons) { - const span = btn.querySelector('span'); - if (span && span.textContent.includes('确认')) { - btn.click(); - return true; - } - } - return false; - })(); - """ - result = creator_tab.run_js(confirm_js) - if result: - logger.info("通过JavaScript点击了确认按钮") - else: - logger.warning("未找到确认按钮") - time.sleep(0.5) - except Exception as e: - logger.warning(f"点击确认按钮失败: {e}") - - # 验证设置是否成功 + time.sleep(0.8) + except Exception as e: + logger.warning(f"通过XPath也未能找到时间输入框: {e}") + + hour_str = f"{hour:02d}" + hour_item = creator_tab.ele( + f'x://ul[@data-testid="beast-core-timePicker-list-hh"]//li[text()="{hour_str}"]', + timeout=3, + ) + if hour_item: + hour_item.scroll.to_see() + time.sleep(0.2) + hour_item.click() + time.sleep(0.3) + + minute_str = f"{minute:02d}" + minute_item = creator_tab.ele( + f'x://ul[@data-testid="beast-core-timePicker-list-mm"]//li[text()="{minute_str}"]', + timeout=3, + ) + if minute_item: + minute_item.scroll.to_see() + time.sleep(0.2) + minute_item.click() + time.sleep(0.3) + + second_str = f"{second:02d}" + second_item = creator_tab.ele( + f'x://ul[@data-testid="beast-core-timePicker-list-ss"]//li[text()="{second_str}"]', + timeout=3, + ) + if second_item: + second_item.scroll.to_see() + time.sleep(0.2) + second_item.click() + time.sleep(0.3) + + try: + confirm_btn = creator_tab.ele( + 'x://button[@data-testid="beast-core-button"]//span[text()="确认"]', timeout=3 + ) + if confirm_btn: + confirm_btn.click() time.sleep(0.5) - check_js = """ + else: + confirm_js = """ (function() { - const dateInput = document.querySelector('[data-testid="beast-core-datePicker-htmlInput"]'); - return dateInput ? dateInput.value : null; + const buttons = document.querySelectorAll('button[data-testid="beast-core-button"]'); + for (let btn of buttons) { + const span = btn.querySelector('span'); + if (span && span.textContent.includes('确认')) { + btn.click(); + return true; + } + } + return false; })(); """ - final_value = creator_tab.run_js(check_js) + creator_tab.run_js(confirm_js) + time.sleep(0.5) + except Exception as e: + logger.warning(f"点击确认按钮失败: {e}") + + time.sleep(0.5) + check_js = """ + (function() { + const dateInput = document.querySelector('[data-testid="beast-core-datePicker-htmlInput"]'); + return dateInput ? dateInput.value : null; + })(); + """ + final_value = creator_tab.run_js(check_js) + + if final_value and final_value.strip(): + if not final_value.strip().startswith(date_str): + logger.warning(f"设置的时间可能不准确,当前值: {final_value}, 期望日期: {date_str}") + except ValueError as e: + logger.error(f"时间格式错误: {self.time_start}, 正确格式应为: YYYY-MM-DD HH:MM:SS, 错误: {e}") + except Exception as e: + logger.error(f"设置定时时间失败: {e}") + import traceback + + traceback.print_exc() + + def _publish_one(self, creator_tab, media_path, title, desc): + is_video = self._is_video_file(media_path) + is_image = self._is_image_file(media_path) + + if not is_video and not is_image: + raise ValueError(f"不支持的文件类型: {media_path}") + + max_retries = 3 + for retry in range(max_retries): + try: + if is_video: + # 视频上传逻辑 + publish_btn = creator_tab.ele("x://*[text()='发布视频']", timeout=10) + if not publish_btn: + raise RuntimeError("未找到发布视频按钮") + publish_btn.click() + time.sleep(1) - if final_value and final_value.strip(): - logger.info(f"日期选择器当前值: {final_value}") - # 检查是否匹配(允许时间有小的差异,因为可能只精确到秒) - if final_value.strip().startswith(date_str): - logger.info(f"成功设置定时时间: {final_value}") - else: - logger.warning(f"设置的时间可能不准确,当前值: {final_value}, 期望日期: {date_str}") + if not os.path.exists(media_path): + raise FileNotFoundError(f"文件不存在: {media_path}") + + upload_btn = creator_tab.ele("x://*[text()='发布视频']", timeout=10) + if not upload_btn: + raise RuntimeError("未找到上传按钮") + upload_btn.click.to_upload([media_path]) + time.sleep(3) + + # 视频描述 + desc_ele = creator_tab.ele('x://*[text()="添加视频描述"]', timeout=5) + if desc_ele: + xpath_path = desc_ele.xpath + head, sep, tail = xpath_path.rpartition("div[1]") + new_path = f"{head}div[2]{tail}" if sep else xpath_path + new_path += "/div/div[3]/div/div/div" + desc_input = creator_tab.ele(f"x:{new_path}", timeout=5) + if desc_input: + if desc: + desc_input.input(vals=desc[:450], clear=True) + else: + desc_input.input(vals="", clear=True) else: - logger.error(f"无法获取日期选择器的值,可能设置失败") - - except ValueError as e: - logger.error(f"时间格式错误: {self.time_start}, 正确格式应为: YYYY-MM-DD HH:MM:SS, 错误: {e}") + logger.warning("未找到视频描述输入框,继续执行") + else: + # 图片上传逻辑 + publish_btn = creator_tab.ele("x://*[text()='发布视频']", timeout=10) + if not publish_btn: + raise RuntimeError("未找到发布视频按钮") + publish_btn.click() + time.sleep(1) + + if not os.path.exists(media_path): + raise FileNotFoundError(f"文件不存在: {media_path}") + + # 查找添加图片按钮 + add_image_btn = creator_tab.ele('x://*[text()="添加图片"]', timeout=10) + if not add_image_btn: + # 尝试其他可能的文本 + add_image_btn = creator_tab.ele('x://*[contains(text(), "图片")]', timeout=5) + if add_image_btn: + add_image_btn.click.to_upload([media_path]) + time.sleep(3) + else: + raise RuntimeError("未找到添加图片按钮") + + # 图片描述(可能和视频描述位置不同) + desc_ele = creator_tab.ele('x://*[text()="添加图片描述"]', timeout=5) + if not desc_ele: + desc_ele = creator_tab.ele('x://*[text()="添加描述"]', timeout=5) + if not desc_ele: + desc_ele = creator_tab.ele('x://*[contains(@placeholder, "描述")]', timeout=5) + + if desc_ele: + try: + xpath_path = desc_ele.xpath + head, sep, tail = xpath_path.rpartition("div[1]") + new_path = f"{head}div[2]{tail}" if sep else xpath_path + new_path += "/div/div[3]/div/div/div" + desc_input = creator_tab.ele(f"x:{new_path}", timeout=5) + if desc_input: + if desc: + desc_input.input(vals=desc[:450], clear=True) + else: + desc_input.input(vals="", clear=True) + except Exception as e: + logger.warning(f"设置图片描述时出错: {e},尝试直接输入") + try: + desc_ele.input(vals=desc[:450] if desc else "", clear=True) + except Exception: + logger.warning("无法设置图片描述,继续执行") + else: + logger.warning("未找到图片描述输入框,继续执行") + + # 标题输入(视频和图片共用) + title_input = creator_tab.ele('x://*[@placeholder="添加标题"]', timeout=10) + if title_input: + title_input.input(vals=title, clear=True) + time.sleep(1) + else: + logger.warning("未找到标题输入框,继续执行") + + self._apply_schedule(creator_tab) + + if self.creator_link: + ele = creator_tab.ele('x://*[text()="点击绑定任务"]', timeout=3) + if ele: + ele.click() + link_input = creator_tab.ele('x://*[@placeholder="请输入个人主页链接"]', timeout=5) + if link_input: + link_input.input(self.creator_link) + time.sleep(1) + confirm_btn = creator_tab.ele('x://*[text()="确认"]', timeout=5) + if confirm_btn: + confirm_btn.click() + time.sleep(1) + + agree_ele = creator_tab.ele('x://*[text()="我已阅读并同意"]', timeout=3) + if agree_ele: + agree_ele.click() + time.sleep(1) + + publish_btn = creator_tab.ele('x://*[text()="一键发布"]', timeout=10) + if publish_btn: + publish_btn.click() + time.sleep(5) + media_type = "视频" if is_video else "图片" + logger.info(f"成功发布{media_type}: {title}") + return True + else: + raise RuntimeError("未找到一键发布按钮") + except Exception as e: + logger.error(f"发布失败 (尝试 {retry + 1}/{max_retries}): {e}") + if retry < max_retries - 1: + time.sleep(2) + else: + raise + return False + + def action(self): + creator_tab = None + try: + self.create_page() + creator_tab = self._open_creator_tab() + media_files = self._collect_media_files() + desc = self._format_topics_desc() + interval_seconds = self._interval_seconds() + + logger.info(f"开始发布任务,共 {len(media_files)} 个文件") + for idx, media_path in enumerate(media_files): + try: + title = self._title_from_path(media_path) + logger.info(f"正在发布第 {idx + 1}/{len(media_files)} 个文件: {title}") + success = self._publish_one(creator_tab, media_path, title, desc) + if not success: + logger.warning(f"文件 {media_path} 发布可能失败") + + if idx < len(media_files) - 1 and interval_seconds > 0: + logger.info(f"等待间隔时间:{interval_seconds} 秒") + time.sleep(interval_seconds) except Exception as e: - logger.error(f"设置定时时间失败: {e}") - import traceback - traceback.print_exc() - - # 绑定任务 - ele = creator_tab.ele('x://*[text()="点击绑定任务"]', timeout=3) - if ele: - ele.click() - creator_tab.ele('x://*[@placeholder="请输入个人主页链接"]').input(self.url) - time.sleep(1) - creator_tab.ele('x://*[text()="确认"]').click() - time.sleep(1) - - ele = creator_tab.ele('x://*[text()="我已阅读并同意"]', timeout=3) - if ele: - ele.click() - time.sleep(1) - creator_tab.ele('x://*[text()="一键发布"]').click() - - time.sleep(5) - - creator_tab.close() + logger.error(f"发布文件 {media_path} 时出错: {e}") + if idx < len(media_files) - 1: + logger.info("继续处理下一个文件") + else: + raise + logger.info("所有文件发布完成") + except Exception as e: + logger.error(f"执行任务时出错: {e}") + raise + finally: + if creator_tab: + try: + creator_tab.close() + except Exception as e: + logger.warning(f"关闭标签页时出错: {e}") + if self.page: + try: + # 不关闭整个浏览器,只清理资源 + pass + except Exception as e: + logger.warning(f"清理页面资源时出错: {e}") if __name__ == '__main__': - url = "https://www.xiaohongshu.com/explore/623d36d70000000001026733?xsec_token=ABhhM2ncuuuXOXUkG3YWI5ygMg2uLj9K1IYSxXyKARs3E=&xsec_source=pc_user" pdd = Pdd( - url=url, user_id="1050100241", + file_path="C:/videos/demo", + topics="测试-示例", time_start="2026-01-15 09:30:00", + interval=5, + creator_link="https://example.com", + count=2, ) pdd.action() diff --git a/自动化_gui.py b/自动化_gui.py index 1355192..a86e023 100644 --- a/自动化_gui.py +++ b/自动化_gui.py @@ -2,9 +2,8 @@ import json import os import sys from datetime import datetime -from urllib.parse import urlparse -from PyQt5.QtCore import Qt, QDateTime, QThread, pyqtSignal, QObject +from PyQt5.QtCore import Qt, QDateTime, QThread, pyqtSignal, QObject, QTimer from PyQt5.QtWidgets import ( QApplication, QCheckBox, @@ -36,15 +35,26 @@ BASE_DIR = os.path.dirname(__file__) TASKS_FILE = os.path.join(BASE_DIR, "pdd_tasks.json") LOG_FILE = os.path.join(BASE_DIR, "pdd_gui.log") DT_FORMAT = "yyyy-MM-dd HH:mm:ss" -EXCEL_HEADERS = ["名称", "URL", "用户ID", "定时", "启用"] +EXCEL_HEADERS = ["用户ID", "文件路径", "话题(以中文“-”分隔)", "定时发布", "间隔时间", "达人链接", "数量", "情况"] EXCEL_HEADER_MAP = { - "名称": "name", - "URL": "url", - "url": "url", "用户ID": "user_id", "user_id": "user_id", + "文件路径": "file_path", + "file_path": "file_path", + "话题(以中文“-”分隔)": "topics", + "话题": "topics", + "topics": "topics", + "定时发布": "time_start", "定时": "time_start", "time_start": "time_start", + "间隔时间": "interval", + "interval": "interval", + "达人链接": "creator_link", + "creator_link": "creator_link", + "数量": "count", + "count": "count", + "情况": "note", + "note": "note", "启用": "enabled", "enabled": "enabled", } @@ -53,28 +63,26 @@ EXCEL_HEADER_MAP = { def _normalize_task(task): if not isinstance(task, dict): return None + file_path = str(task.get("file_path", "")).strip() + user_id = str(task.get("user_id", "")).strip() normalized = { - "name": task.get("name", "").strip() or task.get("url", "").strip(), - "url": task.get("url", "").strip(), - "user_id": task.get("user_id", "").strip(), + "user_id": user_id, + "file_path": file_path, + "topics": str(task.get("topics", "")).strip(), + "interval": task.get("interval"), + "creator_link": str(task.get("creator_link", "")).strip(), + "count": task.get("count"), + "note": str(task.get("note", "")).strip(), "time_start": task.get("time_start"), "enabled": bool(task.get("enabled", True)), "status": task.get("status", ""), "last_run": task.get("last_run", ""), } - if not normalized["url"] or not normalized["user_id"]: + if not normalized["file_path"] or not normalized["user_id"]: return None return normalized -def _is_valid_url(value): - try: - parsed = urlparse(value) - return parsed.scheme in {"http", "https"} and bool(parsed.netloc) - except Exception: - return False - - class EmittingStream(QObject): text_written = pyqtSignal(str) @@ -107,9 +115,21 @@ class TaskDialog(QDialog): layout = QVBoxLayout() form = QFormLayout() - self.name_edit = QLineEdit(task.get("name", "")) - self.url_edit = QLineEdit(task.get("url", "")) self.user_id_edit = QLineEdit(task.get("user_id", "")) + self.file_path_edit = QLineEdit(task.get("file_path", "")) + self.file_path_btn = QPushButton("选择文件夹") + self.file_path_btn.clicked.connect(self._choose_folder) + file_path_layout = QHBoxLayout() + file_path_layout.addWidget(self.file_path_edit) + file_path_layout.addWidget(self.file_path_btn) + file_path_container = QWidget() + file_path_container.setLayout(file_path_layout) + + self.topics_edit = QLineEdit(task.get("topics", "")) + self.interval_edit = QLineEdit(str(task.get("interval", "") or "")) + self.creator_link_edit = QLineEdit(task.get("creator_link", "")) + self.count_edit = QLineEdit(str(task.get("count", "") or "")) + self.note_edit = QLineEdit(task.get("note", "")) self.enabled_checkbox = QCheckBox("启用该任务") self.enabled_checkbox.setChecked(task.get("enabled", True)) @@ -128,13 +148,17 @@ class TaskDialog(QDialog): self.time_checkbox.stateChanged.connect(self._toggle_time) - form.addRow("名称", self.name_edit) - form.addRow("URL", self.url_edit) form.addRow("用户ID", self.user_id_edit) + form.addRow("文件路径", file_path_container) + form.addRow("话题(以中文“-”分隔)", self.topics_edit) + form.addRow("间隔时间", self.interval_edit) + form.addRow("达人链接", self.creator_link_edit) + form.addRow("数量", self.count_edit) + form.addRow("情况", self.note_edit) form.addRow(self.enabled_checkbox) form.addRow(self.time_checkbox, self.time_edit) - hint = QLabel("提示:URL 必须以 http/https 开头;定时为空时会立即发布。") + hint = QLabel("提示:文件夹名作为标题;话题会自动添加 #;定时为空时会立即发布。") hint.setStyleSheet("color: #666;") layout.addLayout(form) @@ -150,6 +174,11 @@ class TaskDialog(QDialog): def _toggle_time(self, state): self.time_edit.setEnabled(state == Qt.Checked) + def _choose_folder(self): + path = QFileDialog.getExistingDirectory(self, "选择文件夹", BASE_DIR) + if path: + self.file_path_edit.setText(path) + def showEvent(self, event): super().showEvent(event) self._center_dialog() @@ -169,14 +198,10 @@ class TaskDialog(QDialog): self.move(frame.topLeft()) def get_task(self): - name = self.name_edit.text().strip() - url = self.url_edit.text().strip() user_id = self.user_id_edit.text().strip() - if not url or not user_id: - QMessageBox.warning(self, "提示", "URL 和 用户ID 不能为空。") - return None - if not _is_valid_url(url): - QMessageBox.warning(self, "提示", "URL 格式不正确。") + file_path = self.file_path_edit.text().strip() + if not file_path or not user_id: + QMessageBox.warning(self, "提示", "文件路径 和 用户ID 不能为空。") return None time_start = None @@ -184,9 +209,13 @@ class TaskDialog(QDialog): time_start = self.time_edit.dateTime().toString(DT_FORMAT) return { - "name": name or url, - "url": url, "user_id": user_id, + "file_path": file_path, + "topics": self.topics_edit.text().strip(), + "interval": self.interval_edit.text().strip(), + "creator_link": self.creator_link_edit.text().strip(), + "count": self.count_edit.text().strip(), + "note": self.note_edit.text().strip(), "time_start": time_start, "enabled": self.enabled_checkbox.isChecked(), "status": "", @@ -205,33 +234,64 @@ class TaskRunner(QThread): self._tasks = tasks self._indices = indices self._stop_requested = False + self._current_runner = None def request_stop(self): + """请求停止任务""" self._stop_requested = True + if self._current_runner: + try: + self._current_runner.request_stop() + except Exception: + pass def run(self): runner = PddRunner() - for idx in self._indices: - if self._stop_requested: - break - task = self._tasks[idx] - self.task_started.emit(idx) - try: - self.log_message.emit(f"开始任务:{task.get('name')}\n") - success, message = runner.run( - url=task["url"], - user_id=task["user_id"], - time_start=task.get("time_start"), - ) - self.task_finished.emit(idx, success, message) - if success: - self.log_message.emit(f"任务完成:{task.get('name')}\n") - else: - self.log_message.emit(f"任务失败:{task.get('name')},原因:{message}\n") - except Exception as exc: - self.task_finished.emit(idx, False, f"失败:{exc}") - self.log_message.emit(f"任务失败:{task.get('name')},原因:{exc}\n") - self.run_finished.emit() + self._current_runner = runner + try: + for idx in self._indices: + if self._stop_requested: + self.log_message.emit("任务已被用户停止\n") + break + task = self._tasks[idx] + self.task_started.emit(idx) + try: + self.log_message.emit(f"开始任务:{task.get('file_path')}\n") + if self._stop_requested: + self.log_message.emit("任务在开始前被停止\n") + break + + success, message = runner.run( + user_id=task["user_id"], + file_path=task["file_path"], + topics=task.get("topics", ""), + time_start=task.get("time_start"), + interval=task.get("interval"), + creator_link=task.get("creator_link"), + count=task.get("count"), + stop_callback=lambda: self._stop_requested, + ) + + if self._stop_requested: + self.task_finished.emit(idx, False, "已停止") + self.log_message.emit(f"任务已停止:{task.get('file_path')}\n") + break + + self.task_finished.emit(idx, success, message) + if success: + self.log_message.emit(f"任务完成:{task.get('file_path')}\n") + else: + self.log_message.emit(f"任务失败:{task.get('file_path')},原因:{message}\n") + except Exception as exc: + if self._stop_requested: + self.task_finished.emit(idx, False, "已停止") + self.log_message.emit(f"任务已停止:{task.get('file_path')}\n") + break + self.task_finished.emit(idx, False, f"失败:{exc}") + self.log_message.emit(f"任务失败:{task.get('file_path')},原因:{exc}\n") + finally: + self._current_runner = None + self.run_finished.emit() class MainWindow(QMainWindow): @@ -241,11 +301,17 @@ class MainWindow(QMainWindow): self.tasks = [] self.runner = None self._stop_after_current = False + self._auto_save_enabled = True + self._last_save_time = None self._build_ui() self._load_tasks() self._refresh_table() self._setup_streams() self._apply_style() + # 启动定时自动保存 + self.auto_save_timer = QTimer() + self.auto_save_timer.timeout.connect(self._auto_save) + self.auto_save_timer.start(30000) # 每30秒自动保存一次 def _build_ui(self): central = QWidget() @@ -253,9 +319,9 @@ class MainWindow(QMainWindow): layout.setContentsMargins(12, 12, 12, 12) layout.setSpacing(10) - self.table = QTableWidget(0, 7) + self.table = QTableWidget(0, 11) self.table.setHorizontalHeaderLabels( - ["启用", "名称", "URL", "用户ID", "定时", "状态", "上次运行"] + ["启用", "用户ID", "文件路径", "话题", "定时发布", "间隔时间", "达人链接", "数量", "情况", "状态", "上次运行"] ) self.table.setSelectionBehavior(QTableWidget.SelectRows) self.table.setSelectionMode(QTableWidget.ExtendedSelection) @@ -379,12 +445,16 @@ class MainWindow(QMainWindow): enabled_item.setFlags(enabled_item.flags() | Qt.ItemIsUserCheckable) enabled_item.setCheckState(Qt.Checked if task.get("enabled", True) else Qt.Unchecked) self.table.setItem(row, 0, enabled_item) - self.table.setItem(row, 1, QTableWidgetItem(task.get("name", ""))) - self.table.setItem(row, 2, QTableWidgetItem(task.get("url", ""))) - self.table.setItem(row, 3, QTableWidgetItem(task.get("user_id", ""))) + self.table.setItem(row, 1, QTableWidgetItem(task.get("user_id", ""))) + self.table.setItem(row, 2, QTableWidgetItem(task.get("file_path", ""))) + self.table.setItem(row, 3, QTableWidgetItem(task.get("topics", ""))) self.table.setItem(row, 4, QTableWidgetItem(task.get("time_start") or "")) - self.table.setItem(row, 5, QTableWidgetItem(task.get("status", ""))) - self.table.setItem(row, 6, QTableWidgetItem(task.get("last_run", ""))) + self.table.setItem(row, 5, QTableWidgetItem(str(task.get("interval") or ""))) + self.table.setItem(row, 6, QTableWidgetItem(task.get("creator_link", ""))) + self.table.setItem(row, 7, QTableWidgetItem(str(task.get("count") or ""))) + self.table.setItem(row, 8, QTableWidgetItem(task.get("note", ""))) + self.table.setItem(row, 9, QTableWidgetItem(task.get("status", ""))) + self.table.setItem(row, 10, QTableWidgetItem(task.get("last_run", ""))) def _add_task(self): dialog = TaskDialog(self) @@ -394,6 +464,7 @@ class MainWindow(QMainWindow): self.tasks.append(task) self._refresh_table() self._save_tasks(silent=True) + self._append_log(f"已添加任务: {task.get('file_path')}\n") def _edit_task(self): row = self._current_single_row() @@ -407,16 +478,19 @@ class MainWindow(QMainWindow): self.tasks[row] = task self._refresh_table() self._save_tasks(silent=True) + self._append_log(f"已编辑任务: {task.get('file_path')}\n") def _delete_task(self): rows = self._current_rows() if not rows: QMessageBox.information(self, "提示", "请先选中一行。") return + deleted_count = len(rows) for row in sorted(rows, reverse=True): del self.tasks[row] self._refresh_table() self._save_tasks(silent=True) + self._append_log(f"已删除 {deleted_count} 个任务\n") def _run_selected(self): rows = self._current_rows() @@ -436,8 +510,20 @@ class MainWindow(QMainWindow): if self.runner: self._stop_after_current = True self.runner.request_stop() - self._append_log("已请求停止队列,将在当前任务结束后停止。\n") - self.status_label.setText("等待当前任务结束...") + self._append_log("正在停止任务队列...\n") + self.status_label.setText("正在停止...") + + # 等待线程响应停止请求,最多等待2秒 + if not self.runner.wait(2000): + # 如果2秒内没有响应,强制终止线程 + self._append_log("强制终止任务线程...\n") + self.runner.terminate() + self.runner.wait(1000) + if self.runner.isRunning(): + self._append_log("警告:线程未能正常终止\n") + else: + self._append_log("任务线程已强制终止\n") + self._on_run_finished() def _set_running(self, running, text): self.status_label.setText(text) @@ -487,9 +573,27 @@ class MainWindow(QMainWindow): return task def _load_tasks(self): + default_excel = os.path.join(BASE_DIR, "配置表(1).xlsx") + if os.path.exists(default_excel): + loaded = self._load_tasks_from_excel(default_excel, show_message=False) + if loaded: + self._append_log(f"从Excel文件加载了 {len(self.tasks)} 个任务\n") + return + + # 尝试从备份文件恢复 + backup_file = f"{TASKS_FILE}.backup" + if not os.path.exists(TASKS_FILE) and os.path.exists(backup_file): + try: + import shutil + shutil.copy2(backup_file, TASKS_FILE) + self._append_log("从备份文件恢复配置\n") + except Exception as e: + self._append_log(f"从备份恢复失败: {e}\n") + if not os.path.exists(TASKS_FILE): self.tasks = [] return + try: with open(TASKS_FILE, "r", encoding="utf-8") as f: data = json.load(f) @@ -504,18 +608,73 @@ class MainWindow(QMainWindow): if normalized: tasks.append(normalized) self.tasks = tasks - except (OSError, json.JSONDecodeError): + self._append_log(f"从JSON文件加载了 {len(self.tasks)} 个任务\n") + except json.JSONDecodeError as e: + self._append_log(f"JSON文件格式错误: {e},尝试从备份恢复\n") + # 尝试从备份恢复 + if os.path.exists(backup_file): + try: + import shutil + shutil.copy2(backup_file, TASKS_FILE) + self._load_tasks() # 递归重试 + except Exception: + self.tasks = [] + else: + self.tasks = [] + except (OSError, Exception) as e: + self._append_log(f"加载配置失败: {e}\n") self.tasks = [] - def _save_tasks(self, silent=False): + def _save_tasks(self, silent=False, backup=True): self._sync_enabled_flags() try: - with open(TASKS_FILE, "w", encoding="utf-8") as f: + # 创建备份 + if backup and os.path.exists(TASKS_FILE): + try: + backup_file = f"{TASKS_FILE}.backup" + import shutil + shutil.copy2(TASKS_FILE, backup_file) + except Exception as e: + self._append_log(f"创建备份失败: {e}\n") + + # 保存到临时文件,然后原子性替换 + temp_file = f"{TASKS_FILE}.tmp" + with open(temp_file, "w", encoding="utf-8") as f: json.dump(self.tasks, f, ensure_ascii=False, indent=2) + + # 原子性替换 + if os.path.exists(TASKS_FILE): + os.replace(temp_file, TASKS_FILE) + else: + os.rename(temp_file, TASKS_FILE) + + self._last_save_time = datetime.now() if not silent: QMessageBox.information(self, "提示", "配置已保存。") + return True except OSError as exc: - QMessageBox.critical(self, "错误", f"保存失败:{exc}") + if os.path.exists(temp_file): + try: + os.remove(temp_file) + except: + pass + if not silent: + QMessageBox.critical(self, "错误", f"保存失败:{exc}") + self._append_log(f"保存配置失败: {exc}\n") + return False + except Exception as exc: + if not silent: + QMessageBox.critical(self, "错误", f"保存失败:{exc}") + self._append_log(f"保存配置失败: {exc}\n") + return False + + def _auto_save(self): + """自动保存配置""" + if self._auto_save_enabled and self.tasks: + try: + self._save_tasks(silent=True, backup=False) + except Exception as e: + self._append_log(f"自动保存失败: {e}\n") def _reload_tasks(self): self._load_tasks() @@ -586,9 +745,12 @@ class MainWindow(QMainWindow): path, _ = QFileDialog.getOpenFileName(self, "导入Excel配置", BASE_DIR, "Excel 文件 (*.xlsx)") if not path: return + self._load_tasks_from_excel(path, show_message=True) + + def _load_tasks_from_excel(self, path, show_message=False): openpyxl = self._get_openpyxl() if not openpyxl: - return + return False try: workbook = openpyxl.load_workbook(path, data_only=True) sheet = workbook.active @@ -603,8 +765,8 @@ class MainWindow(QMainWindow): key = EXCEL_HEADER_MAP.get(header) if key: column_map[idx] = key - if "url" not in column_map.values() or "user_id" not in column_map.values(): - raise ValueError("表头必须包含 URL 和 用户ID") + if "file_path" not in column_map.values() or "user_id" not in column_map.values(): + raise ValueError("表头必须包含 文件路径 和 用户ID") tasks = [] for row in rows[1:]: if not row: @@ -613,16 +775,20 @@ class MainWindow(QMainWindow): for idx, key in column_map.items(): if idx < len(row): item[key] = row[idx] - url = str(item.get("url") or "").strip() + file_path = str(item.get("file_path") or "").strip() user_id = str(item.get("user_id") or "").strip() - if not url or not user_id: + if not file_path or not user_id: continue time_start = self._normalize_time_cell(item.get("time_start")) enabled = self._parse_enabled(item.get("enabled")) task = { - "name": str(item.get("name") or "").strip() or url, - "url": url, "user_id": user_id, + "file_path": file_path, + "topics": str(item.get("topics") or "").strip(), + "interval": item.get("interval"), + "creator_link": str(item.get("creator_link") or "").strip(), + "count": item.get("count"), + "note": str(item.get("note") or "").strip(), "time_start": time_start, "enabled": enabled, "status": "", @@ -635,9 +801,13 @@ class MainWindow(QMainWindow): self.tasks = tasks self._refresh_table() self._save_tasks(silent=True) - QMessageBox.information(self, "提示", f"导入完成,共 {len(tasks)} 条任务。") + if show_message: + QMessageBox.information(self, "提示", f"导入完成,共 {len(tasks)} 条任务。") + return True except Exception as exc: - QMessageBox.critical(self, "错误", f"导入失败:{exc}") + if show_message: + QMessageBox.critical(self, "错误", f"导入失败:{exc}") + return False def _download_excel_template(self): path, _ = QFileDialog.getSaveFileName(self, "下载Excel模板", BASE_DIR, "Excel 文件 (*.xlsx)") @@ -663,7 +833,7 @@ class MainWindow(QMainWindow): if row is None: return task = self._task_from_row(row) - task["name"] = f"{task.get('name')} (副本)" + task["note"] = f"{task.get('note', '')} (副本)".strip() task["status"] = "" task["last_run"] = "" self.tasks.insert(row + 1, task) @@ -692,7 +862,33 @@ class MainWindow(QMainWindow): if self.runner: QMessageBox.information(self, "提示", "已有任务在运行中。") return - self._sync_enabled_flags() + + # 启动前先保存配置 + try: + self._sync_enabled_flags() + if not self._save_tasks(silent=True): + reply = QMessageBox.question( + self, + "保存失败", + "配置保存失败,是否仍要继续运行任务?", + QMessageBox.Yes | QMessageBox.No, + QMessageBox.No + ) + if reply == QMessageBox.No: + return + self._append_log("配置已保存,开始运行任务...\n") + except Exception as e: + self._append_log(f"保存配置时出错: {e}\n") + reply = QMessageBox.question( + self, + "保存失败", + f"配置保存失败:{e}\n是否仍要继续运行任务?", + QMessageBox.Yes | QMessageBox.No, + QMessageBox.No + ) + if reply == QMessageBox.No: + return + self._stop_after_current = False self.runner = TaskRunner(self.tasks, rows) self.runner.task_started.connect(self._on_task_started) @@ -712,14 +908,25 @@ class MainWindow(QMainWindow): self._refresh_table() def _on_run_finished(self): - if self.runner: - self.runner.deleteLater() + runner = self.runner + if runner: + runner.deleteLater() self.runner = None + self._set_running(False, "就绪") - self._save_tasks(silent=True) + + # 确保保存配置 + try: + self._save_tasks(silent=True) + except Exception as e: + self._append_log(f"保存配置时出错: {e}\n") + if self._stop_after_current: - QMessageBox.information(self, "提示", "已停止队列。") + self._append_log("任务队列已停止\n") + self._stop_after_current = False + # 不显示消息框,只在日志中记录 else: + self._append_log("任务队列执行完成\n") QMessageBox.information(self, "完成", "任务队列执行完成。") def _append_log(self, text): @@ -755,10 +962,38 @@ class MainWindow(QMainWindow): def closeEvent(self, event): if self.runner: - QMessageBox.warning(self, "提示", "任务运行中,无法关闭。") - event.ignore() - return - self._save_tasks(silent=True) + reply = QMessageBox.question( + self, + "确认关闭", + "任务运行中,确定要关闭吗?\n关闭后正在运行的任务将被中断。", + QMessageBox.Yes | QMessageBox.No, + QMessageBox.No + ) + if reply == QMessageBox.Yes: + self._stop_after_current = True + if self.runner: + self.runner.request_stop() + # 等待任务结束 + import time + for _ in range(10): + if not self.runner: + break + time.sleep(0.5) + else: + event.ignore() + return + + # 保存配置 + try: + self._save_tasks(silent=True) + self._append_log("程序关闭,配置已保存\n") + except Exception as e: + self._append_log(f"关闭时保存配置失败: {e}\n") + + # 停止自动保存定时器 + if hasattr(self, 'auto_save_timer'): + self.auto_save_timer.stop() + event.accept() def _apply_style(self): diff --git a/自动化_wrapper.py b/自动化_wrapper.py index 8957720..9cdfd0f 100644 --- a/自动化_wrapper.py +++ b/自动化_wrapper.py @@ -8,6 +8,11 @@ class PddRunner: def __init__(self, retries=1, retry_delay=5): self.retries = max(0, int(retries)) self.retry_delay = max(0, int(retry_delay)) + self._stop_requested = False + + def request_stop(self): + """请求停止任务""" + self._stop_requested = True def _normalize_time_start(self, time_start): if not time_start: @@ -29,18 +34,60 @@ class PddRunner: pass break - def run(self, url, user_id, time_start=None): + def run( + self, + user_id, + file_path, + topics="", + time_start=None, + interval=None, + creator_link=None, + count=None, + stop_callback=None, + ): + self._stop_requested = False normalized_time = self._normalize_time_start(time_start) last_exc = None + pdd = None for attempt in range(self.retries + 1): - pdd = Pdd(url=url, user_id=user_id, time_start=normalized_time) + # 检查停止请求 + if self._stop_requested or (stop_callback and stop_callback()): + return False, "已停止" + try: + pdd = Pdd( + user_id=user_id, + file_path=file_path, + topics=topics, + time_start=normalized_time, + interval=interval, + creator_link=creator_link, + count=count, + ) pdd.action() return True, "完成" except Exception as exc: + # 检查是否是因为停止请求导致的异常 + if self._stop_requested or (stop_callback and stop_callback()): + return False, "已停止" + last_exc = exc + import traceback + error_msg = f"{type(exc).__name__}: {str(exc)}" if attempt < self.retries: - time.sleep(self.retry_delay) + print(f"任务失败 (尝试 {attempt + 1}/{self.retries + 1}),{self.retry_delay}秒后重试: {error_msg}") + # 在等待期间也检查停止请求 + for _ in range(self.retry_delay): + if self._stop_requested or (stop_callback and stop_callback()): + return False, "已停止" + time.sleep(1) + else: + print(f"任务最终失败: {error_msg}") + traceback.print_exc() finally: - self._cleanup(pdd) + if pdd: + try: + self._cleanup(pdd) + except Exception as cleanup_exc: + print(f"清理资源时出错: {cleanup_exc}") return False, f"失败:{last_exc}" diff --git a/配置表(1).xlsx b/配置表(1).xlsx new file mode 100644 index 0000000..81cdaf1 Binary files /dev/null and b/配置表(1).xlsx differ