Cookie
Cookie 是一种在用户的浏览器中存储的小型文本文件,用于保存有关用户和他们的访问信息。它们通常用于以下目的:
主要功能 |
|
结构 |
|
工作原理 |
|
类型 |
|
封装Cookies类
import 'dart:html' as html;
class Cookies {
// 单例模式
static final Cookies _instance = Cookies._internal();
factory Cookies() {
return _instance;
}
Cookies._internal(); // 私有构造函数
// 设置 cookie
static void set(String name, String value,
{Map<String, dynamic>? attributes}) {
if (attributes != null && attributes.containsKey('expires')) {
if (attributes['expires'] is int) {
final expires =
DateTime.now().add(Duration(days: attributes['expires']));
attributes['expires'] = expires.toUtc().toIso8601String();
}
}
name = Uri.encodeComponent(name);
String cookieString = '$name=${Uri.encodeComponent(value)}';
attributes?.forEach((key, value) {
if (value != null) {
cookieString += '; $key';
if (value is String) {
cookieString += '=${Uri.encodeComponent(value)}';
}
}
});
html.document.cookie = cookieString;
}
// 获取 cookie
static String? get(String name) {
if (name.isEmpty) {
return null;
}
var cookies = html.document.cookie?.split('; ') ?? [];
for (var cookie in cookies) {
var parts = cookie.split('=');
var value = parts.sublist(1).join('=');
try {
var found = Uri.decodeComponent(parts[0]);
if (name == found) {
return value;
}
} catch (e) {
// 处理异常
}
}
return null;
}
// 删除 cookie
static void remove(String name, {Map<String, dynamic>? attributes}) {
set(name, '', attributes: {
...?attributes,
'expires': -1, // 设置为 -1,表示立即过期
});
}
}
方法描述
方法 | 入参含义 | 描述 |
---|---|---|
set (name, value, attributes) | name:Cookie 的标识符。 value:与名称关联的数据 attributes:{ //其他配置 path:路径,默认是/ | 设置Cookie |
remove(name,attributes) | name:Cookie 的标识符。 attributes:{ //其他配置 expires:过期时间(天),int类型 path:路径,默认是/ } | 删除Cookie |
get(name) | name:Cookie 的标识符 | 读取Cookie |