sql stringlengths 6 1.05M |
|---|
CREATE OR REPLACE FUNCTION five_minutely_aggregation(OUT start_id bigint, OUT end_id bigint)
RETURNS record
LANGUAGE plpgsql
AS $function$
BEGIN
/* determine which page views we can safely aggregate */
SELECT window_start, window_end INTO start_id, end_id
FROM incremental_rollup_window('rollup_events_5min');
/* exit early if there are no new page views to aggregate */
IF start_id > end_id THEN RETURN; END IF;
/* aggregate the page views, merge results if the entry already exists */
INSERT INTO rollup_events_5min
SELECT customer_id,
event_type,
country,
browser,
date_trunc('seconds', (event_time - TIMESTAMP 'epoch') / 300) * 300 + TIMESTAMP 'epoch' AS minute,
count(*) as event_count,
hll_add_agg(hll_hash_bigint(device_id)) as device_distinct_count,
hll_add_agg(hll_hash_bigint(session_id)) as session_distinct_count,
topn_add_agg(device_id::text) top_devices_1000
FROM events WHERE event_id BETWEEN start_id AND end_id
GROUP BY customer_id,event_type,country,browser,minute
ON CONFLICT (customer_id,event_type,country,browser,minute)
DO UPDATE
SET event_count=rollup_events_5min.event_count+excluded.event_count,
device_distinct_count = hll_union(rollup_events_5min.device_distinct_count, excluded.device_distinct_count),
session_distinct_count= hll_union(rollup_events_5min.session_distinct_count, excluded.session_distinct_count),
top_devices_1000 = topn_union(rollup_events_5min.top_devices_1000, excluded.top_devices_1000);
END;
$function$;
|
-- Copyright 2018 <NAME>. All rights reserved. More info at http://tanelpoder.com
-- Licensed under the Apache License, Version 2.0. See LICENSE.txt for terms & conditions.
--------------------------------------------------------------------------------
--
-- File name: ses2.sql (SEssion Statistics 2)
-- Purpose: Display Session statistics for given sessions, filter by
-- statistic name and show only stats with value > 0
--
-- Author: <NAME>
-- Copyright: (c) http://www.tanelpoder.com
--
-- Usage: @ses2 <sid> <statname>
-- @ses2 10 %
-- @ses2 10 parse
-- @ses2 10,11,12 redo
-- @ses2 "select sid from v$session where username = 'APPS'" parse
--
--------------------------------------------------------------------------------
select
ses.sid,
sn.name,
ses.value
from
v$sesstat ses,
v$statname sn
where
sn.statistic# = ses.statistic#
and ses.sid in (&1)
and lower(sn.name) like lower('%&2%')
and ses.value > 0
/
|
-- --------------------------------------------------------
-- 主机: 127.0.0.1
-- 服务器版本: 8.0.13 - MySQL Community Server - GPL
-- 服务器操作系统: Win64
-- HeidiSQL 版本: 9.5.0.5196
-- --------------------------------------------------------
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET NAMES utf8 */;
/*!50503 SET NAMES utf8mb4 */;
/*!40014 SET @OLD_FOREIGN_KEY_CHECKS=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */;
/*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='NO_AUTO_VALUE_ON_ZERO' */;
-- 导出 表 grail_oauth.oauth_client_details 结构
CREATE TABLE IF NOT EXISTS `oauth_client_details` (
`client_id` varchar(128) NOT NULL,
`resource_ids` varchar(256) DEFAULT NULL,
`client_secret` varchar(256) DEFAULT NULL COMMENT '密码',
`scope` varchar(256) DEFAULT NULL,
`authorized_grant_types` varchar(256) DEFAULT NULL COMMENT '支持的授权方式',
`web_server_redirect_uri` varchar(256) DEFAULT NULL,
`authorities` varchar(256) DEFAULT NULL,
`access_token_validity` int(11) DEFAULT NULL COMMENT 'access_token有效期(单位秒)',
`refresh_token_validity` int(11) DEFAULT NULL COMMENT 'refresh_token有效期(单位秒)',
`additional_information` varchar(4096) DEFAULT NULL,
`autoapprove` varchar(256) DEFAULT NULL,
PRIMARY KEY (`client_id`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_0900_ai_ci COMMENT='oauth2的client表';
-- 正在导出表 grail_oauth.oauth_client_details 的数据:~1 rows (大约)
DELETE FROM `oauth_client_details`;
/*!40000 ALTER TABLE `oauth_client_details` DISABLE KEYS */;
INSERT INTO `oauth_client_details` (`client_id`, `resource_ids`, `client_secret`, `scope`, `authorized_grant_types`, `web_server_redirect_uri`, `authorities`, `access_token_validity`, `refresh_token_validity`, `additional_information`, `autoapprove`) VALUES
('system', NULL, '$2a$10$QN9vg9iX3WFovHnDX7bJO.rWWDkS0VP7HYhV.HDiVEE56xPwZfjKe', 'app', 'authorization_code,password,refresh_token', NULL, NULL, 28800, NULL, NULL, NULL);
/*!40000 ALTER TABLE `oauth_client_details` ENABLE KEYS */;
-- 导出 表 grail_oauth.oauth_code 结构
CREATE TABLE IF NOT EXISTS `oauth_code` (
`code` varchar(128) NOT NULL COMMENT '临时code',
`authentication` blob,
PRIMARY KEY (`code`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_0900_ai_ci COMMENT='授权码模式code表';
-- 正在导出表 grail_oauth.oauth_code 的数据:~0 rows (大约)
DELETE FROM `oauth_code`;
/*!40000 ALTER TABLE `oauth_code` DISABLE KEYS */;
/*!40000 ALTER TABLE `oauth_code` ENABLE KEYS */;
/*!40101 SET SQL_MODE=IFNULL(@OLD_SQL_MODE, '') */;
/*!40014 SET FOREIGN_KEY_CHECKS=IF(@OLD_FOREIGN_KEY_CHECKS IS NULL, 1, @OLD_FOREIGN_KEY_CHECKS) */;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
|
<filename>tutorials/012.join.sql
USE `sqlin10mins`;
-- 上一节中用子查询
-- 1.求订购了RGAN01这种商品的所有顾客
-- 2.求Customers表中每个客户的订单总数和
-- 实现得比较不方便,这里使用联结
-- 1. 上一节的子查询实现
select cust_id from Orders where order_num IN (select order_num from OrderItems where prod_id = 'RGAN01');
-- 本节的连接实现
-- 这里的order_num就是连接的字段
-- 然后OrderIterms表中的prod_id就是在另一侧的表中进行筛选
select cust_id from Orders ,OrderItems where Orders.order_num=OrderItems.order_num and OrderItems.prod_id = 'RGAN01';
-- 2. 上一节的子查询实现
-- select cust_name ,(select count(*) from Orders where Orders.cust_id = Customers.cust_id) from Customers;
-- 本节的连接实现
-- 这个还不怎么好弄!留给以后.看了连接中使用聚集函数可以解决了:
-- 注意这个不统计空的,要统计空的要通过外连
select cust_name ,count(*) from Orders,Customers where Orders.cust_id = Customers.cust_id group by Customers.cust_id;
-- -------------------------------------------------------------------------------------------------
-- 本节学习联结
-- example1 打印出Products表中每件商品的供应商的名字,每件商品的名字、价格
select vend_name,prod_name,prod_price from Vendors,Products where Vendors.vend_id = Products.vend_id;
-- example 2
-- 1.显示订单20007中的所有物品及其价格 (这里的20007写成'20007'也可以,select中的prod_id要加限定)
select prod_name,prod_price,Products.prod_id from Products,OrderItems where Products.prod_id = OrderItems.prod_id and order_num=20007;
-- 2.显示订单20007中的所有物品、价格及其供货商名
select prod_name,prod_price , Vendors.vend_name from Products,OrderItems,Vendors where Products.prod_id = OrderItems.prod_id and order_num=20007 and Vendors.vend_id=Products.vend_id;
|
<reponame>cloud-native-java-with-k8s-livelessons/bootcamp
create table if not exists customer ( id serial primary key, name varchar (255)) ; |
<filename>hasura/migrations/1630511740827_alter_table_public_channels_stats_add_column_zone_counterparty_readable_name/up.sql
ALTER TABLE "public"."channels_stats" ADD COLUMN "zone_counterparty_readable_name" varchar NOT NULL DEFAULT '';
|
<reponame>opengauss-mirror/Yat<filename>openGaussBase/testcase/SQL/DML/call_function/Opengauss_Function_DML_Call_Function_Case0002.sql<gh_stars>0
-- @testpoint: 带schema,按参数值传递,调用函数(schema已存在)
drop SCHEMA if EXISTS hs;
CREATE SCHEMA hs;
drop FUNCTION if EXISTS hs.func_add_sql002;
CREATE FUNCTION hs.func_add_sql002(num1 integer, num2 integer) RETURN integer
AS
BEGIN
RETURN num1 + num2;
END;
/
CALL hs.func_add_sql002(1, 3);
drop FUNCTION hs.func_add_sql002;
drop schema hs; |
SELECT * FROM CATEGORIES
WHERE DELETE_FLAG = 0;
|
/*
Navicat Oracle Data Transfer
Oracle Client Version : 172.16.17.32.0
Source Server : local
Source Server Version : 110200
Source Host : 127.0.0.1:1521
Source Schema : PERSONPAPER
Target Server Type : ORACLE
Target Server Version : 110200
File Encoding : 65001
Date: 2019-07-17 17:50:42
*/
-- ----------------------------
-- Table structure for ROLE
-- ----------------------------
DROP TABLE "PERSONPAPER"."ROLE";
CREATE TABLE "PERSONPAPER"."ROLE" (
"ID" NUMBER(10) NOT NULL ,
"CREATED_DATE_TIME" TIMESTAMP(6) NOT NULL ,
"CREATED_USER_ID" NUMBER(10) NOT NULL ,
"CREATED_USER_NAME" VARCHAR2(55 CHAR) NOT NULL ,
"DESCRIPTION" VARCHAR2(255 CHAR) NULL ,
"LAST_UPDATE_DATE_TIME" TIMESTAMP(6) NOT NULL ,
"LAST_UPDATE_USER_ID" NUMBER(10) NOT NULL ,
"LAST_UPDATE_USER_NAME" VARCHAR2(255 CHAR) NOT NULL ,
"NAME" VARCHAR2(255 CHAR) NOT NULL ,
"DEFAULT_PERMISSIONS" NUMBER(10) NULL ,
"AMPUTATED" NUMBER(10) NULL
)
LOGGING
NOCOMPRESS
NOCACHE
;
-- ----------------------------
-- Records of ROLE
-- ----------------------------
INSERT INTO "PERSONPAPER"."ROLE" VALUES ('342', TO_TIMESTAMP(' 2019-06-28 10:15:14:466000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1096', '中心机关', null, TO_TIMESTAMP(' 2019-06-28 10:23:00:978000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1096', '中心机关', '一般员工', '0', null);
INSERT INTO "PERSONPAPER"."ROLE" VALUES ('343', TO_TIMESTAMP(' 2019-06-28 11:34:43:701000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1096', '中心机关', null, TO_TIMESTAMP(' 2019-06-28 11:34:43:701000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1096', '中心机关', '部门账号', '1', null);
INSERT INTO "PERSONPAPER"."ROLE" VALUES ('202', TO_TIMESTAMP(' 2019-02-13 16:04:32:036000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1102', '公共资源交易中心', null, TO_TIMESTAMP(' 2019-02-13 16:04:32:036000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1102', '公共资源交易中心', '公共资源交易中心专用角色', '0', null);
INSERT INTO "PERSONPAPER"."ROLE" VALUES ('124', TO_TIMESTAMP(' 2019-01-19 13:53:17:410000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1372', '00060', null, TO_TIMESTAMP(' 2019-01-19 13:53:17:410000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1372', '00060', '业务一科角色', '0', null);
INSERT INTO "PERSONPAPER"."ROLE" VALUES ('242', TO_TIMESTAMP(' 2019-03-11 09:29:43:521000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1173', '新登分中心窗口', null, TO_TIMESTAMP(' 2019-03-11 09:29:43:521000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1173', '新登分中心窗口', '新登窗口角色', '0', null);
INSERT INTO "PERSONPAPER"."ROLE" VALUES ('190', TO_TIMESTAMP(' 2019-02-02 13:42:33:883000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1378', '中心窗口', null, TO_TIMESTAMP(' 2019-02-02 14:32:42:367000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1378', '中心窗口', '部门账号', '0', null);
INSERT INTO "PERSONPAPER"."ROLE" VALUES ('244', TO_TIMESTAMP(' 2019-03-13 15:04:04:036000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1153', '场口分中心窗口', null, TO_TIMESTAMP(' 2019-03-13 15:04:04:036000', 'YYYY-MM-DD HH24:MI:SS:FF6'), '1153', '场口分中心窗口', '场口窗口角色', '0', null);
-- ----------------------------
-- Checks structure for table ROLE
-- ----------------------------
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_DATE_TIME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_USER_ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_USER_NAME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_DATE_TIME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_USER_ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_USER_NAME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("NAME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_DATE_TIME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_USER_ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_USER_NAME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_DATE_TIME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_USER_ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_USER_NAME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("NAME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_DATE_TIME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_USER_ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_USER_NAME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_DATE_TIME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_USER_ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_USER_NAME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("NAME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_DATE_TIME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_USER_ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("CREATED_USER_NAME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_DATE_TIME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_USER_ID" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("LAST_UPDATE_USER_NAME" IS NOT NULL);
ALTER TABLE "PERSONPAPER"."ROLE" ADD CHECK ("NAME" IS NOT NULL);
|
-- Base58编码 将大整数编成字母数字混合格式
-- SELECT * FROM base58(333333);
CREATE OR REPLACE FUNCTION base58(IN num bigint, OUT result text) AS $$
DECLARE
alphabet char[] := ARRAY['1','2','3','4','5','6','7','8','9','A','B','C',
'D','E','F','G','H','J','K','L','M','N','P','Q','R','S','T','U','V','W',
'X','Y','Z','a','b','c','d','e','f','g','h','i','j','k','m','n','o','p',
'q','r','s','t','u','v','w','x','y','z'];
BEGIN
result := '';
WHILE num != 0 LOOP
result := alphabet[(num % 58)+1] || result;
num := num / 58;
END LOOP;
END;
$$ LANGUAGE PLPGSQL;
|
<reponame>HoussamBenali/LastVersion
-- MySQL dump 10.13 Distrib 8.0.23, for Linux (x86_64)
--
-- Host: localhost Database: pokeproject
-- ------------------------------------------------------
-- Server version 8.0.23-0ubuntu0.20.04.1
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!50503 SET NAMES utf8mb4 */;
/*!40103 SET @OLD_TIME_ZONE=@@TIME_ZONE */;
/*!40103 SET TIME_ZONE='+00:00' */;
/*!40014 SET @OLD_UNIQUE_CHECKS=@@UNIQUE_CHECKS, UNIQUE_CHECKS=0 */;
/*!40014 SET @OLD_FOREIGN_KEY_CHECKS=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */;
/*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='NO_AUTO_VALUE_ON_ZERO' */;
/*!40111 SET @OLD_SQL_NOTES=@@SQL_NOTES, SQL_NOTES=0 */;
--
-- Table structure for table `cart`
--
DROP TABLE IF EXISTS `cart`;
/*!40101 SET @saved_cs_client = @@character_set_client */;
/*!50503 SET character_set_client = utf8mb4 */;
CREATE TABLE `cart` (
`id` bigint unsigned NOT NULL AUTO_INCREMENT,
`user_id` bigint unsigned NOT NULL,
`poke_id` bigint unsigned NOT NULL,
`created_at` datetime NOT NULL,
`updated_at` datetime NOT NULL,
PRIMARY KEY (`id`),
KEY `cart_user_id_foreign` (`user_id`),
KEY `cart_poke_id_foreign` (`poke_id`),
CONSTRAINT `cart_poke_id_foreign` FOREIGN KEY (`poke_id`) REFERENCES `pokemons` (`id`),
CONSTRAINT `cart_user_id_foreign` FOREIGN KEY (`user_id`) REFERENCES `users` (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=16 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `cart`
--
LOCK TABLES `cart` WRITE;
/*!40000 ALTER TABLE `cart` DISABLE KEYS */;
INSERT INTO `cart` VALUES (15,1,5,'2021-05-22 14:22:20','2021-05-22 14:22:20');
/*!40000 ALTER TABLE `cart` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `decks`
--
DROP TABLE IF EXISTS `decks`;
/*!40101 SET @saved_cs_client = @@character_set_client */;
/*!50503 SET character_set_client = utf8mb4 */;
CREATE TABLE `decks` (
`id` bigint unsigned NOT NULL AUTO_INCREMENT,
`name` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`user_id` bigint unsigned NOT NULL,
`poke_1` bigint unsigned NOT NULL,
`poke_2` bigint unsigned NOT NULL,
`poke_3` bigint unsigned NOT NULL,
`poke_4` bigint unsigned NOT NULL,
`created_at` datetime NOT NULL,
`updated_at` datetime NOT NULL,
PRIMARY KEY (`id`),
KEY `decks_user_id_foreign` (`user_id`),
KEY `decks_poke_1_foreign` (`poke_1`),
KEY `decks_poke_2_foreign` (`poke_2`),
KEY `decks_poke_3_foreign` (`poke_3`),
KEY `decks_poke_4_foreign` (`poke_4`),
CONSTRAINT `decks_poke_1_foreign` FOREIGN KEY (`poke_1`) REFERENCES `pokemons` (`id`),
CONSTRAINT `decks_poke_2_foreign` FOREIGN KEY (`poke_2`) REFERENCES `pokemons` (`id`),
CONSTRAINT `decks_poke_3_foreign` FOREIGN KEY (`poke_3`) REFERENCES `pokemons` (`id`),
CONSTRAINT `decks_poke_4_foreign` FOREIGN KEY (`poke_4`) REFERENCES `pokemons` (`id`),
CONSTRAINT `decks_user_id_foreign` FOREIGN KEY (`user_id`) REFERENCES `users` (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=51 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `decks`
--
LOCK TABLES `decks` WRITE;
/*!40000 ALTER TABLE `decks` DISABLE KEYS */;
INSERT INTO `decks` VALUES (6,NULL,3,7,152,152,152,'2021-05-20 14:35:10','2021-05-20 14:35:10'),(7,'New Deck',3,4,152,152,152,'2021-05-20 14:39:15','2021-05-20 14:39:15'),(8,'New Deck',3,4,152,152,152,'2021-05-20 14:42:01','2021-05-20 14:42:01'),(9,'New Deck',3,4,152,152,152,'2021-05-20 14:43:44','2021-05-20 14:43:44'),(10,'New Deck',3,4,152,152,152,'2021-05-20 14:44:57','2021-05-20 14:44:57'),(11,'New Deck',3,4,152,152,152,'2021-05-20 14:46:42','2021-05-20 14:46:42'),(12,'New Deck',3,7,152,152,152,'2021-05-20 14:47:38','2021-05-20 14:47:38'),(13,'New Deck',3,1,152,152,152,'2021-05-20 14:48:13','2021-05-20 14:48:13'),(14,'New Deck',4,7,4,152,152,'2021-05-21 13:51:37','2021-05-21 14:27:41'),(15,'New Deck',4,152,7,152,152,'2021-05-21 14:02:54','2021-05-21 14:27:31'),(16,'New Deck',5,7,152,152,152,'2021-05-21 14:31:44','2021-05-21 14:31:44'),(17,'New Deck',6,7,152,152,152,'2021-05-21 14:40:12','2021-05-21 14:40:12'),(18,'New Deck',7,1,152,152,152,'2021-05-21 14:41:58','2021-05-21 14:41:58'),(19,'New Deck',8,7,152,152,152,'2021-05-21 14:43:17','2021-05-21 14:43:17'),(20,'New Deck',8,7,152,152,152,'2021-05-21 14:43:51','2021-05-21 14:43:51'),(21,'New Deck',8,7,152,152,152,'2021-05-21 14:44:37','2021-05-21 14:44:37'),(22,'New Deck',9,1,152,152,152,'2021-05-21 14:45:42','2021-05-21 14:45:42'),(30,'New Deck',1,4,152,152,1,'2021-05-21 16:42:29','2021-05-22 15:05:25'),(35,'New Deck',1,9,152,152,152,'2021-05-21 18:37:20','2021-05-22 11:35:53'),(36,'New Deck',1,7,152,152,152,'2021-05-21 19:32:19','2021-05-21 19:32:19'),(50,'New Deck',1,7,152,152,152,'2021-05-22 14:51:25','2021-05-22 14:51:25');
/*!40000 ALTER TABLE `decks` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `games`
--
DROP TABLE IF EXISTS `games`;
/*!40101 SET @saved_cs_client = @@character_set_client */;
/*!50503 SET character_set_client = utf8mb4 */;
CREATE TABLE `games` (
`id` bigint unsigned NOT NULL AUTO_INCREMENT,
`user_id` bigint unsigned NOT NULL,
`user_id_2` bigint unsigned NOT NULL,
`winner_id` int DEFAULT NULL,
`created_at` datetime NOT NULL,
`updated_at` datetime NOT NULL,
PRIMARY KEY (`id`),
KEY `games_user_id_foreign` (`user_id`),
KEY `games_user_id_2_foreign` (`user_id_2`),
CONSTRAINT `games_user_id_2_foreign` FOREIGN KEY (`user_id_2`) REFERENCES `users` (`id`),
CONSTRAINT `games_user_id_foreign` FOREIGN KEY (`user_id`) REFERENCES `users` (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `games`
--
LOCK TABLES `games` WRITE;
/*!40000 ALTER TABLE `games` DISABLE KEYS */;
/*!40000 ALTER TABLE `games` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `games_offline`
--
DROP TABLE IF EXISTS `games_offline`;
/*!40101 SET @saved_cs_client = @@character_set_client */;
/*!50503 SET character_set_client = utf8mb4 */;
CREATE TABLE `games_offline` (
`id` bigint unsigned NOT NULL AUTO_INCREMENT,
`user_id` bigint unsigned NOT NULL,
`poke_player` bigint unsigned NOT NULL,
`poke_op` bigint unsigned NOT NULL,
`rewards` int DEFAULT NULL,
`wins` int DEFAULT NULL,
`coins` int NOT NULL DEFAULT '0',
`created_at` datetime NOT NULL,
`updated_at` datetime NOT NULL,
PRIMARY KEY (`id`),
KEY `games_offline_user_id_foreign` (`user_id`),
KEY `games_offline_poke_player_foreign` (`poke_player`),
KEY `games_offline_poke_op_foreign` (`poke_op`),
CONSTRAINT `games_offline_poke_op_foreign` FOREIGN KEY (`poke_op`) REFERENCES `pokemons` (`id`),
CONSTRAINT `games_offline_poke_player_foreign` FOREIGN KEY (`poke_player`) REFERENCES `pokemons` (`id`),
CONSTRAINT `games_offline_user_id_foreign` FOREIGN KEY (`user_id`) REFERENCES `users` (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=5 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `games_offline`
--
LOCK TABLES `games_offline` WRITE;
/*!40000 ALTER TABLE `games_offline` DISABLE KEYS */;
INSERT INTO `games_offline` VALUES (3,1,7,1,NULL,1,1000,'2021-05-21 15:27:48','2021-05-21 15:27:48'),(4,1,4,102,NULL,0,100,'2021-05-22 13:42:05','2021-05-22 13:42:05');
/*!40000 ALTER TABLE `games_offline` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `main_decks`
--
DROP TABLE IF EXISTS `main_decks`;
/*!40101 SET @saved_cs_client = @@character_set_client */;
/*!50503 SET character_set_client = utf8mb4 */;
CREATE TABLE `main_decks` (
`id` bigint unsigned NOT NULL AUTO_INCREMENT,
`user_id` bigint unsigned NOT NULL,
`deck_id` bigint unsigned NOT NULL,
`created_at` datetime NOT NULL,
`updated_at` datetime NOT NULL,
PRIMARY KEY (`id`),
KEY `main_decks_user_id_foreign` (`user_id`),
KEY `main_decks_deck_id_foreign` (`deck_id`),
CONSTRAINT `main_decks_deck_id_foreign` FOREIGN KEY (`deck_id`) REFERENCES `decks` (`id`),
CONSTRAINT `main_decks_user_id_foreign` FOREIGN KEY (`user_id`) REFERENCES `users` (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=9 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `main_decks`
--
LOCK TABLES `main_decks` WRITE;
/*!40000 ALTER TABLE `main_decks` DISABLE KEYS */;
INSERT INTO `main_decks` VALUES (1,1,30,'2021-05-20 01:26:28','2021-05-22 00:28:17'),(2,3,12,'2021-05-20 14:47:38','2021-05-20 14:47:38'),(3,4,14,'2021-05-21 13:51:37','2021-05-21 13:51:37'),(4,5,16,'2021-05-21 14:31:44','2021-05-21 14:31:44'),(5,6,17,'2021-05-21 14:40:12','2021-05-21 14:40:12'),(6,7,18,'2021-05-21 14:41:58','2021-05-21 14:41:58'),(7,8,19,'2021-05-21 14:43:17','2021-05-21 14:43:17'),(8,9,22,'2021-05-21 14:45:42','2021-05-21 14:45:42');
/*!40000 ALTER TABLE `main_decks` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `migrations`
--
DROP TABLE IF EXISTS `migrations`;
/*!40101 SET @saved_cs_client = @@character_set_client */;
/*!50503 SET character_set_client = utf8mb4 */;
CREATE TABLE `migrations` (
`id` int unsigned NOT NULL AUTO_INCREMENT,
`migration` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`batch` int NOT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=12 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `migrations`
--
LOCK TABLES `migrations` WRITE;
/*!40000 ALTER TABLE `migrations` DISABLE KEYS */;
INSERT INTO `migrations` VALUES (1,'2014_10_12_000000_create_users_table',1),(2,'2014_10_12_100000_create_password_resets_table',1),(3,'2019_08_19_000000_create_failed_jobs_table',1),(4,'2019_12_14_000001_create_personal_access_tokens_table',1),(5,'2021_05_14_180549_pokemons',1),(6,'2021_05_14_181428_shop',1),(7,'2021_05_14_183519_cart',1),(8,'2021_05_14_184204_games',1),(9,'2021_05_17_165049_games_offline',1),(10,'2021_05_20_140017_main_decks',1),(11,'2021_05_20_140025_decks',1);
/*!40000 ALTER TABLE `migrations` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `password_resets`
--
DROP TABLE IF EXISTS `password_resets`;
/*!40101 SET @saved_cs_client = @@character_set_client */;
/*!50503 SET character_set_client = utf8mb4 */;
CREATE TABLE `password_resets` (
`email` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`token` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`created_at` timestamp NULL DEFAULT NULL,
KEY `password_resets_email_index` (`email`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `password_resets`
--
LOCK TABLES `password_resets` WRITE;
/*!40000 ALTER TABLE `password_resets` DISABLE KEYS */;
/*!40000 ALTER TABLE `password_resets` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `pokemons`
--
DROP TABLE IF EXISTS `pokemons`;
/*!40101 SET @saved_cs_client = @@character_set_client */;
/*!50503 SET character_set_client = utf8mb4 */;
CREATE TABLE `pokemons` (
`id` bigint unsigned NOT NULL,
`name` varchar(255) DEFAULT NULL,
`image_path` varchar(255) DEFAULT NULL,
`hp` int DEFAULT NULL,
`atk` int DEFAULT NULL,
`def` int DEFAULT NULL,
`spd` int DEFAULT NULL,
`type` varchar(255) DEFAULT NULL,
`moves` varchar(255) DEFAULT NULL,
`rarity` varchar(255) DEFAULT NULL,
`price` int DEFAULT NULL,
`created_at` datetime DEFAULT NULL,
`updated_at` datetime DEFAULT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_0900_ai_ci;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `pokemons`
--
LOCK TABLES `pokemons` WRITE;
/*!40000 ALTER TABLE `pokemons` DISABLE KEYS */;
INSERT INTO `pokemons` VALUES (1,'Bulbasaur','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/1.png',45,49,49,45,'Grass','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"ATK\"}\";i:2;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:3;s:26:\"{\"name\":\"Bind\",\"power\":15}\";}','rare',15000,'2021-05-15 12:15:26','2021-05-15 14:19:30'),(2,'Ivysaur','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/2.png',60,62,63,60,'Grass','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:3;s:31:\"{\"name\":\"Vine Whip\",\"power\":45}\";}','superrare',25000,'2021-05-15 12:15:26','2021-05-15 14:19:30'),(3,'Venusaur','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/3.png',80,82,83,80,'Grass','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:3;s:31:\"{\"name\":\"Vine Whip\",\"power\":45}\";}','unique',50000,'2021-05-15 12:15:26','2021-05-15 14:19:30'),(4,'Charmander','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/4.png',39,52,43,65,'Fire','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";}','rare',15000,'2021-05-15 12:15:26','2021-05-15 14:19:30'),(5,'Charmeleon','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/5.png',58,64,58,80,'Fire','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";}','superrare',25000,'2021-05-15 12:15:26','2021-05-15 14:19:30'),(6,'Charizard','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/6.png',78,84,78,100,'Fire','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";}','unique',50000,'2021-05-15 12:15:26','2021-05-15 14:19:30'),(7,'Squirtle','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/7.png',44,48,65,43,'Water','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:2;s:32:\"{\"name\":\"Mega Kick\",\"power\":120}\";i:3;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";}','rare',15000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(8,'Wartortle','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/8.png',59,63,80,58,'Water','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:2;s:32:\"{\"name\":\"Mega Kick\",\"power\":120}\";i:3;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";}','superrare',25000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(9,'Blastoise','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/9.png',79,83,100,78,'Water','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:2;s:32:\"{\"name\":\"Mega Kick\",\"power\":120}\";i:3;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";}','unique',50000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(10,'Caterpie','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/10.png',45,30,35,45,'Bug','a:4:{i:0;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:1;s:36:\"{\"name\":\"String Shot\",\"power\":\"ATK\"}\";i:2;s:27:\"{\"name\":\"Snore\",\"power\":50}\";i:3;s:30:\"{\"name\":\"Bug Bite\",\"power\":60}\";}','common',5000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(11,'Metapod','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/11.png',50,20,55,30,'Bug','a:4:{i:0;s:36:\"{\"name\":\"String Shot\",\"power\":\"DEF\"}\";i:1;s:31:\"{\"name\":\"Harden\",\"power\":\"DEF\"}\";i:2;s:37:\"{\"name\":\"Iron Defense\",\"power\":\"ATK\"}\";i:3;s:30:\"{\"name\":\"Bug Bite\",\"power\":60}\";}','rare',15000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(12,'Butterfree','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/12.png',60,45,50,70,'Bug','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:26:\"{\"name\":\"Gust\",\"power\":40}\";i:2;s:33:\"{\"name\":\"Whirlwind\",\"power\":\"HP\"}\";i:3;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";}','superrare',25000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(13,'Weedle','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/13.png',40,35,30,50,'Bug','a:4:{i:0;s:34:\"{\"name\":\"Poison Sting\",\"power\":15}\";i:1;s:36:\"{\"name\":\"String Shot\",\"power\":\"DEF\"}\";i:2;s:30:\"{\"name\":\"Bug Bite\",\"power\":60}\";i:3;s:32:\"{\"name\":\"Electroweb\",\"power\":55}\";}','common',5000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(14,'Kakuna','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/14.png',45,25,50,35,'Bug','a:4:{i:0;s:36:\"{\"name\":\"String Shot\",\"power\":\"DEF\"}\";i:1;s:30:\"{\"name\":\"Harden\",\"power\":\"HP\"}\";i:2;s:36:\"{\"name\":\"Iron Defense\",\"power\":\"HP\"}\";i:3;s:30:\"{\"name\":\"Bug Bite\",\"power\":60}\";}','rare',15000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(15,'Beedrill','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/15.png',65,90,40,75,'Bug','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:33:\"{\"name\":\"Fury Attack\",\"power\":15}\";i:3;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";}','superrare',25000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(16,'Pidgey','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/16.png',40,45,40,56,'Normal','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:26:\"{\"name\":\"Gust\",\"power\":40}\";i:2;s:33:\"{\"name\":\"Wing Attack\",\"power\":60}\";i:3;s:33:\"{\"name\":\"Whirlwind\",\"power\":\"HP\"}\";}','common',5000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(17,'Pidgeotto','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/17.png',63,60,55,71,'Normal','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:26:\"{\"name\":\"Gust\",\"power\":40}\";i:2;s:33:\"{\"name\":\"Wing Attack\",\"power\":60}\";i:3;s:34:\"{\"name\":\"Whirlwind\",\"power\":\"DEF\"}\";}','rare',15000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(18,'Pidgeot','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/18.png',83,80,75,101,'Normal','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:26:\"{\"name\":\"Gust\",\"power\":40}\";i:2;s:33:\"{\"name\":\"Wing Attack\",\"power\":60}\";i:3;s:33:\"{\"name\":\"Whirlwind\",\"power\":\"HP\"}\";}','superrare',25000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(19,'Rattata','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/19.png',30,56,35,72,'Normal','a:4:{i:0;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:3;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";}','common',5000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(20,'Raticate','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/20.png',55,81,60,97,'Normal','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";}','rare',15000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(21,'Spearow','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/21.png',40,60,30,70,'Normal','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:34:\"{\"name\":\"Whirlwind\",\"power\":\"DEF\"}\";i:2;s:25:\"{\"name\":\"Fly\",\"power\":90}\";i:3;s:33:\"{\"name\":\"Fury Attack\",\"power\":15}\";}','common',5000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(22,'Fearow','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/22.png',65,90,65,100,'Normal','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:33:\"{\"name\":\"Whirlwind\",\"power\":\"HP\"}\";i:2;s:25:\"{\"name\":\"Fly\",\"power\":90}\";i:3;s:33:\"{\"name\":\"Fury Attack\",\"power\":15}\";}','rare',15000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(23,'Ekans','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/23.png',35,60,44,55,'Poison','a:4:{i:0;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:1;s:26:\"{\"name\":\"Slam\",\"power\":80}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";}','common',5000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(24,'Arbok','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/24.png',60,95,69,80,'Poison','a:4:{i:0;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";i:3;s:26:\"{\"name\":\"Wrap\",\"power\":15}\";}','superrare',25000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(25,'Pikachu','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/25.png',35,55,40,90,'Electric','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:26:\"{\"name\":\"Slam\",\"power\":80}\";}','unique',50000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(26,'Raichu','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/26.png',60,90,55,110,'Electric','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:32:\"{\"name\":\"Mega Kick\",\"power\":120}\";}','unique',50000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(27,'Sandshrew','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/27.png',50,75,85,40,'Ground','a:4:{i:0;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:1;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"ATK\"}\";i:2;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:3;s:36:\"{\"name\":\"Sand Attack\",\"power\":\"DEF\"}\";}','rare',15000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(28,'Sandslash','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/28.png',75,100,110,65,'Ground','a:4:{i:0;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:1;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:2;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:3;s:36:\"{\"name\":\"Sand Attack\",\"power\":\"DEF\"}\";}','superrare',25000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(29,'Nidoran-f','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/29.png',55,47,52,41,'Poison','a:4:{i:0;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:33:\"{\"name\":\"Double Kick\",\"power\":30}\";i:3;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";}','rare',15000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(30,'Nidorina','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/30.png',70,62,67,56,'Poison','a:4:{i:0;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:33:\"{\"name\":\"Double Kick\",\"power\":30}\";i:3;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";}','superrare',25000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(31,'Nidoqueen','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/31.png',90,92,87,76,'Poison','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','unique',50000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(32,'Nidoran-m','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/32.png',46,57,40,50,'Poison','a:4:{i:0;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:1;s:33:\"{\"name\":\"Double Kick\",\"power\":30}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:33:\"{\"name\":\"Horn Attack\",\"power\":65}\";}','rare',15000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(33,'Nidorino','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/33.png',61,72,57,65,'Poison','a:4:{i:0;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:1;s:33:\"{\"name\":\"Double Kick\",\"power\":30}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:33:\"{\"name\":\"Horn Attack\",\"power\":65}\";}','superrare',25000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(34,'Nidoking','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/34.png',81,102,77,85,'Poison','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','unique',50000,'2021-05-15 12:15:27','2021-05-15 14:19:30'),(35,'Clefairy','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/35.png',70,45,48,35,'Fairy','a:4:{i:0;s:27:\"{\"name\":\"Pound\",\"power\":40}\";i:1;s:33:\"{\"name\":\"Double Slap\",\"power\":15}\";i:2;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:3;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";}','superrare',25000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(36,'Clefable','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/36.png',95,70,73,60,'Fairy','a:4:{i:0;s:33:\"{\"name\":\"Double Slap\",\"power\":15}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','unique',50000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(37,'Vulpix','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/37.png',38,41,40,65,'Fire','a:4:{i:0;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:1;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";i:2;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:3;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";}','superrare',25000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(38,'Ninetales','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/38.png',73,76,75,100,'Fire','a:4:{i:0;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:1;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";i:2;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:3;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";}','unique',50000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(39,'Jigglypuff','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/39.png',115,45,20,20,'Normal','a:4:{i:0;s:27:\"{\"name\":\"Pound\",\"power\":40}\";i:1;s:33:\"{\"name\":\"Double Slap\",\"power\":15}\";i:2;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:3;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";}','rare',15000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(40,'Wigglytuff','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/40.png',140,70,45,45,'Normal','a:4:{i:0;s:33:\"{\"name\":\"Double Slap\",\"power\":15}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','superrare',25000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(41,'Zubat','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/41.png',40,45,35,55,'Poison','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:26:\"{\"name\":\"Gust\",\"power\":40}\";i:2;s:33:\"{\"name\":\"Wing Attack\",\"power\":60}\";i:3;s:33:\"{\"name\":\"Whirlwind\",\"power\":\"HP\"}\";}','common',5000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(42,'Golbat','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/42.png',75,80,70,90,'Poison','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:33:\"{\"name\":\"Wing Attack\",\"power\":60}\";i:2;s:33:\"{\"name\":\"Whirlwind\",\"power\":\"HP\"}\";i:3;s:25:\"{\"name\":\"Fly\",\"power\":90}\";}','rare',15000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(43,'Oddish','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/43.png',45,50,55,30,'Grass','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:3;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";}','rare',15000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(44,'Gloom','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/44.png',60,65,70,40,'Grass','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:3;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";}','superrare',25000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(45,'Vileplume','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/45.png',75,80,85,50,'Grass','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";i:3;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";}','unique',50000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(46,'Paras','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/46.png',35,70,55,25,'Bug','a:4:{i:0;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:1;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"DEF\"}\";i:2;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:3;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";}','common',5000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(47,'Parasect','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/47.png',60,95,80,30,'Bug','a:4:{i:0;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:1;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"ATK\"}\";i:2;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:3;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";}','rare',15000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(48,'Venonat','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/48.png',60,55,50,45,'Bug','a:4:{i:0;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:1;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:2;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";i:3;s:35:\"{\"name\":\"Supersonic\",\"power\":\"ATK\"}\";}','common',5000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(49,'Venomoth','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/49.png',70,65,60,90,'Bug','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:26:\"{\"name\":\"Gust\",\"power\":40}\";i:2;s:33:\"{\"name\":\"Whirlwind\",\"power\":\"HP\"}\";i:3;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";}','rare',15000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(50,'Diglett','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/50.png',10,55,25,95,'Ground','a:4:{i:0;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:36:\"{\"name\":\"Sand Attack\",\"power\":\"ATK\"}\";i:3;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";}','common',5000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(51,'Dugtrio','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/51.png',35,100,50,120,'Ground','a:4:{i:0;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:36:\"{\"name\":\"Sand Attack\",\"power\":\"ATK\"}\";i:3;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";}','rare',15000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(52,'Meowth','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/52.png',40,45,35,90,'Normal','a:4:{i:0;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:1;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:2;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:3;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";}','common',5000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(53,'Persian','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/53.png',65,70,60,115,'Normal','a:4:{i:0;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:1;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:2;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:3;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";}','rare',15000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(54,'Psyduck','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/54.png',50,52,48,55,'Water','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";}','common',5000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(55,'Golduck','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/55.png',80,82,78,85,'Water','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";}','rare',15000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(56,'Mankey','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/56.png',40,80,35,70,'Fighting','a:4:{i:0;s:33:\"{\"name\":\"Karate Chop\",\"power\":50}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:3;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";}','rare',15000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(57,'Primeape','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/57.png',65,105,60,95,'Fighting','a:4:{i:0;s:33:\"{\"name\":\"Karate Chop\",\"power\":50}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:3;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";}','superrare',25000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(58,'Growlithe','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/58.png',55,70,45,60,'Fire','a:4:{i:0;s:33:\"{\"name\":\"Double Kick\",\"power\":30}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";i:3;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";}','superrare',25000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(59,'Arcanine','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/59.png',90,110,80,95,'Fire','a:4:{i:0;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:1;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";i:2;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:3;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";}','unique',50000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(60,'Poliwag','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/60.png',40,50,40,90,'Water','a:4:{i:0;s:33:\"{\"name\":\"Double Slap\",\"power\":15}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";i:3;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";}','rare',15000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(61,'Poliwhirl','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/61.png',65,65,65,90,'Water','a:4:{i:0;s:33:\"{\"name\":\"Double Slap\",\"power\":15}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:32:\"{\"name\":\"Mega Kick\",\"power\":120}\";}','superrare',25000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(62,'Poliwrath','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/62.png',90,95,95,70,'Water','a:4:{i:0;s:33:\"{\"name\":\"Double Slap\",\"power\":15}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:32:\"{\"name\":\"Mega Kick\",\"power\":120}\";}','unique',50000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(63,'Abra','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/63.png',25,20,15,90,'Psychic','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";}','rare',15000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(64,'Kadabra','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/64.png',40,35,30,105,'Psychic','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";}','superrare',25000,'2021-05-15 12:15:28','2021-05-15 14:19:30'),(65,'Alakazam','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/65.png',55,50,45,120,'Psychic','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";}','unique',50000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(66,'Machop','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/66.png',70,80,50,35,'Fighting','a:4:{i:0;s:33:\"{\"name\":\"Karate Chop\",\"power\":50}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','rare',15000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(67,'Machoke','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/67.png',80,100,70,45,'Fighting','a:4:{i:0;s:33:\"{\"name\":\"Karate Chop\",\"power\":50}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','superrare',25000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(68,'Machamp','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/68.png',90,130,80,55,'Fighting','a:4:{i:0;s:33:\"{\"name\":\"Karate Chop\",\"power\":50}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','unique',50000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(69,'Bellsprout','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/69.png',50,75,35,40,'Grass','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:3;s:26:\"{\"name\":\"Slam\",\"power\":80}\";}','common',5000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(70,'Weepinbell','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/70.png',65,90,50,55,'Grass','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:3;s:26:\"{\"name\":\"Slam\",\"power\":80}\";}','rare',15000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(71,'Victreebel','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/71.png',80,105,65,70,'Grass','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:3;s:31:\"{\"name\":\"Vine Whip\",\"power\":45}\";}','superrare',25000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(72,'Tentacool','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/72.png',40,40,35,70,'Water','a:4:{i:0;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"ATK\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:3;s:26:\"{\"name\":\"Wrap\",\"power\":15}\";}','common',5000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(73,'Tentacruel','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/73.png',80,70,65,100,'Water','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:3;s:26:\"{\"name\":\"Wrap\",\"power\":15}\";}','rare',15000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(74,'Geodude','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/74.png',40,80,100,20,'Rock','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";}','common',5000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(75,'Graveler','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/75.png',55,95,115,35,'Rock','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";}','superrare',25000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(76,'Golem','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/76.png',80,120,130,45,'Rock','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:32:\"{\"name\":\"Mega Kick\",\"power\":120}\";}','unique',50000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(77,'Ponyta','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/77.png',50,85,55,90,'Fire','a:4:{i:0;s:27:\"{\"name\":\"Stomp\",\"power\":65}\";i:1;s:33:\"{\"name\":\"Double Kick\",\"power\":30}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:35:\"{\"name\":\"Horn Drill\",\"power\":\"ATK\"}\";}','common',5000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(78,'Rapidash','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/78.png',65,100,70,105,'Fire','a:4:{i:0;s:27:\"{\"name\":\"Stomp\",\"power\":65}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:33:\"{\"name\":\"Fury Attack\",\"power\":15}\";i:3;s:35:\"{\"name\":\"Horn Drill\",\"power\":\"ATK\"}\";}','rare',15000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(79,'Slowpoke','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/79.png',90,65,65,15,'Water','a:4:{i:0;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:1;s:27:\"{\"name\":\"Stomp\",\"power\":65}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";}','common',5000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(80,'Slowbro','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/80.png',95,75,110,30,'Water','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:32:\"{\"name\":\"Mega Kick\",\"power\":120}\";}','rare',15000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(81,'Magnemite','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/81.png',25,35,70,45,'Electric','a:4:{i:0;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:1;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:2;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";i:3;s:35:\"{\"name\":\"Supersonic\",\"power\":\"ATK\"}\";}','rare',15000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(82,'Magneton','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/82.png',50,60,95,70,'Electric','a:4:{i:0;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:1;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:2;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";i:3;s:35:\"{\"name\":\"Supersonic\",\"power\":\"DEF\"}\";}','superrare',25000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(83,'Farfetchd','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/83.png',52,90,55,60,'Normal','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:2;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:3;s:26:\"{\"name\":\"Gust\",\"power\":40}\";}','unique',50000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(84,'Doduo','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/84.png',35,85,45,75,'Normal','a:4:{i:0;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"DEF\"}\";i:1;s:33:\"{\"name\":\"Whirlwind\",\"power\":\"HP\"}\";i:2;s:25:\"{\"name\":\"Fly\",\"power\":90}\";i:3;s:32:\"{\"name\":\"Jump Kick\",\"power\":100}\";}','common',5000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(85,'Dodrio','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/85.png',60,110,70,110,'Normal','a:4:{i:0;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"DEF\"}\";i:1;s:33:\"{\"name\":\"Whirlwind\",\"power\":\"HP\"}\";i:2;s:25:\"{\"name\":\"Fly\",\"power\":90}\";i:3;s:32:\"{\"name\":\"Jump Kick\",\"power\":100}\";}','rare',15000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(86,'Seel','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/86.png',65,45,55,45,'Water','a:4:{i:0;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:1;s:26:\"{\"name\":\"Slam\",\"power\":80}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:35:\"{\"name\":\"Horn Drill\",\"power\":\"DEF\"}\";}','common',5000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(87,'Dewgong','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/87.png',90,70,80,70,'Water','a:4:{i:0;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:35:\"{\"name\":\"Horn Drill\",\"power\":\"DEF\"}\";i:3;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";}','superrare',25000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(88,'Grimer','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/88.png',80,80,50,25,'Poison','a:4:{i:0;s:27:\"{\"name\":\"Pound\",\"power\":40}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";}','common',5000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(89,'Muk','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/89.png',105,105,75,50,'Poison','a:4:{i:0;s:27:\"{\"name\":\"Pound\",\"power\":40}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";}','rare',15000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(90,'Shellder','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/90.png',30,65,100,40,'Water','a:4:{i:0;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:1;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:2;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";i:3;s:31:\"{\"name\":\"Twineedle\",\"power\":25}\";}','rare',15000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(91,'Cloyster','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/91.png',50,95,180,70,'Water','a:4:{i:0;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:1;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";i:2;s:35:\"{\"name\":\"Supersonic\",\"power\":\"ATK\"}\";i:3;s:31:\"{\"name\":\"Water Gun\",\"power\":40}\";}','superrare',25000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(92,'Gastly','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/92.png',30,35,30,80,'Ghost','a:4:{i:0;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:1;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:32:\"{\"name\":\"Disable\",\"power\":\"ATK\"}\";}','superrare',25000,'2021-05-15 12:15:29','2021-05-15 14:19:30'),(93,'Haunter','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/93.png',45,50,45,95,'Ghost','a:4:{i:0;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:1;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:32:\"{\"name\":\"Mega Drain\",\"power\":40}\";}','superrare',25000,'2021-05-15 12:15:30','2021-05-15 14:19:30'),(94,'Gengar','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/94.png',60,65,60,110,'Ghost','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";}','unique',50000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(95,'Onix','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/95.png',35,45,160,70,'Rock','a:4:{i:0;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:1;s:26:\"{\"name\":\"Slam\",\"power\":80}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";}','rare',15000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(96,'Drowzee','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/96.png',60,48,45,42,'Psychic','a:4:{i:0;s:27:\"{\"name\":\"Pound\",\"power\":40}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','common',5000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(97,'Hypno','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/97.png',85,73,70,67,'Psychic','a:4:{i:0;s:27:\"{\"name\":\"Pound\",\"power\":40}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','rare',15000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(98,'Krabby','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/98.png',30,105,90,50,'Water','a:4:{i:0;s:31:\"{\"name\":\"Vice Grip\",\"power\":55}\";i:1;s:35:\"{\"name\":\"Guillotine\",\"power\":\"ATK\"}\";i:2;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:3;s:25:\"{\"name\":\"Cut\",\"power\":50}\";}','common',5000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(99,'Kingler','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/99.png',55,130,115,75,'Water','a:4:{i:0;s:31:\"{\"name\":\"Vice Grip\",\"power\":55}\";i:1;s:35:\"{\"name\":\"Guillotine\",\"power\":\"DEF\"}\";i:2;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:3;s:25:\"{\"name\":\"Cut\",\"power\":50}\";}','rare',15000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(100,'Voltorb','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/100.png',40,30,50,100,'Electric','a:4:{i:0;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:1;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:2;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:3;s:35:\"{\"name\":\"Sonic Boom\",\"power\":\"DEF\"}\";}','rare',15000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(101,'Electrode','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/101.png',60,50,70,150,'Electric','a:4:{i:0;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:1;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:2;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:3;s:34:\"{\"name\":\"Sonic Boom\",\"power\":\"HP\"}\";}','superrare',25000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(102,'Exeggcute','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/102.png',60,40,80,40,'Grass','a:4:{i:0;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"DEF\"}\";i:1;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:2;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";i:3;s:30:\"{\"name\":\"Strength\",\"power\":80}\";}','common',5000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(103,'Exeggutor','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/103.png',95,95,85,55,'Grass','a:4:{i:0;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"ATK\"}\";i:1;s:27:\"{\"name\":\"Stomp\",\"power\":65}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";}','rare',15000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(104,'Cubone','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/104.png',50,50,95,35,'Ground','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"ATK\"}\";}','superrare',25000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(105,'Marowak','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/105.png',60,80,110,45,'Ground','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";}','unique',50000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(106,'Hitmonlee','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/106.png',50,120,53,87,'Fighting','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:33:\"{\"name\":\"Double Kick\",\"power\":30}\";i:2;s:32:\"{\"name\":\"Mega Kick\",\"power\":120}\";i:3;s:32:\"{\"name\":\"Jump Kick\",\"power\":100}\";}','unique',50000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(107,'Hitmonchan','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/107.png',50,105,79,76,'Fighting','a:4:{i:0;s:33:\"{\"name\":\"Comet Punch\",\"power\":18}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','unique',50000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(108,'Lickitung','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/108.png',90,55,75,30,'Normal','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";}','rare',15000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(109,'Koffing','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/109.png',40,65,95,35,'Poison','a:4:{i:0;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:1;s:34:\"{\"name\":\"Flamethrower\",\"power\":90}\";i:2;s:29:\"{\"name\":\"Psybeam\",\"power\":65}\";i:3;s:33:\"{\"name\":\"Thunderbolt\",\"power\":90}\";}','common',5000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(110,'Weezing','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/110.png',65,90,120,60,'Poison','a:4:{i:0;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:1;s:34:\"{\"name\":\"Flamethrower\",\"power\":90}\";i:2;s:33:\"{\"name\":\"Hyper Beam\",\"power\":150}\";i:3;s:33:\"{\"name\":\"Thunderbolt\",\"power\":90}\";}','rare',15000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(111,'Rhyhorn','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/111.png',80,85,95,25,'Ground','a:4:{i:0;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:1;s:27:\"{\"name\":\"Stomp\",\"power\":65}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:33:\"{\"name\":\"Horn Attack\",\"power\":65}\";}','superrare',25000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(112,'Rhydon','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/112.png',105,130,120,40,'Ground','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','unique',50000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(113,'Chansey','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/113.png',250,5,5,50,'Normal','a:4:{i:0;s:27:\"{\"name\":\"Pound\",\"power\":40}\";i:1;s:33:\"{\"name\":\"Double Slap\",\"power\":15}\";i:2;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:3;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";}','unique',50000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(114,'Tangela','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/114.png',65,55,115,60,'Grass','a:4:{i:0;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"ATK\"}\";i:1;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:2;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:3;s:26:\"{\"name\":\"Slam\",\"power\":80}\";}','common',5000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(115,'Kangaskhan','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/115.png',105,95,80,90,'Normal','a:4:{i:0;s:33:\"{\"name\":\"Comet Punch\",\"power\":18}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','superrare',25000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(116,'Horsea','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/116.png',30,40,70,60,'Water','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:3;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";}','superrare',25000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(117,'Seadra','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/117.png',55,65,95,85,'Water','a:4:{i:0;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:1;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:2;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";i:3;s:29:\"{\"name\":\"Leer\",\"power\":\"ATK\"}\";}','unique',50000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(118,'Goldeen','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/118.png',45,67,60,63,'Water','a:4:{i:0;s:33:\"{\"name\":\"Horn Attack\",\"power\":65}\";i:1;s:33:\"{\"name\":\"Fury Attack\",\"power\":15}\";i:2;s:34:\"{\"name\":\"Horn Drill\",\"power\":\"HP\"}\";i:3;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";}','rare',15000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(119,'Seaking','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/119.png',80,92,65,68,'Water','a:4:{i:0;s:33:\"{\"name\":\"Horn Attack\",\"power\":65}\";i:1;s:33:\"{\"name\":\"Fury Attack\",\"power\":15}\";i:2;s:35:\"{\"name\":\"Horn Drill\",\"power\":\"ATK\"}\";i:3;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";}','superrare',25000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(120,'Staryu','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/120.png',30,45,55,85,'Water','a:4:{i:0;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:1;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:2;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";i:3;s:35:\"{\"name\":\"Supersonic\",\"power\":\"ATK\"}\";}','superrare',25000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(121,'Starmie','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/121.png',60,75,85,115,'Water','a:4:{i:0;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:1;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:2;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";i:3;s:31:\"{\"name\":\"Water Gun\",\"power\":40}\";}','unique',50000,'2021-05-15 12:15:30','2021-05-15 14:19:31'),(122,'Mr-mime','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/122.png',40,45,65,90,'Psychic','a:4:{i:0;s:27:\"{\"name\":\"Pound\",\"power\":40}\";i:1;s:33:\"{\"name\":\"Double Slap\",\"power\":15}\";i:2;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:3;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";}','unique',50000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(123,'Scyther','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/123.png',70,110,80,105,'Bug','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:2;s:25:\"{\"name\":\"Cut\",\"power\":50}\";i:3;s:33:\"{\"name\":\"Wing Attack\",\"power\":60}\";}','unique',50000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(124,'Jynx','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/124.png',65,50,35,95,'Ice','a:4:{i:0;s:27:\"{\"name\":\"Pound\",\"power\":40}\";i:1;s:33:\"{\"name\":\"Double Slap\",\"power\":15}\";i:2;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','rare',15000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(125,'Electabuzz','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/125.png',65,83,57,105,'Electric','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:3;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";}','superrare',25000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(126,'Magmar','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/126.png',65,95,57,93,'Fire','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:32:\"{\"name\":\"Mega Kick\",\"power\":120}\";}','superrare',25000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(127,'Pinsir','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/127.png',65,125,100,85,'Bug','a:4:{i:0;s:31:\"{\"name\":\"Vice Grip\",\"power\":55}\";i:1;s:34:\"{\"name\":\"Guillotine\",\"power\":\"HP\"}\";i:2;s:37:\"{\"name\":\"Swords Dance\",\"power\":\"DEF\"}\";i:3;s:25:\"{\"name\":\"Cut\",\"power\":50}\";}','unique',50000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(128,'Tauros','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/128.png',75,100,95,110,'Normal','a:4:{i:0;s:27:\"{\"name\":\"Stomp\",\"power\":65}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:33:\"{\"name\":\"Horn Attack\",\"power\":65}\";i:3;s:35:\"{\"name\":\"Horn Drill\",\"power\":\"ATK\"}\";}','superrare',25000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(129,'Magikarp','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/129.png',20,10,55,80,'Water','a:4:{i:0;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:1;s:30:\"{\"name\":\"Splash\",\"power\":\"HP\"}\";i:2;s:30:\"{\"name\":\"Flail\",\"power\":\"DEF\"}\";i:3;s:28:\"{\"name\":\"Bounce\",\"power\":85}\";}','common',5000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(130,'Gyarados','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/130.png',95,125,79,81,'Water','a:4:{i:0;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:1;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:2;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";i:3;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";}','rare',15000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(131,'Lapras','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/131.png',130,85,80,60,'Water','a:4:{i:0;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:1;s:35:\"{\"name\":\"Horn Drill\",\"power\":\"DEF\"}\";i:2;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";i:3;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";}','unique',50000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(132,'Ditto','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/132.png',48,48,48,48,'Normal','a:1:{i:0;s:34:\"{\"name\":\"transform\",\"power\":\"DEF\"}\";}','superrare',25000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(133,'Eevee','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/133.png',55,55,50,55,'Normal','a:4:{i:0;s:35:\"{\"name\":\"Sand Attack\",\"power\":\"HP\"}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:3;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";}','rare',15000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(134,'Vaporeon','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/134.png',130,65,60,65,'Water','a:4:{i:0;s:36:\"{\"name\":\"Sand Attack\",\"power\":\"DEF\"}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:3;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";}','superrare',25000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(135,'Jolteon','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/135.png',65,65,60,130,'Electric','a:4:{i:0;s:33:\"{\"name\":\"Double Kick\",\"power\":30}\";i:1;s:36:\"{\"name\":\"Sand Attack\",\"power\":\"ATK\"}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";}','superrare',25000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(136,'Flareon','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/136.png',65,130,60,65,'Fire','a:4:{i:0;s:36:\"{\"name\":\"Sand Attack\",\"power\":\"ATK\"}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:3;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";}','superrare',25000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(137,'Porygon','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/137.png',65,60,70,40,'Normal','a:4:{i:0;s:28:\"{\"name\":\"Tackle\",\"power\":40}\";i:1;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";i:2;s:34:\"{\"name\":\"Double Edge\",\"power\":120}\";i:3;s:30:\"{\"name\":\"Ice Beam\",\"power\":90}\";}','unique',50000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(138,'Omanyte','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/138.png',35,40,100,35,'Rock','a:4:{i:0;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:1;s:26:\"{\"name\":\"Slam\",\"power\":80}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:33:\"{\"name\":\"Horn Attack\",\"power\":65}\";}','superrare',25000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(139,'Omastar','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/139.png',70,60,125,55,'Rock','a:4:{i:0;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:1;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:2;s:33:\"{\"name\":\"Horn Attack\",\"power\":65}\";i:3;s:34:\"{\"name\":\"Horn Drill\",\"power\":\"HP\"}\";}','unique',50000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(140,'Kabuto','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/140.png',30,80,90,55,'Rock','a:4:{i:0;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:1;s:36:\"{\"name\":\"Sand Attack\",\"power\":\"ATK\"}\";i:2;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";i:3;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";}','superrare',25000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(141,'Kabutops','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/141.png',60,115,105,80,'Rock','a:4:{i:0;s:29:\"{\"name\":\"Scratch\",\"power\":40}\";i:1;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:2;s:36:\"{\"name\":\"Swords Dance\",\"power\":\"HP\"}\";i:3;s:25:\"{\"name\":\"Cut\",\"power\":50}\";}','unique',50000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(142,'Aerodactyl','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/142.png',80,105,65,130,'Rock','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:33:\"{\"name\":\"Wing Attack\",\"power\":60}\";i:2;s:34:\"{\"name\":\"Whirlwind\",\"power\":\"DEF\"}\";i:3;s:25:\"{\"name\":\"Fly\",\"power\":90}\";}','unique',50000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(143,'Snorlax','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/143.png',160,110,65,30,'Normal','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','unique',50000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(144,'Articuno','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/144.png',90,85,100,85,'Ice','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:26:\"{\"name\":\"Gust\",\"power\":40}\";i:2;s:34:\"{\"name\":\"Whirlwind\",\"power\":\"DEF\"}\";i:3;s:25:\"{\"name\":\"Fly\",\"power\":90}\";}','legend',100000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(145,'Zapdos','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/145.png',90,90,85,100,'Electric','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:34:\"{\"name\":\"Whirlwind\",\"power\":\"ATK\"}\";i:2;s:25:\"{\"name\":\"Fly\",\"power\":90}\";i:3;s:31:\"{\"name\":\"Take Down\",\"power\":90}\";}','legend',100000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(146,'Moltres','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/146.png',90,100,90,90,'Fire','a:4:{i:0;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";i:1;s:33:\"{\"name\":\"Wing Attack\",\"power\":60}\";i:2;s:33:\"{\"name\":\"Whirlwind\",\"power\":\"HP\"}\";i:3;s:25:\"{\"name\":\"Fly\",\"power\":90}\";}','legend',100000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(147,'Dratini','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/147.png',41,64,45,50,'Dragon','a:4:{i:0;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:1;s:26:\"{\"name\":\"Slam\",\"power\":80}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:31:\"{\"name\":\"Body Slam\",\"power\":85}\";}','superrare',25000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(148,'Dragonair','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/148.png',61,84,65,70,'Dragon','a:4:{i:0;s:26:\"{\"name\":\"Bind\",\"power\":15}\";i:1;s:26:\"{\"name\":\"Slam\",\"power\":80}\";i:2;s:30:\"{\"name\":\"Headbutt\",\"power\":70}\";i:3;s:35:\"{\"name\":\"Horn Drill\",\"power\":\"ATK\"}\";}','superrare',25000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(149,'Dragonite','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/149.png',91,134,95,80,'Dragon','a:4:{i:0;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:1;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";i:2;s:35:\"{\"name\":\"Thunder Punch\",\"power\":75}\";i:3;s:32:\"{\"name\":\"Razor Wind\",\"power\":80}\";}','unique',50000,'2021-05-15 12:15:31','2021-05-15 14:19:31'),(150,'Mewtwo','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/150.png',106,110,90,130,'Psychic','a:4:{i:0;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:1;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:2;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";i:3;s:31:\"{\"name\":\"Ice Punch\",\"power\":75}\";}','legend',100000,'2021-05-15 12:15:32','2021-05-15 14:19:31'),(151,'Mew','https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/other/official-artwork/151.png',100,100,100,100,'Psychic','a:4:{i:0;s:27:\"{\"name\":\"Pound\",\"power\":40}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:3;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";}','legend',100000,'2021-05-15 12:15:32','2021-05-15 14:19:31'),(152,'parche','https://i.pinimg.com/originals/ff/b9/2d/ffb92d83c5204518bff497eb8e4c577b.jpg',35,55,40,0,'electric','a:4:{i:0;s:27:\"{\"name\":\"Pound\",\"power\":40}\";i:1;s:32:\"{\"name\":\"Mega Punch\",\"power\":80}\";i:2;s:29:\"{\"name\":\"Pay Day\",\"power\":40}\";i:3;s:32:\"{\"name\":\"Fire Punch\",\"power\":75}\";}','rare',0,'2021-05-20 00:37:39','2021-05-20 00:37:39');
/*!40000 ALTER TABLE `pokemons` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `shop`
--
DROP TABLE IF EXISTS `shop`;
/*!40101 SET @saved_cs_client = @@character_set_client */;
/*!50503 SET character_set_client = utf8mb4 */;
CREATE TABLE `shop` (
`id` bigint unsigned NOT NULL AUTO_INCREMENT,
`user_id` bigint unsigned NOT NULL,
`poke_id` bigint unsigned NOT NULL,
`price` int DEFAULT NULL,
`created_at` datetime NOT NULL,
`updated_at` datetime NOT NULL,
PRIMARY KEY (`id`),
KEY `shop_user_id_foreign` (`user_id`),
KEY `shop_poke_id_foreign` (`poke_id`),
CONSTRAINT `shop_poke_id_foreign` FOREIGN KEY (`poke_id`) REFERENCES `pokemons` (`id`),
CONSTRAINT `shop_user_id_foreign` FOREIGN KEY (`user_id`) REFERENCES `users` (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=9 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `shop`
--
LOCK TABLES `shop` WRITE;
/*!40000 ALTER TABLE `shop` DISABLE KEYS */;
INSERT INTO `shop` VALUES (1,1,9,275000,'2021-05-21 10:26:28','2021-05-21 10:26:28'),(2,1,6,275000,'2021-05-21 10:26:28','2021-05-21 10:26:28'),(3,1,12,275000,'2021-05-21 10:26:28','2021-05-21 10:26:28'),(4,1,15,275000,'2021-05-21 10:26:28','2021-05-21 10:26:28'),(5,1,18,275000,'2021-05-21 10:26:28','2021-05-21 10:26:28'),(6,1,151,275000,'2021-05-21 10:26:28','2021-05-21 10:26:28'),(7,1,3,75000,'2021-05-22 13:50:06','2021-05-22 13:50:06'),(8,1,2,75000,'2021-05-22 13:50:06','2021-05-22 13:50:06');
/*!40000 ALTER TABLE `shop` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `users`
--
DROP TABLE IF EXISTS `users`;
/*!40101 SET @saved_cs_client = @@character_set_client */;
/*!50503 SET character_set_client = utf8mb4 */;
CREATE TABLE `users` (
`id` bigint unsigned NOT NULL AUTO_INCREMENT,
`nick` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`email` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`password` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`image` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`wins` int NOT NULL DEFAULT '0',
`loses` int NOT NULL DEFAULT '0',
`game_played` int NOT NULL DEFAULT '0',
`pokemons` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`coins` int NOT NULL DEFAULT '0',
`cart` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`turn` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`created_at` datetime NOT NULL,
`updated_at` datetime NOT NULL,
PRIMARY KEY (`id`),
UNIQUE KEY `users_email_unique` (`email`)
) ENGINE=InnoDB AUTO_INCREMENT=10 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `users`
--
LOCK TABLES `users` WRITE;
/*!40000 ALTER TABLE `users` DISABLE KEYS */;
INSERT INTO `users` VALUES (1,'Houssam','<EMAIL>','$2y$10$4M1zcsr2YtfYkg2Eq4bdF.Vr.VSJ9c4oO8ndF0wMbX8lYGrRJCvDO','7cprWv6WLkj4dMuFOWcMJ45xLEDIunfqS4UOMfCU.jpg',0,0,0,'a:17:{i:0;i:7;i:1;i:1;i:2;i:4;i:3;i:9;i:4;i:6;i:5;i:12;i:6;i:15;i:7;i:18;i:8;i:151;i:9;s:2:\"42\";i:10;s:2:\"19\";i:11;s:2:\"16\";i:12;s:2:\"43\";i:13;s:2:\"32\";i:14;s:2:\"69\";i:15;i:3;i:16;i:2;}',2633850,NULL,NULL,'2021-05-19 22:05:56','2021-05-22 14:22:20'),(2,'user','<EMAIL>','$2y$10$TLaZSNqLA3D1HOvGce8GGeZ8H10rNCZiw2TEiyQZRol92pw7ZE1Oi',NULL,0,0,0,'a:1:{i:0;i:7;}',3000000,NULL,NULL,'2021-05-19 22:51:52','2021-05-19 22:51:52'),(3,'Hoube','<EMAIL>','$2y$10$UgtIJ37pApke/T33d2O9KOVLoAXNUNnLW3wmw7WdiUZ5xkxkQ0qhG','D2IInRXNGdBykouMapVVL6GaqH0xsFVGvPTd9ClO.jpg',0,0,0,'a:3:{i:0;s:1:\"4\";i:1;s:1:\"7\";i:2;s:1:\"1\";}',3000000,NULL,NULL,'2021-05-20 14:34:41','2021-05-20 15:17:53'),(4,'pepito','<EMAIL>','$2y$10$DUDVeWBPSrAYjdgX71UT8uL6rtXeuwiJDFEJgUaS.SIfbTRUW5sd6',NULL,0,0,0,'a:2:{i:0;s:1:\"7\";i:1;s:1:\"4\";}',0,NULL,NULL,'2021-05-21 13:51:08','2021-05-21 13:51:08'),(5,'234','<EMAIL>','$2y$10$idxEZ22ywTSIVMVcPzEwGelQnlrcB8aeCwUiR1UuShgfbUwIQdA4.',NULL,0,0,0,'a:1:{i:0;s:1:\"7\";}',0,NULL,NULL,'2021-05-21 14:31:26','2021-05-21 14:31:26'),(6,'pip','<EMAIL>','$2y$10$HuGUeoe2D8EW2S.O08wGyOVyN2QA/pHnhH3hoUiErq6AIybyo2UIq',NULL,0,0,0,'a:1:{i:0;s:1:\"7\";}',0,NULL,NULL,'2021-05-21 14:39:42','2021-05-21 14:39:42'),(7,'<EMAIL>','<EMAIL>','$2y$10$pvFuFVyh/lNoLSnLfweHp.4KSwuZNdr5qXYdLzSnBQYqo.irHA4mi',NULL,0,0,0,'a:1:{i:0;s:1:\"1\";}',0,NULL,NULL,'2021-05-21 14:41:29','2021-05-21 14:41:29'),(8,'hou','<EMAIL>','$2y$10$hck29Fh5Raq18uhYjlshre37VMdIPdELySKZgcYaAKUluLLV4x0SC',NULL,0,0,0,'a:1:{i:0;s:1:\"7\";}',0,NULL,NULL,'2021-05-21 14:42:55','2021-05-21 14:42:55'),(9,'kaa','<EMAIL>','$2y$10$DMcM0DahKkYWJNrwOsBITOGHeYVxvHEX24i2eNDvBTFgGDgBQfMqK',NULL,0,0,0,'a:1:{i:0;s:1:\"1\";}',0,NULL,NULL,'2021-05-21 14:45:19','2021-05-21 14:45:19');
/*!40000 ALTER TABLE `users` ENABLE KEYS */;
UNLOCK TABLES;
/*!40103 SET TIME_ZONE=@OLD_TIME_ZONE */;
/*!40101 SET SQL_MODE=@OLD_SQL_MODE */;
/*!40014 SET FOREIGN_KEY_CHECKS=@OLD_FOREIGN_KEY_CHECKS */;
/*!40014 SET UNIQUE_CHECKS=@OLD_UNIQUE_CHECKS */;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
/*!40111 SET SQL_NOTES=@OLD_SQL_NOTES */;
-- Dump completed on 2021-05-22 17:18:15
|
<gh_stars>0
CREATE TABLE dr16q_superset (
-------------------------------------------------------------------------------
--/H The DR16 QSO Superset Catalog (v3)
--
--/T The primary DR16Q is derived from this superset of objects targeted as quasars.
--/T The catalog is documented in more detail at the DR16Q VAC algorithm page
--/T (https://www.sdss.org/dr16/algorithms/qso_catalog)
--/T which also includes a link to the ApJS paper (Lyke et al. 2020). The catalog contains
--/T spectroscopic and photometric data for over 1.44 million observations. To ensure
--/T completeness, known quasars from previous catalog releases (DR7Q and DR12Q) have
--/T also been included. The file can be found at:
--/T https://data.sdss.org/sas/dr16/eboss/qso/DR16Q/DR16Q_Superset_v3.fitsDR16Q_Superset_v3.fits
-------------------------------------------------------------------------------
specobjid BIGINT NOT NULL, --/D Unique database ID based on PLATE, MJD, FIBERID, RUN2D --/K ID_CATALOG
SDSS_NAME STRING NOT NULL, --/D SDSS-DR16 designation (hhmmss.ss±ddmmss.s, J2000)
RA DOUBLE NOT NULL, --/D Right ascension in decimal degrees (J2000)
DEC DOUBLE NOT NULL, --/D Declination in decimal degrees (J2000)
PLATE INT32 NOT NULL, --/D Spectroscopic plate number
MJD INT32 NOT NULL, --/D Modified Julian day of the spectroscopic observation
FIBERID INT16 NOT NULL, --/D Fiber ID number
AUTOCLASS_PQN STRING NOT NULL, --/D Object classification post-QuasarNET
AUTOCLASS_DR14Q STRING NOT NULL, --/D Object classification based only on the DR14Q algorithm
IS_QSO_QN INT16 NOT NULL, --/D Binary flag for QuasarNET quasar identification
Z_QN DOUBLE NOT NULL, --/D Systemic redshift from QuasarNET
RANDOM_SELECT INT16 NOT NULL, --/D Binary flag indicating objects selected for random visual inspection
Z_10K DOUBLE NOT NULL, --/D Redshift from visual inspection in random set
Z_CONF_10K INT16 NOT NULL, --/D Confidence rating for visual inspection redshift in random set
PIPE_CORR_10K INT16 NOT NULL, --/D Binary flag indicating if the automated pipeline classification and redshift were correct in the random set
IS_QSO_10K INT16 NOT NULL, --/D Binary flag for random set quasar identification
PRIM_REC INT16 NOT NULL, --/D Flag to indicate if observation is primary observation appearing in DR16Q or a duplicate
THING_ID INT64 NOT NULL, --/D SDSS identifier
Z_VI DOUBLE NOT NULL, --/D Visual inspection redshift
Z_CONF INT16 NOT NULL, --/D Confidence rating for visual inspection redshift
CLASS_PERSON INT16 NOT NULL, --/D Object classification from visual inspection
Z_DR12Q DOUBLE NOT NULL, --/D Redshift taken from DR12Q visual inspection
IS_QSO_DR12Q INT16 NOT NULL, --/D Flag indicating if an object was a quasar in DR12Q
Z_DR7Q_SCH DOUBLE NOT NULL, --/D Redshift taken from DR7Q Schneider et al (2010) catalog
IS_QSO_DR7Q INT16 NOT NULL, --/D Flag indicating if an object was a quasar in DR7Q
Z_DR6Q_HW DOUBLE NOT NULL, --/D Redshift taken from DR6 Hewett and Wild (2010) catalog
Z_DR7Q_HW DOUBLE NOT NULL, --/D Redshift using Hewett and Wild (2010) updates for DR7Q sources from the Shen et al. (2011) catalog
IS_QSO_FINAL INT16 NOT NULL, --/D Flag indicating quasars to be included in final catalog
Z DOUBLE NOT NULL, --/D Best available redshift taken from Z_VI, Z_PIPE, Z_DR12Q, Z_DR7Q_SCH, Z_DR6Q_HW, and Z_10K
SOURCE_Z STRING NOT NULL, --/D Origin of the reported redshift in Z
Z_PIPE DOUBLE NOT NULL, --/D SDSS automated pipeline redshift
ZWARNING INT32 NOT NULL, --/D Quality flag on the pipeline redshift estimate
OBJID STRING NOT NULL, --/D SDSS object identification number
Z_PCA DOUBLE NOT NULL, --/D PCA-derived systemic redshift from redvsblue
ZWARN_PCA INT64 NOT NULL, --/D Warning flag for redvsblue redshift
DELTACHI2_PCA DOUBLE NOT NULL, --/D Delta χ2 for PCA redshift vs. cubic continuum fit
Z_HALPHA DOUBLE NOT NULL, --/D PCA line redshift for Hα from redvsblue
ZWARN_HALPHA INT64 NOT NULL, --/D Warning flag for Hα redshift
DELTACHI2_HALPHA DOUBLE NOT NULL, --/D Delta χ2 for Hα line redshift vs. cubic continuum fit
Z_HBETA DOUBLE NOT NULL, --/D PCA line redshift for Hβ from redvsblue
ZWARN_HBETA INT64 NOT NULL, --/D Warning flag for Hβ redshift
DELTACHI2_HBETA DOUBLE NOT NULL, --/D Delta χ2 for Hβ line redshift vs. cubic continuum fit
Z_MGII DOUBLE NOT NULL, --/D PCA line redshift for Mg II λ2799 from redvsblue
ZWARN_MGII INT64 NOT NULL, --/D Warning flag for Mg II λ2799 redshift
DELTACHI2_MGII DOUBLE NOT NULL, --/D Delta χ2 for Mg II λ2799 line redshift vs. cubic continuum fit
Z_CIII DOUBLE NOT NULL, --/D PCA line redshift for C III] λ1908 from redvsblue
ZWARN_CIII INT64 NOT NULL, --/D Warning flag for C III] λ1908 redshift
DELTACHI2_CIII DOUBLE NOT NULL, --/D Delta χ2 for C III] λ1908 line redshift vs. cubic continuum fit
Z_CIV DOUBLE NOT NULL, --/D PCA line redshift for C IV λ1549 from redvsblue
ZWARN_CIV INT64 NOT NULL, --/D Warning flag for C IV λ1549 redshift
DELTACHI2_CIV DOUBLE NOT NULL, --/D Delta χ2 for C IV λ1549 line redshift vs. cubic continuum fit
Z_LYA DOUBLE NOT NULL, --/D PCA line redshift for Lyα from redvsblue
ZWARN_LYA INT64 NOT NULL, --/D Warning flag for Lyα redshift
DELTACHI2_LYA DOUBLE NOT NULL, --/D Delta χ2 for Lyα line redshift vs. cubic continuum fit
Z_DLA DOUBLE[5] NOT NULL, --/D Redshift for damped Lyα features
NHI_DLA DOUBLE[5] NOT NULL, --/D Absorber column density for damped Lyα features
CONF_DLA DOUBLE[5] NOT NULL, --/D Confidence of detection for damped Lyα features
BAL_PROB FLOAT NOT NULL, --/D BAL probability
BI_CIV DOUBLE NOT NULL, --/D BALnicity index for C IV λ1549 region
ERR_BI_CIV DOUBLE NOT NULL, --/D Uncertainty of BI for C IV λ1549 region
AI_CIV DOUBLE NOT NULL, --/D Absorption index for C IV λ1549 region
ERR_AI_CIV DOUBLE NOT NULL, --/D Uncertainty of absorption index for C IV λ1549 region
BI_SIIV DOUBLE NOT NULL, --/D BALnicity index for Si IV λ1396 region
ERR_BI_SIIV DOUBLE NOT NULL, --/D Uncertainty of BI for Si IV λ1396 region
AI_SIIV DOUBLE NOT NULL, --/D Absorption index for Si IV λ1396 region
ERR_AI_SIIV DOUBLE NOT NULL, --/D Uncertainty of absorption index for Si IV λ1396 region
BOSS_TARGET1 INT64 NOT NULL, --/D BOSS target selection for main survey
EBOSS_TARGET0 INT64 NOT NULL, --/D Target selection flag for the eBOSS pilot survey (SEQUELS)
EBOSS_TARGET1 INT64 NOT NULL, --/D eBOSS target selection flag
EBOSS_TARGET2 INT64 NOT NULL, --/D eBOSS target selection flag
ANCILLARY_TARGET1 INT64 NOT NULL, --/D BOSS target selection flag for ancillary programs
ANCILLARY_TARGET2 INT64 NOT NULL, --/D BOSS target selection flag for ancillary programs
NSPEC_SDSS INT32 NOT NULL, --/D Number of additional observations from SDSS-I/II
NSPEC_BOSS INT32 NOT NULL, --/D Number of additional observations from BOSS/eBOSS
NSPEC INT32 NOT NULL, --/D Total number of additional observations
PLATE_DUPLICATE INT32[74] NOT NULL, --/D Spectroscopic plate number of duplicate spectroscopic observations
MJD_DUPLICATE INT32[74] NOT NULL, --/D Spectroscopic MJD of duplicate spectroscopic observations
FIBERID_DUPLICATE INT16[74] NOT NULL, --/D Fiber ID number of duplicate spectrocscopic observations.
SPECTRO_DUPLICATE INT32[74] NOT NULL, --/D Spectroscopic instrument for each duplicate, 1=SDSS, 2=(e)BOSS
SKYVERSION INT8 NOT NULL, --/D SDSS photometric sky version number
RUN_NUMBER INT32 NOT NULL, --/D SDSS photometric run number
RERUN_NUMBER STRING NOT NULL, --/D SDSS photometric rerun number
CAMCOL_NUMBER INT32 NOT NULL, --/D SDSS photometric camera column
FIELD_NUMBER INT32 NOT NULL, --/D SDSS photometric field number
ID_NUMBER INT32 NOT NULL, --/D SDSS photometric ID number
LAMBDA_EFF DOUBLE NOT NULL, --/D Wavelength to optimize hold location for, in Angstroms
ZOFFSET DOUBLE NOT NULL, --/D Backstopping offset distance, in μm
XFOCAL DOUBLE NOT NULL, --/D Hole x-axis position in focal plane, in mm
YFOCAL DOUBLE NOT NULL, --/D Hole y-axis position in focal plane, in mm
CHUNK STRING NOT NULL, --/D Name of tiling chunk (from platelist product)
TILE INT32 NOT NULL, --/D Tile number
PLATESN2 DOUBLE NOT NULL, --/D Overall (S/N)2 measure for plate, minimum of all 4 cameras
PSFFLUX FLOAT[5] NOT NULL, --/D Flux in u, g, r, i, z bands
PSFFLUX_IVAR FLOAT[5] NOT NULL, --/D Inverse variance of u, g, r, i, z fluxes
PSFMAG FLOAT[5] NOT NULL, --/D PSF magnitudes in u, g, r, i, z bands
PSFMAGERR FLOAT[5] NOT NULL, --/D Error of PSF magnitudes in u, g, r, i, z bands
EXTINCTION FLOAT[5] NOT NULL, --/D Galactic extinction in u, g, r, i, z bands
SN_MEDIAN_ALL DOUBLE NOT NULL --/D Median S/N value of all good spectroscopic pixels
);
|
-- CreateTable
CREATE TABLE "User" (
"usarname" TEXT NOT NULL,
"password" TEXT NOT NULL,
"displayName" TEXT NOT NULL,
CONSTRAINT "User_pkey" PRIMARY KEY ("usarname")
);
|
<gh_stars>0
#Uses placeholder for values
DELETE ss.* FROM {table_prefix}StoredStrings ss
WHERE `id` IN (
SELECT `id` FROM (
SELECT `id` FROM {table_prefix}_StoredStrings
WHERE `id` NOT IN (
# Correlated subqueries to be used to get IDs everywhere strings can be used
# SELECT `storedstring` FROM {table_prefix}_Keywords
# UNION
# SELECT `storedstring` FROM {table_prefix}_Tags
)
ORDER BY `id`
) sub
); |
create INDEX user_sub_good_good_id_price_state_enable_ix ON public.user_sub_good (good_id, price)
where state = 1;
create INDEX good_info_state_enable_ix ON public.user_sub_good (good_id)
where state = 1;
create INDEX user_state_enable_ix ON public."user" (id,chat_id)
where state = 1; |
<reponame>noir2501/lightweight<gh_stars>0
CREATE TABLE [dbo].[Role] (
[RoleUID] UNIQUEIDENTIFIER CONSTRAINT [DF_Role_RoleUID] DEFAULT (newid()) NOT NULL,
[Name] NVARCHAR (50) NOT NULL,
[TenantUID] UNIQUEIDENTIFIER NULL,
[Icon] VARCHAR (128) NULL,
[IsSystemRole] BIT CONSTRAINT [DF_Role_IsSystemRole] DEFAULT ((0)) NOT NULL,
CONSTRAINT [PK_Role] PRIMARY KEY CLUSTERED ([RoleUID] ASC),
CONSTRAINT [FK_Role_Tenant] FOREIGN KEY ([TenantUID]) REFERENCES [dbo].[Tenant] ([TenantUID]),
CONSTRAINT [UK_Role_Name_Tenant] UNIQUE NONCLUSTERED ([Name] ASC, [TenantUID] ASC)
);
|
SELECT
`e`.`employee_id`,
CONCAT_WS(' ', `e`.`first_name`, `e`.`last_name`) AS `empployee_name`,
CONCAT_WS(' ', `m`.`first_name`, `m`.`last_name`) AS `manager_name`,
`d`.`name` AS `department_name`
FROM
`employees` AS `e`
JOIN
`employees` AS `m` ON `e`.`manager_id` = `m`.`employee_id`
JOIN
`departments` AS `d` ON `e`.`department_id` = `d`.`department_id`
ORDER BY `e`.`employee_id`
LIMIT 5; |
<reponame>BracoBJB/admin<filename>querysdb/insert-entradas.sql
--delete from est_post;
--truncate table est_post_autor cascade;
--truncate table est_post_poblacion cascade;
--TRUNCATE TABLE est_post cascade;
--select * from est_post;
--select * from est_post_autor;
--select * from est_post_poblacion;
--select * from est_post_comentario;
--select * from est_poblacion
--select * from docente where activo = 'TRUE'
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA','Significado de Mecánica' , 'Mecánica','', 'significado-de-mecanica', '2018-01-13 20:15:00', FALSE, TRUE,
'<h2 style="margin-left:0cm; margin-right:0cm"><span style="font-size:13pt"><span style="font-family:"Calibri Light",sans-serif"><span style="color:#2e74b5"><span style="color:#2e74b5">Qué es la Mecánica: Todos</span></span></span></span></h2>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La mecánica es la ciencia que <strong>estudia el movimiento de los cuerpos</strong> bajo la acción de las fuerzas participantes.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">En física, los estudios teóricos sobre los comportamientos mecánicos de los objetos como, por ejemplo, en la <strong>mecánica clásica, la mecánica relativista y la mecánica cuántica</strong> es importante para entender la dinámica del mundo que nos rodea.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/mecanica-cuantica/" style="color:blue; text-decoration:underline">Mecánica cuántica</a>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La aplicación de los conocimientos sobre la mecánica ha ayudado en la construcción de estructuras con movimientos mecánicos facilitando la vida del hombre. Estos estudios son abarcados, por ejemplo, en la <strong>ingeniería mecánica</strong> y en la <strong>mecánica automotriz</strong>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Tanto para el estudio como para la aplicación de la mecánica se debe conocer los principios de la <strong>energía mecánica</strong> como la fuerza que impulsará un mecanismo.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La solidaridad mecánica, por otro lado, se asocia a sociedades cuya división del trabajo es igual para todos al contrario de la solidaridad orgánica.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/solidaridad-mecanica-y-organica/" style="color:blue; text-decoration:underline">Solidaridad mecánica y orgánica</a>.</span></span></p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'1','Todos')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '59')
,((select id_post from first_insert), '62');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA','Significado de Mecánica 2', 'Mecánica', '', 'significado-de-mecanica-2', '2018-02-13 20:15:00', FALSE, TRUE,
'<h2 style="margin-left:0cm; margin-right:0cm"><span style="font-size:13pt"><span style="font-family:"Calibri Light",sans-serif"><span style="color:#2e74b5"><span style="color:#2e74b5">Qué es la Mecánica: 1er 2do 3er Semestre</span></span></span></span></h2>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La mecánica es la ciencia que <strong>estudia el movimiento de los cuerpos</strong> bajo la acción de las fuerzas participantes.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">En física, los estudios teóricos sobre los comportamientos mecánicos de los objetos como, por ejemplo, en la <strong>mecánica clásica, la mecánica relativista y la mecánica cuántica</strong> es importante para entender la dinámica del mundo que nos rodea.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/mecanica-cuantica/" style="color:blue; text-decoration:underline">Mecánica cuántica</a>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La aplicación de los conocimientos sobre la mecánica ha ayudado en la construcción de estructuras con movimientos mecánicos facilitando la vida del hombre. Estos estudios son abarcados, por ejemplo, en la <strong>ingeniería mecánica</strong> y en la <strong>mecánica automotriz</strong>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Tanto para el estudio como para la aplicación de la mecánica se debe conocer los principios de la <strong>energía mecánica</strong> como la fuerza que impulsará un mecanismo.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La solidaridad mecánica, por otro lado, se asocia a sociedades cuya división del trabajo es igual para todos al contrario de la solidaridad orgánica.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/solidaridad-mecanica-y-organica/" style="color:blue; text-decoration:underline">Solidaridad mecánica y orgánica</a>.</span></span></p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','1er Semestre')
,((select id_post from first_insert),'2','2do Semestre')
,((select id_post from first_insert),'2','3er Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '59');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA','Significado de Mecánica 3', 'Mecánica', '', 'significado-de-mecanica-3', '2018-03-13 20:15:00', FALSE, TRUE,
'<h2 style="margin-left:0cm; margin-right:0cm"><span style="font-size:13pt"><span style="font-family:"Calibri Light",sans-serif"><span style="color:#2e74b5"><span style="color:#2e74b5">Qué es la Mecánica: 4to 5to 6to</span></span></span></span></h2>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La mecánica es la ciencia que <strong>estudia el movimiento de los cuerpos</strong> bajo la acción de las fuerzas participantes.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">En física, los estudios teóricos sobre los comportamientos mecánicos de los objetos como, por ejemplo, en la <strong>mecánica clásica, la mecánica relativista y la mecánica cuántica</strong> es importante para entender la dinámica del mundo que nos rodea.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/mecanica-cuantica/" style="color:blue; text-decoration:underline">Mecánica cuántica</a>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La aplicación de los conocimientos sobre la mecánica ha ayudado en la construcción de estructuras con movimientos mecánicos facilitando la vida del hombre. Estos estudios son abarcados, por ejemplo, en la <strong>ingeniería mecánica</strong> y en la <strong>mecánica automotriz</strong>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Tanto para el estudio como para la aplicación de la mecánica se debe conocer los principios de la <strong>energía mecánica</strong> como la fuerza que impulsará un mecanismo.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La solidaridad mecánica, por otro lado, se asocia a sociedades cuya división del trabajo es igual para todos al contrario de la solidaridad orgánica.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/solidaridad-mecanica-y-organica/" style="color:blue; text-decoration:underline">Solidaridad mecánica y orgánica</a>.</span></span></p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','4to Semestre')
,((select id_post from first_insert),'2','5to Semestre')
,((select id_post from first_insert),'2','6to Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '92')
,((select id_post from first_insert), '57');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA','Que es la electricidad', 'Electricidad', '', 'que-es-la-electricidad', '2018-04-13 20:15:00', FALSE, TRUE,
'<h1><a href="https://www.foronuclear.org/es/el-experto-te-cuenta/121636-que-es-la-electricidad">¿Qué es la electricidad? mañana</a></h1>
<p><strong>La</strong> <strong>electricidad</strong> es un conjunto de fenómenos producidos por el movimiento e interacción entre las cargas eléctricas positivas y negativas de los cuerpos físicos.</p>
<p>La palabra "electricidad" procede del latín electrum, y a su vez del griego <em>élektron</em>, o ámbar. La referencia al ámbar proviene de un descubrimiento registrado por el científico francés Charles François de Cisternay du Fay, que identificó la existencia de dos tipos de cargas eléctricas (positiva y negativa). Las cargas positivas se manifestaban al frotar el vidrio, y las negativas al frotar sustancias resinosas como el ámbar.</p>
<p>La energía producida por las cargas eléctricas puede manifestarse dentro de cuatro ámbitos: <strong>físico, luminoso, mecánico y térmico</strong>.</p>
<p>Si bien la electricidad es abstracta o "invisible" en la mayoría de sus manifestaciones, como por ejemplo en el sistema nervioso del ser humano, es posible "verla" en ocasiones, como los rayos cuando se desarrolla una fuerte tormenta.</p>
<h2>La electricidad es una fuente de energía secundaria</h2>
<p>Se denominan <strong>energías primarias</strong> las que se obtienen directamente de la naturaleza: solar, hidráulica, eólica, geotérmica, biomasa, petróleo, gas natural o carbón.</p>
<p>Las<strong> energías secundarias</strong> provienen de la transformación de energía primaria con destino al consumo directo, o a otros usos: gasolina, electricidad, gasoil, fuel oil...</p>
<h2><br />
¿Cómo se produce la electricidad para el consumo?</h2>
<p>La electricidad se produce mediante <strong>sistemas eléctrico</strong>s que garantizan su disponibilidad.</p>
<p>Un sistema eléctrico es el conjunto de elementos que operan de forma coordinada en un determinado territorio para satisfacer la demanda de energía eléctrica de los consumidores.</p>
<p>Los sistemas eléctricos se pueden clasificar básicamente de la siguiente manera:</p>
<ul>
<li>Centros o plantas de generación donde se produce la electricidad (centrales nucleares, hidroeléctricas, de ciclo combinado, parques eólicos, etc.).</li>
<li>Líneas de transporte de la energía eléctrica de alta tensión (AT).</li>
<li>Estaciones transformadoras (subestaciones) que reducen la tensión o el voltaje de la línea (alta tensión / media tensión, media tensión / baja tensión).</li>
<li>Líneas de distribución de media y baja tensión que llevan la electricidad hasta los puntos de consumo.</li>
<li>Centro de control eléctrico desde el que se gestiona y opera el sistema de generación y transporte de energía.</li>
</ul>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'3','EEA-101M')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '98');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Que es la electricidad 2', 'Electricidad', '', 'que-es-la-electricidad-2', '2018-05-13 20:15:00', FALSE, TRUE,
'<h1><a href="https://www.foronuclear.org/es/el-experto-te-cuenta/121636-que-es-la-electricidad">¿Qué es la electricidad? tarde</a></h1>
<p><strong>La</strong> <strong>electricidad</strong> es un conjunto de fenómenos producidos por el movimiento e interacción entre las cargas eléctricas positivas y negativas de los cuerpos físicos.</p>
<p>La palabra "electricidad" procede del latín electrum, y a su vez del griego <em>élektron</em>, o ámbar. La referencia al ámbar proviene de un descubrimiento registrado por el científico francés <NAME>çois de Cisternay du Fay, que identificó la existencia de dos tipos de cargas eléctricas (positiva y negativa). Las cargas positivas se manifestaban al frotar el vidrio, y las negativas al frotar sustancias resinosas como el ámbar.</p>
<p>La energía producida por las cargas eléctricas puede manifestarse dentro de cuatro ámbitos: <strong>físico, luminoso, mecánico y térmico</strong>.</p>
<p>Si bien la electricidad es abstracta o "invisible" en la mayoría de sus manifestaciones, como por ejemplo en el sistema nervioso del ser humano, es posible "verla" en ocasiones, como los rayos cuando se desarrolla una fuerte tormenta.</p>
<h2>La electricidad es una fuente de energía secundaria</h2>
<p>Se denominan <strong>energías primarias</strong> las que se obtienen directamente de la naturaleza: solar, hidráulica, eólica, geotérmica, biomasa, petróleo, gas natural o carbón.</p>
<p>Las<strong> energías secundarias</strong> provienen de la transformación de energía primaria con destino al consumo directo, o a otros usos: gasolina, electricidad, gasoil, fuel oil...</p>
<h2><br />
¿Cómo se produce la electricidad para el consumo?</h2>
<p>La electricidad se produce mediante <strong>sistemas eléctrico</strong>s que garantizan su disponibilidad.</p>
<p>Un sistema eléctrico es el conjunto de elementos que operan de forma coordinada en un determinado territorio para satisfacer la demanda de energía eléctrica de los consumidores.</p>
<p>Los sistemas eléctricos se pueden clasificar básicamente de la siguiente manera:</p>
<ul>
<li>Centros o plantas de generación donde se produce la electricidad (centrales nucleares, hidroeléctricas, de ciclo combinado, parques eólicos, etc.).</li>
<li>Líneas de transporte de la energía eléctrica de alta tensión (AT).</li>
<li>Estaciones transformadoras (subestaciones) que reducen la tensión o el voltaje de la línea (alta tensión / media tensión, media tensión / baja tensión).</li>
<li>Líneas de distribución de media y baja tensión que llevan la electricidad hasta los puntos de consumo.</li>
<li>Centro de control eléctrico desde el que se gestiona y opera el sistema de generación y transporte de energía.</li>
</ul>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'3','EEA-101T')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '44');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Que es la electricidad 3', 'Electricidad', '', 'que-es-la-electricidad-3', '2018-06-13 20:15:00', FALSE, TRUE,
'<h1><a href="https://www.foronuclear.org/es/el-experto-te-cuenta/121636-que-es-la-electricidad">¿Qué es la electricidad? noche</a></h1>
<p><strong>La</strong> <strong>electricidad</strong> es un conjunto de fenómenos producidos por el movimiento e interacción entre las cargas eléctricas positivas y negativas de los cuerpos físicos.</p>
<p>La palabra "electricidad" procede del latín electrum, y a su vez del griego <em>élektron</em>, o ámbar. La referencia al ámbar proviene de un descubrimiento registrado por el científico francés <NAME>çois de <NAME>, que identificó la existencia de dos tipos de cargas eléctricas (positiva y negativa). Las cargas positivas se manifestaban al frotar el vidrio, y las negativas al frotar sustancias resinosas como el ámbar.</p>
<p>La energía producida por las cargas eléctricas puede manifestarse dentro de cuatro ámbitos: <strong>físico, luminoso, mecánico y térmico</strong>.</p>
<p>Si bien la electricidad es abstracta o "invisible" en la mayoría de sus manifestaciones, como por ejemplo en el sistema nervioso del ser humano, es posible "verla" en ocasiones, como los rayos cuando se desarrolla una fuerte tormenta.</p>
<h2>La electricidad es una fuente de energía secundaria</h2>
<p>Se denominan <strong>energías primarias</strong> las que se obtienen directamente de la naturaleza: solar, hidráulica, eólica, geotérmica, biomasa, petróleo, gas natural o carbón.</p>
<p>Las<strong> energías secundarias</strong> provienen de la transformación de energía primaria con destino al consumo directo, o a otros usos: gasolina, electricidad, gasoil, fuel oil...</p>
<h2><br />
¿Cómo se produce la electricidad para el consumo?</h2>
<p>La electricidad se produce mediante <strong>sistemas eléctrico</strong>s que garantizan su disponibilidad.</p>
<p>Un sistema eléctrico es el conjunto de elementos que operan de forma coordinada en un determinado territorio para satisfacer la demanda de energía eléctrica de los consumidores.</p>
<p>Los sistemas eléctricos se pueden clasificar básicamente de la siguiente manera:</p>
<ul>
<li>Centros o plantas de generación donde se produce la electricidad (centrales nucleares, hidroeléctricas, de ciclo combinado, parques eólicos, etc.).</li>
<li>Líneas de transporte de la energía eléctrica de alta tensión (AT).</li>
<li>Estaciones transformadoras (subestaciones) que reducen la tensión o el voltaje de la línea (alta tensión / media tensión, media tensión / baja tensión).</li>
<li>Líneas de distribución de media y baja tensión que llevan la electricidad hasta los puntos de consumo.</li>
<li>Centro de control eléctrico desde el que se gestiona y opera el sistema de generación y transporte de energía.</li>
</ul>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'3','EEA-101N')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '21')
,((select id_post from first_insert), '19');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Información de formato', 'Diccionario de Datos','', 'informacion-de-formato', '2018-02-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 1er</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','1er Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '48');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Información de formato 2', 'Diccionario de Datos','', 'informacion-de-formato-2', '2018-03-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 2</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','2do Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '49');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA' , 'Información de formato 3', 'Diccionario de Datos', '', 'informacion-de-formato-3', '2018-04-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 3</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','3er Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '81');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Información de formato 4', 'Diccionario de Datos', '', 'informacion-de-formato-4', '2018-05-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 4</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','4to Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '19');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA','Información de formato 5', 'Diccionario de Datos','','informacion-de-formato-5', '2018-06-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 5</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','5to Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '49');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Información de formato 6', 'Diccionario de Datos','', 'informacion-de-formato-6', '2018-07-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 6</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','6to Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '48');
----------------------------agreando informcion ducplicada para hacer pruebas----------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
------------------------------------------------------------------------------------
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA','Post Prueba Mecánica' , 'Mecánica','', 'post-prueba-mecanica', '2018-01-13 20:15:00', FALSE, TRUE,
'<h2 style="margin-left:0cm; margin-right:0cm"><span style="font-size:13pt"><span style="font-family:"Calibri Light",sans-serif"><span style="color:#2e74b5"><span style="color:#2e74b5">Qué es la Mecánica: Todos</span></span></span></span></h2>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La mecánica es la ciencia que <strong>estudia el movimiento de los cuerpos</strong> bajo la acción de las fuerzas participantes.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">En física, los estudios teóricos sobre los comportamientos mecánicos de los objetos como, por ejemplo, en la <strong>mecánica clásica, la mecánica relativista y la mecánica cuántica</strong> es importante para entender la dinámica del mundo que nos rodea.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/mecanica-cuantica/" style="color:blue; text-decoration:underline">Mecánica cuántica</a>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La aplicación de los conocimientos sobre la mecánica ha ayudado en la construcción de estructuras con movimientos mecánicos facilitando la vida del hombre. Estos estudios son abarcados, por ejemplo, en la <strong>ingeniería mecánica</strong> y en la <strong>mecánica automotriz</strong>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Tanto para el estudio como para la aplicación de la mecánica se debe conocer los principios de la <strong>energía mecánica</strong> como la fuerza que impulsará un mecanismo.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La solidaridad mecánica, por otro lado, se asocia a sociedades cuya división del trabajo es igual para todos al contrario de la solidaridad orgánica.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/solidaridad-mecanica-y-organica/" style="color:blue; text-decoration:underline">Solidaridad mecánica y orgánica</a>.</span></span></p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'1','Todos')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '87')
,((select id_post from first_insert), '81');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA','Post Prueba Mecánica 2', 'Mecánica', '', 'post-prueba-mecanica-2', '2018-02-13 20:15:00', FALSE, TRUE,
'<h2 style="margin-left:0cm; margin-right:0cm"><span style="font-size:13pt"><span style="font-family:"Calibri Light",sans-serif"><span style="color:#2e74b5"><span style="color:#2e74b5">Qué es la Mecánica: 1er 2do 3er Semestre</span></span></span></span></h2>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La mecánica es la ciencia que <strong>estudia el movimiento de los cuerpos</strong> bajo la acción de las fuerzas participantes.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">En física, los estudios teóricos sobre los comportamientos mecánicos de los objetos como, por ejemplo, en la <strong>mecánica clásica, la mecánica relativista y la mecánica cuántica</strong> es importante para entender la dinámica del mundo que nos rodea.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/mecanica-cuantica/" style="color:blue; text-decoration:underline">Mecánica cuántica</a>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La aplicación de los conocimientos sobre la mecánica ha ayudado en la construcción de estructuras con movimientos mecánicos facilitando la vida del hombre. Estos estudios son abarcados, por ejemplo, en la <strong>ingeniería mecánica</strong> y en la <strong>mecánica automotriz</strong>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Tanto para el estudio como para la aplicación de la mecánica se debe conocer los principios de la <strong>energía mecánica</strong> como la fuerza que impulsará un mecanismo.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La solidaridad mecánica, por otro lado, se asocia a sociedades cuya división del trabajo es igual para todos al contrario de la solidaridad orgánica.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/solidaridad-mecanica-y-organica/" style="color:blue; text-decoration:underline">Solidaridad mecánica y orgánica</a>.</span></span></p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','1er Semestre')
,((select id_post from first_insert),'2','2do Semestre')
,((select id_post from first_insert),'2','3er Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '59');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA','Post Prueba Mecánica 3', 'Mecánica', '', 'post-prueba-mecanica-3', '2018-03-13 20:15:00', FALSE, TRUE,
'<h2 style="margin-left:0cm; margin-right:0cm"><span style="font-size:13pt"><span style="font-family:"Calibri Light",sans-serif"><span style="color:#2e74b5"><span style="color:#2e74b5">Qué es la Mecánica: 4to 5to 6to</span></span></span></span></h2>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La mecánica es la ciencia que <strong>estudia el movimiento de los cuerpos</strong> bajo la acción de las fuerzas participantes.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">En física, los estudios teóricos sobre los comportamientos mecánicos de los objetos como, por ejemplo, en la <strong>mecánica clásica, la mecánica relativista y la mecánica cuántica</strong> es importante para entender la dinámica del mundo que nos rodea.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/mecanica-cuantica/" style="color:blue; text-decoration:underline">Mecánica cuántica</a>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La aplicación de los conocimientos sobre la mecánica ha ayudado en la construcción de estructuras con movimientos mecánicos facilitando la vida del hombre. Estos estudios son abarcados, por ejemplo, en la <strong>ingeniería mecánica</strong> y en la <strong>mecánica automotriz</strong>.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Tanto para el estudio como para la aplicación de la mecánica se debe conocer los principios de la <strong>energía mecánica</strong> como la fuerza que impulsará un mecanismo.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">La solidaridad mecánica, por otro lado, se asocia a sociedades cuya división del trabajo es igual para todos al contrario de la solidaridad orgánica.</span></span></p>
<p style="margin-left:0cm; margin-right:0cm"><span style="font-size:12pt"><span style="font-family:"Times New Roman",serif">Vea también <a href="https://www.significados.com/solidaridad-mecanica-y-organica/" style="color:blue; text-decoration:underline">Solidaridad mecánica y orgánica</a>.</span></span></p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','4to Semestre')
,((select id_post from first_insert),'2','5to Semestre')
,((select id_post from first_insert),'2','6to Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '72')
,((select id_post from first_insert), '57');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA','Prueba electricidad', 'Electricidad', '', 'prueba-electricidad', '2018-04-13 20:15:00', FALSE, TRUE,
'<h1><a href="https://www.foronuclear.org/es/el-experto-te-cuenta/121636-que-es-la-electricidad">¿Qué es la electricidad? mañana</a></h1>
<p><strong>La</strong> <strong>electricidad</strong> es un conjunto de fenómenos producidos por el movimiento e interacción entre las cargas eléctricas positivas y negativas de los cuerpos físicos.</p>
<p>La palabra "electricidad" procede del latín electrum, y a su vez del griego <em>élektron</em>, o ámbar. La referencia al ámbar proviene de un descubrimiento registrado por el científico francés <NAME>çois de <NAME>, que identificó la existencia de dos tipos de cargas eléctricas (positiva y negativa). Las cargas positivas se manifestaban al frotar el vidrio, y las negativas al frotar sustancias resinosas como el ámbar.</p>
<p>La energía producida por las cargas eléctricas puede manifestarse dentro de cuatro ámbitos: <strong>físico, luminoso, mecánico y térmico</strong>.</p>
<p>Si bien la electricidad es abstracta o "invisible" en la mayoría de sus manifestaciones, como por ejemplo en el sistema nervioso del ser humano, es posible "verla" en ocasiones, como los rayos cuando se desarrolla una fuerte tormenta.</p>
<h2>La electricidad es una fuente de energía secundaria</h2>
<p>Se denominan <strong>energías primarias</strong> las que se obtienen directamente de la naturaleza: solar, hidráulica, eólica, geotérmica, biomasa, petróleo, gas natural o carbón.</p>
<p>Las<strong> energías secundarias</strong> provienen de la transformación de energía primaria con destino al consumo directo, o a otros usos: gasolina, electricidad, gasoil, fuel oil...</p>
<h2><br />
¿Cómo se produce la electricidad para el consumo?</h2>
<p>La electricidad se produce mediante <strong>sistemas eléctrico</strong>s que garantizan su disponibilidad.</p>
<p>Un sistema eléctrico es el conjunto de elementos que operan de forma coordinada en un determinado territorio para satisfacer la demanda de energía eléctrica de los consumidores.</p>
<p>Los sistemas eléctricos se pueden clasificar básicamente de la siguiente manera:</p>
<ul>
<li>Centros o plantas de generación donde se produce la electricidad (centrales nucleares, hidroeléctricas, de ciclo combinado, parques eólicos, etc.).</li>
<li>Líneas de transporte de la energía eléctrica de alta tensión (AT).</li>
<li>Estaciones transformadoras (subestaciones) que reducen la tensión o el voltaje de la línea (alta tensión / media tensión, media tensión / baja tensión).</li>
<li>Líneas de distribución de media y baja tensión que llevan la electricidad hasta los puntos de consumo.</li>
<li>Centro de control eléctrico desde el que se gestiona y opera el sistema de generación y transporte de energía.</li>
</ul>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'3','EEA-101M')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '98');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Prueba electricidad 2', 'Electricidad', '', 'prueba-electricidad-2', '2018-05-13 20:15:00', FALSE, TRUE,
'<h1><a href="https://www.foronuclear.org/es/el-experto-te-cuenta/121636-que-es-la-electricidad">¿Qué es la electricidad? tarde</a></h1>
<p><strong>La</strong> <strong>electricidad</strong> es un conjunto de fenómenos producidos por el movimiento e interacción entre las cargas eléctricas positivas y negativas de los cuerpos físicos.</p>
<p>La palabra "electricidad" procede del latín electrum, y a su vez del griego <em>élektron</em>, o ámbar. La referencia al ámbar proviene de un descubrimiento registrado por el científico francés Charles François de Cisternay du Fay, que identificó la existencia de dos tipos de cargas eléctricas (positiva y negativa). Las cargas positivas se manifestaban al frotar el vidrio, y las negativas al frotar sustancias resinosas como el ámbar.</p>
<p>La energía producida por las cargas eléctricas puede manifestarse dentro de cuatro ámbitos: <strong>físico, luminoso, mecánico y térmico</strong>.</p>
<p>Si bien la electricidad es abstracta o "invisible" en la mayoría de sus manifestaciones, como por ejemplo en el sistema nervioso del ser humano, es posible "verla" en ocasiones, como los rayos cuando se desarrolla una fuerte tormenta.</p>
<h2>La electricidad es una fuente de energía secundaria</h2>
<p>Se denominan <strong>energías primarias</strong> las que se obtienen directamente de la naturaleza: solar, hidráulica, eólica, geotérmica, biomasa, petróleo, gas natural o carbón.</p>
<p>Las<strong> energías secundarias</strong> provienen de la transformación de energía primaria con destino al consumo directo, o a otros usos: gasolina, electricidad, gasoil, fuel oil...</p>
<h2><br />
¿Cómo se produce la electricidad para el consumo?</h2>
<p>La electricidad se produce mediante <strong>sistemas eléctrico</strong>s que garantizan su disponibilidad.</p>
<p>Un sistema eléctrico es el conjunto de elementos que operan de forma coordinada en un determinado territorio para satisfacer la demanda de energía eléctrica de los consumidores.</p>
<p>Los sistemas eléctricos se pueden clasificar básicamente de la siguiente manera:</p>
<ul>
<li>Centros o plantas de generación donde se produce la electricidad (centrales nucleares, hidroeléctricas, de ciclo combinado, parques eólicos, etc.).</li>
<li>Líneas de transporte de la energía eléctrica de alta tensión (AT).</li>
<li>Estaciones transformadoras (subestaciones) que reducen la tensión o el voltaje de la línea (alta tensión / media tensión, media tensión / baja tensión).</li>
<li>Líneas de distribución de media y baja tensión que llevan la electricidad hasta los puntos de consumo.</li>
<li>Centro de control eléctrico desde el que se gestiona y opera el sistema de generación y transporte de energía.</li>
</ul>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'3','EEA-101T')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '44');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Prueba electricidad 3', 'Electricidad', '', 'prueba-electricidad-3', '2018-06-13 20:15:00', FALSE, TRUE,
'<h1><a href="https://www.foronuclear.org/es/el-experto-te-cuenta/121636-que-es-la-electricidad">¿Qué es la electricidad? noche</a></h1>
<p><strong>La</strong> <strong>electricidad</strong> es un conjunto de fenómenos producidos por el movimiento e interacción entre las cargas eléctricas positivas y negativas de los cuerpos físicos.</p>
<p>La palabra "electricidad" procede del latín electrum, y a su vez del griego <em>élektron</em>, o ámbar. La referencia al ámbar proviene de un descubrimiento registrado por el científico francés Charles François de Cisternay du Fay, que identificó la existencia de dos tipos de cargas eléctricas (positiva y negativa). Las cargas positivas se manifestaban al frotar el vidrio, y las negativas al frotar sustancias resinosas como el ámbar.</p>
<p>La energía producida por las cargas eléctricas puede manifestarse dentro de cuatro ámbitos: <strong>físico, luminoso, mecánico y térmico</strong>.</p>
<p>Si bien la electricidad es abstracta o "invisible" en la mayoría de sus manifestaciones, como por ejemplo en el sistema nervioso del ser humano, es posible "verla" en ocasiones, como los rayos cuando se desarrolla una fuerte tormenta.</p>
<h2>La electricidad es una fuente de energía secundaria</h2>
<p>Se denominan <strong>energías primarias</strong> las que se obtienen directamente de la naturaleza: solar, hidráulica, eólica, geotérmica, biomasa, petróleo, gas natural o carbón.</p>
<p>Las<strong> energías secundarias</strong> provienen de la transformación de energía primaria con destino al consumo directo, o a otros usos: gasolina, electricidad, gasoil, fuel oil...</p>
<h2><br />
¿Cómo se produce la electricidad para el consumo?</h2>
<p>La electricidad se produce mediante <strong>sistemas eléctrico</strong>s que garantizan su disponibilidad.</p>
<p>Un sistema eléctrico es el conjunto de elementos que operan de forma coordinada en un determinado territorio para satisfacer la demanda de energía eléctrica de los consumidores.</p>
<p>Los sistemas eléctricos se pueden clasificar básicamente de la siguiente manera:</p>
<ul>
<li>Centros o plantas de generación donde se produce la electricidad (centrales nucleares, hidroeléctricas, de ciclo combinado, parques eólicos, etc.).</li>
<li>Líneas de transporte de la energía eléctrica de alta tensión (AT).</li>
<li>Estaciones transformadoras (subestaciones) que reducen la tensión o el voltaje de la línea (alta tensión / media tensión, media tensión / baja tensión).</li>
<li>Líneas de distribución de media y baja tensión que llevan la electricidad hasta los puntos de consumo.</li>
<li>Centro de control eléctrico desde el que se gestiona y opera el sistema de generación y transporte de energía.</li>
</ul>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'3','EEA-101N')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '21')
,((select id_post from first_insert), '19');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Formato Trabajo 1', 'Diccionario de Datos','', 'formato-trabajo-1', '2018-02-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 1er</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','1er Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '48');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Formato Trabajo 2', 'Diccionario de Datos','', 'formato-trabajo-2', '2018-03-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 2</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','2do Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '49');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA' , 'Formato Trabajo 3', 'Diccionario de Datos', '', 'formato-trabajo-3', '2018-04-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 3</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','3er Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '92');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Formato Trabajo 4', 'Diccionario de Datos', '', 'formato-trabajo-4', '2018-05-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 4</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','4to Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '19');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA','Formato Trabajo 5', 'Diccionario de Datos','','formato-trabajo-5', '2018-06-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 5</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','5to Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '49');
with first_insert as(
INSERT INTO est_post (id_usuario, carrera, titulo, tema , etiquetas, enlace, fecha, activo, permite_comentario, contenido, descripcion)
VALUES ('Braco','EEA', 'Formato Trabajo 6', 'Diccionario de Datos','', 'formato-trabajo-6', '2018-07-13 20:15:00', FALSE, TRUE,
'<h1>Información de formato 6</h1>
<p>El grupo de trabajo estudió el formato con detalle y llegó a la conclusión de que había que llegar a un acuerdo en algunos temas fundamentales antes de poder definir unidades semánticas concretas. Estos temas incluían:</p>
<p>¿Qué es un formato?<br />
¿Qué tipo de objetos tienen formato?<br />
¿Cómo se identifica un formato?<br />
¿Existe alguna diferencia entre un formato y un perfil?</p>
<p>El concepto de formato parece casi intuitivo, pero debido a la importancia que tiene la información del formato para la preservación digital, el grupo decidió ser muy concreto respecto a su significado. Debatiendo acerca de las características que definen un formato surgió se llegó a la conclusión de que todo formato tiene que corresponderse con alguna especificación formal o informal, no puede tratarse de un diseño de bits al azar o sin previa documentación. La definición de Wikipedia, «una manera particular de codificar información para almacenarla en un archivo informático», no parece enfatizar lo suficiente esta característica1. El grupo esbozó su propia definición: <em>una estructura específica y preestablecida para la organización de un fichero digital o cadena de bits.</em></p>
<p>El formato es, evidentemente, una propiedad de los ficheros, pero también puede aplicarse a las cadenas de bits. Por ejemplo, una cadena de bits de una imagen dentro de un fichero TIFF podría tener un formato acorde a la especificación del formato del fichero TIFF. Por este motivo, PREMIS evita utilizar el término formato de fichero y emplea en su lugar formato, más genérico.</p>
<p>Un repositorio debe registrar la información sobre el formato de la manera más específica posible. Lo ideal sería identificar los formatos con un enlace directo hacia la especificación completa del formato. En la práctica, es más cómodo un enlace indirecto como un código o una cadena que pueda a su vez asociarse con las especificaciones completas del formato. El grupo consideró el nombre de formato como una designación algo arbitraria que se podría utilizar a modo de enlace indirecto. Sin embargo, surgieron dos complicaciones cuando el grupo intentó definir las unidades semánticas que se utilizarían como enlace.</p>
<p>En primer lugar, las designaciones utilizadas habitualmente para los formatos, como las del tipo MIME con sus extensiones, no ofrecen información suficientemente detallada como para utilizarla sin tener que añadir información adicional sobre la versión. Se debatió acerca de si la unidad semántica definida para el nombre del formato debería incluir tanto el formato como la versión (por ejemplo, «TIFF 6.0») o si deberían definirse dos unidades semánticas diferentes, una para el nombre y otra para la versión. Se decantaron por dos unidades semánticas para poder utilizar listados de autoridades ya existentes como los de tipo MIME, así, en el Diccionario de Datos, formatDesignation (designación del formato) consta de dos componentes: formatName (nombre de formato) y formatVersion (versión de formato).</p>
','Lorem ipsum dolor sit amet consectetur adipisicing elit. Eum assumenda, soluta, quidem voluptas, quod aut qui odit officiis a dolorem sed. Nisi eius error odio provident accusantium, iste cumque nemo.')
RETURNING id_post
), second_insert as (
insert into est_post_poblacion (id_post,id_poblacion,item)
values ((select id_post from first_insert),'2','6to Semestre')
)
insert into est_post_autor ( id_post ,cod_docente)
values ((select id_post from first_insert), '48');
|
-- Blank migration so that Flyway can work out of the box |
--DROP TABLE IF EXISTS jacl_group;
--DROP TABLE IF EXISTS jacl_right_values;
--DROP TABLE IF EXISTS jacl_right_values_group;
--DROP TABLE IF EXISTS jacl_rights;
--DROP TABLE IF EXISTS jacl_subject;
--DROP TABLE IF EXISTS jacl_user_group;
|
<gh_stars>1-10
SELECT *
FROM Employees
ORDER BY Salary DESC, FirstName ASC, LastName DESC, MiddleName ASC |
<reponame>AnyhowStep/typed-orm
SELECT
HEX(32) AS `__aliased--value` |
<gh_stars>10-100
/*
Warnings:
- You are about to drop the column `throttle_expr` on the `Subscription` table. All the data in the column will be lost.
*/
-- AlterTable
ALTER TABLE `Article` ADD COLUMN `source_url` VARCHAR(191),
MODIFY `score` DOUBLE DEFAULT 0;
-- AlterTable
ALTER TABLE `ArticleRef` ADD COLUMN `tags` JSON;
-- AlterTable
ALTER TABLE `Feed` ADD COLUMN `fulltext_data` TEXT;
-- AlterTable
ALTER TABLE `Subscription` DROP COLUMN `throttle_expr`,
ADD COLUMN `throttleId` VARCHAR(191),
ALTER COLUMN `updatedAt` DROP DEFAULT;
-- CreateTable
CREATE TABLE `ReleaseThrottle` (
`id` VARCHAR(191) NOT NULL,
`createdAt` DATETIME(3) NOT NULL DEFAULT CURRENT_TIMESTAMP(3),
`updatedAt` DATETIME(3) NOT NULL DEFAULT CURRENT_TIMESTAMP(3),
`take` INTEGER NOT NULL DEFAULT 10,
`window` VARCHAR(191) NOT NULL DEFAULT 'd',
`scoreCriteria` VARCHAR(191),
`nextReleaseAt` DATETIME(3) NOT NULL DEFAULT CURRENT_TIMESTAMP(3),
PRIMARY KEY (`id`)
) DEFAULT CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci;
-- AddForeignKey
ALTER TABLE `Subscription` ADD FOREIGN KEY (`throttleId`) REFERENCES `ReleaseThrottle`(`id`) ON DELETE SET NULL ON UPDATE CASCADE;
|
DROP TABLE "cucb"."list042";
|
select
id,
name,
description
from test
where 1 = 1
{{#id}}
and id = %(id)s
{{/id}}
{{#name}}
and name like %(name)s
{{/name}}
|
CREATE TABLE [Pttcd].[Standards] (
[StandardCode] INT NOT NULL,
[Version] INT NOT NULL,
[StandardName] NVARCHAR (MAX) NOT NULL,
[StandardSectorCode] NVARCHAR (MAX) NOT NULL,
[NotionalEndLevel] NVARCHAR (MAX) NOT NULL,
[EffectiveFrom] DATE NOT NULL,
[EffectiveTo] DATE NULL,
[UrlLink] NVARCHAR (MAX) NOT NULL,
[SectorSubjectAreaTier1] DECIMAL (9, 2) NOT NULL,
[SectorSubjectAreaTier2] DECIMAL (9, 2) NOT NULL,
[OtherBodyApprovalRequired] BIT NULL,
CONSTRAINT [PK_Standards] PRIMARY KEY CLUSTERED ([StandardCode] ASC, [Version] ASC)
);
|
/********************************************************************************
##### # # ##### ##### #
# # #### # # #### ##### ##### ## ## ###### ##### # # #### ##### # # # # #
# # # # # # # # # # # # # # # # # # # # # # # # # #
# # # ###### # # # # # # # # ##### # ###### # # # # ##### # # #
# # # # # # # ##### # # # # # # # # # # # # # # # #
# # # # # # # # # # # # # # # # # # # # # # # # # #
##### #### # # #### # # # # # ###### # # # #### ##### ##### #### # #######
Authors: <NAME>, <NAME>
Last update date: 23 January 2014
Parameterized SQL to create cohorts, covariates, and outcomes datasets to be used as input in fitting large-scale analytics
*********************************************************************************/
/********************************************************************************
###### ######
# # ###### ###### # # # ###### # # ## ##### ## # # ###### ##### ###### ##### ####
# # # # # ## # # # # # # # # # # ## ## # # # # # #
# # ##### ##### # # # # ##### ###### # # # # # # # ## # ##### # ##### # # ####
# # # # # # # # # # ###### ##### ###### # # # # # ##### #
# # # # # # ## # # # # # # # # # # # # # # # # #
###### ###### # # # # ###### # # # # # # # # # ###### # ###### # # ####
*********************************************************************************/
{DEFAULT @cdm_database_schema = 'CDM4_SIM.dbo'} /*cdm_database_schema: @cdm_database_schema*/
{DEFAULT @results_database_schema = 'scratch.dbo'} /*results_database_schema: @results_database_schema*/
{DEFAULT @cdm_database = 'CDM4_SIM'} /*cdm_database: @cdm_database_schema*/
{DEFAULT @results_database = 'scratch'} /*results_database: @results_database_schema*/
{DEFAULT @target_drug_concept_id = ''} /*target_drug_concept_id: @target_drug_concept_id*/
{DEFAULT @comparator_drug_concept_id = ''} /*comparator_drug_concept_id: @comparator_drug_concept_id*/
{DEFAULT @indication_concept_ids = ''} /*indication_concept_ids: @indication_concept_ids*/
{DEFAULT @washout_window = 183} /*washout_window: @washout_window*/
{DEFAULT @indication_lookback_window = 183} /*indication_lookback_window: @indication_lookback_window*/
{DEFAULT @study_start_date = ''} /*study_start_date: @study_start_date*/
{DEFAULT @study_end_date = ''} /*study_end_date: @study_end_date*/
{DEFAULT @exclusion_concept_ids = ''} /*exclusion_concept_ids: @exclusion_concept_ids*/
{DEFAULT @outcome_concept_ids = ''} /*outcome_concept_ids: @outcome_concept_ids*/
{DEFAULT @outcome_condition_type_concept_ids = ''} /*outcome_condition_type_concept_ids: @outcome_condition_type_concept_ids*/ /*condition type only applies if @outcome_table = condition_occurrence*/
{DEFAULT @exposure_schema = 'CDM4_SIM'} /*exposure_schema: @exposure_schema*/
{DEFAULT @exposure_table = 'drug_era'} /*exposure_table: @exposure_table*/ /*the table that contains the exposure information (drug_era or COHORT)*/
{DEFAULT @outcome_schema = 'CDM4_SIM'} /*outcome_schema: @outcome_schema*/
{DEFAULT @outcome_table = 'condition_occurrence'} /*outcome_table: @outcome_table*/ /*the table that contains the outcome information (condition_occurrence or COHORT)*/
{DEFAULT @excluded_covariate_concept_ids = ''} /*excluded_covariate_concept_ids: @excluded_covariate_concept_ids*/
{DEFAULT @delete_covariates_small_count = 100} /*delete_covariates_small_count: @delete_covariates_small_count*/
USE @results_database;
/********************************************************************************
### #######
# # # # ##### # ## # # ###### ###### # ## ##### # ###### ####
# ## # # # # # # # # # # # # # # # # # #
# # # # # # # # # # # # ##### # # # ##### # ##### ####
# # # # # # # ###### # # # # # ###### # # # # #
# # ## # # # # # # # # # # # # # # # # # #
### # # # # # # # ###### # ###### ###### # # # ##### ###### ###### ####
*********************************************************************************/
IF OBJECT_ID('raw_cohort', 'U') IS NOT NULL --This should only do something in Oracle
drop table raw_cohort;
IF OBJECT_ID('tempdb..#indicated_cohort', 'U') IS NOT NULL
drop table #indicated_cohort;
IF OBJECT_ID('new_user_cohort', 'U') IS NOT NULL --This should only do something in Oracle
drop table new_user_cohort;
IF OBJECT_ID('tempdb..#new_user_cohort', 'U') IS NOT NULL
drop table #new_user_cohort;
IF OBJECT_ID('non_overlap_cohort', 'U') IS NOT NULL --This should only do something in Oracle
drop table non_overlap_cohort;
IF OBJECT_ID('tempdb..#non_overlap_cohort', 'U') IS NOT NULL
drop table #non_overlap_cohort;
IF OBJECT_ID('cohort_person', 'U') IS NOT NULL --This should only do something in Oracle
drop table cohort_person;
IF OBJECT_ID('tempdb..#cohort_person', 'U') IS NOT NULL
drop table #cohort_person;
IF OBJECT_ID('cohort_covariate', 'U') IS NOT NULL --This should only do something in Oracle
drop table cohort_covariate;
IF OBJECT_ID('tempdb..#cohort_covariate', 'U') IS NOT NULL
drop table #cohort_covariate;
create table #cohort_covariate
(
row_id bigint,
cohort_id int,
person_id bigint,
covariate_id bigint,
covariate_value float
);
IF OBJECT_ID('cohort_covariate_ref', 'U') IS NOT NULL --This should only do something in Oracle
drop table cohort_covariate_ref;
IF OBJECT_ID('tempdb..#cohort_covariate_ref', 'U') IS NOT NULL
drop table #cohort_covariate_ref;
create table #cohort_covariate_ref
(
covariate_id bigint,
covariate_name varchar(max),
analysis_id int,
concept_id int
);
IF OBJECT_ID('cohort_outcome', 'U') IS NOT NULL --This should only do something in Oracle
drop table cohort_outcome;
IF OBJECT_ID('tempdb..#cohort_outcome', 'U') IS NOT NULL
drop table #cohort_outcome;
create table #cohort_outcome
(
row_id bigint,
cohort_id int,
person_id bigint,
outcome_id int,
time_to_event int
);
IF OBJECT_ID('cohort_excluded_person', 'U') IS NOT NULL --This should only do something in Oracle
drop table cohort_excluded_person;
IF OBJECT_ID('tempdb..#cohort_excluded_person', 'U') IS NOT NULL
drop table #cohort_excluded_person;
create table #cohort_excluded_person
(
row_id bigint,
cohort_id int,
person_id bigint,
outcome_id int
);
/********************************************************************************
##### #####
# # ##### ###### ## ##### ###### # # #### # # #### ##### ##### ####
# # # # # # # # # # # # # # # # # # #
# # # ##### # # # ##### # # # ###### # # # # # ####
# ##### # ###### # # # # # # # # # ##### # #
# # # # # # # # # # # # # # # # # # # # # #
##### # # ###### # # # ###### ##### #### # # #### # # # ####
*********************************************************************************/
/* make a table containing new users */
SELECT DISTINCT raw_cohorts.cohort_id,
raw_cohorts.person_id,
raw_cohorts.cohort_start_date,
{@study_end_date != ''} ? {
CASE WHEN raw_cohorts.cohort_end_date <= CAST('@study_end_date' AS DATE)
THEN raw_cohorts.cohort_end_date
ELSE CAST('@study_end_date' AS DATE)
END
} : {raw_cohorts.cohort_end_date}
AS cohort_end_date,
{@study_end_date != ''} ? {
CASE WHEN op1.observation_period_end_date <= CAST('@study_end_date' AS DATE)
THEN op1.observation_period_end_date
ELSE CAST('@study_end_date' AS DATE)
END
} : {op1.observation_period_end_date}
AS observation_period_end_date
INTO
#new_user_cohort
FROM (
SELECT CASE
WHEN ca1.ancestor_concept_id = @target_drug_concept_id
THEN 1
WHEN ca1.ancestor_concept_id = @comparator_drug_concept_id
THEN 0
ELSE - 1
END AS cohort_id,
de1.person_id,
min(de1.drug_era_start_date) AS cohort_start_date,
min(de1.drug_era_end_date) AS cohort_end_date
FROM @cdm_database_schema.drug_era de1
INNER JOIN @cdm_database_schema.concept_ancestor ca1
ON de1.drug_concept_id = ca1.descendant_concept_id
WHERE ca1.ancestor_concept_id in (@target_drug_concept_id,@comparator_drug_concept_id)
GROUP BY ca1.ancestor_concept_id,
de1.person_id
) raw_cohorts
INNER JOIN @cdm_database_schema.observation_period op1
ON raw_cohorts.person_id = op1.person_id
WHERE raw_cohorts.cohort_start_date <= op1.observation_period_end_date
AND raw_cohorts.cohort_start_date >= dateadd(dd, @washout_window, observation_period_start_date)
{@study_start_date != ''} ? {AND raw_cohorts.cohort_start_date >= CAST('@study_start_date' AS DATE)}
{@study_end_date != ''} ? {AND raw_cohorts.cohort_start_date <= CAST('@study_end_date' AS DATE)}
;
{@indication_concept_ids != ''} ? {
/* select only users with the indication */
SELECT DISTINCT cohort_id,
new_user_cohort.person_id,
cohort_start_date,
cohort_end_date,
observation_period_end_date
INTO
#indicated_cohort
FROM (
#new_user_cohort new_user_cohort
INNER JOIN (
SELECT person_id,
condition_start_date AS indication_date
FROM @cdm_database_schema.condition_occurrence
WHERE condition_concept_id IN (
SELECT descendant_concept_id
FROM @cdm_database_schema.concept_ancestor
WHERE ancestor_concept_id IN (@indication_concept_ids)
)
) indication
ON new_user_cohort.person_id = indication.person_id
AND new_user_cohort.cohort_start_date <= dateadd(dd, @indication_lookback_window, indication_date)
AND new_user_cohort.cohort_start_date >= indication_date
)
;
}
/* delete persons in both cohorts */
SELECT
cohort_id,
new_user_cohort.person_id,
cohort_start_date,
cohort_end_date,
observation_period_end_date
INTO
#non_overlap_cohort
FROM
{@indication_concept_ids != ''} ? {
#indicated_cohort new_user_cohort
} : {
#new_user_cohort new_user_cohort
}
LEFT JOIN (
SELECT person_id
FROM (
SELECT person_id,
count(cohort_id) AS num_cohorts
FROM
{@indication_concept_ids != ''} ? {
#indicated_cohort
} : {
#new_user_cohort
}
GROUP BY person_id
) t1
WHERE num_cohorts = 2
) both_cohorts
ON new_user_cohort.person_id = both_cohorts.person_id
WHERE
both_cohorts.person_id IS NULL
;
/* apply exclusion criteria */
SELECT non_overlap_cohort.person_id*10+non_overlap_cohort.cohort_id as row_id,
non_overlap_cohort.cohort_id,
non_overlap_cohort.person_id,
non_overlap_cohort.cohort_start_date,
non_overlap_cohort.cohort_end_date,
non_overlap_cohort.observation_period_end_date
INTO
#cohort_person
FROM #non_overlap_cohort non_overlap_cohort
/*
{@exclusion_concept_ids != ''} ? {
LEFT JOIN (
SELECT *
FROM @cdm_database_schema.condition_occurrence co1
WHERE condition_concept_id IN (
SELECT descendant_concept_id
FROM @cdm_database_schema.concept_ancestor
WHERE ancestor_concept_id IN (@exclusion_concept_ids)
)
) exclude_conditions
ON non_overlap_cohort.person_id = exclude_conditions.person_id
AND non_overlap_cohort.cohort_start_date > exclude_conditions.condition_start_date
LEFT JOIN (
SELECT *
FROM @cdm_database_schema.procedure_occurrence po1
WHERE procedure_concept_id IN (
SELECT descendant_concept_id
FROM @cdm_database_schema.concept_ancestor
WHERE ancestor_concept_id IN (@exclusion_concept_ids)
)
) exclude_procedures
ON non_overlap_cohort.person_id = exclude_procedures.person_id
AND non_overlap_cohort.cohort_start_date > exclude_procedures.procedure_date
LEFT JOIN (
SELECT *
FROM @cdm_database_schema.drug_exposure de1
WHERE drug_concept_id IN (
SELECT descendant_concept_id
FROM @cdm_database_schema.concept_ancestor
WHERE ancestor_concept_id IN (@exclusion_concept_ids)
)
) exclude_drugs
ON non_overlap_cohort.person_id = exclude_drugs.person_id
AND non_overlap_cohort.cohort_start_date > exclude_drugs.drug_exposure_start_date
WHERE
exclude_conditions.person_id IS NULL
AND exclude_procedures.person_id IS NULL
AND exclude_drugs.person_id IS NULL
*/
}
;
|
-- phpMyAdmin SQL Dump
-- version 5.0.2
-- https://www.phpmyadmin.net/
--
-- Host: 127.0.0.1
-- Generation Time: Jun 16, 2020 at 07:11 PM
-- Server version: 10.4.11-MariaDB
-- PHP Version: 7.4.4
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
START TRANSACTION;
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `eccomerce`
--
-- --------------------------------------------------------
--
-- Table structure for table `catagories`
--
CREATE TABLE `catagories` (
`id` bigint(20) UNSIGNED NOT NULL,
`name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`status` tinyint(4) NOT NULL DEFAULT 1
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `catagories`
--
INSERT INTO `catagories` (`id`, `name`, `status`) VALUES
(1, 'Women Wear', 1),
(2, 'Men Wear', 1),
(3, 'Women Wear', 1),
(4, 'Men Wear', 1);
-- --------------------------------------------------------
--
-- Table structure for table `customer`
--
CREATE TABLE `customer` (
`customer_id` bigint(20) UNSIGNED NOT NULL,
`customer_name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`email_address` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`password` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`mobile` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`address` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`country` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`zip_code` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `customer`
--
INSERT INTO `customer` (`customer_id`, `customer_name`, `email_address`, `password`, `mobile`, `address`, `country`, `zip_code`) VALUES
(21, 'Arman', '<EMAIL>', '347', '7898', 'Hathazari,Chittagong', 'Bangladesh', '4330'),
(22, 'babu', '<EMAIL>', '347', '565', 'Hathazari,Chittagong', 'Bangladesh', '4330'),
(23, 'Saaf', '<EMAIL>', '347', '87', 'Hathazari,Chittagong', 'Bangladesh', '4330'),
(24, 'Jainal', '<EMAIL>', '6778', '344', 'Hathazari,Chittagong', 'Bangladesh', '4330');
-- --------------------------------------------------------
--
-- Table structure for table `failed_jobs`
--
CREATE TABLE `failed_jobs` (
`id` bigint(20) UNSIGNED NOT NULL,
`connection` text COLLATE utf8mb4_unicode_ci NOT NULL,
`queue` text COLLATE utf8mb4_unicode_ci NOT NULL,
`payload` longtext COLLATE utf8mb4_unicode_ci NOT NULL,
`exception` longtext COLLATE utf8mb4_unicode_ci NOT NULL,
`failed_at` timestamp NOT NULL DEFAULT current_timestamp()
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
-- --------------------------------------------------------
--
-- Table structure for table `migrations`
--
CREATE TABLE `migrations` (
`id` int(10) UNSIGNED NOT NULL,
`migration` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`batch` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `migrations`
--
INSERT INTO `migrations` (`id`, `migration`, `batch`) VALUES
(1, '2014_10_12_000000_create_users_table', 1),
(2, '2019_08_19_000000_create_failed_jobs_table', 1),
(3, '2020_05_19_174705_visitor_table', 1),
(4, '2020_05_19_191751_offer_table', 1),
(5, '2020_05_20_111730_testimonial_table', 1),
(6, '2020_06_01_145146_catagories_table', 1),
(7, '2020_06_01_145208_subcatagories_table', 1),
(8, '2020_06_01_145522_products_table', 1),
(9, '2020_06_06_092305_order_table', 1),
(10, '2020_06_06_094206_payment_table', 1),
(13, '2020_06_06_161006_order_details_table', 1),
(14, '2020_06_06_161910_new_arrival_model', 1),
(18, '2020_06_06_160642_customer_table', 2),
(20, '2020_06_06_160902_shiiping_table', 3);
-- --------------------------------------------------------
--
-- Table structure for table `newarrival`
--
CREATE TABLE `newarrival` (
`id` bigint(20) UNSIGNED NOT NULL,
`image` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`price` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`description` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
-- --------------------------------------------------------
--
-- Table structure for table `offers`
--
CREATE TABLE `offers` (
`id` bigint(20) UNSIGNED NOT NULL,
`image` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`offer_date` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`product_name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`old_price` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`new_price` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
-- --------------------------------------------------------
--
-- Table structure for table `order`
--
CREATE TABLE `order` (
`id` bigint(20) UNSIGNED NOT NULL,
`customer_id` bigint(20) NOT NULL,
`shipping_id` bigint(20) NOT NULL,
`payment_id` bigint(20) NOT NULL,
`order_total` double(8,2) NOT NULL,
`order_status` tinyint(4) NOT NULL DEFAULT 0
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `order`
--
INSERT INTO `order` (`id`, `customer_id`, `shipping_id`, `payment_id`, `order_total`, `order_status`) VALUES
(3, 21, 11, 8, 6000.00, 0),
(4, 22, 12, 9, 0.00, 0),
(5, 23, 13, 10, 0.00, 0),
(6, 24, 14, 11, 2000.00, 0);
-- --------------------------------------------------------
--
-- Table structure for table `orderdetails`
--
CREATE TABLE `orderdetails` (
`order_details_id` bigint(20) UNSIGNED NOT NULL,
`order_id` int(11) NOT NULL,
`product_id` int(11) NOT NULL,
`product_name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`product_price` double(8,2) NOT NULL,
`product_sales_quantity` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `orderdetails`
--
INSERT INTO `orderdetails` (`order_details_id`, `order_id`, `product_id`, `product_name`, `product_price`, `product_sales_quantity`) VALUES
(5, 3, 1, '<NAME>', 2000.00, 3),
(6, 5, 1, '<NAME>', 2000.00, 1),
(7, 5, 2, '<NAME>', 2000.00, 2),
(8, 6, 2, '<NAME>', 2000.00, 1);
-- --------------------------------------------------------
--
-- Table structure for table `payment`
--
CREATE TABLE `payment` (
`id` bigint(20) UNSIGNED NOT NULL,
`payment_method` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`payment_status` tinyint(4) NOT NULL DEFAULT 1
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `payment`
--
INSERT INTO `payment` (`id`, `payment_method`, `payment_status`) VALUES
(8, 'cash on delivery', 1),
(9, 'cash on delivery', 0),
(10, 'cash on delivery', 0),
(11, 'cash on delivery', 0);
-- --------------------------------------------------------
--
-- Table structure for table `products`
--
CREATE TABLE `products` (
`id` bigint(20) UNSIGNED NOT NULL,
`category_id` int(11) NOT NULL,
`subcategory_id` int(11) NOT NULL,
`name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`image` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`description` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`size` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`colour` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`quantity` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`price` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`status` tinyint(4) NOT NULL DEFAULT 1
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `products`
--
INSERT INTO `products` (`id`, `category_id`, `subcategory_id`, `name`, `image`, `description`, `size`, `colour`, `quantity`, `price`, `status`) VALUES
(1, 1, 1, 'Maxi Dress', 'http://localhost/images/product-2.jpg', 'Maxi Dress', 'L,xl,M', 'Black', '1', '2000 BDT', 1),
(2, 1, 2, 'Mii Dress', 'http://localhost/images/product-8.jpg', 'Maxi Dress', 'XL,l', 'Red', '1', '2000 BDT', 1);
-- --------------------------------------------------------
--
-- Table structure for table `shipping`
--
CREATE TABLE `shipping` (
`shipping_id` bigint(20) UNSIGNED NOT NULL,
`shipping_name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`email_address` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`mobile` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`address` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`country` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`zip_code` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `shipping`
--
INSERT INTO `shipping` (`shipping_id`, `shipping_name`, `email_address`, `mobile`, `address`, `country`, `zip_code`) VALUES
(11, 'Arman', '<EMAIL>', '7898', 'Hathazari,Chittagong', 'Bangladesh', NULL),
(12, 'babu', '<EMAIL>', '565', 'Hathazari,Chittagong', 'Bangladesh', NULL),
(13, 'Saaf', '<EMAIL>', '87', 'Hathazari,Chittagong', 'Bangladesh', NULL),
(14, 'Jainal', '<EMAIL>', '344', 'Hathazari,Chittagong', 'Bangladesh', NULL);
-- --------------------------------------------------------
--
-- Table structure for table `subcatagories`
--
CREATE TABLE `subcatagories` (
`id` bigint(20) UNSIGNED NOT NULL,
`category_id` int(11) NOT NULL,
`sub_cat_name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`status` tinyint(4) NOT NULL DEFAULT 1
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `subcatagories`
--
INSERT INTO `subcatagories` (`id`, `category_id`, `sub_cat_name`, `status`) VALUES
(1, 1, 'Mini Dress', 1),
(2, 1, 'Maxi Dress', 1);
-- --------------------------------------------------------
--
-- Table structure for table `testimonial`
--
CREATE TABLE `testimonial` (
`id` bigint(20) UNSIGNED NOT NULL,
`image` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`review` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`location` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
-- --------------------------------------------------------
--
-- Table structure for table `users`
--
CREATE TABLE `users` (
`id` bigint(20) UNSIGNED NOT NULL,
`name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`email` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`email_verified_at` timestamp NULL DEFAULT NULL,
`password` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`remember_token` varchar(100) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
-- --------------------------------------------------------
--
-- Table structure for table `visitor`
--
CREATE TABLE `visitor` (
`id` bigint(20) UNSIGNED NOT NULL,
`ip_address` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`visit_time` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `visitor`
--
INSERT INTO `visitor` (`id`, `ip_address`, `visit_time`) VALUES
(1, '127.0.0.1', '2020-06-07 01:21:55pm'),
(2, '127.0.0.1', '2020-06-07 07:18:16pm'),
(3, '127.0.0.1', '2020-06-08 12:37:46pm'),
(4, '127.0.0.1', '2020-06-08 12:37:53pm'),
(5, '127.0.0.1', '2020-06-08 01:09:23pm'),
(6, '127.0.0.1', '2020-06-08 01:18:13pm'),
(7, '127.0.0.1', '2020-06-08 01:21:30pm'),
(8, '127.0.0.1', '2020-06-08 01:22:49pm'),
(9, '127.0.0.1', '2020-06-09 11:50:06am'),
(10, '127.0.0.1', '2020-06-09 12:41:10pm'),
(11, '127.0.0.1', '2020-06-09 01:09:48pm'),
(12, '127.0.0.1', '2020-06-09 07:36:02pm'),
(13, '127.0.0.1', '2020-06-09 08:36:19pm'),
(14, '127.0.0.1', '2020-06-09 08:46:43pm'),
(15, '127.0.0.1', '2020-06-09 08:56:19pm'),
(16, '127.0.0.1', '2020-06-10 07:18:40pm'),
(17, '127.0.0.1', '2020-06-11 12:22:40pm'),
(18, '127.0.0.1', '2020-06-11 12:22:42pm'),
(19, '127.0.0.1', '2020-06-11 12:27:23pm'),
(20, '127.0.0.1', '2020-06-11 08:07:52pm'),
(21, '127.0.0.1', '2020-06-13 12:39:29pm'),
(22, '127.0.0.1', '2020-06-13 12:44:22pm'),
(23, '127.0.0.1', '2020-06-13 12:56:17pm'),
(24, '127.0.0.1', '2020-06-13 07:20:06pm'),
(25, '127.0.0.1', '2020-06-14 12:14:46pm'),
(26, '127.0.0.1', '2020-06-14 01:07:29pm'),
(27, '127.0.0.1', '2020-06-14 07:42:05pm'),
(28, '127.0.0.1', '2020-06-14 08:01:47pm'),
(29, '127.0.0.1', '2020-06-15 12:43:35pm'),
(30, '127.0.0.1', '2020-06-15 07:27:01pm'),
(31, '127.0.0.1', '2020-06-15 07:27:02pm'),
(32, '127.0.0.1', '2020-06-15 07:28:36pm'),
(33, '127.0.0.1', '2020-06-16 07:54:54pm'),
(34, '127.0.0.1', '2020-06-16 07:55:24pm');
--
-- Indexes for dumped tables
--
--
-- Indexes for table `catagories`
--
ALTER TABLE `catagories`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `customer`
--
ALTER TABLE `customer`
ADD PRIMARY KEY (`customer_id`);
--
-- Indexes for table `failed_jobs`
--
ALTER TABLE `failed_jobs`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `migrations`
--
ALTER TABLE `migrations`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `newarrival`
--
ALTER TABLE `newarrival`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `offers`
--
ALTER TABLE `offers`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `order`
--
ALTER TABLE `order`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `orderdetails`
--
ALTER TABLE `orderdetails`
ADD PRIMARY KEY (`order_details_id`);
--
-- Indexes for table `payment`
--
ALTER TABLE `payment`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `products`
--
ALTER TABLE `products`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `shipping`
--
ALTER TABLE `shipping`
ADD PRIMARY KEY (`shipping_id`);
--
-- Indexes for table `subcatagories`
--
ALTER TABLE `subcatagories`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `testimonial`
--
ALTER TABLE `testimonial`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `users`
--
ALTER TABLE `users`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `users_email_unique` (`email`);
--
-- Indexes for table `visitor`
--
ALTER TABLE `visitor`
ADD PRIMARY KEY (`id`);
--
-- AUTO_INCREMENT for dumped tables
--
--
-- AUTO_INCREMENT for table `catagories`
--
ALTER TABLE `catagories`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=5;
--
-- AUTO_INCREMENT for table `customer`
--
ALTER TABLE `customer`
MODIFY `customer_id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=25;
--
-- AUTO_INCREMENT for table `failed_jobs`
--
ALTER TABLE `failed_jobs`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `migrations`
--
ALTER TABLE `migrations`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=21;
--
-- AUTO_INCREMENT for table `newarrival`
--
ALTER TABLE `newarrival`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `offers`
--
ALTER TABLE `offers`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `order`
--
ALTER TABLE `order`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=7;
--
-- AUTO_INCREMENT for table `orderdetails`
--
ALTER TABLE `orderdetails`
MODIFY `order_details_id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=9;
--
-- AUTO_INCREMENT for table `payment`
--
ALTER TABLE `payment`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=12;
--
-- AUTO_INCREMENT for table `products`
--
ALTER TABLE `products`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=3;
--
-- AUTO_INCREMENT for table `shipping`
--
ALTER TABLE `shipping`
MODIFY `shipping_id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=15;
--
-- AUTO_INCREMENT for table `subcatagories`
--
ALTER TABLE `subcatagories`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=5;
--
-- AUTO_INCREMENT for table `testimonial`
--
ALTER TABLE `testimonial`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `users`
--
ALTER TABLE `users`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `visitor`
--
ALTER TABLE `visitor`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=35;
COMMIT;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
<reponame>zhuwenshen/YCSB-TS
-- Copyright (c) 2015 YCSB contributors. All rights reserved.
--
-- Licensed under the Apache License, Version 2.0 (the "License"); you
-- may not use this file except in compliance with the License. You
-- may obtain a copy of the License at
--
-- http://www.apache.org/licenses/LICENSE-2.0
--
-- Unless required by applicable law or agreed to in writing, software
-- distributed under the License is distributed on an "AS IS" BASIS,
-- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
-- implied. See the License for the specific language governing
-- permissions and limitations under the License. See accompanying
-- LICENSE file.
-- Creates a Table.
-- Drop the table if it exists;
DROP TABLE IF EXISTS usermetric;
-- Create the usermetric table with 10 fields and 1 double value and Timestamp as key
CREATE TABLE usermetric(
ID INT IDENTITY(1,1) PRIMARY KEY,
YCSB_KEY TIMESTAMP,
VALUE DOUBLE PRECISION,
TAG0 VARCHAR, TAG1 VARCHAR,
TAG2 VARCHAR, TAG3 VARCHAR,
TAG4 VARCHAR, TAG5 VARCHAR,
TAG6 VARCHAR, TAG7 VARCHAR,
TAG8 VARCHAR, TAG9 VARCHAR);
|
<reponame>stephenfuqua/Ed-Fi-X-Fizz
-- SPDX-License-Identifier: Apache-2.0
-- Licensed to the Ed-Fi Alliance under one or more agreements.
-- The Ed-Fi Alliance licenses this file to you under the Apache License, Version 2.0.
-- See the LICENSE and NOTICES files in the project root for more information.
-- Table [lms].[Assignment] --
CREATE TABLE [lms].[Assignment] (
[AssignmentIdentifier] [INT] NOT NULL,
[SourceSystemIdentifier] [NVARCHAR](255) NOT NULL,
[SourceSystem] [NVARCHAR](255) NOT NULL,
[LMSSectionIdentifier] [INT] NOT NULL,
[Title] [NVARCHAR](255) NOT NULL,
[AssignmentCategory] [NVARCHAR](60) NOT NULL,
[AssignmentDescription] [NVARCHAR](1024) NULL,
[StartDateTime] [DATETIME2](7) NULL,
[EndDateTime] [DATETIME2](7) NULL,
[DueDateTime] [DATETIME2](7) NULL,
[MaxPoints] [INT] NULL,
[SourceCreateDate] [DATETIME2](7) NULL,
[SourceLastModifiedDate] [DATETIME2](7) NULL,
[DeletedAt] [DATETIME2](7) NULL,
[Discriminator] [NVARCHAR](128) NULL,
[CreateDate] [DATETIME2] NOT NULL,
[LastModifiedDate] [DATETIME2] NOT NULL,
[Id] [UNIQUEIDENTIFIER] NOT NULL,
CONSTRAINT [Assignment_PK] PRIMARY KEY CLUSTERED (
[AssignmentIdentifier] ASC
) WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
ALTER TABLE [lms].[Assignment] ADD CONSTRAINT [Assignment_DF_CreateDate] DEFAULT (getdate()) FOR [CreateDate]
GO
ALTER TABLE [lms].[Assignment] ADD CONSTRAINT [Assignment_DF_Id] DEFAULT (newid()) FOR [Id]
GO
ALTER TABLE [lms].[Assignment] ADD CONSTRAINT [Assignment_DF_LastModifiedDate] DEFAULT (getdate()) FOR [LastModifiedDate]
GO
-- Table [lms].[AssignmentSubmission] --
CREATE TABLE [lms].[AssignmentSubmission] (
[AssignmentSubmissionIdentifier] [INT] NOT NULL,
[SourceSystemIdentifier] [NVARCHAR](255) NOT NULL,
[SourceSystem] [NVARCHAR](255) NOT NULL,
[LMSUserIdentifier] [INT] NOT NULL,
[AssignmentIdentifier] [INT] NOT NULL,
[Status] [NVARCHAR](60) NOT NULL,
[SubmissionDateTime] [DATETIME2](7) NOT NULL,
[EarnedPoints] [INT] NULL,
[Grade] [NVARCHAR](20) NULL,
[SourceCreateDate] [DATETIME2](7) NULL,
[SourceLastModifiedDate] [DATETIME2](7) NULL,
[DeletedAt] [DATETIME2](7) NULL,
[Discriminator] [NVARCHAR](128) NULL,
[CreateDate] [DATETIME2] NOT NULL,
[LastModifiedDate] [DATETIME2] NOT NULL,
[Id] [UNIQUEIDENTIFIER] NOT NULL,
CONSTRAINT [AssignmentSubmission_PK] PRIMARY KEY CLUSTERED (
[AssignmentSubmissionIdentifier] ASC
) WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
ALTER TABLE [lms].[AssignmentSubmission] ADD CONSTRAINT [AssignmentSubmission_DF_CreateDate] DEFAULT (getdate()) FOR [CreateDate]
GO
ALTER TABLE [lms].[AssignmentSubmission] ADD CONSTRAINT [AssignmentSubmission_DF_Id] DEFAULT (newid()) FOR [Id]
GO
ALTER TABLE [lms].[AssignmentSubmission] ADD CONSTRAINT [AssignmentSubmission_DF_LastModifiedDate] DEFAULT (getdate()) FOR [LastModifiedDate]
GO
-- Table [lms].[AssignmentSubmissionType] --
CREATE TABLE [lms].[AssignmentSubmissionType] (
[AssignmentIdentifier] [INT] NOT NULL,
[SubmissionType] [NVARCHAR](60) NOT NULL,
[CreateDate] [DATETIME2] NOT NULL,
CONSTRAINT [AssignmentSubmissionType_PK] PRIMARY KEY CLUSTERED (
[AssignmentIdentifier] ASC,
[SubmissionType] ASC
) WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
ALTER TABLE [lms].[AssignmentSubmissionType] ADD CONSTRAINT [AssignmentSubmissionType_DF_CreateDate] DEFAULT (getdate()) FOR [CreateDate]
GO
-- Table [lms].[LMSGrade] --
CREATE TABLE [lms].[LMSGrade] (
[LMSGradeIdentifier] [INT] NOT NULL,
[SourceSystemIdentifier] [NVARCHAR](255) NOT NULL,
[SourceSystem] [NVARCHAR](255) NOT NULL,
[LMSUserIdentifier] [INT] NOT NULL,
[LMSSectionIdentifier] [INT] NOT NULL,
[LMSUserLMSSectionAssociationIdentifier] [INT] NOT NULL,
[Grade] [NVARCHAR](20) NOT NULL,
[GradeType] [NVARCHAR](60) NULL,
[SourceCreateDate] [DATETIME2](7) NULL,
[SourceLastModifiedDate] [DATETIME2](7) NULL,
[DeletedAt] [DATETIME2](7) NULL,
[Discriminator] [NVARCHAR](128) NULL,
[CreateDate] [DATETIME2] NOT NULL,
[LastModifiedDate] [DATETIME2] NOT NULL,
[Id] [UNIQUEIDENTIFIER] NOT NULL,
CONSTRAINT [LMSGrade_PK] PRIMARY KEY CLUSTERED (
[LMSGradeIdentifier] ASC
) WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
ALTER TABLE [lms].[LMSGrade] ADD CONSTRAINT [LMSGrade_DF_CreateDate] DEFAULT (getdate()) FOR [CreateDate]
GO
ALTER TABLE [lms].[LMSGrade] ADD CONSTRAINT [LMSGrade_DF_Id] DEFAULT (newid()) FOR [Id]
GO
ALTER TABLE [lms].[LMSGrade] ADD CONSTRAINT [LMSGrade_DF_LastModifiedDate] DEFAULT (getdate()) FOR [LastModifiedDate]
GO
-- Table [lms].[LMSSection] --
CREATE TABLE [lms].[LMSSection] (
[LMSSectionIdentifier] [INT] NOT NULL,
[SourceSystemIdentifier] [NVARCHAR](255) NOT NULL,
[SourceSystem] [NVARCHAR](255) NOT NULL,
[SISSectionIdentifier] [NVARCHAR](255) NULL,
[Title] [NVARCHAR](255) NOT NULL,
[SectionDescription] [NVARCHAR](1024) NULL,
[Term] [NVARCHAR](60) NULL,
[LMSSectionStatus] [NVARCHAR](60) NULL,
[SourceCreateDate] [DATETIME2](7) NULL,
[SourceLastModifiedDate] [DATETIME2](7) NULL,
[DeletedAt] [DATETIME2](7) NULL,
[Discriminator] [NVARCHAR](128) NULL,
[CreateDate] [DATETIME2] NOT NULL,
[LastModifiedDate] [DATETIME2] NOT NULL,
[Id] [UNIQUEIDENTIFIER] NOT NULL,
CONSTRAINT [LMSSection_PK] PRIMARY KEY CLUSTERED (
[LMSSectionIdentifier] ASC
) WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
ALTER TABLE [lms].[LMSSection] ADD CONSTRAINT [LMSSection_DF_CreateDate] DEFAULT (getdate()) FOR [CreateDate]
GO
ALTER TABLE [lms].[LMSSection] ADD CONSTRAINT [LMSSection_DF_Id] DEFAULT (newid()) FOR [Id]
GO
ALTER TABLE [lms].[LMSSection] ADD CONSTRAINT [LMSSection_DF_LastModifiedDate] DEFAULT (getdate()) FOR [LastModifiedDate]
GO
-- Table [lms].[LMSSectionActivity] --
CREATE TABLE [lms].[LMSSectionActivity] (
[LMSSectionActivityIdentifier] [INT] NOT NULL,
[SourceSystemIdentifier] [NVARCHAR](255) NOT NULL,
[SourceSystem] [NVARCHAR](255) NOT NULL,
[LMSUserIdentifier] [INT] NOT NULL,
[LMSSectionIdentifier] [INT] NOT NULL,
[ActivityType] [NVARCHAR](60) NOT NULL,
[ActivityDateTime] [DATETIME2](7) NOT NULL,
[ActivityStatus] [NVARCHAR](60) NOT NULL,
[ParentSourceSystemIdentifier] [NVARCHAR](255) NULL,
[ActivityTimeInMinutes] [INT] NULL,
[SourceCreateDate] [DATETIME2](7) NULL,
[SourceLastModifiedDate] [DATETIME2](7) NULL,
[DeletedAt] [DATETIME2](7) NULL,
[Discriminator] [NVARCHAR](128) NULL,
[CreateDate] [DATETIME2] NOT NULL,
[LastModifiedDate] [DATETIME2] NOT NULL,
[Id] [UNIQUEIDENTIFIER] NOT NULL,
CONSTRAINT [LMSSectionActivity_PK] PRIMARY KEY CLUSTERED (
[LMSSectionActivityIdentifier] ASC
) WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
ALTER TABLE [lms].[LMSSectionActivity] ADD CONSTRAINT [LMSSectionActivity_DF_CreateDate] DEFAULT (getdate()) FOR [CreateDate]
GO
ALTER TABLE [lms].[LMSSectionActivity] ADD CONSTRAINT [LMSSectionActivity_DF_Id] DEFAULT (newid()) FOR [Id]
GO
ALTER TABLE [lms].[LMSSectionActivity] ADD CONSTRAINT [LMSSectionActivity_DF_LastModifiedDate] DEFAULT (getdate()) FOR [LastModifiedDate]
GO
-- Table [lms].[LMSSystemActivity] --
CREATE TABLE [lms].[LMSSystemActivity] (
[LMSSystemActivityIdentifier] [INT] NOT NULL,
[SourceSystemIdentifier] [NVARCHAR](255) NOT NULL,
[SourceSystem] [NVARCHAR](255) NOT NULL,
[LMSUserIdentifier] [INT] NOT NULL,
[ActivityType] [NVARCHAR](60) NOT NULL,
[ActivityDateTime] [DATETIME2](7) NOT NULL,
[ActivityStatus] [NVARCHAR](60) NOT NULL,
[ParentSourceSystemIdentifier] [NVARCHAR](255) NULL,
[ActivityTimeInMinutes] [INT] NULL,
[SourceCreateDate] [DATETIME2](7) NULL,
[SourceLastModifiedDate] [DATETIME2](7) NULL,
[DeletedAt] [DATETIME2](7) NULL,
[Discriminator] [NVARCHAR](128) NULL,
[CreateDate] [DATETIME2] NOT NULL,
[LastModifiedDate] [DATETIME2] NOT NULL,
[Id] [UNIQUEIDENTIFIER] NOT NULL,
CONSTRAINT [LMSSystemActivity_PK] PRIMARY KEY CLUSTERED (
[LMSSystemActivityIdentifier] ASC
) WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
ALTER TABLE [lms].[LMSSystemActivity] ADD CONSTRAINT [LMSSystemActivity_DF_CreateDate] DEFAULT (getdate()) FOR [CreateDate]
GO
ALTER TABLE [lms].[LMSSystemActivity] ADD CONSTRAINT [LMSSystemActivity_DF_Id] DEFAULT (newid()) FOR [Id]
GO
ALTER TABLE [lms].[LMSSystemActivity] ADD CONSTRAINT [LMSSystemActivity_DF_LastModifiedDate] DEFAULT (getdate()) FOR [LastModifiedDate]
GO
-- Table [lms].[LMSUser] --
CREATE TABLE [lms].[LMSUser] (
[LMSUserIdentifier] [INT] NOT NULL,
[SourceSystemIdentifier] [NVARCHAR](255) NOT NULL,
[SourceSystem] [NVARCHAR](255) NOT NULL,
[UserRole] [NVARCHAR](60) NOT NULL,
[SISUserIdentifier] [NVARCHAR](255) NULL,
[LocalUserIdentifier] [NVARCHAR](255) NULL,
[Name] [NVARCHAR](255) NOT NULL,
[EmailAddress] [NVARCHAR](255) NOT NULL,
[SourceCreateDate] [DATETIME2](7) NULL,
[SourceLastModifiedDate] [DATETIME2](7) NULL,
[DeletedAt] [DATETIME2](7) NULL,
[Discriminator] [NVARCHAR](128) NULL,
[CreateDate] [DATETIME2] NOT NULL,
[LastModifiedDate] [DATETIME2] NOT NULL,
[Id] [UNIQUEIDENTIFIER] NOT NULL,
CONSTRAINT [LMSUser_PK] PRIMARY KEY CLUSTERED (
[LMSUserIdentifier] ASC
) WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
ALTER TABLE [lms].[LMSUser] ADD CONSTRAINT [LMSUser_DF_CreateDate] DEFAULT (getdate()) FOR [CreateDate]
GO
ALTER TABLE [lms].[LMSUser] ADD CONSTRAINT [LMSUser_DF_Id] DEFAULT (newid()) FOR [Id]
GO
ALTER TABLE [lms].[LMSUser] ADD CONSTRAINT [LMSUser_DF_LastModifiedDate] DEFAULT (getdate()) FOR [LastModifiedDate]
GO
-- Table [lms].[LMSUserAttendanceEvent] --
CREATE TABLE [lms].[LMSUserAttendanceEvent] (
[LMSUserAttendanceEventIdentifier] [INT] NOT NULL,
[SourceSystemIdentifier] [NVARCHAR](255) NOT NULL,
[SourceSystem] [NVARCHAR](255) NOT NULL,
[LMSUserIdentifier] [INT] NOT NULL,
[LMSSectionIdentifier] [INT] NULL,
[LMSUserLMSSectionAssociationIdentifier] [INT] NULL,
[EventDate] [DATE] NOT NULL,
[AttendanceStatus] [NVARCHAR](60) NOT NULL,
[SourceCreateDate] [DATETIME2](7) NULL,
[SourceLastModifiedDate] [DATETIME2](7) NULL,
[DeletedAt] [DATETIME2](7) NULL,
[Discriminator] [NVARCHAR](128) NULL,
[CreateDate] [DATETIME2] NOT NULL,
[LastModifiedDate] [DATETIME2] NOT NULL,
[Id] [UNIQUEIDENTIFIER] NOT NULL,
CONSTRAINT [LMSUserAttendanceEvent_PK] PRIMARY KEY CLUSTERED (
[LMSUserAttendanceEventIdentifier] ASC
) WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
ALTER TABLE [lms].[LMSUserAttendanceEvent] ADD CONSTRAINT [LMSUserAttendanceEvent_DF_CreateDate] DEFAULT (getdate()) FOR [CreateDate]
GO
ALTER TABLE [lms].[LMSUserAttendanceEvent] ADD CONSTRAINT [LMSUserAttendanceEvent_DF_Id] DEFAULT (newid()) FOR [Id]
GO
ALTER TABLE [lms].[LMSUserAttendanceEvent] ADD CONSTRAINT [LMSUserAttendanceEvent_DF_LastModifiedDate] DEFAULT (getdate()) FOR [LastModifiedDate]
GO
-- Table [lms].[LMSUserLMSSectionAssociation] --
CREATE TABLE [lms].[LMSUserLMSSectionAssociation] (
[LMSSectionIdentifier] [INT] NOT NULL,
[LMSUserIdentifier] [INT] NOT NULL,
[LMSUserLMSSectionAssociationIdentifier] [INT] NOT NULL,
[SourceSystemIdentifier] [NVARCHAR](255) NOT NULL,
[SourceSystem] [NVARCHAR](255) NOT NULL,
[EnrollmentStatus] [NVARCHAR](60) NOT NULL,
[SourceCreateDate] [DATETIME2](7) NULL,
[SourceLastModifiedDate] [DATETIME2](7) NULL,
[Discriminator] [NVARCHAR](128) NULL,
[CreateDate] [DATETIME2] NOT NULL,
[LastModifiedDate] [DATETIME2] NOT NULL,
[Id] [UNIQUEIDENTIFIER] NOT NULL,
CONSTRAINT [LMSUserLMSSectionAssociation_PK] PRIMARY KEY CLUSTERED (
[LMSSectionIdentifier] ASC,
[LMSUserIdentifier] ASC,
[LMSUserLMSSectionAssociationIdentifier] ASC
) WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
ALTER TABLE [lms].[LMSUserLMSSectionAssociation] ADD CONSTRAINT [LMSUserLMSSectionAssociation_DF_CreateDate] DEFAULT (getdate()) FOR [CreateDate]
GO
ALTER TABLE [lms].[LMSUserLMSSectionAssociation] ADD CONSTRAINT [LMSUserLMSSectionAssociation_DF_Id] DEFAULT (newid()) FOR [Id]
GO
ALTER TABLE [lms].[LMSUserLMSSectionAssociation] ADD CONSTRAINT [LMSUserLMSSectionAssociation_DF_LastModifiedDate] DEFAULT (getdate()) FOR [LastModifiedDate]
GO
|
USE sailmaster;
CREATE USER IF NOT EXISTS 'sailmaster_user'@'localhost' IDENTIFIED BY 'password';
/*--MySQL 5.7.6 or less --GRANT ALL ON `sailmaster`.* TO 'sailmaster_user'@'localhost' IDENTIFIED BY 'password';*/
GRANT USAGE ON *.* TO 'sailmaster_user'@'localhost' REQUIRE NONE WITH MAX_QUERIES_PER_HOUR 0;
GRANT ALL PRIVILEGES ON `sailmaster`.* TO 'sailmaster_user'@'localhost';
|
CREATE TABLE lepine.warehouses (
uuid uuid PRIMARY KEY,
zip_code VARCHAR(255) NOT NULL UNIQUE,
city VARCHAR(255) NOT NULL,
province VARCHAR(64) NOT NULL,
active BOOLEAN NOT NULL DEFAULT true
) |
<reponame>walkinlogic/cms
-- phpMyAdmin SQL Dump
-- version 5.0.3
-- https://www.phpmyadmin.net/
--
-- Host: localhost:3306
-- Generation Time: Dec 18, 2020 at 01:15 PM
-- Server version: 5.7.32-cll-lve
-- PHP Version: 7.3.25
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
START TRANSACTION;
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `gmail_com_db`
--
-- --------------------------------------------------------
--
-- Table structure for table `album_tbl`
--
CREATE TABLE `album_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) NOT NULL,
`ar_title` blob NOT NULL,
`alttext` varchar(255) NOT NULL,
`ar_alttext` blob NOT NULL,
`sortorder` int(11) NOT NULL,
`image` varchar(255) NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0',
`service_id` int(11) DEFAULT '0'
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `album_tbl`
--
INSERT INTO `album_tbl` (`id`, `title`, `ar_title`, `alttext`, `ar_alttext`, `sortorder`, `image`, `status`, `service_id`) VALUES
(1, 'Birthday\'s Baby Shower', 0xd8add981d984d8a920d8b9d98ad8af20d985d98ad984d8a7d8af20d8a7d984d8b7d981d984, 'Birthday\'s Baby Shower', 0xd8add981d984d8a920d8b9d98ad8af20d985d98ad984d8a7d8af20d8a7d984d8b7d981d984, 1, 'birthdayshower.jpg', 1, 1),
(2, 'Aqeeqa Ceremony ', 0xd8add981d98420d8a7d984d8b9d982d98ad982d8a9, 'Aqeeqa Ceremony ', 0xd8add981d98420d8a7d984d8b9d982d98ad982d8a9, 2, 'eqeeqa.jpg', 1, 2),
(3, 'Quran Completion', 0xd8a5d8aad985d8a7d98520d8a7d984d982d8b1d8a2d986, 'Quran Completion', 0xd8a5d8aad985d8a7d98520d8a7d984d982d8b1d8a2d986, 3, 'event-3[1].jpg', 1, 3);
-- --------------------------------------------------------
--
-- Table structure for table `certificates_tbl`
--
CREATE TABLE `certificates_tbl` (
`id` int(11) NOT NULL,
`title` text NOT NULL,
`pageid` int(11) NOT NULL,
`download_art_value` int(11) NOT NULL,
`ar_title` text CHARACTER SET utf8 NOT NULL,
`newsdate` date NOT NULL,
`summary` blob NOT NULL,
`ar_summary` blob NOT NULL,
`description` blob NOT NULL,
`ar_description` blob NOT NULL,
`image` text NOT NULL,
`ar_image` text NOT NULL,
`files` text NOT NULL,
`ar_files` text NOT NULL,
`link` int(11) NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0',
`sortorder` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `clientreviews_tbl`
--
CREATE TABLE `clientreviews_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) NOT NULL,
`image` varchar(255) NOT NULL,
`link` varchar(255) NOT NULL,
`sortorder` int(11) NOT NULL,
`ar_title` text CHARACTER SET utf8 NOT NULL,
`ar_description` text CHARACTER SET utf8 NOT NULL,
`description` text CHARACTER SET utf8 NOT NULL,
`status` int(11) DEFAULT '1'
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `clientreviews_tbl`
--
INSERT INTO `clientreviews_tbl` (`id`, `title`, `image`, `link`, `sortorder`, `ar_title`, `ar_description`, `description`, `status`) VALUES
(1, 'Romy Taormina', 'image1.jpg', '', 1, 'Romy Taormina', '<p>يسعدني دائمًا العمل مع ويل ÙˆÙØ±ÙŠÙ‚Ù‡. Ùهي أنيقة وسريعة الاستجابة وموجهة Ù†ØÙˆ النتائج!</p>', '<p><span>It\'s always a pleasure to work with Will and his team. They are personable, responsive, and results-oriented!</span></p>', 1),
(2, '<NAME>', 'person3.jpg', '', 2, '<NAME>', '<p>يسعدني دائمًا العمل مع ويل ÙˆÙØ±ÙŠÙ‚Ù‡. Ùهي أنيقة وسريعة الاستجابة وموجهة Ù†ØÙˆ النتائج!</p>', '<p>It\'s always a pleasure to work with Will and his team. They are personable, responsive, and results-oriented!</p>', 1);
-- --------------------------------------------------------
--
-- Table structure for table `collections_tbl`
--
CREATE TABLE `collections_tbl` (
`id` int(11) NOT NULL,
`name` varchar(255) NOT NULL,
`ar_name` varchar(255) CHARACTER SET utf8 NOT NULL,
`meta_title` text NOT NULL,
`ar_meta_title` text CHARACTER SET utf8 NOT NULL,
`meta_keyword` text NOT NULL,
`ar_meta_keyword` text CHARACTER SET utf8 NOT NULL,
`meta_desc` text NOT NULL,
`ar_meta_desc` text CHARACTER SET utf8 NOT NULL,
`sort_order` int(11) NOT NULL,
`image` varchar(255) NOT NULL,
`image2` varchar(255) NOT NULL,
`description` text NOT NULL,
`ar_description` text CHARACTER SET utf8 NOT NULL,
`status` tinyint(1) NOT NULL
) ENGINE=MyISAM DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `config_history_tbl`
--
CREATE TABLE `config_history_tbl` (
`id` int(11) NOT NULL,
`header` blob NOT NULL,
`footer` blob NOT NULL,
`copyright` blob NOT NULL,
`creation_date` datetime NOT NULL,
`created_by` int(11) NOT NULL,
`page_id` int(11) NOT NULL,
`whatsapp` text CHARACTER SET latin1,
`whatsappmessage` text CHARACTER SET latin1,
`facebook` text CHARACTER SET latin1,
`linkedin` text CHARACTER SET latin1,
`instagram` text CHARACTER SET latin1,
`twitter` text CHARACTER SET latin1,
`youtube` text CHARACTER SET latin1,
`vimeo` text CHARACTER SET latin1,
`pinterest` text CHARACTER SET latin1,
`google` text CHARACTER SET latin1
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
-- --------------------------------------------------------
--
-- Table structure for table `config_tbl`
--
CREATE TABLE `config_tbl` (
`id` int(11) NOT NULL,
`header` mediumblob NOT NULL,
`footer` mediumblob NOT NULL,
`copyright` mediumblob NOT NULL,
`contacttext` mediumblob NOT NULL,
`ar_header` blob NOT NULL,
`ar_footer` blob NOT NULL,
`ar_copyright` blob NOT NULL,
`whatsapp` text CHARACTER SET latin1,
`whatsappmessage` text CHARACTER SET latin1,
`facebook` text CHARACTER SET latin1,
`linkedin` text CHARACTER SET latin1,
`instagram` text CHARACTER SET latin1,
`twitter` text CHARACTER SET latin1,
`youtube` text CHARACTER SET latin1,
`vimeo` text CHARACTER SET latin1,
`pinterest` text CHARACTER SET latin1,
`google` text CHARACTER SET latin1,
`adminemail` text,
`custom_js` blob,
`header_css` blob
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
--
-- Dumping data for table `config_tbl`
--
INSERT INTO `config_tbl` (`id`, `header`, `footer`, `copyright`, `contacttext`, `ar_header`, `ar_footer`, `ar_copyright`, `whatsapp`, `whatsappmessage`, `facebook`, `linkedin`, `instagram`, `twitter`, `youtube`, `vimeo`, `pinterest`, `google`, `adminemail`, `custom_js`, `header_css`) VALUES
(1, 0x3c68343e41626f757420436f6d70616e793c2f68343e0d0a3c703e456274696b61726174792c20666f756e64656420696e20323032302c2069732061205541452d62617365642063726561746976652064657369676e20636f6d70616e79207370656369616c697a696e6720696e2064657369676e20616e64206576656e74732e205765206172652061207465616d206f6620747261696e6564206372656174697665206d696e64732064656469636174656420746f207472616e736c6174696e6720636c69656e74277320696465617320696e746f20647265616d792064657369676e2c2066726f6d20657665727920616e676c652c20737461727420746f2066696e6973682e2046726f6d2074686520736d616c6c6573742064657461696c7320746f20616c6c20746865207472696d6d696e67732c204f75722061696d20697320746f206272696e6720796f757220766973696f6e20746f206c6966652074726f756768206f7572207475726e6b657920736f6c7574696f6e2e3c2f703e, 0x3c68343e436f6e7461637420496e666f3c2f68343e0d0a3c756c20636c6173733d2264657369676e2d666f6f7465722d6c696e6b73223e0d0a3c6c693e32393120536f7574682032317468205374726565742c203c6272202f3e20546573743c2f6c693e0d0a3c6c693e3c6120636c6173733d2269636f6e2d70686f6e652220687265663d2223223e202b203132333520323335352039383c2f613e3c2f6c693e0d0a3c6c693e3c6120636c6173733d2266612066612d656e76656c6f70652220687265663d2223223e20696e666f40656274696b61726174792e636f6d3c2f613e3c2f6c693e0d0a3c6c693e3c6120636c6173733d2269636f6e2d6c6f636174696f6e342220687265663d2223223e20656274696b61726174792e636f6d3c2f613e3c2f6c693e0d0a3c2f756c3e, 0x3c703e3c7370616e3e436f707972696768742026636f70793b203230323020416c6c207269676874732072657365727665642e3c2f7370616e3e3c2f703e, '', 0x3c68343ed8b9d98620d8a7d984d8b4d8b1d983d8a93c2f68343e0d0a3c703ed8a7d8a8d8aad983d8b1d8a7d8aad98a20d88c20d8aad8a3d8b3d8b3d8aa20d981d98a20d8b9d8a7d985203230323020d88c20d987d98a20d8b4d8b1d983d8a920d8aad8b5d985d98ad98520d8a5d8a8d8afd8a7d8b9d98a20d985d982d8b1d987d8a720d8a7d984d8a5d985d8a7d8b1d8a7d8aa20d8a7d984d8b9d8b1d8a8d98ad8a920d8a7d984d985d8aad8add8afd8a920d985d8aad8aed8b5d8b5d8a920d981d98a20d8a7d984d8aad8b5d985d98ad98520d988d8a7d984d981d8b9d8a7d984d98ad8a7d8aa2e20d986d8add98620d981d8b1d98ad98220d985d98620d8a7d984d8b9d982d988d98420d8a7d984d985d8a8d8afd8b9d8a920d8a7d984d985d8afd8b1d8a8d8a920d988d8a7d984d985d983d8b1d8b3d8a920d984d8aad8b1d8acd985d8a920d8a3d981d983d8a7d8b120d8a7d984d8b9d985d98ad98420d8a5d984d98920d8aad8b5d985d98ad98520d8add8a7d984d985d8a920d88c20d985d98620d983d98420d8b2d8a7d988d98ad8a920d88c20d985d98620d8a7d984d8a8d8afd8a7d98ad8a920d8a5d984d98920d8a7d984d986d987d8a7d98ad8a92e20d985d98620d8a3d8b5d8bad8b120d8a7d984d8aad981d8a7d8b5d98ad98420d8a5d984d98920d8acd985d98ad8b920d8a7d984d8b2d8aed8a7d8b1d98120d88c20d987d8afd981d986d8a720d987d98820d8aad8add982d98ad98220d8b1d8a4d98ad8aad98320d985d98620d8aed984d8a7d98420d8add984d986d8a720d8a7d984d8acd8a7d987d8b22e3c2f703e, 0x3c68343e436f6e7461637420496e666f3c2f68343e0d0a3c756c20636c6173733d2264657369676e2d666f6f7465722d6c696e6b73223e0d0a3c6c693e32393120536f7574682032317468205374726565742c203c6272202f3e20546573743c2f6c693e0d0a3c6c693e3c6120636c6173733d2269636f6e2d70686f6e652220687265663d2223223e202b203132333520323335352039383c2f613e3c2f6c693e0d0a3c6c693e3c6120636c6173733d2266612066612d656e76656c6f70652220687265663d2223223e20696e666f40656274696b61726174792e636f6d3c2f613e3c2f6c693e0d0a3c6c693e3c6120636c6173733d2269636f6e2d6c6f636174696f6e342220687265663d2223223e20656274696b61726174792e636f6d3c2f613e3c2f6c693e0d0a3c2f756c3e, 0x3c703e3c7370616e3e436f707972696768742026636f70793b203230323020416c6c207269676874732072657365727665642e3c2f7370616e3e3c2f703e, '923235696050', 'Hello! May I help you.', '#', '#', '#', '#', '#', '#', '#', '#', '<EMAIL>', 0x3c736372697074206173796e63207372633d2268747470733a2f2f7777772e676f6f676c657461676d616e616765722e636f6d2f677461672f6a733f69643d55412d3138353435373739372d31223e3c2f7363726970743e0d0a09093c7363726970743e0d0a0909202077696e646f772e646174614c61796572203d2077696e646f772e646174614c61796572207c7c205b5d3b0d0a0909202066756e6374696f6e206774616728297b646174614c617965722e7075736828617267756d656e7473293b7d0d0a090920206774616728276a73272c206e657720446174652829293b0d0a0d0a09092020677461672827636f6e666967272c202755412d3138353435373739372d3127293b0d0a09093c2f7363726970743e, 0x3c7374796c653e0d0a200d0a3c2f7374796c653e);
-- --------------------------------------------------------
--
-- Table structure for table `contactdetails_tbl`
--
CREATE TABLE `contactdetails_tbl` (
`id` int(11) NOT NULL,
`title` text NOT NULL,
`pageid` int(11) NOT NULL,
`download_art_value` int(11) NOT NULL,
`ar_title` blob NOT NULL,
`newsdate` date NOT NULL,
`summary` blob NOT NULL,
`ar_summary` blob NOT NULL,
`description` blob NOT NULL,
`ar_description` blob NOT NULL,
`image` text NOT NULL,
`ar_image` blob NOT NULL,
`files` text NOT NULL,
`ar_files` blob NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0',
`link` int(11) NOT NULL,
`sortorder` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `contactdetails_tbl`
--
INSERT INTO `contactdetails_tbl` (`id`, `title`, `pageid`, `download_art_value`, `ar_title`, `newsdate`, `summary`, `ar_summary`, `description`, `ar_description`, `image`, `ar_image`, `files`, `ar_files`, `status`, `link`, `sortorder`) VALUES
(1, 'CONTACT PERSON', 0, 0, 0x434f4e5441435420504552534f4e, '0000-00-00', '', '', 0x3c703e3c7370616e20636c6173733d2261646472657373223e4154454c49455253204426727371756f3b454d424f55544953534147452044452c205a6f6e6520496e647573747269656c6c65205275652c204472204469657465722048554e44542c20426f69746520706f7374616c652035313c2f7370616e3e3c7370616e20636c6173733d22696e646578223e35373338303c2f7370616e3e3c7370616e3e266e6273703b3c2f7370616e3e3c7370616e20636c6173733d2263697479223e4661756c7175656d6f6e743c2f7370616e3e3c7370616e20636c6173733d22636f756e747279223e4672616e6b72656963683c6272202f3e3c2f7370616e3e3c2f703e0d0a3c64697620636c6173733d2270686f6e65223e3c6c6162656c20636c6173733d226c6162656c2d70686f6e65223e54656c2e3a3c2f6c6162656c3e2b333320332038373239323436303c2f6469763e0d0a3c64697620636c6173733d22666178223e3c6c6162656c20636c6173733d226c6162656c2d666178223e4661782e3a3c2f6c6162656c3e3c2f6469763e0d0a3c703e3c7370616e20636c6173733d22636f756e747279223e3c7370616e3e2b333320332038373931353734333c2f7370616e3e266e6273703b3c2f7370616e3e3c2f703e, 0x3c703e3c7370616e20636c6173733d2261646472657373223e4154454c49455253204426727371756f3b454d424f55544953534147452044452c205a6f6e6520496e647573747269656c6c65205275652c204472204469657465722048554e44542c20426f69746520706f7374616c652035313c2f7370616e3e3c7370616e20636c6173733d22696e646578223e35373338303c2f7370616e3e3c7370616e3e266e6273703b3c2f7370616e3e3c7370616e20636c6173733d2263697479223e4661756c7175656d6f6e743c2f7370616e3e3c7370616e20636c6173733d22636f756e747279223e4672616e6b72656963683c6272202f3e3c2f7370616e3e3c2f703e0d0a3c64697620636c6173733d2270686f6e65223e3c6c6162656c20636c6173733d226c6162656c2d70686f6e65223e54656c2e3a3c2f6c6162656c3e2b333320332038373239323436303c2f6469763e0d0a3c64697620636c6173733d22666178223e3c6c6162656c20636c6173733d226c6162656c2d666178223e4661782e3a3c2f6c6162656c3e3c2f6469763e0d0a3c703e3c7370616e20636c6173733d22636f756e747279223e3c7370616e3e2b333320332038373931353734333c2f7370616e3e266e6273703b3c2f7370616e3e3c2f703e, '', '', '', '', 0, 18, 1);
-- --------------------------------------------------------
--
-- Table structure for table `content_history_tbl`
--
CREATE TABLE `content_history_tbl` (
`id` int(11) NOT NULL,
`page_id` int(11) NOT NULL,
`page_content` blob NOT NULL,
`buttom_content` blob NOT NULL,
`side_content` blob NOT NULL,
`creation_date` datetime NOT NULL,
`created_by` varchar(255) NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0',
`ar_page_content` longblob NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `content_history_tbl`
--
INSERT INTO `content_history_tbl` (`id`, `page_id`, `page_content`, `buttom_content`, `side_content`, `creation_date`, `created_by`, `status`, `ar_page_content`) VALUES
(1, 2, '', '', '', '2020-11-27 10:26:05', '1', 0, ''),
(2, 6, '', '', '', '2020-11-27 10:26:33', '1', 0, ''),
(3, 2, 0x3c703e456274696b61726174792c20666f756e64656420696e20323032302c2069732061205541452d62617365642063726561746976652064657369676e20636f6d70616e79207370656369616c697a696e6720696e2064657369676e20616e64206576656e74732e205765206172652061207465616d206f6620747261696e6564206372656174697665206d696e64732064656469636174656420746f207472616e736c6174696e6720636c69656e74277320696465617320696e746f20647265616d792064657369676e2c2066726f6d20657665727920616e676c652c20737461727420746f2066696e6973682e2046726f6d2074686520736d616c6c6573742064657461696c7320746f20616c6c20746865207472696d6d696e67732c204f75722061696d20697320746f206272696e6720796f757220766973696f6e20746f206c6966652074726f756768206f7572207475726e6b657920736f6c7574696f6e2e3c2f703e, '', '', '2020-12-07 05:12:12', '1', 0, 0x3c703ed8a7d8a8d8aad983d8b1d8a7d8aad98a20d88c20d8aad8a3d8b3d8b3d8aa20d981d98a20d8b9d8a7d985203230323020d88c20d987d98a20d8b4d8b1d983d8a920d8aad8b5d985d98ad98520d8a5d8a8d8afd8a7d8b9d98a20d985d982d8b1d987d8a720d8a7d984d8a5d985d8a7d8b1d8a7d8aa20d8a7d984d8b9d8b1d8a8d98ad8a920d8a7d984d985d8aad8add8afd8a920d985d8aad8aed8b5d8b5d8a920d981d98a20d8a7d984d8aad8b5d985d98ad98520d988d8a7d984d981d8b9d8a7d984d98ad8a7d8aa2e20d986d8add98620d981d8b1d98ad98220d985d98620d8a7d984d8b9d982d988d98420d8a7d984d985d8a8d8afd8b9d8a920d8a7d984d985d8afd8b1d8a8d8a920d988d8a7d984d985d983d8b1d8b3d8a920d984d8aad8b1d8acd985d8a920d8a3d981d983d8a7d8b120d8a7d984d8b9d985d98ad98420d8a5d984d98920d8aad8b5d985d98ad98520d8add8a7d984d985d8a920d88c20d985d98620d983d98420d8b2d8a7d988d98ad8a920d88c20d985d98620d8a7d984d8a8d8afd8a7d98ad8a920d8a5d984d98920d8a7d984d986d987d8a7d98ad8a92e20d985d98620d8a3d8b5d8bad8b120d8a7d984d8aad981d8a7d8b5d98ad98420d8a5d984d98920d8acd985d98ad8b920d8a7d984d8b2d8aed8a7d8b1d98120d88c20d987d8afd981d986d8a720d987d98820d8aad8add982d98ad98220d8b1d8a4d98ad8aad98320d985d98620d8aed984d8a7d98420d8add984d986d8a720d8a7d984d8acd8a7d987d8b22e3c2f703e),
(4, 48, 0x3c64697620636c6173733d22726f77223e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4269727468646179277320426162792053686f7765723c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e417171716120436572656d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e517572616e20436f6d706c6574696f6e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4b6964277320506f737465723c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e49736c616d696320566964656f2045646974696e673c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e496e7669746174696f6e20436172642044657369676e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e47726164756174696f6e20436572656d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4368696c6472656e2773204d6f64656c2050726f6a6563743c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e486f6d65776f726b2041737369676e6d656e74733c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e5765622044657369676e2026616d703b20446576656c6f706d656e743c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4d6f62696c65204170702044657369676e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4469676974616c204d61726b6574696e673c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e477261706869632044657369676e696e673c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e42726f75636865722026616d703b20466c617965722044657369676e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e5072652d57656464696e672026616d703b2057656464696e6720204365726d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e456e676167656d656e74204365726d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e42726964616c2050617274793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e, '', '', '2020-12-07 05:49:08', '1', 0, ''),
(5, 48, 0x3c64697620636c6173733d22726f77223e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4269727468646179277320426162792053686f7765723c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e417171716120436572656d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e517572616e20436f6d706c6574696f6e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4b6964277320506f737465723c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e49736c616d696320566964656f2045646974696e673c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e496e7669746174696f6e20436172642044657369676e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e47726164756174696f6e20436572656d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4368696c6472656e2773204d6f64656c2050726f6a6563743c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e486f6d65776f726b2041737369676e6d656e74733c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e5765622044657369676e2026616d703b20446576656c6f706d656e743c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4d6f62696c65204170702044657369676e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4469676974616c204d61726b6574696e673c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e477261706869632044657369676e696e673c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e42726f75636865722026616d703b20466c617965722044657369676e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e5072652d57656464696e672026616d703b2057656464696e6720204365726d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e456e676167656d656e74204365726d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e42726964616c2050617274793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e, '', '', '2020-12-07 05:56:36', '1', 0, 0x3c64697620636c6173733d22726f77223e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8add981d984d8a920d8b9d98ad8af20d985d98ad984d8a7d8af20d8a7d984d8b7d981d9843c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8add981d98420d8a7d984d8b9d982d8a93c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8a5d8aad985d8a7d98520d8a7d984d982d8b1d8a2d9863c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed985d984d8b5d98220d8a7d984d8b7d981d9843c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8aad8add8b1d98ad8b120d8a7d984d981d98ad8afd98ad98820d8a7d984d8a5d8b3d984d8a7d985d98a3c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8aad8b5d985d98ad98520d8a8d8b7d8a7d982d8a920d8afd8b9d988d8a93c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8add981d98420d8a7d984d8aad8aed8b1d8ac3c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed985d8b4d8b1d988d8b920d986d985d988d8b0d8ac20d8a7d984d8a3d8b7d981d8a7d9843c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed988d8a7d8acd8a8d8a7d8aa20d985d986d8b2d984d98ad8a93c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8aad8b5d985d98ad98520d985d988d8a7d982d8b920d8a7d984d988d98ad8a820d8aad8b7d988d98ad8b13c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8aad8b5d985d98ad98520d8aad8b7d8a8d98ad982d8a7d8aa20d8a7d984d8acd988d8a7d9843c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8a7d984d8aad8b3d988d98ad98220d8a7d984d8b1d982d985d98a3c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8aad8b5d985d98ad98520d8a7d984d8acd8b1d8a7d981d98ad9833c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed983d8aad98ad8a820d98820d8aad8b5d985d98ad98520d981d984d8a7d98ad8b13c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed982d8a8d98420d8a7d984d8b2d981d8a7d98120d988d8a3d985d8a8d98ad8b12e20d985d8b1d8a7d8b3d98520d8a7d984d8b2d988d8a7d8ac3c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8add981d984d8a920d8a7d984d8aed8b7d988d8a8d8a93c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8add981d98420d8a7d984d8b2d981d8a7d9813c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e);
INSERT INTO `content_history_tbl` (`id`, `page_id`, `page_content`, `buttom_content`, `side_content`, `creation_date`, `created_by`, `status`, `ar_page_content`) VALUES
(6, 48, 0x3c64697620636c6173733d22726f77223e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4269727468646179277320426162792053686f7765723c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e41716565716120436572656d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e517572616e20436f6d706c6574696f6e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4b6964277320506f737465723c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e49736c616d696320566964656f2045646974696e673c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e496e7669746174696f6e20436172642044657369676e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e47726164756174696f6e20436572656d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4368696c6472656e2773204d6f64656c2050726f6a6563743c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e486f6d65776f726b2041737369676e6d656e74733c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e5765622044657369676e2026616d703b20446576656c6f706d656e743c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4d6f62696c65204170702044657369676e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e4469676974616c204d61726b6574696e673c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e477261706869632044657369676e696e673c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e42726f75636865722026616d703b20466c617965722044657369676e3c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e5072652d57656464696e672026616d703b2057656464696e6720204365726d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e456e676167656d656e74204365726d6f6e793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333e42726964616c2050617274793c2f68333e0d0a3c703e5365706172617465642074686579206c69766520696e20426f6f6b6d61726b7367726f76652072696768742061742074686520636f617374206f66207468652053656d616e746963732c2061206c61726765206c616e6775616765206f6365616e2e204120736d616c6c207269766572206e616d656420447564656e20666c6f777320627920746865697220706c61636520616e6420737570706c6965733c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e, '', '', '2020-12-07 06:02:34', '1', 0, 0x3c64697620636c6173733d22726f77223e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8add981d984d8a920d8b9d98ad8af20d985d98ad984d8a7d8af20d8a7d984d8b7d981d9843c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8add981d98420d8a7d984d8b9d982d98ad982d8a93c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8a5d8aad985d8a7d98520d8a7d984d982d8b1d8a2d9863c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed985d984d8b5d98220d8a7d984d8b7d981d9843c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8aad8add8b1d98ad8b120d8a7d984d981d98ad8afd98ad98820d8a7d984d8a5d8b3d984d8a7d985d98a3c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8aad8b5d985d98ad98520d8a8d8b7d8a7d982d8a920d8afd8b9d988d8a93c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8add981d98420d8a7d984d8aad8aed8b1d8ac3c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed985d8b4d8b1d988d8b920d986d985d988d8b0d8ac20d8a7d984d8a3d8b7d981d8a7d9843c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed988d8a7d8acd8a8d8a7d8aa20d985d986d8b2d984d98ad8a93c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8aad8b5d985d98ad98520d985d988d8a7d982d8b920d8a7d984d988d98ad8a820d8aad8b7d988d98ad8b13c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8aad8b5d985d98ad98520d8aad8b7d8a8d98ad982d8a7d8aa20d8a7d984d8acd988d8a7d9843c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8a7d984d8aad8b3d988d98ad98220d8a7d984d8b1d982d985d98a3c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8aad8b5d985d98ad98520d8a7d984d8acd8b1d8a7d981d98ad9833c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed983d8aad98ad8a820d98820d8aad8b5d985d98ad98520d981d984d8a7d98ad8b13c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed982d8a8d98420d8a7d984d8b2d981d8a7d98120d988d8a3d985d8a8d98ad8b12e20d985d8b1d8a7d8b3d98520d8a7d984d8b2d988d8a7d8ac3c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8add981d984d8a920d8a7d984d8aed8b7d988d8a8d8a93c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d3420616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c64697620636c6173733d227365727669636573223e3c7370616e20636c6173733d2269636f6e223e203c656d3e3c2f656d3e203c2f7370616e3e0d0a3c64697620636c6173733d2264657363223e0d0a3c68333ed8add981d98420d8a7d984d8b2d981d8a7d9813c2f68333e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e),
(7, 6, 0x3c64697620636c6173733d22726f7720636f6e746163742d696e666f2d77726170223e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e31393820576573742032317468205374726565742c203c6272202f3e20537569746520373231204e657720596f726b204e592031303031363c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c6120687265663d2274656c3a2f2f31323334353637393230223e2b203132333520323335352039383c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c6120687265663d226d61696c746f3a696e666f40796f7572736974652e636f6d223e696e666f40796f7572736974652e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c6120687265663d2223223e796f7572776562736974652e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c2f6469763e, '', '', '2020-12-08 08:39:40', '1', 0, 0x3c64697620636c6173733d22726f7720636f6e746163742d696e666f2d77726170223e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e31393820576573742032317468205374726565742c203c6272202f3e20537569746520373231204e657720596f726b204e592031303031363c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c6120687265663d2274656c3a2f2f31323334353637393230223e2b203132333520323335352039383c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c6120687265663d226d61696c746f3a696e666f40796f7572736974652e636f6d223e696e666f40796f7572736974652e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c6120687265663d2223223e796f7572776562736974652e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c2f6469763e),
(8, 6, 0x3c64697620636c6173733d22636f6c2d6d642d313020636f6c2d6d642d6f66667365742d3120616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c68323e436f6e7461637420496e666f726d6174696f6e3c2f68323e0d0a3c64697620636c6173733d22726f7720636f6e746163742d696e666f2d77726170223e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e2031393820576573742032317468205374726565742c203c6272202f3e20537569746520373231204e657720596f726b204e592031303031363c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2274656c3a2f2f31323334353637393230223e2b203132333520323335352039383c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d226d61696c746f3a696e666f40796f7572736974652e636f6d223e696e666f40796f7572736974652e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2223223e796f7572776562736974652e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e, '', '', '2020-12-08 08:48:58', '1', 0, 0x3c64697620636c6173733d22636f6c2d6d642d313020636f6c2d6d642d6f66667365742d3120616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c68323e436f6e7461637420496e666f726d6174696f6e3c2f68323e0d0a3c64697620636c6173733d22726f7720636f6e746163742d696e666f2d77726170223e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e2031393820576573742032317468205374726565742c203c6272202f3e20537569746520373231204e657720596f726b204e592031303031363c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2274656c3a2f2f31323334353637393230223e2b203132333520323335352039383c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d226d61696c746f3a696e666f40796f7572736974652e636f6d223e696e666f40796f7572736974652e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2223223e796f7572776562736974652e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e),
(9, 1, 0x3c703e456274696b61726174792c20666f756e64656420696e20323032302c2069732061205541452d62617365642063726561746976652064657369676e20636f6d70616e79207370656369616c697a696e6720696e2064657369676e20616e64206576656e74732e205765206172652061207465616d206f6620747261696e6564206372656174697665206d696e64732064656469636174656420746f207472616e736c6174696e6720636c69656e74277320696465617320696e746f20647265616d792064657369676e2c2066726f6d20657665727920616e676c652c20737461727420746f2066696e6973682e2046726f6d2074686520736d616c6c6573742064657461696c7320746f20616c6c20746865207472696d6d696e67732c204f75722061696d20697320746f206272696e6720796f757220766973696f6e20746f206c6966652074726f756768206f7572207475726e6b657920736f6c7574696f6e2e3c2f703e, '', '', '2020-12-08 09:37:15', '1', 0, 0x3c703ed8a7d8a8d8aad983d8b1d8a7d8aad98a20d88c20d8aad8a3d8b3d8b3d8aa20d981d98a20d8b9d8a7d985203230323020d88c20d987d98a20d8b4d8b1d983d8a920d8aad8b5d985d98ad98520d8a5d8a8d8afd8a7d8b9d98a20d985d982d8b1d987d8a720d8a7d984d8a5d985d8a7d8b1d8a7d8aa20d8a7d984d8b9d8b1d8a8d98ad8a920d8a7d984d985d8aad8add8afd8a920d985d8aad8aed8b5d8b5d8a920d981d98a20d8a7d984d8aad8b5d985d98ad98520d988d8a7d984d981d8b9d8a7d984d98ad8a7d8aa2e20d986d8add98620d981d8b1d98ad98220d985d98620d8a7d984d8b9d982d988d98420d8a7d984d985d8a8d8afd8b9d8a920d8a7d984d985d8afd8b1d8a8d8a920d988d8a7d984d985d983d8b1d8b3d8a920d984d8aad8b1d8acd985d8a920d8a3d981d983d8a7d8b120d8a7d984d8b9d985d98ad98420d8a5d984d98920d8aad8b5d985d98ad98520d8add8a7d984d985d8a920d88c20d985d98620d983d98420d8b2d8a7d988d98ad8a920d88c20d985d98620d8a7d984d8a8d8afd8a7d98ad8a920d8a5d984d98920d8a7d984d986d987d8a7d98ad8a92e20d985d98620d8a3d8b5d8bad8b120d8a7d984d8aad981d8a7d8b5d98ad98420d8a5d984d98920d8acd985d98ad8b920d8a7d984d8b2d8aed8a7d8b1d98120d88c20d987d8afd981d986d8a720d987d98820d8aad8add982d98ad98220d8b1d8a4d98ad8aad98320d985d98620d8aed984d8a7d98420d8add984d986d8a720d8a7d984d8acd8a7d987d8b22e3c2f703e),
(10, 6, 0x3c64697620636c6173733d22636f6c2d6d642d313020636f6c2d6d642d6f66667365742d3120616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c68323e436f6e7461637420496e666f726d6174696f6e3c2f68323e0d0a3c64697620636c6173733d22726f7720636f6e746163742d696e666f2d77726170223e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e2031393820576573742032317468205374726565742c203c6272202f3e20537569746520373231204e657720596f726b204e592031303031363c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2274656c3a2f2f31323334353637393230223e2b203132333520323335352039383c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d226d61696c746f3a696e666f40796f7572736974652e636f6d223e696e666f40656274696b61726174792e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2223223e656274696b61726174792e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e, '', '', '2020-12-09 04:20:13', '1', 0, 0x3c64697620636c6173733d22636f6c2d6d642d313020636f6c2d6d642d6f66667365742d3120616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c68323e436f6e7461637420496e666f726d6174696f6e3c2f68323e0d0a3c64697620636c6173733d22726f7720636f6e746163742d696e666f2d77726170223e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e2031393820576573742032317468205374726565742c203c6272202f3e20537569746520373231204e657720596f726b204e592031303031363c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2274656c3a2f2f31323334353637393230223e2b203132333520323335352039383c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d226d61696c746f3a696e666f40796f7572736974652e636f6d223e696e666f40656274696b61726174792e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2223223e656274696b61726174792e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e),
(11, 48, '', '', '', '2020-12-09 04:20:38', '1', 0, '');
-- --------------------------------------------------------
--
-- Table structure for table `content_tbl`
--
CREATE TABLE `content_tbl` (
`id` int(11) NOT NULL,
`pagename` varchar(25) CHARACTER SET latin1 NOT NULL,
`internal_link` varchar(255) CHARACTER SET latin1 NOT NULL,
`external_link` varchar(255) CHARACTER SET latin1 NOT NULL,
`link_target` tinyint(1) NOT NULL,
`parentpageid` int(11) NOT NULL,
`pagecontent` blob NOT NULL,
`sidecontent` blob NOT NULL,
`buttomcontent` blob NOT NULL,
`metatitle` varchar(255) CHARACTER SET latin1 NOT NULL,
`metakeywords` text CHARACTER SET latin1 NOT NULL,
`metadescription` text CHARACTER SET latin1 NOT NULL,
`metaextra` text CHARACTER SET latin1 NOT NULL,
`sortorder` int(11) NOT NULL,
`pagestatus` tinyint(1) NOT NULL DEFAULT '0',
`pagesecurity` int(11) NOT NULL DEFAULT '0',
`newsmodule` tinyint(1) NOT NULL DEFAULT '0',
`gallerymodule` tinyint(1) NOT NULL DEFAULT '0',
`slideshowmodule` tinyint(1) NOT NULL DEFAULT '0',
`formmodule` int(11) NOT NULL DEFAULT '0',
`expandablemodule` tinyint(1) NOT NULL DEFAULT '0',
`custommodule` tinyint(1) NOT NULL DEFAULT '0',
`issecure` tinyint(1) NOT NULL DEFAULT '0',
`ar_pagename` blob NOT NULL,
`ar_pagecontent` longblob NOT NULL,
`ar_metatitle` blob NOT NULL,
`ar_metakeywords` blob NOT NULL,
`ar_metadescription` blob NOT NULL,
`iscustomregion` int(11) NOT NULL,
`downloadmodules` int(11) NOT NULL COMMENT 'for download page',
`downloadmoduleid` int(11) NOT NULL COMMENT 'for custom page',
`contactmodulesid` int(11) NOT NULL,
`certificatesmodules` int(11) NOT NULL,
`contactdetailsmodules` int(11) NOT NULL,
`tradeshowmodules` int(11) NOT NULL,
`image` text CHARACTER SET latin1 NOT NULL,
`industriesapplicationsmodules` int(11) NOT NULL,
`howmanydownloads` int(11) NOT NULL DEFAULT '1',
`howmanycontacts` int(11) NOT NULL DEFAULT '1',
`clientreviews` int(11) DEFAULT '0',
`ourstaff` int(11) DEFAULT '0',
`pdffile` text CHARACTER SET latin1,
`servicesmodules` int(11) DEFAULT '0',
`quoteform` int(11) DEFAULT '0'
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
--
-- Dumping data for table `content_tbl`
--
INSERT INTO `content_tbl` (`id`, `pagename`, `internal_link`, `external_link`, `link_target`, `parentpageid`, `pagecontent`, `sidecontent`, `buttomcontent`, `metatitle`, `metakeywords`, `metadescription`, `metaextra`, `sortorder`, `pagestatus`, `pagesecurity`, `newsmodule`, `gallerymodule`, `slideshowmodule`, `formmodule`, `expandablemodule`, `custommodule`, `issecure`, `ar_pagename`, `ar_pagecontent`, `ar_metatitle`, `ar_metakeywords`, `ar_metadescription`, `iscustomregion`, `downloadmodules`, `downloadmoduleid`, `contactmodulesid`, `certificatesmodules`, `contactdetailsmodules`, `tradeshowmodules`, `image`, `industriesapplicationsmodules`, `howmanydownloads`, `howmanycontacts`, `clientreviews`, `ourstaff`, `pdffile`, `servicesmodules`, `quoteform`) VALUES
(1, 'Home', 'Home', '', 0, 0, 0x3c703e456274696b61726174792c20666f756e64656420696e20323032302c2069732061205541452d62617365642063726561746976652064657369676e20636f6d70616e79207370656369616c697a696e6720696e2064657369676e20616e64206576656e74732e205765206172652061207465616d206f6620747261696e6564206372656174697665206d696e64732064656469636174656420746f207472616e736c6174696e6720636c69656e74277320696465617320696e746f20647265616d792064657369676e2c2066726f6d20657665727920616e676c652c20737461727420746f2066696e6973682e2046726f6d2074686520736d616c6c6573742064657461696c7320746f20616c6c20746865207472696d6d696e67732c204f75722061696d20697320746f206272696e6720796f757220766973696f6e20746f206c6966652074726f756768206f7572207475726e6b657920736f6c7574696f6e2e3c2f703e, '', '', 'gmail an events management company', 'gmail an events management company', 'gmail an events management company', '', 1, 0, 0, 1, 1, 1, 0, 1, 1, 0, 0xd985d986d8b2d984, 0x3c703ed8a7d8a8d8aad983d8b1d8a7d8aad98a20d88c20d8aad8a3d8b3d8b3d8aa20d981d98a20d8b9d8a7d985203230323020d88c20d987d98a20d8b4d8b1d983d8a920d8aad8b5d985d98ad98520d8a5d8a8d8afd8a7d8b9d98a20d985d982d8b1d987d8a720d8a7d984d8a5d985d8a7d8b1d8a7d8aa20d8a7d984d8b9d8b1d8a8d98ad8a920d8a7d984d985d8aad8add8afd8a920d985d8aad8aed8b5d8b5d8a920d981d98a20d8a7d984d8aad8b5d985d98ad98520d988d8a7d984d981d8b9d8a7d984d98ad8a7d8aa2e20d986d8add98620d981d8b1d98ad98220d985d98620d8a7d984d8b9d982d988d98420d8a7d984d985d8a8d8afd8b9d8a920d8a7d984d985d8afd8b1d8a8d8a920d988d8a7d984d985d983d8b1d8b3d8a920d984d8aad8b1d8acd985d8a920d8a3d981d983d8a7d8b120d8a7d984d8b9d985d98ad98420d8a5d984d98920d8aad8b5d985d98ad98520d8add8a7d984d985d8a920d88c20d985d98620d983d98420d8b2d8a7d988d98ad8a920d88c20d985d98620d8a7d984d8a8d8afd8a7d98ad8a920d8a5d984d98920d8a7d984d986d987d8a7d98ad8a92e20d985d98620d8a3d8b5d8bad8b120d8a7d984d8aad981d8a7d8b5d98ad98420d8a5d984d98920d8acd985d98ad8b920d8a7d984d8b2d8aed8a7d8b1d98120d88c20d987d8afd981d986d8a720d987d98820d8aad8add982d98ad98220d8b1d8a4d98ad8aad98320d985d98620d8aed984d8a7d98420d8add984d986d8a720d8a7d984d8acd8a7d987d8b22e3c2f703e, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0, 0, 0, 0, 1, 0, 0, 'DSCN9180[1].JPG', 0, 1, 1, 1, 1, '', 1, 1),
(2, 'About Us', 'About Us', '', 0, 0, 0x3c703e456274696b61726174792c20666f756e64656420696e20323032302c2069732061205541452d62617365642063726561746976652064657369676e20636f6d70616e79207370656369616c697a696e6720696e2064657369676e20616e64206576656e74732e205765206172652061207465616d206f6620747261696e6564206372656174697665206d696e64732064656469636174656420746f207472616e736c6174696e6720636c69656e74277320696465617320696e746f20647265616d792064657369676e2c2066726f6d20657665727920616e676c652c20737461727420746f2066696e6973682e2046726f6d2074686520736d616c6c6573742064657461696c7320746f20616c6c20746865207472696d6d696e67732c204f75722061696d20697320746f206272696e6720796f757220766973696f6e20746f206c6966652074726f756768206f7572207475726e6b657920736f6c7574696f6e2e3c2f703e, '', '', 'gmail an events management company', 'gmail an events management company', 'gmail an events management company', '', 2, 1, 0, 1, 0, 0, 0, 0, 1, 0, 0xd985d8b9d984d988d985d8a7d8aa20d8b9d986d8a7, 0x3c703ed8a7d8a8d8aad983d8b1d8a7d8aad98a20d88c20d8aad8a3d8b3d8b3d8aa20d981d98a20d8b9d8a7d985203230323020d88c20d987d98a20d8b4d8b1d983d8a920d8aad8b5d985d98ad98520d8a5d8a8d8afd8a7d8b9d98a20d985d982d8b1d987d8a720d8a7d984d8a5d985d8a7d8b1d8a7d8aa20d8a7d984d8b9d8b1d8a8d98ad8a920d8a7d984d985d8aad8add8afd8a920d985d8aad8aed8b5d8b5d8a920d981d98a20d8a7d984d8aad8b5d985d98ad98520d988d8a7d984d981d8b9d8a7d984d98ad8a7d8aa2e20d986d8add98620d981d8b1d98ad98220d985d98620d8a7d984d8b9d982d988d98420d8a7d984d985d8a8d8afd8b9d8a920d8a7d984d985d8afd8b1d8a8d8a920d988d8a7d984d985d983d8b1d8b3d8a920d984d8aad8b1d8acd985d8a920d8a3d981d983d8a7d8b120d8a7d984d8b9d985d98ad98420d8a5d984d98920d8aad8b5d985d98ad98520d8add8a7d984d985d8a920d88c20d985d98620d983d98420d8b2d8a7d988d98ad8a920d88c20d985d98620d8a7d984d8a8d8afd8a7d98ad8a920d8a5d984d98920d8a7d984d986d987d8a7d98ad8a92e20d985d98620d8a3d8b5d8bad8b120d8a7d984d8aad981d8a7d8b5d98ad98420d8a5d984d98920d8acd985d98ad8b920d8a7d984d8b2d8aed8a7d8b1d98120d88c20d987d8afd981d986d8a720d987d98820d8aad8add982d98ad98220d8b1d8a4d98ad8aad98320d985d98620d8aed984d8a7d98420d8add984d986d8a720d8a7d984d8acd8a7d987d8b22e3c2f703e, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0, 0, 0, 0, 1, 0, 0, 'event-6.jpg', 0, 1, 1, 0, 0, 'jpg2pdf.pdf', 0, 0),
(6, 'Contact Us', 'Contact Us', '', 0, 0, 0x3c64697620636c6173733d22636f6c2d6d642d313020636f6c2d6d642d6f66667365742d3120616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c68323e436f6e7461637420496e666f726d6174696f6e3c2f68323e0d0a3c64697620636c6173733d22726f7720636f6e746163742d696e666f2d77726170223e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e2031393820576573742032317468205374726565742c203c6272202f3e20537569746520373231204e657720596f726b204e592031303031363c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2274656c3a2f2f31323334353637393230223e2b203132333520323335352039383c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d226d61696c746f3a696e666f40796f7572736974652e636f6d223e696e666f40656274696b61726174792e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2223223e656274696b61726174792e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e, '', '', 'gmail an events management company', 'gmail an events management company', 'gmail an events management company', '', 50, 1, 0, 0, 0, 0, 1, 0, 1, 0, 0xd986d985d988d8b0d8ac20d8a7d984d8a7d8b3d8aad981d8b3d8a7d8b1202f20d8a7d8aad8b5d98420d8a8d986d8a7, 0x3c64697620636c6173733d22636f6c2d6d642d313020636f6c2d6d642d6f66667365742d3120616e696d6174652d626f782066616465496e557020616e696d617465642d66617374223e0d0a3c68323e436f6e7461637420496e666f726d6174696f6e3c2f68323e0d0a3c64697620636c6173733d22726f7720636f6e746163742d696e666f2d77726170223e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e2031393820576573742032317468205374726565742c203c6272202f3e20537569746520373231204e657720596f726b204e592031303031363c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2274656c3a2f2f31323334353637393230223e2b203132333520323335352039383c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d226d61696c746f3a696e666f40796f7572736974652e636f6d223e696e666f40656274696b61726174792e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c64697620636c6173733d22636f6c2d6d642d33223e0d0a3c703e3c7370616e3e3c656d3e3c2f656d3e3c2f7370616e3e203c6120687265663d2223223e656274696b61726174792e636f6d3c2f613e3c2f703e0d0a3c2f6469763e0d0a3c2f6469763e0d0a3c2f6469763e, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0, 0, 0, 0, 1, 0, 0, 'contact-img.gif', 0, 1, 1, 0, 0, '', 0, 0),
(17, 'News', 'News', '', 0, 0, '', '', '', 'News', 'News', 'News', '', 16, 0, 0, 1, 1, 1, 0, 1, 1, 0, 0xc398c2a3c398c2aec398c2a8c398c2a7c398c2b1, '', 0xc398c2a3c398c2aec398c2a8c398c2a7c398c2b1, 0x4e657773, 0x4e657773, 0, 0, 0, 0, 1, 0, 0, 'galler-img-2_1.jpg', 0, 1, 1, 0, 0, '', 1, 0),
(47, 'Gallery', 'Gallery', '', 0, 0, '', '', '', 'Gallery', 'Gallery', 'Gallery', '', 18, 1, 0, 0, 1, 0, 0, 0, 0, 0, 0xd8b5d8a7d984d8a920d8b9d8b1d8b6, '', 0xd8b5d8a7d984d8a920d8b9d8b1d8b6, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0, 0, 0, 0, 0, 0, 0, 'event-3.jpg', 0, 1, 1, 1, 0, '', 0, 0),
(48, 'Services', 'Services', '', 0, 0, '', '', '', 'gmail an events management company', 'gmail an events management company', 'gmail an events management company', '', 16, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0xd8aed8afd985d8a7d8aa, '', 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0, 0, 0, 0, 0, 0, 0, 'event-1.jpg', 0, 1, 1, 1, 0, '', 1, 0),
(49, 'Service', 'Service', '', 0, 0, '', '', '', 'gmail an events management company', 'gmail an events management company', 'gmail an events management company', '', 18, 0, 0, 0, 1, 0, 0, 0, 0, 0, 0xd8aed8afd985d8a7d8aa, '', 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0xd8a7d8a8d8aad983d8a7d8b1d8aad98a20d8b4d8b1d983d8a920d984d8a5d8afd8a7d8b1d8a920d8a7d984d981d8b9d8a7d984d98ad8a7d8aa, 0, 0, 0, 0, 0, 0, 0, 'event-1[1].jpg', 0, 1, 1, 1, 1, '', 1, 0);
-- --------------------------------------------------------
--
-- Table structure for table `cssstyle_tbl`
--
CREATE TABLE `cssstyle_tbl` (
`id` int(11) NOT NULL,
`name` varchar(100) NOT NULL,
`tag` varchar(50) NOT NULL,
`font` varchar(100) NOT NULL,
`fontweight` varchar(255) NOT NULL,
`size` int(11) NOT NULL,
`color` varchar(50) NOT NULL,
`bgcolor` varchar(255) NOT NULL,
`height` int(11) NOT NULL,
`decoration` varchar(50) NOT NULL,
`marginleft` int(11) NOT NULL DEFAULT '0',
`marginright` int(11) NOT NULL,
`margintop` int(11) NOT NULL,
`marginbottom` int(11) NOT NULL,
`paddingleft` int(11) NOT NULL DEFAULT '0',
`paddingright` int(11) NOT NULL,
`paddingtop` int(11) NOT NULL,
`paddingbottom` int(11) NOT NULL,
`textfloat` varchar(100) NOT NULL DEFAULT 'left',
`textalign` varchar(100) NOT NULL DEFAULT 'left',
`display` varchar(100) NOT NULL,
`bgimage` varchar(255) NOT NULL,
`bgposition` varchar(100) NOT NULL,
`bgrepeat` varchar(100) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `customimages_tbl`
--
CREATE TABLE `customimages_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) CHARACTER SET latin1 NOT NULL,
`image` varchar(255) CHARACTER SET latin1 NOT NULL,
`link` varchar(255) CHARACTER SET latin1 NOT NULL,
`sortorder` int(11) NOT NULL,
`ar_title` blob NOT NULL,
`ar_description` blob NOT NULL,
`description` text NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
--
-- Dumping data for table `customimages_tbl`
--
INSERT INTO `customimages_tbl` (`id`, `title`, `image`, `link`, `sortorder`, `ar_title`, `ar_description`, `description`) VALUES
(1, 'SATISFACTION GUARANTEE', 'galler-img-3.jpg', 'https://www.youtube.com/embed/kLLqiMir99Y', 1, 0x534154495346414354494f4e2047554152414e544545, 0x3c703e3c7370616e3e4c6f72656d20697073756d20646f6c6f722073697420616d65742c20636f6e7365637465742061646970692073656420646f20656975736d6f642074656d706f7220696e6369646964756e74206d6f646f206c61626f726520657420646f6c6f72653c2f7370616e3e3c2f703e, '<p><span>Lorem ipsum dolor sit amet, consectet adipi sed do eiusmod tempor incididunt modo labore et dolore</span></p>'),
(2, 'HIGHT QUALITY WORK', 'galler-img-12.jpg', 'https://www.youtube.com/embed/CGEv4-vHsXk', 2, 0x4849474854205155414c49545920574f524b, 0x3c703e3c7370616e3e4c6f72656d20497073756d2069732073696d706c792064756d6d792074657874206f6620746865207072696e74696e6720616e64207479706573657474696e6720696e6475737472792e204c6f72656d20497073756d20686173206265656e2074686520696e6475737472792773207374616e646172642064756d6d79207465787420657665722073696e6365207468652031353030732e3c2f7370616e3e3c2f703e, '<p><span>Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry\'s standard dummy text ever since the 1500s.</span></p>');
-- --------------------------------------------------------
--
-- Table structure for table `customregion_tbl`
--
CREATE TABLE `customregion_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) CHARACTER SET latin1 NOT NULL,
`image` varchar(255) CHARACTER SET latin1 NOT NULL,
`link` varchar(255) CHARACTER SET latin1 NOT NULL,
`sortorder` int(11) NOT NULL,
`ar_title` text NOT NULL,
`ar_description` text NOT NULL,
`description` text NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
-- --------------------------------------------------------
--
-- Table structure for table `downloads_tbl`
--
CREATE TABLE `downloads_tbl` (
`id` int(11) NOT NULL,
`title` text NOT NULL,
`pageid` int(11) NOT NULL,
`download_art_value` int(11) NOT NULL,
`ar_title` text CHARACTER SET utf8 NOT NULL,
`newsdate` date NOT NULL,
`summary` blob NOT NULL,
`ar_summary` blob NOT NULL,
`description` blob NOT NULL,
`ar_description` blob NOT NULL,
`image` text NOT NULL,
`ar_image` text NOT NULL,
`files` text NOT NULL,
`ar_files` text NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0',
`link` int(11) NOT NULL,
`sortorder` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `d_collections_tbl`
--
CREATE TABLE `d_collections_tbl` (
`id` int(11) NOT NULL,
`name` varchar(255) NOT NULL,
`ar_name` varchar(255) CHARACTER SET utf8 NOT NULL,
`meta_title` text NOT NULL,
`ar_meta_title` text CHARACTER SET utf8 NOT NULL,
`meta_keyword` text NOT NULL,
`ar_meta_keyword` text CHARACTER SET utf8 NOT NULL,
`meta_desc` text NOT NULL,
`ar_meta_desc` text CHARACTER SET utf8 NOT NULL,
`sort_order` int(11) NOT NULL,
`image` varchar(255) NOT NULL,
`image2` varchar(255) NOT NULL,
`description` text NOT NULL,
`ar_description` text CHARACTER SET utf8 NOT NULL,
`status` tinyint(1) NOT NULL,
`description2` text NOT NULL,
`ar_description2` text CHARACTER SET utf8 NOT NULL
) ENGINE=MyISAM DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `d_products_tbl`
--
CREATE TABLE `d_products_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) NOT NULL,
`ar_title` varchar(255) CHARACTER SET utf8 NOT NULL,
`sort_order` int(11) NOT NULL,
`description` text NOT NULL,
`ar_description` text CHARACTER SET utf8 NOT NULL,
`tech_file_1` varchar(255) NOT NULL,
`tech_file_2` varchar(255) NOT NULL,
`status` tinyint(1) NOT NULL,
`collection_id` int(11) NOT NULL,
`tech_title_1` text NOT NULL,
`tech_title_2` text NOT NULL
) ENGINE=MyISAM DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `d_product_images_tbl`
--
CREATE TABLE `d_product_images_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) NOT NULL,
`alttext` varchar(255) NOT NULL,
`image` varchar(255) NOT NULL,
`sortorder` int(11) NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0',
`product_id` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `faqs_tbl`
--
CREATE TABLE `faqs_tbl` (
`id` int(11) NOT NULL,
`question` text NOT NULL,
`faqdate` date NOT NULL,
`sortorder` int(11) NOT NULL,
`answer` text NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0',
`ar_question` blob NOT NULL,
`ar_answer` blob NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `faqs_tbl`
--
INSERT INTO `faqs_tbl` (`id`, `question`, `faqdate`, `sortorder`, `answer`, `status`, `ar_question`, `ar_answer`) VALUES
(1, 'Lorem Ipsum is simply dummy text of the printing and typesetting industry.', '2020-12-08', 1, '<p>Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry\'s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book.</p>', 1, 0x4c6f72656d20497073756d2069732073696d706c792064756d6d792074657874206f6620746865207072696e74696e6720616e64207479706573657474696e6720696e6475737472792e, 0x3c703e4c6f72656d20497073756d2069732073696d706c792064756d6d792074657874206f6620746865207072696e74696e6720616e64207479706573657474696e6720696e6475737472792e204c6f72656d20497073756d20686173206265656e2074686520696e6475737472792773207374616e646172642064756d6d79207465787420657665722073696e6365207468652031353030732c207768656e20616e20756e6b6e6f776e207072696e74657220746f6f6b20612067616c6c6579206f66207479706520616e6420736372616d626c656420697420746f206d616b65206120747970652073706563696d656e20626f6f6b2e3c2f703e);
-- --------------------------------------------------------
--
-- Table structure for table `footer_tabs_tbl`
--
CREATE TABLE `footer_tabs_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) NOT NULL,
`ar_title` varchar(255) CHARACTER SET utf8 NOT NULL,
`description` blob NOT NULL,
`ar_description` blob NOT NULL,
`sort_order` int(11) NOT NULL,
`icon` varchar(255) NOT NULL,
`popup_description` blob NOT NULL,
`ar_popup_description` blob NOT NULL,
`popup_readmore` varchar(255) NOT NULL,
`ar_popup_readmore` varchar(255) CHARACTER SET utf8 NOT NULL,
`popup_image` varchar(255) NOT NULL,
`form_id` int(11) NOT NULL,
`status` tinyint(1) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `footer_tabs_tbl`
--
INSERT INTO `footer_tabs_tbl` (`id`, `title`, `ar_title`, `description`, `ar_description`, `sort_order`, `icon`, `popup_description`, `ar_popup_description`, `popup_readmore`, `ar_popup_readmore`, `popup_image`, `form_id`, `status`) VALUES
(1, 'Title', 'لقب', 0x3c703e3c7370616e3e4465736372697074696f6e3c2f7370616e3e3c2f703e, 0x3c703e2623313630383b2623313538393b2623313630313b3c2f703e, 1, '', 0x3c703e3c7370616e3e506f707570204465736372697074696f6e3c2f7370616e3e3c2f703e, 0x3c703e2623313630323b2623313537353b2623313630313b2623313538363b2623313537373b202623313537353b2623313630343b2623313630383b2623313538393b2623313630313b3c2f703e, '<p><span>Popup Readmore</span></p>', '<p>قافزة اقرأ المزيد</p>', '', 1, 1);
-- --------------------------------------------------------
--
-- Table structure for table `formconfig_tbl`
--
CREATE TABLE `formconfig_tbl` (
`id` int(11) NOT NULL,
`title` varchar(300) NOT NULL,
`ar_title` blob NOT NULL,
`mailto` varchar(300) NOT NULL,
`mailsubject` varchar(300) NOT NULL,
`ar_mailsubject` blob NOT NULL,
`buttontext` text NOT NULL,
`ar_buttontext` blob NOT NULL,
`responsetext` text NOT NULL,
`ar_responsetext` blob NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `formconfig_tbl`
--
INSERT INTO `formconfig_tbl` (`id`, `title`, `ar_title`, `mailto`, `mailsubject`, `ar_mailsubject`, `buttontext`, `ar_buttontext`, `responsetext`, `ar_responsetext`) VALUES
(1, 'Get In Touch', 0xd8a7d8a8d982d98920d8b9d984d98920d8aad988d8a7d8b5d984, '<EMAIL>', 'Contact Form Submitted Info', 0xd8a7d984d8a7d8aad8b5d8a7d98420d986d985d988d8b0d8ac20d985d982d8afd98520d985d8b9d984d988d985d8a7d8aa, 'Submit', 0xd8b9d8b1d8b6, 'Thanks for contacting Ebtikar. We will contact you soon.', 0xd8b4d983d8b1d8a720d8b9d984d98920d8aad988d8a7d8b5d984d98320d8a7d8a8d8aad983d8a7d8b12e20d8b3d988d98120d986d8aad8b5d98420d8a8d98320d982d8b1d98ad8a8d8a72e);
-- --------------------------------------------------------
--
-- Table structure for table `formfields_tbl`
--
CREATE TABLE `formfields_tbl` (
`fieldcaption` varchar(255) NOT NULL,
`fieldtype` varchar(255) NOT NULL,
`fieldoption` varchar(300) NOT NULL,
`fieldvalid` tinyint(1) NOT NULL,
`sortorder` int(11) NOT NULL,
`form_id` int(11) NOT NULL,
`ar_fieldcaption` blob NOT NULL,
`ar_fieldoption` blob NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `formfields_tbl`
--
INSERT INTO `formfields_tbl` (`fieldcaption`, `fieldtype`, `fieldoption`, `fieldvalid`, `sortorder`, `form_id`, `ar_fieldcaption`, `ar_fieldoption`) VALUES
('', 'checkbox', '', 0, 1, 3, '', ''),
('', 'checkbox', '', 0, 1, 4, '', ''),
('', 'checkbox', '', 0, 1, 2, '', ''),
('', 'checkbox', '', 0, 1, 3, '', ''),
('', 'checkbox', '', 0, 1, 4, '', ''),
('', 'checkbox', '', 0, 1, 5, '', ''),
('Name', 'textbox', '', 1, 10, 1, 0xd8a7d8b3d985, ''),
('Mobile', 'textbox', '', 1, 20, 1, 0xd985d8aad8add8b1d983, ''),
('E-Mail', 'textbox', '', 0, 30, 1, 0xd8a7d984d8a8d8b1d98ad8af20d8a7d984d8a5d984d983d8aad8b1d988d986d98a, ''),
('Please indicate your budget (RMB)', 'textarea', '', 0, 40, 1, 0xd98ad8b1d8acd98920d8a7d984d8a5d8b4d8a7d8b1d8a920d985d98ad8b2d8a7d986d98ad8aad9832028524d4229, '');
-- --------------------------------------------------------
--
-- Table structure for table `images_tbl`
--
CREATE TABLE `images_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) NOT NULL,
`alttext` varchar(255) NOT NULL,
`image` varchar(255) NOT NULL,
`sortorder` int(11) NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0',
`album_id` int(11) NOT NULL,
`youtube` text
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `images_tbl`
--
INSERT INTO `images_tbl` (`id`, `title`, `alttext`, `image`, `sortorder`, `status`, `album_id`, `youtube`) VALUES
(3, 'Aqeeqa Ceremony ', 'Aqeeqa Ceremony ', 'galler-img-3.jpg', 3, 1, 2, NULL),
(4, 'Aqeeqa Ceremony ', 'Aqeeqa Ceremony ', 'galler-img-4@2x.jpg', 4, 1, 2, NULL),
(5, 'Quran Completion', 'Quran Completion', 'galler-img-7.jpg', 5, 1, 3, NULL),
(6, 'Quran Completion', 'Quran Completion', 'galler-img-11.jpg', 6, 1, 3, NULL),
(7, 'Quran Completion', 'Quran Completion', 'galler-img-2@2x.jpg', 7, 1, 3, NULL),
(8, 'Baby Birth Shower', 'Baby Birth Shower', 'Ge8uY1550671417926.jpeg', 8, 1, 1, 'https://www.youtube.com/embed/49Kvy6e3KSo');
-- --------------------------------------------------------
--
-- Table structure for table `newsletters_tbl`
--
CREATE TABLE `newsletters_tbl` (
`id` int(10) NOT NULL,
`heading` blob,
`description` blob,
`file` text,
`status` int(11) DEFAULT '1',
`submition_date` date DEFAULT NULL
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
--
-- Dumping data for table `newsletters_tbl`
--
INSERT INTO `newsletters_tbl` (`id`, `heading`, `description`, `file`, `status`, `submition_date`) VALUES
(1, 0x4e65776c6574746572, 0x3c703e3c7370616e3e444b494d207374616e647320666f722022446f6d61696e4b657973204964656e746966696564204d61696c222e205468657920616c6c6f7720726563656976696e67207365727665727320746f20636f6e6669726d2074686174206d61696c20636f6d696e672066726f6d206120646f6d61696e20697320617574686f72697a65642062792074686520646f6d61696e27732061646d696e6973747261746f72732e2054686973207265636f726420616c736f206e6565647320746f20626520656e7465726564206173206120545854207265636f72642c20796f752077696c6c20736565206174206c656173742074776f206669656c64732c2074686579206172653a2022486f737422206f7220224e616d652220616e64202256616c7565222e3c2f7370616e3e3c2f703e, '1608037877about-image.gif', 1, '2020-12-12');
-- --------------------------------------------------------
--
-- Table structure for table `news_tbl`
--
CREATE TABLE `news_tbl` (
`id` int(11) NOT NULL,
`heading` text CHARACTER SET latin1 NOT NULL,
`pageid` int(11) NOT NULL,
`ar_heading` blob NOT NULL,
`newsdate` date NOT NULL,
`summary` blob NOT NULL,
`ar_summary` blob NOT NULL,
`description` blob NOT NULL,
`ar_description` blob NOT NULL,
`image` text CHARACTER SET latin1 NOT NULL,
`ar_image` text CHARACTER SET latin1 NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0'
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
--
-- Dumping data for table `news_tbl`
--
INSERT INTO `news_tbl` (`id`, `heading`, `pageid`, `ar_heading`, `newsdate`, `summary`, `ar_summary`, `description`, `ar_description`, `image`, `ar_image`, `status`) VALUES
(1, 'Lorem ipsum', 0, 0xd8a3d8a8d8acd8af20d987d988d8b2, '2010-05-14', 0x3c703e4c6f72656d20697073756d20646f6c6f722073697420616d65742c20636f6e73656374657475722061646970697363696e6720656c69742e204d616563656e61732065752070656c6c656e7465737175652073656d2e204d617572697320736f6c6c696369747564696e20697073756d2065752074757270697320696e74657264756d206567657420766573746962756c756d206c656f2076756c7075746174652e2050656c6c656e74657371756520756c747269636965732073656d706572206c656f2c2076697461652070656c6c656e746573717565206c656f206469676e697373696d2076656c2e3c2f703e, 0x3c703ed8a3d8a8d8acd8af20d987d988d8b220d8afd988d984d988d8b120d8a7d984d8acd984d988d8b320d8a7d985d8a7d8aad88c20636f6e73656374657475722061646970697363696e6720d8a5d98ad984d98ad8aa2e204d616563656e617320d8a7d984d8a7d8aad8add8a7d8af20d8a7d984d8a3d988d8b1d988d8a8d98a2070656c6c656e74657371756520d988d988d8b2d8a7d8b1d8a920d8b4d8a4d988d98620d8a7d984d985d8b1d8a3d8a92e204d617572697320736f6c6c696369747564696e20d987d988d8b220d8a7d984d8a7d8aad8add8a7d8af20d8a7d984d8a3d988d8b1d988d8a8d98a2074757270697320696e74657264756d206567657420d8afd987d984d98ad8b220d984d98ad9882076756c7075746174652e2050656c6c656e74657371756520756c7472696369657320d8b3d985d8a8d8b120d984d98ad988d88c20d984d98ad98820d8a7d984d8b3d98ad8b1d8a92070656c6c656e746573717565206469676e697373696d20d981d98ad9842e3c2f703e, 0x3c703e4c6f72656d20697073756d20646f6c6f722073697420616d65742c20636f6e73656374657475722061646970697363696e6720656c69742e204d616563656e6173206575202070656c6c656e7465737175652073656d2e204d617572697320736f6c6c696369747564696e20697073756d2065752074757270697320696e74657264756d20656765742020766573746962756c756d206c656f2076756c7075746174652e2050656c6c656e74657371756520756c747269636965732073656d706572206c656f2c207669746165202070656c6c656e746573717565206c656f206469676e697373696d2076656c2e20416c697175616d20736564206c756374757320697073756d2e2044756973206c61637573202065726f732c206672696e67696c6c612073697420616d6574206c6163696e69612065742c20636f6e73657175617420617420657261742e20496e74656765722072757472756d202075726e612065752073617069656e2072686f6e63757320626c616e6469742e20496e7465676572206e6f6e206d6173736120696e2065726174207068617265747261202061646970697363696e672075742075742073656d2e204e756e6320616363756d73616e2074656d706f72206e756e6320657520696e74657264756d2e205365642066656c69732020616e74652c206c6163696e69612061206f726e6172652061632c206672696e67696c6c6120736564206c616375732e2050686173656c6c75732064696374756d2c2070757275732020696e20626c616e646974206c6163696e69612c207075727573206c656374757320706c616365726174206d617373612c206e6f6e20736f6c6c696369747564696e206e756c6c6120206e697369206174206469616d2e204675736365207375736369706974206469616d206574206d6920737573636970697420656c656d656e74756d2e204e616d2061726375202073656d2c207361676974746973206574206661756369627573207365642c207361676974746973207574206e6962682e20566976616d75732074696e636964756e74202064696374756d206c696265726f206e656320616363756d73616e2e2050726f696e20736564206e69736c2074656c6c75732c20612074656d706f72206d692e20457469616d2075742020706f727461206e756e632e204d616563656e617320696d706572646965742076617269757320616c697175616d2e20437261732061206f64696f207475727069732e2020496e746567657220616e7465206469616d2c20646170696275732076697461652074696e636964756e74207365642c207665686963756c6120756c7472696369657320206c616375732e2043757261626974757220756c747269636573206461706962757320666163696c697369732e3c2f703e, 0x3c703ed8a3d8a8d8acd8af20d987d988d8b220d8afd988d984d988d8b120d8a7d984d8acd984d988d8b320d8a7d985d8a7d8aad88c20636f6e73656374657475722061646970697363696e6720d8a5d98ad984d98ad8aa2e204d616563656e617320d8a7d984d8a7d8aad8add8a7d8af20d8a7d984d8a3d988d8b1d988d8a8d98a2070656c6c656e74657371756520d988d988d8b2d8a7d8b1d8a920d8b4d8a4d988d98620d8a7d984d985d8b1d8a3d8a92e204d617572697320736f6c6c696369747564696e20d987d988d8b220d8a7d984d8a7d8aad8add8a7d8af20d8a7d984d8a3d988d8b1d988d8a8d98a2074757270697320696e74657264756d206567657420d8afd987d984d98ad8b220d984d98ad9882076756c7075746174652e2050656c6c656e74657371756520756c7472696369657320d8b3d985d8a8d8b120d984d98ad988d88c20d984d98ad98820d8a7d984d8b3d98ad8b1d8a92070656c6c656e746573717565206469676e697373696d20d981d98ad9842e20416c697175616d20d8a7d984d8add988d8a7d8b120d8a7d984d8a7d982d8aad8b5d8a7d8afd98a20d8a7d984d8a7d8b3d8aad8b1d8a7d8aad98ad8acd98a206c756374757320d987d988d8b22e20d8a5d98ad8b1d988d8b3206c616375732044756973d88c206672696e67696c6c6120d8a7d984d8acd984d988d8b320d8a7d985d8a7d8aa20d988d8a2d8aed8b1d988d98620d8aed985d984d88c20636f6e73657175617420d981d98a20657261742e20d8b5d8add98ad8ad2072757472756d2075726e6120d8a7d984d8a7d8aad8add8a7d8af20d8a7d984d8a3d988d8b1d988d8a8d98a20d8b3d8a7d8a8d98ad9862072686f6e63757320626c616e6469742e20d8b5d8add98ad8ad20d8bad98ad8b120d985d8a7d8b3d8a720d981d98a20657261742070686172657472612061646970697363696e6720d8a7d984d8aad8add8b1d98ad8b120d8a7d984d8aad8add8b1d98ad8b120d988d988d8b2d8a7d8b1d8a920d8b4d8a4d988d98620d8a7d984d985d8b1d8a3d8a92e20d986d988d986d98320616363756d73616e2074656d706f7220d986d988d986d98320d8a7d984d8a7d8aad8add8a7d8af20d8a7d984d8a3d988d8b1d988d8a8d98a20696e74657264756d2e20d8b3d8af20d8a7d984d987d8b1d98ad8a920d983d8a7d98620d8b9d984d98ad98720d8b3d8a7d8a8d982d8a7d88c20d984d8a7d8b3d98ad986d98ad8a720d984d985d98ad984d8a7d986206f726e617265d88c206672696e67696c6c6120d8b3d8af206c616375732e20d8a7d984d982d988d98420d8a7d984d985d8a3d8abd988d8b12050686173656c6c7573d88c20d8a8d988d8b1d988d8b320d981d98a20d8aed985d98420626c616e646974d88c20d8a8d988d8b1d988d8b3206c656374757320706c61636572617420d985d8a7d8b3d8a7d88c20d988d8b9d8afd98520d8a7d8add8aad8b1d8a7d8b2d98ad8a720736f6c6c696369747564696e20d988d984d8a720d8b9d982d988d8a8d8a920d981d98a20d8a8d982d8b7d8b12e20467573636520737573636970697420d8a8d982d8b7d8b120d988d8a2d8aed8b1d988d98620d985d98ad98420737573636970697420656c656d656e74756d2e20d986d8a7d985206172637520d988d988d8b2d8a7d8b1d8a920d8b4d8a4d988d98620d8a7d984d985d8b1d8a3d8a9d88c20d988d8a2d8aed8b1d988d98620736167697474697320666175636962757320d8a7d984d8add988d8a7d8b120d8a7d984d8a7d982d8aad8b5d8a7d8afd98a20d8a7d984d8a7d8b3d8aad8b1d8a7d8aad98ad8acd98ad88c20736167697474697320d8a7d984d8aad8add8b1d98ad8b1206e6962682e20566976616d75732074696e636964756e7420d8a7d984d982d988d98420d8a7d984d985d8a3d8abd988d8b120d98ad8a8d98ad8b1d98820d8bad98ad8b120d8a7d984d985d8b5d986d981d8a920d981d98a20d985d988d8b6d8b920616363756d73616e2e2050726f696e20d8a7d984d8add988d8a7d8b120d8a7d984d8a7d982d8aad8b5d8a7d8afd98a20d8a7d984d8a7d8b3d8aad8b1d8a7d8aad98ad8acd98a20d8aad98ad984d988d8b3206e69736cd88c20d988d987d98820d985d98ad9842074656d706f722e20457469616d20d8a7d984d8aad8add8b1d98ad8b120d8a8d988d8b1d8aad8a720d986d988d986d9832e204d616563656e617320696d7065726469657420d981d8b1d98ad988d8b35d20616c697175616d2e20d988d983d8a7d984d8a7d8aa20d8a7d984d8aad8b5d986d98ad98120d8a7d984d8a7d8a6d8aad985d8a7d986d98a20d98474757270697320d8a3d988d8afd98ad9882e20d8b9d8afd8af20d8b5d8add98ad8ad20d8a7d986d8aad98a20d8a8d982d8b7d8b1d88c20d8add988d8a7d8b1206461706962757320d8a7d984d8b3d98ad8b1d8a92074696e636964756e74d88c207665686963756c6120756c74726963696573206c616375732e2043757261626974757220756c747269636573206461706962757320666163696c697369732e3c2f703e, 'galler-img-14.jpg', 'blog-1.jpg', 1),
(3, 'Vivamus consequat', 0, 0x566976616d757320636f6e736571756174, '2010-05-13', 0x3c703e566976616d757320636f6e7365717561742076756c70757461746520617263752c20717569732072686f6e637573207075727573206772617669646120612e20416c697175616d206572617420766f6c75747061742e2050726f696e206e6f6e2076656e656e61746973206c6f72656d2e2044756973207669746165206469616d2073617069656e2e2051756973717565206575206469676e697373696d2065726f732e2043757261626974757220616363756d73616e20696163756c6973206c696265726f2c20617420657569736d6f64206c65637475732070686172657472612e3c2f703e, 0x3c703e566976616d757320636f6e7365717561742076756c70757461746520617263752c20717569732072686f6e637573207075727573206772617669646120612e20416c697175616d206572617420766f6c75747061742e2050726f696e206e6f6e2076656e656e61746973206c6f72656d2e2044756973207669746165206469616d2073617069656e2e2051756973717565206575206469676e697373696d2065726f732e2043757261626974757220616363756d73616e20696163756c6973206c696265726f2c20617420657569736d6f64206c65637475732070686172657472612e3c2f703e, 0x3c703e566976616d757320636f6e7365717561742076756c70757461746520617263752c20717569732072686f6e637573207075727573206772617669646120612e20416c697175616d206572617420766f6c75747061742e2050726f696e206e6f6e2076656e656e61746973206c6f72656d2e2044756973207669746165206469616d2073617069656e2e2051756973717565206575206469676e697373696d2065726f732e2043757261626974757220616363756d73616e20696163756c6973206c696265726f2c20617420657569736d6f64206c656374757320706861726574726120612e205072616573656e742072686f6e637573206d617474697320756c6c616d636f727065722e204e756c6c6120736167697474697320666175636962757320616c69717565742e2053656420766573746962756c756d206c7563747573206a7573746f206964206c6163696e69612e205365642076697461652070656c6c656e7465737175652072697375732e204d6f7262692070756c76696e617220656c656966656e64206c696265726f20617420636f6e73656374657475722e2050686173656c6c757320657520706c616365726174206e6962682e204e756c6c612073656420656c656966656e64206d61676e612e204e756c6c612074656d7075732075726e612071756973206c6967756c6120706f737565726520617420696e74657264756d206e756c6c6120756c747269636965732e20557420626c616e646974206c7563747573206d692061632074656d706f722e205072616573656e7420636f6e6775652c206d6574757320717569732074696e636964756e7420636f6e6775652c206c6563747573206c6967756c6120747269737469717565206d61757269732c20696420736f6c6c696369747564696e206e697369206c656374757320747269737469717565206c65637475732e204e756c6c612073656d2070757275732c206d6f6c6c6973206174206c6f626f7274697320696e2c207072657469756d206163206e69736c2e20566976616d757320706f72747469746f72206475692076656c206c6967756c61206c7563747573207669746165206d6174746973206c6967756c6120646170696275732e20536564206572617420657261742c206c6f626f72746973206120636f6e64696d656e74756d2069642c2061646970697363696e6720706f7375657265206a7573746f2e20496e2061206c6f72656d206e65632065726f7320706f737565726520616c697175616d206e6f6e20736564207175616d2e3c2f703e, 0x3c703e566976616d757320636f6e7365717561742076756c70757461746520617263752c20717569732072686f6e637573207075727573206772617669646120612e20416c697175616d206572617420766f6c75747061742e2050726f696e206e6f6e2076656e656e61746973206c6f72656d2e2044756973207669746165206469616d2073617069656e2e2051756973717565206575206469676e697373696d2065726f732e2043757261626974757220616363756d73616e20696163756c6973206c696265726f2c20617420657569736d6f64206c656374757320706861726574726120612e205072616573656e742072686f6e637573206d617474697320756c6c616d636f727065722e204e756c6c6120736167697474697320666175636962757320616c69717565742e2053656420766573746962756c756d206c7563747573206a7573746f206964206c6163696e69612e205365642076697461652070656c6c656e7465737175652072697375732e204d6f7262692070756c76696e617220656c656966656e64206c696265726f20617420636f6e73656374657475722e2050686173656c6c757320657520706c616365726174206e6962682e204e756c6c612073656420656c656966656e64206d61676e612e204e756c6c612074656d7075732075726e612071756973206c6967756c6120706f737565726520617420696e74657264756d206e756c6c6120756c747269636965732e20557420626c616e646974206c7563747573206d692061632074656d706f722e205072616573656e7420636f6e6775652c206d6574757320717569732074696e636964756e7420636f6e6775652c206c6563747573206c6967756c6120747269737469717565206d61757269732c20696420736f6c6c696369747564696e206e697369206c656374757320747269737469717565206c65637475732e204e756c6c612073656d2070757275732c206d6f6c6c6973206174206c6f626f7274697320696e2c207072657469756d206163206e69736c2e20566976616d757320706f72747469746f72206475692076656c206c6967756c61206c7563747573207669746165206d6174746973206c6967756c6120646170696275732e20536564206572617420657261742c206c6f626f72746973206120636f6e64696d656e74756d2069642c2061646970697363696e6720706f7375657265206a7573746f2e20496e2061206c6f72656d206e65632065726f7320706f737565726520616c697175616d206e6f6e20736564207175616d2e3c2f703e, 'galler-img-4@2x.jpg', 'galler-img-4.jpg', 1);
-- --------------------------------------------------------
--
-- Table structure for table `products_tbl`
--
CREATE TABLE `products_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) NOT NULL,
`ar_title` varchar(255) CHARACTER SET utf8 NOT NULL,
`sort_order` int(11) NOT NULL,
`pile` varchar(255) NOT NULL,
`widths` varchar(255) NOT NULL,
`construction` varchar(255) NOT NULL,
`pile_weight` varchar(255) NOT NULL,
`total_weight` varchar(255) NOT NULL,
`pile_height` varchar(255) NOT NULL,
`total_height` varchar(255) NOT NULL,
`backing` varchar(255) NOT NULL,
`ar_backing` varchar(255) CHARACTER SET utf8 NOT NULL,
`classification` varchar(255) NOT NULL,
`ar_classification` varchar(255) CHARACTER SET utf8 NOT NULL,
`contract_use` varchar(255) NOT NULL,
`ar_contract_use` varchar(255) CHARACTER SET utf8 NOT NULL,
`tech_title_1` varchar(255) NOT NULL,
`tech_title_2` varchar(255) NOT NULL,
`description` text NOT NULL,
`ar_description` text CHARACTER SET utf8 NOT NULL,
`tech_file_1` varchar(255) NOT NULL,
`tech_file_2` varchar(255) NOT NULL,
`status` tinyint(1) NOT NULL,
`collection_id` int(11) NOT NULL,
`treatments` text NOT NULL,
`pid` int(11) NOT NULL
) ENGINE=MyISAM DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `product_images_tbl`
--
CREATE TABLE `product_images_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) NOT NULL,
`alttext` varchar(255) NOT NULL,
`image` varchar(255) NOT NULL,
`sortorder` int(11) NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0',
`product_id` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `retail_locations_tbl`
--
CREATE TABLE `retail_locations_tbl` (
`id` int(11) NOT NULL,
`name` varchar(255) NOT NULL,
`ar_name` varchar(255) CHARACTER SET utf8 NOT NULL,
`pageid` int(11) NOT NULL,
`description` blob NOT NULL,
`ar_description` blob NOT NULL,
`contact` varchar(50) NOT NULL,
`address` blob NOT NULL,
`ar_address` blob NOT NULL,
`latitude` double NOT NULL,
`longitude` double NOT NULL,
`sort_order` int(11) NOT NULL,
`status` int(1) NOT NULL,
`image` text NOT NULL,
`country` int(11) NOT NULL,
`website` text NOT NULL,
`email` text NOT NULL,
`fax` text NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `retail_locations_tbl`
--
INSERT INTO `retail_locations_tbl` (`id`, `name`, `ar_name`, `pageid`, `description`, `ar_description`, `contact`, `address`, `ar_address`, `latitude`, `longitude`, `sort_order`, `status`, `image`, `country`, `website`, `email`, `fax`) VALUES
(1, 'Al-Rasheed WERKE GMBH', 'Al-Rasheed WERKE GMBH', 18, 0x3c703e4b696e67646f6d206f6620536175646920417261626961202d205269796164682e3c6272202f3e2054656c3a202b393636203120323430313436373c6272202f3e204661783a202b393636203120323430313436383c6272202f3e20502e4f2e426f783a313230353036205269796164682031313638393c6272202f3e20456d61696c3a20696e666f40616c2d726173686565642e6f72673c2f703e, 0x3c703e4b696e67646f6d206f6620536175646920417261626961202d205269796164682e3c6272202f3e2054656c3a202b393636203120323430313436373c6272202f3e204661783a202b393636203120323430313436383c6272202f3e20502e4f2e426f783a313230353036205269796164682031313638393c6272202f3e20456d61696c3a20696e666f40616c2d726173686565642e6f72673c2f703e, '+49 7161 301-0', 0x5365637265746172696174, 0x5365637265746172696174, 21.7341, 39.0829, 1, 1, 'manpower[1].jpg', 0, '', '<EMAIL>', '+49 7161 32452');
-- --------------------------------------------------------
--
-- Table structure for table `services_tbl`
--
CREATE TABLE `services_tbl` (
`id` int(11) NOT NULL,
`pageid` int(11) NOT NULL,
`heading` text CHARACTER SET latin1 NOT NULL,
`ar_heading` blob NOT NULL,
`newsdate` date NOT NULL,
`summary` blob NOT NULL,
`ar_summary` blob NOT NULL,
`description` blob NOT NULL,
`ar_description` blob NOT NULL,
`image` text CHARACTER SET latin1 NOT NULL,
`ar_image` text CHARACTER SET latin1 NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0'
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
--
-- Dumping data for table `services_tbl`
--
INSERT INTO `services_tbl` (`id`, `pageid`, `heading`, `ar_heading`, `newsdate`, `summary`, `ar_summary`, `description`, `ar_description`, `image`, `ar_image`, `status`) VALUES
(1, 0, 'Birthday\'s Baby Shower', 0xd8add981d984d8a920d8b9d98ad8af20d985d98ad984d8a7d8af20d8a7d984d8b7d981d984, '0000-00-00', 0x3c703e43756d20736f63696973206e61746f7175652070656e617469627573206574206d61676e6973206469732070617274757269656e74206d6f6e7465732c206e61736365747572207269646963756c7573206d75732e20446f6e6563207175616d2066656c69732c20756c74726963696573206e65632c2070656c6c656e7465737175652065752c207072657469756d20717569732c2073656d2e204e756c6c6120636f6e736571756174206d61737361207175697320656e696d2e20446f6e65632070656465206a7573746f2c206672696e67696c6c612076656c2c20616c6971756574206e65632c2076756c70757461746520656765742c20617263752e3c2f703e, 0x3c703ed8add981d984d8a920d8b9d98ad8af20d985d98ad984d8a7d8af20d8a7d984d8b7d981d9843c2f703e, 0x3c703e4c6f72656d20697073756d20646f6c6f722073697420616d65742c20636f6e7365637465747565722061646970697363696e6720656c69742e2041656e65616e20636f6d6d6f646f206c6967756c61206567657420646f6c6f722e2041656e65616e206d617373612e2043756d20736f63696973206e61746f7175652070656e617469627573206574206d61676e6973206469732070617274757269656e74206d6f6e7465732c206e61736365747572207269646963756c7573206d75732e20446f6e6563207175616d2066656c69732c20756c74726963696573206e65632c2070656c6c656e7465737175652065752c207072657469756d20717569732c2073656d2e204e756c6c6120636f6e736571756174206d61737361207175697320656e696d2e20446f6e65632070656465206a7573746f2c206672696e67696c6c612076656c2c20616c6971756574206e65632c2076756c70757461746520656765742c20617263752e20496e20656e696d206a7573746f2c2072686f6e6375732075742c20696d7065726469657420612c2076656e656e617469732076697461652c206a7573746f2e204e756c6c616d2064696374756d2066656c69732065752070656465206d6f6c6c6973207072657469756d2e20496e74656765722074696e636964756e742e204372617320646170696275732e20566976616d757320656c656d656e74756d2073656d706572206e6973692e2041656e65616e2076756c70757461746520656c656966656e642074656c6c75732e2041656e65616e206c656f206c6967756c612c20706f72747469746f722065752c20636f6e7365717561742076697461652c20656c656966656e642061632c20656e696d2e20416c697175616d206c6f72656d20616e74652c206461706962757320696e2c207669766572726120717569732c206665756769617420612c2074656c6c75732e2050686173656c6c75732076697665727261206e756c6c61207574206d6574757320766172697573206c616f726565742e20517569737175652072757472756d2e2041656e65616e20696d706572646965742e20457469616d20756c74726963696573206e6973692076656c2061756775652e2043757261626974757220756c6c616d636f7270657220756c74726963696573206e6973692e204e616d2065676574206475692e20457469616d2072686f6e6375732e204d616563656e61732074656d7075732c2074656c6c7573206567657420636f6e64696d656e74756d2072686f6e6375732c2073656d207175616d2073656d706572206c696265726f2c2073697420616d65742061646970697363696e672073656d206e657175652073656420697073756d2e204e616d207175616d206e756e632c20626c616e6469742076656c2c206c75637475732070756c76696e61722c2068656e6472657269742069642c206c6f72656d2e204d616563656e6173206e6563206f64696f20657420616e74652074696e636964756e742074656d7075732e20446f6e65632076697461652073617069656e207574206c696265726f2076656e656e617469732066617563696275732e204e756c6c616d207175697320616e74652e20457469616d2073697420616d6574206f72636920656765742065726f732066617563696275732074696e636964756e742e2044756973206c656f2e20536564206672696e67696c6c61206d61757269732073697420616d6574206e6962682e20446f6e656320736f64616c6573207361676974746973206d61676e612e2053656420636f6e7365717561742c206c656f206567657420626962656e64756d20736f64616c65732c2061756775652076656c697420637572737573206e756e633c2f703e, 0x3c703ed8add981d984d8a920d8b9d98ad8af20d985d98ad984d8a7d8af20d8a7d984d8b7d981d9843c2f703e, 'img_bg_1.jpg', 'img_bg_3.jpg', 1),
(2, 0, '<NAME>', 0xd8add981d98420d8a7d984d8b9d982d98ad982d8a9, '0000-00-00', 0x3c703e43756d20736f63696973206e61746f7175652070656e617469627573206574206d61676e6973206469732070617274757269656e74206d6f6e7465732c206e61736365747572207269646963756c7573206d75732e20446f6e6563207175616d2066656c69732c20756c74726963696573206e65632c2070656c6c656e7465737175652065752c207072657469756d20717569732c2073656d2e204e756c6c6120636f6e736571756174206d61737361207175697320656e696d2e20446f6e65632070656465206a7573746f2c206672696e67696c6c612076656c2c20616c6971756574206e65632c2076756c70757461746520656765742c20617263752e3c2f703e, 0x3c703ed8add981d98420d8a7d984d8b9d982d98ad982d8a93c2f703e, 0x3c703e4c6f72656d20697073756d20646f6c6f722073697420616d65742c20636f6e7365637465747565722061646970697363696e6720656c69742e2041656e65616e20636f6d6d6f646f206c6967756c61206567657420646f6c6f722e2041656e65616e206d617373612e2043756d20736f63696973206e61746f7175652070656e617469627573206574206d61676e6973206469732070617274757269656e74206d6f6e7465732c206e61736365747572207269646963756c7573206d75732e20446f6e6563207175616d2066656c69732c20756c74726963696573206e65632c2070656c6c656e7465737175652065752c207072657469756d20717569732c2073656d2e204e756c6c6120636f6e736571756174206d61737361207175697320656e696d2e20446f6e65632070656465206a7573746f2c206672696e67696c6c612076656c2c20616c6971756574206e65632c2076756c70757461746520656765742c20617263752e20496e20656e696d206a7573746f2c2072686f6e6375732075742c20696d7065726469657420612c2076656e656e617469732076697461652c206a7573746f2e204e756c6c616d2064696374756d2066656c69732065752070656465206d6f6c6c6973207072657469756d2e20496e74656765722074696e636964756e742e204372617320646170696275732e20566976616d757320656c656d656e74756d2073656d706572206e6973692e2041656e65616e2076756c70757461746520656c656966656e642074656c6c75732e2041656e65616e206c656f206c6967756c612c20706f72747469746f722065752c20636f6e7365717561742076697461652c20656c656966656e642061632c20656e696d2e20416c697175616d206c6f72656d20616e74652c206461706962757320696e2c207669766572726120717569732c206665756769617420612c2074656c6c75732e2050686173656c6c75732076697665727261206e756c6c61207574206d6574757320766172697573206c616f726565742e20517569737175652072757472756d2e2041656e65616e20696d706572646965742e20457469616d20756c74726963696573206e6973692076656c2061756775652e2043757261626974757220756c6c616d636f7270657220756c74726963696573206e6973692e204e616d2065676574206475692e20457469616d2072686f6e6375732e204d616563656e61732074656d7075732c2074656c6c7573206567657420636f6e64696d656e74756d2072686f6e6375732c2073656d207175616d2073656d706572206c696265726f2c2073697420616d65742061646970697363696e672073656d206e657175652073656420697073756d2e204e616d207175616d206e756e632c20626c616e6469742076656c2c206c75637475732070756c76696e61722c2068656e6472657269742069642c206c6f72656d2e204d616563656e6173206e6563206f64696f20657420616e74652074696e636964756e742074656d7075732e20446f6e65632076697461652073617069656e207574206c696265726f2076656e656e617469732066617563696275732e204e756c6c616d207175697320616e74652e20457469616d2073697420616d6574206f72636920656765742065726f732066617563696275732074696e636964756e742e2044756973206c656f2e20536564206672696e67696c6c61206d61757269732073697420616d6574206e6962682e20446f6e656320736f64616c6573207361676974746973206d61676e612e2053656420636f6e7365717561742c206c656f206567657420626962656e64756d20736f64616c65732c2061756775652076656c697420637572737573206e756e633c2f703e, 0x3c703ed8add981d98420d8a7d984d8b9d982d98ad982d8a93c2f703e, 'img_bg_2.jpg', 'event-1[1].jpg', 1),
(3, 0, 'Quran Completion', 0xd8a5d8aad985d8a7d98520d8a7d984d982d8b1d8a2d986, '0000-00-00', 0x3c703e43756d20736f63696973206e61746f7175652070656e617469627573206574206d61676e6973206469732070617274757269656e74206d6f6e7465732c206e61736365747572207269646963756c7573206d75732e20446f6e6563207175616d2066656c69732c20756c74726963696573206e65632c2070656c6c656e7465737175652065752c207072657469756d20717569732c2073656d2e204e756c6c6120636f6e736571756174206d61737361207175697320656e696d2e20446f6e65632070656465206a7573746f2c206672696e67696c6c612076656c2c20616c6971756574206e65632c2076756c70757461746520656765742c20617263752e3c2f703e, 0x3c703ed8a5d8aad985d8a7d98520d8a7d984d982d8b1d8a2d9863c2f703e, 0x3c703e4c6f72656d20697073756d20646f6c6f722073697420616d65742c20636f6e7365637465747565722061646970697363696e6720656c69742e2041656e65616e20636f6d6d6f646f206c6967756c61206567657420646f6c6f722e2041656e65616e206d617373612e2043756d20736f63696973206e61746f7175652070656e617469627573206574206d61676e6973206469732070617274757269656e74206d6f6e7465732c206e61736365747572207269646963756c7573206d75732e20446f6e6563207175616d2066656c69732c20756c74726963696573206e65632c2070656c6c656e7465737175652065752c207072657469756d20717569732c2073656d2e204e756c6c6120636f6e736571756174206d61737361207175697320656e696d2e20446f6e65632070656465206a7573746f2c206672696e67696c6c612076656c2c20616c6971756574206e65632c2076756c70757461746520656765742c20617263752e20496e20656e696d206a7573746f2c2072686f6e6375732075742c20696d7065726469657420612c2076656e656e617469732076697461652c206a7573746f2e204e756c6c616d2064696374756d2066656c69732065752070656465206d6f6c6c6973207072657469756d2e20496e74656765722074696e636964756e742e204372617320646170696275732e20566976616d757320656c656d656e74756d2073656d706572206e6973692e2041656e65616e2076756c70757461746520656c656966656e642074656c6c75732e2041656e65616e206c656f206c6967756c612c20706f72747469746f722065752c20636f6e7365717561742076697461652c20656c656966656e642061632c20656e696d2e20416c697175616d206c6f72656d20616e74652c206461706962757320696e2c207669766572726120717569732c206665756769617420612c2074656c6c75732e2050686173656c6c75732076697665727261206e756c6c61207574206d6574757320766172697573206c616f726565742e20517569737175652072757472756d2e2041656e65616e20696d706572646965742e20457469616d20756c74726963696573206e6973692076656c2061756775652e2043757261626974757220756c6c616d636f7270657220756c74726963696573206e6973692e204e616d2065676574206475692e20457469616d2072686f6e6375732e204d616563656e61732074656d7075732c2074656c6c7573206567657420636f6e64696d656e74756d2072686f6e6375732c2073656d207175616d2073656d706572206c696265726f2c2073697420616d65742061646970697363696e672073656d206e657175652073656420697073756d2e204e616d207175616d206e756e632c20626c616e6469742076656c2c206c75637475732070756c76696e61722c2068656e6472657269742069642c206c6f72656d2e204d616563656e6173206e6563206f64696f20657420616e74652074696e636964756e742074656d7075732e20446f6e65632076697461652073617069656e207574206c696265726f2076656e656e617469732066617563696275732e204e756c6c616d207175697320616e74652e20457469616d2073697420616d6574206f72636920656765742065726f732066617563696275732074696e636964756e742e2044756973206c656f2e20536564206672696e67696c6c61206d61757269732073697420616d6574206e6962682e20446f6e656320736f64616c6573207361676974746973206d61676e612e2053656420636f6e7365717561742c206c656f206567657420626962656e64756d20736f64616c65732c2061756775652076656c697420637572737573206e756e633c2f703e, 0x3c703ed8a5d8aad985d8a7d98520d8a7d984d982d8b1d8a2d9863c2f703e, 'img_bg_3.jpg', 'event-5.jpg', 1);
-- --------------------------------------------------------
--
-- Table structure for table `sitemap_tbl`
--
CREATE TABLE `sitemap_tbl` (
`id` int(11) NOT NULL,
`pageid` int(11) NOT NULL,
`pagetitle` text NOT NULL,
`sortorder` int(11) NOT NULL
) ENGINE=MyISAM DEFAULT CHARSET=latin1;
--
-- Dumping data for table `sitemap_tbl`
--
INSERT INTO `sitemap_tbl` (`id`, `pageid`, `pagetitle`, `sortorder`) VALUES
(1, 10, '', 1),
(2, 9, '', 2),
(3, 7, '', 3),
(4, 11, '', 4),
(5, 12, '', 5),
(6, 13, '', 6),
(7, 8, '', 7),
(8, 14, '', 8),
(9, 1, '', 1),
(10, 2, '', 2),
(11, 47, '', 3),
(12, 48, '', 4),
(13, 6, '', 5);
-- --------------------------------------------------------
--
-- Table structure for table `siteuser_tbl`
--
CREATE TABLE `siteuser_tbl` (
`id` int(11) NOT NULL,
`name` varchar(255) NOT NULL,
`email` varchar(255) NOT NULL,
`phone` varchar(255) NOT NULL,
`address` varchar(255) NOT NULL,
`username` varchar(255) NOT NULL,
`password` varchar(255) NOT NULL,
`lastlogindate` datetime NOT NULL,
`login_ip` varchar(255) NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0'
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `slide_show_tbl`
--
CREATE TABLE `slide_show_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) NOT NULL,
`ar_title` blob NOT NULL,
`alt_text` varchar(255) NOT NULL,
`ar_alt_text` blob NOT NULL,
`sort_order` int(11) NOT NULL,
`image` varchar(255) NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0',
`pageid` int(11) NOT NULL,
`youtube` text
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `slide_show_tbl`
--
INSERT INTO `slide_show_tbl` (`id`, `title`, `ar_title`, `alt_text`, `ar_alt_text`, `sort_order`, `image`, `status`, `pageid`, `youtube`) VALUES
(4, 'Image1', 0xd8a7d984d8b5d988d8b1d8a92031, 'Deco Che<NAME> Design', 0xd8afd98ad983d98820d8b4d98a20d8b3d988d98a20d8aad8b5d985d98ad985, 1, 'iStock-637591256[7].jpg', 1, 1, NULL),
(5, 'Image2', '', 'Deco Chez Soi Design', '', 2, 'Photo2_tn.jpg', 1, 1, NULL),
(6, 'Image3', '', 'Deco Chez Soi Design', '', 3, 'iStock_000008190739XSmall.jpg', 1, 1, NULL),
(7, 'Image4', '', 'Deco Chez Soi Design', '', 4, 'iStock_000008190739XSmall[1].jpg', 1, 1, NULL),
(8, 'Image5', '', 'Deco Chez Soi Design', '', 5, 'Photo5_tn.jpg', 0, 1, NULL),
(9, 'Image6', '', 'Deco Chez Soi Design', '', 6, 'Photo7_tn.jpg', 0, 1, NULL),
(12, 'About Us', '', 'Deco Chez Soi Design', '', 9, 'AboutUspicture3_tn.jpg', 1, 2, NULL),
(13, 'How It Works', '', 'Deco Chez Soi Design', '', 10, 'Howitworkspicture_tn.jpg', 1, 5, NULL),
(20, 'Service', 0x53657276696365, 'Service', 0x53657276696365, 11, 'blog-1[2].jpg', 1, 49, NULL);
-- --------------------------------------------------------
--
-- Table structure for table `staff_tbl`
--
CREATE TABLE `staff_tbl` (
`id` int(11) NOT NULL,
`title` varchar(255) NOT NULL,
`image` varchar(255) NOT NULL,
`link` varchar(255) NOT NULL,
`sortorder` int(11) NOT NULL,
`ar_title` blob NOT NULL,
`ar_description` blob NOT NULL,
`description` text CHARACTER SET utf8 NOT NULL,
`status` int(11) DEFAULT '1'
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `staff_tbl`
--
INSERT INTO `staff_tbl` (`id`, `title`, `image`, `link`, `sortorder`, `ar_title`, `ar_description`, `description`, `status`) VALUES
(1, 'Al<NAME>', 'person2.jpg', '', 1, 0x416c61737461697220636f6f6b, 0x3c703e3c7370616e3e4c6f72656d20697073756d20646f6c6f722073697420616d65742c20636f6e73206563746574757220656c69742e2056657320746962756c756d206e6563206f64696f73205375737065206e6469737365206375727375732e3c2f7370616e3e3c2f703e, '<p><span>Lorem ipsum dolor sit amet, cons ectetur elit. Ves tibulum nec odios Suspe ndisse cursus.</span></p>', 1),
(2, 'John', 'person1.jpg', '', 2, 0x4a6f686e, 0x3c703e3c7370616e3e4c6f72656d20497073756d2069732073696d706c792064756d6d792074657874206f6620746865207072696e74696e6720616e64207479706573657474696e6720696e6475737472792e204c6f72656d20497073756d20686173206265656e2074686520696e6475737472792773207374616e646172642064756d6d79207465787420657665722073696e6365207468652031353030732c207768656e20616e20756e6b6e6f776e207072696e74657220746f6f6b20612067616c6c6579206f66207479706520616e6420736372616d626c656420697420746f206d616b65206120747970652073706563696d656e20626f6f6b2e3c2f7370616e3e3c2f703e, '<p><span>Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry\'s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book.</span></p>', 1);
-- --------------------------------------------------------
--
-- Table structure for table `subscription_tbl`
--
CREATE TABLE `subscription_tbl` (
`id` int(10) UNSIGNED NOT NULL,
`email` text,
`sub_date` datetime DEFAULT NULL,
`status` int(11) DEFAULT '1'
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4;
--
-- Dumping data for table `subscription_tbl`
--
INSERT INTO `subscription_tbl` (`id`, `email`, `sub_date`, `status`) VALUES
(2, '<EMAIL>', '2020-12-07 14:28:35', 1),
(3, '<EMAIL>', '2020-12-15 13:20:52', 1);
-- --------------------------------------------------------
--
-- Table structure for table `tradeshows_tbl`
--
CREATE TABLE `tradeshows_tbl` (
`id` int(11) NOT NULL,
`name` varchar(255) NOT NULL,
`ar_name` varchar(255) CHARACTER SET utf8 NOT NULL,
`description` blob NOT NULL,
`ar_description` blob NOT NULL,
`contact` varchar(50) NOT NULL,
`address` blob NOT NULL,
`ar_address` blob NOT NULL,
`latitude` double NOT NULL,
`longitude` double NOT NULL,
`weblink` text NOT NULL,
`sort_order` int(11) NOT NULL,
`image` text NOT NULL,
`ar_image` text NOT NULL,
`status` int(1) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `tradeshows_tbl`
--
INSERT INTO `tradeshows_tbl` (`id`, `name`, `ar_name`, `description`, `ar_description`, `contact`, `address`, `ar_address`, `latitude`, `longitude`, `weblink`, `sort_order`, `image`, `ar_image`, `status`) VALUES
(1, 'China Glass', 'China Glass', 0x3c64697620636c6173733d2274696d65223e0d0a3c64697620636c6173733d22646174652d646973706c61792d72616e6765223e3c7370616e20636c6173733d22646174652d646973706c61792d7374617274223e31312e30342e323031363c2f7370616e3e266e6273703b746f266e6273703b3c7370616e20636c6173733d22646174652d646973706c61792d656e64223e31342e30342e323031363c2f7370616e3e3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d2268616c6c223e3c6c6162656c3e48616c6c653a3c2f6c6162656c3e266e6273703b57313c2f6469763e0d0a3c64697620636c6173733d227374616e64223e3c6c6162656c3e5374616e643a3c2f6c6162656c3e266e6273703b3037313c2f6469763e, 0x3c64697620636c6173733d2274696d65223e0d0a3c64697620636c6173733d22646174652d646973706c61792d72616e6765223e3c7370616e20636c6173733d22646174652d646973706c61792d7374617274223e31312e30342e323031363c2f7370616e3e266e6273703b746f266e6273703b3c7370616e20636c6173733d22646174652d646973706c61792d656e64223e31342e30342e323031363c2f7370616e3e3c2f6469763e0d0a3c2f6469763e0d0a3c64697620636c6173733d2268616c6c223e3c6c6162656c3e48616c6c653a3c2f6c6162656c3e266e6273703b57313c2f6469763e0d0a3c64697620636c6173733d227374616e64223e3c6c6162656c3e5374616e643a3c2f6c6162656c3e266e6273703b3037313c2f6469763e, '', 0x5368616e67686169, 0x5368616e67686169, 0, 0, 'http://www.chinaexhibition.com/trade_events/7876-China_Glass_2016_-_The_27th_China_Glass_Expo_2016.html', 1, 'china-glass-3390-1.gif', 'china-glass-3390-2.gif', 1);
-- --------------------------------------------------------
--
-- Table structure for table `user_tbl`
--
CREATE TABLE `user_tbl` (
`id` int(11) NOT NULL,
`username` varchar(255) NOT NULL,
`password` varchar(255) NOT NULL,
`full_name` varchar(255) NOT NULL,
`email` varchar(255) NOT NULL,
`page_management` tinyint(1) NOT NULL DEFAULT '0',
`content_management` tinyint(1) NOT NULL DEFAULT '0',
`news_management` tinyint(1) NOT NULL DEFAULT '0',
`gallery_management` tinyint(1) NOT NULL DEFAULT '0',
`slideshow_management` tinyint(1) NOT NULL DEFAULT '0',
`forms_management` tinyint(1) NOT NULL DEFAULT '0',
`expandablecontent_management` tinyint(1) NOT NULL DEFAULT '0',
`custommodule_management` tinyint(1) NOT NULL DEFAULT '0',
`user_management` tinyint(1) NOT NULL DEFAULT '0',
`style_management` tinyint(1) NOT NULL DEFAULT '0',
`creationdate` datetime NOT NULL,
`lastlogindate` datetime NOT NULL,
`login_ip` varchar(255) NOT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0'
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `user_tbl`
--
INSERT INTO `user_tbl` (`id`, `username`, `password`, `full_name`, `email`, `page_management`, `content_management`, `news_management`, `gallery_management`, `slideshow_management`, `forms_management`, `expandablecontent_management`, `custommodule_management`, `user_management`, `style_management`, `creationdate`, `lastlogindate`, `login_ip`, `status`) VALUES
(1, 'walkinlogic', '<PASSWORD>', '<NAME>', '<EMAIL>', 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, '2020-12-12 07:24:00', '2020-12-17 11:57:36', '172.16.17.32', 1);
--
-- Indexes for dumped tables
--
--
-- Indexes for table `album_tbl`
--
ALTER TABLE `album_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `certificates_tbl`
--
ALTER TABLE `certificates_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `clientreviews_tbl`
--
ALTER TABLE `clientreviews_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `collections_tbl`
--
ALTER TABLE `collections_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `config_history_tbl`
--
ALTER TABLE `config_history_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `config_tbl`
--
ALTER TABLE `config_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `contactdetails_tbl`
--
ALTER TABLE `contactdetails_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `content_history_tbl`
--
ALTER TABLE `content_history_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `content_tbl`
--
ALTER TABLE `content_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `cssstyle_tbl`
--
ALTER TABLE `cssstyle_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `customimages_tbl`
--
ALTER TABLE `customimages_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `customregion_tbl`
--
ALTER TABLE `customregion_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `downloads_tbl`
--
ALTER TABLE `downloads_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `d_collections_tbl`
--
ALTER TABLE `d_collections_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `d_products_tbl`
--
ALTER TABLE `d_products_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `d_product_images_tbl`
--
ALTER TABLE `d_product_images_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `faqs_tbl`
--
ALTER TABLE `faqs_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `footer_tabs_tbl`
--
ALTER TABLE `footer_tabs_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `formconfig_tbl`
--
ALTER TABLE `formconfig_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `images_tbl`
--
ALTER TABLE `images_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `newsletters_tbl`
--
ALTER TABLE `newsletters_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `news_tbl`
--
ALTER TABLE `news_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `products_tbl`
--
ALTER TABLE `products_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `product_images_tbl`
--
ALTER TABLE `product_images_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `retail_locations_tbl`
--
ALTER TABLE `retail_locations_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `services_tbl`
--
ALTER TABLE `services_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `sitemap_tbl`
--
ALTER TABLE `sitemap_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `siteuser_tbl`
--
ALTER TABLE `siteuser_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `slide_show_tbl`
--
ALTER TABLE `slide_show_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `staff_tbl`
--
ALTER TABLE `staff_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `subscription_tbl`
--
ALTER TABLE `subscription_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `tradeshows_tbl`
--
ALTER TABLE `tradeshows_tbl`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `user_tbl`
--
ALTER TABLE `user_tbl`
ADD PRIMARY KEY (`id`);
--
-- AUTO_INCREMENT for dumped tables
--
--
-- AUTO_INCREMENT for table `album_tbl`
--
ALTER TABLE `album_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=4;
--
-- AUTO_INCREMENT for table `certificates_tbl`
--
ALTER TABLE `certificates_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `clientreviews_tbl`
--
ALTER TABLE `clientreviews_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=3;
--
-- AUTO_INCREMENT for table `collections_tbl`
--
ALTER TABLE `collections_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `config_history_tbl`
--
ALTER TABLE `config_history_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=8;
--
-- AUTO_INCREMENT for table `config_tbl`
--
ALTER TABLE `config_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2;
--
-- AUTO_INCREMENT for table `contactdetails_tbl`
--
ALTER TABLE `contactdetails_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2;
--
-- AUTO_INCREMENT for table `content_history_tbl`
--
ALTER TABLE `content_history_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=12;
--
-- AUTO_INCREMENT for table `content_tbl`
--
ALTER TABLE `content_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=50;
--
-- AUTO_INCREMENT for table `cssstyle_tbl`
--
ALTER TABLE `cssstyle_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `customimages_tbl`
--
ALTER TABLE `customimages_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=3;
--
-- AUTO_INCREMENT for table `customregion_tbl`
--
ALTER TABLE `customregion_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `downloads_tbl`
--
ALTER TABLE `downloads_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `d_collections_tbl`
--
ALTER TABLE `d_collections_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `d_products_tbl`
--
ALTER TABLE `d_products_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `d_product_images_tbl`
--
ALTER TABLE `d_product_images_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `faqs_tbl`
--
ALTER TABLE `faqs_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=3;
--
-- AUTO_INCREMENT for table `footer_tabs_tbl`
--
ALTER TABLE `footer_tabs_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2;
--
-- AUTO_INCREMENT for table `formconfig_tbl`
--
ALTER TABLE `formconfig_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=3;
--
-- AUTO_INCREMENT for table `images_tbl`
--
ALTER TABLE `images_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=9;
--
-- AUTO_INCREMENT for table `newsletters_tbl`
--
ALTER TABLE `newsletters_tbl`
MODIFY `id` int(10) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2;
--
-- AUTO_INCREMENT for table `news_tbl`
--
ALTER TABLE `news_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=6;
--
-- AUTO_INCREMENT for table `products_tbl`
--
ALTER TABLE `products_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `product_images_tbl`
--
ALTER TABLE `product_images_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `retail_locations_tbl`
--
ALTER TABLE `retail_locations_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2;
--
-- AUTO_INCREMENT for table `services_tbl`
--
ALTER TABLE `services_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=4;
--
-- AUTO_INCREMENT for table `sitemap_tbl`
--
ALTER TABLE `sitemap_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=14;
--
-- AUTO_INCREMENT for table `siteuser_tbl`
--
ALTER TABLE `siteuser_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `slide_show_tbl`
--
ALTER TABLE `slide_show_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=21;
--
-- AUTO_INCREMENT for table `staff_tbl`
--
ALTER TABLE `staff_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=3;
--
-- AUTO_INCREMENT for table `subscription_tbl`
--
ALTER TABLE `subscription_tbl`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=4;
--
-- AUTO_INCREMENT for table `tradeshows_tbl`
--
ALTER TABLE `tradeshows_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2;
--
-- AUTO_INCREMENT for table `user_tbl`
--
ALTER TABLE `user_tbl`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=6;
COMMIT;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
-- phpMyAdmin SQL Dump
-- version 4.6.5.2
-- https://www.phpmyadmin.net/
--
-- Host: 127.0.0.1
-- Generation Time: Feb 27, 2017 at 03:39 PM
-- Server version: 10.1.21-MariaDB
-- PHP Version: 5.6.30
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `peer`
--
-- --------------------------------------------------------
--
-- Table structure for table `accounts`
--
CREATE TABLE `accounts` (
`id` int(10) UNSIGNED NOT NULL,
`user_id` varchar(191) COLLATE utf8mb4_unicode_ci NOT NULL,
`account_name` varchar(191) COLLATE utf8mb4_unicode_ci NOT NULL,
`account_no` varchar(191) COLLATE utf8mb4_unicode_ci NOT NULL,
`bank_name` varchar(191) COLLATE utf8mb4_unicode_ci NOT NULL,
`account_type` varchar(191) COLLATE utf8mb4_unicode_ci NOT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `accounts`
--
INSERT INTO `accounts` (`id`, `user_id`, `account_name`, `account_no`, `bank_name`, `account_type`, `created_at`, `updated_at`) VALUES
(2, '2', 'ss', '2121', 'RTF', 'savi', '2017-02-25 07:48:32', '2017-02-25 07:48:32'),
(12, '3', 'erew', '43242', '34343', 'SAVINGG', '2017-02-25 08:03:51', '2017-02-25 08:03:51'),
(13, '4', 'Bdfsds', '432422352', '3434323523', 'SAVINGG', '2017-02-25 08:03:51', '2017-02-25 08:03:51'),
(16, '6', 'wqrqw', '2352352', 'ITCC', 'SAVINGG', '2017-02-27 08:09:53', '2017-02-27 08:09:53'),
(17, '1', 'AccName', '866969999889', 'ITT', 'SAVINGG', '2017-02-27 09:09:05', '2017-02-27 09:09:05');
-- --------------------------------------------------------
--
-- Table structure for table `help_match`
--
CREATE TABLE `help_match` (
`help_id` int(11) NOT NULL,
`sender_id` int(11) NOT NULL,
`receiver_id` int(11) NOT NULL,
`amount` int(11) NOT NULL,
`proof` text,
`receiver_ack` tinyint(1) DEFAULT NULL,
`sender_ack` tinyint(1) DEFAULT NULL,
`status` tinyint(1) NOT NULL DEFAULT '0',
`closed_on` datetime DEFAULT NULL,
`created_on` datetime NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `help_match`
--
INSERT INTO `help_match` (`help_id`, `sender_id`, `receiver_id`, `amount`, `proof`, `receiver_ack`, `sender_ack`, `status`, `closed_on`, `created_on`) VALUES
(1, 3, 1, 2500, '1488199680_V_for_Vendetta.jpg', 1, NULL, 2, '2017-02-27 12:50:16', '2017-02-27 18:20:16'),
(2, 4, 1, 2500, '1488132828_img1.jpg', 1, NULL, 2, '2017-02-27 12:31:08', '2017-02-27 18:01:08'),
(3, 1, 2, 2500, '1488201935_img1.jpg', 1, NULL, 2, '2017-02-27 13:25:48', '2017-02-27 18:55:48'),
(4, 3, 2, 2500, '1488201965_img1.jpg', 1, NULL, 2, '2017-02-27 13:26:23', '2017-02-27 18:56:23'),
(5, 2, 1, 2500, NULL, NULL, NULL, 1, NULL, '2017-02-27 19:38:45'),
(6, 6, 1, 2500, NULL, NULL, NULL, 1, NULL, '2017-02-27 19:38:45');
-- --------------------------------------------------------
--
-- Table structure for table `help_members`
--
CREATE TABLE `help_members` (
`id` int(11) NOT NULL,
`member_id` int(11) NOT NULL,
`status` tinyint(1) NOT NULL COMMENT '1=ReadyToProvide, 2=ReadyToGethelp',
`onProcess` tinyint(1) NOT NULL DEFAULT '0',
`eligible_for` tinyint(1) DEFAULT NULL,
`accept_get` tinyint(1) DEFAULT NULL,
`accept_get_on` datetime DEFAULT NULL,
`accept_provide` tinyint(1) DEFAULT NULL,
`accept_provide_on` datetime DEFAULT NULL,
`last_updated` datetime NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `help_members`
--
INSERT INTO `help_members` (`id`, `member_id`, `status`, `onProcess`, `eligible_for`, `accept_get`, `accept_get_on`, `accept_provide`, `accept_provide_on`, `last_updated`) VALUES
(2, 1, 2, 1, 2, 1, '2017-02-27 14:11:05', 1, '2017-02-27 12:52:48', '2017-02-27 19:41:05'),
(3, 2, 1, 1, 0, 0, NULL, 1, '2017-02-27 13:28:31', '2017-02-27 19:38:45'),
(10, 3, 2, 0, 2, NULL, NULL, 1, '2017-02-26 10:53:37', '2017-02-27 18:56:23'),
(11, 4, 2, 0, 2, 1, '2017-02-27 12:45:09', 1, '2017-02-26 10:54:10', '2017-02-27 18:15:09'),
(12, 6, 1, 1, NULL, NULL, NULL, 1, '2017-02-27 13:40:06', '2017-02-27 19:38:45'),
(13, 5, 1, 0, NULL, NULL, NULL, 1, '2017-02-27 13:41:13', '2017-02-27 19:11:13');
-- --------------------------------------------------------
--
-- Table structure for table `migrations`
--
CREATE TABLE `migrations` (
`id` int(10) UNSIGNED NOT NULL,
`migration` varchar(191) COLLATE utf8mb4_unicode_ci NOT NULL,
`batch` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `migrations`
--
INSERT INTO `migrations` (`id`, `migration`, `batch`) VALUES
(1, '2014_10_12_000000_create_users_table', 1),
(2, '2014_10_12_100000_create_password_resets_table', 1),
(3, '2017_02_19_163401_create_useraccount_table', 2);
-- --------------------------------------------------------
--
-- Table structure for table `password_resets`
--
CREATE TABLE `password_resets` (
`email` varchar(191) COLLATE utf8mb4_unicode_ci NOT NULL,
`token` varchar(191) COLLATE utf8mb4_unicode_ci NOT NULL,
`created_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
-- --------------------------------------------------------
--
-- Table structure for table `users`
--
CREATE TABLE `users` (
`id` int(10) UNSIGNED NOT NULL,
`fname` varchar(191) COLLATE utf8mb4_unicode_ci NOT NULL,
`lname` varchar(50) COLLATE utf8mb4_unicode_ci NOT NULL,
`email` varchar(191) COLLATE utf8mb4_unicode_ci NOT NULL,
`phoneno` varchar(20) COLLATE utf8mb4_unicode_ci NOT NULL,
`password` varchar(191) COLLATE utf8mb4_unicode_ci NOT NULL,
`remail` varchar(50) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`role` tinyint(1) NOT NULL DEFAULT '0',
`status` tinyint(4) NOT NULL DEFAULT '1',
`remember_token` varchar(100) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `users`
--
INSERT INTO `users` (`id`, `fname`, `lname`, `email`, `phoneno`, `password`, `remail`, `role`, `status`, `remember_token`, `created_at`, `updated_at`) VALUES
(1, 'test1', 'TEst', '<EMAIL>', '', '$2y$10$Hwp17VbdkExnjKD70WD/RO1b4FVX05Rb/wiY8D4.jzVe3aaLepCW6', NULL, 1, 1, '7rr3ylZsCFKUYCTWmleTZsFZqv8Vd08t5jwZP6sj6Pz9wC8Si8spURaHzeKh', '2017-02-18 05:31:02', '2017-02-18 05:31:02'),
(2, 'test 2', 'Test', '<EMAIL>', '2323232323', '$2y$10$1pMhEMmdT9DuHjYOsJlZJutOMHD7ETWYjZ3QhLDgxJHczHBAcFTnC', NULL, 0, 2, '5ERwxKWyURaqZtr0Sg8Fz3joVwLzxQI0sz5EPMA6Q941K2tFBCvdPvAr9Xey', '2017-02-18 06:42:43', '2017-02-18 06:42:43'),
(3, 'test 3', 'tt', '<EMAIL>', '7193575738', '$2y$10$VHbe2qe.m.Tgj2TQrpKeE.YiG9BBJEuZWzAr6VqhGXB8pjVuxCy9i', NULL, 0, 1, 'swzOAzV6NCGKBQ87wBNLmUPDW88cqxeAEXB2xcTaa6iKakpLajnEXFJZaBeG', '2017-02-18 07:21:22', '2017-02-18 07:21:22'),
(4, 'Test 4', 'Test user', '<EMAIL>', '7193575738', '$2y$10$oggHafk6M6hFU/WQhpMq1.VvFySEEChXAllZiBLQJBM81MxLsNuTW', '<EMAIL>', 0, 1, '5tWneD5W6Cmydym0EvmzSy43nllQ1bL1aq61ZVH2eNJl9oscI4E5ez4Bdxcc', '2017-02-18 07:26:59', '2017-02-18 07:26:59'),
(5, 'test 5', 'test 5', '<EMAIL>', '979879879989', '$2y$10$gaVzmfuP/C4Hosjb/as.TOCoZ47qNYKtd.R07TRJq9WHi2o147rwa', '<EMAIL>', 0, 1, 'E98ZtbzNdAMEe48DEErIM74uJCqr5kQLhO5tNFqjcLCA8wdOaXm529QMuETV', '2017-02-27 08:02:44', '2017-02-27 08:02:44'),
(6, 'test 6', 'test 6', '<EMAIL>', '98678989798', '$2y$10$n/zYiEaudorOc4ZZNAiheePk67N7xDJZlwvJIW5IfgXzTUX83ZsXS', '<EMAIL>', 0, 1, 'YcVjkMrl363MGmv9Obbjen73OekL0TTlRKSMVzJMgrfQdGTNs3rPi7U76QNb', '2017-02-27 08:08:28', '2017-02-27 08:08:28');
--
-- Indexes for dumped tables
--
--
-- Indexes for table `accounts`
--
ALTER TABLE `accounts`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `user_id` (`user_id`);
--
-- Indexes for table `help_match`
--
ALTER TABLE `help_match`
ADD PRIMARY KEY (`help_id`);
--
-- Indexes for table `help_members`
--
ALTER TABLE `help_members`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `member_id` (`member_id`);
--
-- Indexes for table `migrations`
--
ALTER TABLE `migrations`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `password_resets`
--
ALTER TABLE `password_resets`
ADD KEY `password_resets_email_index` (`email`),
ADD KEY `password_resets_token_index` (`token`);
--
-- Indexes for table `users`
--
ALTER TABLE `users`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `users_email_unique` (`email`);
--
-- AUTO_INCREMENT for dumped tables
--
--
-- AUTO_INCREMENT for table `accounts`
--
ALTER TABLE `accounts`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=18;
--
-- AUTO_INCREMENT for table `help_match`
--
ALTER TABLE `help_match`
MODIFY `help_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=7;
--
-- AUTO_INCREMENT for table `help_members`
--
ALTER TABLE `help_members`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=14;
--
-- AUTO_INCREMENT for table `migrations`
--
ALTER TABLE `migrations`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=4;
--
-- AUTO_INCREMENT for table `users`
--
ALTER TABLE `users`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=7;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
ALTER TABLE client ADD COLUMN handbook jsonb;
|
<reponame>Brombe74/IT
-- Inserimento Aziende
INSERT INTO 191126Azienda ('id', 'Nome', 'Luogo', 'Settore', 'Tipologia') VALUES
(1, 'abc', 'Mi', 'informatica', 'z'),
(2, 'abc', 'Mi', 'informatica', 'z'),
(3, 'hjk', 'Mi', 'informatica', 'b'),
(4, 'bcz', 'Mi', 'informatica', 'z'),
(5, 'ppq', 'Mi', 'informatica', 'a'),
(6, 'frt', 'Mi', 'informatica', 'z'),
-- Inserimento Tutor
INSERT INTO 191126Tutor ('id', 'Nome', 'Cognome', 'Materia') VALUES
(100, 'ugo', 'rossi', 'inglese'),
(110, 'diva', 'bruni', 'reti'),
(120, 'stella', 'brunoni','reti'),
(200, 'anna', 'derossi', 'inglese'),
(210, 'ugo', 'pesti', 'reti'),
--Inserimento Tirocinante
INSERT INTO 191126Tirocinante ('Matricola', 'Nome', 'Cognome', 'Classe', 'Idazienda', 'Idtutor') VALUES
(1000, 'anna', 'rosa', '1d', 1, 100),
(2200, 'roberto', 'franco', '2a', 1, 200),
(3000, 'giovanni', 'rosalba', '1d', 1, 200),
(3300, 'dario', 'grumetti', '1a', 10, 200),
(4000, 'ugo', 'rosa', '1d', 2, 220),
SELECT 191126Tirocinante.Nome, 191126Tirocinante.Cognome FROM 191126Tirocinante, 191126Azienda WHERE 191126Tirocinante
|
/* DROP EXISTING DATA WAREHOUSE TABLE (DW) */
DROP TABLE IF EXISTS DW_IMDB_BASE_TITLE_EPISODE;
/* CREATE DW TABLE */
CREATE TABLE DW_IMDB_BASE_TITLE_EPISODE (
P_TCONST_ID INTEGER NULL
,TCONST_NK TEXT NOT NULL-- ALPHANUMERIC IDENTIFIER OF EPISODE
,PARENTTCONST TEXT NOT NULL -- ALPHANUMERIC IDENTIFIER OF THE PARENT TV SERIES
,SEASONNUMBER INT NOT NULL -- SEASON NUMBER THE EPISODE BELONGS TO
,EPISODENUMBER INT NOT NULL -- EPISODE NUMBER OF THE TCONST IN THE TV SERIES
,SRC_NAME TEXT NOT NULL
,LOAD_DATE DATE NOT NULL
,LAST_UPDATE DATE NOT NULL
,NOTE TEXT NOT NULL
,CREATED_AT TIMESTAMPTZ NOT NULL DEFAULT NOW()
,UPDATED_AT TIMESTAMPTZ NOT NULL DEFAULT NOW()
,PRIMARY KEY (P_TCONST_ID)
);
CREATE INDEX DW_IMDB_BASE_TITLE_EPISODE_INDX ON DW_IMDB_BASE_TITLE_EPISODE (TCONST_NK);
CREATE TRIGGER DW_IMDB_BASE_TITLE_EPISODE_UPDT
BEFORE UPDATE ON DW_IMDB_BASE_TITLE_EPISODE
FOR EACH ROW
EXECUTE PROCEDURE TRIGGER_SET_TIMESTAMP();
/* INSERT DEFAULT VALUES */
INSERT INTO DW_IMDB_BASE_TITLE_EPISODE(
P_TCONST_ID
,TCONST_NK
,PARENTTCONST
,SEASONNUMBER
,EPISODENUMBER
,SRC_NAME
,LOAD_DATE
,LAST_UPDATE
,NOTE
)
VALUES (
0 /* AS P_TCONST_ID */
,'N/A' /* AS TCONST_NK*/
,'N/A' /* AS PARENTTCONST */
,0 /* AS SEASONNUMBER */
,0 /* AS EPISODENUMBER */
,'TITLE_EPISODE' /* AS SRC_NAME */
,'19000101' /* AS LOAD_DATE */
,'19000101' /* AS LAST_UPDATE */
,'N/A' /* AS NOTE */
);
COMMIT;
|
create table prices (
itemid int(16) unsigned not null,
itemname varchar(20) not null,
price decimal(9,6) signed not null,
sold int(16) unsigned not null DEFAULT 0,
primary key (itemid)
);
create table sales (
saleid int(16) unsigned not null,
itemid int(16) unsigned not null,
saledate date not null,
quantity int(16) unsigned not null,
buyername varchar(60) null,
primary key (saleid)
);
alter table sales (
add constraint fk_sales_itemid_prices_itemid foreign key (itemid) references prices (itemid)
);
alter table prices (
ADD CONSTRAINT chk_prices_sold CHECK (sold IN (0, 1))
); |
<filename>sql/dump.sql
CREATE DATABASE IF NOT EXISTS `mine` /*!40100 DEFAULT CHARACTER SET latin1 */;
USE `mine`; |
<reponame>tushartushar/dbSmellsData
CREATE TABLE IF NOT EXISTS `modules` ( `id` int(16) NOT NULL AUTO_INCREMENT, `name` char(64) NOT NULL DEFAULT '', `file` tinytext NOT NULL DEFAULT '', `enabled` int(1) NOT NULL DEFAULT 1, `version` char(64) NOT NULL DEFAULT '', `developer` char(64) NOT NULL DEFAULT '', `site` tinytext NOT NULL DEFAULT '', `information` tinytext NOT NULL DEFAULT '', PRIMARY KEY (`id`))
SELECT column_name FROM information_schema.columns WHERE table_name = '.$this->escape($table);
SELECT * FROM sysobjects WHERE ID = object_id(N'%s') AND OBJECTPROPERTY(id, N'IsUserTable') = 1)\nCREATE TABLE";
SELECT * FROM '.$this->db->protect_identifiers($table));
SELECT a,b FROM t1_backup;
SELECT * FROM sysobjects WHERE ID = object_id(N'%s') AND OBJECTPROPERTY(id, N'IsUserTable') = 1)\nDROP TABLE";
CREATE TABLE t1(a,b)
CREATE TABLE IF NOT EXISTS `gameap_games` ( `code` char(16) NOT NULL, `start_code` char(16) NOT NULL, `name` tinytext NOT NULL, `engine` tinytext NOT NULL, `engine_version` char(32) NOT NULL DEFAULT '1', `app_id` int(16) NOT NULL, `app_set_config` char(64) NOT NULL DEFAULT '', `remote_repository` text NOT NULL, `local_repository` text NOT NULL, PRIMARY KEY (`code`))
CREATE TABLE statement if ( ! empty($this->keys))
CREATE TABLE statement? (e.g. in MySQL)
SELECT * FROM dual';
SELECT username FROM dba_users';
SELECT table_name FROM information_schema.tables WHERE table_schema = '".$this->schema."'
CREATE TABLE IF NOT EXISTS `gameap_games` ( `code` varchar(16) NOT NULL, `start_code` varchar(16) NOT NULL, `name` tinytext NOT NULL, `engine` tinytext NOT NULL, `engine_version` varchar(32) NOT NULL DEFAULT '1', `app_id` int(16) NOT NULL, `app_set_config` varchar(64) NOT NULL DEFAULT '', `remote_repository` text NOT NULL, `local_repository` text NOT NULL, PRIMARY KEY (`code`))
SELECT a,b FROM t1;
CREATE TABLE IF NOT EXISTS `gameap_game_types` ( `id` int(16) NOT NULL AUTO_INCREMENT, `game_code` varchar(16) NOT NULL, `name` tinytext NOT NULL, `config_files` text NOT NULL, `content_dirs` text NOT NULL, `log_dirs` text NOT NULL, `fast_rcon` text NOT NULL, `aliases` text NOT NULL, `disk_size` int(16) NOT NULL, `remote_repository` text NOT NULL, `local_repository` text NOT NULL, `kick_cmd` varchar(64) NOT NULL DEFAULT '', `ban_cmd` varchar(64) NOT NULL DEFAULT '', `chname_cmd` varchar(64) NOT NULL DEFAULT '', `srestart_cmd` varchar(64) NOT NULL DEFAULT '', `chmap_cmd` varchar(64) NOT NULL DEFAULT '', `sendmsg_cmd` varchar(64) NOT NULL DEFAULT '', `passwd_cmd` varchar(64) NOT NULL DEFAULT '', `game_types` tinytext NOT NULL, PRIMARY KEY (`id`))
SELECT name FROM sqlite_master WHERE type='table'
CREATE TABLE IF NOT EXISTS `gameap_games` ( `code` char(16) NOT NULL, `start_code` char(16) NOT NULL, `name` tinytext NOT NULL, `engine` tinytext NOT NULL, `engine_version` char(16) NOT NULL, `app_id` int(16) NOT NULL, `app_set_config` char(64) NOT NULL, PRIMARY KEY (`code`))
SELECT * FROM '.$this->protect_identifiers($table, TRUE, NULL, FALSE).' LIMIT 1';
CREATE TABLE IF NOT EXISTS `gameap_game_types` ( `id` int(11) NOT NULL AUTO_INCREMENT, `game_code` char(16) NOT NULL, `name` tinytext NOT NULL, `config_files` text NOT NULL, `content_dirs` text NOT NULL, `log_dirs` text NOT NULL, `fast_rcon` text NOT NULL, `aliases` text NOT NULL, `disk_size` int(11) NOT NULL, `execfile_windows` char(32) NOT NULL DEFAULT '', `execfile_linux` char(32) NOT NULL DEFAULT '', `script_start` tinytext NOT NULL, `script_stop` tinytext NOT NULL, `script_restart` tinytext NOT NULL, `script_status` tinytext NOT NULL, `script_update` tinytext NOT NULL, `script_get_console` tinytext NOT NULL, `passwd_cmd` varchar(64) NOT NULL DEFAULT '', `sendmsg_cmd` varchar(64) NOT NULL DEFAULT '', `chmap_cmd` varchar(64) NOT NULL DEFAULT '', `srestart_cmd` varchar(64) NOT NULL DEFAULT '', `chname_cmd` varchar(64) NOT NULL DEFAULT '', `ban_cmd` varchar(64) NOT NULL DEFAULT '', `kick_cmd` varchar(64) NOT NULL DEFAULT '', PRIMARY KEY (`id`))
SELECT datname FROM pg_database';
|
<filename>31-Aggregation/lab11/lab11/lab11.sql
.read sp20data.sql
CREATE TABLE obedience AS
SELECT "REPLACE THIS LINE WITH YOUR SOLUTION";
CREATE TABLE smallest_int AS
SELECT "REPLACE THIS LINE WITH YOUR SOLUTION";
CREATE TABLE matchmaker AS
SELECT "REPLACE THIS LINE WITH YOUR SOLUTION";
CREATE TABLE parents AS
SELECT "abraham" AS parent, "barack" AS child UNION
SELECT "abraham" , "clinton" UNION
SELECT "delano" , "herbert" UNION
SELECT "fillmore" , "abraham" UNION
SELECT "fillmore" , "delano" UNION
SELECT "fillmore" , "grover" UNION
SELECT "eisenhower" , "fillmore";
CREATE TABLE dogs AS
SELECT "abraham" AS name, "long" AS fur, 26 AS height UNION
SELECT "barack" , "short" , 52 UNION
SELECT "clinton" , "long" , 47 UNION
SELECT "delano" , "long" , 46 UNION
SELECT "eisenhower" , "short" , 35 UNION
SELECT "fillmore" , "curly" , 32 UNION
SELECT "grover" , "short" , 28 UNION
SELECT "herbert" , "curly" , 31;
CREATE TABLE sizes AS
SELECT "toy" AS size, 24 AS min, 28 AS max UNION
SELECT "mini" , 28 , 35 UNION
SELECT "medium" , 35 , 45 UNION
SELECT "standard" , 45 , 60;
-- Ways to stack 4 dogs to a height of at least 170, ordered by total height
CREATE TABLE stacks_helper(dogs, stack_height, last_height);
-- Add your INSERT INTOs here
CREATE TABLE stacks AS
SELECT "REPLACE THIS LINE WITH YOUR SOLUTION";
CREATE TABLE smallest_int_having AS
SELECT "REPLACE THIS LINE WITH YOUR SOLUTION";
CREATE TABLE sp20favpets AS
SELECT "REPLACE THIS LINE WITH YOUR SOLUTION";
CREATE TABLE sp20dog AS
SELECT "REPLACE THIS LINE WITH YOUR SOLUTION";
CREATE TABLE obedienceimages AS
SELECT "REPLACE THIS LINE WITH YOUR SOLUTION"; |
CREATE TABLE [dbo].[tbl_MatchData](
[matchId] [bigint] NOT NULL,
[matchCreation] [bigint] NOT NULL,
[matchDuration] [bigint] NOT NULL,
[region] [varchar](20) NULL,
CONSTRAINT [PK_tbl_MatchData_1] PRIMARY KEY CLUSTERED
(
[matchId] ASC
)WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
|
-- phpMyAdmin SQL Dump
-- version 4.4.10
-- http://www.phpmyadmin.net
--
-- Host: localhost:8889
-- Generation Time: Aug 27, 2015 at 01:41 AM
-- Server version: 5.5.42
-- PHP Version: 5.5.26
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `to_do`
--
CREATE DATABASE IF NOT EXISTS `to_do` DEFAULT CHARACTER SET latin1 COLLATE latin1_swedish_ci;
USE `to_do`;
-- --------------------------------------------------------
--
-- Table structure for table `categories`
--
CREATE TABLE `categories` (
`id` bigint(20) unsigned NOT NULL,
`name` varchar(255) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `categories_tasks`
--
CREATE TABLE `categories_tasks` (
`id` bigint(20) unsigned NOT NULL,
`category_id` int(11) DEFAULT NULL,
`task_id` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `tasks`
--
CREATE TABLE `tasks` (
`id` bigint(20) unsigned NOT NULL,
`description` varchar(255) DEFAULT NULL,
`category_id` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Indexes for dumped tables
--
--
-- Indexes for table `categories`
--
ALTER TABLE `categories`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `id` (`id`);
--
-- Indexes for table `categories_tasks`
--
ALTER TABLE `categories_tasks`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `id` (`id`);
--
-- Indexes for table `tasks`
--
ALTER TABLE `tasks`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `id` (`id`);
--
-- AUTO_INCREMENT for dumped tables
--
--
-- AUTO_INCREMENT for table `categories`
--
ALTER TABLE `categories`
MODIFY `id` bigint(20) unsigned NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `categories_tasks`
--
ALTER TABLE `categories_tasks`
MODIFY `id` bigint(20) unsigned NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `tasks`
--
ALTER TABLE `tasks`
MODIFY `id` bigint(20) unsigned NOT NULL AUTO_INCREMENT;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
<filename>accs-cassandra-twitter-timeseries-app-master/app.cql
CREATE KEYSPACE tweetspace WITH REPLICATION = { 'class' : 'SimpleStrategy', 'replication_factor' : 1 };
use tweetspace;
CREATE TABLE tweets (
tweeter text,
tweet_id text,
tweet text,
created timestamp,
created_date text,
PRIMARY KEY ((created_date), created, tweeter)
) WITH CLUSTERING ORDER BY (created DESC);
|
<gh_stars>0
/*
Navicat Premium Data Transfer
Source Server : local1
Source Server Type : MySQL
Source Server Version : 50725
Source Host : localhost:3306
Source Schema : PersonalManagerSystem
Target Server Type : MySQL
Target Server Version : 50725
File Encoding : 65001
Date: 30/05/2019 19:29:01
*/
SET NAMES utf8mb4;
SET FOREIGN_KEY_CHECKS = 0;
-- ----------------------------
-- Table structure for t_honor
-- ----------------------------
DROP TABLE IF EXISTS `t_honor`;
CREATE TABLE `t_honor` (
`number` varchar(11) DEFAULT NULL COMMENT '教职工编号',
`company` varchar(255) DEFAULT NULL COMMENT '单位',
`awardname` varchar(255) DEFAULT NULL COMMENT '获奖名称',
`awardlevel` varchar(255) DEFAULT NULL COMMENT '获奖级别',
`awardcpy` varchar(255) DEFAULT NULL COMMENT '奖励单位',
`remarks` varchar(255) DEFAULT NULL COMMENT '备注',
`grade` varchar(255) DEFAULT NULL COMMENT '获奖等级',
`honorid` int(11) unsigned NOT NULL AUTO_INCREMENT COMMENT '荣誉id',
`checked` int(2) DEFAULT NULL COMMENT '审核字段',
PRIMARY KEY (`honorid`) USING BTREE,
KEY `number1` (`number`),
CONSTRAINT `number1` FOREIGN KEY (`number`) REFERENCES `t_people` (`number`) ON DELETE NO ACTION ON UPDATE CASCADE
) ENGINE=InnoDB AUTO_INCREMENT=12 DEFAULT CHARSET=utf8mb4;
-- ----------------------------
-- Records of t_honor
-- ----------------------------
BEGIN;
INSERT INTO `t_honor` VALUES ('100002', '计算机学院', 'C语言课程优秀讲师', '院级', 'xx大学', '2017-2018年', '提名', 1, 2);
INSERT INTO `t_honor` VALUES ('100003', '体育学院', '4*100米接力第一名', '校级', 'xx大学', '2017-2018年', '第一名', 4, 2);
INSERT INTO `t_honor` VALUES ('100003', '计算机学院', 'C语言优秀讲师', '院级', 'xx大学', '2017-2018年度', '一等', 6, 2);
INSERT INTO `t_honor` VALUES ('100003', '计算机学院', '数据结构优秀讲师', '院级', 'xx大学', '2017-2018年度', '一等', 7, 2);
INSERT INTO `t_honor` VALUES ('100003', 'xx学院', '优秀创业导师', '院级', 'xx大学', NULL, NULL, 8, 2);
INSERT INTO `t_honor` VALUES ('100003', 'xx学院', '优秀辅导员', '校级', 'xx大学', NULL, NULL, 9, 2);
INSERT INTO `t_honor` VALUES ('100003', 'xx学院', '计算机网络优秀讲师', '校级', 'xx大学', '2017-2018年度', '一等', 10, 2);
INSERT INTO `t_honor` VALUES ('100009', '信息学院', '人工智能优秀讲师', '校级', 'xx大学', '2017-2018', '优秀', 11, 1);
COMMIT;
-- ----------------------------
-- Table structure for t_people
-- ----------------------------
DROP TABLE IF EXISTS `t_people`;
CREATE TABLE `t_people` (
`number` varchar(11) NOT NULL COMMENT '教职工编号',
`name` varchar(255) DEFAULT NULL COMMENT '姓名',
`sex` varchar(10) DEFAULT NULL COMMENT '性别',
`age` varchar(10) DEFAULT NULL COMMENT '年龄',
`department` varchar(255) DEFAULT NULL COMMENT '所属系、部',
`position` varchar(255) DEFAULT NULL COMMENT '职务',
`birthplace` varchar(255) DEFAULT NULL COMMENT '籍贯',
`nation` varchar(255) DEFAULT NULL COMMENT '民族',
`identityNo` varchar(18) DEFAULT NULL COMMENT '身份证号',
`politicalstatus` varchar(255) CHARACTER SET utf8 DEFAULT NULL COMMENT '政治面貌',
`phoneNumber` varchar(12) DEFAULT NULL COMMENT '电话',
`checked` int(2) DEFAULT NULL COMMENT '审核字段',
PRIMARY KEY (`number`),
KEY `number` (`number`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4;
-- ----------------------------
-- Records of t_people
-- ----------------------------
BEGIN;
INSERT INTO `t_people` VALUES ('100001', 'admin', '男', '30', '人事部', '主管', '北京', '汉族', '340122188511115544', '党员', '17777777777', 1);
INSERT INTO `t_people` VALUES ('100002', 'Jams', '男', '25', '经管学院', '博士', '上海', '汉族', '341133199401011144', '团员', '16666666666', 1);
INSERT INTO `t_people` VALUES ('100003', 'Thomas', '男', '24', '信息学院', '讲师', '安徽合肥', '汉族', '344122199006216633', '团员', '18888888888', 1);
INSERT INTO `t_people` VALUES ('100004', 'Jack', '男', '49', '计算机科学与技术系', '系主任', '陕西西安', '汉族', '622122197008081234', '党员', '16666664444', 1);
INSERT INTO `t_people` VALUES ('100005', 'Tony', '男', '49', '公路系', '系主任', '陕西西安', '汉族', '622122197008081234', '党员', '16666663333', 1);
INSERT INTO `t_people` VALUES ('100006', 'Andy', '女', '25', '人事部', '财务员', 'nul', 'null', NULL, 'null', 'null', 1);
INSERT INTO `t_people` VALUES ('100007', 'Baey', '女', NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL, 2);
INSERT INTO `t_people` VALUES ('100008', 'Bob', '男', NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL, 2);
INSERT INTO `t_people` VALUES ('100009', 'Jone', '男', '33', '信息学院', '讲师', '北京', '汉族', '333222198655556666', '党员', '15599995555', 1);
INSERT INTO `t_people` VALUES ('100010', 'Jackson', '男', NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL, 2);
COMMIT;
-- ----------------------------
-- Table structure for t_role
-- ----------------------------
DROP TABLE IF EXISTS `t_role`;
CREATE TABLE `t_role` (
`number` varchar(11) NOT NULL COMMENT '用户序号',
`roleid` int(11) DEFAULT NULL COMMENT '角色id',
PRIMARY KEY (`number`) USING BTREE,
CONSTRAINT `pnumber2` FOREIGN KEY (`number`) REFERENCES `t_people` (`number`) ON DELETE NO ACTION ON UPDATE CASCADE
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4;
-- ----------------------------
-- Records of t_role
-- ----------------------------
BEGIN;
INSERT INTO `t_role` VALUES ('100001', 1);
INSERT INTO `t_role` VALUES ('100002', 2);
INSERT INTO `t_role` VALUES ('100003', 2);
INSERT INTO `t_role` VALUES ('100004', 2);
INSERT INTO `t_role` VALUES ('100005', 2);
INSERT INTO `t_role` VALUES ('100009', 2);
COMMIT;
-- ----------------------------
-- Table structure for t_thesis
-- ----------------------------
DROP TABLE IF EXISTS `t_thesis`;
CREATE TABLE `t_thesis` (
`number` varchar(11) DEFAULT NULL COMMENT '教职工编号',
`name` varchar(255) DEFAULT NULL COMMENT '姓名',
`company` varchar(255) DEFAULT NULL COMMENT '单位',
`title` varchar(255) DEFAULT NULL COMMENT '文题',
`classify` varchar(255) DEFAULT NULL COMMENT '所属分类',
`magazine` varchar(255) DEFAULT NULL COMMENT '发表期刊',
`thesisid` int(11) NOT NULL AUTO_INCREMENT COMMENT '论文ID',
`checked` int(2) DEFAULT NULL COMMENT '审核字段',
PRIMARY KEY (`thesisid`) USING BTREE,
KEY `number3` (`number`),
CONSTRAINT `number3` FOREIGN KEY (`number`) REFERENCES `t_people` (`number`) ON DELETE NO ACTION ON UPDATE CASCADE
) ENGINE=InnoDB AUTO_INCREMENT=27 DEFAULT CHARSET=utf8mb4;
-- ----------------------------
-- Records of t_thesis
-- ----------------------------
BEGIN;
INSERT INTO `t_thesis` VALUES ('100002', 'Jams', '计算机学院', '基于大数据分析的网上论坛关键词检测系统', '大数据', 'cc期刊', 19, 2);
INSERT INTO `t_thesis` VALUES ('100003', 'Thomas', '软件学院', '地图定点信息发布和搜索平台', 'web系统', 'cc期刊', 20, 2);
INSERT INTO `t_thesis` VALUES ('100003', 'Thomas', '计算机学院', '基于区块链的供应链溯源系统', 'web系统', 'cc期刊', 21, 2);
INSERT INTO `t_thesis` VALUES ('100003', 'Thomas', NULL, '视频图像中的景深信息获取', NULL, NULL, 22, 2);
INSERT INTO `t_thesis` VALUES ('100003', 'Thomas', NULL, '基于卷积神经网络的视频中的运动的人获取', NULL, NULL, 23, 1);
INSERT INTO `t_thesis` VALUES ('100003', 'Thomas', 'null', '校园投票系统设计和实现', 'null', 'null', 24, 2);
INSERT INTO `t_thesis` VALUES ('100003', 'Thomas', NULL, '校园人事管理系统设计和实现', NULL, NULL, 25, 2);
INSERT INTO `t_thesis` VALUES ('100002', 'Jams', '经管学院', '网络直播服务对市场经济的效益研究', '经济学', '经济学期刊', 26, 1);
COMMIT;
-- ----------------------------
-- Table structure for t_user
-- ----------------------------
DROP TABLE IF EXISTS `t_user`;
CREATE TABLE `t_user` (
`number` varchar(11) NOT NULL COMMENT '教职工编号',
`password` varchar(255) DEFAULT NULL,
PRIMARY KEY (`number`) USING BTREE,
CONSTRAINT `pnumber4` FOREIGN KEY (`number`) REFERENCES `t_people` (`number`) ON DELETE NO ACTION ON UPDATE CASCADE
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4;
-- ----------------------------
-- Records of t_user
-- ----------------------------
BEGIN;
INSERT INTO `t_user` VALUES ('100001', '123456');
INSERT INTO `t_user` VALUES ('100002', '111111');
INSERT INTO `t_user` VALUES ('100003', '123456');
INSERT INTO `t_user` VALUES ('100004', '081234');
INSERT INTO `t_user` VALUES ('100005', '123456');
INSERT INTO `t_user` VALUES ('100009', '123456');
COMMIT;
SET FOREIGN_KEY_CHECKS = 1;
|
<filename>SEQUENCE/SQ_ENCUMBRANCE_ID.sql
CREATE SEQUENCE "SQ_ENCUMBRANCE_ID" MINVALUE 1 MAXVALUE 999999999999999999999999999 INCREMENT BY 1 START WITH 290 NOCACHE NOORDER NOCYCLE |
INSERT INTO Question (ID, title, description, solution, value, reward)
VALUES (1, 'Care student are bursa?', 'Andrei ar dori sa afle numele, prenumele si codul matricol al studentilor care au bursa.', 'SELECT nume, prenume, nr_matricol FROM studenti WHERE bursa IS NOT NULL', 10, 20);
INSERT INTO Question (ID, title, description, solution, value, reward)
VALUES (2, 'Cine iubeste Logica?', 'Profesorul de logica vrea sa stie numele si prenumele studentilor pe care ii invata.', 'SELECT s.nume, s.prenume FROM studenti s JOIN cursuri c ON s.an = c.an WHERE c.id=1', 10, 20);
INSERT INTO Question (ID, title, description, solution, value, reward)
VALUES (3, 'Eu stiu sa scriu SQL query?', 'Eu vreau sa aflu numele si prenumele studentului cu codul matricol 608IZ8.', "SELECT * FROM studenti WHERE nr_matricol='608IZ8'", 0, 10);
INSERT INTO Question (ID, title, description, solution, value, reward)
VALUES (4, 'Vreau sa-mi stiu nota!?', 'Afisati numarul matricol al studentului, nota si cursul la care nota a fost pusa.', 'SELECT s.nr_matricol, n.valoare, c.titlu_curs FROM studenti s JOIN note n ON s.id=n.id_student JOIN cursuri c ON n.id_curs=c.id', 20, 40);
INSERT INTO Question (ID, title, description, solution, value, reward)
VALUES (5, 'Cine mi-a pus aceasta nota!?', 'Afisati numarul matricol al studentului, nota si profesorul care ar fi putut sa puna acea nota(numele si prenumele vor fi concatenate in aceasta ordine).', "SELECT s.nr_matricol, n.valoare, p.nume||' '||p.prenume AS "PROFESOR" FROM studenti s JOIN note n ON s.id=n.id_student JOIN didactic d ON d.id_curs=n.id_curs JOIN profesori p ON p.id=d.id_profesor", 20, 40);
INSERT INTO Question (ID, title, description, solution, value, reward)
VALUES (6, 'Stiu cine sunt eu, dar cine imi sunt prietenii mei?', 'Afisati numarul matricol al studentului si ai prietenului sau.', 'SELECT p.nr_matricol, s2.nr_matricol FROM (SELECT s1.nr_matricol, p.id_student2 FROM studenti s1 JOIN prieteni p ON s1.id=p.id_student1) p JOIN studenti s2 ON p.id_student2=s2.id', 20, 40);
|
insert into employees(
employee_id,
first_name,
last_name,
email,
phone_number,
job_id,
salary,
commission_pct,
manager_id,
department_id,
hire_date
) values
(100, 'Steven', 'K_ing', 'SKING', '515.123.4567', 'AD_PRES', 24000.00, 0.9, 100, 90, '1992-04-03 00:00:00'),
(101, 'Neena', 'Kochhar', 'NKOCHHAR', '515.123.4568', 'AD_VP', 17000.00, 0.1, 100, 90, '1992-04-03 00:00:00'),
(102, 'Lex', '<NAME>', 'LDEHAAN', '515.123.4569', 'AD_VP', 17000.00, 0.1, 100, 90, '1992-04-03 00:00:00'),
(103, 'Alexander', 'Hunold', 'AHUNOLD', '590.423.4567', 'IT_PROG', 9000.00, 0.1, 102, 60, '1992-04-03 00:00:00'),
(104, 'Bruce', 'Ernst', 'BERNST', '590.423.4568', 'IT_PROG', 6000.00, 0.1, 103, 60, '1992-04-03 00:00:00'),
(105, 'David', 'Austin', 'DAUSTIN', '590.423.4569', 'IT_PROG', 4800.00, 0.1, 103, 60, '1998-03-03 00:00:00'),
(106, 'Valli', 'Pataballa', 'VPATABAL', '590.423.4560', 'IT_PROG', 4800.00, 0.1, 103, 60, '1998-03-03 00:00:00'),
(107, 'Diana', 'Lorentz', 'DLORENTZ', '590.423.5567', 'IT_PROG', 4200.00, 0.1, 103, 60, '1998-03-03 00:00:00'),
(108, 'Nancy', 'Greenberg', 'NGREENBE', '515.124.4569', 'FI_MGR', 12000.00, 0.1, 101, 100, '1998-03-03 00:00:00'),
(109, 'Daniel', 'Faviet', 'DFAVIET', '515.124.4169', 'FI_ACCOUNT', 9000.00, 0.1, 108, 100, '1998-03-03 00:00:00'),
(110, 'John', 'Chen', 'JCHEN', '515.124.4269', 'FI_ACCOUNT', 8200.00, 0.1, 108, 100, '2000-09-09 00:00:00'),
(111, 'Ismael', 'Sciarra', 'ISCIARRA', '515.124.4369', 'FI_ACCOUNT', 7700.00, 0.1, 108, 100, '2000-09-09 00:00:00'),
(112, '<NAME>', 'Urman', 'JMURMAN', '515.124.4469', 'FI_ACCOUNT', 7800.00, 0.1, 108, 100, '2000-09-09 00:00:00'),
(113, 'Luis', 'Popp', 'LPOPP', '515.124.4567', 'FI_ACCOUNT', 6900.00, 0.1, 108, 100, '2000-09-09 00:00:00'),
(114, 'Den', 'Raphaely', 'DRAPHEAL', '515.127.4561', 'PU_MAN', 11000.00, 0.1, 100, 30, '2000-09-09 00:00:00'),
(115, 'Alexander', 'Khoo', 'AKHOO', '515.127.4562', 'PU_CLERK', 3100.00, 0.1, 114, 30, '2000-09-09 00:00:00'),
(116, 'Shelli', 'Baida', 'SBAIDA', '515.127.4563', 'PU_CLERK', 2900.00, 0.1, 114, 30, '2000-09-09 00:00:00'),
(117, 'Sigal', 'Tobias', 'STOBIAS', '515.127.4564', 'PU_CLERK', 2800.00, 0.1, 114, 30, '2000-09-09 00:00:00'),
(118, 'Guy', 'Himuro', 'GHIMURO', '515.127.4565', 'PU_CLERK', 2600.00, 0.1, 114, 30, '2000-09-09 00:00:00'),
(119, 'Karen', 'Colmenares', 'KCOLMENA', '515.127.4566', 'PU_CLERK', 2500.00, 0.1, 114, 30, '2000-09-09 00:00:00'),
(120, 'Matthew', 'Weiss', 'MWEISS', '650.123.1234', 'ST_MAN', 8000.00, 0.1, 100, 50, '2004-02-06 00:00:00'),
(121, 'Adam', 'Fripp', 'AFRIPP', '650.123.2234', 'ST_MAN', 8200.00, 0.0, 100, 50, '2004-02-06 00:00:00'),
(122, 'Payam', 'Kaufling', 'PKAUFLIN', '650.123.3234', 'ST_MAN', 7900.00, 0.0, 100, 50, '2004-02-06 00:00:00'),
(123, 'Shanta', 'Vollman', 'SVOLLMAN', '650.123.4234', 'ST_MAN', 6500.00, 0.0, 100, 50, '2004-02-06 00:00:00'),
(124, 'Kevin', 'Mourgos', 'KMOURGOS', '650.123.5234', 'ST_MAN', 5800.00, 0.0, 100, 50, '2004-02-06 00:00:00'),
(125, 'Julia', 'Nayer', 'JNAYER', '650.124.1214', 'ST_CLERK', 3200.00, 0.0, 120, 50, '2004-02-06 00:00:00'),
(126, 'Irene', 'Mikkilineni', 'IMIKKILI', '650.124.1224', 'ST_CLERK', 2700.00, 0.0, 120, 50, '2004-02-06 00:00:00'),
(127, 'James', 'Landry', 'JLANDRY', '650.124.1334', 'ST_CLERK', 2400.00, 0.0, 120, 50, '2004-02-06 00:00:00'),
(128, 'Steven', 'Markle', 'SMARKLE', '650.124.1434', 'ST_CLERK', 2200.00, 0.0, 120, 50, '2004-02-06 00:00:00'),
(129, 'Laura', 'Bissot', 'LBISSOT', '650.124.5234', 'ST_CLERK', 3300.00, 0.0, 121, 50, '2004-02-06 00:00:00'),
(130, 'Mozhe', 'Atkinson', 'MATKINSO', '650.124.6234', 'ST_CLERK', 2800.00, 0.0, 121, 50, '2004-02-06 00:00:00'),
(131, 'James', 'Marlow', 'JAMRLOW', '650.124.7234', 'ST_CLERK', 2500.00, 0.0, 121, 50, '2004-02-06 00:00:00'),
(132, 'TJ', 'Olson', 'TJOLSON', '650.124.8234', 'ST_CLERK', 2100.00, 0.0, 121, 50, '2004-02-06 00:00:00'),
(133, 'Jason', 'Mallin', 'JMALLIN', '650.127.1934', 'ST_CLERK', 3300.00, 0.0, 122, 50, '2004-02-06 00:00:00'),
(134, 'Michael', 'Rogers', 'MROGERS', '650.127.1834', 'ST_CLERK', 2900.00, 0.0, 122, 50, '2002-12-23 00:00:00'),
(135, 'Ki', 'Gee', 'KGEE', '650.127.1734', 'ST_CLERK', 2400.00, 0.0, 122, 50, '2002-12-23 00:00:00'),
(136, 'Hazel', 'Philtanker', 'HPHILTAN', '650.127.1634', 'ST_CLERK', 2200.00, 0.0, 122, 50, '2002-12-23 00:00:00'),
(137, 'Renske', 'Ladwig', 'RLADWIG', '650.121.1234', 'ST_CLERK', 3600.00, 0.0, 123, 50, '2002-12-23 00:00:00'),
(138, 'Stephen', 'Stiles', 'SSTILES', '650.121.2034', 'ST_CLERK', 3200.00, 0.0, 123, 50, '2002-12-23 00:00:00'),
(139, 'John', 'Seo', 'JSEO', '650.121.2019', 'ST_CLERK', 2700.00, 0.0, 123, 50, '2002-12-23 00:00:00'),
(140, 'Joshua', 'Patel', 'JPATEL', '650.121.1834', 'ST_CLERK', 2500.00, 0.0, 123, 50, '2002-12-23 00:00:00'),
(141, 'Trenna', 'Rajs', 'TRAJS', '650.121.8009', 'ST_CLERK', 3500.00, 0.0, 124, 50, '2002-12-23 00:00:00'),
(142, 'Curtis', 'Davies', 'CDAVIES', '650.121.2994', 'ST_CLERK', 3100.00, 0.0, 124, 50, '2002-12-23 00:00:00'),
(143, 'Randall', 'Matos', 'RMATOS', '650.121.2874', 'ST_CLERK', 2600.00, 0.0, 124, 50, '2002-12-23 00:00:00'),
(144, 'Peter', 'Vargas', 'PVARGAS', '650.121.2004', 'ST_CLERK', 2500.00, 0.0, 124, 50, '2002-12-23 00:00:00'),
(145, 'John', 'Russell', 'JRUSSEL', '011.44.1344.429268', 'SA_MAN', 14000.00, 0.40, 100, 80, '2002-12-23 00:00:00'),
(146, 'Karen', 'Partners', 'KPARTNER', '011.44.1344.467268', 'SA_MAN', 13500.00, 0.30, 100, 80, '2002-12-23 00:00:00'),
(147, 'Alberto', 'Errazuriz', 'AERRAZUR', '011.44.1344.429278', 'SA_MAN', 12000.00, 0.30, 100, 80, '2002-12-23 00:00:00'),
(148, 'Gerald', 'Cambrault', 'GCAMBRAU', '011.44.1344.619268', 'SA_MAN', 11000.00, 0.30, 100, 80, '2002-12-23 00:00:00'),
(149, 'Eleni', 'Zlotkey', 'EZLOTKEY', '011.44.1344.429018', 'SA_MAN', 10500.00, 0.20, 100, 80, '2002-12-23 00:00:00'),
(150, 'Peter', 'Tucker', 'PTUCKER', '011.44.1344.129268', 'SA_REP', 10000.00, 0.30, 145, 80, '2014-03-05 00:00:00'),
(151, 'David', 'Bernstein', 'DBERNSTE', '011.44.1344.345268', 'SA_REP', 9500.00, 0.25, 145, 80, '2014-03-05 00:00:00'),
(152, 'Peter', 'Hall', 'PHALL', '011.44.1344.478968', 'SA_REP', 9000.00, 0.25, 145, 80, '2014-03-05 00:00:00'),
(153, 'Christopher', 'Olsen', 'COLSEN', '011.44.1344.498718', 'SA_REP', 8000.00, 0.20, 145, 80, '2014-03-05 00:00:00'),
(154, 'Nanette', 'Cambrault', 'NCAMBRAU', '011.44.1344.987668', 'SA_REP', 7500.00, 0.20, 145, 80, '2014-03-05 00:00:00'),
(155, 'Oliver', 'Tuvault', 'OTUVAULT', '011.44.1344.486508', 'SA_REP', 7000.00, 0.15, 145, 80, '2014-03-05 00:00:00'),
(156, 'Janette', 'K_ing', 'JKING', '011.44.1345.429268', 'SA_REP', 10000.00, 0.35, 146, 80, '2014-03-05 00:00:00'),
(157, 'Patrick', 'Sully', 'PSULLY', '011.44.1345.929268', 'SA_REP', 9500.00, 0.35, 146, 80, '2014-03-05 00:00:00'),
(158, 'Allan', 'McEwen', 'AMCEWEN', '011.44.1345.829268', 'SA_REP', 9000.00, 0.35, 146, 80, '2014-03-05 00:00:00'),
(159, 'Lindsey', 'Smith', 'LSMITH', '011.44.1345.729268', 'SA_REP', 8000.00, 0.30, 146, 80, '2014-03-05 00:00:00'),
(160, 'Louise', 'Doran', 'LDORAN', '011.44.1345.629268', 'SA_REP', 7500.00, 0.30, 146, 80, '2014-03-05 00:00:00'),
(161, 'Sarath', 'Sewall', 'SSEWALL', '011.44.1345.529268', 'SA_REP', 7000.00, 0.25, 146, 80, '2014-03-05 00:00:00'),
(162, 'Clara', 'Vishney', 'CVISHNEY', '011.44.1346.129268', 'SA_REP', 10500.00, 0.25, 147, 80, '2014-03-05 00:00:00'),
(163, 'Danielle', 'Greene', 'DGREENE', '011.44.1346.229268', 'SA_REP', 9500.00, 0.15, 147, 80, '2014-03-05 00:00:00'),
(164, 'Mattea', 'Marvins', 'MMARVINS', '011.44.1346.329268', 'SA_REP', 7200.00, 0.10, 147, 80, '2014-03-05 00:00:00'),
(165, 'David', 'Lee', 'DLEE', '011.44.1346.529268', 'SA_REP', 6800.00, 0.10, 147, 80, '2014-03-05 00:00:00'),
(166, 'Sundar', 'Ande', 'SANDE', '011.44.1346.629268', 'SA_REP', 6400.00, 0.10, 147, 80, '2014-03-05 00:00:00'),
(167, 'Amit', 'Banda', 'ABANDA', '011.44.1346.729268', 'SA_REP', 6200.00, 0.10, 147, 80, '2014-03-05 00:00:00'),
(168, 'Lisa', 'Ozer', 'LOZER', '011.44.1343.929268', 'SA_REP', 11500.00, 0.25, 148, 80, '2014-03-05 00:00:00'),
(169, 'Harrison', 'Bloom', 'HBLOOM', '011.44.1343.829268', 'SA_REP', 10000.00, 0.20, 148, 80, '2014-03-05 00:00:00'),
(170, 'Tayler', 'Fox', 'TFOX', '011.44.1343.729268', 'SA_REP', 9600.00, 0.20, 148, 80, '2014-03-05 00:00:00'),
(171, 'William', 'Smith', 'WSMITH', '011.44.1343.629268', 'SA_REP', 7400.00, 0.15, 148, 80, '2014-03-05 00:00:00'),
(172, 'Elizabeth', 'Bates', 'EBATES', '011.44.1343.529268', 'SA_REP', 7300.00, 0.15, 148, 80, '2014-03-05 00:00:00'),
(173, 'Sundita', 'Kumar', 'SKUMAR', '011.44.1343.329268', 'SA_REP', 6100.00, 0.10, 148, 80, '2014-03-05 00:00:00'),
(174, 'Ellen', 'Abel', 'EABEL', '011.44.1644.429267', 'SA_REP', 11000.00, 0.30, 149, 80, '2014-03-05 00:00:00'),
(175, 'Alyssa', 'Hutton', 'AHUTTON', '011.44.1644.429266', 'SA_REP', 8800.00, 0.25, 149, 80, '2014-03-05 00:00:00'),
(176, 'Jonathon', 'Taylor', 'JTAYLOR', '011.44.1644.429265', 'SA_REP', 8600.00, 0.20, 149, 80, '2014-03-05 00:00:00'),
(177, 'Jack', 'Livingston', 'JLIVINGS', '011.44.1644.429264', 'SA_REP', 8400.00, 0.20, 149, 80, '2014-03-05 00:00:00'),
(178, 'Kimberely', 'Grant', 'KGRANT', '011.44.1644.429263', 'SA_REP', 7000.00, 0.15, 149, 80, '2014-03-05 00:00:00'),
(179, 'Charles', 'Johnson', 'CJOHNSON', '011.44.1644.429262', 'SA_REP', 6200.00, 0.10, 149, 80, '2014-03-05 00:00:00'),
(180, 'Winston', 'Taylor', 'WTAYLOR', '650.507.9876', 'SH_CLERK', 3200.00, 0.10, 120, 50, '2014-03-05 00:00:00'),
(181, 'Jean', 'Fleaur', 'JFLEAUR', '650.507.9877', 'SH_CLERK', 3100.00, 0.10, 120, 50, '2014-03-05 00:00:00'),
(182, 'Martha', 'Sullivan', 'MSULLIVA', '650.507.9878', 'SH_CLERK', 2500.00, 0.10, 120, 50, '2014-03-05 00:00:00'),
(183, 'Girard', 'Geoni', 'GGEONI', '650.507.9879', 'SH_CLERK', 2800.00, 0.10, 120, 50, '2014-03-05 00:00:00'),
(184, 'Nandita', 'Sarchand', 'NSARCHAN', '650.509.1876', 'SH_CLERK', 4200.00, 0.10, 121, 50, '2014-03-05 00:00:00'),
(185, 'Alexis', 'Bull', 'ABULL', '650.509.2876', 'SH_CLERK', 4100.00, 0.10, 121, 50, '2014-03-05 00:00:00'),
(186, 'Julia', 'Dellinger', 'JDELLING', '650.509.3876', 'SH_CLERK', 3400.00, 0.10, 121, 50, '2014-03-05 00:00:00'),
(187, 'Anthony', 'Cabrio', 'ACABRIO', '650.509.4876', 'SH_CLERK', 3000.00, 0.10, 121, 50, '2014-03-05 00:00:00'),
(188, 'Kelly', 'Chung', 'KCHUNG', '650.505.1876', 'SH_CLERK', 3800.00, 0.10, 122, 50, '2014-03-05 00:00:00'),
(189, 'Jennifer', 'Dilly', 'JDILLY', '650.505.2876', 'SH_CLERK', 3600.00, 0.10, 122, 50, '2014-03-05 00:00:00'),
(190, 'Timothy', 'Gates', 'TGATES', '650.505.3876', 'SH_CLERK', 2900.00, 0.10, 122, 50, '2014-03-05 00:00:00'),
(191, 'Randall', 'Perkins', 'RPERKINS', '650.505.4876', 'SH_CLERK', 2500.00, 0.10, 122, 50, '2014-03-05 00:00:00'),
(192, 'Sarah', 'Bell', 'SBELL', '650.501.1876', 'SH_CLERK', 4000.00, 0.10, 123, 50, '2014-03-05 00:00:00'),
(193, 'Britney', 'Everett', 'BEVERETT', '650.501.2876', 'SH_CLERK', 3900.00, 0.10, 123, 50, '2014-03-05 00:00:00'),
(194, 'Samuel', 'McCain', 'SMCCAIN', '650.501.3876', 'SH_CLERK', 3200.00, 0.10, 123, 50, '2014-03-05 00:00:00'),
(195, 'Vance', 'Jones', 'VJONES', '650.501.4876', 'SH_CLERK', 2800.00, 0.10, 123, 50, '2014-03-05 00:00:00'),
(196, 'Alana', 'Walsh', 'AWALSH', '650.507.9811', 'SH_CLERK', 3100.00, 0.10, 124, 50, '2014-03-05 00:00:00'),
(197, 'Kevin', 'Feeney', 'KFEENEY', '650.507.9822', 'SH_CLERK', 3000.00, 0.10, 124, 50, '2014-03-05 00:00:00'),
(198, 'Donald', 'OConnell', 'DOCONNEL', '650.507.9833', 'SH_CLERK', 2600.00, 0.10, 124, 50, '2014-03-05 00:00:00'),
(199, 'Douglas', 'Grant', 'DGRANT', '650.507.9844', 'SH_CLERK', 2600.00, 0.10, 124, 50, '2014-03-05 00:00:00'),
(200, 'Jennifer', 'Whalen', 'JWHALEN', '515.123.4444', 'AD_ASST', 4400.00, 0.10, 101, 10, '2016-03-03 00:00:00'),
(201, 'Michael', 'Hartstein', 'MHARTSTE', '515.123.5555', 'MK_MAN', 13000.00, 0.10, 100, 20, '2016-03-03 00:00:00'),
(202, 'Pat', 'Fay', 'PFAY', '603.123.6666', 'MK_REP', 6000.00, 0.10, 201, 20, '2016-03-03 00:00:00'),
(203, 'Susan', 'Mavris', 'SMAVRIS', '515.123.7777', 'HR_REP', 6500.00, 0.10, 101, 40, '2016-03-03 00:00:00'),
(204, 'Hermann', 'Baer', 'HBAER', '515.123.8888', 'PR_REP', 10000.00, 0.10, 101, 70, '2016-03-03 00:00:00'),
(205, 'Shelley', 'Higgins', 'SHIGGINS', '515.123.8080', 'AC_MGR', 12000.00, 0.10, 101, 110, '2016-03-03 00:00:00'),
(206, 'William', 'Gietz', 'WGIETZ', '515.123.8181', 'AC_ACCOUNT', 8300.00, 0.10, 205, 110, '2016-03-03 00:00:00')
|
<reponame>qq744788292/cnsoft
CREATE TABLE u101010_user_info
(
puk VARCHAR(20) NOT NULL COMMENT '玩家流水ID',
channel_type VARCHAR(20) COMMENT '渠道标识',
register_type VARCHAR(4) COMMENT '注册方式',
user_phone VARCHAR(20) COMMENT '手机号',
wx_open_id VARCHAR(80) COMMENT '微信ID',
qq_open_id VARCHAR(80) COMMENT 'QQID',
nick_name VARCHAR(80) COMMENT '昵称',
head_portrait_url VARCHAR(200) COMMENT '头像URL',
sex VARCHAR(4) DEFAULT '0' COMMENT '性别',
age_group VARCHAR(4) COMMENT '年龄段',
education VARCHAR(4) COMMENT '学历',
birthday VARCHAR(20) COMMENT '生日',
mailbox VARCHAR(40) COMMENT '邮箱',
real_name VARCHAR(40) COMMENT '真实姓名',
id_card VARCHAR(80) COMMENT '身份证号码',
real_photo VARCHAR(200) COMMENT '本人真实照片',
apply_state_nick VARCHAR(4) COMMENT '昵称审核状态',
apply_state_head VARCHAR(4) COMMENT '头像审核状态',
apply_state_real VARCHAR(4) DEFAULT '9' COMMENT '实名审核状态',
state VARCHAR(4) DEFAULT '0' COMMENT '账号状态',
meno VARCHAR(200) COMMENT '备注',
fb1 VARCHAR(40) COMMENT '备用1',
fb2 VARCHAR(20) COMMENT '备用2',
fb3 VARCHAR(20) COMMENT '备用3',
fb4 VARCHAR(200) COMMENT '备用4',
fb5 VARCHAR(20) COMMENT '备用5',
eb1 VARCHAR(40) COMMENT '扩展1',
eb2 VARCHAR(80) COMMENT '扩展2',
eb3 VARCHAR(20) COMMENT '扩展3',
eb4 VARCHAR(10) COMMENT '扩展4',
eb5 VARCHAR(20) COMMENT '扩展5',
del_flag CHAR(1) DEFAULT '0' NOT NULL COMMENT '有效标识',
create_time VARCHAR(24) DEFAULT '2017/11/12 23:00:00' NOT NULL COMMENT '创建时间',
creator VARCHAR(20) DEFAULT 'SYSTEM' NOT NULL COMMENT '创建者',
update_time VARCHAR(24) DEFAULT '2017/11/12 23:00:00' COMMENT '更新时间',
updator VARCHAR(20) COMMENT '最后更新者',
PRIMARY KEY (puk)
) COMMENT '玩家基本信息'
;
|
<reponame>devatsrs/neon.web<filename>dbv-1/data/schema/tblReseller.sql<gh_stars>0
CREATE TABLE `tblReseller` (
`ResellerID` int(11) NOT NULL AUTO_INCREMENT,
`ResellerName` varchar(155) COLLATE utf8_unicode_ci NOT NULL,
`CompanyID` int(11) NOT NULL,
`ChildCompanyID` int(11) NOT NULL,
`AccountID` int(11) NOT NULL,
`FirstName` varchar(50) COLLATE utf8_unicode_ci DEFAULT NULL,
`LastName` varchar(50) COLLATE utf8_unicode_ci DEFAULT NULL,
`Email` varchar(200) COLLATE utf8_unicode_ci NOT NULL,
`Password` longtext COLLATE utf8_unicode_ci NOT NULL,
`Status` tinyint(1) NOT NULL DEFAULT '1',
`AllowWhiteLabel` tinyint(1) NOT NULL DEFAULT '0',
`created_at` datetime DEFAULT NULL,
`created_by` varchar(100) COLLATE utf8_unicode_ci DEFAULT NULL,
`updated_at` datetime DEFAULT NULL,
`updated_by` varchar(100) COLLATE utf8_unicode_ci DEFAULT NULL,
PRIMARY KEY (`ResellerID`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_unicode_ci |
-- MySQL dump 10.13 Distrib 5.7.26, for osx10.10 (x86_64)
--
-- Host: 127.0.0.1 Database: laraclassified
-- ------------------------------------------------------
-- Server version 5.7.26
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8 */;
/*!40103 SET @OLD_TIME_ZONE=@@TIME_ZONE */;
/*!40103 SET TIME_ZONE='+00:00' */;
/*!40014 SET @OLD_UNIQUE_CHECKS=@@UNIQUE_CHECKS, UNIQUE_CHECKS=0 */;
/*!40014 SET @OLD_FOREIGN_KEY_CHECKS=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */;
/*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='NO_AUTO_VALUE_ON_ZERO' */;
/*!40111 SET @OLD_SQL_NOTES=@@SQL_NOTES, SQL_NOTES=0 */;
--
-- Dumping data for table `<<prefix>>subadmin1`
--
/*!40000 ALTER TABLE `<<prefix>>subadmin1` DISABLE KEYS */;
INSERT INTO `<<prefix>>subadmin1` (`code`, `country_code`, `name`, `asciiname`, `active`) VALUES ('GF.GF','GF','Guyane','Guyane',1);
/*!40000 ALTER TABLE `<<prefix>>subadmin1` ENABLE KEYS */;
--
-- Dumping data for table `<<prefix>>subadmin2`
--
/*!40000 ALTER TABLE `<<prefix>>subadmin2` DISABLE KEYS */;
INSERT INTO `<<prefix>>subadmin2` (`code`, `country_code`, `subadmin1_code`, `name`, `asciiname`, `active`) VALUES ('GF.GF.973','GF','GF.GF','Guyane','Guyane',1);
/*!40000 ALTER TABLE `<<prefix>>subadmin2` ENABLE KEYS */;
--
-- Dumping data for table `<<prefix>>cities`
--
/*!40000 ALTER TABLE `<<prefix>>cities` DISABLE KEYS */;
INSERT INTO `<<prefix>>cities` (`country_code`, `name`, `asciiname`, `longitude`, `latitude`, `feature_class`, `feature_code`, `subadmin1_code`, `subadmin2_code`, `population`, `time_zone`, `active`, `created_at`, `updated_at`) VALUES ('GF','Saint-Laurent-du-Maroni','Saint-Laurent-du-Maroni',-54.0292,5.50153,'P','PPLA2','GF.GF','GF.GF.973',24287,'America/Cayenne',1,'2018-10-04 23:00:00','2018-10-04 23:00:00');
INSERT INTO `<<prefix>>cities` (`country_code`, `name`, `asciiname`, `longitude`, `latitude`, `feature_class`, `feature_code`, `subadmin1_code`, `subadmin2_code`, `population`, `time_zone`, `active`, `created_at`, `updated_at`) VALUES ('GF','Rémire-Montjoly','Remire-Montjoly',-52.2667,4.91667,'P','PPL','GF.GF','GF.GF.973',19029,'America/Cayenne',1,'2011-12-13 23:00:00','2011-12-13 23:00:00');
INSERT INTO `<<prefix>>cities` (`country_code`, `name`, `asciiname`, `longitude`, `latitude`, `feature_class`, `feature_code`, `subadmin1_code`, `subadmin2_code`, `population`, `time_zone`, `active`, `created_at`, `updated_at`) VALUES ('GF','Matoury','Matoury',-52.3236,4.84921,'P','PPLA3','GF.GF','GF.GF.973',26350,'America/Cayenne',1,'2018-10-04 23:00:00','2018-10-04 23:00:00');
INSERT INTO `<<prefix>>cities` (`country_code`, `name`, `asciiname`, `longitude`, `latitude`, `feature_class`, `feature_code`, `subadmin1_code`, `subadmin2_code`, `population`, `time_zone`, `active`, `created_at`, `updated_at`) VALUES ('GF','Mana','Mana',-53.779,5.66906,'P','PPLA3','GF.GF','GF.GF.973',5885,'America/Cayenne',1,'2018-09-04 23:00:00','2018-09-04 23:00:00');
INSERT INTO `<<prefix>>cities` (`country_code`, `name`, `asciiname`, `longitude`, `latitude`, `feature_class`, `feature_code`, `subadmin1_code`, `subadmin2_code`, `population`, `time_zone`, `active`, `created_at`, `updated_at`) VALUES ('GF','Macouria','Macouria',-52.3743,4.91216,'P','PPL','GF.GF','GF.GF.973',8773,'America/Cayenne',1,'2016-06-21 23:00:00','2016-06-21 23:00:00');
INSERT INTO `<<prefix>>cities` (`country_code`, `name`, `asciiname`, `longitude`, `latitude`, `feature_class`, `feature_code`, `subadmin1_code`, `subadmin2_code`, `population`, `time_zone`, `active`, `created_at`, `updated_at`) VALUES ('GF','Kourou','Kourou',-52.6427,5.16281,'P','PPLA3','GF.GF','GF.GF.973',24029,'America/Cayenne',1,'2019-02-25 23:00:00','2019-02-25 23:00:00');
INSERT INTO `<<prefix>>cities` (`country_code`, `name`, `asciiname`, `longitude`, `latitude`, `feature_class`, `feature_code`, `subadmin1_code`, `subadmin2_code`, `population`, `time_zone`, `active`, `created_at`, `updated_at`) VALUES ('GF','Cayenne','Cayenne',-52.3333,4.93333,'P','PPLC','GF.GF','GF.GF.973',61550,'America/Cayenne',1,'2019-09-04 23:00:00','2019-09-04 23:00:00');
/*!40000 ALTER TABLE `<<prefix>>cities` ENABLE KEYS */;
/*!40103 SET TIME_ZONE=@OLD_TIME_ZONE */;
/*!40101 SET SQL_MODE=@OLD_SQL_MODE */;
/*!40014 SET FOREIGN_KEY_CHECKS=@OLD_FOREIGN_KEY_CHECKS */;
/*!40014 SET UNIQUE_CHECKS=@OLD_UNIQUE_CHECKS */;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
/*!40111 SET SQL_NOTES=@OLD_SQL_NOTES */;
-- Dump completed
|
CREATE TABLE [Production].[ProductDocument]
(
[ProductID] INT NOT NULL,
[DocumentNode] [sys].[hierarchyid] NOT NULL,
[RowStatus] TINYINT NOT NULL,
[CreatedBy] UNIQUEIDENTIFIER NOT NULL,
[ModifiedBy] UNIQUEIDENTIFIER NOT NULL,
[CreatedDate] DATETIME NOT NULL,
[ModifiedDate] DATETIME NOT NULL,
[Uuid] UNIQUEIDENTIFIER NOT NULL ROWGUIDCOL,
CONSTRAINT [PK_ProductDocument_ProductID_DocumentNode] PRIMARY KEY CLUSTERED ([ProductID] ASC, [DocumentNode] ASC),
CONSTRAINT [FK_ProductDocument_Document_DocumentNode] FOREIGN KEY ([DocumentNode]) REFERENCES [Production].[Document] ([DocumentNode]),
CONSTRAINT [FK_ProductDocument_Product_ProductID] FOREIGN KEY ([ProductID]) REFERENCES [Production].[Product] ([ProductID])
);
GO
/* Defaults */
ALTER TABLE [Production].[ProductDocument] ADD CONSTRAINT [DF__ProductDocument__RowStatus] DEFAULT ((1)) FOR [RowStatus]
GO
ALTER TABLE [Production].[ProductDocument] ADD CONSTRAINT [DF__ProductDocument__CreatedBy] DEFAULT ('4E3A7D6D-8351-8494-FDB7-39E2A3A2E972') FOR [CreatedBy]
GO
ALTER TABLE [Production].[ProductDocument] ADD CONSTRAINT [DF__ProductDocument__ModifiedBy] DEFAULT ('4E3A7D6D-8351-8494-FDB7-39E2A3A2E972') FOR [ModifiedBy]
GO
ALTER TABLE [Production].[ProductDocument] ADD CONSTRAINT [DF__ProductDocument__CreatedDate] DEFAULT (GETUTCDATE()) FOR [CreatedDate]
GO
ALTER TABLE [Production].[ProductDocument] ADD CONSTRAINT [DF__ProductDocument__ModifiedDate] DEFAULT (GETUTCDATE()) FOR [ModifiedDate]
GO
ALTER TABLE [Production].[ProductDocument] ADD CONSTRAINT [DF__ProductDocument__Uuid] DEFAULT (NEWID()) FOR [Uuid]
GO
EXECUTE sp_addextendedproperty @name = N'MS_Description', @value = N'Default constraint value of GETDATE()', @level0type = N'SCHEMA', @level0name = N'Production', @level1type = N'TABLE', @level1name = N'ProductDocument', @level2type = N'CONSTRAINT', @level2name = N'DF__ProductDocument__ModifiedDate';
GO
EXECUTE sp_addextendedproperty @name = N'MS_Description', @value = N'Foreign key constraint referencing Document.DocumentNode.', @level0type = N'SCHEMA', @level0name = N'Production', @level1type = N'TABLE', @level1name = N'ProductDocument', @level2type = N'CONSTRAINT', @level2name = N'FK_ProductDocument_Document_DocumentNode';
GO
EXECUTE sp_addextendedproperty @name = N'MS_Description', @value = N'Foreign key constraint referencing Product.ProductID.', @level0type = N'SCHEMA', @level0name = N'Production', @level1type = N'TABLE', @level1name = N'ProductDocument', @level2type = N'CONSTRAINT', @level2name = N'FK_ProductDocument_Product_ProductID';
GO
EXECUTE sp_addextendedproperty @name = N'MS_Description', @value = N'Primary key (clustered) constraint', @level0type = N'SCHEMA', @level0name = N'Production', @level1type = N'TABLE', @level1name = N'ProductDocument', @level2type = N'CONSTRAINT', @level2name = N'PK_ProductDocument_ProductID_DocumentNode';
GO
EXECUTE sp_addextendedproperty @name = N'MS_Description', @value = N'Date and time the record was last updated.', @level0type = N'SCHEMA', @level0name = N'Production', @level1type = N'TABLE', @level1name = N'ProductDocument', @level2type = N'COLUMN', @level2name = N'ModifiedDate';
GO
EXECUTE sp_addextendedproperty @name = N'MS_Description', @value = N'Document identification number. Foreign key to Document.DocumentNode.', @level0type = N'SCHEMA', @level0name = N'Production', @level1type = N'TABLE', @level1name = N'ProductDocument', @level2type = N'COLUMN', @level2name = N'DocumentNode';
GO
EXECUTE sp_addextendedproperty @name = N'MS_Description', @value = N'Product identification number. Foreign key to Product.ProductID.', @level0type = N'SCHEMA', @level0name = N'Production', @level1type = N'TABLE', @level1name = N'ProductDocument', @level2type = N'COLUMN', @level2name = N'ProductID';
GO
EXECUTE sp_addextendedproperty @name = N'MS_Description', @value = N'Cross-reference table mapping products to related product documents.', @level0type = N'SCHEMA', @level0name = N'Production', @level1type = N'TABLE', @level1name = N'ProductDocument';
|
<gh_stars>0
DELIMITER $$
DROP FUNCTION IF EXISTS get_player_name$$
CREATE FUNCTION get_player_name(in_playerid INT, in_type VARCHAR(10), in_guest BOOLEAN)
RETURNS VARCHAR(50)
BEGIN
DECLARE v_name VARCHAR(50);
IF in_guest = '' THEN SET in_guest = true; END IF;
IF UPPER(in_type) = 'FULL' THEN
SELECT IF(in_guest, IF(username IN ('Tom','JD','Jeran','Dan','Spirk'), CONCAT(firstname, ' ', lastname), 'Guest'), CONCAT(firstname, ' ', lastname))
INTO v_name
FROM player
WHERE playerid = in_playerid;
ELSE
SELECT IF(in_guest, IF(username IN ('Tom','JD','Jeran','Dan','Spirk'), username, 'Guest'), username)
INTO v_name
FROM player
WHERE playerid = in_playerid;
END IF;
RETURN v_name;
END$$
DELIMITER ;
|
<gh_stars>0
-- phpMyAdmin SQL Dump
-- version 4.9.1
-- https://www.phpmyadmin.net/
--
-- Host: 127.0.0.1
-- Generation Time: Nov 29, 2019 at 07:51 AM
-- Server version: 10.4.8-MariaDB
-- PHP Version: 7.1.33
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
SET AUTOCOMMIT = 0;
START TRANSACTION;
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `users`
--
-- --------------------------------------------------------
--
-- Table structure for table `user`
--
CREATE TABLE `user` (
`id` int(11) NOT NULL,
`username` varchar(32) NOT NULL,
`password` varchar(255) NOT NULL,
`email` varchar(25) NOT NULL,
`UID` varchar(255) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4;
--
-- Dumping data for table `user`
--
INSERT INTO `user` (`id`, `username`, `password`, `email`, `UID`) VALUES
(78, 'sajid', '<PASSWORD>', '<EMAIL>', '<PASSWORD>'),
(79, 'sajid1', '<PASSWORD>', '<EMAIL>', '<PASSWORD>'),
(80, 'sajid123', 'thisissajid123', '<EMAIL>', '<PASSWORD>97645'),
(81, 'rcomputer', 'iamsajid', '<EMAIL>', '5<PASSWORD>');
--
-- Indexes for dumped tables
--
--
-- Indexes for table `user`
--
ALTER TABLE `user`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `username` (`username`);
--
-- AUTO_INCREMENT for dumped tables
--
--
-- AUTO_INCREMENT for table `user`
--
ALTER TABLE `user`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=82;
COMMIT;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
<reponame>Simon-Chenzw/steamcalc
CREATE TABLE IF NOT EXISTS buff(
item_id INTEGER PRIMARY KEY,
url TEXT,
lowest_sell DECIMAL,
highest_buy DECIMAL,
update_time INTEGER
);
--
CREATE TABLE IF NOT EXISTS market(
item_id INTEGER PRIMARY KEY,
lowest_sell DECIMAL,
highest_buy DECIMAL,
update_time INTEGER
);
--
CREATE TABLE IF NOT EXISTS idmap(
appid INTEGER,
hash_name TEXT,
item_id INTEGER,
primary key (appid, hash_name)
);
--
CREATE TABLE IF NOT EXISTS locale(
item_id INTEGER PRIMARY KEY,
name TEXT
);
-- use for `insert or ignore`
create unique index if not exists locale_index on locale (item_id, name);
|
<reponame>mart0vn/SoftUni-Training
--4. Delete
DELETE Tickets
FROM Tickets AS t
JOIN Flights AS fl ON fl.Id = t.FlightId
WHERE fl.Destination = '<NAME>'
DELETE Flights
WHERE Destination = '<NAME>'
DELETE Planes
FROM Planes AS p
JOIN Flights AS fl ON fl.Id = p.Id
WHERE fl.Destination = '<NAME>' |
<reponame>LukaRGB/Zbrka<gh_stars>0
-- phpMyAdmin SQL Dump
-- version 4.9.1
-- https://www.phpmyadmin.net/
--
-- Host: 127.0.0.1
-- Generation Time: Nov 25, 2019 at 06:41 PM
-- Server version: 10.4.8-MariaDB
-- PHP Version: 7.3.11
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
SET AUTOCOMMIT = 0;
START TRANSACTION;
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `events`
--
-- --------------------------------------------------------
--
-- Table structure for table `local_events`
--
CREATE TABLE `local_events` (
`Title` varchar(128) COLLATE utf8mb4_croatian_ci NOT NULL,
`ImagePath` varchar(1024) COLLATE utf8mb4_croatian_ci NOT NULL,
`Date` date NOT NULL,
`Location` varchar(128) COLLATE utf8mb4_croatian_ci NOT NULL,
`MainText` varchar(2048) COLLATE utf8mb4_croatian_ci NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_croatian_ci;
--
-- Dumping data for table `local_events`
--
INSERT INTO `local_events` (`Title`, `ImagePath`, `Date`, `Location`, `MainText`) VALUES
('Festival Nauke', '/images/festival_nauke.jpg', '2019-12-06', 'Beogradski sajam, Beograd', 'Festival nauke, najveća manifestacija u oblasti promocije nauke i obrazovanja, održaće se na Beogradskom sajmu u halama 3, 3a i 5, od 5. do 8. decembra 2019. godine.\r\n\r\nTema ovogodišnjeg 13. festivala je \"Razotkrivanje\", pošto ga posvećujemo upravo razotkrivanju zabluda i mitova uz pomoć nauke i naučnih dostignuća.\r\n\r\n\r\n\r\n\r\nNa festivalu će učestvovati više od 60 naučnih i obrazovnih institucija, udruženja ali pojedinaca iz Srbije i iz inostranstva.\r\n\r\nPonosimo se time da smo za prethodnih 13 godina inspirisali škole, fakultete i naučne institucije u Srbiji da učestvuju u svakom sledećem festivalu sa uvek novim, drugačijim i još sjajnijim postavkama. I ne samo to! Po ugledu na naš projekat nastalo je više od 20 školskih festivala nauke širom Srbije. '),
('Exit Festival', '/images/exit.jpg', '2020-07-09', 'Petrovaradinska tvrđava, Novi Sad', 'EXIT je višestruko nagrađivani internacionalni letnji muzički festival. Održava se svake godine u Novom Sadu u Srbiji, na Petrovaradinskoj tvrđavi, koju mnogi smatraju za jednu od najboljih festivalskih lokacija na svetu, i na njemu nastupa preko 1000 izvođača na više od 40 bina i festivalskih zona.\r\n\r\n\r\n\r\n \r\n\r\n\r\nPored titule „Najbolji evropski festival” osvojene na Evropskim festivalskim nagradama 2013. i 2017. godine, EXIT je 2007. godine proglašen za najbolji evropski festival na Britanskim festivalskim nagradama. EXIT je proglašen i za Najbolji evropski festival za 2016. godinu od strane vodećeg evropskog turističkog priznanja “European Best Destinations“, koje se dodeljuje u saradnji sa sa Evropskom komisijom, dok je Savet za regionalnu saradnju 2017. odabrao EXIT festival za Šampiona regionalne saradnje u Jugoistočnoj Evropi.');
COMMIT;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
select c.Id, Title, m.Id from Chats as c
inner join Messages as m
on c.Id = m.ChatId
where m.SentOn < '03.26.2012' and Title like '%x' |
-- phpMyAdmin SQL Dump
-- version 4.9.0.1
-- https://www.phpmyadmin.net/
--
-- Host: 127.0.0.1
-- Generation Time: Sep 14, 2019 at 04:48 AM
-- Server version: 10.3.16-MariaDB
-- PHP Version: 7.3.7
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
SET AUTOCOMMIT = 0;
START TRANSACTION;
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `test1`
--
-- --------------------------------------------------------
--
-- Table structure for table `author`
--
CREATE TABLE `author` (
`authorID` int(11) NOT NULL,
`name` char(255) NOT NULL,
`dob` date DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `author_to_books`
--
CREATE TABLE `author_to_books` (
`authorID` int(11) NOT NULL,
`bookID` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `book`
--
CREATE TABLE `book` (
`bookID` int(11) NOT NULL,
`title` char(255) NOT NULL,
`date` date DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
-- --------------------------------------------------------
--
-- Table structure for table `genre`
--
CREATE TABLE `genre` (
`genre` char(255) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Indexes for dumped tables
--
--
-- Indexes for table `author`
--
ALTER TABLE `author`
ADD PRIMARY KEY (`authorID`);
--
-- Indexes for table `author_to_books`
--
ALTER TABLE `author_to_books`
ADD KEY `author_to_book` (`authorID`),
ADD KEY `book_to_author` (`bookID`);
--
-- Indexes for table `book`
--
ALTER TABLE `book`
ADD PRIMARY KEY (`bookID`);
--
-- AUTO_INCREMENT for dumped tables
--
--
-- AUTO_INCREMENT for table `author`
--
ALTER TABLE `author`
MODIFY `authorID` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2;
--
-- AUTO_INCREMENT for table `book`
--
ALTER TABLE `book`
MODIFY `bookID` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2;
--
-- Constraints for dumped tables
--
--
-- Constraints for table `author_to_books`
--
ALTER TABLE `author_to_books`
ADD CONSTRAINT `author_to_book` FOREIGN KEY (`authorID`) REFERENCES `author` (`authorID`) ON DELETE CASCADE ON UPDATE CASCADE,
ADD CONSTRAINT `book_to_author` FOREIGN KEY (`bookID`) REFERENCES `book` (`bookID`) ON DELETE CASCADE ON UPDATE CASCADE;
COMMIT;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
<filename>Setup/setup.postinstall.user.sql
INSERT INTO members (access, username, email, password, salt) VALUES ( ?, ?, ?, ?, ?); |
SELECT m.MountainRange, p.PeakName, p.Elevation
FROM Peaks AS p
JOIN Mountains AS m ON p.MountainId = m.Id
WHERE m.MountainRange = 'Rila'
ORDER BY Elevation
DESC
|
<reponame>pwinslow/DB5-SQL-Stanford-Course
-- Movie-Rating Modification Exercises
-- https://lagunita.stanford.edu/courses/DB/SQL/SelfPaced/courseware/ch-sql/seq-exercise-sql_movie_mod/
-- Question 1:
-- Add the reviewer <NAME> to your database, with an rID of 209.
INSERT INTO reviewer
(
rID, name
)
VALUES
(
209, '<NAME>'
);
-- Question 2:
-- Insert 5-star ratings by <NAME> for all movies in the database. Leave the review date as NULL.
INSERT INTO rating
(
rid, stars, mid
)
SELECT
(
SELECT rev.rid
FROM reviewer AS rev
WHERE rev.name = '<NAME>'
),
5,
mov.mid
FROM movie AS mov
ORDER BY mov.mid ASC;
-- Question 3:
-- For all movies that have an average rating of 4 stars or higher, add 25 to the release year.
-- (Update the existing tuples; don't insert new tuples.)
UPDATE movie
SET year = year + 25
WHERE movie.mid IN
(
SELECT avg_table.mid
FROM
(
SELECT mov.mid, AVG(rat.stars)
FROM movie AS mov, rating AS rat
WHERE mov.mid = rat.mid
GROUP BY mov.mid
HAVING AVG(rat.stars) >= 4
) AS avg_table
);
-- Question 4:
-- Remove all ratings where the movie's year is before 1970 or after 2000, and the rating is fewer than 4 stars.
DELETE FROM rating
WHERE rating.mid IN
(
SELECT mov.mid
FROM movie AS mov
WHERE mov.year < 1970
OR mov.year > 2000
)
AND rating.stars < 4;
|
<filename>database-migrations/migration/V27__create_configuration_table_with_array_objects.sql
drop table if exists configuration;
create table configuration (
id bigint generated by default as identity,
tenant varchar(10) not null unique,
roles text[] default array[]::text[],
numbers int[] default array []::int[]
); |
<reponame>rayanf/fashen-company-Data-Base
-- MySQL dump 10.13 Distrib 8.0.23, for Win64 (x86_64)
--
-- Host: localhost Database: proje
-- ------------------------------------------------------
-- Server version 8.0.23
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!50503 SET NAMES utf8 */;
/*!40103 SET @OLD_TIME_ZONE=@@TIME_ZONE */;
/*!40103 SET TIME_ZONE='+00:00' */;
/*!40014 SET @OLD_UNIQUE_CHECKS=@@UNIQUE_CHECKS, UNIQUE_CHECKS=0 */;
/*!40014 SET @OLD_FOREIGN_KEY_CHECKS=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */;
/*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='NO_AUTO_VALUE_ON_ZERO' */;
/*!40111 SET @OLD_SQL_NOTES=@@SQL_NOTES, SQL_NOTES=0 */;
--
-- Table structure for table `model_woks`
--
DROP TABLE IF EXISTS `model_woks`;
/*!40101 SET @saved_cs_client = @@character_set_client */;
/*!50503 SET character_set_client = utf8mb4 */;
CREATE TABLE `model_woks` (
`ID` int NOT NULL,
`date` date NOT NULL,
PRIMARY KEY (`ID`,`date`),
KEY `date` (`date`),
CONSTRAINT `model_woks_ibfk_1` FOREIGN KEY (`ID`) REFERENCES `model` (`ID`),
CONSTRAINT `model_woks_ibfk_2` FOREIGN KEY (`date`) REFERENCES `haute_couture` (`date`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_0900_ai_ci;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `model_woks`
--
LOCK TABLES `model_woks` WRITE;
/*!40000 ALTER TABLE `model_woks` DISABLE KEYS */;
INSERT INTO `model_woks` VALUES (9,'2000-03-31'),(10,'2000-03-31'),(12,'2000-03-31'),(13,'2000-03-31'),(17,'2000-03-31'),(5,'2000-05-30'),(6,'2000-05-30'),(11,'2000-05-30'),(6,'2000-08-31'),(18,'2000-08-31'),(19,'2000-08-31'),(1,'2000-12-02'),(2,'2000-12-02'),(3,'2000-12-02'),(8,'2000-12-02'),(11,'2000-12-02'),(17,'2000-12-02'),(0,'2001-03-26'),(7,'2001-03-26'),(11,'2001-03-26'),(3,'2001-06-30'),(13,'2001-06-30'),(14,'2001-06-30'),(19,'2001-06-30'),(5,'2001-09-10'),(7,'2001-09-10'),(13,'2001-09-10'),(16,'2001-09-10'),(17,'2001-09-10'),(3,'2001-10-28'),(5,'2001-10-28'),(7,'2001-10-28'),(8,'2001-10-28'),(12,'2001-10-28'),(0,'2002-03-17'),(2,'2002-03-17'),(5,'2002-03-17'),(6,'2002-03-17'),(7,'2002-03-17'),(8,'2002-03-17'),(9,'2002-03-17'),(13,'2002-03-17'),(18,'2002-03-17'),(0,'2002-06-30'),(10,'2002-06-30'),(11,'2002-06-30'),(13,'2002-06-30'),(5,'2002-09-01'),(6,'2002-09-01'),(10,'2002-09-01'),(11,'2002-09-01'),(16,'2002-09-01'),(1,'2002-10-28'),(8,'2002-10-28'),(9,'2002-10-28'),(13,'2002-10-28'),(15,'2002-10-28'),(18,'2002-10-28'),(0,'2003-03-26'),(2,'2003-03-26'),(12,'2003-03-26'),(13,'2003-03-26'),(19,'2003-03-26'),(5,'2003-06-12'),(10,'2003-06-12'),(15,'2003-06-12'),(2,'2003-09-01'),(9,'2003-09-01'),(14,'2003-09-01'),(15,'2003-09-01'),(16,'2003-09-01'),(0,'2003-12-27'),(2,'2003-12-27'),(12,'2003-12-27'),(2,'2004-03-25'),(3,'2004-03-25'),(4,'2004-03-25'),(17,'2004-03-25'),(0,'2004-06-23'),(8,'2004-06-23'),(11,'2004-06-23'),(12,'2004-06-23'),(14,'2004-06-23'),(0,'2004-08-22'),(10,'2004-08-22'),(14,'2004-08-22'),(16,'2004-08-22'),(19,'2004-08-22'),(11,'2004-11-20'),(19,'2005-03-23'),(1,'2005-06-06'),(19,'2005-06-06'),(1,'2005-09-01'),(8,'2005-09-01'),(13,'2005-09-01'),(18,'2005-09-01'),(19,'2005-09-01'),(5,'2005-11-09'),(6,'2005-11-09'),(10,'2005-11-09'),(11,'2005-11-09'),(15,'2005-11-09'),(19,'2005-11-09'),(1,'2006-04-01'),(5,'2006-04-01'),(11,'2006-04-01'),(12,'2006-04-01'),(16,'2006-04-01'),(18,'2006-04-01'),(19,'2006-04-01'),(1,'2006-05-31'),(11,'2006-05-31'),(14,'2006-05-31'),(15,'2006-05-31'),(16,'2006-05-31'),(19,'2006-05-31'),(5,'2006-09-10'),(8,'2006-09-10'),(10,'2006-09-10'),(12,'2006-09-10'),(14,'2006-09-10'),(16,'2006-09-10'),(5,'2006-12-03'),(5,'2007-03-23'),(7,'2007-03-23'),(13,'2007-03-23'),(3,'2007-06-30'),(9,'2007-06-30'),(12,'2007-06-30'),(14,'2007-06-30'),(16,'2007-06-30'),(3,'2007-08-23'),(7,'2007-08-23'),(11,'2007-08-23'),(17,'2007-08-23'),(4,'2007-11-21'),(8,'2007-11-21'),(11,'2007-11-21'),(14,'2007-11-21'),(1,'2008-03-19'),(5,'2008-03-19'),(7,'2008-03-19'),(8,'2008-03-19'),(11,'2008-03-19'),(12,'2008-03-19'),(19,'2008-03-19'),(1,'2008-06-05'),(12,'2008-06-05'),(13,'2008-06-05'),(14,'2008-06-05'),(15,'2008-06-05'),(17,'2008-06-05'),(18,'2008-06-05'),(1,'2008-08-13'),(4,'2008-08-13'),(5,'2008-08-13'),(7,'2008-08-13'),(16,'2008-08-13'),(3,'2008-12-02'),(7,'2008-12-02'),(11,'2008-12-02'),(0,'2009-04-01'),(1,'2009-04-01'),(7,'2009-04-01'),(14,'2009-04-01'),(16,'2009-04-01'),(18,'2009-04-01'),(3,'2009-06-06'),(6,'2009-06-06'),(11,'2009-06-06'),(15,'2009-06-06'),(18,'2009-06-06'),(6,'2009-09-28'),(14,'2009-09-28'),(3,'2009-10-28'),(6,'2009-10-28'),(10,'2009-10-28'),(17,'2009-10-28'),(7,'2010-03-29'),(8,'2010-03-29'),(9,'2010-03-29'),(13,'2010-03-29'),(15,'2010-03-29'),(3,'2010-06-12'),(4,'2010-06-12'),(6,'2010-06-12'),(8,'2010-06-12'),(13,'2010-06-12'),(14,'2010-06-12'),(17,'2010-06-12'),(18,'2010-06-12'),(1,'2010-09-10'),(12,'2010-09-10'),(13,'2010-09-10'),(18,'2010-09-10'),(0,'2010-11-21'),(2,'2010-11-21'),(7,'2010-11-21'),(11,'2010-11-21'),(14,'2010-11-21'),(0,'2011-03-17'),(1,'2011-03-17'),(16,'2011-03-17'),(18,'2011-03-17'),(1,'2011-06-24'),(6,'2011-06-24'),(10,'2011-06-24'),(16,'2011-06-24'),(0,'2011-09-19'),(1,'2011-09-19'),(2,'2011-09-19'),(8,'2011-09-19'),(15,'2011-09-19'),(18,'2011-09-19'),(13,'2011-12-03'),(16,'2011-12-03'),(18,'2011-12-03'),(0,'2012-03-25'),(9,'2012-03-25'),(12,'2012-03-25'),(4,'2012-06-29'),(6,'2012-06-29'),(8,'2012-06-29'),(9,'2012-06-29'),(11,'2012-06-29'),(12,'2012-06-29'),(2,'2012-08-13'),(5,'2012-08-13'),(8,'2012-08-13'),(15,'2012-08-13'),(16,'2012-08-13'),(6,'2012-11-20'),(10,'2012-11-20'),(13,'2012-11-20'),(16,'2012-11-20'),(18,'2012-11-20'),(3,'2013-04-01'),(13,'2013-04-01'),(19,'2013-04-01'),(3,'2013-05-31'),(8,'2013-05-31'),(14,'2013-05-31'),(8,'2013-09-10'),(9,'2013-09-10'),(17,'2013-09-10'),(19,'2013-09-10'),(7,'2013-10-28'),(1,'2014-03-23'),(4,'2014-03-23'),(5,'2014-03-23'),(6,'2014-03-23'),(8,'2014-03-23'),(1,'2014-06-18'),(3,'2014-06-18'),(5,'2014-06-18'),(6,'2014-06-18'),(8,'2014-06-18'),(9,'2014-06-18'),(10,'2014-06-18'),(11,'2014-06-18'),(7,'2014-09-28'),(8,'2014-09-28'),(11,'2014-09-28'),(16,'2014-09-28'),(0,'2014-12-03'),(2,'2014-12-03'),(4,'2014-12-03'),(7,'2014-12-03'),(15,'2014-12-03'),(17,'2014-12-03'),(18,'2014-12-03'),(18,'2015-03-17'),(2,'2015-06-30'),(6,'2015-06-30'),(14,'2015-06-30'),(17,'2015-06-30'),(19,'2015-06-30'),(5,'2015-09-01'),(11,'2015-09-01'),(17,'2015-09-01'),(2,'2015-12-03'),(6,'2015-12-03'),(12,'2015-12-03'),(13,'2015-12-03'),(14,'2015-12-03'),(15,'2015-12-03'),(19,'2015-12-03'),(7,'2016-03-22'),(17,'2016-03-22'),(10,'2016-05-30'),(15,'2016-05-30'),(18,'2016-05-30'),(0,'2016-08-31'),(5,'2016-08-31'),(6,'2016-08-31'),(11,'2016-08-31'),(14,'2016-08-31'),(16,'2016-08-31'),(1,'2016-11-08'),(2,'2016-11-08'),(6,'2016-11-08'),(8,'2016-11-08'),(15,'2016-11-08'),(2,'2017-04-01'),(5,'2017-04-01'),(6,'2017-04-01'),(0,'2017-06-12'),(1,'2017-06-12'),(4,'2017-06-12'),(7,'2017-06-12'),(10,'2017-06-12'),(1,'2017-09-01'),(3,'2017-09-01'),(10,'2017-09-01'),(6,'2017-11-09'),(0,'2018-03-17'),(17,'2018-03-17'),(18,'2018-03-17'),(19,'2018-03-17'),(1,'2018-06-30'),(2,'2018-06-30'),(3,'2018-06-30'),(11,'2018-06-30'),(0,'2018-08-23'),(2,'2018-08-23'),(3,'2018-08-23'),(6,'2018-08-23'),(11,'2018-08-23'),(12,'2018-08-23'),(15,'2018-08-23'),(17,'2018-08-23'),(2,'2018-12-03'),(10,'2018-12-03'),(12,'2018-12-03'),(15,'2018-12-03'),(8,'2019-03-26'),(14,'2019-03-26'),(19,'2019-03-26'),(0,'2019-06-12'),(2,'2019-06-12'),(3,'2019-06-12'),(6,'2019-06-12'),(10,'2019-06-12'),(13,'2019-06-12'),(15,'2019-06-12'),(0,'2019-08-23'),(5,'2019-08-23'),(9,'2019-08-23'),(12,'2019-08-23'),(0,'2019-12-27'),(1,'2019-12-27'),(2,'2019-12-27'),(4,'2019-12-27'),(5,'2019-12-27'),(13,'2019-12-27'),(15,'2019-12-27'),(16,'2019-12-27'),(18,'2019-12-27');
/*!40000 ALTER TABLE `model_woks` ENABLE KEYS */;
UNLOCK TABLES;
/*!40103 SET TIME_ZONE=@OLD_TIME_ZONE */;
/*!40101 SET SQL_MODE=@OLD_SQL_MODE */;
/*!40014 SET FOREIGN_KEY_CHECKS=@OLD_FOREIGN_KEY_CHECKS */;
/*!40014 SET UNIQUE_CHECKS=@OLD_UNIQUE_CHECKS */;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
/*!40111 SET SQL_NOTES=@OLD_SQL_NOTES */;
-- Dump completed on 2021-08-13 23:22:18
|
CREATE TABLE IF NOT EXISTS `TABELA_ORM` (
`ID` BIGINT(20) NOT NULL AUTO_INCREMENT,
`COLUMN_STRING` VARCHAR(60) NULL,
`COLUMN_INTEGER` INT(10) NULL,
`COLUMN_BIGDECIMAL` DECIMAL(10, 4) NULL,
`COLUMN_CALENDAR` DATETIME NULL,
PRIMARY KEY (`ID`)
)ENGINE = InnoDB; |
<reponame>Shashikanth-Huawei/common-service<gh_stars>0
-- ----------------------------
-- Table structure for tbl_reverse_proxy
-- ----------------------------
CREATE TABLE IF NOT EXISTS "tbl_reverse_proxy" (
"dest_host_ip" varchar(64) NOT NULL,
"dest_host_port" int4 NOT NULL,
"dest_host_protocol" varchar(8) NOT NULL,
"local_port" int4 NOT NULL,
"next_hop_protocol" varchar(8) NULL,
"next_hop_ip" varchar(64) NULL,
"next_hop_port" int4 NULL,
"link_number" int4 NULL,
"hop_index" int4 NOT NULL,
CONSTRAINT "tbl_reverse_proxy_pkey" PRIMARY KEY ("dest_host_ip", "dest_host_port")
); |
INSERT INTO configuration (configuration_title, configuration_key, configuration_value, configuration_description, configuration_group_id, sort_order, date_added) VALUES ('Also Purchased Max Days', 'MAX_DISPLAY_TIME_ALSO_PURCHASED', '30', 'Maximum number of days passed since products sold to display in the \'This Customer Also Purchased\' box', '3', '16', now());
|
-- phpMyAdmin SQL Dump
-- version 4.6.4
-- https://www.phpmyadmin.net/
--
-- Host: 127.0.0.1
-- Generation Time: 2018-02-01 16:05:56
-- 服务器版本: 5.7.14
-- PHP Version: 7.0.10
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `agent`
--
-- --------------------------------------------------------
--
-- 表的结构 `agent_apply`
--
CREATE TABLE `agent_apply` (
`id` int(11) NOT NULL,
`openid` varchar(1024) CHARACTER SET utf8mb4 NOT NULL COMMENT 'openid',
`real_name` varchar(1024) COLLATE utf8mb4_unicode_ci NOT NULL COMMENT '真实姓名',
`iphone` varchar(1024) COLLATE utf8mb4_unicode_ci NOT NULL COMMENT '手机号码',
`wx_token` varchar(1024) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT 'wx_token',
`zhifubao` varchar(1024) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '支付宝帐号',
`reason` text COLLATE utf8mb4_unicode_ci NOT NULL COMMENT '申请理由',
`status` int(11) NOT NULL DEFAULT '0' COMMENT '状态',
`createtime` int(11) DEFAULT NULL,
`updatetime` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci COMMENT='申请代理表';
--
-- 转存表中的数据 `agent_apply`
--
INSERT INTO `agent_apply` (`id`, `openid`, `real_name`, `iphone`, `wx_token`, `zhifubao`, `reason`, `status`, `createtime`, `updatetime`) VALUES
(1, 'system', '杨**', '18380205203', 'qmqdd666', '<EMAIL>', 'goods', 1, 1516271460, NULL),
(2, 'ok6sq5PK4EQnTij_y1H2mDRP4QxI', '12313', '18428360735', 'fas', '123', '132', 0, 1516702613, 1516702613),
(3, 'ok6sq5PK4EQnTij_y1H2mDRP4QxI', '12313', '18428360735', 'fas', '123', '132', 0, 1516702689, 1516702689),
(4, 'ok6sq5PK4EQnTij_y1H2mDRP4QxI', '43', '18428360735', '321', '312', '123123', 1, 1516702832, 1516702832);
-- --------------------------------------------------------
--
-- 表的结构 `agent_classlist`
--
CREATE TABLE `agent_classlist` (
`id` int(11) NOT NULL,
`c_id` int(11) NOT NULL,
`c_name` varchar(1024) NOT NULL,
`status` int(11) NOT NULL DEFAULT '1',
`createtime` int(11) DEFAULT NULL,
`updatetime` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COMMENT='淘客基地类别目录';
--
-- 转存表中的数据 `agent_classlist`
--
INSERT INTO `agent_classlist` (`id`, `c_id`, `c_name`, `status`, `createtime`, `updatetime`) VALUES
(1, 1, '女装', 1, 1516109244, 1516109244),
(2, 2, '男装', 1, 1516109244, 1516109244),
(3, 3, '内衣', 1, 1516109244, 1516109244),
(4, 4, '母婴', 1, 1516109244, 1516109244),
(5, 5, '美妆', 1, 1516109244, 1516109244),
(6, 6, '居家', 1, 1516109244, 1516109244),
(7, 7, '鞋包配饰', 1, 1516109244, 1516109244),
(8, 8, '美食', 1, 1516109244, 1516109244),
(9, 9, '文体车品', 1, 1516109244, 1516109244),
(10, 10, '数码家电', 1, 1516109244, 1516109244),
(11, 11, '运动户外', 1, 1516109244, 1516109244),
(12, 12, '其他', 1, 1516109244, 1516109244);
-- --------------------------------------------------------
--
-- 表的结构 `agent_click`
--
CREATE TABLE `agent_click` (
`id` int(11) NOT NULL,
`user_id` int(11) NOT NULL COMMENT '代理id',
`count` int(11) NOT NULL DEFAULT '0' COMMENT '点击数',
`date` int(11) NOT NULL COMMENT '日期',
`dumps` text CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci COMMENT '点击商品',
`status` int(11) NOT NULL DEFAULT '1' COMMENT '状态',
`createtime` int(11) DEFAULT NULL,
`updatetime` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COMMENT='代理点击收集表';
--
-- 转存表中的数据 `agent_click`
--
INSERT INTO `agent_click` (`id`, `user_id`, `count`, `date`, `dumps`, `status`, `createtime`, `updatetime`) VALUES
(1, 1, 37, 1516291201, '[{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"156","type":"0"},{"openid":"system","id":"172","type":"0"},{"openid":"system","id":"174","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"159","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"156","type":"0"},{"openid":"system","id":"161","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"158","type":"0"},{"openid":"system","id":"158","type":"0"},{"openid":"system","id":"435","type":"0"},{"openid":"system","id":"439","type":"0"},{"openid":"system","id":"445","type":"0"}]', 1, 1516373610, 1516373610),
(2, 1, 37, 1516636801, '[{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"undefined","type":"undefined"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"156","type":"0"},{"openid":"system","id":"172","type":"0"},{"openid":"system","id":"174","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"159","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"156","type":"0"},{"openid":"system","id":"161","type":"0"},{"openid":"system","id":"157","type":"0"},{"openid":"system","id":"158","type":"0"},{"openid":"system","id":"158","type":"0"},{"openid":"system","id":"435","type":"0"},{"openid":"system","id":"439","type":"0"},{"openid":"system","id":"445","type":"0"}]', 1, 1516646661, 1516646661),
(3, 4, 3, 1516809601, '[{"openid":"ok6sq5PK4EQnTij_y1H2mDRP4QxI","id":"619","type":"0"},{"openid":"ok6sq5PK4EQnTij_y1H2mDRP4QxI","id":"617","type":"0"},{"openid":"ok6sq5PK4EQnTij_y1H2mDRP4QxI","id":"617","type":"0"}]', 1, 1516810973, 1516810973),
(4, 4, 5, 1516982401, '[{"openid":"ok6sq5PK4EQnTij_y1H2mDRP4QxI","id":"59","type":0},{"openid":"<KEY>","id":"-1","type":0},{"openid":"<KEY>","id":"-1","type":"556406529310"},{"openid":"<KEY>","id":"230","type":"562979471326"},{"openid":"<KEY>","id":"150","type":"560822515716"}]', 1, 1517034776, 1517034776);
-- --------------------------------------------------------
--
-- 表的结构 `agent_configure`
--
CREATE TABLE `agent_configure` (
`id` int(11) NOT NULL,
`tkl_cookie` text COLLATE utf8mb4_unicode_ci COMMENT '淘口令cookie',
`reserve` varchar(1024) CHARACTER SET utf8mb4 DEFAULT NULL COMMENT '保留字段',
`status` int(11) NOT NULL DEFAULT '1' COMMENT '状态',
`createtime` int(11) DEFAULT NULL,
`updatetime` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci COMMENT='系统配置表';
--
-- 转存表中的数据 `agent_configure`
--
INSERT INTO `agent_configure` (`id`, `tkl_cookie`, `reserve`, `status`, `createtime`, `updatetime`) VALUES
(1, 'UM_distinctid=160e5d40e18105-02e378280029eb-454c0a2b-1fa400-160e5d40e1da3; CNZZDATA1255591768=1881858639-1515683014-http%253A%252F%252Ftool.chaozhi.hk%252F%7C1516011552; PHPSESSID=pj3doab3vaa3qe2osa13nrdla3; userInfo=%7B%22user%22%3A%22oGXe5jjUw9e03jAG4qOYYYTSoZrc%22%2C%22setting%22%3A%22%7B%5C%22isDxFi%5C%22%3Afalse%2C%5C%22isShowPic%5C%22%3Afalse%2C%5C%22isHSL%5C%22%3Afalse%2C%5C%22isHPIC%5C%22%3Afalse%2C%5C%22isDisc%5C%22%3Afalse%2C%5C%22isChangeTitle%5C%22%3Afalse%2C%5C%22ChangeTitle%5C%22%3A%5C%22%5C%22%2C%5C%22isShare%5C%22%3Afalse%2C%5C%22moreTj%5C%22%3Afalse%2C%5C%22tklEnc%5C%22%3Afalse%2C%5C%22tklTransfor%5C%22%3Afalse%2C%5C%22shareID%5C%22%3A%5C%22%5C%22%2C%5C%22setPid%5C%22%3A%5C%22mm_126370153_36622270_131112319%2Cmm_126370153_41252811_177878190%5C%22%7D%22%2C%22head_img%22%3A%22%22%2C%22nick_name%22%3A%22%22%2C%22times%22%3A%22100%22%2C%22token%22%3A%22700021005390f169b6da0e8f066c779702fd7642a498247e5601d6d71d9a2e9a0eed9cf2032537227%22%7D', NULL, 1, NULL, NULL);
-- --------------------------------------------------------
--
-- 表的结构 `agent_goods`
--
CREATE TABLE `agent_goods` (
`id` int(11) NOT NULL,
`iid` varchar(1024) NOT NULL COMMENT '商品id',
`type` int(11) NOT NULL COMMENT '(0表示lunbotu,1表示打牌券,2表示9.9,3表示人气榜,4表示聚划算,5表示首页商品,6表示好券精选',
`name` varchar(1024) NOT NULL COMMENT '商品名称',
`pic` varchar(1024) NOT NULL COMMENT '商品主图',
`price` double NOT NULL DEFAULT '0' COMMENT '价格',
`sales` int(11) NOT NULL DEFAULT '0' COMMENT '销量',
`rate` double NOT NULL DEFAULT '0' COMMENT '佣金比率',
`page` int(11) NOT NULL DEFAULT '1' COMMENT '分页',
`coupon_price` double NOT NULL DEFAULT '0' COMMENT '券价格',
`coupon_link` varchar(1024) DEFAULT NULL COMMENT '券地址',
`is_tmall` int(11) NOT NULL DEFAULT '0' COMMENT '(1表示天猫,0表示淘宝)',
`cid` int(11) NOT NULL DEFAULT '0' COMMENT '类别id',
`cname` varchar(1024) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '类别名称',
`content` text CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci COMMENT '描述',
`edata` text COMMENT 'json数据',
`status` int(11) NOT NULL DEFAULT '1' COMMENT '状态',
`createtime` int(11) DEFAULT NULL,
`updatetime` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COMMENT='商品数据缓';
-- --------------------------------------------------------
--
-- 表的结构 `agent_order`
--
CREATE TABLE `agent_order` (
`id` int(11) NOT NULL,
`user_id` int(11) NOT NULL COMMENT '用户id',
`iid` varchar(1024) NOT NULL COMMENT '商品id',
`name` varchar(1024) NOT NULL COMMENT '商品名称',
`pic` varchar(1024) DEFAULT NULL COMMENT '商品图片',
`shop` varchar(1024) NOT NULL COMMENT '店铺',
`pay_money` double NOT NULL DEFAULT '0' COMMENT '付款金额',
`income` double NOT NULL DEFAULT '0' COMMENT '佣金',
`order_time` int(11) NOT NULL COMMENT '订单时间',
`adzone_id` int(11) NOT NULL COMMENT '广告位id',
`rate` double NOT NULL COMMENT '佣金比率',
`order_num` varchar(1024) NOT NULL COMMENT '订单号',
`goods_num` int(11) NOT NULL DEFAULT '1' COMMENT '商品数量',
`is_tmall` int(11) NOT NULL DEFAULT '0' COMMENT '是否天猫',
`status` int(11) NOT NULL DEFAULT '1' COMMENT '状态',
`createtime` int(11) DEFAULT NULL,
`updatetime` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COMMENT='订单表';
--
-- 转存表中的数据 `agent_order`
--
INSERT INTO `agent_order` (`id`, `user_id`, `iid`, `name`, `pic`, `shop`, `pay_money`, `income`, `order_time`, `adzone_id`, `rate`, `order_num`, `goods_num`, `is_tmall`, `status`, `createtime`, `updatetime`) VALUES
(1, 1, '536016286407', '艺栢氛 电表箱装饰画 配电箱遮挡画壁画 现代简约餐厅挂画', 'https://img.alicdn.com/tfscom/i2/2772580387/TB2Jm2Wdh6I8KJjSszfXXaZVXXa_!!2772580387.jpg', '艺栢氛', 79.67, 1.2, 1515856919, 177878190, 1.5, '114243284116554488', 1, 0, 1, 1516352121, 1516352121),
(2, 1, '556997651266', 'vivox9splus手机壳v0vix9外套步步高x9薄磨砂硬vivox9S男女款x9L', 'https://img.alicdn.com/tfscom/i1/3385954813/TB20.KGatqgF1Jjy1zdXXc8dFXa_!!3385954813.jpg', '摩斯维品牌企业店', 22, 9.2, 1515845724, 177878190, 44, '107401646481592459', 1, 0, 1, 1516352121, 1516352121),
(3, 1, '524356526074', '百雀羚小雀幸补水保湿面膜贴睡眠收缩毛孔官方旗舰店官网专柜正品', 'https://img.alicdn.com/tfscom/i3/2051583450/TB1vgz7ndzJ8KJjSspkXXbF7VXa_!!0-item_pic.jpg', '百雀羚尚之美专卖店', 59, 12.39, 1515825483, 177878190, 21, '114042189522605594', 1, 1, 1, 1516352121, 1516352121),
(4, 1, '45729459021', '抱枕表情包笑脸毛绒玩具暖手捂布娃娃公仔韩国搞怪抱枕生日礼物女', 'https://img.alicdn.com/tfscom/i3/409278028/TB2ju5hswxlpuFjSszgXXcJdpXa_!!409278028.jpg', '万宝乐玩具大世界', 97, 13.86, 1515823449, 177878190, 15, '114080914177532772', 10, 0, 1, 1516352121, 1516352121),
(5, 1, '521149222907', '凡士林身体乳 特润修护保湿润肤露清香型滋润易吸收粗糙', 'https://img.alicdn.com/tfscom/i1/2594916711/TB1qWKWeYsTMeJjSszgXXacpFXa_!!0-item_pic.jpg', 'vaseline凡士林官方旗舰店', 20, 0.8, 1515804907, 177878190, 4, '121455262466996914', 1, 1, 1, 1516352121, 1516352121),
(6, 1, '557194773453', '文艺简约小清新复古贩卖梦境笔记本记事本手账本日记本手帐本子', 'https://img.alicdn.com/tfscom/i3/296669595/TB2vs7IcQfb_uJkHFJHXXb4vFXa_!!296669595.jpg', '娜小屋文具店', 17.86, 0.89, 1515802374, 177878190, 5, '121450194458996914', 1, 0, 1, 1516352121, 1516352121),
(7, 1, '523016033340', '挂历2018年福字吊牌创意狗年月历家用黄历择吉皇历定制广告本日历', 'https://img.alicdn.com/tfscom/i2/1761691598/TB1G2q2dkfb_uJkHFJHXXb4vFXa_!!0-item_pic.jpg', '浚瑄办公专营店', 12, 2.44, 1515731895, 177878190, 20.3, '106822212938657337', 1, 1, 1, 1516352121, 1516352121),
(8, 1, '555677720689', '荣仕健康鞋春秋透气防滑中老年运动健步鞋男鞋爸爸鞋老人户外旅游', 'https://img.alicdn.com/tfscom/i4/2769730961/TB2l3TKb8DH8KJjSspnXXbNAVXa_!!2769730961.jpg', '荣仕企业店', 188, 15.04, 1515718494, 177878190, 8, '113552917770327371', 1, 0, 1, 1516352121, 1516352121),
(9, 1, '558496492524', '秋冬新款裤子男韩版潮流休闲裤男哈伦裤修身九分裤小脚裤长裤', 'https://img.alicdn.com/tfscom/i1/1782714901/TB1VxnVjx6I8KJjy0FgXXXXzVXa_!!0-item_pic.jpg', '欧萨威帝旗舰店', 29.9, 1.65, 1516710185, 177878190, 5.5, '111105345039787458', 1, 1, 1, 1516955656, 1516955656),
(10, 1, '556836531524', '听雨轩可擦笔中性笔芯学生可擦笔芯0.50./38/0.35黑色晶蓝替笔芯', 'https://img.alicdn.com/tfscom/i4/3354524348/TB1ITrySFXXXXa1XVXXXXXXXXXX_!!0-item_pic.jpg', '吊中吊办公用品专营店', 12.8, 2.6, 1516455672, 177878190, 20.3, '116897238492406770', 1, 1, 1, 1516955884, 1516955884),
(11, 1, '536180423644', '卡姿兰眉笔非眉粉不易晕染不易脱色初学者带眉刷一字眉', 'https://img.alicdn.com/tfscom/i3/755579902/TB1vzvvonnI8KJjy0FfXXcdoVXa_!!0-item_pic.jpg', '卡姿兰官方旗舰店', 24, 2.16, 1516411035, 177878190, 9, '109850863076194561', 1, 1, 1, 1516955884, 1516955884),
(12, 1, '562740813883', 'TTMIX狗狗吊坠本命年狗年生肖饰品个性锁骨链项链女925银生日礼物', 'https://img.alicdn.com/tfscom/i3/744002152/TB1W4BWogvD8KJjy0FlXXagBFXa_!!0-item_pic.jpg', 'ttmix旗舰店', 79, 2.77, 1516346847, 177878190, 3.5, '109591946449194561', 1, 0, 1, 1516955884, 1516955884),
(13, 1, '20883795692', '【西域美农特级红枣500g】新疆特产和田大枣骏枣可夹核桃仁吃袋装', 'https://img.alicdn.com/tfscom/i2/736093685/TB1sYOgonnI8KJjSszbXXb4KFXa_!!0-item_pic.jpg', '西域美农旗舰店', 18.99, 3.89, 1516322714, 177878190, 20.5, '109430162005194561', 1, 1, 1, 1516955884, 1516955884),
(14, 1, '538020012058', 'DIY照片抱枕定制微微一笑很倾城明星周边创意靠垫定做女生日礼物', 'https://img.alicdn.com/tfscom/i4/56901433/TB2WIaGXjvlJKJjSspnXXblTVXa_!!56901433.jpg', '钰洲家纺', 15, 3, 1515665688, 177878190, 20, '106637358988313551', 1, 0, 1, 1516958010, 1516958010),
(15, 1, '555083368538', '四川泡菜坛子玻璃加厚腌菜缸家用透明密封罐腌制蛋酸菜咸菜泡菜罐', 'https://img.alicdn.com/tfscom/i1/3064518804/TB1kz2vofDH8KJjy1XcXXcpdXXa_!!0-item_pic.jpg', '新顾仕旗舰店', 32.9, 10.03, 1515656544, 177878190, 30.5, '113397266881245170', 1, 1, 1, 1516958010, 1516958010),
(16, 1, '563089485239', '防撞条加厚加宽儿童防护条宝宝桌角防碰撞婴儿安全桌子桌边保护条', 'https://img.alicdn.com/tfscom/i2/2273862146/TB2VoMOoh6I8KJjSszfXXaZVXXa_!!2273862146.jpg', '依一母婴用品店', 120.60000000000001, 36.18, 1515584751, 177878190, 30, '106249921554657337', 12, 0, 1, 1516958010, 1516958010),
(17, 1, '523391538160', '2双 羊毛保暖鞋垫 男女吸汗透气加厚减震加绒毛绒冬季运动棉鞋垫', 'https://img.alicdn.com/tfscom/i1/2455489390/TB1qd9Hj8HH8KJjy0FbXXcqlpXa_!!0-item_pic.jpg', 'footmaster足大师旗舰店', 13.8, 4.2, 1515557778, 177878190, 32, '120734822555671515', 1, 1, 1, 1516958010, 1516958010),
(18, 1, '563558115010', '冬季新款女装羽绒棉服韩版棉衣女中长款修身大毛领棉袄加厚外套潮', 'https://img.alicdn.com/tfscom/i1/2832353909/TB2lMwNkx6I8KJjy0FgXXXXzVXa_!!2832353909.jpg', '祥钰时尚衣柜女装', 169, 33.8, 1515554934, 177878190, 20, '120555649331590924', 1, 0, 1, 1516958010, 1516958010),
(19, 1, '561851119974', '图特手套女冬加绒保暖毛线针织加厚学生户外骑车韩版触屏针织手套', 'https://img.alicdn.com/tfscom/i4/1907772394/TB2vgd5ecnI8KJjSspeXXcwIpXa_!!1907772394.jpg', '哈特企业店', 9.9, 2.97, 1515553571, 177878190, 30, '120547865823590924', 1, 0, 1, 1516958010, 1516958010),
(20, 1, '553403728737', 'DIY抱枕定制抱枕被子两用来图定做照片汽车午睡床头沙发靠垫礼物', 'https://img.alicdn.com/tfscom/i4/2949001296/TB2lzLWa.4WMKJjSspmXXcznpXa_!!2949001296.jpg', '美意梦家纺', 29.9, 8.55, 1515509787, 177878190, 30.1, '105985910668313551', 1, 0, 1, 1516958010, 1516958010),
(21, 1, '562215183774', 'MMH多肉植物小老桩组合新手套餐多肉组合绿植盆栽花卉含盆包邮', 'https://img.alicdn.com/tfscom/i2/2916035677/TB1eAQYftbJ8KJjy1zjXXaqapXa_!!0-item_pic.jpg', 'mumuhome园艺旗舰店', 30.1, 9.18, 1515508960, 177878190, 30.5, '105949760943657337', 1, 0, 1, 1516958010, 1516958010),
(22, 1, '545508229793', 'DIY简约唯美专属首字母名字体定制抱枕个性创意沙发靠垫定做礼品', 'https://img.alicdn.com/tfscom/i1/56901433/TB2oXIHf0RopuFjSZFtXXcanpXa_!!56901433.jpg', '钰洲家纺', 15, 3.45, 1515508442, 177878190, 23, '105977622774313551', 1, 0, 1, 1516958010, 1516958010),
(23, 1, '41718004458', '2018年狗年台历定制定做个性DIY照片日历公司企业年历商务台历', 'https://img.alicdn.com/tfscom/i2/TB1H0hrOXXXXXajXpXXXXXXXXXX_!!0-item_pic.jpg', '自个乐旗舰店', 14.8, 4.51, 1515507832, 177878190, 30.5, '105935705568657337', 1, 1, 1, 1516958010, 1516958010),
(24, 1, '561912255687', '每日坚果混合坚果30包成人款组合装儿童款零食大礼包网红年货食品', 'https://img.alicdn.com/tfscom/i1/2216927306/TB1_PKJiBDH8KJjSszcXXbDTFXa_!!0-item_pic.jpg', '珍妞食品专营店', 85, 1.71, 1515503318, 177878190, 2, '112728933570143079', 1, 1, 1, 1516958010, 1516958010),
(25, 1, '561912255687', '每日坚果混合坚果30包成人款组合装儿童款零食大礼包网红年货食品', 'https://img.alicdn.com/tfscom/i1/2216927306/TB1_PKJiBDH8KJjSszcXXbDTFXa_!!0-item_pic.jpg', '珍妞食品专营店', 85, 1.71, 1515503232, 177878190, 2, '112768778299143079', 1, 1, 1, 1516958010, 1516958010),
(26, 1, '547702583589', '飞科除毛球修剪器充电式去剪家用毛衣服衣物刮吸毛球器剃打脱毛机', 'https://img.alicdn.com/tfscom/i4/2106517863/TB1LyZ8ctLO8KJjSZFxXXaGEVXa_!!0-item_pic.jpg', '琅铂旺电器专营店', 39, 2.07, 1515418913, 177878190, 5.3, '120188988138430229', 1, 1, 1, 1516958010, 1516958010),
(27, 1, '560259851936', 'vivoy67手机壳vivoxy67女 防摔步步高磨砂浮雕vivoy66 vivoy67a', 'https://img.alicdn.com/tfscom/i4/3373709334/TB1IfHfisnI8KJjSsziXXb8QpXa_!!0-item_pic.jpg', '易日达数码专营店', 9.8, 0.52, 1515418040, 177878190, 5.3, '112336177384194561', 1, 1, 1, 1516958010, 1516958010),
(28, 1, '561672765073', '羽绒服女中长款2017新款韩版潮修身加厚过膝韩国女士欧洲站冬装', 'https://img.alicdn.com/tfscom/i1/3029542506/TB1PQLXasic_eJjSZFnXXXVwVXa_!!2-item_pic.png', 'adllmas旗舰店', 173, 35.47, 1515326479, 177878190, 20.5, '111881737809245170', 1, 1, 1, 1516958010, 1516958010),
(29, 1, '541771423776', '膜法世家水光VC素颜霜补水保湿裸妆遮瑕懒人面霜学生魔法世家正品', 'https://img.alicdn.com/tfscom/i2/2687784399/TB1VDFklnTI8KJjSsphXXcFppXa_!!0-item_pic.jpg', '膜法世家1908仨人兴专卖店', 50, 10.5, 1515326136, 177878190, 21, '111891032174245170', 1, 1, 1, 1516958010, 1516958010),
(30, 1, '545442271596', '膜法世家补水面膜酵素面膜贴吸黑补水保湿魔法世家面膜官方旗舰店', 'https://img.alicdn.com/tfscom/i1/684378304/TB1wek0n3LD8KJjSszeXXaGRpXa_!!0-item_pic.jpg', '膜法世家1908日照店', 79.9, 16.78, 1515326109, 177878190, 21, '111816443736245170', 1, 1, 1, 1516958010, 1516958010),
(31, 1, '562803175084', '送运费险冬季男士保暖修身连帽中长款棉衣外套青年棉服小林1707-2', 'https://img.alicdn.com/tfscom/i4/1970852602/TB1iUSch8TH8KJjy0FiXXcRsXXa_!!0-item_pic.jpg', '马迪利旗舰店', 188, 38.54, 1515298302, 177878190, 20.5, '111730566102245170', 1, 1, 1, 1516958010, 1516958010),
(32, 1, '556533077468', '浪莎保暖内衣加绒加厚男士女士冬季圆领秋衣秋裤大码棉毛衫套装', 'https://img.alicdn.com/tfscom/i4/1702687803/TB1CB1Ma5qAXuNjy1XdXXaYcVXa_!!0-item_pic.jpg', '浪莎八零后专卖店', 79, 16.2, 1515297843, 177878190, 20.5, '111726534254245170', 1, 1, 1, 1516958010, 1516958010),
(33, 1, '558465443532', '门后挂钩挂衣架不锈钢衣服挂钩壁挂挂钩创意卫生间浴室免打孔挂钩', 'https://img.alicdn.com/tfscom/i2/2342088027/TB1DSaee7.HL1JjSZFlXXaiRFXa_!!0-item_pic.jpg', '阿堂优品', 19.9, 5.97, 1515247842, 177878190, 30, '119676758726430229', 1, 0, 1, 1516958011, 1516958011),
(34, 1, '557146479250', '康瑞欣纯棉毛巾成人家用柔软吸水纯色棉面巾全棉洗脸巾纯色四条装', 'https://img.alicdn.com/tfscom/i4/3364517000/TB1U.W5ntrJ8KJjSspaXXXuKpXa_!!0-item_pic.jpg', '康瑞欣旗舰店', 19.9, 4.08, 1515233310, 177878190, 20.5, '119497556164137109', 1, 1, 1, 1516958011, 1516958011),
(35, 1, '545151151012', '采琪采无香竹纤维本色抽纸巾家用面巾纸餐巾纸300张*18包家庭装', 'https://img.alicdn.com/tfscom/i1/2260919384/TB160d.nwDD8KJjy0FdXXcjvXXa_!!0-item_pic.jpg', 'cchoice采琪采旗舰店', 24.9, 5.1, 1515232900, 177878190, 20.5, '119494980975137109', 1, 1, 1, 1516958011, 1516958011),
(36, 1, '558338871199', '雅诚德砂锅炖锅家用煲汤陶瓷明火耐高温汤煲大沙锅炖汤砂锅煲燃气', 'https://img.alicdn.com/tfscom/i1/2456018243/TB1UkECntrJ8KJjSspaXXXuKpXa_!!0-item_pic.jpg', '雅诚德广州专卖店', 99, 30.2, 1515227287, 177878190, 30.5, '111457706076245170', 1, 1, 1, 1516958011, 1516958011),
(37, 1, '558338871199', '雅诚德砂锅炖锅家用煲汤陶瓷明火耐高温汤煲大沙锅炖汤砂锅煲燃气', 'https://img.alicdn.com/tfscom/i1/2456018243/TB1UkECntrJ8KJjSspaXXXuKpXa_!!0-item_pic.jpg', '雅诚德广州专卖店', 99, 30.2, 1515224507, 177878190, 30.5, '104910933257565242', 1, 1, 1, 1516958011, 1516958011),
(38, 1, '537554336551', '俞兆林秋衣秋裤套装男士V领纯棉薄款青年修身棉毛衫保暖内衣套装', 'https://img.alicdn.com/tfscom/i1/2089289571/TB13kI3hJzJ8KJjSspkXXbF7VXa_!!0-item_pic.jpg', '俞兆林宝鼎专卖店', 39.8, 8.16, 1515163053, 177878190, 20.5, '119273640590671515', 1, 1, 1, 1516958011, 1516958011),
(39, 1, '524808564423', '恒源祥妈妈中老年人加厚羊毛衫女装半高领短款打底针织衫毛衣女冬', 'https://img.alicdn.com/tfscom/i1/2096023921/TB15ebAekfb_uJkSnb4XXXCrXXa_!!0-item_pic.jpg', '健羽服饰专营店', 148, 45.88, 1515161762, 177878190, 31, '119266528657671515', 1, 1, 1, 1516958011, 1516958011),
(40, 1, '561937710777', '2018春季新款金丝绒百褶裙韩版风琴褶高腰秋冬百搭中长款半身裙子', 'https://img.alicdn.com/tfscom/i4/2215230149/TB1sWfKeInI8KJjSspeXXcwIpXa_!!0-item_pic.jpg', '沂公主旗舰店', 39, 11.9, 1515141984, 177878190, 30.5, '111041960956462080', 1, 1, 1, 1516958011, 1516958011),
(41, 1, '540210371620', '森尔雅2017冬季新款羽绒服女中长款可爱少女装学生冬装外套连帽潮', 'https://img.alicdn.com/tfscom/i2/1023136999/TB1kpkalnnI8KJjSszgXXc8ApXa_!!0-item_pic.jpg', '森尔雅旗舰店', 138, 42.09, 1514983992, 177878190, 30.5, '110356942357245170', 1, 1, 1, 1516958011, 1516958011),
(42, 1, '552693058152', '袜子男士长短袜中筒秋冬款防臭吸汗黑纯棉袜冬季男袜批发加厚船袜', 'https://img.alicdn.com/tfscom/i4/710895077/TB1W0UYlvxNTKJjy0FjXXX6yVXa_!!0-item_pic.jpg', '阿诗玛旗舰店', 19.9, 4.08, 1514941117, 177878190, 20.5, '110007361704247397', 1, 1, 1, 1516958011, 1516958011),
(43, 1, '554416608819', '卡帝乐鳄鱼钱包男士正品真皮横款超薄头层牛皮短款潮钱夹男包皮夹', 'https://img.alicdn.com/tfscom/i3/3211040595/TB1avR0n4rI8KJjy0FpXXb5hVXa_!!0-item_pic.jpg', '卡帝乐鳄鱼莱昂专卖店', 19.9, 6.07, 1514940841, 177878190, 30.5, '110019148197247397', 1, 1, 1, 1516958011, 1516958011),
(44, 1, '562638287749', 'oppoa79手机壳oppoa79a保护套硅胶A33防摔A53软壳女款A57红壳', 'https://img.alicdn.com/tfscom/i1/3373709334/TB1jV7hcvjM8KJjSZFyXXXdzVXa_!!0-item_pic.jpg', '易日达数码专营店', 9.8, 1.99, 1514884784, 177878190, 20.3, '109806740748194561', 1, 1, 1, 1516958011, 1516958011),
(45, 1, '560135296385', '【焕新价】绿林内六角扳手套装内六方梅花六角螺丝刀六花楞六棱扳手工具组套', 'https://img.alicdn.com/tfscom/i2/2408239898/TB14EISnDnI8KJjSszgXXc8ApXa_!!0-item_pic.jpg', 'greener绿林旗舰店', 12.7, 5.14, 1514865511, 177878190, 40.5, '109579327040254586', 1, 1, 1, 1516958011, 1516958011),
(46, 4, '556978207023', '【年货价】little tikes美国小泰克车溜娃神器儿童三轮车遛娃神器宝宝脚踏车', 'https://img.alicdn.com/tfscom/i3/3383437526/TB1LVtHov2H8KJjy1zkXXXr7pXa_!!0-item_pic.jpg', 'littletikes小泰克旗舰店', 312.76, 6.25, 1516859279, 174188835, 2, '112134767609711543', 1, 1, 1, 1516958829, 1516958829),
(47, 4, '37482825568', '【年货价】贝恩施儿童女童过家家厨房玩具小女孩做饭宝宝仿真厨具套装3-6岁', 'https://img.alicdn.com/tfscom/i2/1701224431/TB1AglOonvI8KJjSspjXXcgjXXa_!!0-item_pic.jpg', '金万豪玩具专营店', 47.04, 3.34, 1516859279, 174188835, 7.1, '112134767610711543', 1, 0, 1, 1516958829, 1516958829),
(48, 4, '42899498940', '【年货价】陶煲王砂锅炖锅家用燃气陶瓷煲汤锅小沙锅汤锅明火耐高温瓦罐汤煲', 'https://img.alicdn.com/tfscom/i1/1132474133/TB12tJnodrJ8KJjSspaXXXuKpXa_!!0-item_pic.jpg', '陶煲王旗舰店', 46.17, 6.23, 1516859279, 174188835, 13.5, '112134767611711543', 1, 1, 1, 1516958829, 1516958829),
(49, 4, '527752001036', '安踏运动裤男长裤2017秋季新款休闲舒适棉跑步裤修身显瘦卫裤长裤', 'https://img.alicdn.com/tfscom/i3/1946762568/TB1a67Pejgy_uJjSZLeXXaPlFXa_!!0-item_pic.jpg', 'anta安踏安驰专卖店', 104, 2.6, 1516814341, 174188835, 2.5, '118663421399532772', 1, 0, 1, 1516958829, 1516958829),
(50, 4, '562559794906', '华为荣耀v10手机壳v9保护套薄创意磨砂男女款paly荣耀9硬壳防摔九', 'https://img.alicdn.com/tfscom/i3/2228661100/TB1NAcZd7fb_uJkHFNRXXc3vpXa_!!0-item_pic.jpg', '佳贝数码专营店', 25, 0.33, 1516608335, 174188835, 1.3, '123837248787996914', 1, 1, 1, 1516958829, 1516958829),
(51, 4, '527092570204', '奥义瑜伽垫加长加宽加厚瑜珈垫子初学者男女防滑运动健身垫三件套', 'https://img.alicdn.com/tfscom/i1/2783478757/TB1v5LScjb.heNjSZFAXXchKXXa_!!0-item_pic.jpg', '奥义健与美专卖店', 32.9, 6.74, 1516529300, 174188835, 20.5, '123568309685284207', 1, 1, 1, 1516958829, 1516958829),
(52, 4, '549797219254', '第一卫 正品iPhone6电池6s苹果5s六6plus手机5大容量sp电板5c换7p', 'https://img.alicdn.com/tfscom/i1/2455420587/TB1pOIdaZic_eJjSZFnXXXVwVXa_!!0-item_pic.jpg', '第一卫旗舰店', 124, 19.2, 1516522397, 174188835, 16.3, '117109140170809795', 1, 1, 1, 1516958829, 1516958829),
(53, 4, '550617499033', '钟情原生本色抽纸不漂白卫生纸手纸厕纸母婴用餐巾纸3层18包', 'https://img.alicdn.com/tfscom/i1/3190745395/TB1y8bqmsnI8KJjSspeXXcwIpXa_!!0-item_pic.jpg', '钟情家居旗舰店', 29.9, 9.12, 1516436930, 174188835, 30.5, '123561143355284207', 1, 1, 1, 1516958829, 1516958829),
(54, 4, '538523747234', '褚小姐梳子卷发梳木梳猪鬃毛内扣圆滚梳卷梳直发美发防静电造型梳', 'https://img.alicdn.com/tfscom/i4/2378374678/TB1QI8fezgy_uJjSZSyXXbqvVXa_!!2-item_pic.png', '褚小姐旗舰店', 12.8, 0.7, 1516426223, 174188835, 5.5, '123285424724996914', 1, 1, 1, 1516958829, 1516958829),
(55, 4, '543319752776', '冬季卡通珊瑚绒睡衣女冬加厚加绒甜美可爱韩版袄可外穿家居服套装', 'https://img.alicdn.com/tfscom/i3/2961270289/TB1lDNWgY3XS1JjSZFFXXcvupXa_!!0-item_pic.jpg', '茉婷旗舰店', 118, 34.31, 1516376612, 174188835, 30.61, '116561994149135484', 1, 1, 1, 1516958829, 1516958829),
(56, 4, '560610094487', '金丝绒萝卜裤加厚加绒哈伦裤子女冬季2017新款韩版学生休闲裤秋冬', 'https://img.alicdn.com/tfscom/i4/1706960088/TB1c7NfiRDH8KJjSszcXXbDTFXa_!!0-item_pic.jpg', 'baabibaaby旗舰店', 75.9, 4.18, 1516374555, 174188835, 5.5, '123268346339996914', 1, 1, 1, 1516958829, 1516958829),
(57, 4, '557007080075', '千鸟格子外套女2017新款秋冬韩版毛呢外套中长款学生加厚原宿大衣', 'https://img.alicdn.com/tfscom/i1/803368268/TB1sNEsnTnI8KJjy0FfXXcdoVXa_!!0-item_pic.jpg', '衣品天成女装旗舰店', 239.9, 13.2, 1516373871, 174188835, 5.5, '123165108309996914', 1, 0, 1, 1516958829, 1516958829),
(58, 4, '526472337134', '安踏男裤 2017新款针织直筒长裤运动裤 冬季加绒加厚小脚收口裤子', 'https://img.alicdn.com/tfscom/i1/2336221782/TB15Mdiezgy_uJjSZR0XXaK5pXa_!!0-item_pic.jpg', 'anta安踏北京专卖店', 129, 2.59, 1516366911, 174188835, 2, '116496978268532772', 1, 1, 1, 1516958829, 1516958829),
(59, 4, '562111328745', '绘柔品质 悦享法式浪漫 圣诞主题心形口 红正品专柜同步销售', 'https://img.alicdn.com/tfscom/i4/3367335553/TB1xLNigm_I8KJjy0FoXXaFnVXa_!!0-item_pic.jpg', '绘柔旗舰店', 19.9, 0.7, 1516334316, 174188835, 3.5, '122988736017284207', 1, 1, 1, 1516958829, 1516958829),
(60, 4, '562111328745', '绘柔品质 悦享法式浪漫 圣诞主题心形口 红正品专柜同步销售', 'https://img.alicdn.com/tfscom/i4/3367335553/TB1xLNigm_I8KJjy0FoXXaFnVXa_!!0-item_pic.jpg', '绘柔旗舰店', 19.9, 0.7, 1516334214, 174188835, 3.5, '122988064156284207', 1, 1, 1, 1516958829, 1516958829),
(61, 4, '541935814457', '奥利弗安卓数据线高速三星vivo小米华为通用加长1.5米手机充电线', 'https://img.alicdn.com/tfscom/i4/TB1Toh6SFXXXXbVXXXXXXXXXXXX_!!0-item_pic.jpg', '奥利弗旗舰店', 8.9, 3.15, 1516276150, 174188835, 35.3, '109295342977232059', 1, 1, 1, 1516958829, 1516958829),
(62, 4, '15806918356', '麦红不锈钢晾衣架落地折叠双杆式晾衣杆阳台室内挂被子伸缩晒衣架', 'https://img.alicdn.com/tfscom/i4/685006360/TB1K2uEdm_I8KJjy0FoXXaFnVXa_!!0-item_pic.jpg', '麦红家居专营店', 57, 3.43, 1516105463, 174188835, 6, '115311430597782086', 1, 1, 1, 1516958830, 1516958830),
(63, 4, '563449914594', 'MC新品弹力哈伦裤男士牛仔裤宽松大码小脚裤青少年日系学生裤子男', 'https://img.alicdn.com/tfscom/i1/2023416346/TB14VKAc6gy_uJjSZJnXXbuOXXa_!!0-item_pic.jpg', '曼古卡丹旗舰店', 78, 19.64, 1516087075, 174188835, 26.5, '122450859139318605', 1, 1, 1, 1516958830, 1516958830),
(64, 4, '563892567028', '2017秋冬季新款复古蝴蝶结蕾丝拼接修身中长款长袖收腰连衣裙女装', 'https://img.alicdn.com/tfscom/i4/1669775682/TB2bfyvlTnI8KJjSszbXXb4KFXa_!!1669775682.jpg', '小菲家新款每日更新', 51.8, 3.11, 1516080233, 174188835, 6, '115067299282135484', 1, 0, 1, 1516958830, 1516958830),
(65, 4, '42037842967', '彩虹电热毯单人学生安全宿舍床调温防水加厚家用电褥子官方旗舰店', NULL, 'rainbow彩虹旗舰店', 86, 1.55, 1516020430, 174188835, 1.8, '122265863275996914', 1, 1, 1, 1516958830, 1516958830),
(66, 4, '556013326914', '时克牙膏去口臭美白口气清新去黄牙渍烟渍牙结石日本进口含氟牙膏', 'https://img.alicdn.com/tfscom/i1/3364726971/TB1OHDOoDnI8KJjSszbXXb4KFXa_!!0-item_pic.jpg', 'sayclo时克旗舰店', 26.9, 8.2, 1516016307, 174188835, 30.5, '122133170098284207', 1, 1, 1, 1516958830, 1516958830),
(67, 4, '563413947334', '17春季男款黑色休闲裤夜店酒吧演出小脚紧身裤非主流柳钉潮男裤子', 'https://img.alicdn.com/tfscom/i1/2075644482/TB2Sd9xhVXXXXXlXpXXXXXXXXXX_!!2075644482.jpg', '2017精品潮流男装', 58, 2.9, 1516010074, 174188835, 5, '108034921248592459', 1, 0, 1, 1516958830, 1516958830),
(68, 4, '7836718573', '地垫门垫进门欧式吸水防滑入户门脚垫卧室客厅大门口进门地毯定制', 'https://img.alicdn.com/tfscom/i2/519579574/TB1BFkbodrJ8KJjSspaXXXuKpXa_!!2-item_pic.png', '湛蓝家居专营店', 70, 14.36, 1515935708, 174188835, 21.6, '114492067166048582', 1, 1, 1, 1516958830, 1516958830),
(69, 4, '7836718573', '地垫门垫进门欧式吸水防滑入户门脚垫卧室客厅大门口进门地毯定制', 'https://img.alicdn.com/tfscom/i2/519579574/TB1BFkbodrJ8KJjSspaXXXuKpXa_!!2-item_pic.png', '湛蓝家居专营店', 23, 4.72, 1515929955, 174188835, 21.6, '121980151456876006', 1, 1, 1, 1516958830, 1516958830),
(70, 4, '562924287852', '羽绒服女中长款过膝2017冬装韩版彩色超大毛领时尚收腰加厚外套潮', 'https://img.alicdn.com/tfscom/i7/TB1yblLiDnI8KJjy0FfYXIdoVXa_M2.SS2', 'MX Studio 高端定制', 345.94, 24.22, 1515648398, 174188835, 7, '121117415225284207', 1, 0, 1, 1516958830, 1516958830),
(71, 4, '561758375582', '诗云仙黛可爱加厚保暖法莱绒水晶绒床单床笠纯棉被套床上三四件套', 'https://img.alicdn.com/tfscom/i5/TB1PDfKajgy_uJjSZLeYXGPlFXa_M2.SS2', '诗云仙黛家居旗舰店', 188, 36.97, 1515640759, 174188835, 20.7, '106438165845232059', 1, 1, 1, 1516958830, 1516958830),
(72, 4, '536595294363', '乐扣乐扣米桶10KG家用防虫防潮密封米缸装米桶储米箱20斤', 'https://img.alicdn.com/tfscom/i3/2730574894/TB1hHdWoDnI8KJjSszbXXb4KFXa_!!0-item_pic.jpg', '乐扣乐扣厨具旗舰店', 76.9, 15.76, 1515583523, 174188835, 20.5, '106241828366132837', 1, 1, 1, 1516958830, 1516958830),
(73, 4, '561988411797', '【冰雪燃冬价】南极人电热毯双人双控调温单人电褥子学生宿舍定时安全家用无辐射', 'https://img.alicdn.com/tfscom/i3/2917554413/TB1Rme3g3fH8KJjy1zcXXcTzpXa_!!0-item_pic.jpg', '南极人骁时代专卖店', 168, 3.02, 1515569712, 174188835, 1.8, '112914015535598968', 1, 1, 1, 1516958830, 1516958830),
(74, 4, '557599370153', '【冰雪燃冬价】长虹电暖器电热油汀电暖气片节能省电静音油丁 取暖器家用电暖风', 'https://img.alicdn.com/tfscom/i3/2938556915/TB1yj8YlfDH8KJjy1XcXXcpdXXa_!!0-item_pic.jpg', '长虹跟斗云专卖店', 229, 23.59, 1515566503, 174188835, 10.3, '112894415086598968', 1, 1, 1, 1516958830, 1516958830),
(75, 4, '546044607030', 'x展架 60 160架子80X180结婚海报支架广告宣传易拉宝制作展示架', 'https://img.alicdn.com/tfscom/i3/1583526689/TB2iXJTbjgy_uJjSZKzXXb_jXXa_!!1583526689.jpg', '大德数码展示', 27, 1.35, 1515561744, 174188835, 5, '112934648196532772', 3, 0, 1, 1516958830, 1516958830),
(76, 4, '538778398513', '奥林格 ZX-200B6电热水壶家用自动断电快壶保温电壶电热烧水宿舍', 'https://img.alicdn.com/tfscom/i2/2995349161/TB1ZtfZmRDH8KJjSspnXXbNAVXa_!!0-item_pic.jpg', '奥林格厨房电器旗舰店', 32.9, 5.04, 1515504806, 174188835, 15.3, '120452833855996914', 1, 1, 1, 1516958830, 1516958830),
(77, 4, '20615695295', '美的电磁炉Midea/美的 WK2102电磁炉家用火锅电池炉智能特价正品', 'https://img.alicdn.com/tfscom/i1/1688704882/TB1H518eAfb_uJkSmLyXXcxoXXa_!!0-item_pic.jpg', '美的天天购专卖店', 168, 3.02, 1515503679, 174188835, 1.8, '120611790562996914', 1, 0, 1, 1516958830, 1516958830),
(78, 4, '563543802801', '2018早春新款复古港味气质深V领丝绒吊带连衣裙网纱打底衫两套装', NULL, 'yy潮流精品女装 3金冠', 47.98, 3.36, 1515490499, 174188835, 7, '112649693855135484', 1, 0, 1, 1516958830, 1516958830),
(79, 4, '42420999650', '围裙韩版时尚厨房防水防油长袖反穿做饭工作带袖围腰男罩衣成人女', 'https://img.alicdn.com/tfscom/i1/267485546/TB2iNHQgNHI8KJjy1zbXXaxdpXa_!!267485546.jpg', '清清玉露 百货商城', 7.8, 0.9, 1515385798, 174188835, 12.2, '105506019211132837', 1, 0, 1, 1516958830, 1516958830),
(80, 4, '538412374615', '成人衣橱简约现代经济型组装衣柜收纳柜塑料布艺简易衣柜钢架单人', 'https://img.alicdn.com/tfscom/i2/TB15RI6NXXXXXbxapXXXXXXXXXX_!!0-item_pic.jpg', '乐莉旗舰店', 55, 11.28, 1515368694, 174188835, 20.5, '120135623670996914', 1, 1, 1, 1516958830, 1516958830),
(81, 4, '16733914490', '天竹切菜板家用实木砧板厨房大号案板擀面板不粘板迷你小占板刀板', 'https://img.alicdn.com/tfscom/i4/678519505/TB1qMgjcxHI8KJjy1zbXXaxdpXa_!!0-item_pic.jpg', '天竹旗舰店', 9.9, 1.83, 1515367446, 174188835, 18.5, '119875865056996914', 1, 1, 1, 1516958830, 1516958830),
(82, 4, '40849662542', '浴室置物架卫生间脸盆洗手间角厕所塑料储物收纳洗脸三角落地架子', 'https://img.alicdn.com/tfscom/i2/2068437008/TB1rMOnmP3z9KJjy0FmXXXiwXXa_!!0-item_pic.jpg', '雨露居家日用专营店', 14.9, 1.56, 1515366935, 174188835, 10.5, '120133663096996914', 1, 1, 1, 1516958830, 1516958830),
(83, 4, '44786544363', '沃之沃 大号塑料带盖厨房置物架透明角架碗架整理碗柜碗碟沥水架', 'https://img.alicdn.com/tfscom/i3/2396525506/TB1Bqv8nDTI8KJjSsphXXcFppXa_!!0-item_pic.jpg', '沃之沃上海专卖店', 24, 1.32, 1515336887, 174188835, 5.5, '119836497925996914', 1, 1, 1, 1516958830, 1516958830),
(84, 4, '538585379380', '亿家达电脑桌台式家用电脑桌子简约现代书桌经济型写字台办公桌子', 'https://img.alicdn.com/tfscom/i2/1058517030/TB1G85CocjI8KJjSsppXXXbyVXa_!!0-item_pic.jpg', '亿家达旗舰店', 69, 7.25, 1515336040, 174188835, 10.5, '119885580438996914', 1, 1, 1, 1516958830, 1516958830),
(85, 4, '539020241804', '烤火炉电烤炉子木质家用实木取暖器暖脚器烤火箱烤脚电火桶电火盆', 'https://img.alicdn.com/tfscom/i1/48064266/TB2j1nxelfH8KJjy1XbXXbLdXXa_!!48064266.jpg', '湘芙电器', 217.5, 6.53, 1515297635, 174188835, 3, '111692597324245170', 1, 0, 1, 1516958830, 1516958830),
(86, 4, '542459708725', '华硕戴尔惠普联想小新小米笔记本电脑接口网络接头usb网线转换器', 'https://img.alicdn.com/tfscom/i1/1672975935/TB1JUz_koUIL1JjSZFrXXb3xFXa_!!0-item_pic.jpg', '司各托数码配件专营店', 58, 3.07, 1515232168, 174188835, 5.3, '111392103525532772', 1, 1, 1, 1516958831, 1516958831),
(87, 4, '556777283104', '加厚保暖法兰绒四件套珊瑚绒冬季1.8m床上用品双面法莱绒被套床单', 'https://img.alicdn.com/tfscom/i4/2222850086/TB1vJbgcxTI8KJjSspiXXbM4FXa_!!0-item_pic.jpg', '觉先生家居旗舰店', 159, 10.5, 1515214571, 174188835, 6.6, '119341457248996914', 1, 1, 1, 1516958831, 1516958831),
(88, 4, '42037842967', '彩虹电热毯单人学生安全宿舍床调温防水加厚家用电褥子官方旗舰店', NULL, 'rainbow彩虹旗舰店', 86, 1.55, 1515210810, 174188835, 1.8, '119320597229996914', 1, 1, 1, 1516958831, 1516958831),
(89, 4, '526051545678', '4条孕妇内裤低腰纯棉底裆怀孕期产妇不抗菌短裤头女大码内衣透气', 'https://img.alicdn.com/tfscom/i3/TB1UlOfRVXXXXa0XpXXXXXXXXXX_!!0-item_pic.jpg', '容易母婴专营店', 29.8, 1.49, 1515164065, 174188835, 5, '119278484578876006', 1, 1, 1, 1516958831, 1516958831),
(90, 4, '560083960502', '全棉可拆洗带被套被子单双人棉被新疆棉絮棉花被加厚保暖冬被纯棉', 'https://img.alicdn.com/tfscom/i4/2211230505/TB19n52d0bJ8KJjy1zjXXaqapXa_!!0-item_pic.jpg', '艾格妮斯旗舰店', 135, 2.71, 1514893992, 174188835, 2, '109872736134532772', 1, 1, 1, 1516958831, 1516958831);
-- --------------------------------------------------------
--
-- 表的结构 `agent_pid`
--
CREATE TABLE `agent_pid` (
`id` int(11) NOT NULL,
`user_id` int(11) DEFAULT NULL COMMENT '用户id',
`nick` varchar(1024) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '昵称',
`openid` varchar(1024) DEFAULT NULL COMMENT 'openid',
`pid` varchar(1024) NOT NULL COMMENT 'pid',
`use_time` int(11) DEFAULT NULL COMMENT '使用时间',
`status` int(11) NOT NULL DEFAULT '0' COMMENT '0表示未使用,1表示使用',
`createtime` int(11) DEFAULT NULL,
`updatetime` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COMMENT='pid管理表';
--
-- 转存表中的数据 `agent_pid`
--
INSERT INTO `agent_pid` (`id`, `user_id`, `nick`, `openid`, `pid`, `use_time`, `status`, `createtime`, `updatetime`) VALUES
(1, 4, '杨启华', 'ok6sq5PK4EQnTij_y1H2mDRP4QxI', 'mm_126370153_41214963_184032482', 1516779318, 0, 1516778751, 1516778751),
(2, 4, '杨启华', 'ok6sq5PK4EQnTij_y1H2mDRP4QxI', 'mm_126370153_42216849_208558703', 1516783282, 0, 1516779916, 1516779916),
(3, NULL, NULL, NULL, 'mm_126370153_42216849_208562825', NULL, 0, 1516779929, 1516779929),
(4, NULL, NULL, NULL, 'mm_126370153_42216849_208584453', NULL, 0, 1516779939, 1516779939),
(5, NULL, NULL, NULL, 'mm_126370153_42216849_208554735', NULL, 0, 1516779952, 1516779952),
(6, NULL, NULL, NULL, 'mm_126370153_42216849_208592031', NULL, 0, 1516779967, 1516779967),
(7, NULL, NULL, NULL, 'mm_126370153_42216849_208580543', NULL, 0, NULL, NULL),
(8, NULL, NULL, NULL, 'mm_126370153_42216849_208574671', NULL, 0, 1517062876, 1517062876),
(9, NULL, NULL, NULL, 'mm_126370153_42216849_208588117', NULL, 0, 1517062876, 1517062876),
(10, NULL, NULL, NULL, 'mm_126370153_42216849_208576479', NULL, 0, 1517062876, 1517062876),
(11, NULL, NULL, NULL, 'mm_126370153_42216849_208588123', NULL, 0, 1517062876, 1517062876),
(12, NULL, NULL, NULL, 'mm_126370153_42216849_208548863', NULL, 0, 1517062876, 1517062876),
(13, NULL, NULL, NULL, 'mm_126370153_42316876_214102735', NULL, 0, 1517062876, 1517062876),
(14, NULL, NULL, NULL, 'mm_126370153_42316876_214168344', NULL, 0, 1517062876, 1517062876),
(15, NULL, NULL, NULL, 'mm_126370153_42316876_214156946', NULL, 0, 1517062876, 1517062876),
(16, NULL, NULL, NULL, 'mm_126370153_42316876_214176337', NULL, 0, 1517062876, 1517062876),
(17, NULL, NULL, NULL, 'mm_126370153_42316876_214148757', NULL, 0, 1517062876, 1517062876),
(18, NULL, NULL, NULL, 'mm_126370153_42316876_214168350', NULL, 0, 1517062876, 1517062876),
(19, NULL, NULL, NULL, 'mm_126370153_42316876_214164378', NULL, 0, 1517062876, 1517062876),
(20, NULL, NULL, NULL, 'mm_126370153_42316876_214180097', NULL, 0, 1517062876, 1517062876),
(21, NULL, NULL, NULL, 'mm_126370153_42316876_214190029', NULL, 0, 1517062877, 1517062877),
(22, NULL, NULL, NULL, 'mm_126370153_42316876_214188037', NULL, 0, 1517062877, 1517062877),
(23, NULL, NULL, NULL, 'mm_126370153_42316876_214142851', NULL, 0, 1517062877, 1517062877),
(24, NULL, NULL, NULL, 'mm_126370153_42316876_214168547', NULL, 0, 1517063140, 1517063140),
(25, NULL, NULL, NULL, 'mm_126370153_42316876_214158724', NULL, 0, 1517063140, 1517063140),
(26, NULL, NULL, NULL, 'mm_126370153_42316876_214190220', NULL, 0, 1517063140, 1517063140),
(27, NULL, NULL, NULL, 'mm_126370153_42316876_214178403', NULL, 0, 1517063140, 1517063140),
(28, NULL, NULL, NULL, 'mm_126370153_42316876_214162751', NULL, 0, 1517063140, 1517063140),
(29, NULL, NULL, NULL, 'mm_126370153_42316876_214172511', NULL, 0, 1517063140, 1517063140),
(30, NULL, NULL, NULL, 'mm_126370153_42316876_214168557', NULL, 0, 1517063140, 1517063140),
(31, NULL, NULL, NULL, 'mm_126370153_42316876_214186253', NULL, 0, 1517063140, 1517063140),
(32, NULL, NULL, NULL, 'mm_126370153_42316876_214168562', NULL, 0, 1517063140, 1517063140),
(33, NULL, NULL, NULL, 'mm_126370153_42316876_214196032', NULL, 0, 1517063140, 1517063140),
(34, NULL, NULL, NULL, 'mm_126370153_42316876_214178413', NULL, 0, 1517063140, 1517063140),
(35, NULL, NULL, NULL, 'mm_126370153_42316876_214162759', NULL, 0, 1517063140, 1517063140),
(36, NULL, NULL, NULL, 'mm_126370153_42316876_214190233', NULL, 0, 1517063140, 1517063140),
(37, NULL, NULL, NULL, 'mm_126370153_42316876_214176577', NULL, 0, 1517063140, 1517063140),
(38, NULL, NULL, NULL, 'mm_126370153_42316876_214174540', NULL, 0, 1517063140, 1517063140),
(39, NULL, NULL, NULL, 'mm_126370153_42316876_214172523', NULL, 0, 1517063140, 1517063140),
(40, NULL, NULL, NULL, 'mm_126370153_42316876_214194084', NULL, 0, 1517063140, 1517063140),
(41, NULL, NULL, NULL, 'mm_126370153_42316876_214184349', NULL, 0, 1517063140, 1517063140),
(42, NULL, NULL, NULL, 'mm_126370153_42316876_214164521', NULL, 0, 1517063140, 1517063140),
(43, NULL, NULL, NULL, 'mm_126370153_42316876_214182252', NULL, 0, 1517063140, 1517063140),
(44, NULL, NULL, NULL, 'mm_126370153_42316876_214148990', NULL, 0, 1517063673, 1517063673),
(45, NULL, NULL, NULL, 'mm_126370153_42316876_214194219', NULL, 0, 1517063673, 1517063673),
(46, NULL, NULL, NULL, 'mm_126370153_42316876_214158820', NULL, 0, 1517063673, 1517063673),
(47, NULL, NULL, NULL, 'mm_126370153_42316876_214180320', NULL, 0, 1517063673, 1517063673),
(48, NULL, NULL, NULL, 'mm_126370153_42316876_214194222', NULL, 0, 1517063673, 1517063673),
(49, NULL, NULL, NULL, 'mm_126370153_42316876_214200055', NULL, 0, 1517063673, 1517063673),
(50, NULL, NULL, NULL, 'mm_126370153_42316876_214186403', NULL, 0, 1517063673, 1517063673),
(51, NULL, NULL, NULL, 'mm_126370153_42316876_214186404', NULL, 0, 1517063673, 1517063673),
(52, NULL, NULL, NULL, 'mm_126370153_42316876_214174675', NULL, 0, 1517063673, 1517063673),
(53, NULL, NULL, NULL, 'mm_126370153_42316876_214200058', NULL, 0, 1517063673, 1517063673),
(54, NULL, NULL, NULL, 'mm_126370153_42316876_214174676', NULL, 0, 1517063673, 1517063673),
(55, NULL, NULL, NULL, 'mm_126370153_42316876_214180327', NULL, 0, 1517063673, 1517063673),
(56, NULL, NULL, NULL, 'mm_126370153_42316876_214168710', NULL, 0, 1517063673, 1517063673);
-- --------------------------------------------------------
--
-- 表的结构 `agent_spread`
--
CREATE TABLE `agent_spread` (
`id` int(11) NOT NULL,
`from_user_id` int(11) NOT NULL COMMENT '推广者',
`to_user_id` int(11) NOT NULL COMMENT '被推广者',
`reward` double NOT NULL DEFAULT '0' COMMENT '奖励',
`status` int(11) NOT NULL DEFAULT '1' COMMENT '状态',
`createtime` int(11) DEFAULT NULL,
`updatetime` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COMMENT='代理推广奖励表';
--
-- 转存表中的数据 `agent_spread`
--
INSERT INTO `agent_spread` (`id`, `from_user_id`, `to_user_id`, `reward`, `status`, `createtime`, `updatetime`) VALUES
(1, 1, 2, 0, 1, 1516271460, NULL),
(2, 1, 4, 98, 1, 1516702689, 1516702689),
(3, 1, 4, 98, 1, 1516702832, 1516702832);
-- --------------------------------------------------------
--
-- 表的结构 `agent_tixian`
--
CREATE TABLE `agent_tixian` (
`id` int(11) NOT NULL,
`user_id` int(11) NOT NULL COMMENT '用户id',
`money` double NOT NULL DEFAULT '0' COMMENT '提现金额',
`type` int(11) NOT NULL DEFAULT '0' COMMENT '0微信,1支付宝',
`token` varchar(1024) DEFAULT NULL COMMENT '提现账户',
`status` int(11) NOT NULL DEFAULT '0' COMMENT '状态',
`createtime` int(11) DEFAULT NULL,
`updatetime` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COMMENT='提现记录表';
--
-- 转存表中的数据 `agent_tixian`
--
INSERT INTO `agent_tixian` (`id`, `user_id`, `money`, `type`, `token`, `status`, `createtime`, `updatetime`) VALUES
(1, 1, 20, 0, 'qmqdd666', 1, 1516374265, NULL),
(2, 1, 16.8, 1, '<EMAIL>', 0, 1516271467, NULL),
(3, 1, 10, 0, '123', 0, 1516619186, 1516619186),
(4, 1, 10, 0, '123', 0, 1516619278, 1516619278);
-- --------------------------------------------------------
--
-- 表的结构 `agent_user`
--
CREATE TABLE `agent_user` (
`id` int(11) NOT NULL,
`openid` varchar(1024) NOT NULL COMMENT 'openid',
`nick` varchar(1024) DEFAULT NULL COMMENT '昵称',
`sex` int(11) NOT NULL DEFAULT '1' COMMENT '性别',
`province` varchar(1024) DEFAULT NULL COMMENT '省份',
`city` varchar(1024) DEFAULT NULL COMMENT '城市',
`fid` varchar(1024) NOT NULL DEFAULT 'system' COMMENT '上级openid',
`head_img` varchar(1024) DEFAULT NULL COMMENT '头像',
`is_agent` int(11) NOT NULL DEFAULT '0' COMMENT '是否代理',
`money` double NOT NULL DEFAULT '0' COMMENT '账户余额',
`pid` varchar(1024) DEFAULT NULL COMMENT 'mm_xx_xx_xx',
`customer_count` int(11) NOT NULL DEFAULT '0' COMMENT '用户数',
`order_count` int(11) NOT NULL DEFAULT '0' COMMENT '订单数',
`total_commission` double NOT NULL DEFAULT '0' COMMENT '累积返佣',
`request_code` varchar(1024) NOT NULL DEFAULT 'lhyqh0' COMMENT '邀请码',
`tixian` double NOT NULL DEFAULT '0' COMMENT '已提现',
`spread_count` int(11) NOT NULL DEFAULT '0' COMMENT '推广代理数',
`spread_money` double NOT NULL DEFAULT '0' COMMENT '推广代理奖励',
`status` int(11) NOT NULL DEFAULT '1' COMMENT '状态',
`agent_time` int(11) DEFAULT NULL COMMENT '成为代理时间',
`createtime` int(11) DEFAULT NULL,
`updatetime` int(11) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COMMENT='用户表';
--
-- 转存表中的数据 `agent_user`
--
INSERT INTO `agent_user` (`id`, `openid`, `nick`, `sex`, `province`, `city`, `fid`, `head_img`, `is_agent`, `money`, `pid`, `customer_count`, `order_count`, `total_commission`, `request_code`, `tixian`, `spread_count`, `spread_money`, `status`, `agent_time`, `createtime`, `updatetime`) VALUES
(1, 'system', '总代理', 1, NULL, NULL, 'system', NULL, 1, 4.699999999999999, 'mm_126370153_41252811_177878190', 9, 0, 0, 'lhyqh0', 20, 3, 294, 1, 1516291199, 1516271460, 1516271460),
(2, 'lh', '云之巅', 1, '四川', '成都', 'ok6sq5PK4EQnTij_y1H2mDRP4QxI', 'https://img.alicdn.com/imgextra/i1/1879660321/TB2eTNge0LO8KJjSZFxXXaGEVXa_!!1879660321.jpg', 0, 0, 'mm_126370153_42216849_208558703', 0, 0, 0, 'fc517e', 0, 0, 0, 1, NULL, 1516271460, NULL),
(3, 'yqh', '云之巅', 1, ' 湖南 ', '长沙', 'system', 'https://img.alicdn.com/imgextra/i1/1879660321/TB2eTNge0LO8KJjSZFxXXaGEVXa_!!1879660321.jpg', 0, 0, NULL, 0, 0, 0, 'lhyqh0', 0, 0, 0, 1, NULL, 1516271460, NULL),
(4, 'ok6sq5PK4EQnTij_y1H2mDRP4QxI', '杨启华', 1, 'Sichuan', 'Chengdu', 'system', 'https://wx.qlogo.cn/mmopen/vi_32/ySAH6vk0pVFUvllf9GlmvmxekWyHiaVtwjx3PSK5FqC4hcYFlgEdznWAicTnHSPh0NzJJ1HxVW3KGpl9hlyt9bsg/0', 1, 0, 'mm_126370153_41252811_174188835', 3, 0, 0, 'fc517e', 0, 0, 0, 1, 1516783282, 1516641017, 1516641017);
-- --------------------------------------------------------
--
-- 表的结构 `fa_admin`
--
CREATE TABLE `fa_admin` (
`id` int(10) UNSIGNED NOT NULL COMMENT 'ID',
`username` varchar(20) NOT NULL DEFAULT '' COMMENT '用户名',
`nickname` varchar(50) NOT NULL DEFAULT '' COMMENT '昵称',
`password` varchar(32) NOT NULL DEFAULT '' COMMENT '密码',
`salt` varchar(30) NOT NULL DEFAULT '' COMMENT '密码盐',
`avatar` varchar(100) NOT NULL DEFAULT '' COMMENT '头像',
`email` varchar(100) NOT NULL DEFAULT '' COMMENT '电子邮箱',
`loginfailure` tinyint(1) UNSIGNED NOT NULL DEFAULT '0' COMMENT '失败次数',
`logintime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '登录时间',
`createtime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '创建时间',
`updatetime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '更新时间',
`token` varchar(59) NOT NULL DEFAULT '' COMMENT 'Session标识',
`status` varchar(30) NOT NULL DEFAULT 'normal' COMMENT '状态'
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='管理员表' ROW_FORMAT=COMPACT;
--
-- 转存表中的数据 `fa_admin`
--
INSERT INTO `fa_admin` (`id`, `username`, `nickname`, `password`, `salt`, `avatar`, `email`, `loginfailure`, `logintime`, `createtime`, `updatetime`, `token`, `status`) VALUES
(1, 'admin', 'Admin', '<PASSWORD>', '<PASSWORD>', '/assets/img/avatar.png', '<EMAIL>', 0, 1516608720, 1492186163, 1516608720, 'ba92544d-ad09-4152-8433-c6f306c44996', 'normal'),
(2, 'admin2', 'admin2', '<PASSWORD>', '<PASSWORD>', '/assets/img/avatar.png', '<EMAIL>', 0, 1505450906, 1492186163, 1505450906, 'df45fdd5-26f4-45ca-83b3-47e4491a315a', 'normal'),
(3, 'admin3', 'admin3', '<PASSWORD>753fe62', 'WOKJEn', '/assets/img/avatar.png', '<EMAIL>', 0, 1501980868, 1492186201, 1501982377, '', 'normal'),
(4, 'admin22', 'admin22', '1c1a0aa0c3c56a8c1a908aab94519648', 'Aybcn5', '/assets/img/avatar.png', '<EMAIL>', 0, 0, 1492186240, 1492186240, '', 'normal'),
(5, 'admin32', 'admin32', 'ade94d5d7a7033afa7d84ac3066d0a02', 'FvYK0u', '/assets/img/avatar.png', '<EMAIL>', 0, 0, 1492186263, 1492186263, '', 'normal');
-- --------------------------------------------------------
--
-- 表的结构 `fa_admin_log`
--
CREATE TABLE `fa_admin_log` (
`id` int(10) UNSIGNED NOT NULL COMMENT 'ID',
`admin_id` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '管理员ID',
`username` varchar(30) NOT NULL DEFAULT '' COMMENT '管理员名字',
`url` varchar(100) NOT NULL DEFAULT '' COMMENT '操作页面',
`title` varchar(100) NOT NULL DEFAULT '' COMMENT '日志标题',
`content` text NOT NULL COMMENT '内容',
`ip` varchar(50) NOT NULL DEFAULT '' COMMENT 'IP',
`useragent` varchar(255) NOT NULL DEFAULT '' COMMENT 'User-Agent',
`createtime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '操作时间'
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='管理员日志表' ROW_FORMAT=DYNAMIC;
--
-- 转存表中的数据 `fa_admin_log`
--
INSERT INTO `fa_admin_log` (`id`, `admin_id`, `username`, `url`, `title`, `content`, `ip`, `useragent`, `createtime`) VALUES
(1317, 1, 'admin', '/agent/public/index.php/admin/index/login.html', '登录', '{"__token__":"<KEY>","username":"admin"}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1515744133),
(1318, 1, 'admin', '/agent/public/index.php/admin/index/login.html', '登录', '{"__token__":"<KEY>","username":"admin","keeplogin":"1"}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516525253),
(1319, 1, 'admin', '/agent/public/index.php/admin/index/login.html', '登录', '{"__token__":"53c19754e6588c66a19875880ed2f4f2","username":"admin"}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516608720),
(1320, 1, 'admin', '/agent/public/index.php/admin/general/config/check', '', '{"row":{"name":"notice"}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516608837),
(1321, 1, 'admin', '/agent/public/index.php/admin/general.config/add', '常规管理 系统配置 添加', '{"row":{"type":"string","group":"dictionary","name":"notice","title":"\\u4e2a\\u4eba\\u4e2d\\u5fc3\\u516c\\u544a","value":"\\u6bcf\\u670825\\u65e5\\u7ed3\\u7b97\\u4e0a\\u6708\\u9884\\u4f30\\u6536\\u5165\\uff0c\\u672c\\u6708\\u9884\\u4f30\\u6536\\u5165\\u5219\\u5728\\u4e0b\\u670825\\u65e5\\u7ed3\\u7b97\\u3002","content":"key1|value1\\r\\nkey2|value2","tip":"\\u4e2a\\u4eba\\u4e2d\\u5fc3\\u516c\\u544a","rule":"","extend":""}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516608913),
(1322, 1, 'admin', '/agent/public/index.php/admin/general.config/edit', '常规管理 系统配置 编辑', '{"row":{"categorytype":{"field":{"default":"default","page":"page","article":"article","test":"test"},"value":{"default":"Default","page":"Page","article":"Article","test":"Test"}},"configgroup":{"field":{"basic":"basic","email":"email","dictionary":"dictionary","user":"user","example":"example"},"value":{"basic":"Basic","email":"Email","dictionary":"Dictionary","user":"User","example":"Example"}},"notice":"\\u6bcf\\u670825\\u65e5\\u7ed3\\u7b97\\u4e0a\\u6708\\u9884\\u4f30\\u6536\\u5165\\uff0c\\u672c\\u6708\\u9884\\u4f30\\u6536\\u5165\\u5219\\u5728\\u4e0b\\u670825\\u65e5\\u7ed3\\u7b97"}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516610689),
(1323, 1, 'admin', '/agent/public/index.php/admin/general.config/edit', '常规管理 系统配置 编辑', '{"row":{"categorytype":{"field":{"default":"default","page":"page","article":"article","test":"test"},"value":{"default":"Default","page":"Page","article":"Article","test":"Test"}},"configgroup":{"field":{"basic":"basic","email":"email","dictionary":"dictionary","user":"user","example":"example"},"value":{"basic":"Basic","email":"Email","dictionary":"Dictionary","user":"User","example":"Example"}},"notice":"\\u6bcf\\u670821\\u65e5\\u7ed3\\u7b97\\u4e0a\\u6708\\u9884\\u4f30\\u6536\\u5165\\uff0c\\u672c\\u6708\\u9884\\u4f30\\u6536\\u5165\\u5219\\u5728\\u4e0b\\u670821\\u65e5\\u7ed3\\u7b97"}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516610709),
(1324, 1, 'admin', '/agent/public/index.php/admin/general/config/check', '', '{"row":{"name":"tixian_notice"}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516612565),
(1325, 1, 'admin', '/agent/public/index.php/admin/general.config/add', '常规管理 系统配置 添加', '{"row":{"type":"string","group":"basic","name":"tixian_notice","title":"\\u63d0\\u73b0\\u516c\\u544a","value":"\\u5355\\u7b14\\u63d0\\u73b0\\u4f59\\u989d\\u4e0d\\u80fd\\u5c11\\u4e8e10\\u5143","content":"key1|value1\\r\\nkey2|value2","tip":"\\u63d0\\u73b0\\u516c\\u544a","rule":"","extend":""}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516612602),
(1326, 1, 'admin', '/agent/public/index.php/admin/general/config/check', '', '{"row":{"name":"normal_notice"}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516640128),
(1327, 1, 'admin', '/agent/public/index.php/admin/general.config/add', '常规管理 系统配置 添加', '{"row":{"type":"string","group":"dictionary","name":"normal_notice","title":"\\u666e\\u901a\\u7528\\u6237\\u516c\\u544a","value":"\\u67e0\\u6aac\\u597d\\u7269\\u6b63\\u5728\\u62db\\u5408\\u4f19\\u4eba\\uff0c\\u5feb\\u6765\\u52a0\\u5165\\u5427\\uff01","content":"key1|value1\\r\\nkey2|value2","tip":"\\u666e\\u901a\\u7528\\u6237\\u516c\\u544a","rule":"","extend":""}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516640188),
(1328, 1, 'admin', '/agent/public/index.php/admin/general/config/check', '', '{"row":{"name":"alimama_cookie"}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516897558),
(1329, 1, 'admin', '/agent/public/index.php/admin/general.config/add', '常规管理 系统配置 添加', '{"row":{"type":"string","group":"dictionary","name":"alimama_cookie","title":"\\u963f\\u91cc\\u5988\\u5988cookie","value":"t=016b7584eef6ef5a9d4549abf428090c; 126370153_yxjh-filter-1=true; undefined_yxjh-filter-1=true; account-path-guide-s1=true; cna=n+daDozLlDACAbaVnLpee+Rt; UM_distinctid=1608756c8d62b3-01ba5813a9c4ca-6113187e-1fa400-1608756c8d7111; qq-best-goods-down-time=1515831677233; v=0; cookie2=1e9265942326a4777bef77b06629adba; _tb_token_=<PASSWORD>; <PASSWORD>amapwag=TW96aWxsYS81LjAgKFdpbmRvd3MgTlQgNi4yOyBXT1c2NCkgQXBwbGVXZWJLaXQvNTM3LjM2IChLSFRNTCwgbGlrZSBHZWNrbykgQ2hyb21lLzYzLjAuMzIzOS4xMzIgU2FmYXJpLzUzNy4zNg%3D%3D; cookie32=45827167dae699d81bc1047ab98f5243; alimamapw=QCAEFCVSF3BTE3gjRHMAFXV7QCAIFCQnF3BVE39fRHNwFXUBbFQFVVJSUwNSBltTVg8DU1cJBlcH%0AAlUGAwNUUA1XBVNT; cookie31=MTI2MzcwMTUzLCVFNCVCQSU5MSVFNCVCOSU4QiVFNSVCNyU4NSVFNCVCOCVCNiVFOCVCRCVBOSVFNiU5QiVBNiwxODAzNzA1NzE4QHFxLmNvbSxUQg%3D%3D; login=V32FPkk%2Fw0dUvg%3D%3D; rurl=aHR0cDovL3B1Yi5hbGltYW1hLmNvbS8%2Fc3BtPWEyMTl0Ljc2NjQ1NTQuYTIxNHRyOC45LjRiMjc1MzM1cnNXZ2Nv; apush87259e0e0b98351e62f8d308516a70ce=%7B%22ts%22%3A1516896176317%2C%22heir%22%3A1516892960897%2C%22parentId%22%3A1516885695150%7D; isg=BAgI8b5NxkIBtSkffTmBvr9A2XbaGW3SGT7X-8K6EwMQna4HasG9SknbEXXtrSST","content":"key1|value1\\r\\nkey2|value2","tip":"\\u963f\\u91cc\\u5988\\u5988cookie","rule":"","extend":""}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516897594),
(1330, 1, 'admin', '/agent/public/index.php/admin/general/config/check', '', '{"row":{"name":"chaozhi_cookie"}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516897646),
(1331, 1, 'admin', '/agent/public/index.php/admin/general.config/add', '常规管理 系统配置 添加', '{"row":{"type":"string","group":"dictionary","name":"chaozhi_cookie","title":"\\u91ce\\u9e21cookie","value":"user_name=hiluo302; user_pass=<PASSWORD>; UM_distinctid=<PASSWORD>; PHPSESSID=u0u5cfmvegm3u421kn3e6v6143; userInfo=%7B%22user%22%3A%22oGXe5jjUw9e03jAG4qOYYYTSoZrc%22%2C%22setting%22%3A%22%7B%5C%22isDxFi%5C%22%3Afalse%2C%5C%22isShowPic%5C%22%3Afalse%2C%5C%22isHSL%5C%22%3Afalse%2C%5C%22isHPIC%5C%22%3Afalse%2C%5C%22isDisc%5C%22%3Afalse%2C%5C%22isChangeTitle%5C%22%3Afalse%2C%5C%22ChangeTitle%5C%22%3A%5C%22%5C%22%2C%5C%22isShare%5C%22%3Afalse%2C%5C%22moreTj%5C%22%3Afalse%2C%5C%22tklEnc%5C%22%3Afalse%2C%5C%22tklTransfor%5C%22%3Afalse%2C%5C%22shareID%5C%22%3A%5C%22%5C%22%2C%5C%22setPid%5C%22%3A%5C%22mm_126370153_36622270_131112319%2Cmm_126370153_41252811_177878190%5C%22%7D%22%2C%22head_img%22%3A%22%22%2C%22nick_name%22%3A%22%22%2C%22times%22%3A%22100%22%2C%22token%22%3A%2270002100142174d222fdfcb82c2c7c568985c1190088693c5f19ef190dd1a929358c8aa2032537227%22%7D; CNZZDATA1255591768=1881858639-1515683014-http%253A%252F%252Ftool.chaozhi.hk%252F%7C1516813138","content":"key1|value1\\r\\nkey2|value2","tip":"\\u91ce\\u9e21cookie","rule":"","extend":""}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516897677),
(1332, 1, 'admin', '/agent/public/index.php/admin/general/config/check', '', '{"row":{"name":"chaozhi_key"}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516898674),
(1333, 1, 'admin', '/agent/public/index.php/admin/general.config/add', '常规管理 系统配置 添加', '{"row":{"type":"string","group":"dictionary","name":"chaozhi_key","title":"\\u91ce\\u9e21key","value":"<KEY>","content":"key1|value1\\r\\nkey2|value2","tip":"\\u91ce\\u9e21key","rule":"","extend":""}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516898693),
(1334, 1, 'admin', '/agent/public/index.php/admin/general.config/edit', '常规管理 系统配置 编辑', '{"row":{"categorytype":{"field":{"default":"default","page":"page","article":"article","test":"test"},"value":{"default":"Default","page":"Page","article":"Article","test":"Test"}},"configgroup":{"field":{"basic":"basic","email":"email","dictionary":"dictionary","user":"user","example":"example"},"value":{"basic":"Basic","email":"Email","dictionary":"Dictionary","user":"User","example":"Example"}},"notice":"\\u6bcf\\u670821\\u65e5\\u7ed3\\u7b97\\u4e0a\\u6708\\u9884\\u4f30\\u6536\\u5165\\uff0c\\u672c\\u6708\\u9884\\u4f30\\u6536\\u5165\\u5219\\u5728\\u4e0b\\u670821\\u65e5\\u7ed3\\u7b97","tixian_notice":"\\u5355\\u7b14\\u63d0\\u73b0\\u4f59\\u989d\\u4e0d\\u80fd\\u5c11\\u4e8e10\\u5143","normal_notice":"\\u67e0\\u6aac\\u597d\\u7269\\u6b63\\u5728\\u62db\\u5408\\u4f19\\u4eba\\uff0c\\u5feb\\u6765\\u52a0\\u5165\\u5427\\uff01","alimama_cookie":"t=016b7584eef6ef5a9d4549abf428090c; 126370153_yxjh-filter-1=true; undefined_yxjh-filter-1=true; account-path-guide-s1=true; cna=n+daDozLlDACAbaVnLpee+Rt; UM_distinctid=1608756c8d62b3-01ba5813a9c4ca-6113187e-1fa400-1608756c8d7111; qq-best-goods-down-time=1515831677233; v=0; cookie2=1e9265942326a4777bef77b06629adba; _tb_token_=<PASSWORD>5361; alimamapwag=TW96aWxsYS81LjAgKFdpbmRvd3MgTlQgNi4yOyBXT1c2NCkgQXBwbGVXZWJLaXQvNTM3LjM2IChLSFRNTCwgbGlrZSBHZWNrbykgQ2hyb21lLzYzLjAuMzIzOS4xMzIgU2FmYXJpLzUzNy4zNg%3D%3D; cookie32=45827167dae699d81bc1047ab98f5243; alimamapw=QCAEFCVSF3BTE3gjRHMAFXV7QCAIFCQnF3BVE39fRHNwFXUBbFQFVVJSUwNSBltTVg8DU1cJBlcH%0AAlUGAwNUUA1XBVNT; cookie31=MTI2MzcwMTUzLCVFNCVCQSU5MSVFNCVCOSU4QiVFNSVCNyU4NSVFNCVCOCVCNiVFOCVCRCVBOSVFNiU5QiVBNiwxODAzNzA1NzE4QHFxLmNvbSxUQg%3D%3D; login=V32FPkk%2Fw0dUvg%3D%3D; rurl=aHR0cDovL3B1Yi5hbGltYW1hLmNvbS8%2Fc3BtPWEyMTl0Ljc2NjQ1NTQuYTIxNHRyOC45LjRiMjc1MzM1cnNXZ2Nv; apush87259e0e0b98351e62f8d308516a70ce=%7B%22ts%22%3A1516896176317%2C%22heir%22%3A1516892960897%2C%22parentId%22%3A1516885695150%7D; isg=BAgI8b5NxkIBtSkffTmBvr9A2XbaGW3SGT7X-8K6EwMQna4HasG9SknbEXXtrSST","chaozhi_cookie":"PHPSESSID=mibl7ndc8pkddd1vhkupfika35; userInfo=%7B%22user%22%3A%22oGXe5jjUw9e03jAG4qOYYYTSoZrc%22%2C%22setting%22%3A%22%7B%5C%22isDxFi%5C%22%3Afalse%2C%5C%22isShowPic%5C%22%3Afalse%2C%5C%22isHSL%5C%22%3Afalse%2C%5C%22isHPIC%5C%22%3Afalse%2C%5C%22isDisc%5C%22%3Afalse%2C%5C%22isChangeTitle%5C%22%3Afalse%2C%5C%22ChangeTitle%5C%22%3A%5C%22%5C%22%2C%5C%22isShare%5C%22%3Afalse%2C%5C%22moreTj%5C%22%3Afalse%2C%5C%22tklEnc%5C%22%3Afalse%2C%5C%22tklTransfor%5C%22%3Afalse%2C%5C%22shareID%5C%22%3A%5C%22%5C%22%2C%5C%22setPid%5C%22%3A%5C%22mm_126370153_36622270_131112319%2Cmm_126370153_41252811_177878190%5C%22%7D%22%2C%22head_img%22%3A%22%22%2C%22nick_name%22%3A%22%22%2C%22times%22%3A97%2C%22token%22%3A%2270002100142174d222fdfcb82c2c7c568985c1190088693c5f19ef190dd1a929358c8aa2032537227%22%7D"}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516904487),
(1335, 1, 'admin', '/agent/public/index.php/admin/general.config/edit', '常规管理 系统配置 编辑', '{"row":{"categorytype":{"field":{"default":"default","page":"page","article":"article","test":"test"},"value":{"default":"Default","page":"Page","article":"Article","test":"Test"}},"configgroup":{"field":{"basic":"basic","email":"email","dictionary":"dictionary","user":"user","example":"example"},"value":{"basic":"Basic","email":"Email","dictionary":"Dictionary","user":"User","example":"Example"}},"notice":"\\u6bcf\\u670821\\u65e5\\u7ed3\\u7b97\\u4e0a\\u6708\\u9884\\u4f30\\u6536\\u5165\\uff0c\\u672c\\u6708\\u9884\\u4f30\\u6536\\u5165\\u5219\\u5728\\u4e0b\\u670821\\u65e5\\u7ed3\\u7b97","tixian_notice":"\\u5355\\u7b14\\u63d0\\u73b0\\u4f59\\u989d\\u4e0d\\u80fd\\u5c11\\u4e8e10\\u5143","normal_notice":"\\u67e0\\u6aac\\u597d\\u7269\\u6b63\\u5728\\u62db\\u5408\\u4f19\\u4eba\\uff0c\\u5feb\\u6765\\u52a0\\u5165\\u5427\\uff01","alimama_cookie":"t=016b7584eef6ef5a9d4549abf428090c; 126370153_yxjh-filter-1=true; undefined_yxjh-filter-1=true; account-path-guide-s1=true; cna=n+daDozLlDACAbaVnLpee+Rt; UM_distinctid=1608756c8d62b3-01ba5813a9c4ca-6113187e-1fa400-1608756c8d7111; qq-best-goods-down-time=1515831677233; v=0; cookie2=1e9265942326a4777bef77b06629adba; _tb_token_=<PASSWORD>95e15361; alimamapwag=TW96aWxsYS81LjAgKFdpbmRvd3MgTlQgNi4yOyBXT1c2NCkgQXBwbGVXZWJLaXQvNTM3LjM2IChLSFRNTCwgbGlrZSBHZWNrbykgQ2hyb21lLzYzLjAuMzIzOS4xMzIgU2FmYXJpLzUzNy4zNg%3D%3D; cookie32=45827167dae699d81bc1047ab98f5243; alimamapw=QCAEFCVSF3BTE3gjRHMAFXV7QCAIFCQnF3BVE39fRHNwFXUBbFQFVVJSUwNSBltTVg8DU1cJBlcH%0AAlUGAwNUUA1XBVNT; cookie31=MTI2MzcwMTUzLCVFNCVCQSU5MSVFNCVCOSU4QiVFNSVCNyU4NSVFNCVCOCVCNiVFOCVCRCVBOSVFNiU5QiVBNiwxODAzNzA1NzE4QHFxLmNvbSxUQg%3D%3D; login=Vq8l%2BKCLz3%2F65A%3D%3D; rurl=aHR0cDovL3B1Yi5hbGltYW1hLmNvbS8%2Fc3BtPWEyMTl0Ljc2NjQ1NTQuYTIxNHRyOC43LjI4MGY4NDU2eHJ6YTBE; apush87259e0e0b98351e62f8d308516a70ce=%7B%22ts%22%3A1516952839137%2C%22heir%22%3A1516952803878%2C%22parentId%22%3A1516885695150%7D; isg=BGFhSXdXn1qyNTD0PHZIVa4XcC27ptRpqKnu0MM0M2jZKoj8Cl_M0e4siF6s4m04","chaozhi_cookie":"PHPSESSID=mibl7ndc8pkddd1vhkupfika35; userInfo=%7B%22user%22%3A%22oGXe5jjUw9e03jAG4qOYYYTSoZrc%22%2C%22setting%22%3A%22%7B%5C%22isDxFi%5C%22%3Afalse%2C%5C%22isShowPic%5C%22%3Afalse%2C%5C%22isHSL%5C%22%3Afalse%2C%5C%22isHPIC%5C%22%3Afalse%2C%5C%22isDisc%5C%22%3Afalse%2C%5C%22isChangeTitle%5C%22%3Afalse%2C%5C%22ChangeTitle%5C%22%3A%5C%22%5C%22%2C%5C%22isShare%5C%22%3Afalse%2C%5C%22moreTj%5C%22%3Afalse%2C%5C%22tklEnc%5C%22%3Afalse%2C%5C%22tklTransfor%5C%22%3Afalse%2C%5C%22shareID%5C%22%3A%5C%22%5C%22%2C%5C%22setPid%5C%22%3A%5C%22mm_126370153_36622270_131112319%2Cmm_126370153_41252811_177878190%5C%22%7D%22%2C%22head_img%22%3A%22%22%2C%22nick_name%22%3A%22%22%2C%22times%22%3A97%2C%22token%22%3A%2270002100142174d222fdfcb82c2c7c568985c1190088693c5f19ef190dd1a929358c8aa2032537227%22%7D","chaozhi_key":"<KEY>"}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1516952856),
(1336, 1, 'admin', '/agent/public/index.php/admin/general.config/edit', '常规管理 系统配置 编辑', '{"row":{"categorytype":{"field":{"default":"default","page":"page","article":"article","test":"test"},"value":{"default":"Default","page":"Page","article":"Article","test":"Test"}},"configgroup":{"field":{"basic":"basic","email":"email","dictionary":"dictionary","user":"user","example":"example"},"value":{"basic":"Basic","email":"Email","dictionary":"Dictionary","user":"User","example":"Example"}},"notice":"\\u6bcf\\u670821\\u65e5\\u7ed3\\u7b97\\u4e0a\\u6708\\u9884\\u4f30\\u6536\\u5165\\uff0c\\u672c\\u6708\\u9884\\u4f30\\u6536\\u5165\\u5219\\u5728\\u4e0b\\u670821\\u65e5\\u7ed3\\u7b97","tixian_notice":"\\u5355\\u7b14\\u63d0\\u73b0\\u4f59\\u989d\\u4e0d\\u80fd\\u5c11\\u4e8e10\\u5143","normal_notice":"\\u67e0\\u6aac\\u597d\\u7269\\u6b63\\u5728\\u62db\\u5408\\u4f19\\u4eba\\uff0c\\u5feb\\u6765\\u52a0\\u5165\\u5427\\uff01","alimama_cookie":"t=016b7584eef6ef5a9d4549abf428090c; 126370153_yxjh-filter-1=true; undefined_yxjh-filter-1=true; account-path-guide-s1=true; cna=n+daDozLlDACAbaVnLpee+Rt; UM_distinctid=1608756c8d62b3-01ba5813a9c4ca-6113187e-1fa400-1608756c8d7111; qq-best-goods-down-time=1515831677233; v=0; cookie2=1e9265942326a4777bef77b06629adba; _tb_token_=<PASSWORD>; alimamapwag=TW96aWxsYS81LjAgKFdpbmRvd3MgTlQgNi4yOyBXT1c2NCkgQXBwbGVXZWJLaXQvNTM3LjM2IChLSFRNTCwgbGlrZSBHZWNrbykgQ2hyb21lLzYzLjAuMzIzOS4xMzIgU2FmYXJpLzUzNy4zNg%3D%3D; cookie32=45827167dae699d81bc1047ab98f5243; alimamapw=QCAEFCVSF3BTE3gjRHMAFXV7QCAIFCQnF3BVE39fRHNwFXUBbFQFVVJSUwNSBltTVg8DU1cJBlcH%0AAlUGAwNUUA1XBVNT; cookie31=MTI2MzcwMTUzLCVFNCVCQSU5MSVFNCVCOSU4QiVFNSVCNyU4NSVFNCVCOCVCNiVFOCVCRCVBOSVFNiU5QiVBNiwxODAzNzA1NzE4QHFxLmNvbSxUQg%3D%3D; login=V32FPkk%2Fw0dUvg%3D%3D; rurl=aHR0cDovL3B1Yi5hbGltYW1hLmNvbS8%3D; apush87259e0e0b98351e62f8d308516a70ce=%7B%22ts%22%3A1517060177637%2C%22parentId%22%3A1517059759446%7D; isg=BE9PtOJ3SSqtqk6KXhxeoyyt3uOZ3KL_auMwTmFYSb7KMHoyakYG5oFmNmCOSHsO","chaozhi_cookie":"PHPSESSID=mibl7ndc8pkddd1vhkupfika35; userInfo=%7B%22user%22%3A%22oGXe5jjUw9e03jAG4qOYYYTSoZrc%22%2C%22setting%22%3A%22%7B%5C%22isDxFi%5C%22%3Afalse%2C%5C%22isShowPic%5C%22%3Afalse%2C%5C%22isHSL%5C%22%3Afalse%2C%5C%22isHPIC%5C%22%3Afalse%2C%5C%22isDisc%5C%22%3Afalse%2C%5C%22isChangeTitle%5C%22%3Afalse%2C%5C%22ChangeTitle%5C%22%3A%5C%22%5C%22%2C%5C%22isShare%5C%22%3Afalse%2C%5C%22moreTj%5C%22%3Afalse%2C%5C%22tklEnc%5C%22%3Afalse%2C%5C%22tklTransfor%5C%22%3Afalse%2C%5C%22shareID%5C%22%3A%5C%22%5C%22%2C%5C%22setPid%5C%22%3A%5C%22mm_126370153_36622270_131112319%2Cmm_126370153_41252811_177878190%5C%22%7D%22%2C%22head_img%22%3A%22%22%2C%22nick_name%22%3A%22%22%2C%22times%22%3A97%2C%22token%22%3A%2270002100142174d222fdfcb82c2c7c568985c1190088693c5f19ef190dd1a929358c8aa2032537227%22%7D","chaozhi_key":"<KEY>"}}', '0.0.0.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.132 Safari/537.36', 1517060571);
-- --------------------------------------------------------
--
-- 表的结构 `fa_attachment`
--
CREATE TABLE `fa_attachment` (
`id` int(20) UNSIGNED NOT NULL COMMENT 'ID',
`url` varchar(255) NOT NULL DEFAULT '' COMMENT '物理路径',
`imagewidth` varchar(30) NOT NULL DEFAULT '' COMMENT '宽度',
`imageheight` varchar(30) NOT NULL DEFAULT '' COMMENT '高度',
`imagetype` varchar(30) NOT NULL DEFAULT '' COMMENT '图片类型',
`imageframes` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '图片帧数',
`filesize` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '文件大小',
`mimetype` varchar(100) NOT NULL DEFAULT '' COMMENT 'mime类型',
`extparam` varchar(255) NOT NULL DEFAULT '' COMMENT '透传数据',
`createtime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '创建日期',
`updatetime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '更新时间',
`uploadtime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '上传时间',
`storage` enum('local','upyun','qiniu') NOT NULL DEFAULT 'local' COMMENT '存储位置',
`sha1` varchar(40) NOT NULL DEFAULT '' COMMENT '文件 sha1编码'
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='附件表' ROW_FORMAT=DYNAMIC;
--
-- 转存表中的数据 `fa_attachment`
--
INSERT INTO `fa_attachment` (`id`, `url`, `imagewidth`, `imageheight`, `imagetype`, `imageframes`, `filesize`, `mimetype`, `extparam`, `createtime`, `updatetime`, `uploadtime`, `storage`, `sha1`) VALUES
(1, '/assets/img/qrcode.png', '150', '150', 'png', 0, 21859, 'image/png', '', 1499681848, 1499681848, 1499681848, 'local', '17163603d0263e4838b9387ff2cd4877e8b018f6');
-- --------------------------------------------------------
--
-- 表的结构 `fa_auth_group`
--
CREATE TABLE `fa_auth_group` (
`id` int(10) UNSIGNED NOT NULL,
`pid` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '父组别',
`name` varchar(100) NOT NULL DEFAULT '' COMMENT '组名',
`rules` text NOT NULL COMMENT '规则ID',
`createtime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '创建时间',
`updatetime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '更新时间',
`status` varchar(30) NOT NULL DEFAULT '' COMMENT '状态'
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='分组表';
--
-- 转存表中的数据 `fa_auth_group`
--
INSERT INTO `fa_auth_group` (`id`, `pid`, `name`, `rules`, `createtime`, `updatetime`, `status`) VALUES
(1, 0, 'Admin group', '*', 1490883540, 149088354, 'normal'),
(2, 1, 'Second group', '13,14,16,15,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,40,41,42,43,44,45,46,47,48,49,50,55,56,57,58,59,60,61,62,63,64,65,1,9,10,11,7,6,8,2,4,5', 1490883540, 1505465692, 'normal'),
(3, 2, 'Third group', '1,4,9,10,11,13,14,15,16,17,40,41,42,43,44,45,46,47,48,49,50,55,56,57,58,59,60,61,62,63,64,65,5', 1490883540, 1502205322, 'normal'),
(4, 1, 'Second group 2', '1,4,13,14,15,16,17,55,56,57,58,59,60,61,62,63,64,65', 1490883540, 1502205350, 'normal'),
(5, 2, 'Third group 2', '1,2,6,7,8,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34', 1490883540, 1502205344, 'normal');
-- --------------------------------------------------------
--
-- 表的结构 `fa_auth_group_access`
--
CREATE TABLE `fa_auth_group_access` (
`uid` int(10) UNSIGNED NOT NULL COMMENT '会员ID',
`group_id` int(10) UNSIGNED NOT NULL COMMENT '级别ID'
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='权限分组表';
--
-- 转存表中的数据 `fa_auth_group_access`
--
INSERT INTO `fa_auth_group_access` (`uid`, `group_id`) VALUES
(1, 1),
(2, 2),
(3, 3),
(4, 5),
(5, 5);
-- --------------------------------------------------------
--
-- 表的结构 `fa_auth_rule`
--
CREATE TABLE `fa_auth_rule` (
`id` int(10) UNSIGNED NOT NULL,
`type` enum('menu','file') NOT NULL DEFAULT 'file' COMMENT 'menu为菜单,file为权限节点',
`pid` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '父ID',
`name` varchar(100) NOT NULL DEFAULT '' COMMENT '规则名称',
`title` varchar(50) NOT NULL DEFAULT '' COMMENT '规则名称',
`icon` varchar(50) NOT NULL DEFAULT '' COMMENT '图标',
`condition` varchar(255) NOT NULL DEFAULT '' COMMENT '条件',
`remark` varchar(255) NOT NULL DEFAULT '' COMMENT '备注',
`ismenu` tinyint(1) UNSIGNED NOT NULL DEFAULT '0' COMMENT '是否为菜单',
`createtime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '创建时间',
`updatetime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '更新时间',
`weigh` int(10) NOT NULL DEFAULT '0' COMMENT '权重',
`status` varchar(30) NOT NULL DEFAULT '' COMMENT '状态'
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='节点表' ROW_FORMAT=COMPACT;
--
-- 转存表中的数据 `fa_auth_rule`
--
INSERT INTO `fa_auth_rule` (`id`, `type`, `pid`, `name`, `title`, `icon`, `condition`, `remark`, `ismenu`, `createtime`, `updatetime`, `weigh`, `status`) VALUES
(66, 'file', 0, 'addon', '插件管理', 'fa fa-circle-o', '', '可在线安装、卸载、禁用、启用插件,同时支持添加本地插件。FastAdmin已上线插件商店 ,你可以发布你的免费或付费插件:<a href="http://www.fastadmin.net/store.html" target="_blank">http://www.fastadmin.net/store.html</a>', 1, 1516693803, 1516693803, 0, 'normal'),
(67, 'file', 66, 'addon/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(68, 'file', 66, 'addon/config', '配置', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(69, 'file', 66, 'addon/install', '安装', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(70, 'file', 66, 'addon/uninstall', '卸载', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(71, 'file', 66, 'addon/state', '禁用启用', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(72, 'file', 66, 'addon/local', '本地上传', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(73, 'file', 66, 'addon/refresh', '刷新缓存', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(74, 'file', 66, 'addon/downloaded', '已装插件', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(75, 'file', 66, 'addon/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(76, 'file', 66, 'addon/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(77, 'file', 66, 'addon/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(78, 'file', 66, 'addon/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(79, 'file', 66, 'addon/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(80, 'file', 66, 'addon/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(81, 'file', 66, 'addon/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693803, 1516693803, 0, 'normal'),
(82, 'file', 0, 'category', '分类管理', 'fa fa-list', '', '用于统一管理网站的所有分类,分类可进行无限级分类', 1, 1516693804, 1516693804, 0, 'normal'),
(83, 'file', 82, 'category/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(84, 'file', 82, 'category/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(85, 'file', 82, 'category/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(86, 'file', 82, 'category/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(87, 'file', 82, 'category/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(88, 'file', 82, 'category/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(89, 'file', 82, 'category/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(90, 'file', 82, 'category/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(91, 'file', 0, 'dashboard', '控制台', 'fa fa-dashboard', '', '用于展示当前系统中的统计数据、统计报表及重要实时数据', 1, 1516693804, 1516693804, 0, 'normal'),
(92, 'file', 91, 'dashboard/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(93, 'file', 91, 'dashboard/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(94, 'file', 91, 'dashboard/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(95, 'file', 91, 'dashboard/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(96, 'file', 91, 'dashboard/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(97, 'file', 91, 'dashboard/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(98, 'file', 91, 'dashboard/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(99, 'file', 91, 'dashboard/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693804, 1516693804, 0, 'normal'),
(100, 'file', 0, 'agent', 'agent', 'fa fa-list', '', '', 1, 1516693804, 1516693804, 0, 'normal'),
(101, 'file', 100, 'agent/apply', '申请代理管理', 'fa fa-circle-o', '', '', 1, 1516693804, 1516693804, 0, 'normal'),
(102, 'file', 101, 'agent/apply/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(103, 'file', 101, 'agent/apply/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(104, 'file', 101, 'agent/apply/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(105, 'file', 101, 'agent/apply/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(106, 'file', 101, 'agent/apply/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(107, 'file', 101, 'agent/apply/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(108, 'file', 101, 'agent/apply/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(109, 'file', 101, 'agent/apply/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(110, 'file', 100, 'agent/classlist', '淘客基地类别目录', 'fa fa-circle-o', '', '', 1, 1516693805, 1516693805, 0, 'normal'),
(111, 'file', 110, 'agent/classlist/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(112, 'file', 110, 'agent/classlist/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(113, 'file', 110, 'agent/classlist/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(114, 'file', 110, 'agent/classlist/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(115, 'file', 110, 'agent/classlist/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(116, 'file', 110, 'agent/classlist/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(117, 'file', 110, 'agent/classlist/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(118, 'file', 110, 'agent/classlist/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693805, 1516693805, 0, 'normal'),
(119, 'file', 100, 'agent/click', '代理点击收集管理', 'fa fa-circle-o', '', '', 1, 1516693805, 1516693805, 0, 'normal'),
(120, 'file', 119, 'agent/click/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(121, 'file', 119, 'agent/click/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(122, 'file', 119, 'agent/click/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(123, 'file', 119, 'agent/click/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(124, 'file', 119, 'agent/click/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(125, 'file', 119, 'agent/click/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(126, 'file', 119, 'agent/click/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(127, 'file', 119, 'agent/click/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(128, 'file', 100, 'agent/configure', '系统配置管理', 'fa fa-circle-o', '', '', 1, 1516693806, 1516693806, 0, 'normal'),
(129, 'file', 128, 'agent/configure/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(130, 'file', 128, 'agent/configure/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(131, 'file', 128, 'agent/configure/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(132, 'file', 128, 'agent/configure/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(133, 'file', 128, 'agent/configure/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(134, 'file', 128, 'agent/configure/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(135, 'file', 128, 'agent/configure/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(136, 'file', 128, 'agent/configure/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(137, 'file', 100, 'agent/goods', '商品数据缓', 'fa fa-circle-o', '', '', 1, 1516693806, 1516693806, 0, 'normal'),
(138, 'file', 137, 'agent/goods/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(139, 'file', 137, 'agent/goods/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(140, 'file', 137, 'agent/goods/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(141, 'file', 137, 'agent/goods/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(142, 'file', 137, 'agent/goods/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(143, 'file', 137, 'agent/goods/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(144, 'file', 137, 'agent/goods/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(145, 'file', 137, 'agent/goods/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(146, 'file', 100, 'agent/order', '订单管理', 'fa fa-circle-o', '', '', 1, 1516693806, 1516693806, 0, 'normal'),
(147, 'file', 146, 'agent/order/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(148, 'file', 146, 'agent/order/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(149, 'file', 146, 'agent/order/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(150, 'file', 146, 'agent/order/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(151, 'file', 146, 'agent/order/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(152, 'file', 146, 'agent/order/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(153, 'file', 146, 'agent/order/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(154, 'file', 146, 'agent/order/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693806, 1516693806, 0, 'normal'),
(155, 'file', 100, 'agent/spread', '代理推广奖励管理', 'fa fa-circle-o', '', '', 1, 1516693807, 1516693807, 0, 'normal'),
(156, 'file', 155, 'agent/spread/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(157, 'file', 155, 'agent/spread/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(158, 'file', 155, 'agent/spread/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(159, 'file', 155, 'agent/spread/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(160, 'file', 155, 'agent/spread/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(161, 'file', 155, 'agent/spread/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(162, 'file', 155, 'agent/spread/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(163, 'file', 155, 'agent/spread/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(164, 'file', 100, 'agent/tixian', '提现记录管理', 'fa fa-circle-o', '', '', 1, 1516693807, 1516693807, 0, 'normal'),
(165, 'file', 164, 'agent/tixian/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(166, 'file', 164, 'agent/tixian/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(167, 'file', 164, 'agent/tixian/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(168, 'file', 164, 'agent/tixian/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(169, 'file', 164, 'agent/tixian/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(170, 'file', 164, 'agent/tixian/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(171, 'file', 164, 'agent/tixian/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(172, 'file', 164, 'agent/tixian/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(173, 'file', 100, 'agent/user', '用户管理', 'fa fa-circle-o', '', '', 1, 1516693807, 1516693807, 0, 'normal'),
(174, 'file', 173, 'agent/user/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(175, 'file', 173, 'agent/user/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(176, 'file', 173, 'agent/user/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(177, 'file', 173, 'agent/user/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(178, 'file', 173, 'agent/user/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(179, 'file', 173, 'agent/user/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(180, 'file', 173, 'agent/user/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(181, 'file', 173, 'agent/user/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693807, 1516693807, 0, 'normal'),
(182, 'file', 0, 'auth', 'auth', 'fa fa-list', '', '', 1, 1516693808, 1516693808, 0, 'normal'),
(183, 'file', 182, 'auth/admin', '管理员管理', 'fa fa-users', '', '一个管理员可以有多个角色组,左侧的菜单根据管理员所拥有的权限进行生成', 1, 1516693808, 1516693808, 0, 'normal'),
(184, 'file', 183, 'auth/admin/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(185, 'file', 183, 'auth/admin/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(186, 'file', 183, 'auth/admin/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(187, 'file', 183, 'auth/admin/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(188, 'file', 183, 'auth/admin/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(189, 'file', 183, 'auth/admin/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(190, 'file', 183, 'auth/admin/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(191, 'file', 182, 'auth/adminlog', '管理员日志', 'fa fa-users', '', '管理员可以查看自己所拥有的权限的管理员日志', 1, 1516693808, 1516693808, 0, 'normal'),
(192, 'file', 191, 'auth/adminlog/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(193, 'file', 191, 'auth/adminlog/detail', '详情', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(194, 'file', 191, 'auth/adminlog/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(195, 'file', 191, 'auth/adminlog/selectpage', 'Selectpage', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(196, 'file', 191, 'auth/adminlog/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(197, 'file', 191, 'auth/adminlog/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(198, 'file', 191, 'auth/adminlog/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693808, 1516693808, 0, 'normal'),
(199, 'file', 182, 'auth/group', '角色组', 'fa fa-group', '', '角色组可以有多个,角色有上下级层级关系,如果子角色有角色组和管理员的权限则可以派生属于自己组别下级的角色组或管理员', 1, 1516693808, 1516693808, 0, 'normal'),
(200, 'file', 199, 'auth/group/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(201, 'file', 199, 'auth/group/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(202, 'file', 199, 'auth/group/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(203, 'file', 199, 'auth/group/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(204, 'file', 199, 'auth/group/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(205, 'file', 199, 'auth/group/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(206, 'file', 199, 'auth/group/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(207, 'file', 182, 'auth/rule', '规则管理', 'fa fa-list', '', '规则通常对应一个控制器的方法,同时左侧的菜单栏数据也从规则中体现,通常建议通过控制台进行生成规则节点', 1, 1516693809, 1516693809, 0, 'normal'),
(208, 'file', 207, 'auth/rule/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(209, 'file', 207, 'auth/rule/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(210, 'file', 207, 'auth/rule/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(211, 'file', 207, 'auth/rule/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(212, 'file', 207, 'auth/rule/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(213, 'file', 207, 'auth/rule/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(214, 'file', 207, 'auth/rule/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(215, 'file', 207, 'auth/rule/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(216, 'file', 0, 'general', 'general', 'fa fa-list', '', '', 1, 1516693809, 1516693809, 0, 'normal'),
(217, 'file', 216, 'general/attachment', '附件管理', 'fa fa-circle-o', '', '主要用于管理上传到又拍云的数据或上传至本服务的上传数据', 1, 1516693809, 1516693809, 0, 'normal'),
(218, 'file', 217, 'general/attachment/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(219, 'file', 217, 'general/attachment/select', '选择附件', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(220, 'file', 217, 'general/attachment/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(221, 'file', 217, 'general/attachment/del', 'Del', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(222, 'file', 217, 'general/attachment/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(223, 'file', 217, 'general/attachment/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(224, 'file', 217, 'general/attachment/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(225, 'file', 217, 'general/attachment/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(226, 'file', 217, 'general/attachment/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693809, 1516693809, 0, 'normal'),
(227, 'file', 216, 'general/config', '系统配置', 'fa fa-circle-o', '', '可以在此增改系统的变量和分组,也可以自定义分组和变量,如果需要删除请从数据库中删除', 1, 1516693810, 1516693810, 0, 'normal'),
(228, 'file', 227, 'general/config/index', 'Index', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(229, 'file', 227, 'general/config/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(230, 'file', 227, 'general/config/edit', 'Edit', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(231, 'file', 227, 'general/config/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(232, 'file', 227, 'general/config/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(233, 'file', 227, 'general/config/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(234, 'file', 227, 'general/config/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(235, 'file', 227, 'general/config/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(236, 'file', 216, 'general/profile', '个人配置', 'fa fa-user', '', '', 1, 1516693810, 1516693810, 0, 'normal'),
(237, 'file', 236, 'general/profile/index', '查看', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(238, 'file', 236, 'general/profile/update', '更新个人信息', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(239, 'file', 236, 'general/profile/recyclebin', '回收站', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(240, 'file', 236, 'general/profile/add', '添加', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(241, 'file', 236, 'general/profile/edit', '编辑', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(242, 'file', 236, 'general/profile/del', '删除', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(243, 'file', 236, 'general/profile/destroy', '真实删除', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(244, 'file', 236, 'general/profile/restore', '还原', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal'),
(245, 'file', 236, 'general/profile/multi', '批量更新', 'fa fa-circle-o', '', '', 0, 1516693810, 1516693810, 0, 'normal');
-- --------------------------------------------------------
--
-- 表的结构 `fa_category`
--
CREATE TABLE `fa_category` (
`id` int(10) UNSIGNED NOT NULL,
`pid` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '父ID',
`type` varchar(30) NOT NULL DEFAULT '' COMMENT '栏目类型',
`name` varchar(30) NOT NULL DEFAULT '',
`nickname` varchar(50) NOT NULL DEFAULT '',
`flag` set('hot','index','recommend') NOT NULL DEFAULT '',
`image` varchar(100) NOT NULL DEFAULT '' COMMENT '图片',
`keywords` varchar(255) NOT NULL DEFAULT '' COMMENT '关键字',
`description` varchar(255) NOT NULL DEFAULT '' COMMENT '描述',
`diyname` varchar(30) NOT NULL DEFAULT '' COMMENT '自定义名称',
`createtime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '创建时间',
`updatetime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '更新时间',
`weigh` int(10) NOT NULL DEFAULT '0' COMMENT '权重',
`status` varchar(30) NOT NULL DEFAULT '' COMMENT '状态'
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='分类表' ROW_FORMAT=DYNAMIC;
--
-- 转存表中的数据 `fa_category`
--
INSERT INTO `fa_category` (`id`, `pid`, `type`, `name`, `nickname`, `flag`, `image`, `keywords`, `description`, `diyname`, `createtime`, `updatetime`, `weigh`, `status`) VALUES
(1, 0, 'page', '官方新闻', 'news', 'recommend', '/assets/img/qrcode.png', '', '', 'news', 1495262190, 1495262190, 1, 'normal'),
(2, 0, 'page', '移动应用', 'mobileapp', 'hot', '/assets/img/qrcode.png', '', '', 'mobileapp', 1495262244, 1495262244, 2, 'normal'),
(3, 2, 'page', '微信公众号', 'wechatpublic', 'index', '/assets/img/qrcode.png', '', '', 'wechatpublic', 1495262288, 1495262288, 3, 'normal'),
(4, 2, 'page', 'Android开发', 'android', 'recommend', '/assets/img/qrcode.png', '', '', 'android', 1495262317, 1495262317, 4, 'normal'),
(5, 0, 'page', '软件产品', 'software', 'recommend', '/assets/img/qrcode.png', '', '', 'software', 1495262336, 1499681850, 5, 'normal'),
(6, 5, 'page', '网站建站', 'website', 'recommend', '/assets/img/qrcode.png', '', '', 'website', 1495262357, 1495262357, 6, 'normal'),
(7, 5, 'page', '企业管理软件', 'company', 'index', '/assets/img/qrcode.png', '', '', 'company', 1495262391, 1495262391, 7, 'normal'),
(8, 6, 'page', 'PC端', 'website-pc', 'recommend', '/assets/img/qrcode.png', '', '', 'website-pc', 1495262424, 1495262424, 8, 'normal'),
(9, 6, 'page', '移动端', 'website-mobile', 'recommend', '/assets/img/qrcode.png', '', '', 'website-mobile', 1495262456, 1495262456, 9, 'normal'),
(10, 7, 'page', 'CRM系统 ', 'company-crm', 'recommend', '/assets/img/qrcode.png', '', '', 'company-crm', 1495262487, 1495262487, 10, 'normal'),
(11, 7, 'page', 'SASS平台软件', 'company-sass', 'recommend', '/assets/img/qrcode.png', '', '', 'company-sass', 1495262515, 1495262515, 11, 'normal'),
(12, 0, 'test', '测试1', 'test1', 'recommend', '/assets/img/qrcode.png', '', '', 'test1', 1497015727, 1497015727, 12, 'normal'),
(13, 0, 'test', '测试2', 'test2', 'recommend', '/assets/img/qrcode.png', '', '', 'test2', 1497015738, 1497015738, 13, 'normal');
-- --------------------------------------------------------
--
-- 表的结构 `fa_config`
--
CREATE TABLE `fa_config` (
`id` int(10) UNSIGNED NOT NULL,
`name` varchar(30) NOT NULL DEFAULT '' COMMENT '变量名',
`group` varchar(30) NOT NULL DEFAULT '' COMMENT '分组',
`title` varchar(100) NOT NULL DEFAULT '' COMMENT '变量标题',
`tip` varchar(100) NOT NULL DEFAULT '' COMMENT '变量描述',
`type` varchar(30) NOT NULL DEFAULT '' COMMENT '类型:string,text,int,bool,array,datetime,date,file',
`value` text NOT NULL COMMENT '变量值',
`content` text NOT NULL COMMENT '变量字典数据',
`rule` varchar(100) NOT NULL DEFAULT '' COMMENT '验证规则',
`extend` varchar(255) NOT NULL DEFAULT '' COMMENT '扩展属性'
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='系统配置';
--
-- 转存表中的数据 `fa_config`
--
INSERT INTO `fa_config` (`id`, `name`, `group`, `title`, `tip`, `type`, `value`, `content`, `rule`, `extend`) VALUES
(1, 'name', 'basic', 'Site name', '请填写站点名称', 'string', 'FastAdmin', '', 'required', ''),
(2, 'beian', 'basic', 'Beian', '粤ICP备15054802号-4', 'string', '', '', '', ''),
(3, 'cdnurl', 'basic', 'Cdn url', '如果静态资源使用第三方云储存请配置该值', 'string', '', '', '', ''),
(4, 'version', 'basic', 'Version', '如果静态资源有变动请重新配置该值', 'string', '1.0.1', '', 'required', ''),
(5, 'timezone', 'basic', 'Timezone', '', 'string', 'Asia/Shanghai', '', 'required', ''),
(6, 'forbiddenip', 'basic', 'Forbidden ip', '一行一条记录', 'text', '', '', '', ''),
(7, 'languages', 'basic', 'Languages', '', 'array', '{"backend":"zh-cn","frontend":"zh-cn"}', '', 'required', ''),
(8, 'fixedpage', 'basic', 'Fixed page', '请尽量输入左侧菜单栏存在的链接', 'string', 'dashboard', '', 'required', ''),
(9, 'categorytype', 'dictionary', 'Category type', '', 'array', '{"default":"Default","page":"Page","article":"Article","test":"Test"}', '', '', ''),
(10, 'configgroup', 'dictionary', 'Config group', '', 'array', '{"basic":"Basic","email":"Email","dictionary":"Dictionary","user":"User","example":"Example"}', '', '', ''),
(11, 'mail_type', 'email', 'Mail type', '选择邮件发送方式', 'select', '1', '["Please select","SMTP","Mail"]', '', ''),
(12, 'mail_smtp_host', 'email', 'Mail smtp host', '错误的配置发送邮件会导致服务器超时', 'string', 'smtp.qq.com', '', '', ''),
(13, 'mail_smtp_port', 'email', 'Mail smtp port', '(不加密默认25,SSL默认465,TLS默认587)', 'string', '465', '', '', ''),
(14, 'mail_smtp_user', 'email', 'Mail smtp user', '(填写完整用户名)', 'string', '10000', '', '', ''),
(15, 'mail_smtp_pass', 'email', 'Mail smtp password', '(填写您的密码)', 'string', 'password', '', '', ''),
(16, 'mail_verify_type', 'email', 'Mail vertify type', '(SMTP验证方式[推荐SSL])', 'select', '2', '["None","TLS","SSL"]', '', ''),
(17, 'mail_from', 'email', 'Mail from', '', 'string', '<EMAIL>', '', '', ''),
(18, 'notice', 'dictionary', '个人中心公告', '个人中心公告', 'string', '每月21日结算上月预估收入,本月预估收入则在下月21日结算', '', '', ''),
(19, 'tixian_notice', 'dictionary', '提现公告', '提现公告', 'string', '单笔提现余额不能少于10元', '', '', ''),
(20, 'normal_notice', 'dictionary', '普通用户公告', '普通用户公告', 'string', '柠檬好物正在招合伙人,快来加入吧!', '', '', ''),
(21, 'alimama_cookie', 'dictionary', '阿里妈妈cookie', '阿里妈妈cookie', 'string', 't=016b7584eef6ef5a9d4549abf428090c; 126370153_yxjh-filter-1=true; undefined_yxjh-filter-1=true; account-path-guide-s1=true; cna=n+daDozLlDACAbaVnLpee+Rt; UM_distinctid=1608756c8d62b3-01ba5813a9c4ca-6113187e-1fa400-1608756c8d7111; qq-best-goods-down-time=1515831677233; v=0; cookie2=1e9265942326a4777bef77b06629adba; _tb_token_=<PASSWORD>; alimamapwag=TW96aWxsYS81LjAgKFdpbmRvd3MgTlQgNi4yOyBXT1c2NCkgQXBwbGVXZWJLaXQvNTM3LjM2IChLSFRNTCwgbGlrZSBHZWNrbykgQ2hyb21lLzYzLjAuMzIzOS4xMzIgU2FmYXJpLzUzNy4zNg%3D%3D; cookie32=45827167dae699d81bc1047ab98f5243; alimamapw=QCAEFCVSF3BTE3gjRHMAFXV7QCAIFCQnF3BVE39fRHNwFXUBbFQFVVJSUwNSBltTVg8DU1cJBlcH%0AAlUGAwNUUA1XBVNT; cookie31=MTI2MzcwMTUzLCVFNCVCQSU5MSVFNCVCOSU4QiVFNSVCNyU4NSVFNCVCOCVCNiVFOCVCRCVBOSVFNiU5QiVBNiwxODAzNzA1NzE4QHFxLmNvbSxUQg%3D%3D; login=V32FPkk%2Fw0dUvg%3D%3D; rurl=aHR0cDovL3B1Yi5hbGltYW1hLmNvbS8%3D; apush87259e0e0b98351e62f8d308516a70ce=%7B%22ts%22%3A1517060177637%2C%22parentId%22%3A1517059759446%7D; isg=BE9PtOJ3SSqtqk6KXhxeoyyt3uOZ3KL_auMwTmFYSb7KMHoyakYG5oFmNmCOSHsO', '', '', ''),
(22, 'chaozhi_cookie', 'dictionary', '野鸡cookie', '野鸡cookie', 'string', 'PHPSESSID=mibl7ndc8pkddd1vhkupfika35; userInfo=%7B%22user%22%3A%22oGXe5jjUw9e03jAG4qOYYYTSoZrc%22%2C%22setting%22%3A%22%7B%5C%22isDxFi%5C%22%3Afalse%2C%5C%22isShowPic%5C%22%3Afalse%2C%5C%22isHSL%5C%22%3Afalse%2C%5C%22isHPIC%5C%22%3Afalse%2C%5C%22isDisc%5C%22%3Afalse%2C%5C%22isChangeTitle%5C%22%3Afalse%2C%5C%22ChangeTitle%5C%22%3A%5C%22%5C%22%2C%5C%22isShare%5C%22%3Afalse%2C%5C%22moreTj%5C%22%3Afalse%2C%5C%22tklEnc%5C%22%3Afalse%2C%5C%22tklTransfor%5C%22%3Afalse%2C%5C%22shareID%5C%22%3A%5C%22%5C%22%2C%5C%22setPid%5C%22%3A%5C%22mm_126370153_36622270_131112319%2Cmm_126370153_41252811_177878190%5C%22%7D%22%2C%22head_img%22%3A%22%22%2C%22nick_name%22%3A%22%22%2C%22times%22%3A97%2C%22token%22%3A%2270002100142174d222fdfcb82c2c7c568985c1190088693c5f19ef190dd1a929358c8aa2032537227%22%7D', '', '', ''),
(23, 'chaozhi_key', 'dictionary', '野鸡key', '野鸡key', 'string', '70002100142174d222fdfcb82c2c7c568985c1190088693c5f19ef190dd1a929358c8aa2032537227', '', '', '');
-- --------------------------------------------------------
--
-- 表的结构 `fa_test`
--
CREATE TABLE `fa_test` (
`id` int(10) UNSIGNED NOT NULL COMMENT 'ID',
`admin_id` int(10) NOT NULL COMMENT '管理员ID',
`category_id` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '分类ID(单选)',
`category_ids` varchar(100) NOT NULL COMMENT '分类ID(多选)',
`week` enum('monday','tuesday','wednesday') NOT NULL COMMENT '星期(单选):monday=星期一,tuesday=星期二,wednesday=星期三',
`flag` set('hot','index','recommend') NOT NULL DEFAULT '' COMMENT '标志(多选):hot=热门,index=首页,recommend=推荐',
`genderdata` enum('male','female') NOT NULL DEFAULT 'male' COMMENT '性别(单选):male=男,female=女',
`hobbydata` set('music','reading','swimming') NOT NULL COMMENT '爱好(多选):music=音乐,reading=读书,swimming=游泳',
`title` varchar(50) NOT NULL DEFAULT '' COMMENT '标题',
`content` text NOT NULL COMMENT '内容',
`image` varchar(100) NOT NULL DEFAULT '' COMMENT '图片',
`images` varchar(1500) NOT NULL DEFAULT '' COMMENT '图片组',
`attachfile` varchar(100) NOT NULL DEFAULT '' COMMENT '附件',
`keywords` varchar(100) NOT NULL DEFAULT '' COMMENT '关键字',
`description` varchar(255) NOT NULL DEFAULT '' COMMENT '描述',
`city` varchar(100) NOT NULL DEFAULT '' COMMENT '省市',
`price` float(10,2) UNSIGNED NOT NULL DEFAULT '0.00' COMMENT '价格',
`views` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '点击',
`startdate` date DEFAULT NULL COMMENT '开始日期',
`activitytime` datetime DEFAULT NULL COMMENT '活动时间(datetime)',
`year` year(4) DEFAULT NULL COMMENT '年',
`times` time DEFAULT NULL COMMENT '时间',
`refreshtime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '刷新时间(int)',
`createtime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '创建时间',
`updatetime` int(10) UNSIGNED NOT NULL DEFAULT '0' COMMENT '更新时间',
`weigh` int(10) NOT NULL DEFAULT '0' COMMENT '权重',
`switch` tinyint(1) NOT NULL DEFAULT '0' COMMENT '开关',
`status` enum('normal','hidden') NOT NULL DEFAULT 'normal' COMMENT '状态',
`state` enum('0','1','2') NOT NULL DEFAULT '1' COMMENT '状态值:0=禁用,1=正常,2=推荐'
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='测试表' ROW_FORMAT=COMPACT;
--
-- 转存表中的数据 `fa_test`
--
INSERT INTO `fa_test` (`id`, `admin_id`, `category_id`, `category_ids`, `week`, `flag`, `genderdata`, `hobbydata`, `title`, `content`, `image`, `images`, `attachfile`, `keywords`, `description`, `city`, `price`, `views`, `startdate`, `activitytime`, `year`, `times`, `refreshtime`, `createtime`, `updatetime`, `weigh`, `switch`, `status`, `state`) VALUES
(1, 0, 12, '12,13', 'monday', 'hot,index', 'male', 'music,reading', '我是一篇测试文章', '<p>我是测试内容</p>', '/assets/img/avatar.png', '/assets/img/avatar.png,/assets/img/qrcode.png', '/assets/img/avatar.png', '关键字', '描述', '广西壮族自治区/百色市/平果县', 0.00, 0, '2017-07-10', '2017-07-10 18:24:45', 2017, '18:24:45', 1499682285, 1499682526, 1499682526, 0, 1, 'normal', '1');
--
-- Indexes for dumped tables
--
--
-- Indexes for table `agent_apply`
--
ALTER TABLE `agent_apply`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `agent_classlist`
--
ALTER TABLE `agent_classlist`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `agent_click`
--
ALTER TABLE `agent_click`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `agent_configure`
--
ALTER TABLE `agent_configure`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `agent_goods`
--
ALTER TABLE `agent_goods`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `agent_order`
--
ALTER TABLE `agent_order`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `agent_pid`
--
ALTER TABLE `agent_pid`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `agent_spread`
--
ALTER TABLE `agent_spread`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `agent_tixian`
--
ALTER TABLE `agent_tixian`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `agent_user`
--
ALTER TABLE `agent_user`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `fa_admin`
--
ALTER TABLE `fa_admin`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `username` (`username`) USING BTREE;
--
-- Indexes for table `fa_admin_log`
--
ALTER TABLE `fa_admin_log`
ADD PRIMARY KEY (`id`),
ADD KEY `name` (`username`);
--
-- Indexes for table `fa_attachment`
--
ALTER TABLE `fa_attachment`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `fa_auth_group`
--
ALTER TABLE `fa_auth_group`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `fa_auth_group_access`
--
ALTER TABLE `fa_auth_group_access`
ADD UNIQUE KEY `uid_group_id` (`uid`,`group_id`),
ADD KEY `uid` (`uid`),
ADD KEY `group_id` (`group_id`);
--
-- Indexes for table `fa_auth_rule`
--
ALTER TABLE `fa_auth_rule`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `name` (`name`) USING BTREE,
ADD KEY `pid` (`pid`),
ADD KEY `weigh` (`weigh`);
--
-- Indexes for table `fa_category`
--
ALTER TABLE `fa_category`
ADD PRIMARY KEY (`id`),
ADD KEY `weigh` (`weigh`,`id`),
ADD KEY `pid` (`pid`);
--
-- Indexes for table `fa_config`
--
ALTER TABLE `fa_config`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `name` (`name`);
--
-- Indexes for table `fa_test`
--
ALTER TABLE `fa_test`
ADD PRIMARY KEY (`id`);
--
-- 在导出的表使用AUTO_INCREMENT
--
--
-- 使用表AUTO_INCREMENT `agent_apply`
--
ALTER TABLE `agent_apply`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=5;
--
-- 使用表AUTO_INCREMENT `agent_classlist`
--
ALTER TABLE `agent_classlist`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=13;
--
-- 使用表AUTO_INCREMENT `agent_click`
--
ALTER TABLE `agent_click`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=5;
--
-- 使用表AUTO_INCREMENT `agent_configure`
--
ALTER TABLE `agent_configure`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2;
--
-- 使用表AUTO_INCREMENT `agent_goods`
--
ALTER TABLE `agent_goods`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
--
-- 使用表AUTO_INCREMENT `agent_order`
--
ALTER TABLE `agent_order`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=91;
--
-- 使用表AUTO_INCREMENT `agent_pid`
--
ALTER TABLE `agent_pid`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=57;
--
-- 使用表AUTO_INCREMENT `agent_spread`
--
ALTER TABLE `agent_spread`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=4;
--
-- 使用表AUTO_INCREMENT `agent_tixian`
--
ALTER TABLE `agent_tixian`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=5;
--
-- 使用表AUTO_INCREMENT `agent_user`
--
ALTER TABLE `agent_user`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=5;
--
-- 使用表AUTO_INCREMENT `fa_admin`
--
ALTER TABLE `fa_admin`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT COMMENT 'ID', AUTO_INCREMENT=6;
--
-- 使用表AUTO_INCREMENT `fa_admin_log`
--
ALTER TABLE `fa_admin_log`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT COMMENT 'ID', AUTO_INCREMENT=1337;
--
-- 使用表AUTO_INCREMENT `fa_attachment`
--
ALTER TABLE `fa_attachment`
MODIFY `id` int(20) UNSIGNED NOT NULL AUTO_INCREMENT COMMENT 'ID', AUTO_INCREMENT=2;
--
-- 使用表AUTO_INCREMENT `fa_auth_group`
--
ALTER TABLE `fa_auth_group`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=6;
--
-- 使用表AUTO_INCREMENT `fa_auth_rule`
--
ALTER TABLE `fa_auth_rule`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=246;
--
-- 使用表AUTO_INCREMENT `fa_category`
--
ALTER TABLE `fa_category`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=14;
--
-- 使用表AUTO_INCREMENT `fa_config`
--
ALTER TABLE `fa_config`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=24;
--
-- 使用表AUTO_INCREMENT `fa_test`
--
ALTER TABLE `fa_test`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT COMMENT 'ID', AUTO_INCREMENT=2;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
<gh_stars>1-10
CREATE TABLE data (
id integer NOT NULL,
number integer
);
INSERT INTO data VALUES (0, 0);
INSERT INTO data VALUES (1, 1);
INSERT INTO data VALUES (2, 2); |
<gh_stars>1-10
insert into entrada (numero_funcion, precio, nombre_pelicula, fecha_funcion)
values (1, 10000, 'el padrino', now());
insert into afiliado (nombre, tipo_documento, numero_documento, fecha_nacimiento, email, direccion, telefono,fecha_registro)
values ('Nicolas', 'cc', '34566534536', now(), '<EMAIL>', 'dghdfgfd54', '456786',now()) |
<filename>sam/sam-service-soap/src/test/resources/drop.sql
drop table EVENTS;
drop table EVENTS_CUSTOMINFO; |
CREATE PROCEDURE SP430(OUT MYCOUNT INTEGER) SPECIFIC SP430_42703 LANGUAGE SQL NOT DETERMINISTIC READS SQL DATA NEW SAVEPOINT LEVEL BEGIN ATOMIC DECLARE MYVAR INT;SELECT COUNT(*)INTO MYCOUNT FROM TABLE160;SELECT COUNT(*)INTO MYCOUNT FROM TABLE371;SELECT COUNT(*)INTO MYCOUNT FROM TABLE457;SELECT COUNT(*)INTO MYCOUNT FROM VIEW26;SELECT COUNT(*)INTO MYCOUNT FROM VIEW66;SELECT COUNT(*)INTO MYCOUNT FROM VIEW55;CALL SP538(MYVAR);CALL SP462(MYVAR);CALL SP295(MYVAR);CALL SP751(MYVAR);END
GO |
CREATE MATERIALIZED VIEW raw_countries_users AS
SELECT
country_id,
user_id,
count(id) changesets
FROM raw_changesets_countries
JOIN raw_changesets ON raw_changesets.id = raw_changesets_countries.changeset_id
GROUP BY country_id, user_id;
CREATE UNIQUE INDEX raw_countries_users_country_id_user_id ON raw_countries_users(country_id, user_id);
CREATE INDEX raw_countries_users_country_id ON raw_countries_users(country_id);
CREATE INDEX raw_countries_users_user_id ON raw_countries_users(user_id);
|
\c qanda;
\COPY questions FROM './csv/questionsCSV.csv' WITH DELIMITER ',' CSV HEADER;
\COPY answers FROM './csv/answersCSV.csv' WITH DELIMITER ',' CSV HEADER;
\COPY answer_photos FROM './csv/answers_photosCSV.csv' WITH DELIMITER ',' CSV HEADER;
SELECT setval(pg_get_serial_sequence('questions', 'question_id'), (SELECT MAX(question_id) from "questions"));
SELECT setval(pg_get_serial_sequence('answers', 'id'), (SELECT MAX(id) from "answers"));
SELECT setval(pg_get_serial_sequence('answer_photos', 'photo_id'), (SELECT MAX(photo_id) from "answer_photos"));
-- INSERT INTO users(name, email) SELECT DISTINCT name, email FROM questions ;
-- INSERT INTO users(name, email) SELECT DISTINCT name, email FROM answers ;
-- ALTER TABLE questions ADD COLUMN user_id INT default null;
-- UPDATE questions(users)
-- ALTER questions DROP (ask, email) |
--name: userById
--tags: panel
--render: RowToTable
--input: string id { semType: user_id }
--connection: datagrok
select u.first_name, u.last_name from users u
where id = @id
--end
|
<filename>dbv-2/data/revisions/4.14/bhavin.sql
USE `RMBilling3`;
DROP PROCEDURE IF EXISTS `prc_getInvoice`;
DELIMITER |
CREATE PROCEDURE `prc_getInvoice`(
IN `p_CompanyID` INT,
IN `p_AccountID` INT,
IN `p_InvoiceNumber` VARCHAR(50),
IN `p_IssueDateStart` DATETIME,
IN `p_IssueDateEnd` DATETIME,
IN `p_InvoiceType` INT,
IN `p_InvoiceStatus` VARCHAR(50),
IN `p_IsOverdue` INT,
IN `p_PageNumber` INT,
IN `p_RowspPage` INT,
IN `p_lSortCol` VARCHAR(50),
IN `p_SortOrder` VARCHAR(5),
IN `p_CurrencyID` INT,
IN `p_isExport` INT,
IN `p_sageExport` INT,
IN `p_zerovalueinvoice` INT,
IN `p_InvoiceID` LONGTEXT,
IN `p_userID` INT
)
BEGIN
DECLARE v_OffSet_ int;
DECLARE v_Round_ int;
DECLARE v_CurrencyCode_ VARCHAR(50);
DECLARE v_TotalCount int;
SET SESSION TRANSACTION ISOLATION LEVEL READ COMMITTED;
SET sql_mode='ONLY_FULL_GROUP_BY,NO_ZERO_IN_DATE,NO_ZERO_DATE,ERROR_FOR_DIVISION_BY_ZERO,NO_AUTO_CREATE_USER,NO_ENGINE_SUBSTITUTION';
SET v_OffSet_ = (p_PageNumber * p_RowspPage) - p_RowspPage;
SELECT cr.Symbol INTO v_CurrencyCode_ from Ratemanagement3.tblCurrency cr where cr.CurrencyId =p_CurrencyID;
SELECT fnGetRoundingPoint(p_CompanyID) INTO v_Round_;
DROP TEMPORARY TABLE IF EXISTS tmp_Invoices_;
CREATE TEMPORARY TABLE IF NOT EXISTS tmp_Invoices_(
InvoiceType tinyint(1),
AccountName varchar(100),
InvoiceNumber varchar(100),
IssueDate datetime,
InvoicePeriod varchar(100),
CurrencySymbol varchar(5),
GrandTotal decimal(18,6),
TotalPayment decimal(18,6),
PendingAmount decimal(18,6),
InvoiceStatus varchar(50),
InvoiceID int,
Description varchar(500),
Attachment varchar(255),
AccountID int,
ItemInvoice tinyint(1),
BillingEmail varchar(255),
AccountNumber varchar(100),
PaymentDueInDays int,
PaymentDate datetime,
SubTotal decimal(18,6),
TotalTax decimal(18,6),
NominalAnalysisNominalAccountNumber varchar(100)
);
INSERT INTO tmp_Invoices_
SELECT inv.InvoiceType ,
ac.AccountName,
FullInvoiceNumber as InvoiceNumber,
inv.IssueDate,
IF(invd.StartDate IS NULL ,'',CONCAT('From ',date(invd.StartDate) ,'<br> To ',date(invd.EndDate))) as InvoicePeriod,
IFNULL(cr.Symbol,'') as CurrencySymbol,
inv.GrandTotal as GrandTotal,
(SELECT IFNULL(sum(p.Amount),0) FROM tblPayment p WHERE p.InvoiceID = inv.InvoiceID AND p.Status = 'Approved' AND p.AccountID = inv.AccountID AND p.Recall =0) as TotalPayment,
(inv.GrandTotal - (SELECT IFNULL(sum(p.Amount),0) FROM tblPayment p WHERE p.InvoiceID = inv.InvoiceID AND p.Status = 'Approved' AND p.AccountID = inv.AccountID AND p.Recall =0) ) as `PendingAmount`,
inv.InvoiceStatus,
inv.InvoiceID,
inv.Description,
inv.Attachment,
inv.AccountID,
inv.ItemInvoice,
IFNULL(ac.BillingEmail,'') as BillingEmail,
ac.Number,
if (inv.BillingClassID > 0,
(SELECT IFNULL(b.PaymentDueInDays,0) FROM Ratemanagement3.tblBillingClass b where b.BillingClassID =inv.BillingClassID),
(SELECT IFNULL(b.PaymentDueInDays,0) FROM Ratemanagement3.tblAccountBilling ab INNER JOIN Ratemanagement3.tblBillingClass b ON b.BillingClassID =ab.BillingClassID WHERE ab.AccountID = ac.AccountID AND ab.ServiceID = inv.ServiceID LIMIT 1)
) as PaymentDueInDays,
(SELECT PaymentDate FROM tblPayment p WHERE p.InvoiceID = inv.InvoiceID AND p.Status = 'Approved' AND p.Recall =0 AND p.AccountID = inv.AccountID ORDER BY PaymentID DESC LIMIT 1) AS PaymentDate,
inv.SubTotal,
inv.TotalTax,
ac.NominalAnalysisNominalAccountNumber
FROM tblInvoice inv
INNER JOIN Ratemanagement3.tblAccount ac ON ac.AccountID = inv.AccountID
LEFT JOIN tblInvoiceDetail invd ON invd.InvoiceID = inv.InvoiceID AND (invd.ProductType = 5 OR inv.InvoiceType = 2)
LEFT JOIN Ratemanagement3.tblCurrency cr ON inv.CurrencyID = cr.CurrencyId
WHERE ac.CompanyID = p_CompanyID
AND (p_AccountID = 0 OR ( p_AccountID != 0 AND inv.AccountID = p_AccountID))
AND (p_userID = 0 OR ac.Owner = p_userID)
AND (p_InvoiceNumber = '' OR (inv.FullInvoiceNumber like Concat('%',p_InvoiceNumber,'%')))
AND (p_IssueDateStart = '0000-00-00 00:00:00' OR ( p_IssueDateStart != '0000-00-00 00:00:00' AND inv.IssueDate >= p_IssueDateStart))
AND (p_IssueDateEnd = '0000-00-00 00:00:00' OR ( p_IssueDateEnd != '0000-00-00 00:00:00' AND inv.IssueDate <= p_IssueDateEnd))
AND (p_InvoiceType = 0 OR ( p_InvoiceType != 0 AND inv.InvoiceType = p_InvoiceType))
AND (p_InvoiceStatus = '' OR ( p_InvoiceStatus != '' AND FIND_IN_SET(inv.InvoiceStatus,p_InvoiceStatus) ))
AND (p_zerovalueinvoice = 0 OR ( p_zerovalueinvoice = 1 AND inv.GrandTotal != 0))
AND (p_InvoiceID = '' OR (p_InvoiceID !='' AND FIND_IN_SET (inv.InvoiceID,p_InvoiceID)!= 0 ))
AND (p_CurrencyID = '' OR ( p_CurrencyID != '' AND inv.CurrencyID = p_CurrencyID));
IF p_isExport = 0 and p_sageExport = 0
THEN
SELECT
InvoiceType ,
AccountName,
InvoiceNumber,
IssueDate,
InvoicePeriod,
CONCAT(CurrencySymbol, ROUND(GrandTotal,v_Round_)) as GrandTotal2,
CONCAT(CurrencySymbol,ROUND(TotalPayment,v_Round_),'/',ROUND(PendingAmount,v_Round_)) as `PendingAmount`,
InvoiceStatus,
DATE(DATE_ADD(IssueDate, INTERVAL IFNULL(PaymentDueInDays,0) DAY)) AS DueDate,
IF(InvoiceStatus IN ('send','awaiting'), IF(DATEDIFF(CURDATE(),DATE(DATE_ADD(IssueDate, INTERVAL IFNULL(PaymentDueInDays,0) DAY))) > 0,DATEDIFF(CURDATE(),DATE(DATE_ADD(IssueDate, INTERVAL IFNULL(PaymentDueInDays,0) DAY))),''), '') AS DueDays,
InvoiceID,
Description,
Attachment,
AccountID,
PendingAmount as OutstandingAmount,
ItemInvoice,
BillingEmail,
GrandTotal
FROM tmp_Invoices_
WHERE (p_IsOverdue = 0
OR ((To_days(NOW()) - To_days(IssueDate)) > PaymentDueInDays
AND(InvoiceStatus NOT IN('awaiting','draft','Cancel'))
AND(PendingAmount>0)
)
)
ORDER BY
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'AccountNameDESC') THEN AccountName
END DESC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'AccountNameASC') THEN AccountName
END ASC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoiceTypeDESC') THEN InvoiceType
END DESC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoiceTypeASC') THEN InvoiceType
END ASC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoiceStatusDESC') THEN InvoiceStatus
END DESC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoiceStatusASC') THEN InvoiceStatus
END ASC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoiceNumberASC') THEN InvoiceNumber
END ASC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoiceNumberDESC') THEN InvoiceNumber
END DESC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'IssueDateASC') THEN IssueDate
END ASC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'IssueDateDESC') THEN IssueDate
END DESC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoicePeriodASC') THEN InvoicePeriod
END ASC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoicePeriodDESC') THEN InvoicePeriod
END DESC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'GrandTotalDESC') THEN GrandTotal
END DESC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'GrandTotalASC') THEN GrandTotal
END ASC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoiceIDDESC') THEN InvoiceID
END DESC,
CASE WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoiceIDASC') THEN InvoiceID
END ASC
LIMIT p_RowspPage OFFSET v_OffSet_;
SELECT COUNT(*) INTO v_TotalCount
FROM tmp_Invoices_
WHERE (p_IsOverdue = 0
OR ((To_days(NOW()) - To_days(IssueDate)) > PaymentDueInDays
AND(InvoiceStatus NOT IN('awaiting','draft','Cancel'))
AND(PendingAmount>0)
)
);
SELECT
v_TotalCount AS totalcount,
ROUND(sum(GrandTotal),v_Round_) as total_grand,
ROUND(sum(TotalPayment),v_Round_) as `TotalPayment`,
ROUND(sum(PendingAmount),v_Round_) as `TotalPendingAmount`,
v_CurrencyCode_ as currency_symbol
FROM tmp_Invoices_
WHERE ((InvoiceStatus IS NULL) OR (InvoiceStatus NOT IN('draft','Cancel')))
AND (p_IsOverdue = 0
OR ((To_days(NOW()) - To_days(IssueDate)) > PaymentDueInDays
AND(InvoiceStatus NOT IN('awaiting','draft','Cancel'))
AND(PendingAmount>0)
)
);
END IF;
IF p_isExport = 1
THEN
SELECT
AccountName ,
InvoiceNumber,
IssueDate,
REPLACE(InvoicePeriod, '<br>', '') as InvoicePeriod,
CONCAT(CurrencySymbol, ROUND(GrandTotal,v_Round_)) as GrandTotal,
CONCAT(CurrencySymbol,ROUND(TotalPayment,v_Round_),'/',ROUND(PendingAmount,v_Round_)) as `Paid/OS`,
InvoiceStatus,
InvoiceType,
ItemInvoice
FROM tmp_Invoices_
WHERE
(p_IsOverdue = 0
OR ((To_days(NOW()) - To_days(IssueDate)) > PaymentDueInDays
AND(InvoiceStatus NOT IN('awaiting','draft','Cancel'))
AND(PendingAmount>0)
)
);
END IF;
IF p_isExport = 2
THEN
SELECT
AccountName ,
InvoiceNumber,
IssueDate,
REPLACE(InvoicePeriod, '<br>', '') as InvoicePeriod,
CONCAT(CurrencySymbol, ROUND(GrandTotal,v_Round_)) as GrandTotal,
CONCAT(CurrencySymbol,ROUND(TotalPayment,v_Round_),'/',ROUND(PendingAmount,v_Round_)) as `Paid/OS`,
InvoiceStatus,
InvoiceType,
ItemInvoice,
InvoiceID
FROM tmp_Invoices_
WHERE
(p_IsOverdue = 0
OR ((To_days(NOW()) - To_days(IssueDate)) > PaymentDueInDays
AND(InvoiceStatus NOT IN('awaiting','draft','Cancel'))
AND(PendingAmount>0)
)
);
END IF;
IF p_sageExport =1 OR p_sageExport =2
THEN
IF p_sageExport = 2
THEN
UPDATE tblInvoice inv
INNER JOIN Ratemanagement3.tblAccount ac
ON ac.AccountID = inv.AccountID
INNER JOIN Ratemanagement3.tblAccountBilling ab
ON ab.AccountID = ac.AccountID AND ab.ServiceID = inv.ServiceID
INNER JOIN Ratemanagement3.tblBillingClass b
ON ab.BillingClassID = b.BillingClassID
INNER JOIN Ratemanagement3.tblCurrency c
ON c.CurrencyId = ac.CurrencyId
SET InvoiceStatus = 'paid'
WHERE ac.CompanyID = p_CompanyID
AND (p_AccountID = 0 OR ( p_AccountID != 0 AND inv.AccountID = p_AccountID))
AND (p_userID = 0 OR ac.Owner = p_userID)
AND (p_InvoiceNumber = '' OR (inv.FullInvoiceNumber like Concat('%',p_InvoiceNumber,'%')))
AND (p_IssueDateStart = '0000-00-00 00:00:00' OR ( p_IssueDateStart != '0000-00-00 00:00:00' AND inv.IssueDate >= p_IssueDateStart))
AND (p_IssueDateEnd = '0000-00-00 00:00:00' OR ( p_IssueDateEnd != '0000-00-00 00:00:00' AND inv.IssueDate <= p_IssueDateEnd))
AND (p_InvoiceType = 0 OR ( p_InvoiceType != 0 AND inv.InvoiceType = p_InvoiceType))
AND (p_InvoiceStatus = '' OR ( p_InvoiceStatus != '' AND FIND_IN_SET(inv.InvoiceStatus,p_InvoiceStatus) ))
AND (p_zerovalueinvoice = 0 OR ( p_zerovalueinvoice = 1 AND inv.GrandTotal != 0))
AND (p_InvoiceID = '' OR (p_InvoiceID !='' AND FIND_IN_SET (inv.InvoiceID,p_InvoiceID)!= 0 ))
AND (p_CurrencyID = '' OR ( p_CurrencyID != '' AND inv.CurrencyID = p_CurrencyID))
AND (p_IsOverdue = 0
OR ((To_days(NOW()) - To_days(IssueDate)) > IFNULL(b.PaymentDueInDays,0)
AND(InvoiceStatus NOT IN('awaiting','draft','Cancel'))
AND((inv.GrandTotal - (select IFNULL(sum(p.Amount),0) from tblPayment p where p.InvoiceID = inv.InvoiceID AND p.Status = 'Approved' AND p.AccountID = inv.AccountID AND p.Recall =0) )>0)
)
);
END IF;
SELECT
AccountNumber,
DATE_FORMAT(DATE_ADD(IssueDate,INTERVAL PaymentDueInDays DAY), '%Y-%m-%d') AS DueDate,
GrandTotal AS GoodsValueInAccountCurrency,
GrandTotal AS SalControlValueInBaseCurrency,
1 AS DocumentToBaseCurrencyRate,
1 AS DocumentToAccountCurrencyRate,
DATE_FORMAT(IssueDate, '%Y-%m-%d') AS PostedDate,
InvoiceNumber AS TransactionReference,
'' AS SecondReference,
'' AS Source,
4 AS SYSTraderTranType,
DATE_FORMAT(PaymentDate ,'%Y-%m-%d') AS TransactionDate,
TotalTax AS TaxValue,
SubTotal AS `NominalAnalysisTransactionValue/1`,
NominalAnalysisNominalAccountNumber AS `NominalAnalysisNominalAccountNumber/1`,
'NEON' AS `NominalAnalysisNominalAnalysisNarrative/1`,
'' AS `NominalAnalysisTransactionAnalysisCode/1`,
1 AS `TaxAnalysisTaxRate/1`,
SubTotal AS `TaxAnalysisGoodsValueBeforeDiscount/1`,
TotalTax as `TaxAnalysisTaxOnGoodsValue/1`
FROM tmp_Invoices_
WHERE
(p_IsOverdue = 0
OR ((To_days(NOW()) - To_days(IssueDate)) > PaymentDueInDays
AND(InvoiceStatus NOT IN('awaiting','draft','Cancel'))
AND(PendingAmount>0)
)
);
END IF;
SET SESSION TRANSACTION ISOLATION LEVEL REPEATABLE READ;
END|
DELIMITER ;
DROP PROCEDURE IF EXISTS `prc_getPayments`;
DELIMITER |
CREATE PROCEDURE `prc_getPayments`(
IN `p_CompanyID` INT,
IN `p_accountID` INT,
IN `p_InvoiceNo` VARCHAR(30),
IN `p_FullInvoiceNumber` VARCHAR(50),
IN `p_Status` VARCHAR(20),
IN `p_PaymentType` VARCHAR(20),
IN `p_PaymentMethod` VARCHAR(20),
IN `p_RecallOnOff` INT,
IN `p_CurrencyID` INT,
IN `p_PageNumber` INT,
IN `p_RowspPage` INT,
IN `p_lSortCol` VARCHAR(50),
IN `p_SortOrder` VARCHAR(5),
IN `p_isCustomer` INT ,
IN `p_paymentStartDate` DATETIME,
IN `p_paymentEndDate` DATETIME,
IN `p_isExport` INT,
IN `p_userID` INT
)
BEGIN
DECLARE v_OffSet_ INT;
DECLARE v_Round_ INT;
DECLARE v_CurrencyCode_ VARCHAR(50);
SET sql_mode = '';
SET SESSION TRANSACTION ISOLATION LEVEL READ COMMITTED;
SELECT fnGetRoundingPoint(p_CompanyID) INTO v_Round_;
SELECT cr.Symbol INTO v_CurrencyCode_ FROM Ratemanagement3.tblCurrency cr WHERE cr.CurrencyId =p_CurrencyID;
SET v_OffSet_ = (p_PageNumber * p_RowspPage) - p_RowspPage;
IF p_isExport = 0
THEN
SELECT
tblPayment.PaymentID,
tblAccount.AccountName,
tblPayment.AccountID,
ROUND(tblPayment.Amount,v_Round_) AS Amount,
CASE WHEN p_isCustomer = 1 THEN
CASE WHEN PaymentType='Payment Out' THEN 'Payment In' ELSE 'Payment Out'
END
ELSE
PaymentType
END as PaymentType,
tblPayment.CurrencyID,
tblPayment.PaymentDate,
CASE WHEN p_RecallOnOff = -1 AND tblPayment.Recall=1 THEN 'Recalled' ELSE tblPayment.Status END as `Status`,
tblPayment.CreatedBy,
tblPayment.PaymentProof,
tblPayment.InvoiceNo,
tblPayment.PaymentMethod,
tblPayment.Notes,
tblPayment.Recall,
tblPayment.RecallReasoan,
tblPayment.RecallBy,
CONCAT(IFNULL(v_CurrencyCode_,''),ROUND(tblPayment.Amount,v_Round_)) AS AmountWithSymbol
FROM tblPayment
LEFT JOIN Ratemanagement3.tblAccount ON tblPayment.AccountID = tblAccount.AccountID
WHERE tblPayment.CompanyID = p_CompanyID
AND(p_RecallOnOff = -1 OR tblPayment.Recall = p_RecallOnOff)
AND(p_accountID = 0 OR tblPayment.AccountID = p_accountID)
AND (p_userID = 0 OR tblAccount.Owner = p_userID)
AND((p_InvoiceNo IS NULL OR tblPayment.InvoiceNo like Concat('%',p_InvoiceNo,'%')))
AND((p_FullInvoiceNumber = '' OR tblPayment.InvoiceNo = p_FullInvoiceNumber))
AND((p_Status IS NULL OR tblPayment.Status = p_Status))
AND((p_PaymentType IS NULL OR tblPayment.PaymentType = p_PaymentType))
AND((p_PaymentMethod IS NULL OR tblPayment.PaymentMethod = p_PaymentMethod))
AND (p_paymentStartDate is null OR ( p_paymentStartDate != '' AND tblPayment.PaymentDate >= p_paymentStartDate))
AND (p_paymentEndDate is null OR ( p_paymentEndDate != '' AND tblPayment.PaymentDate <= p_paymentEndDate))
AND (p_CurrencyID = 0 OR tblPayment.CurrencyId = p_CurrencyID)
ORDER BY
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'AccountNameDESC') THEN tblAccount.AccountName
END DESC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'AccountNameASC') THEN tblAccount.AccountName
END ASC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoiceNoDESC') THEN InvoiceNo
END DESC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'InvoiceNoASC') THEN InvoiceNo
END ASC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'AmountDESC') THEN Amount
END DESC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'AmountASC') THEN Amount
END ASC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'PaymentTypeDESC') THEN PaymentType
END DESC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'PaymentTypeASC') THEN PaymentType
END ASC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'PaymentDateDESC') THEN PaymentDate
END DESC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'PaymentDateASC') THEN PaymentDate
END ASC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'StatusDESC') THEN tblPayment.Status
END DESC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'StatusASC') THEN tblPayment.Status
END ASC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'CreatedByDESC') THEN tblPayment.CreatedBy
END DESC,
CASE
WHEN (CONCAT(p_lSortCol,p_SortOrder) = 'CreatedByASC') THEN tblPayment.CreatedBy
END ASC
LIMIT p_RowspPage OFFSET v_OffSet_;
SELECT
COUNT(tblPayment.PaymentID) AS totalcount,
CONCAT(IFNULL(v_CurrencyCode_,''),ROUND(sum(Amount),v_Round_)) AS total_grand
FROM tblPayment
LEFT JOIN Ratemanagement3.tblAccount ON tblPayment.AccountID = tblAccount.AccountID
WHERE tblPayment.CompanyID = p_CompanyID
AND(p_RecallOnOff = -1 OR tblPayment.Recall = p_RecallOnOff)
AND(p_accountID = 0 OR tblPayment.AccountID = p_accountID)
AND (p_userID = 0 OR tblAccount.Owner = p_userID)
AND((p_InvoiceNo IS NULL OR tblPayment.InvoiceNo like Concat('%',p_InvoiceNo,'%')))
AND((p_FullInvoiceNumber = '' OR tblPayment.InvoiceNo = p_FullInvoiceNumber))
AND((p_Status IS NULL OR tblPayment.Status = p_Status))
AND((p_PaymentType IS NULL OR tblPayment.PaymentType = p_PaymentType))
AND((p_PaymentMethod IS NULL OR tblPayment.PaymentMethod = p_PaymentMethod))
AND (p_paymentStartDate is null OR ( p_paymentStartDate != '' AND tblPayment.PaymentDate >= p_paymentStartDate))
AND (p_paymentEndDate is null OR ( p_paymentEndDate != '' AND tblPayment.PaymentDate <= p_paymentEndDate))
AND (p_CurrencyID = 0 OR tblPayment.CurrencyId = p_CurrencyID);
END IF;
IF p_isExport = 1
THEN
SELECT
AccountName,
CONCAT(IFNULL(v_CurrencyCode_,''),ROUND(tblPayment.Amount,v_Round_)) AS Amount,
CASE WHEN p_isCustomer = 1 THEN
CASE WHEN PaymentType='Payment Out' THEN 'Payment In' ELSE 'Payment Out'
END
ELSE PaymentType
END AS PaymentType,
PaymentDate,
tblPayment.Status,
tblPayment.CreatedBy,
InvoiceNo,
tblPayment.PaymentMethod,
Notes
FROM tblPayment
LEFT JOIN Ratemanagement3.tblAccount ON tblPayment.AccountID = tblAccount.AccountID
WHERE tblPayment.CompanyID = p_CompanyID
AND(p_RecallOnOff = -1 OR tblPayment.Recall = p_RecallOnOff)
AND(p_accountID = 0 OR tblPayment.AccountID = p_accountID)
AND (p_userID = 0 OR tblAccount.Owner = p_userID)
AND((p_InvoiceNo IS NULL OR tblPayment.InvoiceNo like Concat('%',p_InvoiceNo,'%')))
AND((p_FullInvoiceNumber = '' OR tblPayment.InvoiceNo = p_FullInvoiceNumber))
AND((p_Status IS NULL OR tblPayment.Status = p_Status))
AND((p_PaymentType IS NULL OR tblPayment.PaymentType = p_PaymentType))
AND((p_PaymentMethod IS NULL OR tblPayment.PaymentMethod = p_PaymentMethod))
AND (p_paymentStartDate is null OR ( p_paymentStartDate != '' AND tblPayment.PaymentDate >= p_paymentStartDate))
AND (p_paymentEndDate is null OR ( p_paymentEndDate != '' AND tblPayment.PaymentDate <= p_paymentEndDate))
AND (p_CurrencyID = 0 OR tblPayment.CurrencyId = p_CurrencyID);
END IF;
IF p_isExport = 2
THEN
SELECT
AccountName,
CONCAT(IFNULL(v_CurrencyCode_,''),ROUND(tblPayment.Amount,v_Round_)) as Amount,
CASE WHEN p_isCustomer = 1 THEN
CASE WHEN PaymentType='Payment Out' THEN 'Payment In' ELSE 'Payment Out'
END
ELSE PaymentType
END as PaymentType,
PaymentDate,
tblPayment.Status,
InvoiceNo,
tblPayment.PaymentMethod,
Notes
FROM tblPayment
LEFT JOIN Ratemanagement3.tblAccount ON tblPayment.AccountID = tblAccount.AccountID
WHERE tblPayment.CompanyID = p_CompanyID
AND(tblPayment.Recall = p_RecallOnOff)
AND(p_accountID = 0 OR tblPayment.AccountID = p_accountID)
AND (p_userID = 0 OR tblAccount.Owner = p_userID)
AND((p_InvoiceNo IS NULL OR tblPayment.InvoiceNo = p_InvoiceNo))
AND((p_FullInvoiceNumber = '' OR tblPayment.InvoiceNo = p_FullInvoiceNumber))
AND((p_Status IS NULL OR tblPayment.Status = p_Status))
AND((p_PaymentType IS NULL OR tblPayment.PaymentType = p_PaymentType))
AND((p_PaymentMethod IS NULL OR tblPayment.PaymentMethod = p_PaymentMethod))
AND (p_paymentStartDate is null OR ( p_paymentStartDate != '' AND tblPayment.PaymentDate >= p_paymentStartDate))
AND (p_paymentEndDate is null OR ( p_paymentEndDate != '' AND tblPayment.PaymentDate <= p_paymentEndDate))
AND (p_CurrencyID = 0 OR tblPayment.CurrencyId = p_CurrencyID);
END IF;
SET SESSION TRANSACTION ISOLATION LEVEL REPEATABLE READ;
END|
DELIMITER ; |
<reponame>furkantokac/Swamp-server
# CREATE TABLES
CREATE TABLE User (
username VARCHAR(255) NOT NULL,
password VARCHAR(255) NOT NULL,
PRIMARY KEY (username)
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin;
CREATE TABLE User_Account (
username VARCHAR(255) NOT NULL,
name VARCHAR(255) NOT NULL,
surname VARCHAR(255) NOT NULL,
email VARCHAR(255) NOT NULL,
totalRecycled DOUBLE NOT NULL,
monthlyRecycled DOUBLE NOT NULL,
PRIMARY KEY (username)
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin;
CREATE TABLE Bin (
id int(11) NOT NULL,
locX DOUBLE NOT NULL,
locY DOUBLE NOT NULL,
PRIMARY KEY (id)
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin;
CREATE TABLE Recycled (
binId int(11) NOT NULL,
username VARCHAR(255) NOT NULL,
amount DOUBLE NOT NULL,
dt DATETIME DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
PRIMARY KEY (binId, username, dt)
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin;
CREATE TABLE User_Bin (
username VARCHAR(255) NOT NULL,
binId int(11) NOT NULL,
amount DOUBLE NOT NULL,
PRIMARY KEY (username, binId)
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin; |
<filename>migrations/2021-10-31-135848_init_schema/up.sql<gh_stars>0
-- Your SQL goes here
CREATE TABLE revenues
(
day DATE PRIMARY KEY NOT NULL,
value REAL NOT NULL
);
CREATE TABLE net_profits
(
day DATE PRIMARY KEY NOT NULL,
value REAL NOT NULL
); |
<reponame>VanStranger/Lycms
-- --------------------------------------------------------
-- 主机: 127.0.0.1
-- 服务器版本: 10.3.12-MariaDB - mariadb.org binary distribution
-- 服务器操作系统: Win64
-- HeidiSQL 版本: 11.3.0.6337
-- --------------------------------------------------------
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET NAMES utf8 */;
/*!50503 SET NAMES utf8mb4 */;
/*!40103 SET @OLD_TIME_ZONE=@@TIME_ZONE */;
/*!40103 SET TIME_ZONE='+00:00' */;
/*!40014 SET @OLD_FOREIGN_KEY_CHECKS=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */;
/*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='NO_AUTO_VALUE_ON_ZERO' */;
/*!40111 SET @OLD_SQL_NOTES=@@SQL_NOTES, SQL_NOTES=0 */;
-- 导出 表 dx1.article 结构
DROP TABLE IF EXISTS `article`;
CREATE TABLE IF NOT EXISTS `article` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`authorid` int(10) unsigned NOT NULL DEFAULT 0 COMMENT '作者',
`type` tinyint(3) unsigned NOT NULL DEFAULT 0 COMMENT '0普通1推荐',
`arttype` tinyint(3) unsigned NOT NULL DEFAULT 0 COMMENT '0文章,1视频',
`status` tinyint(3) unsigned NOT NULL DEFAULT 0 COMMENT '0未审核,1通过,2驳回',
`nid` int(11) unsigned NOT NULL DEFAULT 0 COMMENT 'navid',
`title` varchar(50) NOT NULL DEFAULT '',
`preimg` varchar(150) NOT NULL DEFAULT '',
`preimgs` varchar(200) NOT NULL DEFAULT '[]' COMMENT '缩略图',
`pre` char(200) NOT NULL DEFAULT '',
`content` text NOT NULL COMMENT '内容',
`jubao` int(10) unsigned NOT NULL DEFAULT 0 COMMENT '举报',
`view` int(10) unsigned NOT NULL DEFAULT 0,
`comments` int(10) unsigned NOT NULL DEFAULT 0,
`create_time` int(11) unsigned NOT NULL DEFAULT 0,
`update_time` int(11) unsigned NOT NULL DEFAULT 0 COMMENT '更新时间',
PRIMARY KEY (`id`) USING BTREE
) ENGINE=InnoDB AUTO_INCREMENT=37 DEFAULT CHARSET=utf8 ROW_FORMAT=DYNAMIC;
-- 数据导出被取消选择。
-- 导出 表 dx1.art_nav 结构
DROP TABLE IF EXISTS `art_nav`;
CREATE TABLE IF NOT EXISTS `art_nav` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`artid` int(10) unsigned NOT NULL DEFAULT 0 COMMENT '作者',
`navid` int(11) unsigned NOT NULL DEFAULT 0 COMMENT 'navid',
PRIMARY KEY (`id`) USING BTREE
) ENGINE=InnoDB AUTO_INCREMENT=55 DEFAULT CHARSET=utf8;
-- 数据导出被取消选择。
-- 导出 表 dx1.art_tag 结构
DROP TABLE IF EXISTS `art_tag`;
CREATE TABLE IF NOT EXISTS `art_tag` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`artid` int(10) unsigned NOT NULL DEFAULT 0 COMMENT '作者',
`tagid` int(11) unsigned NOT NULL DEFAULT 0 COMMENT 'navid',
PRIMARY KEY (`id`) USING BTREE
) ENGINE=InnoDB AUTO_INCREMENT=86 DEFAULT CHARSET=utf8 ROW_FORMAT=DYNAMIC;
-- 数据导出被取消选择。
-- 导出 表 dx1.banner 结构
DROP TABLE IF EXISTS `banner`;
CREATE TABLE IF NOT EXISTS `banner` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`tid` int(10) unsigned NOT NULL DEFAULT 0,
`img` varchar(50) COLLATE utf8_general_mysql500_ci NOT NULL DEFAULT '',
`title` varchar(50) COLLATE utf8_general_mysql500_ci NOT NULL DEFAULT '',
`href` varchar(150) COLLATE utf8_general_mysql500_ci NOT NULL DEFAULT '',
`pre` varchar(150) COLLATE utf8_general_mysql500_ci NOT NULL DEFAULT '',
`weight` smallint(5) unsigned NOT NULL DEFAULT 0,
PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=5 DEFAULT CHARSET=utf8 COLLATE=utf8_general_mysql500_ci;
-- 数据导出被取消选择。
-- 导出 表 dx1.banner_type 结构
DROP TABLE IF EXISTS `banner_type`;
CREATE TABLE IF NOT EXISTS `banner_type` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`weight` smallint(5) unsigned NOT NULL DEFAULT 0,
`title` varchar(50) COLLATE utf8_general_mysql500_ci NOT NULL DEFAULT '',
PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=2 DEFAULT CHARSET=utf8 COLLATE=utf8_general_mysql500_ci;
-- 数据导出被取消选择。
-- 导出 表 dx1.config 结构
DROP TABLE IF EXISTS `config`;
CREATE TABLE IF NOT EXISTS `config` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`title` varchar(50) NOT NULL DEFAULT '',
`key` varchar(50) NOT NULL DEFAULT '',
`val` varchar(50) NOT NULL DEFAULT '',
PRIMARY KEY (`id`) USING BTREE
) ENGINE=InnoDB AUTO_INCREMENT=14 DEFAULT CHARSET=utf8;
-- 数据导出被取消选择。
-- 导出 表 dx1.links 结构
DROP TABLE IF EXISTS `links`;
CREATE TABLE IF NOT EXISTS `links` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`type` tinyint(3) unsigned NOT NULL DEFAULT 0,
`href` varchar(150) COLLATE utf8_general_mysql500_ci NOT NULL DEFAULT '',
`title` varchar(50) COLLATE utf8_general_mysql500_ci NOT NULL DEFAULT '',
`img` varchar(150) COLLATE utf8_general_mysql500_ci NOT NULL DEFAULT '',
PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=2 DEFAULT CHARSET=utf8 COLLATE=utf8_general_mysql500_ci;
-- 数据导出被取消选择。
-- 导出 表 dx1.nav 结构
DROP TABLE IF EXISTS `nav`;
CREATE TABLE IF NOT EXISTS `nav` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`pid` int(10) unsigned NOT NULL DEFAULT 0 COMMENT '父级nav的id',
`type` tinyint(3) unsigned NOT NULL DEFAULT 0 COMMENT '0:列表,1:封面',
`title` varchar(50) NOT NULL DEFAULT '',
`subtitle` varchar(250) NOT NULL DEFAULT '',
`weight` int(10) unsigned NOT NULL DEFAULT 0,
`template` varchar(250) NOT NULL DEFAULT '',
`template_art` varchar(250) NOT NULL DEFAULT '',
PRIMARY KEY (`id`) USING BTREE
) ENGINE=InnoDB AUTO_INCREMENT=15 DEFAULT CHARSET=utf8;
-- 数据导出被取消选择。
-- 导出 表 dx1.nav_art 结构
DROP TABLE IF EXISTS `nav_art`;
CREATE TABLE IF NOT EXISTS `nav_art` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`navid` int(10) unsigned NOT NULL DEFAULT 0,
`content` mediumtext COLLATE utf8_general_mysql500_ci NOT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=2 DEFAULT CHARSET=utf8 COLLATE=utf8_general_mysql500_ci;
-- 数据导出被取消选择。
-- 导出 表 dx1.role 结构
DROP TABLE IF EXISTS `role`;
CREATE TABLE IF NOT EXISTS `role` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`title` varchar(50) COLLATE utf8_general_mysql500_ci NOT NULL DEFAULT '',
`des` varchar(50) COLLATE utf8_general_mysql500_ci NOT NULL DEFAULT '',
`permit` text COLLATE utf8_general_mysql500_ci NOT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=3 DEFAULT CHARSET=utf8 COLLATE=utf8_general_mysql500_ci;
-- 数据导出被取消选择。
-- 导出 表 dx1.tag 结构
DROP TABLE IF EXISTS `tag`;
CREATE TABLE IF NOT EXISTS `tag` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`pid` int(10) unsigned NOT NULL DEFAULT 0 COMMENT '父级tag的id',
`title` varchar(50) NOT NULL DEFAULT '',
`subtitle` varchar(50) NOT NULL DEFAULT '',
`create_time` int(10) unsigned NOT NULL DEFAULT 0,
PRIMARY KEY (`id`) USING BTREE
) ENGINE=InnoDB AUTO_INCREMENT=24 DEFAULT CHARSET=utf8;
-- 数据导出被取消选择。
-- 导出 表 dx1.user 结构
DROP TABLE IF EXISTS `user`;
CREATE TABLE IF NOT EXISTS `user` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`rid` tinyint(4) NOT NULL DEFAULT 0,
`password` char(32) NOT NULL DEFAULT '',
`username` varchar(50) NOT NULL DEFAULT '',
`loginname` varchar(50) NOT NULL DEFAULT '',
`sex` tinyint(3) unsigned NOT NULL DEFAULT 0 COMMENT '0:男,1:女',
`photo` char(100) DEFAULT './img/photos/0.png' COMMENT '图片地址',
`email` char(50) NOT NULL DEFAULT '',
`userinfo` char(50) NOT NULL DEFAULT '',
`token` char(32) NOT NULL DEFAULT '',
`view` int(10) unsigned NOT NULL DEFAULT 0,
`guanzhu` int(10) unsigned NOT NULL DEFAULT 0,
`lastlogin` int(10) unsigned NOT NULL DEFAULT 0,
PRIMARY KEY (`id`) USING BTREE
) ENGINE=InnoDB AUTO_INCREMENT=2 DEFAULT CHARSET=utf8;
-- 数据导出被取消选择。
/*!40103 SET TIME_ZONE=@OLD_TIME_ZONE */;
/*!40101 SET SQL_MODE=IFNULL(@OLD_SQL_MODE, '') */;
/*!40014 SET FOREIGN_KEY_CHECKS=IFNULL(@OLD_FOREIGN_KEY_CHECKS, 1) */;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40111 SET SQL_NOTES=IFNULL(@OLD_SQL_NOTES, 1) */;
|
<gh_stars>0
-- phpMyAdmin SQL Dump
-- version 5.0.2
-- https://www.phpmyadmin.net/
--
-- Host: 127.0.0.1
-- Generation Time: Jul 22, 2021 at 09:23 AM
-- Server version: 10.4.14-MariaDB
-- PHP Version: 7.4.10
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
START TRANSACTION;
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `umkm_baju`
--
-- --------------------------------------------------------
--
-- Table structure for table `barangs`
--
CREATE TABLE `barangs` (
`id` bigint(20) UNSIGNED NOT NULL,
`nama_barang` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`gambar` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`harga` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`stok` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`keterangan` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `barangs`
--
INSERT INTO `barangs` (`id`, `nama_barang`, `gambar`, `harga`, `stok`, `keterangan`, `created_at`, `updated_at`) VALUES
(1, 'Batik Prada Pink', 'batik_pink.jpg', '55000', '7', 'Ukuran batik 2.10 x 1.10', '2019-11-13 17:00:00', '2021-07-18 04:00:48'),
(2, '<NAME>', 'batik_hijau.jpg', '60000', '5', 'Ukuran batik 2.10 x 1.10', '2019-11-13 17:00:00', '2021-07-22 00:21:21'),
(3, '<NAME>', 'batik_kuning.jpg', '50000', '7', 'Ukuran batik 2.10 x 1.10', '2019-11-13 17:00:00', '2021-07-18 03:21:07');
-- --------------------------------------------------------
--
-- Table structure for table `failed_jobs`
--
CREATE TABLE `failed_jobs` (
`id` bigint(20) UNSIGNED NOT NULL,
`uuid` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`connection` text COLLATE utf8mb4_unicode_ci NOT NULL,
`queue` text COLLATE utf8mb4_unicode_ci NOT NULL,
`payload` longtext COLLATE utf8mb4_unicode_ci NOT NULL,
`exception` longtext COLLATE utf8mb4_unicode_ci NOT NULL,
`failed_at` timestamp NOT NULL DEFAULT current_timestamp()
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
-- --------------------------------------------------------
--
-- Table structure for table `migrations`
--
CREATE TABLE `migrations` (
`id` int(10) UNSIGNED NOT NULL,
`migration` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`batch` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `migrations`
--
INSERT INTO `migrations` (`id`, `migration`, `batch`) VALUES
(2, '2014_10_12_100000_create_password_resets_table', 1),
(3, '2019_08_19_000000_create_failed_jobs_table', 1),
(4, '2021_06_27_031213_create_barangs_table', 1),
(6, '2021_06_27_031719_create_pesanan_details_table', 1),
(8, '2014_10_12_000000_create_users_table', 3),
(9, '2021_06_27_031528_create_pesanans_table', 4);
-- --------------------------------------------------------
--
-- Table structure for table `password_resets`
--
CREATE TABLE `password_resets` (
`email` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`token` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`created_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `password_resets`
--
INSERT INTO `password_resets` (`email`, `token`, `created_at`) VALUES
('<EMAIL>', <PASSWORD>', '2021-07-06 19:00:03');
-- --------------------------------------------------------
--
-- Table structure for table `pesanans`
--
CREATE TABLE `pesanans` (
`id` bigint(20) UNSIGNED NOT NULL,
`user_id` int(11) NOT NULL,
`tanggal` date NOT NULL,
`status` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`kode` int(11) NOT NULL,
`jumlah_harga` int(11) NOT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `pesanans`
--
INSERT INTO `pesanans` (`id`, `user_id`, `tanggal`, `status`, `kode`, `jumlah_harga`, `created_at`, `updated_at`) VALUES
(5, 3, '2021-07-18', '1', 920, 155000, '2021-07-18 03:20:27', '2021-07-18 03:21:07'),
(6, 5, '2021-07-18', '1', 598, 55000, '2021-07-18 03:56:03', '2021-07-18 04:00:48'),
(7, 10, '2021-07-22', '1', 643, 120000, '2021-07-22 00:21:07', '2021-07-22 00:21:21');
-- --------------------------------------------------------
--
-- Table structure for table `pesanan_details`
--
CREATE TABLE `pesanan_details` (
`id` bigint(20) UNSIGNED NOT NULL,
`barang_id` int(11) NOT NULL,
`pesanan_id` int(11) NOT NULL,
`jumlah` int(11) NOT NULL,
`jumlah_harga` int(11) NOT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `pesanan_details`
--
INSERT INTO `pesanan_details` (`id`, `barang_id`, `pesanan_id`, `jumlah`, `jumlah_harga`, `created_at`, `updated_at`) VALUES
(116, 1, 5, 1, 55000, '2021-07-18 03:20:27', '2021-07-18 03:20:27'),
(117, 3, 5, 2, 100000, '2021-07-18 03:20:34', '2021-07-18 03:20:34'),
(118, 1, 6, 1, 55000, '2021-07-18 03:56:04', '2021-07-18 03:56:04'),
(119, 2, 7, 2, 120000, '2021-07-22 00:21:07', '2021-07-22 00:21:07');
-- --------------------------------------------------------
--
-- Table structure for table `users`
--
CREATE TABLE `users` (
`id` bigint(20) UNSIGNED NOT NULL,
`name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`email` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`email_verified_at` timestamp NULL DEFAULT NULL,
`password` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`alamat` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`no_hp` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`remember_token` varchar(100) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `users`
--
INSERT INTO `users` (`id`, `name`, `email`, `email_verified_at`, `password`, `alamat`, `no_hp`, `remember_token`, `created_at`, `updated_at`) VALUES
(5, '<NAME>', '<EMAIL>', NULL, '$2y$10$udWh4wUfplpnvmTlRgIzVeFk3eNxuUS.zEm6KA8ABBrPHfzcB2FGq', 'Jl. Saputra IV. No. 9', '08997531900', NULL, '2021-07-18 03:36:36', '2021-07-18 04:00:43'),
(10, '<NAME>', '<EMAIL>', NULL, '$2y$10$sH53il4bjIbmRaImnx0zMOiZ0J0p41eXTE0RM.S7F7I2EVtP3x0wi', 'Jl. Saputra IV no. 9', '08997531900', NULL, '2021-07-22 00:19:34', '2021-07-22 00:20:42');
--
-- Indexes for dumped tables
--
--
-- Indexes for table `barangs`
--
ALTER TABLE `barangs`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `failed_jobs`
--
ALTER TABLE `failed_jobs`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `failed_jobs_uuid_unique` (`uuid`);
--
-- Indexes for table `migrations`
--
ALTER TABLE `migrations`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `password_resets`
--
ALTER TABLE `password_resets`
ADD KEY `password_resets_email_index` (`email`);
--
-- Indexes for table `pesanans`
--
ALTER TABLE `pesanans`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `pesanan_details`
--
ALTER TABLE `pesanan_details`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `users`
--
ALTER TABLE `users`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `users_email_unique` (`email`);
--
-- AUTO_INCREMENT for dumped tables
--
--
-- AUTO_INCREMENT for table `barangs`
--
ALTER TABLE `barangs`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=4;
--
-- AUTO_INCREMENT for table `failed_jobs`
--
ALTER TABLE `failed_jobs`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `migrations`
--
ALTER TABLE `migrations`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=10;
--
-- AUTO_INCREMENT for table `pesanans`
--
ALTER TABLE `pesanans`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=8;
--
-- AUTO_INCREMENT for table `pesanan_details`
--
ALTER TABLE `pesanan_details`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=120;
--
-- AUTO_INCREMENT for table `users`
--
ALTER TABLE `users`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=11;
COMMIT;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
<reponame>gitnikk/laravel-app3<gh_stars>0
-- phpMyAdmin SQL Dump
-- version 4.6.6deb5
-- https://www.phpmyadmin.net/
--
-- Host: localhost:3306
-- Generation Time: Apr 26, 2019 at 11:44 AM
-- Server version: 5.7.25-0ubuntu0.18.04.2
-- PHP Version: 7.2.15-0ubuntu0.18.04.2
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `myapp3`
--
-- --------------------------------------------------------
--
-- Table structure for table `migrations`
--
CREATE TABLE `migrations` (
`id` int(10) UNSIGNED NOT NULL,
`migration` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`batch` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `migrations`
--
INSERT INTO `migrations` (`id`, `migration`, `batch`) VALUES
(9, '2014_10_12_000000_create_users_table', 1),
(10, '2014_10_12_100000_create_password_resets_table', 1),
(11, '2019_04_26_044244_create_products_table', 1),
(12, '2019_04_26_044257_create_reviews_table', 1);
-- --------------------------------------------------------
--
-- Table structure for table `password_resets`
--
CREATE TABLE `password_resets` (
`email` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`token` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`created_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
-- --------------------------------------------------------
--
-- Table structure for table `products`
--
CREATE TABLE `products` (
`id` bigint(20) UNSIGNED NOT NULL,
`name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`details` text COLLATE utf8mb4_unicode_ci NOT NULL,
`stock` int(11) NOT NULL,
`price` decimal(10,2) NOT NULL,
`discount` int(11) NOT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `products`
--
INSERT INTO `products` (`id`, `name`, `details`, `stock`, `price`, `discount`, `created_at`, `updated_at`) VALUES
(1, 'sunt', 'Et nobis nostrum rerum voluptate. Placeat nihil quia deserunt possimus. Labore necessitatibus est consequatur quo consequatur sint nulla. Cum sint quis similique est in. Sed commodi dolores adipisci animi.', 5, '147.24', 27, '2019-04-26 00:35:34', '2019-04-26 00:35:34'),
(2, 'labore', 'Corporis natus est eos sunt delectus. Quaerat harum sequi qui delectus voluptas provident aut. Quia cum minima aperiam non unde sequi. Fugit sed temporibus magni quidem cum sed. Voluptatibus eos reiciendis totam deleniti minima.', 4, '387.04', 9, '2019-04-26 00:35:34', '2019-04-26 00:35:34'),
(3, 'rerum', 'Facere illum ad voluptatem illum. Aut enim accusamus culpa ut. Fugit neque aliquam ipsum in quia. Similique ad qui fugiat saepe delectus nisi.', 7, '574.52', 23, '2019-04-26 00:35:34', '2019-04-26 00:35:34'),
(4, 'optio', 'Nostrum sunt illo inventore sit. Quia dolores dignissimos ratione et. Perferendis alias in quisquam sint soluta magnam. Rerum quod hic quod est dolor et debitis.', 0, '895.46', 22, '2019-04-26 00:35:34', '2019-04-26 00:35:34'),
(5, 'aspernatur', 'Ea aut vitae occaecati voluptas non et ea qui. Corporis saepe vel ut amet in consequatur autem. Aperiam aut voluptates amet et labore. Quam odio dolores quas iure.', 4, '262.68', 23, '2019-04-26 00:35:34', '2019-04-26 00:35:34'),
(6, 'consequuntur', 'Et iste qui dolore hic sunt voluptate ut. Eum quod reprehenderit dolores totam et consequatur voluptas. Velit ullam aut pariatur et.', 6, '977.97', 30, '2019-04-26 00:35:34', '2019-04-26 00:35:34'),
(7, 'ut', 'Et et architecto fuga rem doloremque labore. Recusandae beatae accusamus eaque temporibus quia qui. Dolores magnam aut at voluptatem. Qui est cumque quia quasi.', 5, '848.36', 12, '2019-04-26 00:35:35', '2019-04-26 00:35:35'),
(8, 'tempora', 'Quam fuga in est eligendi et sed illo. Sequi consequatur sint qui asperiores mollitia. Esse sint odit occaecati molestiae at ut sed. Possimus autem id dolor quas tempora debitis repellat.', 8, '521.34', 24, '2019-04-26 00:35:35', '2019-04-26 00:35:35'),
(9, 'enim', 'Velit impedit dolorum officiis temporibus et magni. Et voluptas amet nulla earum error mollitia ea voluptas. Odit nesciunt eligendi fuga. Eos qui aperiam enim in.', 7, '161.62', 7, '2019-04-26 00:35:35', '2019-04-26 00:35:35'),
(10, 'error', 'Ex autem est ea explicabo excepturi eligendi. Voluptate ut sed mollitia nihil et vitae eum sunt. Enim quas excepturi esse in. Veniam eveniet iste voluptas veniam magni quis.', 2, '895.44', 30, '2019-04-26 00:35:35', '2019-04-26 00:35:35'),
(11, 'voluptates', 'Veniam ipsum fuga rerum sint maxime. Ut quod architecto ipsa dolorem. Nam accusamus expedita reprehenderit impedit accusantium. Ipsam maiores et repellendus.', 4, '101.88', 28, '2019-04-26 00:35:35', '2019-04-26 00:35:35'),
(12, 'id', 'Occaecati dolore non ut nesciunt quasi. Rerum nulla officiis occaecati impedit accusamus aut. Fuga suscipit dolor et magnam fugit sunt corrupti est. Autem asperiores consequatur eos architecto temporibus architecto vero.', 8, '906.00', 22, '2019-04-26 00:35:35', '2019-04-26 00:35:35'),
(13, 'est', 'Inventore culpa architecto odit quasi vel. Nobis rerum pariatur ut nihil doloremque esse qui. Nemo qui eos inventore. Neque dolore aliquid ut assumenda voluptas. Laudantium laudantium nostrum at ut eligendi quos.', 6, '555.44', 26, '2019-04-26 00:35:35', '2019-04-26 00:35:35'),
(14, 'voluptas', 'Repellat perspiciatis unde et dolor iure nihil voluptas. Voluptates earum fugit tempora velit. Occaecati enim asperiores asperiores ad mollitia aut est. Laboriosam qui ex dolorum deserunt aliquid.', 4, '306.40', 30, '2019-04-26 00:35:35', '2019-04-26 00:35:35'),
(15, 'cumque', 'Blanditiis sequi ut reiciendis delectus ipsa quo perspiciatis enim. Nostrum molestiae debitis dolores amet consequatur. Tempore optio at perferendis est ipsum.', 1, '244.81', 12, '2019-04-26 00:35:35', '2019-04-26 00:35:35'),
(16, 'qui', 'Repellendus perspiciatis et omnis corrupti ut animi. Aut ea quis sit nulla ea eos rerum necessitatibus. Ad expedita quisquam aut.', 2, '648.23', 28, '2019-04-26 00:35:35', '2019-04-26 00:35:35'),
(17, 'pariatur', 'Eligendi non asperiores illum dolores sed dolorum culpa porro. Recusandae doloremque aut non sapiente adipisci possimus. Occaecati dolorem eum omnis nihil ipsam. Et voluptas nihil excepturi aperiam.', 6, '678.10', 19, '2019-04-26 00:35:35', '2019-04-26 00:35:35'),
(18, 'sapiente', 'Et quisquam mollitia debitis. Laborum ut vitae debitis laudantium sequi maxime deserunt. Omnis sint mollitia iste corrupti. Voluptate ipsum ut iusto vel ullam aliquid numquam itaque.', 0, '151.94', 21, '2019-04-26 00:35:36', '2019-04-26 00:35:36'),
(19, 'aperiam', 'Ipsa nesciunt consequuntur odio recusandae enim magni. Est hic cupiditate delectus et enim. Fugiat et et quia molestiae blanditiis. Id est impedit modi doloribus.', 5, '453.28', 27, '2019-04-26 00:35:36', '2019-04-26 00:35:36'),
(20, 'et', 'Quibusdam consequatur perferendis consequatur enim cupiditate. Cumque laudantium alias molestiae.', 6, '125.65', 22, '2019-04-26 00:35:36', '2019-04-26 00:35:36'),
(21, 'fugit', 'Vitae perspiciatis ipsam corporis sed aut odit. Possimus voluptatem molestias dolores autem quos. Expedita aut accusamus repellat dolorem.', 6, '760.59', 5, '2019-04-26 00:35:36', '2019-04-26 00:35:36'),
(22, 'temporibus', 'Et enim commodi voluptatem natus. Sunt tempore voluptatem aut vel fugiat laborum. Optio in ducimus ut quos minima dolore. Tempore autem dolor explicabo.', 0, '630.93', 11, '2019-04-26 00:35:36', '2019-04-26 00:35:36'),
(23, 'quod', 'Quia esse dolorem perspiciatis voluptatem quidem recusandae. Repudiandae veniam non in consequatur accusamus sunt voluptas. Asperiores possimus alias odit vel ut aspernatur quaerat voluptas. Placeat veritatis rem nisi quos placeat repellat.', 4, '535.53', 10, '2019-04-26 00:35:36', '2019-04-26 00:35:36'),
(24, 'eius', 'Ea aliquam saepe et. Iure dicta incidunt impedit quasi. Assumenda est deleniti deserunt.', 9, '622.94', 20, '2019-04-26 00:35:36', '2019-04-26 00:35:36'),
(25, 'non', 'Aut qui molestiae saepe laboriosam nobis vitae beatae. Qui in facilis fugiat excepturi ea similique.', 9, '109.22', 12, '2019-04-26 00:35:36', '2019-04-26 00:35:36'),
(26, 'alias', 'Eum ullam aperiam et eos qui. Quae sit modi cumque fugiat odit velit autem. Libero veniam nostrum sed eos deleniti.', 8, '935.75', 10, '2019-04-26 00:35:36', '2019-04-26 00:35:36'),
(27, 'minus', 'Temporibus beatae soluta veniam eos fugit sint. Nobis repellat id itaque corrupti amet sed. Magnam eveniet voluptas veritatis accusantium impedit voluptate. Repudiandae et libero cum aliquam.', 7, '259.34', 5, '2019-04-26 00:35:36', '2019-04-26 00:35:36'),
(28, 'quaerat', 'Illum velit qui nemo autem voluptatem sint. Illum deserunt ut quia dolores et. Magnam nostrum tempore non consequatur.', 2, '394.65', 15, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(29, 'sed', 'Sapiente et cum qui maxime reprehenderit magnam. Voluptates ut ut et sunt rem. Nostrum sed magni quia dolorem aut voluptatem maxime.', 9, '650.58', 19, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(30, 'quibusdam', 'Tempora ratione ipsam non et. Sit nihil laboriosam doloribus et ullam fugit. Placeat aut corrupti delectus et.', 7, '807.20', 30, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(31, 'delectus', 'Et doloribus eligendi enim vero quam voluptas maxime iusto. Repellendus minus velit sit atque aliquam commodi. Rerum est omnis quas voluptatem est ut et atque.', 4, '245.22', 23, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(32, 'libero', 'Qui enim aut voluptate tenetur. Cupiditate ratione repellat mollitia voluptatum. Delectus et non commodi provident qui ex veritatis. Illum optio est maiores libero.', 8, '287.29', 29, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(33, 'non', 'Sed est doloribus officiis reiciendis. Officiis voluptatibus est et omnis. Atque nulla omnis fugit in laborum occaecati qui. Nulla perspiciatis dolores quia occaecati voluptas quas. Saepe facere et et ut.', 6, '522.59', 13, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(34, 'quasi', 'Suscipit nihil voluptatem ratione ut eius. Vero facilis laboriosam et repellat adipisci numquam vel. Voluptatem molestias non impedit vel. Quaerat voluptatem et libero non accusantium.', 5, '201.03', 6, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(35, 'ipsam', 'Necessitatibus voluptate ut dolor labore aliquid. Quasi reprehenderit labore hic. Saepe autem iusto sit qui sed delectus.', 1, '278.87', 10, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(36, 'quia', 'Vitae alias nam voluptatem esse vitae blanditiis molestiae corrupti. Ut qui aliquid quisquam sed. Laborum laboriosam eveniet facilis veritatis odio dolor autem.', 4, '745.98', 29, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(37, 'qui', 'Ipsam beatae laboriosam aliquam nisi et aut. Dolores enim odit harum doloribus possimus exercitationem est. Illum earum laborum pariatur et. Earum provident eum molestiae voluptatem consequatur maiores.', 4, '446.18', 18, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(38, 'maiores', 'Dolores rerum quod et corrupti qui sequi. Aut nihil qui laudantium eligendi optio. Molestias nostrum quidem culpa aut aut quam animi.', 3, '659.41', 11, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(39, 'facilis', 'Vero non repellat quos ipsa nulla. Excepturi eos ut molestiae sunt voluptas consectetur. Distinctio vel harum optio. Aliquid nemo unde beatae aspernatur.', 6, '282.49', 5, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(40, 'facilis', 'Molestias unde odit ipsum nobis. In omnis ea quaerat tempora repellendus quo. Nesciunt consequatur placeat corporis est incidunt nobis quo quidem. Enim ex non tenetur maxime earum quibusdam culpa enim.', 8, '940.08', 22, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(41, 'veniam', 'Magnam rerum maiores blanditiis dignissimos. Illo eaque debitis nobis. Praesentium ipsa illo alias tenetur qui quas quia.', 4, '927.84', 23, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(42, 'et', 'Dolores quo natus et ea voluptas nostrum nobis. Optio et qui culpa et voluptatem. Molestiae et est eos dolore velit magnam porro.', 2, '139.68', 7, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(43, 'quis', 'Corrupti tempora et beatae est possimus tenetur quidem itaque. Quibusdam repellendus et cum et vel. Nemo magnam reprehenderit est qui consequatur dolorum.', 2, '746.82', 20, '2019-04-26 00:35:37', '2019-04-26 00:35:37'),
(44, 'ea', 'Ut temporibus repellendus tempore maxime. Qui omnis quo ipsum nihil aut illo fugit. Enim nihil excepturi qui voluptas fuga delectus. Non molestiae autem sed fugiat quibusdam eum.', 4, '394.97', 16, '2019-04-26 00:35:38', '2019-04-26 00:35:38'),
(45, 'et', 'Enim iure ea aut. Harum rerum animi tempore necessitatibus repellendus eum. Voluptatem non officiis dicta molestias minima. Quaerat doloremque quia iste similique.', 5, '788.82', 29, '2019-04-26 00:35:38', '2019-04-26 00:35:38'),
(46, 'est', 'Aliquam adipisci non id. Temporibus adipisci est eius.', 1, '111.02', 19, '2019-04-26 00:35:38', '2019-04-26 00:35:38'),
(47, 'aut', 'Assumenda molestiae quidem aliquam aut reiciendis velit. Dolor temporibus quia qui expedita. Maxime dolore et ipsa consequuntur deleniti impedit error.', 5, '577.19', 23, '2019-04-26 00:35:38', '2019-04-26 00:35:38'),
(48, 'sequi', 'Rem veniam nostrum et doloremque itaque vel cum. Molestiae odit id maiores eligendi ea. Odio quod et quis rerum labore tempore sapiente totam.', 1, '638.72', 21, '2019-04-26 00:35:38', '2019-04-26 00:35:38'),
(49, 'dolore', 'Recusandae autem in doloremque. Occaecati qui laudantium nihil. Sit nam omnis sunt. Dolore sit fugiat aperiam ea.', 9, '970.17', 14, '2019-04-26 00:35:38', '2019-04-26 00:35:38'),
(50, 'et', 'Non voluptates enim enim autem. Nam nisi iure dolore inventore nulla. Odio eius nihil et dolorum porro inventore autem exercitationem. Quibusdam molestiae ut dicta quo aliquid nisi voluptas est.', 7, '307.79', 25, '2019-04-26 00:35:38', '2019-04-26 00:35:38');
-- --------------------------------------------------------
--
-- Table structure for table `reviews`
--
CREATE TABLE `reviews` (
`id` bigint(20) UNSIGNED NOT NULL,
`product_id` bigint(20) UNSIGNED NOT NULL,
`customer` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`review` text COLLATE utf8mb4_unicode_ci NOT NULL,
`star` int(11) NOT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `reviews`
--
INSERT INTO `reviews` (`id`, `product_id`, `customer`, `review`, `star`, `created_at`, `updated_at`) VALUES
(1, 42, '<NAME>', 'Officiis est quam quae voluptatem ut culpa id. Et nihil mollitia non unde ipsum atque. Dignissimos autem et nulla. Dignissimos aut est et tenetur.', 4, '2019-04-26 00:35:38', '2019-04-26 00:35:38'),
(2, 16, '<NAME>', 'Debitis eaque id magnam dolor quia. Qui ullam placeat veniam quasi dolorum. Omnis et incidunt perspiciatis rerum.', 5, '2019-04-26 00:35:38', '2019-04-26 00:35:38'),
(3, 8, '<NAME>', 'Quam possimus quasi iste rerum qui id. Aut soluta aliquid rerum fuga harum optio quis. Nam ut sunt asperiores distinctio et. Excepturi autem optio doloremque nulla qui placeat.', 4, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(4, 42, '<NAME> DDS', 'Neque facere accusamus minus dolorem. Voluptas aut fuga autem aperiam qui veritatis. Et qui temporibus consequatur deserunt totam praesentium.', 5, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(5, 34, '<NAME> DDS', 'Voluptate odio perspiciatis incidunt molestiae ipsa ab nam. Commodi unde asperiores aut et. Laborum id qui ut iusto eveniet sed incidunt id.', 4, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(6, 27, 'Ms. <NAME> DVM', 'Et quaerat natus ab qui. Dolores est quas quisquam cupiditate ut commodi. Sit accusamus earum qui exercitationem eveniet.', 4, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(7, 12, '<NAME>', 'Reiciendis autem sed et ab sed aut cum non. Sapiente dolorum asperiores expedita. Perferendis tenetur et iste repellendus. Magni ut voluptatem rem et.', 5, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(8, 18, '<NAME>', 'Iste et dolore ipsa eum. Soluta ipsam soluta aliquid error.', 4, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(9, 49, '<NAME>', 'Ut eos aut rem id. Aut velit nisi libero ut optio aut deleniti. Nisi molestiae unde ipsum quasi itaque culpa.', 5, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(10, 38, 'Mrs. <NAME> DDS', 'Quis ab sed provident quidem suscipit assumenda tempore libero. Deserunt et quia recusandae reprehenderit. Quo consequatur dicta quam sit quasi. Sunt eos minima aliquid quidem recusandae dolor sunt. Et deserunt eaque et unde.', 0, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(11, 39, '<NAME>', 'Quia et expedita quia et earum similique et omnis. Distinctio quia ut excepturi eum id vero velit dignissimos. Laudantium doloremque inventore ipsum exercitationem.', 5, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(12, 21, '<NAME>', 'Et quia vitae non. Accusamus debitis non officiis debitis mollitia. Autem vel asperiores amet natus. Suscipit quae alias velit cupiditate non alias necessitatibus. Unde earum ut saepe officia repudiandae omnis aut neque.', 3, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(13, 33, '<NAME>', 'Odit qui error sint in eius id laudantium. Voluptas consequatur vitae occaecati. Qui inventore est voluptas autem.', 1, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(14, 49, 'Mr. <NAME> V', 'Veniam maiores ut aperiam dolor et nobis. Veritatis molestiae earum nobis culpa excepturi. Perspiciatis fugit non reiciendis eveniet vel quos. Reprehenderit est cupiditate possimus.', 2, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(15, 40, '<NAME>', 'Id ut facilis voluptatum totam facilis suscipit. Voluptatem numquam et odit laboriosam iusto. Maiores laboriosam quis enim quo rerum animi.', 0, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(16, 14, 'Prof. <NAME>', 'Dolorum ut sequi itaque minus ipsa aliquid. Minus neque quo suscipit dolorem architecto. Distinctio temporibus consequatur sunt vitae voluptatem numquam.', 1, '2019-04-26 00:35:39', '2019-04-26 00:35:39'),
(17, 42, 'Ms. <NAME>', 'Dolor dolor pariatur ut laborum. Ad rerum ut aut ipsam nihil placeat. Ducimus laudantium harum non totam minima quaerat. Ipsa dolores velit dolores et doloribus odio dolores.', 1, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(18, 4, '<NAME>', 'Distinctio libero ullam facilis blanditiis. Et temporibus autem nam commodi. Sit et adipisci nemo id voluptate illo. Rerum voluptas eum exercitationem neque eveniet est.', 1, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(19, 47, '<NAME>', 'Sit rerum fuga perspiciatis in. Veniam in ratione qui dolore culpa velit. Quo voluptatibus est nesciunt sed natus. Est consequatur laboriosam est provident sit dolorem in consequatur. Eveniet quidem et iste iusto voluptatem eum.', 3, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(20, 14, '<NAME>', 'Ab repellendus praesentium odio odio eos itaque provident illo. Laudantium fugit molestias aliquid non. Qui consequatur nam autem ipsa. Cumque iste maiores et et et.', 1, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(21, 30, '<NAME>', 'Ut minima laudantium hic temporibus. Ea facere illum occaecati est. Velit rerum consequatur sint soluta.', 5, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(22, 5, '<NAME> I', 'Deleniti vel ut natus quo dolorem qui. Nisi commodi numquam culpa voluptatibus architecto sunt et. Laudantium quae quis voluptatem facere sit voluptate explicabo. Accusamus cupiditate enim sed et recusandae ut quae.', 0, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(23, 49, '<NAME>', 'Et repellendus occaecati unde ducimus numquam ipsum. Et nihil aut distinctio officiis et ratione. Expedita impedit eos ea qui et.', 2, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(24, 29, 'Dr. <NAME> Jr.', 'Velit explicabo voluptas est blanditiis. Voluptates maxime neque voluptates nihil id possimus aspernatur veniam. Nostrum quisquam dolores quis voluptatem quo et ratione quia. Et nesciunt hic sit officiis.', 2, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(25, 7, '<NAME> Jr.', 'Repellendus eveniet praesentium numquam est. Quae impedit nemo minus quae voluptates ex. Facilis et pariatur eius corrupti.', 1, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(26, 27, '<NAME>', 'Ut fugiat sunt est tenetur in aspernatur modi. At quae fugiat provident sit ea. Libero unde aspernatur reiciendis occaecati sit fugit. Eaque cumque fugit rem in excepturi repellendus.', 0, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(27, 8, 'Miss <NAME>', 'Sed a ut nam reiciendis. Neque et maiores possimus aut quo. Aspernatur porro et laboriosam quis aut odio qui. Explicabo culpa at ut aut omnis veniam sequi nihil. Quaerat voluptas enim impedit.', 0, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(28, 32, 'Miss <NAME>', 'Aliquam et et placeat omnis omnis. Quia dolorem debitis nemo ut libero recusandae quae id. Voluptatum dolore voluptatibus voluptatibus est soluta sint deleniti enim.', 5, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(29, 25, 'Mrs. <NAME>', 'Molestiae consequatur aut enim repellendus. Harum et repudiandae cupiditate nihil ratione aut. Et ut eos vel est quam.', 3, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(30, 47, '<NAME>', 'Aut quo quas quis accusantium qui. Aut quam sed asperiores quasi ut facilis. Accusantium ab reiciendis inventore aut.', 2, '2019-04-26 00:35:40', '2019-04-26 00:35:40'),
(31, 15, '<NAME> I', 'Similique tempore doloremque ut. Voluptatem qui inventore ut consequatur. Ut sit sit accusamus odit ut quas voluptas quo.', 5, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(32, 45, '<NAME>', 'Esse accusamus illo quaerat qui odit non. Quo sit et non aliquam optio autem illo. Iure incidunt voluptatibus qui eum. Accusamus totam eos esse minus blanditiis ea. Sit quisquam ullam aspernatur.', 0, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(33, 39, '<NAME>', 'Nemo eius beatae amet maiores corporis. Quae debitis voluptatem illum perspiciatis mollitia aut. Natus debitis amet eos. Soluta a impedit id maxime qui sit voluptates fuga.', 1, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(34, 8, '<NAME>', 'Adipisci sed dolore harum ratione quas. Soluta blanditiis nesciunt accusamus minus aut id ipsam. In deleniti et sint quam.', 0, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(35, 26, 'Prof. <NAME>', 'Enim ut officiis odit laborum molestiae officia. Provident officiis ut quia laborum possimus doloremque aut. Recusandae molestiae vitae itaque eveniet est. Itaque vitae non voluptas enim.', 1, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(36, 12, '<NAME>', 'Odio ad consectetur eaque est est architecto nihil. Minus doloremque excepturi soluta eos molestias quia quam rerum. Quia dolor consequatur perspiciatis minus.', 1, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(37, 34, '<NAME>', 'Tempore quidem voluptatem inventore quo et eveniet. Eos officiis ex atque rerum. Delectus aperiam blanditiis laborum nihil et est saepe.', 5, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(38, 10, '<NAME>', 'Animi exercitationem et hic cupiditate aspernatur. Nihil autem minus sequi iste. Consequatur possimus autem ab quis iste voluptatem. Aut facilis praesentium voluptas qui.', 1, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(39, 6, '<NAME>', 'Ex quos est distinctio accusamus. Aut pariatur ea nobis quasi aut id ducimus. Molestiae dolores neque et. Et accusantium dolores vero ad accusamus. Quibusdam ea dignissimos harum voluptatem consequatur.', 4, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(40, 37, 'Mr. <NAME>', 'Dolor non aut expedita alias. Consequatur repellendus quia laudantium ipsam nobis quidem sit praesentium. Aspernatur magni sit maiores repellat. Ut voluptate doloribus explicabo maiores nam error quidem. Et illum ut totam voluptatem dolores deserunt.', 2, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(41, 35, '<NAME> PhD', 'Rem deserunt accusantium eum vero soluta velit. Libero autem exercitationem eveniet laboriosam nam. Culpa et rerum vero non molestias aut totam.', 1, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(42, 28, 'Mr. <NAME> MD', 'Autem officia ad quibusdam laboriosam et. Impedit labore voluptas tenetur. Est qui voluptate quis ipsum.', 5, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(43, 3, '<NAME>', 'Modi aut totam adipisci sequi molestiae nesciunt quam. Praesentium natus hic sint libero at vel tempora. Aut ab atque beatae alias reiciendis veritatis repellendus. Excepturi laborum neque eum dolor nihil placeat.', 0, '2019-04-26 00:35:41', '2019-04-26 00:35:41'),
(44, 7, 'Dr. <NAME> V', 'Quia facere ipsa neque quaerat ut. Culpa dolorem quo qui eveniet id. Quia et magnam non enim ipsam iure sint.', 2, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(45, 26, '<NAME> I', 'Nam quasi sed blanditiis vitae dolorem deserunt. Voluptatem rerum ad nihil exercitationem dicta esse quo. Numquam sit culpa aliquam illo explicabo neque.', 4, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(46, 22, '<NAME>', 'Voluptatem porro voluptas rerum et nihil quia. Impedit et quisquam esse occaecati magni amet. Praesentium fugit sint voluptatem.', 4, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(47, 48, '<NAME>', 'Nisi similique illo possimus voluptatem. Exercitationem tenetur quia autem distinctio tempora pariatur nobis reprehenderit. Ratione aliquid et ab ipsam officia.', 5, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(48, 20, '<NAME>', 'Odio sed non vel nemo non pariatur. Numquam nam dolorem eum et distinctio atque fuga. Fugiat nihil sed numquam sit.', 1, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(49, 14, 'Prof. <NAME> V', 'Id pariatur voluptates sunt doloremque harum consequuntur vitae. Quasi necessitatibus non voluptas iure maxime ut quas. Et voluptatem dolor et nisi nam. Velit voluptas nostrum et dolores dolor eligendi eligendi voluptas.', 5, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(50, 4, '<NAME>', 'Quam saepe et illo sed nulla tempora. Nemo iste minus rerum officia aliquid eos. Autem quas sed aspernatur consequatur consequatur magnam. Ut voluptas animi eos praesentium sint expedita deserunt.', 4, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(51, 47, '<NAME>', 'Enim eius perspiciatis enim et qui aperiam et. Maxime est expedita fuga. Debitis consequatur exercitationem explicabo quidem rerum accusantium illum.', 4, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(52, 27, '<NAME> DVM', 'Quaerat dolorem dignissimos modi neque consequatur qui. Rerum officiis accusantium esse sed autem. Dolor commodi non placeat at. Omnis illo sit earum necessitatibus delectus eligendi.', 0, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(53, 48, '<NAME>', 'Qui reprehenderit maiores assumenda blanditiis. Aut placeat dolor rerum et. Illum unde ex praesentium numquam et harum nihil. Et saepe provident suscipit nihil sapiente est.', 2, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(54, 18, '<NAME> IV', 'Placeat animi magni enim ipsam consequatur culpa quaerat. Voluptatum reprehenderit sapiente deserunt pariatur sit officia corrupti. Ullam illo labore quia qui recusandae vitae tenetur.', 3, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(55, 12, '<NAME>', 'Quo molestiae maiores rerum voluptas voluptas et. Velit dolorem odit nihil unde voluptates officiis sequi. Laboriosam quae aut rerum veritatis. Voluptate corrupti omnis non perspiciatis nostrum consectetur fuga voluptatum.', 2, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(56, 22, 'Dr. <NAME>', 'Ut non ipsum aliquid nulla. Sunt dolorum qui saepe sit sint libero deleniti. Omnis accusantium nulla et eveniet cumque labore officia.', 5, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(57, 14, '<NAME>', 'Incidunt officia sint unde et sit. Debitis et voluptatem et et quo totam libero. Quis esse voluptatem deleniti vel harum aspernatur qui et. Molestiae ut qui molestiae dicta repudiandae at nihil.', 4, '2019-04-26 00:35:42', '2019-04-26 00:35:42'),
(58, 16, '<NAME>', 'Et deserunt eius perferendis corrupti officia est. Sunt itaque cum cupiditate cumque. Ipsa sit debitis est non necessitatibus et. Eos est praesentium eos consequatur repellendus deserunt consequuntur.', 4, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(59, 44, 'Mr. <NAME> DVM', 'Porro quia et quia fuga id nulla nihil. Rerum libero hic laudantium non dolores. Minima maiores adipisci sunt dolor maxime voluptatibus. Possimus eius aut vitae inventore inventore perferendis dolorem corporis.', 1, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(60, 16, 'Prof. <NAME>', 'Eum atque laborum voluptatem nobis id. Id fugiat quos veritatis et. Sed magnam et sit voluptas aut cupiditate voluptas voluptas. Molestiae sunt eius dicta fugiat eveniet ipsa cupiditate. Iusto tempore esse hic enim distinctio dolores aliquam.', 3, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(61, 42, '<NAME>', 'Nihil qui facere temporibus est. Ea iusto maxime omnis excepturi. Necessitatibus reiciendis dolorem eos dolor.', 3, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(62, 49, 'Mr. <NAME>', 'Omnis ut veniam veritatis et. Rerum doloremque esse at minima. Id modi tempora ut nobis non dolore minus. Totam numquam cupiditate mollitia.', 5, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(63, 9, 'Prof. <NAME>', 'Dolorum et accusamus esse quasi sint. Aperiam minus omnis molestiae et quas. Cupiditate sunt nam est est sed.', 2, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(64, 27, 'Prof. <NAME>', 'Expedita inventore rerum eaque quibusdam aut nostrum molestiae. Architecto omnis voluptatum voluptates est. Aliquid praesentium porro est enim delectus sed quasi. Rerum doloremque a eius quis et. Alias explicabo necessitatibus praesentium qui placeat ratione deleniti.', 1, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(65, 21, '<NAME>', 'Autem non velit fugiat consequatur animi. Voluptatum voluptatem qui eos optio qui ducimus cumque dolorem. Aliquam atque dolorem exercitationem aut harum esse. Aut non praesentium et ipsum quos non neque sit.', 0, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(66, 20, '<NAME>', 'Illo dolore omnis iure aut numquam est officia. Quis voluptates libero omnis. Id sit repellat nobis autem aliquam eius ratione eos.', 3, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(67, 24, '<NAME>', 'Dolorum voluptatum dolorem vitae non quam officiis praesentium. Occaecati ipsum ipsum exercitationem ad est animi pariatur. Id et voluptates dolor facere libero omnis magni. Rerum eos reiciendis ea quasi molestiae perspiciatis architecto.', 5, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(68, 24, '<NAME>', 'Hic voluptatem dignissimos aspernatur. Explicabo qui qui incidunt occaecati incidunt. Aperiam sunt numquam ratione animi sunt autem.', 2, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(69, 27, '<NAME>', 'Velit excepturi perferendis non perspiciatis sit aut aut quidem. Quos ea eligendi dolore aliquam sint.', 4, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(70, 2, 'Dr. <NAME> MD', 'Exercitationem pariatur non quia quaerat dolorem aliquam. Veniam consequatur et ut dicta qui maxime. Et omnis sit molestiae velit quis harum voluptatem.', 2, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(71, 39, '<NAME>', 'Porro quas qui velit rerum perspiciatis amet. Temporibus esse sint consequatur vel eius illum. Eveniet nihil architecto odio est quos. Sit doloremque provident autem ut sint debitis vel.', 4, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(72, 31, '<NAME>', 'Expedita sapiente aut sapiente sit. In consequatur error consequatur nulla vel officiis iusto. Nulla nisi necessitatibus et numquam nisi autem. Doloribus laudantium eligendi quisquam. Et quos vero rerum facilis nulla.', 5, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(73, 39, '<NAME>', 'Velit minus earum molestiae qui deleniti. Harum esse eveniet unde aut est quis. In eos beatae tempore iste exercitationem similique praesentium cupiditate. Molestias nemo pariatur nostrum.', 2, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(74, 10, 'Prof. <NAME>', 'Omnis neque earum voluptates culpa ut. Earum blanditiis commodi et voluptas a id corrupti.', 0, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(75, 21, 'Mr. <NAME> II', 'Aut consequuntur voluptate minima occaecati ipsum. Nostrum sed odit porro est perferendis a iste minus.', 5, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(76, 39, '<NAME> PhD', 'Libero voluptas asperiores sed est ea rem laudantium. Nisi ut quis modi quo expedita. Quo quos id aperiam dolore mollitia omnis iusto.', 4, '2019-04-26 00:35:43', '2019-04-26 00:35:43'),
(77, 41, 'Dr. <NAME> I', 'Dolor est placeat dolorem dolor natus aut consequatur. Maiores ut deserunt dolor accusamus reiciendis quidem iure porro. Nulla dolore nihil dolorem ullam. Cum delectus mollitia harum possimus dolor veniam iusto architecto.', 4, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(78, 39, 'Prof. <NAME>', 'Fuga saepe quam voluptas. Tempora est delectus aut et in quae occaecati. Corrupti nisi quia et sit ad ut quo. Vel inventore veniam dolore magni perferendis.', 3, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(79, 17, 'Dr. <NAME>', 'Quae aperiam dolorem quis aspernatur quam. Et ut quidem et maxime ipsam consectetur.', 1, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(80, 28, '<NAME>', 'Qui delectus labore dolorum et voluptates pariatur. Corrupti omnis itaque natus cupiditate. Ipsam repellendus ut repellendus iusto.', 4, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(81, 10, '<NAME> II', 'Maxime ut et accusantium ut ut tempora. Voluptas illo perferendis culpa fugit. Tempore ratione suscipit in.', 3, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(82, 6, '<NAME>', 'Dicta suscipit fugiat enim natus quibusdam fugiat reiciendis. Non eos eius nisi suscipit perferendis voluptatem quia aut. Quasi reprehenderit qui et officiis repudiandae.', 2, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(83, 46, 'Dr. <NAME> III', 'Exercitationem consequatur eligendi asperiores quasi consequatur eveniet. Ut eveniet neque sed totam. Deserunt maiores sequi voluptas aliquid sit soluta omnis. Consectetur ut praesentium est quam voluptatibus molestias quo enim. Ipsam eos animi est facere.', 0, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(84, 38, '<NAME>', 'In sed quia consequuntur et facilis aliquid quis. Culpa sapiente accusamus excepturi dolorum repudiandae. Dolor nulla quia similique ut sunt autem.', 5, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(85, 45, 'Dr. <NAME> PhD', 'Eos incidunt eos adipisci et molestias totam. Repudiandae quasi quia iste a et ut. Ab voluptate voluptas provident illo illum adipisci facilis. Dolorem fugiat quidem voluptatum quo nihil voluptas.', 4, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(86, 21, '<NAME>', 'Tenetur sit nesciunt magnam accusantium explicabo officiis illo aut. Eos odio voluptatibus corporis repellendus commodi optio sit. Officiis velit suscipit enim rem esse vero libero.', 3, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(87, 30, '<NAME>', 'Nihil exercitationem dolor ab est iusto quas. Dolorum sed aspernatur et vitae. Incidunt provident sint in nulla aut impedit aut. Excepturi id dignissimos reiciendis aliquam qui voluptate quo.', 4, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(88, 11, '<NAME>', 'Dolor est sapiente eum delectus esse. Est adipisci quidem possimus eum vero minus. Excepturi est sapiente commodi. Sed cupiditate deleniti sit ducimus aut eius ab aspernatur.', 0, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(89, 40, '<NAME>', 'Dolorum non et et consectetur iure. Quas omnis dolorem velit vitae tenetur dolor. Quisquam nisi autem voluptatem minus.', 2, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(90, 19, '<NAME>', 'Corrupti soluta nihil est quos recusandae illum. Quia aut qui voluptate dolores et ea. Itaque tenetur eos dolor.', 1, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(91, 49, '<NAME>', 'Aut quia facilis culpa. Ut et optio non maiores tempore. Temporibus inventore ipsa iste est commodi. Qui dolore et praesentium praesentium id odio.', 4, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(92, 1, '<NAME>', 'Inventore totam tempora voluptate dolore. Aut quos vitae eius est repudiandae reiciendis mollitia. Consequatur provident hic culpa voluptatum laboriosam et. Qui minima omnis qui voluptates earum. Amet qui est voluptatibus suscipit veniam.', 4, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(93, 18, '<NAME>', 'Corrupti omnis explicabo nihil incidunt a et. Sed et aspernatur facilis autem. Ut blanditiis ipsa doloremque ut sit omnis omnis.', 3, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(94, 37, '<NAME>', 'Nobis in quasi adipisci asperiores occaecati quia. Cumque perspiciatis fugit quia quos reiciendis possimus. Explicabo dignissimos vel quia.', 1, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(95, 47, '<NAME>', 'Nam molestiae omnis labore. Ea et molestias dolores ea. Voluptate aut autem qui sint quia.', 4, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(96, 17, '<NAME>', 'Cumque minus magni molestiae doloremque consequatur ut. In nesciunt enim laboriosam dolore a quo. Illo quibusdam consectetur doloremque magnam quaerat tempora delectus.', 2, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(97, 30, '<NAME>', 'Repudiandae esse et voluptatem. Consequatur autem corporis sint numquam omnis expedita rerum aliquam. Eos culpa eos qui perspiciatis quis. Consequatur aut unde pariatur veritatis quidem.', 2, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(98, 26, '<NAME>', 'Soluta error non iure architecto. Unde ea aliquid nisi quae est mollitia ut. Corrupti consectetur eum blanditiis rerum id ex repellat. Rem ullam dolorem inventore velit.', 0, '2019-04-26 00:35:44', '2019-04-26 00:35:44'),
(99, 30, 'Dr. <NAME>', 'Vel doloribus mollitia omnis doloremque et accusantium. Voluptates omnis adipisci ut sed. Enim voluptatibus delectus cupiditate nisi itaque et. Dolor ipsa inventore natus accusantium nemo.', 5, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(100, 41, '<NAME>', 'Ea sit porro ut sequi alias dolor similique. Possimus vitae sit neque sint distinctio ad aut. Iusto ullam suscipit eligendi veritatis dolor. Aliquid labore est et odio sint iure tenetur.', 4, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(101, 49, '<NAME>', 'Nobis facilis porro soluta. Ab voluptas fugit ipsa et amet deleniti ut aut. Voluptatem alias molestiae sunt corporis explicabo maxime. Sapiente nulla neque soluta illum mollitia.', 1, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(102, 5, 'Prof. <NAME> MD', 'Possimus consequatur officia et praesentium deleniti accusamus. Voluptatem recusandae nulla ut. Odio cupiditate inventore fugiat ipsam incidunt doloremque. Necessitatibus voluptate autem illo in.', 0, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(103, 48, '<NAME> DDS', 'Veritatis iusto beatae qui soluta hic. Nisi dolor vitae aut odio porro sit quia. Dolorem ut ducimus numquam praesentium ut amet est deleniti. Sed vel libero ut assumenda. Aliquam sit officia doloremque.', 2, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(104, 16, 'Mr. <NAME> Sr.', 'Fugit architecto non harum. Est dicta incidunt consequatur deserunt quis. Facere delectus dolores consequatur aut. Earum mollitia facere temporibus velit praesentium.', 3, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(105, 42, 'Miss <NAME> I', 'Ut laborum necessitatibus enim ut aliquam voluptatem itaque adipisci. Necessitatibus consequatur velit vero cum sed. Eos consectetur aliquam magni et veritatis nam. Molestiae fuga assumenda praesentium temporibus.', 5, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(106, 7, 'Genesis Grimes', 'Est voluptatem non et dicta. Ut dolor recusandae a numquam sit consequatur atque dolores. Voluptatem rerum voluptas est beatae.', 5, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(107, 17, 'Mr. <NAME>', 'Similique rerum et magni sed. Assumenda accusantium iure et est aut similique.', 2, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(108, 40, '<NAME>', 'Excepturi sint fugiat ducimus officiis et. Laboriosam non doloribus aliquam consectetur. Suscipit sit aliquid voluptatem eum doloremque numquam voluptatibus quo. Iure voluptatem est amet aliquam.', 2, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(109, 49, 'Dr. <NAME> IV', 'Autem nostrum voluptatem quis et et quo est. Magni dolores rem dolorem non minus quis molestiae voluptas. Est expedita modi perspiciatis eum quibusdam. Illum dolores quia quod laborum.', 4, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(110, 4, 'Miss <NAME>', 'Voluptatem molestiae eligendi tenetur distinctio quasi repellat voluptatum et. Earum vitae quibusdam dolorem et nobis illum tenetur eos. Aperiam ut voluptate est numquam dolorem iste. Consequuntur explicabo in nulla. Distinctio corporis ex adipisci optio.', 2, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(111, 13, '<NAME>', 'Repellat et beatae voluptas sed omnis quis ea. Magnam laboriosam voluptatibus quia beatae quaerat eum ratione sequi. Aut omnis nam consequatur numquam praesentium sint suscipit. Accusamus aperiam repudiandae debitis non quia occaecati quasi sed.', 4, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(112, 26, '<NAME>', 'Ipsum labore cumque dolorem molestiae est sed sed. Quia itaque labore et quaerat quis. Laboriosam est ut aut dicta. Cum aliquam sunt esse libero error non numquam occaecati.', 5, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(113, 47, 'Prof. <NAME> II', 'Illo rerum aut eaque. Quo voluptatum ipsam molestiae repellendus. Alias eum voluptatum odio reiciendis. Laborum dolor nulla incidunt eum. Praesentium reiciendis corporis nihil porro et rerum.', 0, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(114, 5, '<NAME>', 'Dolores sit nobis iste occaecati totam nemo. Aliquid quos unde autem laboriosam. Sit nobis aliquam dolorem rem mollitia nisi. Expedita excepturi voluptatem eveniet labore.', 1, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(115, 20, '<NAME> II', 'Quis voluptate natus distinctio ad eum sed. Sed non voluptatem at quo nam quis. Cum nihil cum non alias delectus quo labore dolorem.', 0, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(116, 27, '<NAME> Jr.', 'Consectetur deleniti quia voluptatibus nostrum. In ullam consequuntur molestiae. Ea fugiat deserunt dignissimos. Architecto aut eum iusto.', 3, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(117, 20, 'Mr. <NAME>', 'Aut optio dolor cumque quia nam. Excepturi est id at quia possimus. Dolor minus deleniti atque temporibus voluptates consectetur porro.', 0, '2019-04-26 00:35:45', '2019-04-26 00:35:45'),
(118, 1, '<NAME>', 'Et cupiditate et aliquid. Molestiae sit quia autem eligendi architecto. Similique aperiam praesentium aspernatur corrupti est. Sint dolores id voluptatum qui voluptatem et sint.', 0, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(119, 9, '<NAME> Jr.', 'Ut et quis voluptate accusamus quibusdam ratione et. Impedit nulla illo numquam culpa et et rerum. Eius cumque corporis nihil minima dolorem repellendus minima itaque.', 3, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(120, 41, '<NAME>', 'Eum aut quo aperiam harum. Nemo molestias dolores expedita et facilis. Velit porro aliquam nam. Voluptatem officiis omnis consequatur.', 4, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(121, 3, '<NAME>', 'Ab odio dolorum optio delectus consequatur modi aut. Vitae ea dicta dolore rerum pariatur. Voluptatem laboriosam eligendi enim et.', 3, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(122, 25, '<NAME>', 'Dicta itaque autem rerum et et cupiditate voluptas delectus. Facilis incidunt consequatur dolorem nesciunt optio tempora. Quia rerum inventore dolores fugit beatae id quibusdam nemo. Cum ipsam voluptatem recusandae incidunt. Quis error architecto dolor.', 4, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(123, 37, '<NAME>', 'Et ducimus et soluta soluta et facilis. Odio voluptatem id odit unde neque necessitatibus voluptas. Aut dolor repellat et quis aperiam.', 0, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(124, 6, '<NAME>', 'Iure harum quae voluptate qui. Perferendis culpa doloribus deserunt consectetur. Et ea ut rerum aut.', 4, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(125, 30, 'Prof. <NAME> PhD', 'Unde perferendis sunt et distinctio. Voluptatem facilis ut et fuga ipsa rerum sunt. Repellat officia voluptatibus sed sit est ad et. Quidem iste est harum ut dolores.', 5, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(126, 17, '<NAME>', 'Aut saepe ut nobis nostrum non mollitia assumenda. Minus corporis alias eos ea dolorum. Maxime aperiam a enim.', 3, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(127, 2, '<NAME>', 'Aut quidem possimus quis natus ullam non. Quia rerum dignissimos nemo sapiente ex. Illo quae aliquam ut.', 3, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(128, 22, '<NAME>', 'Sunt explicabo est pariatur optio sit ut. Exercitationem velit iusto molestiae est et. Doloribus iste molestiae soluta dolore nihil.', 2, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(129, 37, '<NAME> DDS', 'Delectus doloremque sit quia ut iure et est. Placeat in blanditiis est voluptatibus. Non alias dolore quia ea earum et. Quis tenetur pariatur excepturi est temporibus ex repellat.', 5, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(130, 29, 'Prof. <NAME> PhD', 'Velit qui quia laborum voluptas. Nesciunt rem dolor ut repellendus et totam et nihil. Consequatur dolorem fugiat quia id sed excepturi.', 3, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(131, 37, 'Dr. <NAME> DVM', 'Qui enim consectetur vel exercitationem quidem. Placeat eos rerum illum vitae rerum qui. Voluptatem deserunt dolorem fugiat. Tenetur cum ratione minima et.', 1, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(132, 10, '<NAME> PhD', 'Eveniet aut hic laudantium dolorem molestias. Aliquam excepturi tenetur esse dolor consectetur. Quia pariatur eum aut similique est quia vitae quia.', 2, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(133, 18, '<NAME>', 'Earum consequatur quo reiciendis. Dolor libero minus atque deleniti eos consequuntur. Amet ut quia amet. Distinctio minus et qui magni.', 0, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(134, 18, 'Prof. <NAME> Sr.', 'Qui id ullam tempora hic doloribus. Exercitationem porro odio velit asperiores eaque eveniet. Cumque soluta explicabo omnis neque ipsum. Consequatur atque et et et quis doloribus.', 3, '2019-04-26 00:35:46', '2019-04-26 00:35:46'),
(135, 5, '<NAME>', 'Occaecati harum dolores harum et praesentium. Sit consequuntur cum dignissimos nostrum tempore fugit repellat. Dolor in veniam est ullam consequatur et exercitationem. Mollitia eaque impedit consectetur exercitationem tempora.', 3, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(136, 21, '<NAME> V', 'Ad nisi voluptatibus nam corporis qui dolorem. Voluptatem debitis pariatur esse esse eum. Animi animi aperiam ut dolor minus ut. Amet ad esse quas consequatur.', 4, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(137, 29, '<NAME>', 'Porro assumenda aut consequatur sunt doloribus officiis qui. Quos officia impedit rerum ex vero. Cum vero at reprehenderit officia. Perspiciatis voluptatum placeat quod ut aut at quidem in.', 5, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(138, 17, 'Mrs. <NAME> II', 'Porro illo soluta minus amet expedita. Animi accusantium itaque labore quisquam iure. Quas quia voluptatum non non fugiat molestiae rerum.', 3, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(139, 25, '<NAME>', 'Cupiditate enim nulla excepturi reprehenderit rerum enim. Voluptatem veritatis libero at excepturi inventore. Suscipit quis non placeat. Saepe hic eum ratione earum quas doloremque rem. Nesciunt cupiditate quia ducimus voluptatem.', 5, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(140, 27, '<NAME>', 'Laborum laboriosam non nulla vel aut iusto omnis voluptatem. Commodi rem minus non ut. Cum iste occaecati provident inventore magnam quia. Enim incidunt eaque omnis omnis qui nesciunt.', 4, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(141, 7, '<NAME>', 'Nostrum veniam sed veritatis excepturi sed placeat est. Quas quo cum ea aliquam et neque. Ipsa quasi harum est nemo exercitationem. Beatae maxime omnis nulla delectus.', 3, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(142, 2, 'Prof. <NAME>', 'Non accusantium aspernatur modi itaque quisquam. Aliquam harum laudantium veniam unde non neque. Qui ad porro earum dolore fuga ea. Qui vero nam illum.', 2, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(143, 43, 'Dr. <NAME>', 'Non odit molestiae molestiae consequatur veritatis. Sint fuga sapiente iusto reiciendis quis odit id voluptatum. Voluptates magnam dicta vel ea nostrum. Perspiciatis eos tenetur et tempore accusamus eveniet et.', 0, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(144, 36, '<NAME>', 'A odit blanditiis quo id porro. Cumque minus voluptatem et. Debitis soluta aut repudiandae voluptas ducimus. Illo necessitatibus voluptas vitae optio minus.', 2, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(145, 41, '<NAME> Jr.', 'Eos id velit voluptatem quibusdam provident. Saepe velit rem sunt modi sint est odio. Repellat quaerat iusto aspernatur dolorem. Fugiat et est officiis possimus.', 1, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(146, 11, 'Prof. <NAME> Jr.', 'Culpa fuga saepe saepe quibusdam voluptatum ipsa impedit. Provident ex laboriosam expedita voluptatem. Eveniet aut enim blanditiis error perferendis quod laborum est. Ut ratione molestiae impedit et.', 2, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(147, 29, 'Dr. <NAME> MD', 'Quo delectus ut cupiditate fugit quod. Voluptas nihil deleniti amet consequatur sed incidunt. At nostrum quidem quidem enim incidunt. Consequuntur earum deserunt veniam velit expedita unde at.', 5, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(148, 30, 'Mrs. <NAME>', 'Quas qui temporibus autem qui tenetur facilis. Cupiditate neque enim eos deserunt occaecati. Sequi aut cupiditate et reiciendis harum. Dolores sit ex repellat in doloribus pariatur.', 5, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(149, 44, 'Mr. <NAME> MD', 'Illum molestiae qui ea iste nemo quidem sint. Ullam cupiditate excepturi nihil qui ab enim. A et sit numquam eius eaque reiciendis.', 3, '2019-04-26 00:35:47', '2019-04-26 00:35:47'),
(150, 33, '<NAME>', 'Animi est aut temporibus quia voluptates. Autem numquam deserunt unde et dicta ea.', 2, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(151, 25, '<NAME>', 'Omnis aut saepe aspernatur quo quia corporis. Nulla ducimus sunt at. Sit non soluta exercitationem iure unde. Distinctio nobis non et.', 0, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(152, 18, '<NAME>', 'Ut sapiente minima omnis. Blanditiis commodi unde sit consequuntur. Voluptatem aut facilis quia tempore quod. Dolores in ut autem officia. Atque praesentium ducimus asperiores perferendis.', 3, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(153, 39, 'Ms. <NAME>', 'Quia amet quo magni similique omnis voluptate. Perferendis voluptatem qui accusantium error numquam qui. Architecto quidem deleniti voluptas ad. Omnis aut culpa eum labore sed in ipsum.', 4, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(154, 49, '<NAME> Jr.', 'Voluptatibus rerum id eum laborum enim culpa. Quisquam nulla delectus distinctio. Ex qui quia numquam et commodi aut rerum.', 1, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(155, 6, '<NAME> Sr.', 'Ratione iusto dolores laboriosam nemo eum. Autem numquam qui minima et. Voluptatum dolor sequi omnis non quis quidem expedita. Omnis ullam sit omnis nemo delectus.', 5, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(156, 16, 'Prof. <NAME> DDS', 'Voluptas architecto reiciendis dolores et. Occaecati ut qui iusto est nisi est. Qui possimus dolorem aliquid a non. Ut in in nihil.', 1, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(157, 44, '<NAME>', 'Quo aspernatur dignissimos labore sit tempora quibusdam ex sit. Omnis inventore possimus consectetur dicta quae ut ea. Eos consequuntur atque aliquid perspiciatis et mollitia. Sapiente veritatis perspiciatis explicabo vel velit nulla numquam et.', 2, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(158, 11, 'Mrs. <NAME>', 'Dignissimos fuga sunt labore voluptatem esse rerum repudiandae. Quia id non et nihil. Velit sint est eveniet provident.', 2, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(159, 12, '<NAME> Jr.', 'Accusantium sequi distinctio iure illum deleniti sit minima. Quo voluptatum autem inventore doloremque quia sapiente.', 0, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(160, 10, 'Prof. <NAME> Sr.', 'Perferendis aut maiores placeat consequatur rem non. Nobis et a nam sint. Cum voluptatum facilis nulla iure aperiam nam mollitia.', 5, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(161, 17, '<NAME>', 'Exercitationem odio quam aut eligendi impedit molestiae dolorem. Aliquid ratione ut eum et. Aut dolor sunt ut vel nisi tenetur. Alias porro suscipit est esse.', 0, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(162, 47, '<NAME>', 'Quis quisquam quam reprehenderit beatae. Autem expedita molestias dolor et eum. Libero dolorem molestiae libero mollitia ipsa sint tenetur.', 2, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(163, 25, '<NAME>', 'Aut itaque autem unde facere qui. Cumque voluptates itaque eius omnis harum sit distinctio. Cum quaerat dolor et suscipit. Qui odit maxime dolorem qui aut ea harum.', 2, '2019-04-26 00:35:48', '2019-04-26 00:35:48'),
(164, 23, '<NAME>', 'Aliquid provident provident perspiciatis sit corrupti et. Perspiciatis eum qui animi doloribus. Minus labore aut aliquam.', 4, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(165, 6, 'Dr. <NAME> II', 'Sint est magni molestias occaecati nulla quos. Et praesentium aut tenetur impedit illum. Quam aut fugit iure nisi aliquam voluptatem inventore.', 5, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(166, 1, 'Ms. <NAME>', 'Velit sapiente dolores corrupti dolorem excepturi qui. Ut qui eveniet unde maxime fugit fugit.', 2, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(167, 34, 'Prof. <NAME> IV', 'Est sed ducimus architecto sapiente voluptatem laudantium omnis. Aut inventore fugit soluta non sed omnis numquam minima. Quis deserunt voluptas consequatur odio qui. Culpa ut modi est vitae est iusto. Velit enim quaerat tempora ut et.', 2, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(168, 40, '<NAME>', 'Consequatur aspernatur assumenda qui autem ut illo. Neque est ea nesciunt eveniet est nulla similique. Voluptates ea et enim perferendis.', 4, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(169, 9, 'Prof. <NAME> PhD', 'Velit dolores sed tenetur et rerum ipsam. Fugit impedit et reprehenderit aliquid earum. Dolorem nostrum similique nobis beatae similique omnis hic. Et vitae ut labore commodi animi qui.', 4, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(170, 33, '<NAME>', 'Aspernatur perspiciatis voluptates sit accusamus sit illum quia. Et commodi ipsa facere possimus perferendis voluptatem accusamus. Unde voluptatem cupiditate et ducimus qui.', 3, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(171, 9, '<NAME> Sr.', 'Quibusdam possimus et est a. Voluptatibus voluptatum numquam eos non.', 4, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(172, 44, 'Prof. <NAME> Jr.', 'Debitis distinctio facilis pariatur est. Minus sit fugiat ipsa quia quo veritatis reiciendis. Voluptates sit aut aperiam quia at ut deleniti. Odit facilis suscipit ex id enim ea corrupti id.', 5, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(173, 8, '<NAME>', 'Et nisi incidunt labore suscipit natus illo dolorem. Sed ratione omnis ratione et provident cupiditate. Fugit laborum illo ut. Dolorem incidunt omnis maxime.', 0, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(174, 2, '<NAME> DDS', 'Tempore sed eum facere iusto est explicabo dicta qui. Sapiente et alias ut minima dolor sequi voluptas veritatis. Et eos doloremque vel sunt laborum. Quia quia molestias dolorem blanditiis consectetur.', 2, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(175, 39, '<NAME> DVM', 'Voluptate minima iure voluptas similique maxime dolor illo voluptas. Dolorem vero sit cupiditate voluptates et quia distinctio. Aliquam quasi debitis vel ipsum repellendus. Sit ex molestias et error dignissimos vel dolorem. Voluptatem impedit quaerat velit quia qui non possimus.', 0, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(176, 49, '<NAME>', 'Sed blanditiis est itaque dolorem. Qui dolor distinctio qui natus quidem. Explicabo et aliquam nesciunt rerum ducimus.', 3, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(177, 47, '<NAME>', 'Nesciunt odit nulla molestiae. Praesentium dicta earum et. Tenetur nemo rerum aut necessitatibus natus.', 2, '2019-04-26 00:35:49', '2019-04-26 00:35:49'),
(178, 23, '<NAME>', 'Quis odit quis voluptas modi. Nulla et facere enim dignissimos pariatur qui voluptatum. Facere molestiae voluptatum quia. Doloribus possimus fugiat laboriosam nihil.', 3, '2019-04-26 00:35:50', '2019-04-26 00:35:50'),
(179, 35, 'Dr. <NAME> MD', 'Consequatur est et saepe nulla autem dolor. Culpa reprehenderit sapiente maxime non error id iure ipsum. Velit ad recusandae qui quo ipsam voluptas eos dolorum.', 4, '2019-04-26 00:35:50', '2019-04-26 00:35:50'),
(180, 13, '<NAME>', 'Esse omnis mollitia assumenda voluptates quis temporibus. Perferendis nihil sunt aut culpa dolor reprehenderit. Ut est et ut architecto.', 5, '2019-04-26 00:35:50', '2019-04-26 00:35:50'),
(181, 17, '<NAME> DVM', 'Sit voluptatem aliquam delectus cum pariatur vel non qui. Fuga a corporis voluptas vero cumque aut est voluptatem. Ut ut ratione dicta placeat. Eveniet ex sapiente maiores sunt sit ut ut.', 1, '2019-04-26 00:35:50', '2019-04-26 00:35:50'),
(182, 41, '<NAME>', 'Corporis labore voluptate libero omnis. Sapiente quia dolorum quasi aut et dicta consectetur a. Aut quos incidunt in numquam quos nisi vel.', 1, '2019-04-26 00:35:50', '2019-04-26 00:35:50'),
(183, 15, '<NAME>', 'Perferendis rerum impedit molestias nemo corporis corrupti. Voluptatem aut ipsa molestiae. Quis maxime sapiente cupiditate cumque. Qui consequatur dolorum modi corrupti.', 4, '2019-04-26 00:35:50', '2019-04-26 00:35:50'),
(184, 31, '<NAME>', 'Debitis aut minima est hic id. Ipsum aut consequuntur sed quas perferendis aut. Perferendis facilis aut qui a. Esse consequatur voluptates nulla illum quisquam est laboriosam.', 3, '2019-04-26 00:35:50', '2019-04-26 00:35:50'),
(185, 20, '<NAME>', 'Minus voluptatem temporibus repudiandae qui. Animi alias quia nobis libero aut non. Et facilis esse fugit nemo voluptatem consequatur.', 4, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(186, 30, '<NAME>', 'Voluptatibus aperiam iste qui aperiam veniam et aspernatur. Animi vel ut possimus. Et perferendis deleniti expedita ipsam pariatur laborum.', 4, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(187, 5, 'Dr. <NAME>', 'Est nam blanditiis ea explicabo. Animi eum maxime non fugiat. Dicta magni sint nulla alias corrupti eligendi culpa.', 4, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(188, 6, 'Name Russel', 'Quidem cupiditate rerum ipsum expedita. Sed voluptas officia et placeat consequatur a labore dignissimos. Quia quasi tempora enim similique et. Expedita ea delectus voluptatibus ratione.', 1, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(189, 3, '<NAME>', 'Et sint eum aliquid beatae provident. Et ut sapiente rem ut animi. Enim est consequatur quia optio eaque ut. Dolorem quae et in.', 3, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(190, 44, 'Ms. <NAME> DDS', 'Quisquam natus consequatur ipsa ut voluptatem reiciendis neque. Maiores enim similique odio nam deserunt illum ex. Reprehenderit atque quia accusantium neque. Ut minus excepturi magni aut nostrum quia.', 1, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(191, 5, '<NAME>', 'Sit voluptatum aspernatur ut perferendis corrupti quibusdam. Ut sint explicabo quia voluptatem consequuntur. Odit quia autem pariatur necessitatibus nobis. Sint nisi rem reiciendis quae.', 2, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(192, 49, '<NAME>', 'Nulla vero molestiae sit. Reiciendis in ab est rerum eius. Error nesciunt et qui alias labore tenetur. Enim sapiente recusandae ab dolorum et.', 0, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(193, 42, 'Prof. <NAME> MD', 'Non tenetur amet dolore. Est nobis id quia maiores. Quam aut et sint aliquid pariatur. Ex qui et blanditiis dolor.', 2, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(194, 26, 'Ms. <NAME>', 'Enim numquam omnis eaque mollitia. Debitis rem sapiente maxime blanditiis deleniti aut eligendi facilis. Corporis dolorem illum soluta reiciendis incidunt ut voluptatem saepe.', 1, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(195, 40, '<NAME>', 'Excepturi ad officiis eius consequuntur. Magni doloremque dolore et aut at. Consequatur et nostrum rerum quibusdam in veniam qui. Inventore eos optio asperiores qui quaerat delectus totam laudantium.', 1, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(196, 35, 'Miss <NAME> DDS', 'Rem aperiam voluptate modi ullam id vero amet iure. Eligendi non quidem nihil molestiae necessitatibus molestiae dolorem. Cumque ab sed est accusantium. Iure error nemo mollitia sed aut voluptatibus qui. Quos labore voluptate voluptate rem asperiores nam porro.', 0, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(197, 35, '<NAME>', 'Laborum ea est molestiae a repellendus ullam. Ea quibusdam dolorum est dolore. Voluptatem suscipit voluptas ex ut. Nam voluptas officia id assumenda est.', 1, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(198, 49, 'Mr. <NAME>', 'Ab magni similique fugiat laborum et. Et quo est vitae quam sint vel unde. Unde placeat et animi totam praesentium provident reprehenderit.', 1, '2019-04-26 00:35:51', '2019-04-26 00:35:51'),
(199, 21, '<NAME>', 'Minus harum tempore in ut veritatis rerum consequatur. Eum placeat est asperiores quos temporibus illo reprehenderit molestias. Quasi dolores occaecati expedita. Sunt quis ea maiores a. Soluta ut earum aut vitae commodi.', 2, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(200, 50, '<NAME>', 'Unde et non harum in facilis corporis. Voluptatum deserunt voluptatem ut veniam eos id ut. Qui voluptas ut earum non fugiat.', 0, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(201, 11, '<NAME>', 'Laudantium molestias dicta provident. Unde sed et unde et commodi quam. Neque repellat et quidem quia.', 5, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(202, 45, '<NAME> Jr.', 'Occaecati reiciendis nobis possimus excepturi. Velit corporis quibusdam distinctio enim animi rerum accusantium occaecati. Expedita occaecati nobis maiores dolor saepe. Veniam numquam illum sed et. Quis iure quam dolor et totam qui et.', 3, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(203, 36, 'Mrs. <NAME>', 'Sint tempore mollitia hic velit tempore id et aperiam. Consequatur quaerat nemo deleniti quas sint et. Exercitationem animi velit illum et aliquid quam voluptatum.', 4, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(204, 44, '<NAME>', 'Vel sapiente ipsam quo excepturi. Veniam ea quia odio quia dolorem. Ea illo ut porro est voluptas tempora voluptate. Fuga eos vel dolorem eligendi.', 4, '2019-04-26 00:35:52', '2019-04-26 00:35:52');
INSERT INTO `reviews` (`id`, `product_id`, `customer`, `review`, `star`, `created_at`, `updated_at`) VALUES
(205, 2, '<NAME>', 'Consectetur tempora autem eos accusantium. Non quas sint iste veniam sint similique dolores. Consequatur voluptate eaque aut blanditiis reprehenderit. Eos corporis eum quod enim.', 0, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(206, 12, '<NAME>', 'Maiores quia ea et error ea eveniet quia quo. Exercitationem sit est et sit dolore ab voluptatem enim. Quo vero aut commodi soluta et sunt.', 3, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(207, 27, '<NAME>', 'Consectetur officiis qui voluptate. Ullam in atque commodi qui ea consequuntur minima et. Beatae recusandae incidunt vel est. Quia natus natus inventore minus quis facilis quo illum.', 3, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(208, 49, 'Prof. <NAME>', 'Aut adipisci sed ab dolor. Asperiores minima dolorem accusamus et quis. Quia quod eos ducimus ut.', 1, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(209, 13, '<NAME>', 'Deleniti blanditiis ut amet doloribus est voluptates iusto omnis. Sed dolorem quibusdam delectus dolorum.', 2, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(210, 23, '<NAME>', 'Laborum recusandae a iste et repudiandae. Reiciendis distinctio saepe et quia fugiat molestias. Quam eligendi ratione mollitia harum. Consequatur vel quia fuga suscipit tempora. Non a quis ullam voluptas voluptatum.', 5, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(211, 50, 'Mrs. <NAME>', 'Neque accusantium qui recusandae ab est. Nam sit non voluptas eum molestiae. Est numquam in enim temporibus et soluta quaerat cumque.', 3, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(212, 6, 'Thea Block', 'Omnis commodi veniam ab praesentium quo. Consectetur officiis vel dolor rerum quae. Excepturi magni aut ipsum autem aut. Est ipsa sunt saepe dolorum laboriosam consectetur.', 2, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(213, 20, 'Miss <NAME> Sr.', 'Voluptas vitae facilis quas cum sit quod consectetur. Illo eos et inventore placeat blanditiis. Odio ad soluta labore sequi excepturi.', 4, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(214, 9, '<NAME>', 'Quasi voluptatem numquam dignissimos quia. Accusamus incidunt accusantium architecto excepturi quasi. Sit qui et natus ut velit quod est. Ipsa est eaque debitis ipsam.', 5, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(215, 37, '<NAME>', 'Ut accusamus voluptates maxime expedita et molestiae eum debitis. Quis repudiandae impedit optio. Expedita vel sint expedita dolore est.', 1, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(216, 19, 'Delta Yost', 'Sit deserunt et animi et nemo sequi ex. Et quia ut voluptatem molestias.', 4, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(217, 19, '<NAME>', 'Voluptatum a quae delectus vero. Dolores voluptatem nesciunt debitis itaque quaerat nihil veritatis. Et quis hic rerum optio ut recusandae. Eum nulla possimus officiis veniam.', 0, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(218, 7, 'Dr. <NAME>', 'Quia sunt voluptas ipsa praesentium exercitationem repellendus iusto. Reprehenderit et fuga eos ipsam at animi qui ut. Quisquam perspiciatis non vitae officia soluta.', 4, '2019-04-26 00:35:52', '2019-04-26 00:35:52'),
(219, 50, '<NAME> II', 'Nobis quae aliquam tenetur quae. Aut molestiae molestias omnis aliquam aut distinctio. Alias pariatur aspernatur aperiam et. Quis dolores fugit tempora eius corporis et. Sed quia rerum ea aut quidem dolor aut.', 1, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(220, 14, 'Dr. <NAME>', 'Minima eum quos officia molestiae. Voluptatem sed distinctio vero ut et culpa consectetur. Recusandae laborum velit enim et vel explicabo aspernatur. Dicta quibusdam perspiciatis quaerat consequuntur dolorum at.', 5, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(221, 43, '<NAME>', 'Necessitatibus dolores porro tempora sed fugit. Ut fugit quia praesentium accusantium rerum. Et vel excepturi facilis est aut nihil sapiente laudantium.', 0, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(222, 38, '<NAME>', 'Provident nihil aut inventore vitae. Molestiae praesentium possimus vel debitis eius consequatur velit. Facere porro voluptates rerum et suscipit et voluptatem beatae.', 1, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(223, 7, 'Fatima Block V', 'Repudiandae pariatur dicta nulla. Labore delectus explicabo dolorem tempora. In provident magni id culpa occaecati fugiat veniam. Voluptatem aliquam quod numquam deleniti aperiam.', 0, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(224, 17, 'Mrs. <NAME>', 'Eos at et impedit blanditiis aut vitae quasi. Voluptas similique consequuntur temporibus ut sit laborum error. Tempora sit nesciunt sed hic quas sapiente. Quia molestiae repudiandae et et sit et sint.', 0, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(225, 37, '<NAME> IV', 'Aliquam expedita tempore dolorem ullam voluptas beatae. Enim vitae quia porro. Quos provident mollitia debitis eius vero. Sunt saepe quae quasi nulla repudiandae nemo. Non culpa et veritatis placeat non similique voluptate.', 1, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(226, 28, 'Mr. <NAME> DDS', 'Dolor voluptate sint corrupti. Corporis rem delectus quo ut tenetur unde rerum. Tempore facilis quam sint. Sed corrupti cumque voluptate pariatur placeat ab rem. Quis aut perspiciatis eaque consequatur labore et.', 1, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(227, 28, 'Dr. <NAME> MD', 'Delectus autem dicta voluptatibus porro cum numquam voluptas aut. Vero quaerat omnis quis atque.', 5, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(228, 4, '<NAME> PhD', 'Voluptates occaecati hic nisi debitis voluptas similique mollitia temporibus. Et fugiat sit id necessitatibus excepturi. Consequatur quis vitae est omnis ut sed. Enim minima repellendus laudantium quos est. Iure beatae sed ut vitae.', 4, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(229, 30, '<NAME> PhD', 'Sint illo officia officia molestiae autem. Ut dolorem tempora sit natus assumenda occaecati et. Qui nihil qui sint corrupti odio veritatis.', 2, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(230, 16, '<NAME>', 'Consectetur totam sed adipisci mollitia. Dicta non aut quibusdam. Consequatur voluptates corrupti in rerum veritatis reprehenderit.', 3, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(231, 44, '<NAME> IV', 'Sed quidem reiciendis odit optio. Soluta ad nulla minus adipisci nisi animi. Et mollitia qui veritatis. Reiciendis quod reiciendis facilis nulla labore eligendi beatae.', 4, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(232, 13, '<NAME>', 'Nisi ut commodi sunt dolorum. Cupiditate dolorem hic molestiae assumenda molestiae architecto qui sed. Sapiente eius labore est nemo. Dolorum quasi ab asperiores aut mollitia.', 5, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(233, 39, 'Dr. <NAME>', 'Optio esse enim fuga et numquam rerum nihil. Nihil porro cum molestiae minima nisi nobis molestiae debitis. Enim tempore doloremque ipsa.', 3, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(234, 35, '<NAME>', 'Ea adipisci ex voluptas quis quod. Animi commodi ea esse consectetur dolore maxime magnam impedit. Et magni non ab nisi quidem.', 2, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(235, 39, '<NAME>', 'Maxime blanditiis eaque nostrum ipsa quam. Voluptatem sequi ad vero voluptas rerum qui vitae dolorum. Id ex eius itaque earum.', 0, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(236, 2, '<NAME>', 'Quam numquam soluta dolores velit ducimus. Officia dolorem sit sequi eaque ipsam architecto.', 5, '2019-04-26 00:35:53', '2019-04-26 00:35:53'),
(237, 43, 'Ms. <NAME>', 'Ut rerum maxime facere minima nihil sunt. Ullam ea iure laborum recusandae temporibus voluptate. Sed impedit perferendis voluptatem.', 4, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(238, 12, 'Mr. <NAME> MD', 'Illum qui cumque quisquam sunt. Ea similique veritatis pariatur autem. Dolor quis voluptate qui ut distinctio eligendi.', 3, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(239, 16, '<NAME>', 'Soluta inventore nihil beatae earum. Ad eum eaque et et eos. Repellat suscipit atque et deleniti. Officia molestias fugit qui facilis.', 5, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(240, 18, '<NAME> IV', 'Dolores rerum ea saepe expedita reprehenderit est. Consectetur fugit odio aut aut cupiditate voluptatem. Distinctio vitae esse possimus id. Veritatis laborum soluta quo.', 2, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(241, 37, '<NAME>', 'Porro ut et laudantium quam minus. Et tempora dolorem aspernatur reprehenderit sunt molestias. Omnis delectus pariatur non voluptatum. Sunt quos nemo ad culpa amet tempore.', 3, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(242, 18, '<NAME>', 'Sit id laborum nisi facere qui qui. Quo sequi ut saepe voluptatem nulla molestiae dolore. Qui porro culpa repudiandae laborum quia. In quia minus blanditiis reiciendis corrupti doloremque. Qui velit et magni eos aut impedit.', 2, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(243, 36, 'Prof. <NAME>', 'Animi incidunt voluptatem rem animi. Error quo est laudantium nihil et aut autem.', 2, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(244, 10, '<NAME>', 'Odio architecto earum repudiandae quia soluta inventore laudantium beatae. Et quod quos sed. Illum voluptatem consequuntur ad reprehenderit autem.', 0, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(245, 43, '<NAME>', 'Reprehenderit harum voluptatem sapiente deserunt sint recusandae. Consequuntur pariatur architecto explicabo laudantium qui et fugit. Aliquid aspernatur perspiciatis illo. Iure est et et ut.', 0, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(246, 10, '<NAME>', 'Et in similique eligendi totam aut et. Quis non quia rerum ut reiciendis quo. Similique enim enim aut exercitationem quisquam.', 1, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(247, 19, '<NAME>', 'Velit culpa repellendus ea ut est. Est blanditiis doloremque quia non officiis nobis dignissimos. Quidem tenetur et fuga vel autem soluta. Maiores est officia quis in distinctio molestias.', 0, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(248, 49, 'Miss <NAME>', 'Earum quam ea eaque eos error. Dolorem vitae illum laborum facilis eum ducimus.', 2, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(249, 19, 'Mr. <NAME> DDS', 'Asperiores libero dolores in nulla sunt voluptatem. Deserunt qui ab nihil facilis rerum assumenda.', 3, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(250, 10, 'Miss <NAME>', 'Rerum quos velit corrupti aut at. Id deleniti non iste. Et veniam nihil est aperiam.', 2, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(251, 3, 'Miss <NAME> II', 'Impedit saepe unde quia doloribus. Sit sint odio quia laborum eos odit iste. Veritatis omnis voluptatem qui animi qui cumque quia.', 1, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(252, 29, '<NAME>', 'In aliquid eligendi et in voluptatem. Nostrum quos vero voluptas rerum quis suscipit. Omnis minima nam laborum. Veritatis veniam molestiae qui ut et.', 0, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(253, 43, '<NAME> III', 'Sed voluptate deserunt facilis. Architecto eaque qui ea doloremque. Iste voluptas sit necessitatibus dolores vitae eum ea. Aut vel sed maxime dicta.', 1, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(254, 13, '<NAME>', 'Praesentium iste et expedita. Quos ut consectetur animi et. Nesciunt ea repudiandae ipsa assumenda. Quae earum alias sapiente vel dignissimos voluptatem.', 2, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(255, 3, '<NAME>', 'Quis molestias aperiam velit eum consequatur illum corrupti. Distinctio nisi dolor dicta repellat. Et mollitia vel sequi nemo quia quis.', 2, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(256, 5, '<NAME>', 'Totam non reprehenderit animi id cum perferendis. Nihil recusandae qui similique culpa.', 1, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(257, 31, '<NAME>', 'Qui quasi nemo dolores fuga voluptate quis eaque. Expedita rerum in qui numquam est ut aperiam.', 3, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(258, 18, '<NAME>', 'Occaecati mollitia eum provident consequatur laborum dolor. Culpa velit laborum accusamus nostrum rerum provident ipsa quis. Velit quae labore vel aut blanditiis aut nobis.', 0, '2019-04-26 00:35:54', '2019-04-26 00:35:54'),
(259, 11, 'Prof. <NAME> I', 'Qui ea enim inventore eos amet pariatur autem. Saepe voluptas soluta sunt exercitationem consequatur sint unde sunt. Quia eligendi modi enim ad maxime quaerat.', 1, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(260, 30, 'Dr. <NAME> DDS', 'Delectus nisi accusantium ea beatae perspiciatis. Amet commodi sequi distinctio animi rerum error placeat. Rem sit vel maxime eligendi praesentium provident officia.', 2, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(261, 4, '<NAME>', 'Rerum officiis aut veniam ab perspiciatis hic voluptas. Exercitationem nostrum esse commodi qui mollitia. Adipisci et hic quo aut non sed.', 2, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(262, 33, 'Prof. <NAME>', 'Sed a expedita architecto. Doloremque ut omnis repellendus nesciunt eum dolor maxime. Corrupti ex voluptatem at praesentium. Fugiat exercitationem atque perferendis. Ut repudiandae sit corporis aut repellendus ea reiciendis.', 2, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(263, 9, 'Miss <NAME> Jr.', 'Omnis commodi earum incidunt. Neque culpa earum officia autem expedita vero.', 4, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(264, 40, '<NAME> III', 'Quia id quis ex et reprehenderit aut pariatur occaecati. Possimus ipsum vel quae quaerat et ducimus accusamus architecto. Voluptate omnis iure ad facere rem enim non quam.', 5, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(265, 21, '<NAME>', 'Aut praesentium iure accusamus quia alias natus rerum. Itaque autem esse sed. Et odit ipsa id aut dolorem ipsam. Natus rerum aut ut est dolore eaque rem.', 2, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(266, 14, '<NAME>', 'Qui iusto repellendus perspiciatis delectus facere sequi. Non quo totam laborum. Corrupti quasi rerum provident et esse commodi cumque accusamus. Voluptas ullam numquam numquam dolorem ipsam et.', 5, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(267, 49, '<NAME>', 'Dolorum ipsum perferendis molestias est aut natus. Nihil hic similique animi vitae est quod deleniti.', 4, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(268, 13, 'Prof. <NAME>', 'Nihil voluptas nostrum molestiae aut saepe. Quos nobis fugit omnis iure dolores similique. Repellendus aperiam sunt atque est suscipit sint ut. Est quibusdam architecto ut sapiente. Ratione aut aspernatur vitae tempora totam animi.', 2, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(269, 36, '<NAME>', 'Officiis id molestiae dignissimos. Ducimus sunt saepe ab occaecati. Saepe necessitatibus fugit quia velit ex autem voluptatem laudantium.', 5, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(270, 39, 'Ms. <NAME>', 'Voluptates sed qui in magni. Aut aliquam veritatis quia voluptatem. Quod ex quos ea aliquam aliquam. Vel doloremque unde cum tenetur totam voluptatem.', 2, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(271, 45, '<NAME>', 'Dolorem asperiores labore dolor aut cumque numquam id. Placeat animi laboriosam quia eum. Ut praesentium et perferendis eos eos ex.', 0, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(272, 26, '<NAME>', 'Sed alias quod qui saepe ut ratione. Aut aut temporibus tempora et et veritatis. Alias enim aliquid molestiae.', 5, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(273, 31, '<NAME>', 'Ut repellendus nam unde nihil impedit quidem harum. Numquam quo et eos quos qui. Dignissimos eveniet doloremque autem facilis nihil atque.', 2, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(274, 16, 'Prof. <NAME>', 'Dolorem blanditiis maiores exercitationem ut doloremque dolorum beatae. Ex assumenda beatae est fugit quos. Rerum dicta quidem ab nihil sint illo corporis.', 4, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(275, 29, '<NAME> Sr.', 'Rerum voluptas quam ipsa debitis dolorem. Dolorem velit consequatur molestiae molestias vero reiciendis aut. Magnam consequatur explicabo eius velit eos in.', 0, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(276, 16, '<NAME>', 'Ab asperiores quaerat deserunt. Qui id ea dolor. Aut accusamus nisi dolor. Voluptates autem adipisci et libero ullam sit. Accusantium id voluptatem atque magnam.', 2, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(277, 37, '<NAME>', 'Repudiandae nihil ex dicta. Similique et quo voluptas in eos quod. Porro enim aut maxime et cumque tenetur. Soluta modi dolore eligendi quis aliquam dolor vel.', 4, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(278, 3, '<NAME>', 'Perspiciatis iste veritatis qui dolore dolores dolor ipsa. Iste eum optio nisi esse. Et distinctio officiis dolorem facilis.', 5, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(279, 33, '<NAME>', 'Velit optio optio qui. In sed molestiae temporibus provident dolorem est. Ipsum nihil sint soluta quia aliquam. Fugiat reiciendis dolores enim aut qui esse in id.', 3, '2019-04-26 00:35:55', '2019-04-26 00:35:55'),
(280, 46, '<NAME> PhD', 'Quibusdam dolore sed et natus velit ipsa. Ipsam debitis sed tenetur ut. Veritatis eos nam tenetur impedit. Animi ipsam et veritatis.', 1, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(281, 4, '<NAME>', 'Eveniet est nobis error voluptatibus eos. Quo est non autem quae voluptas dolores ducimus. Est nihil velit ut dolores doloribus id. Possimus est excepturi et reprehenderit.', 2, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(282, 28, '<NAME>', 'Omnis ea quos minima dicta rerum. Cum eos iusto perspiciatis cumque. Quis quo quia unde rerum.', 2, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(283, 30, '<NAME>', 'Modi earum aut commodi alias debitis. Dolores perferendis iste laborum fuga. Distinctio nesciunt reiciendis doloribus. Voluptatem tempore et esse perspiciatis et consequatur.', 1, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(284, 2, '<NAME>', 'Harum et velit accusamus et. Et eum dolores incidunt ea vitae labore. Sunt voluptatem enim veritatis autem.', 1, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(285, 29, 'Mr. <NAME> II', 'Libero quas vel est facilis harum sit. In aliquid maxime et dolor voluptatibus. Deserunt debitis aut autem.', 1, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(286, 47, 'Dr. <NAME> PhD', 'In corrupti deserunt et et eius. Rerum eos qui eligendi aut.', 0, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(287, 1, 'Dr. <NAME>', 'Excepturi qui sunt sint corporis eius. Veniam eum rerum saepe incidunt. Et non distinctio nobis ullam. Iste voluptates qui explicabo ullam rerum quis quia.', 1, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(288, 29, 'Mr. <NAME>', 'Autem et atque laboriosam ut laboriosam unde temporibus. Placeat ea omnis modi cumque quibusdam provident. Cupiditate temporibus esse molestias.', 2, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(289, 49, '<NAME>', 'Aut dolores quo laudantium magni assumenda repellendus quis quam. Possimus aut ab repellendus earum. Vitae asperiores a doloremque.', 0, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(290, 20, '<NAME>', 'Minima sit omnis nobis nam. Illo est voluptatum aut sapiente illo cupiditate. Earum delectus cum non vel sint quo asperiores omnis. Nobis neque quo est minus quisquam aut harum. Sint ad quo aut sunt officia.', 1, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(291, 40, 'Dr. <NAME>', 'Qui nulla est sunt doloremque cum et autem. Voluptatem sed quia veniam placeat. Repellat saepe omnis odit voluptatem voluptatum.', 3, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(292, 12, '<NAME> II', 'Ut dignissimos distinctio at perferendis molestiae. Porro dicta in nam ut quia voluptates magnam. Quidem id sint molestiae. Quasi temporibus numquam ut error ad libero fuga.', 5, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(293, 2, '<NAME>', 'Accusantium at architecto ab omnis omnis id. Et ducimus temporibus animi. Non vel quos et debitis hic excepturi. Quod error accusantium iusto nam et excepturi.', 4, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(294, 17, 'Prof. <NAME> II', 'Ad saepe numquam architecto saepe et. Ea animi omnis in recusandae adipisci.', 2, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(295, 32, '<NAME>', 'Consequatur non quo totam et. Et et ut ut velit repudiandae. Illo tenetur voluptas qui ad et quo. Error optio quia vitae et ipsum suscipit.', 2, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(296, 18, '<NAME>', 'Maxime saepe repellendus qui fugiat quo incidunt. Ut distinctio quam tempore voluptas. Quod at enim dolorem.', 3, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(297, 1, 'Theodore Pfannerstill DDS', 'Cupiditate aut illo dolores eaque cumque eos voluptas. Qui id et quia eos aspernatur iure. Quo facere vel voluptates maiores enim et. Qui doloribus qui eaque.', 5, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(298, 26, 'Mr. <NAME>', 'Consequatur sed voluptas sapiente nobis illo autem praesentium quo. Harum ea alias nisi ut. Debitis quae et sit illum debitis aut.', 2, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(299, 4, '<NAME>', 'Corporis et non sint unde. Est id non sit dolorem dolor porro. Eum accusamus quis eum placeat doloribus ea impedit. Quis voluptas est non dolorem et. Quia dicta delectus sit quisquam.', 5, '2019-04-26 00:35:56', '2019-04-26 00:35:56'),
(300, 11, 'Prof. <NAME> MD', 'Expedita in maxime et repellendus rerum. Cumque sequi et explicabo rerum dignissimos sunt. Adipisci in accusantium provident.', 5, '2019-04-26 00:35:56', '2019-04-26 00:35:56');
-- --------------------------------------------------------
--
-- Table structure for table `users`
--
CREATE TABLE `users` (
`id` bigint(20) UNSIGNED NOT NULL,
`name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`email` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`email_verified_at` timestamp NULL DEFAULT NULL,
`password` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`remember_token` varchar(100) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Indexes for dumped tables
--
--
-- Indexes for table `migrations`
--
ALTER TABLE `migrations`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `password_resets`
--
ALTER TABLE `password_resets`
ADD KEY `password_resets_email_index` (`email`);
--
-- Indexes for table `products`
--
ALTER TABLE `products`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `reviews`
--
ALTER TABLE `reviews`
ADD PRIMARY KEY (`id`),
ADD KEY `reviews_product_id_index` (`product_id`);
--
-- Indexes for table `users`
--
ALTER TABLE `users`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `users_email_unique` (`email`);
--
-- AUTO_INCREMENT for dumped tables
--
--
-- AUTO_INCREMENT for table `migrations`
--
ALTER TABLE `migrations`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=13;
--
-- AUTO_INCREMENT for table `products`
--
ALTER TABLE `products`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=51;
--
-- AUTO_INCREMENT for table `reviews`
--
ALTER TABLE `reviews`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=301;
--
-- AUTO_INCREMENT for table `users`
--
ALTER TABLE `users`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT;
--
-- Constraints for dumped tables
--
--
-- Constraints for table `reviews`
--
ALTER TABLE `reviews`
ADD CONSTRAINT `reviews_product_id_foreign` FOREIGN KEY (`product_id`) REFERENCES `products` (`id`) ON DELETE CASCADE;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
<reponame>mansoor-omrani/Locust.NET<filename>Library/Locust.Mime/mimeCSharp.sql
select
', new Mime { Id = ' + cast(m.Id as varchar(10)) + ', Source = "' +isnull(m.Source, '') + '", Value = "' + isnull(m.Value, '') + '" , Compressible = ' + case when m.Compressible = 1 then 'true' else 'false' end + ', CharSet = "' + isnull(m.Charset, '') + '", Extensions = "' + isnull(m.Extensions, '') + '" }' as ' '
from Mimes m order by m.Id
select
', new MimeType { Id = ' + cast(mt.Id as varchar(10)) + ', MimeId = ' + cast(mt.MimeId as varchar(10)) + ', Extension = "' + isnull(mt.Extension, '') + '", IsDefault = ' + case when mt.IsDefault = 1 then 'true' else 'false' end + ' }' as ' '
from MimeTypes mt order by mt.Extension
select '{"' + mt.Extension + '", "' + m.Value + '"},'
from MimeTypes mt inner join Mimes m on mt.MimeId = m.Id where mt.IsDefault = 1
|
-- oracle
CREATE SEQUENCE test_table_id_seq START WITH 1 INCREMENT BY 1 ORDER NOMAXVALUE;
CREATE TABLE test_table(
id NUMBER(20,0) NOT NULL,
title VARCHAR2(255),
an_integer INTEGER,
price NUMBER(20,2),
text CLOB,
perex CLOB,
binary_data BLOB,
binary_data2 BLOB,
create_date DATE,
create_time DATE DEFAULT SYSDATE,
CONSTRAINT pk_test_table_id PRIMARY KEY (id)
);
CREATE OR REPLACE TRIGGER test_table_id_trg
BEFORE INSERT
ON test_table
FOR EACH ROW
BEGIN
IF :NEW.id IS NULL THEN
SELECT test_table_id_seq.nextval
INTO :NEW.id
FROM dual;
END IF;
END;
/
-- TODO: there are more tables in testing_structures.postgresql.sql
|
<filename>Resources/satellite.sql<gh_stars>1-10
-- Database: satellite
-- DROP DATABASE satellite;
-- CREATE DATABASE satellite
-- WITH
-- OWNER = postgres
-- ENCODING = 'UTF8'
-- LC_COLLATE = 'C'
-- LC_CTYPE = 'C'
-- TABLESPACE = pg_default
-- CONNECTION LIMIT = -1;
CREATE TABLE country (
country text,
country_code text,
number_of_satellites integer);
CREATE TABLE satellite_category (
category text,
total_satellites integer);
CREATE TABLE country_satellite (
country_code text,
satellite_name text,
satellite_id integer,
sat_intl_code text,
sat_launch_date date,
sat_period float);
|
INSERT INTO id_generator(idname, tenantid, format, sequencenumber) VALUES ('swm.sanitationstaff.target.number', 'default', 'MH-SWM-SNTS-TRGT-[SEQ_SWM_SNTS_TRGT_NUM]', 1); |
SELECT rowid, * FROM RMSData
ORDER BY Department, Team |
<gh_stars>100-1000
-- incrblob2.test
--
-- db eval {SELECT rowid FROM t2}
SELECT rowid FROM t2 |
USE perpetuumsa
GO
SET IDENTITY_INSERT [dbo].[teleportdescriptions] ON
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (578, N'Teleport_column_tm_cadavria_to_TP_zone_8_10', 5329, 248, 0, 7, 8, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'Teleport_Column_tm_Cadavria', N'tp_zone_8_10')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (579, N'TP_zone_8_10_to_Teleport_Column_tm_cadavria', 248, 5329, 8, 7, 0, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'tp_zone_8_10', N'teleport_column_TM_cadavria')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (580, N'Teleport_Column_TM_bellicha_z_to_tp_zone_8_10', 11641, 248, 0, 7, 8, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'Teleport_column_TM_Bellicha_Z', N'TP_Zone_8_10')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (581, N'tp_zone_8_10_to_Teleport_column_TM_Bellicha_z', 248, 11641, 8, 7, 0, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'TP_Zone_8_10', N'Teleport_column_TM_Bellicha_z')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (582, N'teleport_column_tmpve_1_to_teleport_column_ICS2_hillmanoc_Z', 108, 1315, 8, 7, 3, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'Teleport_Column_tmpve_1', N'teleport_column_ics2_hillmanoc_z')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (583, N'teleport_column_ICS2_hillmanoc_Z_to_teleport_column_tmpve_1', 1315, 108, 3, 7, 8, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_ics2_hillmanoc_z', N'Teleport_Column_tmpve_1')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (584, N'teleport_column_tmpve_1_to_teleport_column_moyar', 108, 92, 8, 7, 3, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'Teleport_column_tmpve_1', N'teleport_column_moyar')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (585, N'teleport_column_moyar_to_teleport_column_tmpve_1', 92, 108, 3, 7, 8, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_moyar', N'Teleport_column_tmpve_1')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (586, N'teleport_column_tmpve_1_to_teleport_column_ics2_panagox', 108, 1312, 8, 7, 3, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tmpve_1', N'Teleport_column_ics2_panagox')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (587, N'teleport_column_ics2_panagox_to_teleport_column_tmPVE_1', 1312, 108, 3, 7, 8, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'Teleport_column_ics2_panagox', N'teleport_column_tmpve_1')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (588, N'teleport_column_tmpve_5_to_teleport_column_tm2_haddonwol_Z', 112, 11640, 8, 7, 5, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tmpve_5', N'teleport_column_tm2_haddonwol_z')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (589, N'teleport_column_tm2_haddonwol_2_to_teleport_column_tmpve_5', 11640, 112, 5, 7, 8, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tm2_haddonwol_z', N'teleport_column_tmpve_5')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (590, N'teleport_column_tmpve_5_to_teleport_column_tm2_Karapyth_Z', 112, 11642, 8, 7, 5, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'Teleport_Column_tmpve_5', N'teleport_column_tm2_karapyth_z')
GO
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (591, N'teleport_column_tm2_karapyth_z_to_teleport_column_tmpve_5', 11642, 112, 5, 7, 8, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tm2_karapyth_z', N'Teleport_Column_tmpve_5')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (592, N'teleport_column_tmpve_5_to_tp_zone_5_9', 112, 1896, 8, 7, 5, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tmpve_5', N'tp_zone_5_9')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (593, N'tp_zone_5_9_to_teleport_column_tmpve_5', 1896, 112, 5, 7, 8, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'tp_zone_5_9', N'teleport_column_tmpve_5')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (594, N'teleport_column_initia_SW_to_TP_Zone_5_13', 95, 1423, 5, 7, 5, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_initia_SW', N'TP_zone_5_13')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (595, N'TP_zone_5_13_to_teleport_column_initia_SW', 1423, 95, 5, 7, 5, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'TP_zone_5_13', N'teleport_column_initia_SW')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (596, N'teleport_column_tm2_karapyth_z_to_teleport_column_tmpvp_5', 11642, 126, 5, 7, 10, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tm2_karapyth_z', N'teleport_column_tmpvp_5')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (597, N'teleport_column_tmpvp_5_to_teleport_column_tm2_karapyth_z', 126, 11642, 10, 7, 5, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tmpvp_5', N'teleport_column_tm2_karapyth_z')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (598, N'teleport_column_tm2_uiria_z_to_teleport_column_tmpvp_7', 41552, 128, 5, 7, 10, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tm2_uiria_z', N'teleport_column_tmpvp_7')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (599, N'teleport_column_tmpvp_7_to_teleport_column_tm2_uiria_z', 128, 41552, 10, 7, 5, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tmpvp_7', N'teleport_column_tm2_uiria_z')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (600, N'teleport_column_tmpvp_1_to_teleport_column_moyar', 122, 92, 10, 7, 3, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tmpvp_1', N'teleport_column_moyar')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (601, N'teleport_column_ics2_vsehovski_Z_to_teleport_column_tmpvp_2', 1316, 124, 3, 7, 10, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_ics2_vsehovski_z', N'teleport_column_tmpvp_2')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (602, N'teleport_column_moyar_to_teleport_column_tmpvp_1', 92, 122, 3, 7, 10, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_moyar', N'teleport_column_tmpvp_1')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (603, N'teleport_column_tmpvp_2_to_teleport_column_ICS2_vsehovski_z', 124, 1316, 10, 7, 3, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tmpvp_2', N'teleport_column_ICS2_vsehovski_z')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (604, N'teleport_column_TMPVE_6_to_teleport_column_asi2_nauwy_z', 113, 317, 8, 7, 4, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_TMPVE_6', N'teleport_column_asi2_nauwy_z')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (605, N'teleport_column_asi2_nauwy_z_to_teleport_column_TMPVE_6', 317, 113, 4, 7, 8, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_asi2_nauwy_z', N'teleport_column_TMPVE_6')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (606, N'teleport_column_tmpve_6_to_teleport_column_teodoma', 113, 90, 8, 7, 4, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tmpve_6', N'teleport_column_teodoma')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (607, N'teleport_column_teodoma_to_teleport_column_tmpve_6', 90, 113, 4, 7, 8, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_teodoma', N'teleport_column_tmpve_6')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (608, N'teleport_column_asi2_gavastrac_to_teleport_column_tmpve_6', 312, 113, 4, 7, 8, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_asi2_gavastrac', N'teleport_column_tmpve_6')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (609, N'tp_zone_4_13_to_teleport_column_vougar_nw', 1430, 91, 4, 7, 4, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'tp_zone_4_13', N'teleport_column_vougar_nw')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (610, N'teleport_column_vougar_nw_to_tp_zone_4_13', 91, 1430, 4, 7, 4, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_vougar_nw', N'tp_zone_4_13')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (611, N'teleport_column_teodoma_to_teleport_column_asipvp_1', 90, 114, 4, 7, 9, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_teodoma', N'teleport_column_asipvp_1')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (612, N'teleport_column_asipvp_1_to_teleport_column_teodoma', 114, 90, 9, 7, 4, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_asipvp_1', N'teleport_column_teodoma')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (613, N'teleport_column_asi2_darmahol_to_teleport_column_asipvp_7', 313, 120, 4, 7, 9, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_asi2_darmahol', N'teleport_column_asipvp_7')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (614, N'teleport_column_asipvp_7_to_teleport_column_asi2_darmahol', 120, 313, 9, 7, 4, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_asipvp_7', N'teleport_column_asi2_darmahol')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (615, N'teleport_column_tm2_haddonwol_z_to_teleport_column_asipvp_4', 11640, 117, 5, 7, 9, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tm2_haddonwol_z', N'teleport_column_asipvp_4')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (616, N'teleport_column_asipvp_4_to_teleport_column_tm2_haddonwol_z', 117, 11640, 9, 7, 5, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_asipvp_4', N'teleport_column_tm2_haddonwol_z')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (617, N'tp_zone_5_9_to_teleport_column_asipvp_8', 1896, 121, 5, 7, 9, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'tp_zone_5_9', N'teleport_column_asipvp_8')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (618, N'teleport_column_asipvp_8_to_tp_zone_5_9', 121, 1896, 9, 7, 5, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_asipvp_8', N'tp_zone_5_9')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (619, N'teleport_column_asi2_gavastrac_to_teleport_column_icspvp_6', 312, 137, 4, 7, 11, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_asi2_gavastrac', N'teleport_column_icspvp_6')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (620, N'teleport_column_icspvp_6_to_teleport_column_asi2_gavastrac', 137, 312, 11, 7, 4, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_icspvp_6', N'teleport_column_asi2_gavastrac')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (621, N'teleport_column_icspvp_3_to_teleport_column_vougar_NW', 131, 91, 11, 7, 4, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_icspvp_3', N'teleport_column_vougar_NW')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (622, N'teleport_column_vougar_NW_to_teleport_column_icspvp_3', 91, 131, 4, 7, 11, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_vougar_NW', N'teleport_column_icspvp_3')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (623, N'teleport_column_ics2_koykili_z_to_teleport_column_icspvp_1', 1314, 129, 3, 7, 11, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_ics2_koykili_z', N'teleport_column_icspvp_1')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (624, N'teleport_column_icspvp_1_to_teleport_column_ics2_koykili_z', 129, 1314, 11, 7, 3, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_icspvp_1', N'teleport_column_ics2_koykili_z')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (625, N'teleport_column_tmpve_6_to_teleport_column_asi2_gavastrac', 113, 312, 8, 7, 4, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_tmpve_6', N'teleport_column_asi2_gavastrac')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (626, N'teleport_column_icspvp_7_to_teleport_column_ics2_panagox', 138, 1312, 11, 7, 3, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_icspvp_7', N'teleport_column_ics2_panagox')
INSERT [dbo].[teleportdescriptions] ([id], [description], [sourcecolumn], [targetcolumn], [sourcezone], [sourcerange], [targetzone], [targetx], [targety], [targetz], [targetrange], [usetimeout], [listable], [active], [type], [sourcecolumnname], [targetcolumnname]) VALUES (627, N'teleport_column_ics2_panagox_to_teleport_column_icspvp_7', 1312, 138, 3, 7, 11, NULL, NULL, NULL, 7, 0, 1, 1, 2, N'teleport_column_ics2_panagox', N'teleport_column_icspvp_7')
SET IDENTITY_INSERT [dbo].[teleportdescriptions] OFF
UPDATE teleportdescriptions
SET
listable = 0
,active = 0
WHERE
id IN (205, 206, 424, 425, 498, 499, 532, 533, 548, 549, 550, 551, 552, 553, 564, 565, 574, 575, 576, 577)
UPDATE teleportdescriptions
SET
sourcecolumnname = 'tp_zone_45_1'
,targetcolumnname = 'tp_zone_45_2'
WHERE
id = 319
UPDATE teleportdescriptions
SET
sourcecolumnname = 'tp_zone_45_2'
,targetcolumnname = 'tp_zone_45_1'
WHERE
id = 320
|
<reponame>crudapi/crudapi-example
-- phpMyAdmin SQL Dump
-- version 5.1.1
-- https://www.phpmyadmin.net/
--
-- 主机: db
-- 生成日期: 2022-01-11 09:17:51
-- 服务器版本: 8.0.23
-- PHP 版本: 7.4.20
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
START TRANSACTION;
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- 数据库: `crudapi`
--
-- --------------------------------------------------------
--
-- 表的结构 `ca_meta_column`
--
CREATE TABLE `ca_meta_column` (
`id` bigint NOT NULL,
`autoIncrement` bit(1) DEFAULT NULL,
`caption` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`createdDate` datetime(6) DEFAULT NULL,
`dataType` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`defaultValue` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`description` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`displayOrder` int DEFAULT NULL,
`indexName` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`indexStorage` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`indexType` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`insertable` bit(1) DEFAULT NULL,
`lastModifiedDate` datetime(6) DEFAULT NULL,
`length` int DEFAULT NULL,
`name` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`nullable` bit(1) DEFAULT NULL,
`precision` int DEFAULT NULL,
`queryable` bit(1) DEFAULT NULL,
`scale` int DEFAULT NULL,
`seqId` bigint DEFAULT NULL,
`unsigned` bit(1) DEFAULT NULL,
`updatable` bit(1) DEFAULT NULL,
`displayable` bit(1) DEFAULT NULL,
`systemable` bit(1) DEFAULT NULL,
`tableId` bigint DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- 转存表中的数据 `ca_meta_column`
--
INSERT INTO `ca_meta_column` (`id`, `autoIncrement`, `caption`, `createdDate`, `dataType`, `defaultValue`, `description`, `displayOrder`, `indexName`, `indexStorage`, `indexType`, `insertable`, `lastModifiedDate`, `length`, `name`, `nullable`, `precision`, `queryable`, `scale`, `seqId`, `unsigned`, `updatable`, `displayable`, `systemable`, `tableId`) VALUES
(432, b'1', '编号', '2021-09-02 15:30:37.086000', 'BIGINT', NULL, '主键', 0, NULL, NULL, 'PRIMARY', b'0', '2021-09-06 17:30:59.446000', 20, 'id', b'0', NULL, b'0', NULL, NULL, b'1', b'0', b'0', b'0', 62),
(433, b'0', '名称', '2021-09-02 15:30:37.086000', 'VARCHAR', NULL, '名称', 1, NULL, NULL, NULL, b'1', '2021-09-06 17:30:59.446000', 200, 'name', b'0', NULL, b'1', NULL, NULL, b'0', b'1', b'1', b'0', 62),
(434, b'0', '全文索引', '2021-09-02 15:30:37.086000', 'TEXT', NULL, '全文索引', 2, 'ft_fulltext_body', NULL, 'FULLTEXT', b'0', '2021-09-06 17:30:59.446000', NULL, 'fullTextBody', b'1', NULL, b'0', NULL, NULL, b'0', b'0', b'0', b'0', 62),
(435, b'0', '创建时间', '2021-09-02 15:30:37.086000', 'DATETIME', NULL, '创建时间', 3, NULL, NULL, NULL, b'0', '2021-09-06 17:30:59.446000', NULL, 'createdDate', b'0', NULL, b'0', NULL, NULL, b'0', b'0', b'0', b'0', 62),
(436, b'0', '修改时间', '2021-09-02 15:30:37.086000', 'DATETIME', NULL, '修改时间', 4, NULL, NULL, NULL, b'0', '2021-09-06 17:30:59.446000', NULL, 'lastModifiedDate', b'1', NULL, b'0', NULL, NULL, b'0', b'0', b'0', b'0', 62),
(437, b'1', '编号', '2021-09-02 15:34:04.947000', 'BIGINT', NULL, '主键', 0, NULL, NULL, 'PRIMARY', b'0', '2021-09-02 15:34:04.947000', 20, 'id', b'0', NULL, b'0', NULL, NULL, b'1', b'0', b'0', b'0', 63),
(438, b'0', '名称', '2021-09-02 15:34:04.947000', 'VARCHAR', NULL, '名称', 1, NULL, NULL, NULL, b'1', '2021-09-02 15:34:04.947000', 200, 'name', b'0', NULL, b'1', NULL, NULL, b'0', b'1', b'1', b'0', 63),
(439, b'0', '全文索引', '2021-09-02 15:34:04.947000', 'TEXT', NULL, '全文索引', 2, 'ft_fulltext_body', NULL, 'FULLTEXT', b'0', '2021-09-02 15:34:04.947000', NULL, 'fullTextBody', b'1', NULL, b'0', NULL, NULL, b'0', b'0', b'0', b'0', 63),
(440, b'0', '创建时间', '2021-09-02 15:34:04.947000', 'DATETIME', NULL, '创建时间', 3, NULL, NULL, NULL, b'0', '2021-09-02 15:34:04.947000', NULL, 'createdDate', b'0', NULL, b'0', NULL, NULL, b'0', b'0', b'0', b'0', 63),
(441, b'0', '修改时间', '2021-09-02 15:34:04.947000', 'DATETIME', NULL, '修改时间', 4, NULL, NULL, NULL, b'0', '2021-09-02 15:34:04.947000', NULL, 'lastModifiedDate', b'1', NULL, b'0', NULL, NULL, b'0', b'0', b'0', b'0', 63),
(442, b'0', '模块编号', '2021-09-02 15:34:04.947000', 'BIGINT', NULL, '模块编号', 5, NULL, NULL, NULL, b'1', '2021-09-02 15:34:04.947000', 20, 'moduleId', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 63),
(443, b'0', '表编号', '2021-09-02 15:34:04.947000', 'BIGINT', NULL, '表编号', 6, NULL, NULL, NULL, b'1', '2021-09-02 15:34:04.947000', 20, 'tableId', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 63),
(461, b'1', '编号', '2021-09-02 15:59:07.090000', 'BIGINT', NULL, '编号', 0, NULL, NULL, 'PRIMARY', b'1', '2021-09-06 16:20:28.739000', NULL, 'id', b'0', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 66),
(462, b'0', '中文名称', '2021-09-02 15:59:07.090000', 'VARCHAR', NULL, '中文名称', 2, NULL, NULL, NULL, b'1', '2021-09-06 16:20:28.739000', 255, 'caption', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'1', b'0', 66),
(463, b'0', '是否创建物理表', '2021-09-02 15:59:07.090000', 'BOOL', NULL, '是否创建物理表', 3, NULL, NULL, NULL, b'1', '2021-09-06 16:20:28.739000', NULL, 'createPhysicalTable', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 66),
(464, b'0', '创建时间', '2021-09-02 15:59:07.090000', 'DATETIME', NULL, '创建时间', 4, NULL, NULL, NULL, b'1', '2021-09-06 16:20:28.739000', 6, 'createdDate', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 66),
(465, b'0', '描述', '2021-09-02 15:59:07.090000', 'VARCHAR', NULL, '描述', 5, NULL, NULL, NULL, b'1', '2021-09-06 16:20:28.739000', 255, 'description', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 66),
(466, b'0', '引擎', '2021-09-02 15:59:07.090000', 'VARCHAR', NULL, '引擎', 6, NULL, NULL, NULL, b'1', '2021-09-06 16:20:28.739000', 255, 'engine', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 66),
(467, b'0', '修改时间', '2021-09-02 15:59:07.090000', 'DATETIME', NULL, '修改时间', 7, NULL, NULL, NULL, b'1', '2021-09-06 16:20:28.739000', 6, 'lastModifiedDate', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 66),
(468, b'0', '英文名称', '2021-09-02 15:59:07.090000', 'VARCHAR', NULL, '英文名称', 1, 'uq_bsm_table_name', 'BTREE', 'UNIQUE', b'1', '2021-09-06 16:20:28.739000', 255, 'name', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'1', b'0', 66),
(469, b'0', '英文复数', '2021-09-02 15:59:07.090000', 'VARCHAR', NULL, '英文复数', 8, 'uq_bsm_table_plural_name', 'BTREE', 'UNIQUE', b'1', '2021-09-06 16:20:28.739000', 255, 'pluralName', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 66),
(470, b'0', '物理表名称', '2021-09-02 15:59:07.090000', 'VARCHAR', NULL, '物理表名称', 9, 'uq_bsm_table_table_name', 'BTREE', 'UNIQUE', b'1', '2021-09-06 16:20:28.739000', 255, 'tableName', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 66),
(471, b'0', '是否系统表', '2021-09-02 15:59:07.090000', 'BOOL', NULL, '是否系统表', 10, NULL, NULL, NULL, b'1', '2021-09-06 16:20:28.739000', NULL, 'systemable', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 66),
(473, b'0', '是否只读', '2021-09-06 16:10:31.028000', 'BOOL', NULL, '是否只读', 11, NULL, NULL, NULL, b'1', '2021-09-06 16:20:28.739000', NULL, 'readOnly', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 66),
(489, b'1', '编号', '2021-11-03 11:23:02.177000', 'BIGINT', NULL, '主键', 0, NULL, NULL, 'PRIMARY', b'0', '2021-11-03 11:23:02.177000', 20, 'id', b'0', NULL, b'0', NULL, NULL, b'1', b'0', b'0', b'0', 69),
(490, b'0', '名称', '2021-11-03 11:23:02.177000', 'VARCHAR', NULL, '名称', 1, NULL, NULL, NULL, b'1', '2021-11-03 11:23:02.177000', 200, 'name', b'0', NULL, b'1', NULL, NULL, b'0', b'1', b'1', b'0', 69),
(491, b'0', '全文索引', '2021-11-03 11:23:02.177000', 'TEXT', NULL, '全文索引', 2, 'ft_fulltext_body', NULL, 'FULLTEXT', b'0', '2021-11-03 11:23:02.177000', NULL, 'fullTextBody', b'1', NULL, b'0', NULL, NULL, b'0', b'0', b'0', b'0', 69),
(492, b'0', '创建时间', '2021-11-03 11:23:02.177000', 'DATETIME', NULL, '创建时间', 3, NULL, NULL, NULL, b'0', '2021-11-03 11:23:02.177000', NULL, 'createdDate', b'0', NULL, b'0', NULL, NULL, b'0', b'0', b'0', b'0', 69),
(493, b'0', '修改时间', '2021-11-03 11:23:02.177000', 'DATETIME', NULL, '修改时间', 4, NULL, NULL, NULL, b'0', '2021-11-03 11:23:02.177000', NULL, 'lastModifiedDate', b'1', NULL, b'0', NULL, NULL, b'0', b'0', b'0', b'0', 69),
(494, b'0', '类型', '2021-11-03 11:23:02.177000', 'VARCHAR', NULL, '类型', 5, NULL, NULL, NULL, b'1', '2021-11-03 11:23:02.177000', 200, 'type', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 69),
(495, b'0', '设备', '2021-11-03 11:23:02.177000', 'VARCHAR', NULL, '设备', 6, NULL, NULL, NULL, b'1', '2021-11-03 11:23:02.177000', 200, 'device', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 69),
(496, b'0', '内容', '2021-11-03 11:23:02.177000', 'LONGTEXT', NULL, '内容', 7, NULL, NULL, NULL, b'1', '2021-11-03 11:23:02.177000', NULL, 'body', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 69),
(497, b'0', '表编号', '2021-11-03 11:23:02.177000', 'BIGINT', NULL, '表编号', 8, NULL, NULL, NULL, b'1', '2021-11-03 11:23:02.177000', 20, 'tableId', b'1', NULL, b'1', NULL, NULL, b'0', b'1', b'0', b'0', 69);
-- --------------------------------------------------------
--
-- 表的结构 `ca_meta_index`
--
CREATE TABLE `ca_meta_index` (
`id` bigint NOT NULL,
`caption` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`createdDate` datetime(6) DEFAULT NULL,
`description` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`indexStorage` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`indexType` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`lastModifiedDate` datetime(6) DEFAULT NULL,
`name` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`tableId` bigint DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- 转存表中的数据 `ca_meta_index`
--
INSERT INTO `ca_meta_index` (`id`, `caption`, `createdDate`, `description`, `indexStorage`, `indexType`, `lastModifiedDate`, `name`, `tableId`) VALUES
(12, '表页面类型', '2021-11-03 11:23:02.222000', '表页面类型唯一', 'BTREE', 'UNIQUE', '2021-11-03 11:23:02.222000', 'tableTypeIndex', 69);
-- --------------------------------------------------------
--
-- 表的结构 `ca_meta_index_line`
--
CREATE TABLE `ca_meta_index_line` (
`id` bigint NOT NULL,
`columnId` bigint DEFAULT NULL,
`indexId` bigint DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- 转存表中的数据 `ca_meta_index_line`
--
INSERT INTO `ca_meta_index_line` (`id`, `columnId`, `indexId`) VALUES
(20, 494, 12),
(21, 497, 12);
-- --------------------------------------------------------
--
-- 表的结构 `ca_meta_sequence`
--
CREATE TABLE `ca_meta_sequence` (
`id` bigint NOT NULL,
`caption` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`createdDate` datetime(6) DEFAULT NULL,
`currentTime` bit(1) DEFAULT NULL,
`cycle` bit(1) DEFAULT NULL,
`description` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`format` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`incrementBy` bigint DEFAULT NULL,
`lastModifiedDate` datetime(6) DEFAULT NULL,
`maxValue` bigint DEFAULT NULL,
`minValue` bigint DEFAULT NULL,
`name` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`nextValue` bigint DEFAULT NULL,
`sequenceType` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- 转存表中的数据 `ca_meta_sequence`
--
INSERT INTO `ca_meta_sequence` (`id`, `caption`, `createdDate`, `currentTime`, `cycle`, `description`, `format`, `incrementBy`, `lastModifiedDate`, `maxValue`, `minValue`, `name`, `nextValue`, `sequenceType`) VALUES
(1, '角色编码', '2021-02-01 11:17:34.807000', b'0', NULL, NULL, 'ROLE_%09d', 1, '2021-02-05 17:53:05.432000', 999999999, 1, 'roleCode', 8, 'STRING'),
(2, '资源编码', '2021-02-02 10:06:15.140000', b'0', NULL, NULL, 'RESOURCE_%09d', 1, '2021-02-02 10:06:15.140000', 999999999, 1, 'resourceCode', 8, 'STRING'),
(3, '会员流水号', '2021-07-25 21:24:48.973000', b'0', NULL, NULL, '%018d', 1, '2021-07-25 21:28:07.858000', 9999999999, 1, 'membershipCode', 17, 'STRING');
-- --------------------------------------------------------
--
-- 表的结构 `ca_meta_table`
--
CREATE TABLE `ca_meta_table` (
`id` bigint NOT NULL,
`caption` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`createPhysicalTable` bit(1) DEFAULT NULL,
`createdDate` datetime(6) DEFAULT NULL,
`description` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`engine` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`lastModifiedDate` datetime(6) DEFAULT NULL,
`name` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`pluralName` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`tableName` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`systemable` bit(1) DEFAULT NULL,
`readOnly` bit(1) DEFAULT NULL COMMENT '是否只读'
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- 转存表中的数据 `ca_meta_table`
--
INSERT INTO `ca_meta_table` (`id`, `caption`, `createPhysicalTable`, `createdDate`, `description`, `engine`, `lastModifiedDate`, `name`, `pluralName`, `tableName`, `systemable`, `readOnly`) VALUES
(62, '模块', b'1', '2021-09-02 15:30:37.082000', '', 'INNODB', '2021-09-06 17:30:59.436000', 'module', 'modules', 'ca_sys_module', b'1', b'0'),
(63, '模块行', b'1', '2021-09-02 15:34:04.944000', '', 'INNODB', '2021-09-02 15:34:04.944000', 'moduleLine', 'moduleLines', 'ca_sys_moduleLine', b'1', b'0'),
(66, '表', b'1', '2021-09-02 15:59:07.087000', '', 'INNODB', '2021-09-06 16:20:28.729000', 'table', 'tables', 'ca_meta_table', b'1', b'1'),
(69, '表页面', b'1', '2021-11-03 11:23:02.166000', '', 'INNODB', '2021-11-03 11:23:02.166000', 'tableFormBuilder', 'tableFormBuilders', 'ca_tableFormBuilder', b'1', b'0');
-- --------------------------------------------------------
--
-- 表的结构 `ca_meta_table_relation`
--
CREATE TABLE `ca_meta_table_relation` (
`id` bigint NOT NULL,
`caption` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`createdDate` datetime(6) DEFAULT NULL,
`description` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`lastModifiedDate` datetime(6) DEFAULT NULL,
`name` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`relationType` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`fromColumnId` bigint DEFAULT NULL,
`fromTableId` bigint DEFAULT NULL,
`toColumnId` bigint DEFAULT NULL,
`toTableId` bigint DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- 转存表中的数据 `ca_meta_table_relation`
--
INSERT INTO `ca_meta_table_relation` (`id`, `caption`, `createdDate`, `description`, `lastModifiedDate`, `name`, `relationType`, `fromColumnId`, `fromTableId`, `toColumnId`, `toTableId`) VALUES
(22, '模块行', '2021-09-02 16:03:43.184000', NULL, '2021-09-02 16:03:43.184000', 'moduleLines', 'OneToMany', 432, 62, 442, 63),
(23, '表', '2021-09-02 16:04:27.912000', NULL, '2021-09-02 16:04:27.912000', 'table', 'ManyToOne', 443, 63, 461, 66);
-- --------------------------------------------------------
--
-- 表的结构 `ca_sys_module`
--
CREATE TABLE `ca_sys_module` (
`id` bigint UNSIGNED NOT NULL COMMENT '编号',
`name` varchar(200) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci NOT NULL COMMENT '名称',
`fullTextBody` text CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci COMMENT '全文索引',
`createdDate` datetime NOT NULL COMMENT '创建时间',
`lastModifiedDate` datetime DEFAULT NULL COMMENT '修改时间'
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci COMMENT='模块';
-- --------------------------------------------------------
--
-- 表的结构 `ca_sys_moduleLine`
--
CREATE TABLE `ca_sys_moduleLine` (
`id` bigint UNSIGNED NOT NULL COMMENT '编号',
`name` varchar(200) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci NOT NULL COMMENT '名称',
`fullTextBody` text CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci COMMENT '全文索引',
`createdDate` datetime NOT NULL COMMENT '创建时间',
`lastModifiedDate` datetime DEFAULT NULL COMMENT '修改时间',
`moduleId` bigint DEFAULT NULL COMMENT '模块编号',
`tableId` bigint DEFAULT NULL COMMENT '表编号'
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci COMMENT='模块行';
-- --------------------------------------------------------
--
-- 表的结构 `ca_tableFormBuilder`
--
CREATE TABLE `ca_tableFormBuilder` (
`id` bigint UNSIGNED NOT NULL COMMENT '编号',
`name` varchar(200) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci NOT NULL COMMENT '名称',
`fullTextBody` text CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci COMMENT '全文索引',
`createdDate` datetime NOT NULL COMMENT '创建时间',
`lastModifiedDate` datetime DEFAULT NULL COMMENT '修改时间',
`type` varchar(200) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '类型',
`device` varchar(200) CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '设备',
`body` longtext CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci COMMENT '内容',
`tableId` bigint DEFAULT NULL COMMENT '表编号'
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci COMMENT='表页面';
--
-- 转储表的索引
--
--
-- 表的索引 `ca_meta_column`
--
ALTER TABLE `ca_meta_column`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `uq_bsm_column_name` (`tableId`,`name`),
ADD UNIQUE KEY `uq_bsm_column_index_name` (`tableId`,`indexName`),
ADD KEY `fk_bsm_column_seq_id` (`seqId`);
--
-- 表的索引 `ca_meta_index`
--
ALTER TABLE `ca_meta_index`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `uq_bsm_index_name` (`tableId`,`name`);
--
-- 表的索引 `ca_meta_index_line`
--
ALTER TABLE `ca_meta_index_line`
ADD PRIMARY KEY (`id`),
ADD KEY `fk_bsm_index_line_column_id` (`columnId`),
ADD KEY `fk_bsm_index_line_index_id` (`indexId`);
--
-- 表的索引 `ca_meta_sequence`
--
ALTER TABLE `ca_meta_sequence`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `uq_bsm_sequence_name` (`name`);
--
-- 表的索引 `ca_meta_table`
--
ALTER TABLE `ca_meta_table`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `uq_bsm_table_name` (`name`),
ADD UNIQUE KEY `uq_bsm_table_plural_name` (`pluralName`),
ADD UNIQUE KEY `uq_bsm_table_table_name` (`tableName`);
--
-- 表的索引 `ca_meta_table_relation`
--
ALTER TABLE `ca_meta_table_relation`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `uq_ca_table_relation` (`fromTableId`,`toTableId`,`relationType`,`fromColumnId`,`toColumnId`) USING BTREE,
ADD KEY `fk_bsm_table_relation_from_table_id` (`fromTableId`),
ADD KEY `fk_bsm_table_relation_to_table_id` (`toTableId`),
ADD KEY `fk_bsm_table_relation_from_column_id` (`fromColumnId`),
ADD KEY `fk_bsm_table_relation_to_column_id` (`toColumnId`);
--
-- 表的索引 `ca_sys_module`
--
ALTER TABLE `ca_sys_module`
ADD PRIMARY KEY (`id`);
ALTER TABLE `ca_sys_module` ADD FULLTEXT KEY `ft_fulltext_body` (`fullTextBody`);
--
-- 表的索引 `ca_sys_moduleLine`
--
ALTER TABLE `ca_sys_moduleLine`
ADD PRIMARY KEY (`id`);
ALTER TABLE `ca_sys_moduleLine` ADD FULLTEXT KEY `ft_fulltext_body` (`fullTextBody`);
--
-- 表的索引 `ca_tableFormBuilder`
--
ALTER TABLE `ca_tableFormBuilder`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `tableTypeIndex` (`type`,`tableId`) USING BTREE COMMENT '表页面类型';
ALTER TABLE `ca_tableFormBuilder` ADD FULLTEXT KEY `ft_fulltext_body` (`fullTextBody`);
--
-- 在导出的表使用AUTO_INCREMENT
--
--
-- 使用表AUTO_INCREMENT `ca_meta_column`
--
ALTER TABLE `ca_meta_column`
MODIFY `id` bigint NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=498;
--
-- 使用表AUTO_INCREMENT `ca_meta_index`
--
ALTER TABLE `ca_meta_index`
MODIFY `id` bigint NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=13;
--
-- 使用表AUTO_INCREMENT `ca_meta_index_line`
--
ALTER TABLE `ca_meta_index_line`
MODIFY `id` bigint NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=22;
--
-- 使用表AUTO_INCREMENT `ca_meta_sequence`
--
ALTER TABLE `ca_meta_sequence`
MODIFY `id` bigint NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=4;
--
-- 使用表AUTO_INCREMENT `ca_meta_table`
--
ALTER TABLE `ca_meta_table`
MODIFY `id` bigint NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=70;
--
-- 使用表AUTO_INCREMENT `ca_meta_table_relation`
--
ALTER TABLE `ca_meta_table_relation`
MODIFY `id` bigint NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=24;
--
-- 使用表AUTO_INCREMENT `ca_sys_module`
--
ALTER TABLE `ca_sys_module`
MODIFY `id` bigint UNSIGNED NOT NULL AUTO_INCREMENT COMMENT '编号', AUTO_INCREMENT=5;
--
-- 使用表AUTO_INCREMENT `ca_sys_moduleLine`
--
ALTER TABLE `ca_sys_moduleLine`
MODIFY `id` bigint UNSIGNED NOT NULL AUTO_INCREMENT COMMENT '编号', AUTO_INCREMENT=12;
--
-- 使用表AUTO_INCREMENT `ca_tableFormBuilder`
--
ALTER TABLE `ca_tableFormBuilder`
MODIFY `id` bigint UNSIGNED NOT NULL AUTO_INCREMENT COMMENT '编号';
--
-- 限制导出的表
--
--
-- 限制表 `ca_meta_column`
--
ALTER TABLE `ca_meta_column`
ADD CONSTRAINT `fk_bsm_column_seq_id` FOREIGN KEY (`seqId`) REFERENCES `ca_meta_sequence` (`id`),
ADD CONSTRAINT `fk_bsm_column_table_id` FOREIGN KEY (`tableId`) REFERENCES `ca_meta_table` (`id`);
--
-- 限制表 `ca_meta_index`
--
ALTER TABLE `ca_meta_index`
ADD CONSTRAINT `fk_bsm_index_table_id` FOREIGN KEY (`tableId`) REFERENCES `ca_meta_table` (`id`);
--
-- 限制表 `ca_meta_index_line`
--
ALTER TABLE `ca_meta_index_line`
ADD CONSTRAINT `fk_bsm_index_line_column_id` FOREIGN KEY (`columnId`) REFERENCES `ca_meta_column` (`id`),
ADD CONSTRAINT `fk_bsm_index_line_index_id` FOREIGN KEY (`indexId`) REFERENCES `ca_meta_index` (`id`) ON DELETE CASCADE;
--
-- 限制表 `ca_meta_table_relation`
--
ALTER TABLE `ca_meta_table_relation`
ADD CONSTRAINT `fk_bsm_table_relation_from_column_id` FOREIGN KEY (`fromColumnId`) REFERENCES `ca_meta_column` (`id`),
ADD CONSTRAINT `fk_bsm_table_relation_from_table_id` FOREIGN KEY (`fromTableId`) REFERENCES `ca_meta_table` (`id`),
ADD CONSTRAINT `fk_bsm_table_relation_to_column_id` FOREIGN KEY (`toColumnId`) REFERENCES `ca_meta_column` (`id`),
ADD CONSTRAINT `fk_bsm_table_relation_to_table_id` FOREIGN KEY (`toTableId`) REFERENCES `ca_meta_table` (`id`);
COMMIT;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
<filename>database_structure.sql
CREATE DATABASE scrumanager CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci;
USE scrumanager;
CREATE TABLE developer (
id INT NOT NULL AUTO_INCREMENT,
name VARCHAR(255) NOT NULL,
profile VARCHAR(255),
email VARCHAR(255) NOT NULL,
password CHAR(41) NOT NULL,
PRIMARY KEY (id),
UNIQUE (email)
) ENGINE=INNODB;
CREATE TABLE moa (
id INT NOT NULL AUTO_INCREMENT,
name VARCHAR(255) NOT NULL,
email VARCHAR(255) NOT NULL,
password CHAR(41) NOT NULL,
PRIMARY KEY (id),
UNIQUE (email)
) ENGINE=INNODB;
CREATE TABLE project (
id INT NOT NULL AUTO_INCREMENT,
name VARCHAR(255) NOT NULL,
folder_name VARCHAR(16) NOT NULL,
created DATETIME NOT NULL,
status BOOLEAN NOT NULL,
owner_id INT NOT NULL,
master_id INT NOT NULL,
PRIMARY KEY (id),
UNIQUE (folder_name , master_id)
) ENGINE=INNODB;
CREATE TABLE user_story (
text VARCHAR(255) NOT NULL,
no INT NOT NULL,
priority TINYINT NOT NULL DEFAULT 1,
cost SMALLINT NOT NULL DEFAULT 1,
status BOOLEAN NOT NULL DEFAULT 0,
project_id INT NOT NULL,
sprint_no INT,
PRIMARY KEY (no , project_id)
) ENGINE=INNODB;
CREATE TABLE sprint (
no INT NOT NULL,
start_date DATE NOT NULL,
end_date DATE NOT NULL,
project_id INT NOT NULL,
color INT,
PRIMARY KEY (no , project_id)
) ENGINE=INNODB;
CREATE TABLE task (
text MEDIUMTEXT NOT NULL,
developer_id INT NOT NULL,
project_id INT NOT NULL,
user_story_no INT NOT NULL,
PRIMARY KEY (developer_id , project_id , user_story_no)
) ENGINE=INNODB;
CREATE TABLE project_developer (
joined DATETIME NOT NULL,
project_id INT NOT NULL,
developer_id INT NOT NULL,
PRIMARY KEY (project_id , developer_id)
) ENGINE=INNODB;
CREATE TABLE color (
id INT NOT NULL AUTO_INCREMENT PRIMARY KEY,
name VARCHAR(255),
red SMALLINT NOT NULL,
green SMALLINT NOT NULL,
blue SMALLINT NOT NULL,
alpha SMALLINT
) ENGINE=INNODB;
ALTER TABLE project
ADD CONSTRAINT FOREIGN KEY (owner_id) REFERENCES moa (id),
ADD CONSTRAINT FOREIGN KEY (master_id) REFERENCES developer (id);
ALTER TABLE user_story
ADD CONSTRAINT FOREIGN KEY (project_id) REFERENCES project (id),
ADD CONSTRAINT FOREIGN KEY (sprint_no) REFERENCES sprint (no);
ALTER TABLE sprint
ADD CONSTRAINT FOREIGN KEY (project_id) REFERENCES project (id);
ALTER TABLE task
ADD CONSTRAINT FOREIGN KEY (developer_id) REFERENCES developer (id),
ADD CONSTRAINT FOREIGN KEY (project_id) REFERENCES project (id),
ADD CONSTRAINT FOREIGN KEY (user_story_no) REFERENCES user_story (no);
ALTER TABLE project_developer
ADD CONSTRAINT FOREIGN KEY (project_id) REFERENCES project (id),
ADD CONSTRAINT FOREIGN KEY (developer_id) REFERENCES developer (id);
ALTER TABLE sprint
ADD CONSTRAINT FOREIGN KEY (color) REFERENCES color(id); |
<gh_stars>1-10
Select
ord.id as id,
ord.customer_id as customerId,
ord.seller_id as seller_id,
ord.good_id as good_id,
ord.comment as comment,
ord.moment as moment,
ord.paid as paid,
ord.summ as summ,
ord.destination as destination,
ord.bad_data as bad_data
from GoodOrder ord |
<reponame>chhavip/debaised-analysis<gh_stars>1-10
version https://git-lfs.github.com/spec/v1
oid sha256:7b9855155e3f032dd54ea1293bb9618592a154f3df783c3d5ad1fef21cefc8d7
size 3852
|
<filename>jeorg-spring-5/jeorg-spring-flash/jeorg-spring-flash-set-1/jeorg-spring-flash-5/src/main/resources/schema.sql<gh_stars>1-10
CREATE SEQUENCE potatoSequence START WITH 35 INCREMENT BY 15;
|
ALTER TABLE user_in_site_information DROP is_interested;
|
-- phpMyAdmin SQL Dump
-- version 4.6.6deb5
-- https://www.phpmyadmin.net/
--
-- Host: localhost:3306
-- Generation Time: Jun 12, 2019 at 12:11 PM
-- Server version: 5.7.26-0ubuntu0.18.04.1
-- PHP Version: 7.1.27-1+ubuntu18.04.1+deb.sury.org+1
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `vestelpanel`
--
-- --------------------------------------------------------
--
-- Table structure for table `alembic_version`
--
CREATE TABLE `alembic_version` (
`version_num` varchar(32) COLLATE utf8_bin NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin;
--
-- Dumping data for table `alembic_version`
--
INSERT INTO `alembic_version` (`version_num`) VALUES
('11ce98c7a5e9');
-- --------------------------------------------------------
--
-- Table structure for table `data`
--
CREATE TABLE `data` (
`id` int(11) NOT NULL,
`room_temp` float NOT NULL,
`room_humd` float NOT NULL,
`baby_temp` float NOT NULL,
`timestamp` datetime NOT NULL,
`device_id` varchar(64) COLLATE utf8_bin DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin;
--
-- Dumping data for table `data`
--
INSERT INTO `data` (`id`, `room_temp`, `room_humd`, `baby_temp`, `timestamp`, `device_id`) VALUES
(1, 21, 55, 32, '2019-05-02 13:57:14', '26082007'),
(2, 23.8, 40, 35.0511, '2019-05-02 14:00:29', '26082007'),
(3, 23.8, 40, 33.6425, '2019-05-02 14:01:05', '26082007'),
(4, 23.8, 40, 33.9649, '2019-05-02 14:01:35', '26082007'),
(5, 23.8, 40, 33.7212, '2019-05-02 14:02:06', '26082007'),
(6, 23.8, 40, 24.6703, '2019-05-02 14:02:36', '26082007'),
(7, 23.8, 39.9, 33.6169, '2019-05-02 14:03:06', '26082007'),
(8, 23.8, 39.9, 33.2362, '2019-05-02 14:03:36', '26082007'),
(9, 23.8, 40, 24.3024, '2019-05-02 14:04:06', '26082007'),
(10, 23.8, 39.9, 24.4233, '2019-05-02 14:04:36', '26082007'),
(11, 23.8, 40, 24.4086, '2019-05-02 14:05:06', '26082007'),
(12, 23.7, 40.1, 24.2602, '2019-05-02 14:05:36', '26082007'),
(13, 23.8, 40.2, 33.7985, '2019-05-02 14:06:06', '26082007'),
(14, 23.7, 40, 23.0953, '2019-05-02 14:06:36', '26082007'),
(15, 23.7, 40.3, 22.1251, '2019-05-02 14:07:59', '26082007'),
(16, 23.7, 40.2, 22.6082, '2019-05-02 14:08:29', '26082007'),
(17, 23.8, 39.8, 21.9, '2019-05-02 14:14:02', '26082007'),
(18, 23.7, 39.8, 22.4086, '2019-05-02 14:14:32', '26082007'),
(19, 23.7, 39.8, 25.0552, '2019-05-02 14:15:02', '26082007'),
(20, 23.7, 39.8, 22.8644, '2019-05-02 14:15:32', '26082007'),
(21, 23.7, 39.9, 22.3144, '2019-05-02 14:16:02', '26082007'),
(22, 23.7, 39.8, 22.3691, '2019-05-02 14:16:32', '26082007'),
(23, 23.7, 39.9, 24.764, '2019-05-02 14:17:02', '26082007'),
(24, 23.7, 40.2, 21.8884, '2019-05-02 14:17:32', '26082007'),
(25, 23.7, 40, 22.3331, '2019-05-02 14:18:27', '26082007'),
(26, 23.7, 40, 22.479, '2019-05-02 14:18:57', '26082007'),
(27, 23.7, 39.9, 26.0923, '2019-05-02 14:20:32', '26082007'),
(28, 21, 55, 32, '2019-05-07 17:35:43', '26082007'),
(29, 28.3, 31.4, 29.7558, '2019-05-08 21:04:59', '26082007'),
(30, 28.3, 31.4, 34.6762, '2019-05-08 21:05:29', '26082007'),
(31, 28.3, 31.4, 34.396, '2019-05-08 21:06:00', '26082007'),
(32, 28.3, 31.9, 34.1945, '2019-05-08 21:06:30', '26082007'),
(33, 28.3, 32.2, 32.1942, '2019-05-08 21:07:00', '26082007'),
(34, 28.3, 32.6, -358.198, '2019-05-08 21:08:31', '26082007'),
(35, 28.3, 32.6, -359.931, '2019-05-08 21:09:01', '26082007'),
(36, 28.4, 32.6, 33.5075, '2019-05-08 21:09:32', '26082007'),
(37, 28.3, 32.7, -358.52, '2019-05-08 21:10:02', '26082007'),
(38, 28.3, 32, -352.798, '2019-05-08 21:10:32', '26082007'),
(39, 28.4, 31.8, -353.523, '2019-05-08 21:11:02', '26082007'),
(40, 28.4, 32.4, 33.1391, '2019-05-08 21:11:32', '26082007'),
(41, 28.4, 32.4, 34.6027, '2019-05-08 21:12:02', '26082007'),
(42, 28.4, 32.1, -359.447, '2019-05-08 21:12:32', '26082007'),
(43, 28.4, 32.1, 31.3934, '2019-05-08 21:13:02', '26082007'),
(44, 28.3, 32.4, 28.0666, '2019-05-08 21:13:32', '26082007'),
(45, 28.4, 33.8, 27.8613, '2019-05-08 21:14:02', '26082007'),
(46, 28.4, 33.7, 28.0609, '2019-05-08 21:14:32', '26082007'),
(47, 28.4, 33.5, 31.8382, '2019-05-08 21:15:02', '26082007'),
(48, 28.4, 33.3, 33.7048, '2019-05-08 21:15:32', '26082007'),
(49, 28.4, 32.4, 31.9681, '2019-05-08 21:16:02', '26082007'),
(50, 28.4, 32.2, 33.0159, '2019-05-08 21:16:32', '26082007'),
(51, 28.4, 33, 34.2192, '2019-05-08 21:17:02', '26082007'),
(52, 28.4, 33.3, 33.0415, '2019-05-08 21:17:33', '26082007'),
(53, 28.3, 33, 32.6603, '2019-05-08 21:18:03', '26082007'),
(54, 28.2, 34.5, 36.2745, '2019-05-08 21:18:33', '26082007'),
(55, 25.4, 35.8, 34.9039, '2019-05-08 21:51:45', '26082007'),
(56, 25.5, 36.4, 35.3382, '2019-05-08 21:52:41', '26082007'),
(57, 25.5, 36.2, 31.724, '2019-05-08 21:53:11', '26082007'),
(58, 25.5, 35.8, 34.6147, '2019-05-08 21:53:41', '26082007'),
(59, 25.2, 35.9, 35.983, '2019-05-08 22:03:55', '26082007'),
(60, 25.2, 35.7, 36.0892, '2019-05-08 22:04:26', '26082007'),
(61, 25.2, 35.7, 34.0486, '2019-05-08 22:04:56', '26082007'),
(62, 25.2, 35.5, 33.0283, '2019-05-08 22:05:26', '26082007'),
(63, 25.2, 35.7, 32.8287, '2019-05-08 22:06:01', '26082007'),
(64, 25.2, 35.7, 32.4295, '2019-05-08 22:06:32', '26082007'),
(65, 25.2, 35.6, 34.0049, '2019-05-08 22:07:02', '26082007'),
(66, 25.2, 35.9, 32.7542, '2019-05-08 22:13:41', '26082007'),
(67, 25.2, 35.9, 29.1969, '2019-05-08 22:14:11', '26082007'),
(68, 25.2, 36.5, 35.5624, '2019-05-08 22:14:41', '26082007'),
(69, 25.1, 36.1, 29.4406, '2019-05-08 22:15:11', '26082007'),
(70, 25.2, 35.9, 28.424, '2019-05-08 22:15:41', '26082007'),
(71, 25.2, 36, 29.2556, '2019-05-08 22:16:11', '26082007'),
(72, 25.2, 35.7, 29.0522, '2019-05-08 22:16:41', '26082007'),
(73, 25.2, 35.7, 28.957, '2019-05-08 22:17:11', '26082007'),
(74, 25.2, 36.3, 31.5783, '2019-05-08 22:17:41', '26082007'),
(75, 29.2, 29.5, 26.8922, '2019-05-08 23:49:14', '26082007'),
(76, 29.2, 29.5, 33.8423, '2019-05-08 23:49:44', '26082007'),
(77, 29.2, 29.7, 36.4106, '2019-05-08 23:50:14', '26082007'),
(78, 29.3, 31.3, 31.8401, '2019-05-08 23:51:21', '26082007'),
(79, 29.9, 31.8, 33.5357, '2019-05-08 23:56:09', '26082007'),
(80, 30.6, 30.9, 30.0458, '2019-05-08 23:57:04', '26082007'),
(81, 30.7, 29.7, 30.2217, '2019-05-08 23:57:34', '26082007'),
(82, 30.8, 29, 27.4263, '2019-05-08 23:58:04', '26082007'),
(83, 30.8, 28.6, 32.9583, '2019-05-08 23:58:34', '26082007'),
(84, 31, 28.3, 32.9379, '2019-05-08 23:59:18', '26082007'),
(85, 31.1, 27.9, 30.0491, '2019-05-09 00:01:57', '26082007'),
(86, 31.1, 27.9, 33.7183, '2019-05-09 00:02:27', '26082007'),
(87, 31.1, 27.8, 31.6668, '2019-05-09 00:02:57', '26082007'),
(88, 31.1, 27.9, 34.5134, '2019-05-09 00:03:27', '26082007'),
(89, 31.1, 27.9, 32.515, '2019-05-09 00:03:58', '26082007'),
(90, 31.1, 28, 29.3716, '2019-05-09 00:04:28', '26082007'),
(91, 31.1, 27.9, 33.3689, '2019-05-09 00:04:58', '26082007'),
(92, 31.1, 27.9, 31.5336, '2019-05-09 00:05:28', '26082007'),
(93, 30.5, 28.6, 34.8059, '2019-05-09 00:10:10', '26082007'),
(94, 30.4, 28.9, 33.4304, '2019-05-09 00:11:09', '26082007'),
(95, 28.9, 29.6, 29.1717, '2019-05-09 00:35:49', '26082007'),
(96, 28.9, 29.6, 31.4963, '2019-05-09 00:36:40', '26082007'),
(97, 28.9, 29.7, 34.3557, '2019-05-09 00:37:10', '26082007'),
(98, 29, 30.6, 33.4326, '2019-05-09 00:37:57', '26082007'),
(99, 29, 30, 31.4816, '2019-05-09 00:38:27', '26082007'),
(100, 29, 30.4, 31.2526, '2019-05-09 00:38:57', '26082007'),
(101, 29.1, 29.6, 0, '2019-05-09 00:39:40', '26082007'),
(102, 29.2, 29.4, 26.6636, '2019-05-09 00:42:46', '26082007'),
(103, 29, 29, 31.1886, '2019-05-09 01:15:22', '26082007'),
(104, 29, 29, 33.5023, '2019-05-09 01:15:52', '26082007'),
(105, 29, 29, 33.8687, '2019-05-09 01:16:22', '26082007'),
(106, 29.1, 29.3, 29.716, '2019-05-09 01:17:40', '26082007'),
(107, 29.2, 29.1, 31.3517, '2019-05-09 01:19:10', '26082007'),
(108, 29.2, 29.1, 34.4695, '2019-05-09 01:19:40', '26082007'),
(109, 29.2, 29.2, 29.2049, '2019-05-09 01:20:10', '26082007'),
(110, 29.2, 29.3, 32.1814, '2019-05-09 01:20:40', '26082007'),
(111, 29.2, 29.4, 29.5344, '2019-05-09 01:21:10', '26082007'),
(112, 29.2, 29.4, 28.644, '2019-05-09 01:21:40', '26082007'),
(113, 29.5, 29.1, 31.6205, '2019-05-09 01:24:11', '26082007'),
(114, 29.4, 29.1, 36.9548, '2019-05-09 01:24:41', '26082007'),
(115, 29.4, 29.3, 29.8089, '2019-05-09 01:25:11', '26082007'),
(116, 29.4, 29.3, 30.5324, '2019-05-09 01:25:41', '26082007'),
(117, 29.5, 29.2, 29.9279, '2019-05-09 01:26:11', '26082007'),
(118, 29.5, 29.2, 30.5305, '2019-05-09 01:26:41', '26082007'),
(119, 29.4, 29.2, 21.9907, '2019-05-09 01:27:11', '26082007'),
(120, 29.5, 29.2, 29.9663, '2019-05-09 01:27:41', '26082007'),
(121, 29.6, 28.9, 30.1403, '2019-05-09 01:28:22', '26082007'),
(122, 29.6, 28.5, 32.9429, '2019-05-09 01:33:07', '26082007'),
(123, 29.4, 28.6, 32.9855, '2019-05-09 01:39:02', '26082007'),
(124, 29.4, 28.6, 33.4838, '2019-05-09 01:39:32', '26082007'),
(125, 29.3, 28.4, 34.7132, '2019-05-09 01:40:57', '26082007'),
(126, 29.3, 28.4, 25.7741, '2019-05-09 01:41:27', '26082007'),
(127, 29.2, 28.7, 32.398, '2019-05-09 01:41:57', '26082007'),
(128, 29.2, 29.7, 33.0831, '2019-05-09 01:42:27', '26082007'),
(129, 29.2, 28.8, 29.0019, '2019-05-09 01:42:57', '26082007'),
(130, 29.2, 28.5, 29.5751, '2019-05-09 01:43:27', '26082007'),
(131, 29.2, 28.4, 29.0275, '2019-05-09 01:43:58', '26082007'),
(132, 29.2, 28.4, 28.4159, '2019-05-09 01:44:28', '26082007'),
(133, 29.2, 28.3, 29.2859, '2019-05-09 01:44:58', '26082007'),
(134, 29.2, 28.3, 30.4105, '2019-05-09 01:45:28', '26082007'),
(135, 29.2, 28.3, 30.4508, '2019-05-09 01:45:58', '26082007'),
(136, 29.1, 28.3, 30.1066, '2019-05-09 01:46:43', '26082007'),
(137, 29, 28.3, 31.9642, '2019-05-09 01:47:48', '26082007'),
(138, 29, 28.6, 34.9023, '2019-05-09 01:49:10', '26082007'),
(139, 29.1, 28.9, 31.8158, '2019-05-09 01:50:15', '26082007'),
(140, 29.1, 28.4, 28.9417, '2019-05-09 01:51:30', '26082007'),
(141, 29.2, 28.3, 30.6172, '2019-05-09 01:54:02', '26082007'),
(142, 29.2, 28.3, 25.5926, '2019-05-09 01:54:32', '26082007'),
(143, 29.2, 28.3, 29.0584, '2019-05-09 01:55:02', '26082007'),
(144, 29.3, 28.5, 26.1364, '2019-05-09 01:56:22', '26082007'),
(145, 29.3, 28.5, 28.3676, '2019-05-09 01:58:07', '26082007'),
(146, 29.3, 28.4, 30.3257, '2019-05-09 01:58:37', '26082007'),
(147, 29.3, 28.4, 29.9758, '2019-05-09 01:59:07', '26082007'),
(148, 29.3, 28.4, 29.4391, '2019-05-09 01:59:37', '26082007'),
(149, 29.3, 28.4, 29.9061, '2019-05-09 02:00:07', '26082007'),
(150, 29.3, 28.4, 25.4347, '2019-05-09 02:00:37', '26082007'),
(151, 29.4, 28.2, 30.2119, '2019-05-09 02:01:34', '26082007'),
(152, 29.4, 28.2, 25.6177, '2019-05-09 02:02:04', '26082007'),
(153, 29.4, 28.3, 34.3206, '2019-05-09 02:02:34', '26082007'),
(154, 29.4, 28.3, 32.793, '2019-05-09 02:03:04', '26082007'),
(155, 29.4, 28.1, 32.8864, '2019-05-09 02:03:34', '26082007'),
(156, 29.4, 28, 31.2213, '2019-05-09 02:04:04', '26082007'),
(157, 29.5, 28.1, 33.3975, '2019-05-09 02:04:34', '26082007'),
(158, 29.5, 28.3, 32.9798, '2019-05-09 02:05:04', '26082007'),
(159, 29.5, 28.3, 32.5275, '2019-05-09 02:05:34', '26082007'),
(160, 29.5, 28.6, 30.3347, '2019-05-09 02:06:04', '26082007'),
(161, 29.5, 28.5, 26.4621, '2019-05-09 02:06:34', '26082007'),
(162, 29.5, 28.5, 31.6243, '2019-05-09 02:07:04', '26082007'),
(163, 29.5, 28.5, 31.6243, '2019-05-09 02:07:34', '26082007'),
(164, 29.5, 28.4, 31.6243, '2019-05-09 02:08:05', '26082007'),
(165, 29.5, 28.3, 32.7802, '2019-05-09 02:08:35', '26082007'),
(166, 29.5, 28.3, 31.3972, '2019-05-09 02:09:05', '26082007'),
(167, 29.5, 28.4, 32.5934, '2019-05-09 02:09:35', '26082007'),
(168, 29.5, 29, 32.5934, '2019-05-09 02:10:05', '26082007'),
(169, 29.6, 29, 32.5934, '2019-05-09 02:10:35', '26082007'),
(170, 29.6, 28.9, 32.5934, '2019-05-09 02:11:05', '26082007'),
(171, 29.6, 28.9, 34.9602, '2019-05-09 02:11:35', '26082007'),
(172, 29.6, 29, 36.823, '2019-05-09 02:12:05', '26082007'),
(173, 29.6, 28.7, 36.823, '2019-05-09 02:12:35', '26082007'),
(174, 29.7, 29, 41.4888, '2019-05-09 02:13:05', '26082007'),
(175, 29.7, 28.7, 41.8368, '2019-05-09 02:13:35', '26082007'),
(176, 29.7, 28.5, 46.6306, '2019-05-09 02:14:05', '26082007'),
(177, 29.7, 28.3, 48.2682, '2019-05-09 02:14:35', '26082007'),
(178, 29.7, 28.2, 48.2682, '2019-05-09 02:15:05', '26082007'),
(179, 29.7, 28.1, 48.2682, '2019-05-09 02:15:35', '26082007'),
(180, 29.7, 28.2, 48.2682, '2019-05-09 02:16:06', '26082007'),
(181, 29.6, 28.3, 48.2682, '2019-05-09 02:16:36', '26082007'),
(182, 29.7, 28.3, 48.2682, '2019-05-09 02:17:06', '26082007'),
(183, 30, 28.1, 53.6044, '2019-05-09 02:17:52', '26082007'),
(184, 30, 28.1, 52.137, '2019-05-09 02:18:22', '26082007'),
(185, 30, 28.1, 51.0892, '2019-05-09 02:18:52', '26082007'),
(186, 30, 28, 51.0892, '2019-05-09 02:19:22', '26082007'),
(187, 30, 28, 48.2848, '2019-05-09 02:19:53', '26082007'),
(188, 30, 28, 48.2848, '2019-05-09 02:20:23', '26082007'),
(189, 30, 27.9, 48.2848, '2019-05-09 02:20:53', '26082007'),
(190, 30, 27.9, 48.2848, '2019-05-09 02:21:23', '26082007'),
(191, 30, 27.9, 49.9959, '2019-05-09 02:21:53', '26082007'),
(192, 30, 28, 51.432, '2019-05-09 02:22:23', '26082007'),
(193, 30, 28.3, 50.6298, '2019-05-09 02:22:53', '26082007'),
(194, 30, 28.6, 52.4836, '2019-05-09 02:23:23', '26082007'),
(195, 30, 28.3, 51.8407, '2019-05-09 02:23:53', '26082007'),
(196, 30, 28.2, 51.4633, '2019-05-09 02:24:23', '26082007'),
(197, 30, 28, 52.1939, '2019-05-09 02:24:53', '26082007'),
(198, 30.1, 28.2, 51.7653, '2019-05-09 02:25:23', '26082007'),
(199, 30.1, 28.1, 53.7841, '2019-05-09 02:25:54', '26082007'),
(200, 29, 31.3, 33.8648, '2019-05-09 09:38:03', '26082007'),
(201, 29, 31.3, 33.6704, '2019-05-09 09:38:33', '26082007'),
(202, 29.1, 31.6, 33.5951, '2019-05-09 09:39:37', '26082007'),
(203, 29, 31.5, 33.3514, '2019-05-09 09:40:07', '26082007'),
(204, 29, 31.4, 35.6082, '2019-05-09 09:40:37', '26082007'),
(205, 29, 31.4, 34.0474, '2019-05-09 09:41:07', '26082007'),
(206, 29.9, 30.3, 35.461, '2019-05-09 10:14:27', '26082007'),
(207, 29.9, 30.1, 36.2357, '2019-05-09 10:14:57', '26082007'),
(208, 29.9, 30.1, 36.2338, '2019-05-09 10:15:27', '26082007'),
(209, 29.9, 30.1, 35.7796, '2019-05-09 10:15:57', '26082007'),
(210, 29.9, 30.2, 36.1423, '2019-05-09 10:16:27', '26082007'),
(211, 29.9, 30.1, 35.873, '2019-05-09 10:16:57', '26082007'),
(212, 30, 30.1, 36.1641, '2019-05-09 10:17:28', '26082007'),
(213, 30, 30.1, 36.523, '2019-05-09 10:17:58', '26082007'),
(214, 30, 30, 35.0357, '2019-05-09 10:18:28', '26082007'),
(215, 30, 29.9, 35.4387, '2019-05-09 10:18:58', '26082007'),
(216, 30.3, 30.1, 35.3031, '2019-05-09 10:20:02', '26082007'),
(217, 30.3, 30.2, 36.4405, '2019-05-09 10:20:32', '26082007'),
(218, 30.3, 30.1, 36.4368, '2019-05-09 10:21:02', '26082007'),
(219, 30.3, 30, 35.4586, '2019-05-09 10:21:32', '26082007'),
(220, 30.3, 30.2, 36.021, '2019-05-09 10:22:02', '26082007'),
(221, 30.3, 30.5, 36.4861, '2019-05-09 10:22:32', '26082007'),
(222, 30.3, 30.5, 36.369, '2019-05-09 10:23:02', '26082007'),
(223, 30.3, 30.5, 37.2537, '2019-05-09 10:23:32', '26082007'),
(224, 30.3, 30.5, 37.7591, '2019-05-09 10:24:02', '26082007'),
(225, 30.3, 30.5, 37.999, '2019-05-09 10:24:32', '26082007'),
(226, 30.3, 31.1, 37.367, '2019-05-09 10:25:02', '26082007'),
(227, 30.4, 31, 37.6747, '2019-05-09 10:25:32', '26082007'),
(228, 30.4, 30.8, 38.42, '2019-05-09 10:26:02', '26082007'),
(229, 30.4, 30.8, 37.7899, '2019-05-09 10:26:32', '26082007'),
(230, 30.4, 30.6, 37.7075, '2019-05-09 10:27:02', '26082007'),
(231, 30.4, 30.6, 38.1086, '2019-05-09 10:27:32', '26082007'),
(232, 30.4, 31.1, 38.202, '2019-05-09 10:28:02', '26082007'),
(233, 30.4, 31, 39.017, '2019-05-09 10:28:32', '26082007'),
(234, 30.4, 30.9, 38.8539, '2019-05-09 10:29:03', '26082007'),
(235, 30.4, 31, 35.7636, '2019-05-09 10:29:33', '26082007'),
(236, 30.4, 30.9, 38.8795, '2019-05-09 10:30:03', '26082007'),
(237, 30.4, 31, 39.8135, '2019-05-09 10:30:33', '26082007'),
(238, 30.4, 31.1, 35.1131, '2019-05-09 10:31:03', '26082007'),
(239, 30.5, 31.6, 38.6429, '2019-05-09 10:31:33', '26082007'),
(240, 30.5, 31.4, 38, '2019-05-09 10:32:03', '26082007'),
(241, 30.4, 31.2, 37.6539, '2019-05-09 10:32:33', '26082007'),
(242, 30.5, 31.6, 39.1853, '2019-05-09 10:33:03', '26082007'),
(243, 28.5, 34.2, 37.7539, '2019-05-27 09:33:10', '26082007'),
(244, 28.4, 34.2, 38.5926, '2019-05-27 09:34:21', '26082007'),
(245, 23.5, 36.09, 0, '2019-05-29 18:39:54', '26082007'),
(246, 23.5, 36.09, 0, '2019-05-29 18:40:24', '26082007'),
(247, 23.5, 36.09, 0, '2019-05-29 18:40:54', '26082007'),
(248, 23.5, 36.09, 0, '2019-05-29 18:41:24', '26082007'),
(249, 32.7, 33.5, 30.927, '2019-05-29 19:46:31', '26082007'),
(250, 27.8, 35.4, 38.9218, '2019-06-03 17:53:09', '26082007'),
(251, 27.9, 35.5, 37.5683, '2019-06-03 17:53:39', '26082007'),
(252, 27.9, 35.5, 37.9937, '2019-06-03 17:54:09', '26082007'),
(253, 37.2, 25.6, 38.2835, '2019-06-03 18:32:55', '26082007'),
(254, 33.9, 27.4, 32.7206, '2019-06-03 19:06:40', '26082007'),
(255, 33.9, 27.4, 32.504, '2019-06-03 19:07:10', '26082007'),
(256, 33.9, 27.5, 31.9502, '2019-06-03 19:07:40', '26082007'),
(257, 24.3, 36.6, 31.4668, '2019-06-03 19:09:50', '26082007'),
(258, 24.3, 36.6, 30.6732, '2019-06-03 19:10:38', '26082007'),
(259, 24.3, 36.6, 31.3488, '2019-06-03 19:11:08', '26082007'),
(260, 24.3, 36.6, 31.7296, '2019-06-03 19:11:38', '26082007'),
(261, 24.3, 36.6, 31.2289, '2019-06-03 19:12:41', '26082007'),
(262, 24.3, 36.6, 34.3003, '2019-06-03 19:14:09', '26082007'),
(263, 35.1, 26.4, 27.8592, '2019-06-03 19:21:57', '26082007'),
(264, 36, 26.2, 30.6338, '2019-06-03 19:23:18', '26082007'),
(265, 36.4, 25.9, 29.8473, '2019-06-03 19:25:23', '26082007'),
(266, 36.8, 25.5, 30.0024, '2019-06-03 19:27:29', '26082007'),
(267, 36.8, 25.5, 30.0242, '2019-06-03 19:27:59', '26082007'),
(268, 36.9, 25.5, 30.0716, '2019-06-03 19:28:29', '26082007'),
(269, 37.9, 24.8, 33.2853, '2019-06-03 19:34:03', '26082007'),
(270, 38.1, 24.6, 28.4361, '2019-06-03 19:36:19', '26082007'),
(271, 38.8, 24, 28.6291, '2019-06-03 19:47:28', '26082007'),
(272, 38.8, 23.9, 28.9643, '2019-06-03 19:48:30', '26082007'),
(273, 23.5, 36.09, 0, '2019-06-09 12:59:38', '26082007'),
(274, 23.5, 36.09, 0, '2019-06-09 13:00:08', '26082007'),
(275, 23.5, 36.09, 0, '2019-06-09 13:00:38', '26082007'),
(276, 28.8, 37.2, 35.6403, '2019-06-09 13:04:47', '26082007'),
(277, 29, 37.4, 35.0113, '2019-06-09 13:05:45', '26082007'),
(278, 29.1, 37.6, 34.8624, '2019-06-09 13:06:15', '26082007'),
(279, 29.1, 38.2, 24.668, '2019-06-09 13:06:45', '26082007'),
(280, 29.2, 37.6, 24.979, '2019-06-09 13:07:15', '26082007'),
(281, 29.3, 37.3, 24.6875, '2019-06-09 13:07:45', '26082007'),
(282, 29.3, 37.2, 24.9326, '2019-06-09 13:08:15', '26082007'),
(283, 29.4, 36.4, 25.2437, '2019-06-09 13:08:45', '26082007'),
(284, 29.5, 37.4, 25.1114, '2019-06-09 13:09:16', '26082007'),
(285, 29.5, 36.6, 24.9536, '2019-06-09 13:09:46', '26082007'),
(286, 29.6, 36.8, 25.239, '2019-06-09 13:10:16', '26082007'),
(287, 29.7, 36.6, 24.6398, '2019-06-09 13:10:46', '26082007'),
(288, 29.7, 36.3, 24.4473, '2019-06-09 13:11:16', '26082007'),
(289, 32, 33.8, 34.283, '2019-06-09 13:19:48', '26082007'),
(290, 32.4, 33.7, 33.5093, '2019-06-09 13:22:52', '26082007'),
(291, 32.4, 33.8, 32.6118, '2019-06-09 13:23:40', '26082007'),
(292, 32.4, 33.7, 32.6796, '2019-06-09 13:24:10', '26082007'),
(293, 32.4, 33.4, 25.0738, '2019-06-09 13:24:40', '26082007'),
(294, 32.4, 33.6, 24.9894, '2019-06-09 13:25:10', '26082007'),
(295, 32.5, 33.9, 25.1193, '2019-06-09 13:25:40', '26082007'),
(296, 32.5, 34, 24.795, '2019-06-09 13:26:10', '26082007'),
(297, 32.5, 34.7, 24.4726, '2019-06-09 13:26:40', '26082007'),
(298, 32.6, 34.2, 24.9396, '2019-06-09 13:27:10', '26082007'),
(299, 32.6, 33.9, 37.7659, '2019-06-09 13:27:40', '26082007'),
(300, 32.6, 33.9, 37.7897, '2019-06-09 13:28:10', '26082007'),
(301, 32.6, 33.9, 25.3735, '2019-06-09 13:28:40', '26082007'),
(302, 32.6, 33.9, 26.2435, '2019-06-09 13:29:10', '26082007'),
(303, 26.5, 47.8, 24.756, '2019-06-09 15:15:54', '26082007'),
(304, 26.6, 47.5, 24.7522, '2019-06-09 15:16:24', '26082007'),
(305, 27, 47.2, 25.1476, '2019-06-09 15:17:26', '26082007'),
(306, 27.1, 47, 27.734, '2019-06-09 15:17:56', '26082007'),
(307, 28.3, 45, 31.224, '2019-06-09 15:20:50', '26082007'),
(308, 30, 41.6, 29.707, '2019-06-09 15:27:20', '26082007'),
(309, 30.3, 41, 29.2139, '2019-06-09 15:28:33', '26082007'),
(310, 30.3, 41.1, 29.278, '2019-06-09 15:29:03', '26082007'),
(311, 30.4, 40.9, 28.9665, '2019-06-09 15:29:33', '26082007'),
(312, 24.3, 36.6, 29.0452, '2019-06-09 15:30:03', '26082007'),
(313, 24.3, 36.6, 29.1367, '2019-06-09 15:30:33', '26082007'),
(314, 24.3, 36.6, 28.5559, '2019-06-09 15:31:03', '26082007'),
(315, 29, 46, 26.9533, '2019-06-10 07:05:03', '26082007'),
(316, 29.3, 44.9, 25.7865, '2019-06-10 07:07:34', '26082007'),
(317, 29.6, 44.2, 28.8707, '2019-06-10 07:09:49', '26082007'),
(318, 29.9, 43.7, 25.9924, '2019-06-10 07:12:41', '26082007'),
(319, 30, 43.6, 26.4613, '2019-06-10 07:14:00', '26082007'),
(320, 30, 43.4, 25.1499, '2019-06-10 07:15:16', '26082007'),
(321, 30.1, 43.1, 22.6679, '2019-06-10 07:16:59', '26082007'),
(322, 30, 43, 26.632, '2019-06-10 07:19:09', '26082007'),
(323, 30.1, 43.2, 29.2662, '2019-06-10 07:19:39', '26082007'),
(324, 30.1, 43, 26.6248, '2019-06-10 07:20:09', '26082007'),
(325, 30, 42.9, 27.0625, '2019-06-10 07:20:39', '26082007'),
(326, 30, 43.1, 27.154, '2019-06-10 07:21:09', '26082007'),
(327, 30.3, 43.3, 0, '2019-06-10 07:24:22', '26082007'),
(328, 30.3, 43.3, 30.0851, '2019-06-10 07:24:51', '26082007'),
(329, 30.3, 43.3, 30.5227, '2019-06-10 07:25:25', '26082007'),
(330, 30.4, 43.3, 30.7423, '2019-06-10 07:26:32', '26082007'),
(331, 30.4, 43.2, 33.0062, '2019-06-10 07:26:44', '26082007'),
(332, 30.4, 42.8, 30.3132, '2019-06-10 07:27:54', '26082007'),
(333, 30.4, 42.9, 29.7562, '2019-06-10 07:28:18', '26082007'),
(334, 30.5, 42.8, 29.2157, '2019-06-10 07:28:44', '26082007'),
(335, 30.2, 42.9, 29.8078, '2019-06-10 08:10:24', '26082007'),
(336, 30.2, 42.8, 29.3702, '2019-06-10 08:10:54', '26082007'),
(337, 30.2, 42.8, 30.5389, '2019-06-10 08:11:24', '26082007'),
(338, 30.2, 42.7, 31.1799, '2019-06-10 08:11:54', '26082007'),
(339, 30.2, 42.7, 30.4379, '2019-06-10 08:12:24', '26082007'),
(340, 30.2, 42.9, 30.7418, '2019-06-10 08:12:54', '26082007'),
(341, 30.2, 42.8, 30.8168, '2019-06-10 08:13:25', '26082007'),
(342, 30.2, 43, 30.4797, '2019-06-10 08:13:55', '26082007'),
(343, 30.2, 42.9, 30.3441, '2019-06-10 08:14:25', '26082007'),
(344, 30.6, 42.3, 30.4247, '2019-06-10 08:15:42', '26082007'),
(345, 30.6, 42.1, 30.4522, '2019-06-10 08:16:12', '26082007'),
(346, 30.6, 42.3, 28.038, '2019-06-10 08:16:42', '26082007'),
(347, 30.6, 42.1, 30.1592, '2019-06-10 08:17:12', '26082007'),
(348, 30.6, 41.9, 30.0255, '2019-06-10 08:17:42', '26082007'),
(349, 30.7, 41.3, 29.65, '2019-06-10 08:20:03', '26082007'),
(350, 30.7, 41.5, 29.7581, '2019-06-10 08:20:34', '26082007'),
(351, 30.6, 41.5, 29.2342, '2019-06-10 08:21:05', '26082007'),
(352, 30.6, 41.4, 30.0511, '2019-06-10 08:21:35', '26082007'),
(353, 30.6, 41.2, 30.8642, '2019-06-10 08:22:05', '26082007'),
(354, 30.9, 41.2, 30.1384, '2019-06-10 08:25:08', '26082007'),
(355, 30.9, 41.2, 30.5817, '2019-06-10 08:25:38', '26082007'),
(356, 30.9, 40.9, 31.0487, '2019-06-10 08:26:08', '26082007'),
(357, 30.9, 40.8, 31.4991, '2019-06-10 08:26:38', '26082007'),
(358, 31.3, 40.8, 31.4233, '2019-06-10 08:31:25', '26082007'),
(359, 31.3, 40.9, 31.273, '2019-06-10 08:31:55', '26082007'),
(360, 31.3, 40.9, 31.0312, '2019-06-10 08:32:25', '26082007'),
(361, 31.3, 40.9, 30.2328, '2019-06-10 08:32:55', '26082007'),
(362, 31.3, 40.6, 30.2712, '2019-06-10 08:33:25', '26082007'),
(363, 31.3, 40.7, 31.5125, '2019-06-10 08:35:52', '26082007'),
(364, 31.8, 39.9, 31.2319, '2019-06-10 08:39:09', '26082007'),
(365, 31.8, 40.1, 31.6439, '2019-06-10 08:39:39', '26082007'),
(366, 31.8, 39.9, 31.3343, '2019-06-10 08:40:09', '26082007'),
(367, 32, 39.5, 31.239, '2019-06-10 08:41:34', '26082007'),
(368, 32, 39.6, 30.9697, '2019-06-10 08:42:04', '26082007'),
(369, 32, 39.4, 30.7938, '2019-06-10 08:42:34', '26082007'),
(370, 32, 39.5, 30.0684, '2019-06-10 08:43:04', '26082007'),
(371, 32, 39.6, 30.0319, '2019-06-10 08:43:34', '26082007'),
(372, 32, 39.4, 29.2572, '2019-06-10 08:44:04', '26082007'),
(373, 32, 39.6, 29.2225, '2019-06-10 08:44:34', '26082007'),
(374, 32, 39.4, 33.2032, '2019-06-10 08:45:04', '26082007'),
(375, 32, 39.5, 33.6446, '2019-06-10 08:45:35', '26082007'),
(376, 32, 39.3, 33.1681, '2019-06-10 08:46:05', '26082007'),
(377, 32, 39.2, 33.877, '2019-06-10 08:46:35', '26082007'),
(378, 31.6, 39.9, 31.8316, '2019-06-10 08:57:18', '26082007'),
(379, 31.6, 40, 39.8072, '2019-06-10 08:57:50', '26082007'),
(380, 31.6, 40.1, 32.3351, '2019-06-10 08:58:20', '26082007'),
(381, 31.6, 40.1, 35.4382, '2019-06-10 08:58:51', '26082007'),
(382, 31.6, 40, 39.362, '2019-06-10 08:59:21', '26082007'),
(383, 31.6, 40, 39.1586, '2019-06-10 08:59:52', '26082007'),
(384, 31.6, 40, 38.2298, '2019-06-10 09:00:22', '26082007'),
(385, 31.6, 40, 38.3232, '2019-06-10 09:00:52', '26082007'),
(386, 31.6, 40, 38.7812, '2019-06-10 09:01:22', '26082007'),
(387, 31.6, 39.7, 38.5816, '2019-06-10 09:01:52', '26082007'),
(388, 31.6, 39.7, 38.9168, '2019-06-10 09:02:22', '26082007'),
(389, 31.6, 39.8, 39.261, '2019-06-10 09:02:52', '26082007'),
(390, 31.6, 40, 38.583, '2019-06-10 09:03:22', '26082007'),
(391, 31.6, 39.8, 38.4877, '2019-06-10 09:03:52', '26082007'),
(392, 31.6, 39.8, 38.0463, '2019-06-10 09:04:22', '26082007'),
(393, 31.6, 39.7, 38.528, '2019-06-10 09:04:52', '26082007'),
(394, 31.6, 39.7, 37.9748, '2019-06-10 09:05:22', '26082007'),
(395, 31.6, 39.8, 38.4143, '2019-06-10 09:05:52', '26082007'),
(396, 31.7, 39.7, 37.7401, '2019-06-10 09:06:22', '26082007'),
(397, 31.7, 39.8, 37.8885, '2019-06-10 09:06:52', '26082007'),
(398, 31.7, 39.7, 39.1871, '2019-06-10 09:07:22', '26082007'),
(399, 31.7, 39.5, 39.8703, '2019-06-10 09:07:52', '26082007'),
(400, 31.7, 39.7, 32.7353, '2019-06-10 09:08:24', '26082007'),
(401, 31.7, 39.4, 43.9387, '2019-06-10 09:08:54', '26082007'),
(402, 31.7, 39.6, 31.1305, '2019-06-10 09:09:24', '26082007'),
(403, 31.7, 39.6, 31.1651, '2019-06-10 09:09:55', '26082007'),
(404, 31.7, 39.5, 33.942, '2019-06-10 09:10:24', '26082007'),
(405, 31.7, 39.6, 36.6805, '2019-06-10 09:10:55', '26082007'),
(406, 31.7, 39.5, 31.5842, '2019-06-10 09:11:25', '26082007'),
(407, 31.7, 39.6, 32.1153, '2019-06-10 09:11:55', '26082007'),
(408, 31.7, 39.7, 33.2399, '2019-06-10 09:12:25', '26082007'),
(409, 31.8, 39.8, 32.3092, '2019-06-10 09:12:55', '26082007'),
(410, 31.8, 39.6, 31.4904, '2019-06-10 09:13:25', '26082007'),
(411, 31.8, 39.5, 32.3623, '2019-06-10 09:13:55', '26082007'),
(412, 31.8, 39.4, 32.9886, '2019-06-10 09:14:25', '26082007'),
(413, 31.8, 39.3, 33.0104, '2019-06-10 09:14:55', '26082007'),
(414, 31.8, 39.3, 32.285, '2019-06-10 09:15:25', '26082007'),
(415, 31.8, 39.6, 31.8802, '2019-06-10 09:15:55', '26082007'),
(416, 31.8, 39, 32.7796, '2019-06-10 09:16:25', '26082007'),
(417, 31.8, 39.1, 32.4956, '2019-06-10 09:16:55', '26082007'),
(418, 31.9, 39.1, 32.9204, '2019-06-10 09:17:25', '26082007'),
(419, 31.9, 39.2, 32.5117, '2019-06-10 09:17:55', '26082007'),
(420, 31.9, 39.2, 32.4861, '2019-06-10 09:18:25', '26082007'),
(421, 31.9, 39.2, 31.6583, '2019-06-10 09:18:55', '26082007'),
(422, 31.9, 39.1, 31.4862, '2019-06-10 09:19:26', '26082007'),
(423, 31.9, 39, 31.7702, '2019-06-10 09:19:56', '26082007'),
(424, 31.9, 39, 31.6621, '2019-06-10 09:20:26', '26082007'),
(425, 32, 39, 32.0101, '2019-06-10 09:20:56', '26082007'),
(426, 32, 38.9, 44.2466, '2019-06-10 09:21:26', '26082007'),
(427, 32.9, 36.8, 30.4384, '2019-06-10 09:22:49', '26082007'),
(428, 33, 37.1, 33.4334, '2019-06-10 09:23:19', '26082007'),
(429, 32.9, 36.9, 34.1441, '2019-06-10 09:23:49', '26082007'),
(430, 32.9, 36.8, 34.0616, '2019-06-10 09:24:19', '26082007'),
(431, 32.9, 36.6, 33.0982, '2019-06-10 09:24:59', '26082007'),
(432, 32.9, 36.9, 32.7905, '2019-06-10 09:25:29', '26082007'),
(433, 33, 37.1, 32.4572, '2019-06-10 09:25:59', '26082007'),
(434, 32.9, 37, 32.5397, '2019-06-10 09:26:29', '26082007'),
(435, 33, 36.9, 33.789, '2019-06-10 09:26:59', '26082007'),
(436, 33, 36.9, 33.2229, '2019-06-10 09:27:29', '26082007'),
(437, 33, 37.1, 33.1807, '2019-06-10 09:27:59', '26082007'),
(438, 33, 36.9, 33.221, '2019-06-10 09:28:29', '26082007'),
(439, 33, 36.9, 33.221, '2019-06-10 09:28:59', '26082007'),
(440, 33, 36.9, 33.221, '2019-06-10 09:29:30', '26082007'),
(441, 33, 36.9, 33.221, '2019-06-10 09:30:00', '26082007'),
(442, 33, 36.9, 33.221, '2019-06-10 09:30:30', '26082007'),
(443, 33, 36.9, 33.221, '2019-06-10 09:31:00', '26082007'),
(444, 33, 36.9, 33.221, '2019-06-10 09:31:30', '26082007'),
(445, 33, 36.9, 33.221, '2019-06-10 09:32:00', '26082007'),
(446, 33, 36.9, 33.221, '2019-06-10 09:32:30', '26082007'),
(447, 33, 36.9, 33.221, '2019-06-10 09:33:00', '26082007'),
(448, 33, 36.9, 33.221, '2019-06-10 09:33:30', '26082007'),
(449, 33, 36.9, 33.221, '2019-06-10 09:34:00', '26082007'),
(450, 33, 36.9, 33.221, '2019-06-10 09:34:30', '26082007'),
(451, 33, 36.9, 33.221, '2019-06-10 09:35:00', '26082007'),
(452, 33, 36.9, 33.221, '2019-06-10 09:35:30', '26082007'),
(453, 32.3, 37.6, 39.2862, '2019-06-10 09:41:48', '26082007'),
(454, 32.3, 37.6, 38.8557, '2019-06-10 09:42:18', '26082007'),
(455, 32.3, 37.8, 38.493, '2019-06-10 09:42:48', '26082007'),
(456, 32.2, 37.6, 37.8776, '2019-06-10 09:43:18', '26082007'),
(457, 32.2, 37.7, 35.1097, '2019-06-10 09:43:48', '26082007'),
(458, 32.2, 37.8, 35.2159, '2019-06-10 09:44:18', '26082007'),
(459, 32.2, 37.9, 35.8678, '2019-06-10 09:44:48', '26082007'),
(460, 32.2, 38, 35.9683, '2019-06-10 09:45:18', '26082007'),
(461, 32.1, 38, 35.4938, '2019-06-10 09:45:48', '26082007'),
(462, 32.1, 38, 33.9258, '2019-06-10 09:46:18', '26082007'),
(463, 32.1, 37.9, 33.62, '2019-06-10 09:46:48', '26082007'),
(464, 32.1, 38, 33.1658, '2019-06-10 09:47:18', '26082007'),
(465, 32, 38, 33.1018, '2019-06-10 09:47:48', '26082007'),
(466, 32, 38.1, 33.1421, '2019-06-10 09:48:18', '26082007'),
(467, 32, 38.1, 33.0909, '2019-06-10 09:48:48', '26082007'),
(468, 32, 38.1, 32.6073, '2019-06-10 09:49:20', '26082007'),
(469, 32, 38.3, 32.3655, '2019-06-10 09:49:49', '26082007'),
(470, 32, 38.5, 33.1459, '2019-06-10 09:50:19', '26082007'),
(471, 32, 38.5, 33.5048, '2019-06-10 09:50:49', '26082007'),
(472, 32.1, 38.4, 33.263, '2019-06-10 09:51:19', '26082007'),
(473, 32.1, 38.5, 32.5561, '2019-06-10 09:51:49', '26082007'),
(474, 32.1, 38.5, 32.5049, '2019-06-10 09:52:19', '26082007'),
(475, 32.1, 38.3, 31.9573, '2019-06-10 09:52:49', '26082007'),
(476, 32.2, 38.2, 31.4096, '2019-06-10 09:53:19', '26082007'),
(477, 32.1, 38.1, 31.842, '2019-06-10 09:53:50', '26082007'),
(478, 32.1, 38.1, 31.842, '2019-06-10 09:54:21', '26082007'),
(479, 32.1, 37.9, 31.8951, '2019-06-10 09:54:50', '26082007'),
(480, 32.2, 38.2, 31.3072, '2019-06-10 09:55:20', '26082007'),
(481, 32.2, 38.2, 30.9867, '2019-06-10 09:55:50', '26082007'),
(482, 32.1, 37.9, 30.4979, '2019-06-10 09:56:20', '26082007'),
(483, 32.1, 38.1, 31.4504, '2019-06-10 09:56:50', '26082007'),
(484, 32.1, 38.2, 31.4907, '2019-06-10 09:57:20', '26082007'),
(485, 32.1, 38.4, 32.4797, '2019-06-10 09:57:50', '26082007'),
(486, 32.1, 38.2, 32.7267, '2019-06-10 09:58:20', '26082007'),
(487, 32.1, 38.2, 33.0307, '2019-06-10 09:58:50', '26082007'),
(488, 32.1, 38.1, 31.6989, '2019-06-10 09:59:20', '26082007'),
(489, 32.1, 38.3, 31.9426, '2019-06-10 09:59:50', '26082007'),
(490, 32.1, 38.3, 31.9535, '2019-06-10 10:00:21', '26082007'),
(491, 32, 38.3, 31.4699, '2019-06-10 10:00:51', '26082007'),
(492, 32, 38.4, 32.0853, '2019-06-10 10:01:21', '26082007'),
(493, 32, 38.4, 32.1768, '2019-06-10 10:01:51', '26082007'),
(494, 32.1, 38.2, 32.118, '2019-06-10 10:02:21', '26082007'),
(495, 32, 38.3, 32.5154, '2019-06-10 10:02:51', '26082007'),
(496, 32, 38.5, 32.8321, '2019-06-10 10:03:21', '26082007'),
(497, 32, 38.3, 32.5718, '2019-06-10 10:03:51', '26082007'),
(498, 32, 38.5, 32.4343, '2019-06-10 10:04:21', '26082007'),
(499, 32, 38.5, 32.0953, '2019-06-10 10:04:51', '26082007'),
(500, 32.1, 38.6, 31.5477, '2019-06-10 10:05:21', '26082007'),
(501, 32, 38.5, 32.229, '2019-06-10 10:05:51', '26082007'),
(502, 32, 38.5, 32.8004, '2019-06-10 10:06:21', '26082007'),
(503, 32, 38.3, 31.8754, '2019-06-10 10:06:51', '26082007'),
(504, 32, 38.4, 32.2087, '2019-06-10 10:07:22', '26082007'),
(505, 32.1, 38.5, 32.4704, '2019-06-10 10:07:52', '26082007'),
(506, 32.1, 38.6, 32.8018, '2019-06-10 10:08:22', '26082007'),
(507, 32.1, 38.5, 31.351, '2019-06-10 10:08:52', '26082007'),
(508, 32, 38.5, 31.0087, '2019-06-10 10:09:22', '26082007'),
(509, 32, 38.5, 30.4886, '2019-06-10 10:09:52', '26082007'),
(510, 32, 38.5, 30.5345, '2019-06-10 10:10:27', '26082007'),
(511, 32, 38.5, 30.6445, '2019-06-10 10:10:57', '26082007'),
(512, 32, 38.3, 31.4083, '2019-06-10 10:11:27', '26082007'),
(513, 31.9, 38.4, 32.6373, '2019-06-10 10:11:59', '26082007'),
(514, 31.9, 38.6, 32.7928, '2019-06-10 10:12:29', '26082007'),
(515, 31.9, 38.7, 32.331, '2019-06-10 10:12:59', '26082007'),
(516, 31.9, 38.7, 34.1388, '2019-06-10 10:13:29', '26082007'),
(517, 31.9, 38.6, 32.7739, '2019-06-10 10:13:59', '26082007'),
(518, 31.9, 38.5, 32.6876, '2019-06-10 10:14:29', '26082007'),
(519, 31.9, 38.5, 33.1765, '2019-06-10 10:14:59', '26082007'),
(520, 31.9, 38.6, 33.0371, '2019-06-10 10:15:29', '26082007'),
(521, 31.9, 38.7, 32.3629, '2019-06-10 10:15:59', '26082007'),
(522, 31.9, 38.7, 32.7199, '2019-06-10 10:16:29', '26082007'),
(523, 31.9, 38.6, 32.6977, '2019-06-10 10:17:00', '26082007'),
(524, 31.9, 38.7, 32.4502, '2019-06-10 10:17:30', '26082007'),
(525, 31.9, 38.6, 32.6441, '2019-06-10 10:18:00', '26082007'),
(526, 31.9, 38.7, 32.8674, '2019-06-10 10:18:30', '26082007'),
(527, 31.9, 38.7, 32.3654, '2019-06-10 10:19:00', '26082007'),
(528, 31.8, 38.7, 32.9751, '2019-06-10 10:19:30', '26082007'),
(529, 31.8, 38.8, 32.821, '2019-06-10 10:20:00', '26082007'),
(530, 31.8, 39, 33.0828, '2019-06-10 10:20:30', '26082007'),
(531, 31.8, 39, 33.0771, '2019-06-10 10:21:00', '26082007'),
(532, 31.8, 39.1, 32.1592, '2019-06-10 10:21:30', '26082007'),
(533, 31.8, 39, 31.7543, '2019-06-10 10:22:00', '26082007'),
(534, 31.8, 39.1, 31.1152, '2019-06-10 10:22:30', '26082007'),
(535, 31.8, 39, 30.5273, '2019-06-10 10:23:00', '26082007'),
(536, 31.8, 39.1, 30.3955, '2019-06-10 10:23:31', '26082007'),
(537, 31.8, 39.3, 30.1025, '2019-06-10 10:24:01', '26082007'),
(538, 31.8, 39.4, 31.1484, '2019-06-10 10:24:31', '26082007'),
(539, 31.8, 39.5, 31.8316, '2019-06-10 10:25:01', '26082007'),
(540, 31.8, 39.2, 34.215, '2019-06-10 10:25:31', '26082007'),
(541, 31.8, 39.2, 33.5099, '2019-06-10 10:26:01', '26082007'),
(542, 31.9, 39.3, 33.2188, '2019-06-10 10:26:31', '26082007'),
(543, 31.9, 39.3, 33.7811, '2019-06-10 10:27:01', '26082007'),
(544, 31.9, 39.2, 33.0922, '2019-06-10 10:27:31', '26082007'),
(545, 31.9, 38.8, 33.1069, '2019-06-10 10:28:01', '26082007'),
(546, 31.9, 38.9, 32.8907, '2019-06-10 10:28:31', '26082007'),
(547, 31.9, 38.9, 32.006, '2019-06-10 10:29:04', '26082007'),
(548, 31.9, 38.8, 31.5262, '2019-06-10 10:29:34', '26082007'),
(549, 31.9, 38.8, 32.2554, '2019-06-10 10:30:04', '26082007'),
(550, 31.9, 38.7, 31.5025, '2019-06-10 10:30:34', '26082007'),
(551, 32, 38.7, 32.3744, '2019-06-10 10:31:04', '26082007'),
(552, 32, 38.6, 31.3541, '2019-06-10 10:31:34', '26082007'),
(553, 32, 38.6, 32.3981, '2019-06-10 10:32:06', '26082007'),
(554, 32, 38.6, 30.962, '2019-06-10 10:32:36', '26082007'),
(555, 32, 38.7, 32.0814, '2019-06-10 10:33:06', '26082007'),
(556, 32, 38.6, 33.6237, '2019-06-10 10:33:36', '26082007'),
(557, 32, 38.5, 34.6236, '2019-06-10 10:34:06', '26082007'),
(558, 32, 38.7, 33.6398, '2019-06-10 10:34:36', '26082007'),
(559, 32, 38.6, 33.812, '2019-06-10 10:35:06', '26082007'),
(560, 32, 38.5, 33.5133, '2019-06-10 10:35:36', '26082007'),
(561, 32, 38.6, 32.722, '2019-06-10 10:36:07', '26082007'),
(562, 32.1, 38.6, 33.0169, '2019-06-10 10:36:37', '26082007'),
(563, 32.1, 38.6, 32.2109, '2019-06-10 10:37:07', '26082007'),
(564, 32.1, 38.9, 31.8647, '2019-06-10 10:37:37', '26082007'),
(565, 32.2, 38.9, 32.6964, '2019-06-10 10:38:07', '26082007'),
(566, 32.2, 38.8, 32.4361, '2019-06-10 10:38:37', '26082007'),
(567, 32.2, 38.7, 33.244, '2019-06-10 10:39:07', '26082007'),
(568, 32.2, 38.6, 32.0587, '2019-06-10 10:39:37', '26082007'),
(569, 32.3, 38.6, 33.1852, '2019-06-10 10:40:07', '26082007'),
(570, 32.3, 38.4, 31.9762, '2019-06-10 10:40:37', '26082007'),
(571, 32.3, 38.4, 32.1156, '2019-06-10 10:41:07', '26082007'),
(572, 32.3, 38.4, 31.0844, '2019-06-10 10:41:37', '26082007'),
(573, 32.3, 38.4, 30.9947, '2019-06-10 10:42:07', '26082007'),
(574, 32.3, 38.2, 30.7733, '2019-06-10 10:42:37', '26082007'),
(575, 32.3, 38.3, 30.6747, '2019-06-10 10:43:07', '26082007'),
(576, 32.3, 38.4, 32.0468, '2019-06-10 10:43:38', '26082007'),
(577, 32.4, 38.3, 31.5613, '2019-06-10 10:44:08', '26082007'),
(578, 32.4, 38.2, 32.9077, '2019-06-10 10:44:38', '26082007'),
(579, 32.4, 38.3, 33.4113, '2019-06-10 10:45:12', '26082007'),
(580, 32.4, 38.3, 32.6271, '2019-06-10 10:45:42', '26082007'),
(581, 32.4, 38.3, 32.6252, '2019-06-10 10:46:12', '26082007'),
(582, 32.4, 38.1, 32.5043, '2019-06-10 10:46:42', '26082007'),
(583, 32.5, 38.1, 31.8064, '2019-06-10 10:47:12', '26082007'),
(584, 32.5, 38.2, 30.5225, '2019-06-10 10:47:42', '26082007'),
(585, 32.5, 38.2, 31.0924, '2019-06-10 10:48:13', '26082007'),
(586, 32.5, 38.1, 32.7665, '2019-06-10 10:48:43', '26082007'),
(587, 32.5, 38.1, 32.8945, '2019-06-10 10:49:13', '26082007'),
(588, 32.5, 38.1, 33.6967, '2019-06-10 10:49:43', '26082007'),
(589, 32.6, 38.1, 34.0281, '2019-06-10 10:50:13', '26082007'),
(590, 32.6, 38.2, 34.0775, '2019-06-10 10:50:43', '26082007'),
(591, 32.6, 38.2, 34.2055, '2019-06-10 10:51:13', '26082007'),
(592, 32.6, 38.2, 33.1155, '2019-06-10 10:51:43', '26082007'),
(593, 32.7, 37.9, 32.6191, '2019-06-10 10:52:13', '26082007'),
(594, 32.6, 38, 31.8041, '2019-06-10 10:52:43', '26082007'),
(595, 32.6, 38.1, 31.5476, '2019-06-10 10:53:13', '26082007'),
(596, 32.6, 38.1, 31.6301, '2019-06-10 10:53:43', '26082007'),
(597, 32.6, 37.9, 31.1925, '2019-06-10 10:54:13', '26082007'),
(598, 32.6, 37.9, 31.2787, '2019-06-10 10:54:46', '26082007'),
(599, 32.6, 37.8, 30.678, '2019-06-10 10:55:16', '26082007'),
(600, 32.6, 37.8, 31.8448, '2019-06-10 10:55:46', '26082007'),
(601, 32.6, 37.8, 30.055, '2019-06-10 10:56:16', '26082007'),
(602, 32.6, 37.7, 45.6492, '2019-06-10 10:56:46', '26082007'),
(603, 32.6, 37.7, 30.8919, '2019-06-10 10:57:16', '26082007'),
(604, 32.6, 37.9, 29.6957, '2019-06-10 10:57:47', '26082007'),
(605, 32.6, 37.9, 29.4596, '2019-06-10 10:58:21', '26082007'),
(606, 32.6, 38, 30.4211, '2019-06-10 10:58:51', '26082007'),
(607, 32.6, 38, 29.9356, '2019-06-10 10:59:21', '26082007'),
(608, 32.6, 38.1, 35.4752, '2019-06-10 10:59:51', '26082007'),
(609, 33.8, 36.6, 34.9987, '2019-06-10 11:00:49', '26082007'),
(610, 33.9, 37.3, 30.9227, '2019-06-10 11:01:19', '26082007'),
(611, 33.9, 37.6, 33.8774, '2019-06-10 11:01:49', '26082007'),
(612, 33.9, 37.8, 33.8315, '2019-06-10 11:02:19', '26082007'),
(613, 33.9, 37.4, 33.3094, '2019-06-10 11:02:49', '26082007'),
(614, 33.9, 37.4, 34.436, '2019-06-10 11:03:19', '26082007'),
(615, 33.9, 37, 34.1757, '2019-06-10 11:03:49', '26082007'),
(616, 33.9, 36.8, 33.8789, '2019-06-10 11:04:19', '26082007'),
(617, 33.9, 36.9, 33.4981, '2019-06-10 11:04:49', '26082007'),
(618, 33.9, 36.7, 33.5422, '2019-06-10 11:05:19', '26082007'),
(619, 34, 37, 33.9177, '2019-06-10 11:05:51', '26082007'),
(620, 34, 36.5, 34.3629, '2019-06-10 11:06:21', '26082007'),
(621, 34, 36.8, 35.3263, '2019-06-10 11:06:51', '26082007'),
(622, 34, 36.8, 36.1011, '2019-06-10 11:07:21', '26082007'),
(623, 34, 37.7, 48.3978, '2019-06-10 11:07:51', '26082007'),
(624, 34, 37.9, 48.1593, '2019-06-10 11:08:31', '26082007'),
(625, 34, 37, 48.1646, '2019-06-10 11:09:01', '26082007'),
(626, 34, 37.3, 48.1736, '2019-06-10 11:09:31', '26082007'),
(627, 34, 36.7, 46.5488, '2019-06-10 11:10:02', '26082007'),
(628, 34, 36.4, 30.3117, '2019-06-10 11:10:32', '26082007'),
(629, 34, 36, 34.1914, '2019-06-10 11:11:02', '26082007'),
(630, 34, 36.5, 46.7977, '2019-06-10 11:11:33', '26082007'),
(631, 34, 36.4, 30.5402, '2019-06-10 11:12:03', '26082007'),
(632, 34, 36.2, 30.1391, '2019-06-10 11:12:34', '26082007'),
(633, 34, 36.2, 29.39, '2019-06-10 11:13:03', '26082007'),
(634, 34, 36.4, 32.66, '2019-06-10 11:13:33', '26082007'),
(635, 34, 36.4, 33.6253, '2019-06-10 11:14:03', '26082007'),
(636, 34, 36.1, 33.6855, '2019-06-10 11:14:33', '26082007'),
(637, 34, 36, 34.2607, '2019-06-10 11:15:03', '26082007'),
(638, 34, 36.1, 34.0994, '2019-06-10 11:15:34', '26082007'),
(639, 34, 36.5, 33.8173, '2019-06-10 11:16:07', '26082007'),
(640, 34, 36.3, 33.8411, '2019-06-10 11:16:37', '26082007'),
(641, 34, 36.7, 33.7733, '2019-06-10 11:17:07', '26082007'),
(642, 34, 36.9, 31.9707, '2019-06-10 11:17:37', '26082007'),
(643, 34.1, 37, 31.1666, '2019-06-10 11:18:07', '26082007'),
(644, 34, 37, 33.2366, '2019-06-10 11:18:37', '26082007'),
(645, 34.1, 37.3, 31.7967, '2019-06-10 11:19:07', '26082007'),
(646, 34.1, 37.2, 31.6118, '2019-06-10 11:19:37', '26082007'),
(647, 34.1, 37.1, 32.4306, '2019-06-10 11:20:07', '26082007'),
(648, 34.1, 37.1, 33.0588, '2019-06-10 11:20:37', '26082007'),
(649, 34.2, 37.2, 33.4177, '2019-06-10 11:21:07', '26082007'),
(650, 34.2, 37.3, 33.8572, '2019-06-10 11:21:37', '26082007'),
(651, 34.2, 37.2, 32.6188, '2019-06-10 11:22:07', '26082007'),
(652, 34.2, 37.2, 32.6316, '2019-06-10 11:22:37', '26082007'),
(653, 34.2, 36.9, 33.6628, '2019-06-10 11:23:08', '26082007'),
(654, 34.3, 36.7, 33.1243, '2019-06-10 11:23:38', '26082007'),
(655, 34.3, 36.9, 33.6719, '2019-06-10 11:24:08', '26082007'),
(656, 34.3, 36.6, 34.0327, '2019-06-10 11:24:38', '26082007'),
(657, 34.3, 36.2, 32.0305, '2019-06-10 11:25:12', '26082007'),
(658, 34.4, 36.5, 32.1974, '2019-06-10 11:25:42', '26082007'),
(659, 34.4, 36.3, 31.8972, '2019-06-10 11:26:12', '26082007'),
(660, 34.4, 36.2, 31.2581, '2019-06-10 11:26:42', '26082007'),
(661, 34.4, 36.4, 31.1704, '2019-06-10 11:27:12', '26082007'),
(662, 34.4, 36.6, 30.8939, '2019-06-10 11:27:42', '26082007'),
(663, 34.4, 36.8, 30.5663, '2019-06-10 11:28:12', '26082007'),
(664, 34.4, 37.2, 34.9225, '2019-06-10 11:28:43', '26082007'),
(665, 34.4, 37.2, 35.168, '2019-06-10 11:29:13', '26082007'),
(666, 34.4, 36.6, 29.9584, '2019-06-10 11:29:43', '26082007'),
(667, 34.4, 36.7, 31.6823, '2019-06-10 11:30:13', '26082007'),
(668, 34.4, 36.6, 32.494, '2019-06-10 11:30:43', '26082007'),
(669, 34.4, 36, 32.8183, '2019-06-10 11:31:13', '26082007'),
(670, 34.4, 36.1, 32.5272, '2019-06-10 11:31:43', '26082007'),
(671, 34.4, 36.2, 32.6371, '2019-06-10 11:32:13', '26082007'),
(672, 34.4, 35.6, 32.5091, '2019-06-10 11:32:43', '26082007'),
(673, 34.4, 35.6, 32.0971, '2019-06-10 11:33:13', '26082007'),
(674, 34.5, 35.9, 32.2749, '2019-06-10 11:33:43', '26082007'),
(675, 34.4, 35.5, 32.1521, '2019-06-10 11:34:13', '26082007'),
(676, 34.4, 35.9, 33.482, '2019-06-10 11:34:44', '26082007'),
(677, 34.4, 35.7, 33.1539, '2019-06-10 11:35:14', '26082007'),
(678, 34.4, 36.2, 33.152, '2019-06-10 11:35:44', '26082007'),
(679, 34.4, 36.6, 33.1098, '2019-06-10 11:36:14', '26082007'),
(680, 34.4, 36.7, 32.8481, '2019-06-10 11:36:44', '26082007'),
(681, 34.4, 36.8, 33.6323, '2019-06-10 11:37:14', '26082007'),
(682, 34.4, 36.8, 33.0022, '2019-06-10 11:37:44', '26082007'),
(683, 34.5, 37, 32.4949, '2019-06-10 11:38:14', '26082007'),
(684, 34.4, 36.9, 32.189, '2019-06-10 11:38:44', '26082007'),
(685, 34.5, 36.2, 32.9841, '2019-06-10 11:39:14', '26082007'),
(686, 34.5, 36.9, 33.0628, '2019-06-10 11:39:44', '26082007'),
(687, 34.5, 36.9, 32.3502, '2019-06-10 11:40:14', '26082007'),
(688, 34.5, 36.7, 32.6911, '2019-06-10 11:40:44', '26082007'),
(689, 34.6, 36.9, 33.3231, '2019-06-10 11:41:14', '26082007'),
(690, 34.6, 36.6, 34.7005, '2019-06-10 11:41:45', '26082007'),
(691, 34.6, 36.5, 33.7295, '2019-06-10 11:42:15', '26082007'),
(692, 34.6, 36.4, 34.0206, '2019-06-10 11:42:45', '26082007'),
(693, 34.6, 36.4, 34.4454, '2019-06-10 11:43:15', '26082007'),
(694, 34.6, 36.6, 34.9911, '2019-06-10 11:43:45', '26082007'),
(695, 34.6, 37, 34.9196, '2019-06-10 11:44:15', '26082007'),
(696, 34.6, 36.6, 34.7674, '2019-06-10 11:44:45', '26082007'),
(697, 34.6, 36.2, 33.3256, '2019-06-10 11:45:15', '26082007'),
(698, 34.6, 36.5, 34.1847, '2019-06-10 11:45:45', '26082007'),
(699, 34.6, 36.1, 34.289, '2019-06-10 11:46:15', '26082007'),
(700, 34.6, 36, 33.8438, '2019-06-10 11:46:46', '26082007'),
(701, 34.6, 36.3, 34.4189, '2019-06-10 11:47:16', '26082007'),
(702, 34.6, 36.5, 33.1312, '2019-06-10 11:47:46', '26082007'),
(703, 34.6, 36.5, 34.2468, '2019-06-10 11:48:16', '26082007'),
(704, 34.6, 36.6, 33.3199, '2019-06-10 11:48:51', '26082007'),
(705, 34.6, 36.2, 33.1881, '2019-06-10 11:49:21', '26082007'),
(706, 34.6, 36.3, 33.9116, '2019-06-10 11:49:51', '26082007'),
(707, 34.6, 36.1, 30.79, '2019-06-10 11:50:21', '26082007'),
(708, 34.6, 36.1, 30.6801, '2019-06-10 11:50:51', '26082007'),
(709, 34.6, 36.3, 30.9053, '2019-06-10 11:51:21', '26082007'),
(710, 34.6, 36.6, 31.1158, '2019-06-10 11:51:51', '26082007'),
(711, 34.7, 36.6, 31.2329, '2019-06-10 11:52:21', '26082007'),
(712, 34.6, 36.5, 30.7602, '2019-06-10 11:52:51', '26082007'),
(713, 34.7, 36.6, 30.9726, '2019-06-10 11:53:21', '26082007'),
(714, 34.7, 36.7, 29.5, '2019-06-10 11:53:51', '26082007'),
(715, 34.7, 36.6, 29.024, '2019-06-10 11:54:21', '26082007'),
(716, 34.7, 36.6, 29.7916, '2019-06-10 11:54:52', '26082007'),
(717, 34.7, 36.6, 30.471, '2019-06-10 11:55:22', '26082007'),
(718, 34.7, 36.5, 30.3885, '2019-06-10 11:55:52', '26082007'),
(719, 34.7, 36.4, 30.9745, '2019-06-10 11:56:22', '26082007'),
(720, 34.7, 36.3, 31.3719, '2019-06-10 11:56:52', '26082007'),
(721, 34.8, 36.5, 31.6374, '2019-06-10 11:57:22', '26082007'),
(722, 34.8, 36.5, 31.7161, '2019-06-10 11:57:52', '26082007'),
(723, 34.8, 36.4, 31.5914, '2019-06-10 11:58:22', '26082007'),
(724, 34.8, 36.4, 31.6535, '2019-06-10 11:58:52', '26082007'),
(725, 34.8, 36.4, 31.8787, '2019-06-10 11:59:22', '26082007'),
(726, 34.9, 36.4, 32.0637, '2019-06-10 11:59:52', '26082007'),
(727, 34.9, 36, 32.0343, '2019-06-10 12:00:22', '26082007'),
(728, 34.9, 36.6, 32.0836, '2019-06-10 12:00:52', '26082007'),
(729, 34.9, 36.4, 31.9205, '2019-06-10 12:01:22', '26082007'),
(730, 34.9, 36.4, 32.0504, '2019-06-10 12:01:52', '26082007'),
(731, 34.9, 36.3, 31.9935, '2019-06-10 12:02:22', '26082007'),
(732, 35, 36.5, 31.6161, '2019-06-10 12:02:53', '26082007'),
(733, 35, 36.4, 31.6142, '2019-06-10 12:03:23', '26082007'),
(734, 35, 35.9, 31.3834, '2019-06-10 12:03:53', '26082007'),
(735, 35, 36, 31.1947, '2019-06-10 12:04:23', '26082007'),
(736, 35, 36, 31.5555, '2019-06-10 12:04:53', '26082007'),
(737, 35, 35.9, 32.3596, '2019-06-10 12:05:23', '26082007'),
(738, 35, 35.7, 32.975, '2019-06-10 12:05:53', '26082007'),
(739, 35, 35.3, 32.5573, '2019-06-10 12:06:23', '26082007'),
(740, 35, 35.4, 32.1524, '2019-06-10 12:06:53', '26082007'),
(741, 35, 35.5, 31.8025, '2019-06-10 12:07:23', '26082007'),
(742, 34.9, 35, 31.6176, '2019-06-10 12:07:53', '26082007'),
(743, 34.9, 35.2, 31.9509, '2019-06-10 12:08:23', '26082007'),
(744, 34.9, 35.3, 30.9434, '2019-06-10 12:08:53', '26082007'),
(745, 34.9, 35.2, 31.5479, '2019-06-10 12:09:23', '26082007'),
(746, 34.9, 35.4, 30.905, '2019-06-10 12:09:53', '26082007'),
(747, 34.9, 35.6, 30.4489, '2019-06-10 12:10:23', '26082007'),
(748, 34.9, 35.5, 30.264, '2019-06-10 12:10:54', '26082007'),
(749, 34.9, 35.5, 31.0131, '2019-06-10 12:11:24', '26082007'),
(750, 34.8, 35.6, 30.9837, '2019-06-10 12:11:54', '26082007'),
(751, 34.8, 35.4, 31.3829, '2019-06-10 12:12:24', '26082007'),
(752, 34.8, 35.5, 31.4763, '2019-06-10 12:12:54', '26082007'),
(753, 34.8, 35.6, 31.5806, '2019-06-10 12:13:24', '26082007'),
(754, 34.8, 35.4, 31.6062, '2019-06-10 12:13:54', '26082007'),
(755, 34.7, 35.8, 38.7887, '2019-06-10 12:14:24', '26082007'),
(756, 34.7, 35.7, 33.2382, '2019-06-10 12:14:54', '26082007'),
(757, 34.7, 36, 34.1632, '2019-06-10 12:15:24', '26082007'),
(758, 34.7, 35.9, 33.4141, '2019-06-10 12:15:56', '26082007'),
(759, 34.7, 36.1, 32.8702, '2019-06-10 12:16:26', '26082007'),
(760, 34.7, 35.7, 32.6872, '2019-06-10 12:16:56', '26082007'),
(761, 34.6, 35.8, 32.9584, '2019-06-10 12:17:26', '26082007'),
(762, 34.6, 35.7, 32.0372, '2019-06-10 12:17:56', '26082007'),
(763, 34.6, 36, 33.4093, '2019-06-10 12:18:26', '26082007'),
(764, 34.5, 35.9, 33.7682, '2019-06-10 12:18:57', '26082007'),
(765, 34.5, 36.4, 33.9678, '2019-06-10 12:19:27', '26082007'),
(766, 34.5, 35.9, 32.7607, '2019-06-10 12:19:57', '26082007'),
(767, 34.5, 35.9, 33.4605, '2019-06-10 12:20:27', '26082007'),
(768, 34.5, 36.1, 33.9678, '2019-06-10 12:20:57', '26082007'),
(769, 34.5, 36.1, 34.5154, '2019-06-10 12:21:27', '26082007'),
(770, 34.5, 35.9, 34.5628, '2019-06-10 12:21:57', '26082007'),
(771, 34.4, 36, 33.1286, '2019-06-10 12:22:27', '26082007'),
(772, 34.4, 35.9, 32.8849, '2019-06-10 12:22:57', '26082007'),
(773, 34.4, 36, 33.0717, '2019-06-10 12:23:27', '26082007'),
(774, 34.4, 36, 31.9599, '2019-06-10 12:23:57', '26082007'),
(775, 34.3, 36, 31.9618, '2019-06-10 12:24:27', '26082007'),
(776, 34.3, 35.9, 31.6579, '2019-06-10 12:24:57', '26082007'),
(777, 34.3, 36, 32.9437, '2019-06-10 12:25:27', '26082007'),
(778, 34.3, 35.9, 32.6028, '2019-06-10 12:25:57', '26082007'),
(779, 34.2, 36, 33.2841, '2019-06-10 12:26:27', '26082007'),
(780, 34.2, 36.1, 33.2695, '2019-06-10 12:26:58', '26082007'),
(781, 34.2, 36.2, 32.6081, '2019-06-10 12:27:28', '26082007'),
(782, 34.2, 36.1, 33.4269, '2019-06-10 12:27:58', '26082007'),
(783, 34.2, 36.2, 33.6649, '2019-06-10 12:28:33', '26082007'),
(784, 34.2, 36.5, 31.007, '2019-06-10 12:29:03', '26082007'),
(785, 34.2, 36.8, 45.9692, '2019-06-10 12:29:33', '26082007'),
(786, 34.2, 37.4, 30.2669, '2019-06-10 12:30:03', '26082007'),
(787, 34.2, 37.1, 37.1236, '2019-06-10 12:30:33', '26082007'),
(788, 34.2, 36.5, 33.9583, '2019-06-10 12:31:04', '26082007'),
(789, 34.2, 37, 34.5884, '2019-06-10 12:31:34', '26082007'),
(790, 34.2, 37, 34.9071, '2019-06-10 12:32:04', '26082007'),
(791, 34.2, 36.5, 33.6028, '2019-06-10 12:32:34', '26082007'),
(792, 34.2, 36.5, 33.8465, '2019-06-10 12:33:04', '26082007'),
(793, 34.2, 36.3, 34.6378, '2019-06-10 12:33:34', '26082007'),
(794, 34.2, 36.3, 33.2126, '2019-06-10 12:34:04', '26082007'),
(795, 34.2, 36.1, 34.6231, '2019-06-10 12:34:36', '26082007'),
(796, 34.2, 36.2, 34.4491, '2019-06-10 12:35:06', '26082007'),
(797, 34.2, 36.2, 34.7421, '2019-06-10 12:35:36', '26082007'),
(798, 34.2, 36.4, 34.9801, '2019-06-10 12:36:07', '26082007'),
(799, 34.2, 36.3, 33.7711, '2019-06-10 12:36:37', '26082007'),
(800, 34.1, 36.1, 33.5184, '2019-06-10 12:37:07', '26082007'),
(801, 34.1, 36.1, 34.1613, '2019-06-10 12:37:38', '26082007'),
(802, 34.1, 36, 34.9782, '2019-06-10 12:38:09', '26082007'),
(803, 34.1, 36.1, 34.5074, '2019-06-10 12:38:38', '26082007'),
(804, 34.1, 36.1, 33.4231, '2019-06-10 12:39:08', '26082007'),
(805, 34.1, 35.9, 33.3501, '2019-06-10 12:39:38', '26082007'),
(806, 34, 36, 33.7, '2019-06-10 12:40:08', '26082007'),
(807, 34, 36, 33.8777, '2019-06-10 12:40:38', '26082007'),
(808, 34, 36.1, 33.341, '2019-06-10 12:41:08', '26082007'),
(809, 34, 36.2, 34.4144, '2019-06-10 12:41:42', '26082007'),
(810, 34, 36.4, 34.0517, '2019-06-10 12:42:12', '26082007'),
(811, 34, 36.6, 33.103, '2019-06-10 12:42:42', '26082007'),
(812, 34, 36.4, 33.6307, '2019-06-10 12:43:12', '26082007'),
(813, 34, 36.3, 33.8488, '2019-06-10 12:43:42', '26082007'),
(814, 34, 36.2, 33.4624, '2019-06-10 12:44:12', '26082007'),
(815, 34, 36.3, 33.587, '2019-06-10 12:44:42', '26082007'),
(816, 33.9, 36.4, 32.7151, '2019-06-10 12:45:12', '26082007'),
(817, 33.9, 36.6, 33.34, '2019-06-10 12:45:42', '26082007'),
(818, 33.9, 36.6, 33.7027, '2019-06-10 12:46:12', '26082007'),
(819, 33.9, 37.4, 33.1001, '2019-06-10 12:46:46', '26082007'),
(820, 33.9, 37.3, 32.8218, '2019-06-10 12:47:16', '26082007'),
(821, 33.9, 37, 33.6297, '2019-06-10 12:47:46', '26082007'),
(822, 33.9, 36.9, 33.0674, '2019-06-10 12:48:19', '26082007'),
(823, 33.9, 36.6, 33.3111, '2019-06-10 12:48:49', '26082007'),
(824, 33.9, 36.6, 30.446, '2019-06-10 12:49:19', '26082007'),
(825, 33.9, 36.9, 34.256, '2019-06-10 12:49:51', '26082007'),
(826, 34, 37, 34.1844, '2019-06-10 12:50:22', '26082007'),
(827, 34, 37.3, 34.5011, '2019-06-10 12:50:52', '26082007'),
(828, 34, 37.3, 34.4021, '2019-06-10 12:51:22', '26082007'),
(829, 34, 37.3, 34.3305, '2019-06-10 12:51:53', '26082007'),
(830, 34, 37.4, 34.193, '2019-06-10 12:52:22', '26082007'),
(831, 34, 37.3, 33.0243, '2019-06-10 12:52:55', '26082007');
INSERT INTO `data` (`id`, `room_temp`, `room_humd`, `baby_temp`, `timestamp`, `device_id`) VALUES
(832, 34, 37.3, 33.5226, '2019-06-10 12:53:25', '26082007'),
(833, 34.1, 37.2, 32.6455, '2019-06-10 12:53:55', '26082007'),
(834, 34.1, 37.2, 32.9166, '2019-06-10 12:54:25', '26082007'),
(835, 34.1, 37.2, 33.2372, '2019-06-10 12:54:55', '26082007'),
(836, 34.1, 37.3, 32.1656, '2019-06-10 12:55:25', '26082007'),
(837, 34.2, 37.3, 31.9314, '2019-06-10 12:55:55', '26082007'),
(838, 34.2, 36.7, 32.2576, '2019-06-10 12:56:25', '26082007'),
(839, 34.2, 36.8, 33.2613, '2019-06-10 12:56:55', '26082007'),
(840, 34.2, 37, 33.697, '2019-06-10 12:57:25', '26082007'),
(841, 34.2, 36.8, 33.5761, '2019-06-10 12:57:55', '26082007'),
(842, 34.2, 36.7, 33.3855, '2019-06-10 12:58:25', '26082007'),
(843, 34.2, 36.8, 31.9238, '2019-06-10 12:58:55', '26082007'),
(844, 34.2, 36.9, 32.9313, '2019-06-10 12:59:25', '26082007'),
(845, 34.3, 36.9, 32.9019, '2019-06-10 12:59:55', '26082007'),
(846, 34.3, 36.8, 33.8526, '2019-06-10 13:00:25', '26082007'),
(847, 34.2, 37.3, 33.085, '2019-06-10 13:00:56', '26082007'),
(848, 34.3, 36.9, 33.3083, '2019-06-10 13:01:26', '26082007'),
(849, 34.3, 36.8, 32.746, '2019-06-10 13:01:56', '26082007'),
(850, 34.3, 36.9, 32.6398, '2019-06-10 13:02:26', '26082007'),
(851, 34.3, 36.7, 33.0428, '2019-06-10 13:02:56', '26082007'),
(852, 34.3, 36.8, 32.8228, '2019-06-10 13:03:26', '26082007'),
(853, 34.3, 36.9, 33.4657, '2019-06-10 13:03:56', '26082007'),
(854, 34.3, 36.6, 33.7421, '2019-06-10 13:04:26', '26082007'),
(855, 34.3, 36.9, 33.938, '2019-06-10 13:04:56', '26082007'),
(856, 34.3, 36.6, 34.634, '2019-06-10 13:05:26', '26082007'),
(857, 34.3, 36.6, 34.3097, '2019-06-10 13:05:56', '26082007'),
(858, 34.3, 36.5, 34.0532, '2019-06-10 13:06:26', '26082007'),
(859, 34.3, 35.8, 34.3993, '2019-06-10 13:06:56', '26082007'),
(860, 34.3, 36.1, 33.9522, '2019-06-10 13:07:27', '26082007'),
(861, 34.3, 36.3, 33.9375, '2019-06-10 13:07:57', '26082007'),
(862, 34.3, 36.8, 37.4417, '2019-06-10 13:08:27', '26082007'),
(863, 34.3, 36.8, 37.1725, '2019-06-10 13:08:57', '26082007'),
(864, 34.3, 36.9, 37.1962, '2019-06-10 13:09:27', '26082007'),
(865, 34.4, 36.9, 37.0459, '2019-06-10 13:09:57', '26082007'),
(866, 34.4, 36.9, 36.2527, '2019-06-10 13:10:27', '26082007'),
(867, 34.4, 36.5, 36.2655, '2019-06-10 13:10:57', '26082007'),
(868, 34.4, 36.5, 36.8188, '2019-06-10 13:11:27', '26082007'),
(869, 34.4, 36.5, 39.7038, '2019-06-10 13:11:57', '26082007'),
(870, 34.4, 37, 40.607, '2019-06-10 13:12:27', '26082007'),
(871, 34.4, 37.3, 41.1987, '2019-06-10 13:12:57', '26082007'),
(872, 34.4, 37.1, 35.6354, '2019-06-10 13:13:27', '26082007'),
(873, 34.4, 37, 35.9175, '2019-06-10 13:13:57', '26082007'),
(874, 34.4, 37, 44.1771, '2019-06-10 13:14:27', '26082007'),
(875, 34.5, 37.1, 43.5963, '2019-06-10 13:14:57', '26082007'),
(876, 34.5, 36.9, 43.8618, '2019-06-10 13:15:27', '26082007'),
(877, 34.5, 36.8, 43.4844, '2019-06-10 13:15:57', '26082007'),
(878, 34.5, 36.7, 43.2004, '2019-06-10 13:16:27', '26082007'),
(879, 34.6, 36.7, 42.7827, '2019-06-10 13:16:57', '26082007'),
(880, 34.6, 36.8, 32.0335, '2019-06-10 13:17:28', '26082007'),
(881, 34.6, 36.4, 32.0445, '2019-06-10 13:17:58', '26082007'),
(882, 34.6, 36.1, 31.8942, '2019-06-10 13:18:28', '26082007'),
(883, 34.6, 36, 31.4234, '2019-06-10 13:18:58', '26082007'),
(884, 34.6, 36.2, 31.3447, '2019-06-10 13:19:28', '26082007'),
(885, 34.6, 36.2, 31.5609, '2019-06-10 13:19:58', '26082007'),
(886, 34.5, 36, 31.2385, '2019-06-10 13:20:28', '26082007'),
(887, 34.5, 36, 31.5168, '2019-06-10 13:20:58', '26082007'),
(888, 34.5, 36.3, 31.385, '2019-06-10 13:21:28', '26082007'),
(889, 34.5, 36.6, 46.4022, '2019-06-10 13:21:58', '26082007'),
(890, 34.5, 36.9, 45.0595, '2019-06-10 13:22:28', '26082007'),
(891, 34.5, 36.8, 31.0901, '2019-06-10 13:22:58', '26082007'),
(892, 34.5, 36.6, 30.8392, '2019-06-10 13:23:28', '26082007'),
(893, 34.5, 36.2, 31.1507, '2019-06-10 13:23:58', '26082007'),
(894, 34.5, 36.4, 31.31, '2019-06-10 13:24:28', '26082007'),
(895, 34.5, 36.6, 31.2422, '2019-06-10 13:24:58', '26082007'),
(896, 34.5, 36.8, 31.5627, '2019-06-10 13:25:28', '26082007'),
(897, 34.5, 36.8, 43.9605, '2019-06-10 13:25:58', '26082007'),
(898, 34.6, 37, 31.3978, '2019-06-10 13:26:29', '26082007'),
(899, 34.6, 37.1, 31.3831, '2019-06-10 13:26:59', '26082007'),
(900, 34.6, 37, 31.1944, '2019-06-10 13:27:29', '26082007'),
(901, 34.6, 37, 31.1138, '2019-06-10 13:27:59', '26082007'),
(902, 34.6, 36.9, 31.0588, '2019-06-10 13:28:29', '26082007'),
(903, 34.6, 36.9, 44.9367, '2019-06-10 13:28:59', '26082007'),
(904, 34.7, 37.3, 45.206, '2019-06-10 13:29:29', '26082007'),
(905, 34.7, 37.3, 31.101, '2019-06-10 13:29:59', '26082007'),
(906, 34.7, 37.2, 30.927, '2019-06-10 13:30:29', '26082007'),
(907, 34.7, 36.9, 30.8592, '2019-06-10 13:30:59', '26082007'),
(908, 34.7, 37.2, 30.8189, '2019-06-10 13:31:29', '26082007'),
(909, 34.8, 37.3, 30.7018, '2019-06-10 13:31:59', '26082007'),
(910, 34.8, 37.3, 30.5187, '2019-06-10 13:32:29', '26082007'),
(911, 34.9, 38, 30.8833, '2019-06-10 13:32:59', '26082007'),
(912, 34.9, 37.5, 30.7624, '2019-06-10 13:33:29', '26082007'),
(913, 34.9, 37.1, 30.3229, '2019-06-10 13:33:59', '26082007'),
(914, 34.9, 37, 30.8743, '2019-06-10 13:34:30', '26082007'),
(915, 34.9, 37, 42.7628, '2019-06-10 13:35:00', '26082007'),
(916, 34.9, 37, 42.4276, '2019-06-10 13:35:30', '26082007'),
(917, 35, 37, 41.3542, '2019-06-10 13:36:00', '26082007'),
(918, 35, 36.8, 28.1524, '2019-06-10 13:36:30', '26082007'),
(919, 35, 36.9, 31.1986, '2019-06-10 13:37:00', '26082007'),
(920, 35, 37, 31.6125, '2019-06-10 13:37:30', '26082007'),
(921, 35.1, 36.9, 45.461, '2019-06-10 13:38:00', '26082007'),
(922, 35, 36.9, 44.774, '2019-06-10 13:38:30', '26082007'),
(923, 35, 36.8, 31.3394, '2019-06-10 13:39:00', '26082007'),
(924, 35.1, 37, 31.3138, '2019-06-10 13:39:30', '26082007'),
(925, 35.1, 37.1, 31.8102, '2019-06-10 13:40:00', '26082007'),
(926, 35.1, 37, 31.823, '2019-06-10 13:40:30', '26082007'),
(927, 35.1, 36.9, 31.8742, '2019-06-10 13:41:00', '26082007'),
(928, 35.2, 36.8, 31.9786, '2019-06-10 13:41:30', '26082007'),
(929, 35.2, 36.6, 31.9895, '2019-06-10 13:42:00', '26082007'),
(930, 35.2, 36.6, 32.31, '2019-06-10 13:42:30', '26082007'),
(931, 35.2, 36.3, 33.3578, '2019-06-10 13:43:00', '26082007'),
(932, 35.2, 36.8, 33.3028, '2019-06-10 13:43:30', '26082007'),
(933, 35.2, 36.7, 33.2734, '2019-06-10 13:44:01', '26082007'),
(934, 35.3, 36.8, 33.2075, '2019-06-10 13:44:31', '26082007'),
(935, 35.2, 36.6, 32.9107, '2019-06-10 13:45:01', '26082007'),
(936, 35.3, 37, 32.5243, '2019-06-10 13:45:31', '26082007'),
(937, 35.3, 36.7, 32.887, '2019-06-10 13:46:01', '26082007'),
(938, 35.3, 36.7, 33.464, '2019-06-10 13:46:31', '26082007'),
(939, 35.3, 36.4, 32.6746, '2019-06-10 13:47:01', '26082007'),
(940, 35.3, 36.4, 33.4019, '2019-06-10 13:47:31', '26082007'),
(941, 35.3, 36.4, 33.6162, '2019-06-10 13:48:01', '26082007'),
(942, 35.4, 36.6, 33.0538, '2019-06-10 13:48:34', '26082007'),
(943, 35.4, 36.5, 33.5246, '2019-06-10 13:49:04', '26082007'),
(944, 35.4, 36.1, 33.5521, '2019-06-10 13:49:34', '26082007'),
(945, 35.4, 36.1, 33.6712, '2019-06-10 13:50:04', '26082007'),
(946, 35.4, 36.5, 33.0832, '2019-06-10 13:50:34', '26082007'),
(947, 35.5, 36.5, 32.7205, '2019-06-10 13:51:04', '26082007'),
(948, 35.5, 36.2, 33.1126, '2019-06-10 13:51:34', '26082007'),
(949, 35.5, 36.3, 32.5631, '2019-06-10 13:52:04', '26082007'),
(950, 35.5, 36.3, 32.6859, '2019-06-10 13:52:35', '26082007'),
(951, 35.5, 36.2, 32.5266, '2019-06-10 13:53:05', '26082007'),
(952, 35.6, 37, 32.6878, '2019-06-10 13:53:35', '26082007'),
(953, 35.5, 36.6, 31.6272, '2019-06-10 13:54:05', '26082007'),
(954, 35.6, 35.9, 31.4385, '2019-06-10 13:54:35', '26082007'),
(955, 35.6, 35.7, 31.1986, '2019-06-10 13:55:05', '26082007'),
(956, 35.5, 36.2, 33.1202, '2019-06-10 13:55:35', '26082007'),
(957, 35.5, 36.5, 45.8806, '2019-06-10 13:56:05', '26082007'),
(958, 35.5, 36.5, 29.6653, '2019-06-10 13:56:35', '26082007'),
(959, 35.6, 36.4, 31.2498, '2019-06-10 13:57:06', '26082007'),
(960, 35.6, 36.4, 31.475, '2019-06-10 13:57:36', '26082007'),
(961, 35.6, 36.1, 31.8761, '2019-06-10 13:58:06', '26082007'),
(962, 35.6, 36, 31.713, '2019-06-10 13:58:36', '26082007'),
(963, 35.6, 36.4, 31.191, '2019-06-10 13:59:06', '26082007'),
(964, 35.6, 36.9, 31.997, '2019-06-10 13:59:37', '26082007'),
(965, 35.6, 36.6, 34.4515, '2019-06-10 14:00:07', '26082007'),
(966, 35.6, 35.6, 33.4019, '2019-06-10 14:00:37', '26082007'),
(967, 35.6, 36.1, 45.0614, '2019-06-10 14:01:07', '26082007'),
(968, 35.6, 35.6, 29.5715, '2019-06-10 14:01:41', '26082007'),
(969, 35.6, 35.7, 32.8761, '2019-06-10 14:02:11', '26082007'),
(970, 35.6, 36.2, 33.0354, '2019-06-10 14:02:41', '26082007'),
(971, 35.6, 35.7, 33.0316, '2019-06-10 14:03:11', '26082007'),
(972, 35.6, 36.2, 33.1122, '2019-06-10 14:03:44', '26082007'),
(973, 35.6, 36.6, 32.7348, '2019-06-10 14:04:14', '26082007'),
(974, 35.6, 36.6, 32.5864, '2019-06-10 14:04:44', '26082007'),
(975, 35.6, 36.7, 32.5058, '2019-06-10 14:05:14', '26082007'),
(976, 35.6, 36.3, 32.7988, '2019-06-10 14:05:44', '26082007'),
(977, 35.6, 36.3, 32.676, '2019-06-10 14:06:14', '26082007'),
(978, 35.6, 36.4, 32.6888, '2019-06-10 14:06:44', '26082007'),
(979, 35.6, 36.4, 32.7016, '2019-06-10 14:07:14', '26082007'),
(980, 35.7, 36.3, 32.6082, '2019-06-10 14:07:45', '26082007'),
(981, 35.7, 36.2, 32.3408, '2019-06-10 14:08:15', '26082007'),
(982, 35.7, 36.3, 32.5954, '2019-06-10 14:08:45', '26082007'),
(983, 35.7, 36.6, 32.3683, '2019-06-10 14:09:15', '26082007'),
(984, 35.7, 36.4, 32.2199, '2019-06-10 14:09:45', '26082007'),
(985, 35.7, 36.2, 32.3152, '2019-06-10 14:10:15', '26082007'),
(986, 35.7, 36, 32.5404, '2019-06-10 14:10:45', '26082007'),
(987, 35.8, 36, 32.5807, '2019-06-10 14:11:15', '26082007'),
(988, 35.7, 36.1, 32.6613, '2019-06-10 14:11:45', '26082007'),
(989, 35.7, 36, 32.4726, '2019-06-10 14:12:15', '26082007'),
(990, 35.8, 36.1, 32.1924, '2019-06-10 14:12:45', '26082007'),
(991, 35.8, 36.2, 32.1393, '2019-06-10 14:13:15', '26082007'),
(992, 35.8, 35.6, 32.1796, '2019-06-10 14:13:45', '26082007'),
(993, 35.8, 36, 36.8198, '2019-06-10 14:14:15', '26082007'),
(994, 35.8, 36.1, 34.389, '2019-06-10 14:14:45', '26082007'),
(995, 35.8, 36, 34.0557, '2019-06-10 14:15:15', '26082007'),
(996, 35.8, 35.8, 33.7608, '2019-06-10 14:15:45', '26082007'),
(997, 35.8, 35.7, 33.6655, '2019-06-10 14:16:15', '26082007'),
(998, 35.8, 35.6, 34.389, '2019-06-10 14:16:45', '26082007');
-- --------------------------------------------------------
--
-- Table structure for table `device`
--
CREATE TABLE `device` (
`id` varchar(64) COLLATE utf8_bin NOT NULL,
`ir_led` int(11) DEFAULT NULL,
`update_period` int(11) DEFAULT NULL,
`baby_status` int(11) NOT NULL,
`device_status` tinyint(1) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin;
--
-- Dumping data for table `device`
--
INSERT INTO `device` (`id`, `ir_led`, `update_period`, `baby_status`, `device_status`) VALUES
('26082007', NULL, NULL, 6, 0);
-- --------------------------------------------------------
--
-- Table structure for table `notification`
--
CREATE TABLE `notification` (
`id` int(11) NOT NULL,
`user_id` int(11) DEFAULT NULL,
`code` int(11) NOT NULL,
`timestamp` datetime NOT NULL,
`is_opened` tinyint(1) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin;
--
-- Dumping data for table `notification`
--
INSERT INTO `notification` (`id`, `user_id`, `code`, `timestamp`, `is_opened`) VALUES
(1, 3, 6, '2019-04-10 17:20:31', 0),
(2, 4, 6, '2019-04-10 17:20:31', 0),
(3, 3, 6, '2019-04-28 13:30:37', 0),
(4, 4, 6, '2019-04-28 13:30:37', 0),
(5, 3, 6, '2019-04-28 13:31:12', 0),
(6, 4, 6, '2019-04-28 13:31:12', 0),
(7, 3, 6, '2019-04-28 13:32:11', 0),
(8, 4, 6, '2019-04-28 13:32:11', 0),
(9, 3, 6, '2019-04-28 13:35:20', 0),
(10, 4, 6, '2019-04-28 13:35:20', 0),
(11, 3, 6, '2019-05-07 17:32:43', 0),
(12, 4, 6, '2019-05-07 17:32:43', 0),
(13, 5, 6, '2019-05-07 17:32:43', 0),
(14, 3, 6, '2019-05-07 17:33:20', 0),
(15, 4, 6, '2019-05-07 17:33:20', 0),
(16, 5, 6, '2019-05-07 17:33:20', 0),
(17, 3, 6, '2019-05-07 17:36:05', 0),
(18, 4, 6, '2019-05-07 17:36:05', 0),
(19, 5, 6, '2019-05-07 17:36:05', 0),
(20, 3, 6, '2019-05-07 17:36:48', 0),
(21, 4, 6, '2019-05-07 17:36:48', 0),
(22, 5, 6, '2019-05-07 17:36:48', 0),
(23, 3, 6, '2019-05-07 17:37:16', 0),
(24, 4, 6, '2019-05-07 17:37:16', 0),
(25, 5, 6, '2019-05-07 17:37:16', 0),
(26, 3, 6, '2019-05-07 17:41:36', 0),
(27, 4, 6, '2019-05-07 17:41:36', 0),
(28, 5, 6, '2019-05-07 17:41:36', 0),
(29, 3, 6, '2019-05-07 17:43:36', 0),
(30, 4, 6, '2019-05-07 17:43:36', 0),
(31, 5, 6, '2019-05-07 17:43:36', 0),
(32, 3, 6, '2019-05-07 17:45:39', 0),
(33, 4, 6, '2019-05-07 17:45:39', 0),
(34, 5, 6, '2019-05-07 17:45:39', 0),
(35, 3, 6, '2019-05-07 17:46:09', 0),
(36, 4, 6, '2019-05-07 17:46:09', 0),
(37, 5, 6, '2019-05-07 17:46:09', 0),
(38, 3, 6, '2019-05-07 17:46:11', 0),
(39, 4, 6, '2019-05-07 17:46:11', 0),
(40, 5, 6, '2019-05-07 17:46:11', 0),
(41, 3, 6, '2019-05-07 17:46:14', 0),
(42, 4, 6, '2019-05-07 17:46:14', 0),
(43, 5, 6, '2019-05-07 17:46:14', 0),
(44, 3, 6, '2019-05-07 17:46:16', 0),
(45, 4, 6, '2019-05-07 17:46:16', 0),
(46, 5, 6, '2019-05-07 17:46:16', 0),
(47, 3, 6, '2019-05-07 17:47:32', 0),
(48, 4, 6, '2019-05-07 17:47:32', 0),
(49, 5, 6, '2019-05-07 17:47:32', 0),
(50, 3, 6, '2019-05-07 17:47:47', 0),
(51, 4, 6, '2019-05-07 17:47:47', 0),
(52, 5, 6, '2019-05-07 17:47:47', 0),
(53, 3, 6, '2019-05-07 18:29:51', 0),
(54, 4, 6, '2019-05-07 18:29:51', 0),
(55, 5, 6, '2019-05-07 18:29:51', 0),
(56, 3, 6, '2019-05-07 18:37:21', 0),
(57, 4, 6, '2019-05-07 18:37:21', 0),
(58, 5, 6, '2019-05-07 18:37:21', 0),
(59, 3, 6, '2019-05-07 18:38:34', 0),
(60, 4, 6, '2019-05-07 18:38:34', 0),
(61, 5, 6, '2019-05-07 18:38:34', 0),
(62, 3, 6, '2019-05-07 18:38:49', 0),
(63, 4, 6, '2019-05-07 18:38:49', 0),
(64, 5, 6, '2019-05-07 18:38:49', 0),
(65, 3, 6, '2019-05-07 18:38:50', 0),
(66, 4, 6, '2019-05-07 18:38:50', 0),
(67, 5, 6, '2019-05-07 18:38:50', 0),
(68, 3, 6, '2019-05-07 18:41:04', 0),
(69, 4, 6, '2019-05-07 18:41:04', 0),
(70, 5, 6, '2019-05-07 18:41:04', 0),
(71, 3, 6, '2019-05-07 18:41:50', 0),
(72, 4, 6, '2019-05-07 18:41:50', 0),
(73, 5, 6, '2019-05-07 18:41:50', 0),
(74, 3, 6, '2019-05-07 18:44:42', 0),
(75, 4, 6, '2019-05-07 18:44:42', 0),
(76, 5, 6, '2019-05-07 18:44:42', 0),
(77, 3, 6, '2019-05-07 18:49:41', 0),
(78, 4, 6, '2019-05-07 18:49:41', 0),
(79, 5, 6, '2019-05-07 18:49:41', 0),
(80, 3, 6, '2019-05-07 18:53:20', 0),
(81, 4, 6, '2019-05-07 18:53:20', 0),
(82, 5, 6, '2019-05-07 18:53:20', 0),
(83, 3, 6, '2019-05-07 18:59:20', 0),
(84, 4, 6, '2019-05-07 18:59:20', 0),
(85, 5, 6, '2019-05-07 18:59:20', 0),
(86, 3, 6, '2019-05-07 19:03:41', 0),
(87, 4, 6, '2019-05-07 19:03:41', 0),
(88, 5, 6, '2019-05-07 19:03:41', 0),
(89, 3, 6, '2019-05-07 19:05:18', 0),
(90, 4, 6, '2019-05-07 19:05:18', 0),
(91, 5, 6, '2019-05-07 19:05:18', 0),
(92, 3, 6, '2019-05-07 19:09:38', 0),
(93, 4, 6, '2019-05-07 19:09:38', 0),
(94, 5, 6, '2019-05-07 19:09:38', 0),
(95, 3, 6, '2019-05-07 19:10:53', 0),
(96, 4, 6, '2019-05-07 19:10:53', 0),
(97, 5, 6, '2019-05-07 19:10:53', 0),
(98, 3, 6, '2019-05-07 19:10:55', 0),
(99, 4, 6, '2019-05-07 19:10:55', 0),
(100, 5, 6, '2019-05-07 19:10:55', 0),
(101, 3, 6, '2019-05-07 19:10:56', 0),
(102, 4, 6, '2019-05-07 19:10:56', 0),
(103, 5, 6, '2019-05-07 19:10:56', 0),
(104, 3, 6, '2019-05-07 19:10:57', 0),
(105, 4, 6, '2019-05-07 19:10:57', 0),
(106, 5, 6, '2019-05-07 19:10:57', 0),
(107, 3, 6, '2019-05-07 19:10:58', 0),
(108, 4, 6, '2019-05-07 19:10:58', 0),
(109, 5, 6, '2019-05-07 19:10:58', 0),
(110, 3, 6, '2019-05-07 19:11:14', 0),
(111, 4, 6, '2019-05-07 19:11:14', 0),
(112, 5, 6, '2019-05-07 19:11:14', 0),
(113, 3, 6, '2019-05-07 19:11:44', 0),
(114, 4, 6, '2019-05-07 19:11:44', 0),
(115, 5, 6, '2019-05-07 19:11:44', 0),
(116, 3, 6, '2019-05-07 19:11:46', 0),
(117, 4, 6, '2019-05-07 19:11:46', 0),
(118, 5, 6, '2019-05-07 19:11:46', 0),
(119, 3, 6, '2019-05-07 19:11:47', 0),
(120, 4, 6, '2019-05-07 19:11:47', 0),
(121, 5, 6, '2019-05-07 19:11:47', 0),
(122, 3, 6, '2019-05-07 19:11:48', 0),
(123, 4, 6, '2019-05-07 19:11:48', 0),
(124, 5, 6, '2019-05-07 19:11:48', 0),
(125, 3, 6, '2019-05-07 19:15:51', 0),
(126, 4, 6, '2019-05-07 19:15:51', 0),
(127, 5, 6, '2019-05-07 19:15:51', 0),
(128, 3, 6, '2019-05-07 20:35:59', 0),
(129, 4, 6, '2019-05-07 20:35:59', 0),
(130, 5, 6, '2019-05-07 20:35:59', 0),
(131, 3, 6, '2019-05-07 20:40:31', 0),
(132, 4, 6, '2019-05-07 20:40:31', 0),
(133, 5, 6, '2019-05-07 20:40:31', 0),
(134, 3, 6, '2019-05-07 20:40:33', 0),
(135, 4, 6, '2019-05-07 20:40:33', 0),
(136, 5, 6, '2019-05-07 20:40:33', 0),
(137, 3, 6, '2019-05-07 20:48:19', 0),
(138, 4, 6, '2019-05-07 20:48:19', 0),
(139, 5, 6, '2019-05-07 20:48:19', 0),
(140, 3, 6, '2019-05-07 20:50:36', 0),
(141, 4, 6, '2019-05-07 20:50:36', 0),
(142, 5, 6, '2019-05-07 20:50:36', 0),
(143, 3, 6, '2019-05-07 20:51:38', 0),
(144, 4, 6, '2019-05-07 20:51:38', 0),
(145, 5, 6, '2019-05-07 20:51:38', 0),
(146, 3, 6, '2019-05-07 20:58:46', 0),
(147, 4, 6, '2019-05-07 20:58:46', 0),
(148, 5, 6, '2019-05-07 20:58:46', 0),
(149, 3, 6, '2019-05-07 20:59:30', 0),
(150, 4, 6, '2019-05-07 20:59:30', 0),
(151, 5, 6, '2019-05-07 20:59:30', 0),
(152, 3, 6, '2019-05-07 21:02:46', 0),
(153, 4, 6, '2019-05-07 21:02:46', 0),
(154, 5, 6, '2019-05-07 21:02:46', 0),
(155, 3, 6, '2019-05-07 21:04:18', 0),
(156, 4, 6, '2019-05-07 21:04:18', 0),
(157, 5, 6, '2019-05-07 21:04:18', 0),
(158, 3, 6, '2019-05-07 21:04:20', 0),
(159, 4, 6, '2019-05-07 21:04:20', 0),
(160, 5, 6, '2019-05-07 21:04:20', 0),
(161, 3, 6, '2019-05-07 21:04:20', 0),
(162, 4, 6, '2019-05-07 21:04:20', 0),
(163, 5, 6, '2019-05-07 21:04:20', 0),
(164, 3, 6, '2019-05-07 21:06:54', 0),
(165, 4, 6, '2019-05-07 21:06:54', 0),
(166, 5, 6, '2019-05-07 21:06:54', 0),
(167, 3, 6, '2019-05-07 21:07:21', 0),
(168, 4, 6, '2019-05-07 21:07:21', 0),
(169, 5, 6, '2019-05-07 21:07:21', 0),
(170, 3, 6, '2019-05-07 21:08:00', 0),
(171, 4, 6, '2019-05-07 21:08:00', 0),
(172, 5, 6, '2019-05-07 21:08:00', 0),
(173, 3, 6, '2019-05-07 21:08:20', 0),
(174, 4, 6, '2019-05-07 21:08:20', 0),
(175, 5, 6, '2019-05-07 21:08:20', 0),
(176, 3, 6, '2019-05-07 21:09:53', 0),
(177, 4, 6, '2019-05-07 21:09:53', 0),
(178, 5, 6, '2019-05-07 21:09:53', 0),
(179, 3, 6, '2019-05-07 21:10:53', 0),
(180, 4, 6, '2019-05-07 21:10:53', 0),
(181, 5, 6, '2019-05-07 21:10:53', 0),
(182, 3, 6, '2019-05-07 21:11:42', 0),
(183, 4, 6, '2019-05-07 21:11:42', 0),
(184, 5, 6, '2019-05-07 21:11:42', 0),
(185, 3, 6, '2019-05-07 21:11:56', 0),
(186, 4, 6, '2019-05-07 21:11:56', 0),
(187, 5, 6, '2019-05-07 21:11:56', 0),
(188, 3, 6, '2019-05-07 21:12:58', 0),
(189, 4, 6, '2019-05-07 21:12:58', 0),
(190, 5, 6, '2019-05-07 21:12:58', 0),
(191, 3, 6, '2019-05-07 21:13:47', 0),
(192, 4, 6, '2019-05-07 21:13:47', 0),
(193, 5, 6, '2019-05-07 21:13:47', 0),
(194, 3, 6, '2019-05-07 21:14:31', 0),
(195, 4, 6, '2019-05-07 21:14:31', 0),
(196, 5, 6, '2019-05-07 21:14:31', 0),
(197, 3, 6, '2019-05-08 19:32:52', 0),
(198, 4, 6, '2019-05-08 19:32:52', 0),
(199, 5, 6, '2019-05-08 19:32:52', 0),
(200, 3, 6, '2019-05-08 19:36:38', 0),
(201, 4, 6, '2019-05-08 19:36:38', 0),
(202, 5, 6, '2019-05-08 19:36:38', 0),
(203, 3, 6, '2019-05-08 19:37:04', 0),
(204, 4, 6, '2019-05-08 19:37:04', 0),
(205, 5, 6, '2019-05-08 19:37:04', 0),
(206, 3, 6, '2019-05-08 19:38:36', 0),
(207, 4, 6, '2019-05-08 19:38:36', 0),
(208, 5, 6, '2019-05-08 19:38:36', 0),
(209, 3, 6, '2019-05-08 19:40:31', 0),
(210, 4, 6, '2019-05-08 19:40:31', 0),
(211, 5, 6, '2019-05-08 19:40:31', 0),
(212, 3, 6, '2019-05-08 19:41:03', 0),
(213, 4, 6, '2019-05-08 19:41:03', 0),
(214, 5, 6, '2019-05-08 19:41:03', 0),
(215, 3, 6, '2019-05-08 19:42:40', 0),
(216, 4, 6, '2019-05-08 19:42:40', 0),
(217, 5, 6, '2019-05-08 19:42:40', 0),
(218, 3, 6, '2019-05-08 19:43:11', 0),
(219, 4, 6, '2019-05-08 19:43:11', 0),
(220, 5, 6, '2019-05-08 19:43:11', 0),
(221, 3, 6, '2019-05-08 19:45:04', 0),
(222, 4, 6, '2019-05-08 19:45:04', 0),
(223, 5, 6, '2019-05-08 19:45:04', 0),
(224, 3, 6, '2019-05-08 19:46:56', 0),
(225, 4, 6, '2019-05-08 19:46:56', 0),
(226, 5, 6, '2019-05-08 19:46:56', 0),
(227, 3, 6, '2019-05-08 19:59:09', 0),
(228, 4, 6, '2019-05-08 19:59:09', 0),
(229, 5, 6, '2019-05-08 19:59:09', 0),
(230, 3, 1, '2019-05-08 20:00:09', 0),
(231, 4, 1, '2019-05-08 20:00:09', 0),
(232, 5, 1, '2019-05-08 20:00:09', 0),
(233, 3, 1, '2019-05-08 20:01:18', 0),
(234, 4, 1, '2019-05-08 20:01:18', 0),
(235, 5, 1, '2019-05-08 20:01:18', 0),
(236, 3, 1, '2019-05-08 20:01:38', 0),
(237, 4, 1, '2019-05-08 20:01:38', 0),
(238, 5, 1, '2019-05-08 20:01:38', 0),
(239, 3, 1, '2019-05-08 20:06:51', 0),
(240, 4, 1, '2019-05-08 20:06:51', 0),
(241, 5, 1, '2019-05-08 20:06:51', 0),
(242, 3, 1, '2019-05-08 20:07:09', 0),
(243, 4, 1, '2019-05-08 20:07:09', 0),
(244, 5, 1, '2019-05-08 20:07:09', 0),
(245, 3, 1, '2019-05-08 20:07:41', 0),
(246, 4, 1, '2019-05-08 20:07:41', 0),
(247, 5, 1, '2019-05-08 20:07:41', 0),
(248, 3, 1, '2019-05-08 20:08:29', 0),
(249, 4, 1, '2019-05-08 20:08:29', 0),
(250, 5, 1, '2019-05-08 20:08:29', 0),
(251, 3, 1, '2019-05-08 20:09:32', 0),
(252, 4, 1, '2019-05-08 20:09:32', 0),
(253, 5, 1, '2019-05-08 20:09:32', 0),
(254, 3, 1, '2019-05-08 20:09:38', 0),
(255, 4, 1, '2019-05-08 20:09:38', 0),
(256, 5, 1, '2019-05-08 20:09:38', 0),
(257, 3, 1, '2019-05-08 20:11:10', 0),
(258, 4, 1, '2019-05-08 20:11:10', 0),
(259, 5, 1, '2019-05-08 20:11:10', 0),
(260, 3, 1, '2019-05-08 20:13:01', 0),
(261, 4, 1, '2019-05-08 20:13:01', 0),
(262, 5, 1, '2019-05-08 20:13:01', 0),
(263, 3, 1, '2019-05-08 20:22:01', 0),
(264, 4, 1, '2019-05-08 20:22:01', 0),
(265, 5, 1, '2019-05-08 20:22:01', 0),
(266, 3, 1, '2019-05-08 20:22:16', 0),
(267, 4, 1, '2019-05-08 20:22:16', 0),
(268, 5, 1, '2019-05-08 20:22:16', 0),
(269, 3, 1, '2019-05-08 20:23:09', 0),
(270, 4, 1, '2019-05-08 20:23:09', 0),
(271, 5, 1, '2019-05-08 20:23:09', 0),
(272, 3, 1, '2019-05-08 20:23:46', 0),
(273, 4, 1, '2019-05-08 20:23:46', 0),
(274, 5, 1, '2019-05-08 20:23:46', 0),
(275, 3, 1, '2019-05-08 20:23:53', 0),
(276, 4, 1, '2019-05-08 20:23:53', 0),
(277, 5, 1, '2019-05-08 20:23:53', 0),
(278, 3, 1, '2019-05-08 20:27:11', 0),
(279, 4, 1, '2019-05-08 20:27:11', 0),
(280, 5, 1, '2019-05-08 20:27:11', 0),
(281, 3, 1, '2019-05-08 20:28:10', 0),
(282, 4, 1, '2019-05-08 20:28:10', 0),
(283, 5, 1, '2019-05-08 20:28:10', 0),
(284, 3, 1, '2019-05-08 20:28:45', 0),
(285, 4, 1, '2019-05-08 20:28:45', 0),
(286, 5, 1, '2019-05-08 20:28:45', 0),
(287, 3, 1, '2019-05-08 20:28:50', 0),
(288, 4, 1, '2019-05-08 20:28:50', 0),
(289, 5, 1, '2019-05-08 20:28:50', 0),
(290, 3, 1, '2019-05-08 20:30:42', 0),
(291, 4, 1, '2019-05-08 20:30:42', 0),
(292, 5, 1, '2019-05-08 20:30:42', 0),
(293, 3, 1, '2019-05-08 20:34:15', 0),
(294, 4, 1, '2019-05-08 20:34:15', 0),
(295, 5, 1, '2019-05-08 20:34:15', 0),
(296, 3, 6, '2019-05-08 20:34:29', 0),
(297, 4, 6, '2019-05-08 20:34:29', 0),
(298, 5, 6, '2019-05-08 20:34:29', 0),
(299, 3, 6, '2019-05-08 20:34:38', 0),
(300, 4, 6, '2019-05-08 20:34:38', 0),
(301, 5, 6, '2019-05-08 20:34:38', 0),
(302, 3, 6, '2019-05-08 20:46:52', 0),
(303, 4, 6, '2019-05-08 20:46:52', 0),
(304, 5, 6, '2019-05-08 20:46:52', 0),
(305, 3, 6, '2019-05-08 20:47:50', 0),
(306, 4, 6, '2019-05-08 20:47:50', 0),
(307, 5, 6, '2019-05-08 20:47:50', 0),
(308, 3, 1, '2019-05-08 21:08:24', 0),
(309, 4, 1, '2019-05-08 21:08:24', 0),
(310, 5, 1, '2019-05-08 21:08:24', 0),
(311, 3, 1, '2019-05-08 21:08:25', 0),
(312, 4, 1, '2019-05-08 21:08:25', 0),
(313, 5, 1, '2019-05-08 21:08:25', 0),
(314, 3, 1, '2019-05-08 21:08:26', 0),
(315, 4, 1, '2019-05-08 21:08:26', 0),
(316, 5, 1, '2019-05-08 21:08:26', 0),
(317, 3, 1, '2019-05-08 21:08:27', 0),
(318, 4, 1, '2019-05-08 21:08:27', 0),
(319, 5, 1, '2019-05-08 21:08:27', 0),
(320, 3, 1, '2019-05-08 21:08:28', 0),
(321, 4, 1, '2019-05-08 21:08:28', 0),
(322, 5, 1, '2019-05-08 21:08:28', 0),
(323, 3, 1, '2019-05-08 21:08:29', 0),
(324, 4, 1, '2019-05-08 21:08:29', 0),
(325, 5, 1, '2019-05-08 21:08:29', 0),
(326, 3, 1, '2019-05-08 21:08:30', 0),
(327, 4, 1, '2019-05-08 21:08:30', 0),
(328, 5, 1, '2019-05-08 21:08:30', 0),
(329, 3, 1, '2019-05-08 21:08:31', 0),
(330, 4, 1, '2019-05-08 21:08:31', 0),
(331, 5, 1, '2019-05-08 21:08:31', 0),
(332, 3, 1, '2019-05-08 21:08:32', 0),
(333, 4, 1, '2019-05-08 21:08:32', 0),
(334, 5, 1, '2019-05-08 21:08:32', 0),
(335, 3, 1, '2019-05-08 21:08:33', 0),
(336, 4, 1, '2019-05-08 21:08:33', 0),
(337, 5, 1, '2019-05-08 21:08:33', 0),
(338, 3, 1, '2019-05-08 21:08:35', 0),
(339, 4, 1, '2019-05-08 21:08:35', 0),
(340, 5, 1, '2019-05-08 21:08:35', 0),
(341, 3, 1, '2019-05-08 21:08:36', 0),
(342, 4, 1, '2019-05-08 21:08:36', 0),
(343, 5, 1, '2019-05-08 21:08:36', 0),
(344, 3, 1, '2019-05-08 21:08:54', 0),
(345, 4, 1, '2019-05-08 21:08:54', 0),
(346, 5, 1, '2019-05-08 21:08:54', 0),
(347, 3, 1, '2019-05-08 21:08:55', 0),
(348, 4, 1, '2019-05-08 21:08:55', 0),
(349, 5, 1, '2019-05-08 21:08:55', 0),
(350, 3, 1, '2019-05-08 21:08:56', 0),
(351, 4, 1, '2019-05-08 21:08:56', 0),
(352, 5, 1, '2019-05-08 21:08:56', 0),
(353, 3, 1, '2019-05-08 21:08:57', 0),
(354, 4, 1, '2019-05-08 21:08:57', 0),
(355, 5, 1, '2019-05-08 21:08:57', 0),
(356, 3, 1, '2019-05-08 21:08:58', 0),
(357, 4, 1, '2019-05-08 21:08:58', 0),
(358, 5, 1, '2019-05-08 21:08:58', 0),
(359, 3, 1, '2019-05-08 21:08:59', 0),
(360, 4, 1, '2019-05-08 21:08:59', 0),
(361, 5, 1, '2019-05-08 21:08:59', 0),
(362, 3, 1, '2019-05-08 21:09:00', 0),
(363, 4, 1, '2019-05-08 21:09:00', 0),
(364, 5, 1, '2019-05-08 21:09:00', 0),
(365, 3, 1, '2019-05-08 21:09:02', 0),
(366, 4, 1, '2019-05-08 21:09:02', 0),
(367, 5, 1, '2019-05-08 21:09:02', 0),
(368, 3, 1, '2019-05-08 21:09:03', 0),
(369, 4, 1, '2019-05-08 21:09:03', 0),
(370, 5, 1, '2019-05-08 21:09:03', 0),
(371, 3, 1, '2019-05-08 21:09:04', 0),
(372, 4, 1, '2019-05-08 21:09:04', 0),
(373, 5, 1, '2019-05-08 21:09:04', 0),
(374, 3, 1, '2019-05-08 21:09:05', 0),
(375, 4, 1, '2019-05-08 21:09:05', 0),
(376, 5, 1, '2019-05-08 21:09:05', 0),
(377, 3, 1, '2019-05-08 21:09:38', 0),
(378, 4, 1, '2019-05-08 21:09:38', 0),
(379, 5, 1, '2019-05-08 21:09:38', 0),
(380, 3, 1, '2019-05-08 21:09:39', 0),
(381, 4, 1, '2019-05-08 21:09:39', 0),
(382, 5, 1, '2019-05-08 21:09:39', 0),
(383, 3, 1, '2019-05-08 21:09:40', 0),
(384, 4, 1, '2019-05-08 21:09:40', 0),
(385, 5, 1, '2019-05-08 21:09:40', 0),
(386, 3, 1, '2019-05-08 21:09:41', 0),
(387, 4, 1, '2019-05-08 21:09:41', 0),
(388, 5, 1, '2019-05-08 21:09:41', 0),
(389, 3, 1, '2019-05-08 21:09:42', 0),
(390, 4, 1, '2019-05-08 21:09:42', 0),
(391, 5, 1, '2019-05-08 21:09:42', 0),
(392, 3, 1, '2019-05-08 21:09:43', 0),
(393, 4, 1, '2019-05-08 21:09:43', 0),
(394, 5, 1, '2019-05-08 21:09:43', 0),
(395, 3, 1, '2019-05-08 21:10:50', 0),
(396, 4, 1, '2019-05-08 21:10:50', 0),
(397, 5, 1, '2019-05-08 21:10:50', 0),
(398, 3, 1, '2019-05-08 21:10:51', 0),
(399, 4, 1, '2019-05-08 21:10:51', 0),
(400, 5, 1, '2019-05-08 21:10:51', 0),
(401, 3, 1, '2019-05-08 21:10:52', 0),
(402, 4, 1, '2019-05-08 21:10:52', 0),
(403, 5, 1, '2019-05-08 21:10:52', 0),
(404, 3, 1, '2019-05-08 21:10:53', 0),
(405, 4, 1, '2019-05-08 21:10:53', 0),
(406, 5, 1, '2019-05-08 21:10:53', 0),
(407, 3, 1, '2019-05-08 21:10:54', 0),
(408, 4, 1, '2019-05-08 21:10:54', 0),
(409, 5, 1, '2019-05-08 21:10:54', 0),
(410, 3, 1, '2019-05-08 21:10:56', 0),
(411, 4, 1, '2019-05-08 21:10:56', 0),
(412, 5, 1, '2019-05-08 21:10:56', 0),
(413, 3, 1, '2019-05-08 22:03:43', 0),
(414, 4, 1, '2019-05-08 22:03:43', 0),
(415, 5, 1, '2019-05-08 22:03:43', 0),
(416, 3, 1, '2019-05-08 22:03:44', 0),
(417, 4, 1, '2019-05-08 22:03:44', 0),
(418, 5, 1, '2019-05-08 22:03:44', 0),
(419, 3, 1, '2019-05-08 22:03:45', 0),
(420, 4, 1, '2019-05-08 22:03:45', 0),
(421, 5, 1, '2019-05-08 22:03:45', 0),
(422, 3, 1, '2019-05-08 22:03:46', 0),
(423, 4, 1, '2019-05-08 22:03:46', 0),
(424, 5, 1, '2019-05-08 22:03:46', 0),
(425, 3, 1, '2019-05-08 22:03:47', 0),
(426, 4, 1, '2019-05-08 22:03:47', 0),
(427, 5, 1, '2019-05-08 22:03:47', 0),
(428, 3, 1, '2019-05-08 22:03:48', 0),
(429, 4, 1, '2019-05-08 22:03:48', 0),
(430, 5, 1, '2019-05-08 22:03:48', 0),
(431, 3, 1, '2019-05-08 22:03:49', 0),
(432, 4, 1, '2019-05-08 22:03:49', 0),
(433, 5, 1, '2019-05-08 22:03:49', 0),
(434, 3, 1, '2019-05-08 22:03:50', 0),
(435, 4, 1, '2019-05-08 22:03:50', 0),
(436, 5, 1, '2019-05-08 22:03:50', 0),
(437, 3, 1, '2019-05-08 22:03:51', 0),
(438, 4, 1, '2019-05-08 22:03:51', 0),
(439, 5, 1, '2019-05-08 22:03:51', 0),
(440, 3, 1, '2019-05-08 22:03:52', 0),
(441, 4, 1, '2019-05-08 22:03:52', 0),
(442, 5, 1, '2019-05-08 22:03:52', 0),
(443, 3, 1, '2019-05-08 22:03:53', 0),
(444, 4, 1, '2019-05-08 22:03:53', 0),
(445, 5, 1, '2019-05-08 22:03:53', 0),
(446, 3, 1, '2019-05-08 22:03:54', 0),
(447, 4, 1, '2019-05-08 22:03:54', 0),
(448, 5, 1, '2019-05-08 22:03:54', 0),
(449, 3, 1, '2019-05-08 22:03:56', 0),
(450, 4, 1, '2019-05-08 22:03:56', 0),
(451, 5, 1, '2019-05-08 22:03:56', 0),
(452, 3, 1, '2019-05-08 22:03:57', 0),
(453, 4, 1, '2019-05-08 22:03:57', 0),
(454, 5, 1, '2019-05-08 22:03:57', 0),
(455, 3, 1, '2019-05-08 22:04:00', 0),
(456, 4, 1, '2019-05-08 22:04:00', 0),
(457, 5, 1, '2019-05-08 22:04:00', 0),
(458, 3, 1, '2019-05-08 22:04:01', 0),
(459, 4, 1, '2019-05-08 22:04:01', 0),
(460, 5, 1, '2019-05-08 22:04:01', 0),
(461, 3, 1, '2019-05-08 22:04:02', 0),
(462, 4, 1, '2019-05-08 22:04:02', 0),
(463, 5, 1, '2019-05-08 22:04:02', 0),
(464, 3, 1, '2019-05-08 22:04:03', 0),
(465, 4, 1, '2019-05-08 22:04:03', 0),
(466, 5, 1, '2019-05-08 22:04:03', 0),
(467, 3, 1, '2019-05-08 22:04:04', 0),
(468, 4, 1, '2019-05-08 22:04:04', 0),
(469, 5, 1, '2019-05-08 22:04:04', 0),
(470, 3, 1, '2019-05-08 22:04:05', 0),
(471, 4, 1, '2019-05-08 22:04:05', 0),
(472, 5, 1, '2019-05-08 22:04:05', 0),
(473, 3, 1, '2019-05-08 22:04:06', 0),
(474, 4, 1, '2019-05-08 22:04:06', 0),
(475, 5, 1, '2019-05-08 22:04:06', 0),
(476, 3, 1, '2019-05-08 22:04:07', 0),
(477, 4, 1, '2019-05-08 22:04:07', 0),
(478, 5, 1, '2019-05-08 22:04:07', 0),
(479, 3, 1, '2019-05-08 22:04:08', 0),
(480, 4, 1, '2019-05-08 22:04:08', 0),
(481, 5, 1, '2019-05-08 22:04:08', 0),
(482, 3, 1, '2019-05-08 22:04:09', 0),
(483, 4, 1, '2019-05-08 22:04:09', 0),
(484, 5, 1, '2019-05-08 22:04:09', 0),
(485, 3, 1, '2019-05-08 22:04:10', 0),
(486, 4, 1, '2019-05-08 22:04:10', 0),
(487, 5, 1, '2019-05-08 22:04:10', 0),
(488, 3, 1, '2019-05-08 22:04:11', 0),
(489, 4, 1, '2019-05-08 22:04:11', 0),
(490, 5, 1, '2019-05-08 22:04:11', 0),
(491, 3, 1, '2019-05-08 22:04:12', 0),
(492, 4, 1, '2019-05-08 22:04:12', 0),
(493, 5, 1, '2019-05-08 22:04:12', 0),
(494, 3, 1, '2019-05-08 22:04:13', 0),
(495, 4, 1, '2019-05-08 22:04:13', 0),
(496, 5, 1, '2019-05-08 22:04:13', 0),
(497, 3, 1, '2019-05-08 22:04:14', 0),
(498, 4, 1, '2019-05-08 22:04:14', 0),
(499, 5, 1, '2019-05-08 22:04:14', 0),
(500, 3, 1, '2019-05-08 22:04:18', 0),
(501, 4, 1, '2019-05-08 22:04:18', 0),
(502, 5, 1, '2019-05-08 22:04:18', 0),
(503, 3, 1, '2019-05-08 22:04:19', 0),
(504, 4, 1, '2019-05-08 22:04:19', 0),
(505, 5, 1, '2019-05-08 22:04:19', 0),
(506, 3, 1, '2019-05-08 22:04:20', 0),
(507, 4, 1, '2019-05-08 22:04:20', 0),
(508, 5, 1, '2019-05-08 22:04:20', 0),
(509, 3, 1, '2019-05-08 22:04:21', 0),
(510, 4, 1, '2019-05-08 22:04:21', 0),
(511, 5, 1, '2019-05-08 22:04:21', 0),
(512, 3, 1, '2019-05-08 22:04:22', 0),
(513, 4, 1, '2019-05-08 22:04:22', 0),
(514, 5, 1, '2019-05-08 22:04:22', 0),
(515, 3, 1, '2019-05-08 22:04:23', 0),
(516, 4, 1, '2019-05-08 22:04:23', 0),
(517, 5, 1, '2019-05-08 22:04:23', 0),
(518, 3, 1, '2019-05-08 22:04:24', 0),
(519, 4, 1, '2019-05-08 22:04:24', 0),
(520, 5, 1, '2019-05-08 22:04:24', 0),
(521, 3, 1, '2019-05-08 22:04:25', 0),
(522, 4, 1, '2019-05-08 22:04:25', 0),
(523, 5, 1, '2019-05-08 22:04:25', 0),
(524, 3, 1, '2019-05-08 22:04:26', 0),
(525, 4, 1, '2019-05-08 22:04:26', 0),
(526, 5, 1, '2019-05-08 22:04:26', 0),
(527, 3, 1, '2019-05-08 22:04:27', 0),
(528, 4, 1, '2019-05-08 22:04:27', 0),
(529, 5, 1, '2019-05-08 22:04:27', 0),
(530, 3, 1, '2019-05-08 22:04:31', 0),
(531, 4, 1, '2019-05-08 22:04:31', 0),
(532, 5, 1, '2019-05-08 22:04:31', 0),
(533, 3, 1, '2019-05-08 22:04:33', 0),
(534, 4, 1, '2019-05-08 22:04:33', 0),
(535, 5, 1, '2019-05-08 22:04:33', 0),
(536, 3, 1, '2019-05-08 22:04:34', 0),
(537, 4, 1, '2019-05-08 22:04:34', 0),
(538, 5, 1, '2019-05-08 22:04:34', 0),
(539, 3, 1, '2019-05-08 22:04:35', 0),
(540, 4, 1, '2019-05-08 22:04:35', 0),
(541, 5, 1, '2019-05-08 22:04:35', 0),
(542, 3, 1, '2019-05-08 22:04:36', 0),
(543, 4, 1, '2019-05-08 22:04:36', 0),
(544, 5, 1, '2019-05-08 22:04:36', 0),
(545, 3, 1, '2019-05-08 22:04:37', 0),
(546, 4, 1, '2019-05-08 22:04:37', 0),
(547, 5, 1, '2019-05-08 22:04:37', 0),
(548, 3, 1, '2019-05-08 22:04:38', 0),
(549, 4, 1, '2019-05-08 22:04:38', 0),
(550, 5, 1, '2019-05-08 22:04:38', 0),
(551, 3, 1, '2019-05-08 22:04:39', 0),
(552, 4, 1, '2019-05-08 22:04:39', 0),
(553, 5, 1, '2019-05-08 22:04:39', 0),
(554, 3, 1, '2019-05-08 22:04:40', 0),
(555, 4, 1, '2019-05-08 22:04:40', 0),
(556, 5, 1, '2019-05-08 22:04:40', 0),
(557, 3, 1, '2019-05-08 22:04:41', 0),
(558, 4, 1, '2019-05-08 22:04:41', 0),
(559, 5, 1, '2019-05-08 22:04:41', 0),
(560, 3, 1, '2019-05-08 22:04:42', 0),
(561, 4, 1, '2019-05-08 22:04:42', 0),
(562, 5, 1, '2019-05-08 22:04:42', 0),
(563, 3, 1, '2019-05-08 22:04:43', 0),
(564, 4, 1, '2019-05-08 22:04:43', 0),
(565, 5, 1, '2019-05-08 22:04:43', 0),
(566, 3, 1, '2019-05-08 22:04:44', 0),
(567, 4, 1, '2019-05-08 22:04:44', 0),
(568, 5, 1, '2019-05-08 22:04:44', 0),
(569, 3, 1, '2019-05-08 22:04:45', 0),
(570, 4, 1, '2019-05-08 22:04:45', 0),
(571, 5, 1, '2019-05-08 22:04:45', 0),
(572, 3, 1, '2019-05-08 22:04:46', 0),
(573, 4, 1, '2019-05-08 22:04:46', 0),
(574, 5, 1, '2019-05-08 22:04:46', 0),
(575, 3, 1, '2019-05-08 22:04:47', 0),
(576, 4, 1, '2019-05-08 22:04:47', 0),
(577, 5, 1, '2019-05-08 22:04:47', 0),
(578, 3, 1, '2019-05-08 22:04:48', 0),
(579, 4, 1, '2019-05-08 22:04:48', 0),
(580, 5, 1, '2019-05-08 22:04:48', 0),
(581, 3, 1, '2019-05-08 22:04:49', 0),
(582, 4, 1, '2019-05-08 22:04:49', 0),
(583, 5, 1, '2019-05-08 22:04:49', 0),
(584, 3, 1, '2019-05-08 22:04:50', 0),
(585, 4, 1, '2019-05-08 22:04:50', 0),
(586, 5, 1, '2019-05-08 22:04:50', 0),
(587, 3, 1, '2019-05-08 22:04:51', 0),
(588, 4, 1, '2019-05-08 22:04:51', 0),
(589, 5, 1, '2019-05-08 22:04:51', 0),
(590, 3, 1, '2019-05-08 22:04:52', 0),
(591, 4, 1, '2019-05-08 22:04:52', 0),
(592, 5, 1, '2019-05-08 22:04:52', 0),
(593, 3, 1, '2019-05-08 22:06:02', 0),
(594, 4, 1, '2019-05-08 22:06:02', 0),
(595, 5, 1, '2019-05-08 22:06:02', 0),
(596, 3, 1, '2019-05-08 22:06:03', 0),
(597, 4, 1, '2019-05-08 22:06:03', 0),
(598, 5, 1, '2019-05-08 22:06:03', 0),
(599, 3, 1, '2019-05-08 22:06:04', 0),
(600, 4, 1, '2019-05-08 22:06:04', 0),
(601, 5, 1, '2019-05-08 22:06:04', 0),
(602, 3, 1, '2019-05-08 22:06:05', 0),
(603, 4, 1, '2019-05-08 22:06:05', 0),
(604, 5, 1, '2019-05-08 22:06:05', 0),
(605, 3, 1, '2019-05-08 22:06:06', 0),
(606, 4, 1, '2019-05-08 22:06:06', 0),
(607, 5, 1, '2019-05-08 22:06:06', 0),
(608, 3, 1, '2019-05-08 22:06:07', 0),
(609, 4, 1, '2019-05-08 22:06:07', 0),
(610, 5, 1, '2019-05-08 22:06:07', 0),
(611, 3, 1, '2019-05-08 22:06:08', 0),
(612, 4, 1, '2019-05-08 22:06:08', 0),
(613, 5, 1, '2019-05-08 22:06:08', 0),
(614, 3, 1, '2019-05-08 22:06:09', 0),
(615, 4, 1, '2019-05-08 22:06:09', 0),
(616, 5, 1, '2019-05-08 22:06:09', 0),
(617, 3, 1, '2019-05-08 22:06:10', 0),
(618, 4, 1, '2019-05-08 22:06:10', 0),
(619, 5, 1, '2019-05-08 22:06:10', 0),
(620, 3, 1, '2019-05-08 22:06:11', 0),
(621, 4, 1, '2019-05-08 22:06:11', 0),
(622, 5, 1, '2019-05-08 22:06:11', 0),
(623, 3, 1, '2019-05-08 22:06:12', 0),
(624, 4, 1, '2019-05-08 22:06:12', 0),
(625, 5, 1, '2019-05-08 22:06:12', 0),
(626, 3, 1, '2019-05-08 22:06:13', 0),
(627, 4, 1, '2019-05-08 22:06:13', 0),
(628, 5, 1, '2019-05-08 22:06:13', 0),
(629, 3, 1, '2019-05-08 22:06:14', 0),
(630, 4, 1, '2019-05-08 22:06:14', 0),
(631, 5, 1, '2019-05-08 22:06:14', 0),
(632, 3, 1, '2019-05-08 22:06:15', 0),
(633, 4, 1, '2019-05-08 22:06:15', 0),
(634, 5, 1, '2019-05-08 22:06:15', 0),
(635, 3, 1, '2019-05-08 22:06:16', 0),
(636, 4, 1, '2019-05-08 22:06:16', 0),
(637, 5, 1, '2019-05-08 22:06:16', 0),
(638, 3, 1, '2019-05-08 22:06:17', 0),
(639, 4, 1, '2019-05-08 22:06:17', 0),
(640, 5, 1, '2019-05-08 22:06:17', 0),
(641, 3, 1, '2019-05-08 22:06:18', 0),
(642, 4, 1, '2019-05-08 22:06:18', 0),
(643, 5, 1, '2019-05-08 22:06:18', 0),
(644, 3, 1, '2019-05-08 22:06:19', 0),
(645, 4, 1, '2019-05-08 22:06:19', 0),
(646, 5, 1, '2019-05-08 22:06:19', 0),
(647, 3, 1, '2019-05-08 22:06:20', 0),
(648, 4, 1, '2019-05-08 22:06:20', 0),
(649, 5, 1, '2019-05-08 22:06:20', 0),
(650, 3, 1, '2019-05-08 22:06:21', 0),
(651, 4, 1, '2019-05-08 22:06:21', 0),
(652, 5, 1, '2019-05-08 22:06:21', 0),
(653, 3, 1, '2019-05-08 22:06:22', 0),
(654, 4, 1, '2019-05-08 22:06:22', 0),
(655, 5, 1, '2019-05-08 22:06:22', 0),
(656, 3, 1, '2019-05-08 22:06:23', 0),
(657, 4, 1, '2019-05-08 22:06:23', 0),
(658, 5, 1, '2019-05-08 22:06:23', 0),
(659, 3, 1, '2019-05-08 22:06:24', 0),
(660, 4, 1, '2019-05-08 22:06:24', 0),
(661, 5, 1, '2019-05-08 22:06:24', 0),
(662, 3, 1, '2019-05-08 22:06:26', 0),
(663, 4, 1, '2019-05-08 22:06:26', 0),
(664, 5, 1, '2019-05-08 22:06:26', 0),
(665, 3, 1, '2019-05-08 22:06:27', 0),
(666, 4, 1, '2019-05-08 22:06:27', 0),
(667, 5, 1, '2019-05-08 22:06:27', 0),
(668, 3, 1, '2019-05-08 22:06:28', 0),
(669, 4, 1, '2019-05-08 22:06:28', 0),
(670, 5, 1, '2019-05-08 22:06:28', 0),
(671, 3, 1, '2019-05-08 22:06:29', 0),
(672, 4, 1, '2019-05-08 22:06:29', 0),
(673, 5, 1, '2019-05-08 22:06:29', 0),
(674, 3, 1, '2019-05-08 22:06:30', 0),
(675, 4, 1, '2019-05-08 22:06:30', 0),
(676, 5, 1, '2019-05-08 22:06:30', 0),
(677, 3, 1, '2019-05-08 22:06:31', 0),
(678, 4, 1, '2019-05-08 22:06:31', 0),
(679, 5, 1, '2019-05-08 22:06:31', 0),
(680, 3, 1, '2019-05-08 22:06:32', 0),
(681, 4, 1, '2019-05-08 22:06:32', 0),
(682, 5, 1, '2019-05-08 22:06:32', 0),
(683, 3, 1, '2019-05-08 22:06:33', 0),
(684, 4, 1, '2019-05-08 22:06:33', 0),
(685, 5, 1, '2019-05-08 22:06:33', 0),
(686, 3, 1, '2019-05-08 22:06:34', 0),
(687, 4, 1, '2019-05-08 22:06:34', 0),
(688, 5, 1, '2019-05-08 22:06:34', 0),
(689, 3, 1, '2019-05-08 22:06:35', 0),
(690, 4, 1, '2019-05-08 22:06:35', 0),
(691, 5, 1, '2019-05-08 22:06:35', 0),
(692, 3, 1, '2019-05-08 22:06:37', 0),
(693, 4, 1, '2019-05-08 22:06:37', 0),
(694, 5, 1, '2019-05-08 22:06:37', 0),
(695, 3, 1, '2019-05-08 22:06:38', 0),
(696, 4, 1, '2019-05-08 22:06:38', 0),
(697, 5, 1, '2019-05-08 22:06:38', 0),
(698, 3, 1, '2019-05-08 22:06:39', 0),
(699, 4, 1, '2019-05-08 22:06:39', 0),
(700, 5, 1, '2019-05-08 22:06:39', 0),
(701, 3, 1, '2019-05-08 22:06:41', 0),
(702, 4, 1, '2019-05-08 22:06:41', 0),
(703, 5, 1, '2019-05-08 22:06:41', 0),
(704, 3, 1, '2019-05-08 22:06:42', 0),
(705, 4, 1, '2019-05-08 22:06:42', 0),
(706, 5, 1, '2019-05-08 22:06:42', 0),
(707, 3, 1, '2019-05-08 22:06:44', 0),
(708, 4, 1, '2019-05-08 22:06:44', 0),
(709, 5, 1, '2019-05-08 22:06:44', 0),
(710, 3, 1, '2019-05-08 22:06:45', 0),
(711, 4, 1, '2019-05-08 22:06:45', 0),
(712, 5, 1, '2019-05-08 22:06:45', 0),
(713, 3, 1, '2019-05-08 22:06:47', 0),
(714, 4, 1, '2019-05-08 22:06:47', 0),
(715, 5, 1, '2019-05-08 22:06:47', 0),
(716, 3, 1, '2019-05-08 22:06:48', 0),
(717, 4, 1, '2019-05-08 22:06:48', 0),
(718, 5, 1, '2019-05-08 22:06:48', 0),
(719, 3, 1, '2019-05-08 22:06:50', 0),
(720, 4, 1, '2019-05-08 22:06:50', 0),
(721, 5, 1, '2019-05-08 22:06:50', 0),
(722, 3, 1, '2019-05-08 22:06:51', 0),
(723, 4, 1, '2019-05-08 22:06:51', 0),
(724, 5, 1, '2019-05-08 22:06:51', 0),
(725, 3, 1, '2019-05-08 22:06:52', 0),
(726, 4, 1, '2019-05-08 22:06:52', 0),
(727, 5, 1, '2019-05-08 22:06:52', 0),
(728, 3, 1, '2019-05-08 22:06:53', 0),
(729, 4, 1, '2019-05-08 22:06:53', 0),
(730, 5, 1, '2019-05-08 22:06:53', 0),
(731, 3, 1, '2019-05-08 22:06:54', 0),
(732, 4, 1, '2019-05-08 22:06:54', 0),
(733, 5, 1, '2019-05-08 22:06:54', 0),
(734, 3, 1, '2019-05-08 22:06:55', 0),
(735, 4, 1, '2019-05-08 22:06:55', 0),
(736, 5, 1, '2019-05-08 22:06:55', 0),
(737, 3, 1, '2019-05-08 22:06:56', 0),
(738, 4, 1, '2019-05-08 22:06:56', 0),
(739, 5, 1, '2019-05-08 22:06:56', 0),
(740, 3, 1, '2019-05-08 22:06:57', 0),
(741, 4, 1, '2019-05-08 22:06:57', 0),
(742, 5, 1, '2019-05-08 22:06:57', 0),
(743, 3, 1, '2019-05-08 22:06:58', 0),
(744, 4, 1, '2019-05-08 22:06:58', 0),
(745, 5, 1, '2019-05-08 22:06:58', 0),
(746, 3, 1, '2019-05-08 22:06:59', 0),
(747, 4, 1, '2019-05-08 22:06:59', 0),
(748, 5, 1, '2019-05-08 22:06:59', 0),
(749, 3, 1, '2019-05-08 22:07:00', 0),
(750, 4, 1, '2019-05-08 22:07:00', 0),
(751, 5, 1, '2019-05-08 22:07:00', 0),
(752, 3, 1, '2019-05-08 22:07:01', 0),
(753, 4, 1, '2019-05-08 22:07:01', 0),
(754, 5, 1, '2019-05-08 22:07:01', 0),
(755, 3, 1, '2019-05-08 22:07:02', 0),
(756, 4, 1, '2019-05-08 22:07:02', 0),
(757, 5, 1, '2019-05-08 22:07:02', 0),
(758, 3, 1, '2019-05-08 22:07:03', 0),
(759, 4, 1, '2019-05-08 22:07:03', 0),
(760, 5, 1, '2019-05-08 22:07:03', 0),
(761, 3, 6, '2019-05-08 22:14:21', 0),
(762, 4, 6, '2019-05-08 22:14:21', 0),
(763, 5, 6, '2019-05-08 22:14:21', 0),
(764, 3, 6, '2019-05-08 22:14:30', 0),
(765, 4, 6, '2019-05-08 22:14:30', 0),
(766, 5, 6, '2019-05-08 22:14:30', 0),
(767, 3, 6, '2019-05-08 23:22:05', 0),
(768, 4, 6, '2019-05-08 23:22:05', 0),
(769, 5, 6, '2019-05-08 23:22:05', 0),
(770, 3, 6, '2019-05-08 23:22:17', 0),
(771, 4, 6, '2019-05-08 23:22:17', 0),
(772, 5, 6, '2019-05-08 23:22:17', 0),
(773, 3, 6, '2019-05-08 23:22:39', 0),
(774, 4, 6, '2019-05-08 23:22:39', 0),
(775, 5, 6, '2019-05-08 23:22:39', 0),
(776, 3, 6, '2019-05-08 23:27:16', 0),
(777, 4, 6, '2019-05-08 23:27:16', 0),
(778, 5, 6, '2019-05-08 23:27:16', 0),
(779, 3, 6, '2019-05-08 23:35:52', 0),
(780, 4, 6, '2019-05-08 23:35:52', 0),
(781, 5, 6, '2019-05-08 23:35:52', 0),
(782, 3, 0, '2019-05-08 23:36:05', 0),
(783, 4, 0, '2019-05-08 23:36:05', 0),
(784, 5, 0, '2019-05-08 23:36:05', 0),
(785, 3, 6, '2019-05-08 23:51:43', 0),
(786, 4, 6, '2019-05-08 23:51:43', 0),
(787, 5, 6, '2019-05-08 23:51:43', 0),
(788, 3, 1, '2019-05-09 01:49:52', 0),
(789, 4, 1, '2019-05-09 01:49:52', 0),
(790, 5, 1, '2019-05-09 01:49:52', 0),
(791, 3, 0, '2019-05-09 09:29:53', 0),
(792, 4, 0, '2019-05-09 09:29:53', 0),
(793, 5, 0, '2019-05-09 09:29:53', 0),
(794, 3, 1, '2019-05-09 09:39:12', 0),
(795, 4, 1, '2019-05-09 09:39:12', 0),
(796, 5, 1, '2019-05-09 09:39:12', 0),
(797, 3, 0, '2019-05-09 09:39:27', 0),
(798, 4, 0, '2019-05-09 09:39:27', 0),
(799, 5, 0, '2019-05-09 09:39:27', 0),
(800, 3, 1, '2019-05-09 09:39:32', 0),
(801, 4, 1, '2019-05-09 09:39:32', 0),
(802, 5, 1, '2019-05-09 09:39:32', 0),
(803, 3, 0, '2019-05-09 09:39:42', 0),
(804, 4, 0, '2019-05-09 09:39:42', 0),
(805, 5, 0, '2019-05-09 09:39:42', 0),
(806, 3, 1, '2019-05-09 09:40:48', 0),
(807, 4, 1, '2019-05-09 09:40:48', 0),
(808, 5, 1, '2019-05-09 09:40:48', 0),
(809, 3, 0, '2019-05-09 09:40:53', 0),
(810, 4, 0, '2019-05-09 09:40:53', 0),
(811, 5, 0, '2019-05-09 09:40:53', 0),
(812, 3, 1, '2019-05-09 10:16:53', 0),
(813, 4, 1, '2019-05-09 10:16:53', 0),
(814, 5, 1, '2019-05-09 10:16:53', 0),
(815, 3, 0, '2019-05-09 10:17:08', 0),
(816, 4, 0, '2019-05-09 10:17:08', 0),
(817, 5, 0, '2019-05-09 10:17:08', 0),
(818, 3, 1, '2019-05-09 10:17:13', 0),
(819, 4, 1, '2019-05-09 10:17:13', 0),
(820, 5, 1, '2019-05-09 10:17:13', 0),
(821, 3, 0, '2019-05-09 10:17:18', 0),
(822, 4, 0, '2019-05-09 10:17:18', 0),
(823, 5, 0, '2019-05-09 10:17:18', 0),
(824, 3, 1, '2019-05-09 10:17:23', 0),
(825, 4, 1, '2019-05-09 10:17:23', 0),
(826, 5, 1, '2019-05-09 10:17:23', 0),
(827, 3, 0, '2019-05-09 10:18:29', 0),
(828, 4, 0, '2019-05-09 10:18:29', 0),
(829, 5, 0, '2019-05-09 10:18:29', 0),
(830, 3, 1, '2019-05-09 10:18:34', 0),
(831, 4, 1, '2019-05-09 10:18:34', 0),
(832, 5, 1, '2019-05-09 10:18:34', 0),
(833, 3, 0, '2019-05-09 10:19:14', 0),
(834, 4, 0, '2019-05-09 10:19:14', 0),
(835, 5, 0, '2019-05-09 10:19:14', 0),
(836, 3, 1, '2019-05-09 10:20:40', 0),
(837, 4, 1, '2019-05-09 10:20:40', 0),
(838, 5, 1, '2019-05-09 10:20:40', 0),
(839, 3, 0, '2019-05-09 10:20:45', 0),
(840, 4, 0, '2019-05-09 10:20:45', 0),
(841, 5, 0, '2019-05-09 10:20:45', 0),
(842, 3, 0, '2019-05-27 09:32:54', 0),
(843, 4, 0, '2019-05-27 09:32:54', 0),
(844, 5, 0, '2019-05-27 09:32:54', 0),
(845, 3, 6, '2019-05-27 09:34:21', 0),
(846, 4, 6, '2019-05-27 09:34:21', 0),
(847, 5, 6, '2019-05-27 09:34:21', 0),
(848, 3, 0, '2019-05-27 09:34:40', 0),
(849, 4, 0, '2019-05-27 09:34:40', 0),
(850, 5, 0, '2019-05-27 09:34:40', 0),
(851, 3, 6, '2019-06-03 17:53:19', 0),
(852, 4, 6, '2019-06-03 17:53:19', 0),
(853, 5, 6, '2019-06-03 17:53:19', 0),
(854, 3, 0, '2019-06-03 17:53:24', 0),
(855, 4, 0, '2019-06-03 17:53:24', 0),
(856, 5, 0, '2019-06-03 17:53:24', 0),
(857, 3, 6, '2019-06-03 17:54:00', 0),
(858, 4, 6, '2019-06-03 17:54:00', 0),
(859, 5, 6, '2019-06-03 17:54:00', 0),
(860, 3, 0, '2019-06-03 18:06:48', 0),
(861, 4, 0, '2019-06-03 18:06:48', 0),
(862, 5, 0, '2019-06-03 18:06:48', 0),
(863, 3, 6, '2019-06-03 18:32:55', 0),
(864, 4, 6, '2019-06-03 18:32:55', 0),
(865, 5, 6, '2019-06-03 18:32:55', 0),
(866, 3, 0, '2019-06-03 19:06:15', 0),
(867, 4, 0, '2019-06-03 19:06:15', 0),
(868, 5, 0, '2019-06-03 19:06:15', 0),
(869, 3, 6, '2019-06-09 13:27:42', 0),
(870, 4, 6, '2019-06-09 13:27:42', 0),
(871, 5, 6, '2019-06-09 13:27:42', 0),
(872, 3, 0, '2019-06-09 13:28:33', 0),
(873, 4, 0, '2019-06-09 13:28:33', 0),
(874, 5, 0, '2019-06-09 13:28:33', 0),
(875, 3, 1, '2019-06-09 15:16:09', 0),
(876, 4, 1, '2019-06-09 15:16:09', 0),
(877, 5, 1, '2019-06-09 15:16:09', 0),
(878, 3, 0, '2019-06-09 15:16:14', 0),
(879, 4, 0, '2019-06-09 15:16:14', 0),
(880, 5, 0, '2019-06-09 15:16:14', 0),
(881, 3, 1, '2019-06-09 15:16:29', 0),
(882, 4, 1, '2019-06-09 15:16:29', 0),
(883, 5, 1, '2019-06-09 15:16:29', 0),
(884, 3, 0, '2019-06-09 15:16:34', 0),
(885, 4, 0, '2019-06-09 15:16:34', 0),
(886, 5, 0, '2019-06-09 15:16:34', 0),
(887, 3, 1, '2019-06-10 07:20:46', 0),
(888, 4, 1, '2019-06-10 07:20:46', 0),
(889, 5, 1, '2019-06-10 07:20:46', 0),
(890, 3, 0, '2019-06-10 07:20:56', 0),
(891, 4, 0, '2019-06-10 07:20:56', 0),
(892, 5, 0, '2019-06-10 07:20:56', 0),
(893, 3, 1, '2019-06-10 08:16:14', 0),
(894, 4, 1, '2019-06-10 08:16:14', 0),
(895, 5, 1, '2019-06-10 08:16:14', 0),
(896, 3, 0, '2019-06-10 08:16:59', 0),
(897, 4, 0, '2019-06-10 08:16:59', 0),
(898, 5, 0, '2019-06-10 08:17:00', 0),
(899, 3, 1, '2019-06-10 08:20:30', 0),
(900, 4, 1, '2019-06-10 08:20:30', 0),
(901, 5, 1, '2019-06-10 08:20:30', 0),
(902, 3, 0, '2019-06-10 08:20:51', 0),
(903, 4, 0, '2019-06-10 08:20:51', 0),
(904, 5, 0, '2019-06-10 08:20:51', 0),
(905, 3, 1, '2019-06-10 08:20:56', 0),
(906, 4, 1, '2019-06-10 08:20:56', 0),
(907, 5, 1, '2019-06-10 08:20:56', 0),
(908, 3, 0, '2019-06-10 08:21:06', 0),
(909, 4, 0, '2019-06-10 08:21:06', 0),
(910, 5, 0, '2019-06-10 08:21:06', 0),
(911, 3, 1, '2019-06-10 08:21:11', 0),
(912, 4, 1, '2019-06-10 08:21:11', 0),
(913, 5, 1, '2019-06-10 08:21:11', 0),
(914, 3, 0, '2019-06-10 08:24:42', 0),
(915, 4, 0, '2019-06-10 08:24:42', 0),
(916, 5, 0, '2019-06-10 08:24:42', 0),
(917, 3, 6, '2019-06-10 08:28:52', 0),
(918, 4, 6, '2019-06-10 08:28:52', 0),
(919, 5, 6, '2019-06-10 08:28:52', 0),
(920, 3, 0, '2019-06-10 08:31:20', 0),
(921, 4, 0, '2019-06-10 08:31:20', 0),
(922, 5, 0, '2019-06-10 08:31:20', 0),
(923, 3, 1, '2019-06-10 08:32:31', 0),
(924, 4, 1, '2019-06-10 08:32:31', 0),
(925, 5, 1, '2019-06-10 08:32:31', 0),
(926, 3, 0, '2019-06-10 08:32:46', 0),
(927, 4, 0, '2019-06-10 08:32:46', 0),
(928, 5, 0, '2019-06-10 08:32:46', 0),
(929, 3, 1, '2019-06-10 08:32:57', 0),
(930, 4, 1, '2019-06-10 08:32:57', 0),
(931, 5, 1, '2019-06-10 08:32:57', 0),
(932, 3, 0, '2019-06-10 08:33:02', 0),
(933, 4, 0, '2019-06-10 08:33:02', 0),
(934, 5, 0, '2019-06-10 08:33:02', 0),
(935, 3, 6, '2019-06-10 08:33:06', 0),
(936, 4, 6, '2019-06-10 08:33:06', 0),
(937, 5, 6, '2019-06-10 08:33:06', 0),
(938, 3, 0, '2019-06-10 08:33:07', 0),
(939, 4, 0, '2019-06-10 08:33:07', 0),
(940, 5, 0, '2019-06-10 08:33:07', 0),
(941, 3, 6, '2019-06-10 08:33:27', 0),
(942, 4, 6, '2019-06-10 08:33:27', 0),
(943, 5, 6, '2019-06-10 08:33:27', 0),
(944, 3, 0, '2019-06-10 08:33:27', 0),
(945, 4, 0, '2019-06-10 08:33:27', 0),
(946, 5, 0, '2019-06-10 08:33:27', 0),
(947, 3, 6, '2019-06-10 08:33:30', 0),
(948, 4, 6, '2019-06-10 08:33:30', 0),
(949, 5, 6, '2019-06-10 08:33:30', 0),
(950, 3, 0, '2019-06-10 08:33:32', 0),
(951, 4, 0, '2019-06-10 08:33:32', 0),
(952, 5, 0, '2019-06-10 08:33:32', 0),
(953, 3, 1, '2019-06-10 08:34:23', 0),
(954, 4, 1, '2019-06-10 08:34:23', 0),
(955, 5, 1, '2019-06-10 08:34:23', 0),
(956, 3, 6, '2019-06-10 08:34:38', 0),
(957, 4, 6, '2019-06-10 08:34:38', 0),
(958, 5, 6, '2019-06-10 08:34:38', 0),
(959, 3, 1, '2019-06-10 08:35:32', 0),
(960, 4, 1, '2019-06-10 08:35:32', 0),
(961, 5, 1, '2019-06-10 08:35:32', 0),
(962, 3, 0, '2019-06-10 08:35:52', 0),
(963, 4, 0, '2019-06-10 08:35:52', 0),
(964, 5, 0, '2019-06-10 08:35:52', 0),
(965, 3, 1, '2019-06-10 08:39:14', 0),
(966, 4, 1, '2019-06-10 08:39:14', 0),
(967, 5, 1, '2019-06-10 08:39:14', 0),
(968, 3, 0, '2019-06-10 08:39:34', 0),
(969, 4, 0, '2019-06-10 08:39:34', 0),
(970, 5, 0, '2019-06-10 08:39:34', 0),
(971, 3, 1, '2019-06-10 08:39:44', 0),
(972, 4, 1, '2019-06-10 08:39:44', 0),
(973, 5, 1, '2019-06-10 08:39:44', 0),
(974, 3, 0, '2019-06-10 08:40:10', 0),
(975, 4, 0, '2019-06-10 08:40:10', 0),
(976, 5, 0, '2019-06-10 08:40:10', 0),
(977, 3, 1, '2019-06-10 08:41:23', 0),
(978, 4, 1, '2019-06-10 08:41:23', 0),
(979, 5, 1, '2019-06-10 08:41:23', 0),
(980, 3, 0, '2019-06-10 08:41:48', 0),
(981, 4, 0, '2019-06-10 08:41:48', 0),
(982, 5, 0, '2019-06-10 08:41:48', 0),
(983, 3, 1, '2019-06-10 08:42:15', 0),
(984, 4, 1, '2019-06-10 08:42:15', 0),
(985, 5, 1, '2019-06-10 08:42:15', 0),
(986, 3, 0, '2019-06-10 08:42:18', 0),
(987, 4, 0, '2019-06-10 08:42:18', 0),
(988, 5, 0, '2019-06-10 08:42:18', 0),
(989, 3, 6, '2019-06-10 08:42:20', 0),
(990, 4, 6, '2019-06-10 08:42:20', 0),
(991, 5, 6, '2019-06-10 08:42:20', 0),
(992, 3, 0, '2019-06-10 08:42:23', 0),
(993, 4, 0, '2019-06-10 08:42:23', 0),
(994, 5, 0, '2019-06-10 08:42:23', 0),
(995, 3, 1, '2019-06-10 08:43:48', 0),
(996, 4, 1, '2019-06-10 08:43:48', 0),
(997, 5, 1, '2019-06-10 08:43:48', 0),
(998, 3, 0, '2019-06-10 08:43:49', 0),
(999, 4, 0, '2019-06-10 08:43:49', 0),
(1000, 5, 0, '2019-06-10 08:43:49', 0),
(1001, 3, 1, '2019-06-10 08:44:25', 0),
(1002, 4, 1, '2019-06-10 08:44:25', 0),
(1003, 5, 1, '2019-06-10 08:44:25', 0),
(1004, 3, 0, '2019-06-10 08:44:25', 0),
(1005, 4, 0, '2019-06-10 08:44:25', 0),
(1006, 5, 0, '2019-06-10 08:44:25', 0),
(1007, 3, 1, '2019-06-10 08:44:38', 0),
(1008, 4, 1, '2019-06-10 08:44:38', 0),
(1009, 5, 1, '2019-06-10 08:44:38', 0),
(1010, 3, 0, '2019-06-10 08:44:40', 0),
(1011, 4, 0, '2019-06-10 08:44:40', 0),
(1012, 5, 0, '2019-06-10 08:44:40', 0),
(1013, 3, 1, '2019-06-10 08:45:19', 0),
(1014, 4, 1, '2019-06-10 08:45:19', 0),
(1015, 5, 1, '2019-06-10 08:45:19', 0),
(1016, 3, 0, '2019-06-10 08:45:21', 0),
(1017, 4, 0, '2019-06-10 08:45:21', 0),
(1018, 5, 0, '2019-06-10 08:45:21', 0),
(1019, 3, 1, '2019-06-10 08:47:56', 0),
(1020, 4, 1, '2019-06-10 08:47:56', 0),
(1021, 5, 1, '2019-06-10 08:47:56', 0),
(1022, 3, 6, '2019-06-10 08:48:16', 0),
(1023, 4, 6, '2019-06-10 08:48:16', 0),
(1024, 5, 6, '2019-06-10 08:48:16', 0),
(1025, 3, 1, '2019-06-10 08:49:06', 0),
(1026, 4, 1, '2019-06-10 08:49:06', 0),
(1027, 5, 1, '2019-06-10 08:49:06', 0),
(1028, 3, 0, '2019-06-10 08:50:09', 0),
(1029, 4, 0, '2019-06-10 08:50:09', 0),
(1030, 5, 0, '2019-06-10 08:50:09', 0),
(1031, 3, 1, '2019-06-10 08:51:33', 0),
(1032, 4, 1, '2019-06-10 08:51:33', 0),
(1033, 5, 1, '2019-06-10 08:51:33', 0),
(1034, 3, 0, '2019-06-10 08:53:44', 0),
(1035, 4, 0, '2019-06-10 08:53:44', 0),
(1036, 5, 0, '2019-06-10 08:53:44', 0),
(1037, 3, 1, '2019-06-10 08:57:26', 0),
(1038, 4, 1, '2019-06-10 08:57:26', 0),
(1039, 5, 1, '2019-06-10 08:57:26', 0),
(1040, 3, 0, '2019-06-10 08:57:36', 0),
(1041, 4, 0, '2019-06-10 08:57:37', 0),
(1042, 5, 0, '2019-06-10 08:57:37', 0),
(1043, 3, 1, '2019-06-10 08:57:47', 0),
(1044, 4, 1, '2019-06-10 08:57:47', 0),
(1045, 5, 1, '2019-06-10 08:57:47', 0),
(1046, 3, 6, '2019-06-10 08:58:07', 0),
(1047, 4, 6, '2019-06-10 08:58:07', 0),
(1048, 5, 6, '2019-06-10 08:58:07', 0),
(1049, 3, 0, '2019-06-10 08:58:22', 0),
(1050, 4, 0, '2019-06-10 08:58:22', 0),
(1051, 5, 0, '2019-06-10 08:58:22', 0),
(1052, 3, 6, '2019-06-10 08:58:47', 0),
(1053, 4, 6, '2019-06-10 08:58:47', 0),
(1054, 5, 6, '2019-06-10 08:58:47', 0),
(1055, 3, 0, '2019-06-10 08:59:18', 0),
(1056, 4, 0, '2019-06-10 08:59:18', 0),
(1057, 5, 0, '2019-06-10 08:59:18', 0),
(1058, 3, 6, '2019-06-10 08:59:38', 0),
(1059, 4, 6, '2019-06-10 08:59:38', 0),
(1060, 5, 6, '2019-06-10 08:59:38', 0),
(1061, 3, 0, '2019-06-10 09:01:35', 0),
(1062, 4, 0, '2019-06-10 09:01:35', 0),
(1063, 5, 0, '2019-06-10 09:01:35', 0),
(1064, 3, 6, '2019-06-10 09:02:00', 0),
(1065, 4, 6, '2019-06-10 09:02:00', 0),
(1066, 5, 6, '2019-06-10 09:02:00', 0),
(1067, 3, 1, '2019-06-10 09:03:55', 0),
(1068, 4, 1, '2019-06-10 09:03:55', 0),
(1069, 5, 1, '2019-06-10 09:03:55', 0),
(1070, 3, 6, '2019-06-10 09:03:57', 0),
(1071, 4, 6, '2019-06-10 09:03:57', 0),
(1072, 5, 6, '2019-06-10 09:03:57', 0),
(1073, 3, 0, '2019-06-10 09:05:30', 0),
(1074, 4, 0, '2019-06-10 09:05:30', 0),
(1075, 5, 0, '2019-06-10 09:05:30', 0),
(1076, 3, 6, '2019-06-10 09:05:33', 0),
(1077, 4, 6, '2019-06-10 09:05:33', 0),
(1078, 5, 6, '2019-06-10 09:05:33', 0),
(1079, 3, 1, '2019-06-10 09:06:11', 0),
(1080, 4, 1, '2019-06-10 09:06:11', 0),
(1081, 5, 1, '2019-06-10 09:06:11', 0),
(1082, 3, 6, '2019-06-10 09:06:13', 0),
(1083, 4, 6, '2019-06-10 09:06:13', 0),
(1084, 5, 6, '2019-06-10 09:06:13', 0),
(1085, 3, 0, '2019-06-10 09:08:20', 0),
(1086, 4, 0, '2019-06-10 09:08:20', 0),
(1087, 5, 0, '2019-06-10 09:08:20', 0),
(1088, 3, 1, '2019-06-10 09:08:35', 0),
(1089, 4, 1, '2019-06-10 09:08:35', 0),
(1090, 5, 1, '2019-06-10 09:08:35', 0),
(1091, 3, 0, '2019-06-10 09:08:50', 0),
(1092, 4, 0, '2019-06-10 09:08:50', 0),
(1093, 5, 0, '2019-06-10 09:08:50', 0),
(1094, 3, 6, '2019-06-10 09:09:11', 0),
(1095, 4, 6, '2019-06-10 09:09:11', 0),
(1096, 5, 6, '2019-06-10 09:09:11', 0),
(1097, 3, 0, '2019-06-10 09:09:31', 0),
(1098, 4, 0, '2019-06-10 09:09:31', 0),
(1099, 5, 0, '2019-06-10 09:09:31', 0),
(1100, 3, 1, '2019-06-10 09:09:56', 0),
(1101, 4, 1, '2019-06-10 09:09:56', 0),
(1102, 5, 1, '2019-06-10 09:09:56', 0),
(1103, 3, 0, '2019-06-10 09:10:11', 0),
(1104, 4, 0, '2019-06-10 09:10:11', 0),
(1105, 5, 0, '2019-06-10 09:10:11', 0),
(1106, 3, 1, '2019-06-10 09:10:41', 0),
(1107, 4, 1, '2019-06-10 09:10:41', 0),
(1108, 5, 1, '2019-06-10 09:10:41', 0),
(1109, 3, 0, '2019-06-10 09:10:46', 0),
(1110, 4, 0, '2019-06-10 09:10:46', 0),
(1111, 5, 0, '2019-06-10 09:10:46', 0),
(1112, 3, 1, '2019-06-10 09:20:18', 0),
(1113, 4, 1, '2019-06-10 09:20:18', 0),
(1114, 5, 1, '2019-06-10 09:20:18', 0),
(1115, 3, 0, '2019-06-10 09:20:28', 0),
(1116, 4, 0, '2019-06-10 09:20:28', 0),
(1117, 5, 0, '2019-06-10 09:20:28', 0),
(1118, 3, 6, '2019-06-10 09:21:39', 0),
(1119, 4, 6, '2019-06-10 09:21:39', 0),
(1120, 5, 6, '2019-06-10 09:21:39', 0),
(1121, 3, 0, '2019-06-10 09:22:24', 0),
(1122, 4, 0, '2019-06-10 09:22:24', 0),
(1123, 5, 0, '2019-06-10 09:22:24', 0),
(1124, 3, 6, '2019-06-10 09:23:55', 0),
(1125, 4, 6, '2019-06-10 09:23:55', 0),
(1126, 5, 6, '2019-06-10 09:23:55', 0),
(1127, 3, 0, '2019-06-10 09:24:59', 0),
(1128, 4, 0, '2019-06-10 09:24:59', 0),
(1129, 5, 0, '2019-06-10 09:24:59', 0),
(1130, 3, 6, '2019-06-10 09:27:16', 0),
(1131, 4, 6, '2019-06-10 09:27:16', 0),
(1132, 5, 6, '2019-06-10 09:27:16', 0),
(1133, 3, 0, '2019-06-10 09:27:31', 0),
(1134, 4, 0, '2019-06-10 09:27:31', 0),
(1135, 5, 0, '2019-06-10 09:27:31', 0),
(1136, 3, 6, '2019-06-10 09:41:48', 0),
(1137, 4, 6, '2019-06-10 09:41:48', 0),
(1138, 5, 6, '2019-06-10 09:41:48', 0),
(1139, 3, 0, '2019-06-10 09:47:02', 0),
(1140, 4, 0, '2019-06-10 09:47:02', 0),
(1141, 5, 0, '2019-06-10 09:47:02', 0),
(1142, 3, 1, '2019-06-10 10:01:14', 0),
(1143, 4, 1, '2019-06-10 10:01:14', 0),
(1144, 5, 1, '2019-06-10 10:01:14', 0),
(1145, 3, 0, '2019-06-10 10:01:24', 0),
(1146, 4, 0, '2019-06-10 10:01:24', 0),
(1147, 5, 0, '2019-06-10 10:01:24', 0),
(1148, 3, 1, '2019-06-10 10:05:07', 0),
(1149, 4, 1, '2019-06-10 10:05:07', 0),
(1150, 5, 1, '2019-06-10 10:05:07', 0),
(1151, 3, 0, '2019-06-10 10:05:12', 0),
(1152, 4, 0, '2019-06-10 10:05:12', 0),
(1153, 5, 0, '2019-06-10 10:05:12', 0),
(1154, 3, 1, '2019-06-10 10:10:22', 0),
(1155, 4, 1, '2019-06-10 10:10:22', 0),
(1156, 5, 1, '2019-06-10 10:10:22', 0),
(1157, 3, 0, '2019-06-10 10:10:37', 0),
(1158, 4, 0, '2019-06-10 10:10:37', 0),
(1159, 5, 0, '2019-06-10 10:10:37', 0),
(1160, 3, 1, '2019-06-10 10:11:38', 0),
(1161, 4, 1, '2019-06-10 10:11:38', 0),
(1162, 5, 1, '2019-06-10 10:11:38', 0),
(1163, 3, 0, '2019-06-10 10:11:54', 0),
(1164, 4, 0, '2019-06-10 10:11:54', 0),
(1165, 5, 0, '2019-06-10 10:11:54', 0),
(1166, 3, 1, '2019-06-10 10:12:30', 0),
(1167, 4, 1, '2019-06-10 10:12:30', 0),
(1168, 5, 1, '2019-06-10 10:12:30', 0),
(1169, 3, 0, '2019-06-10 10:12:40', 0),
(1170, 4, 0, '2019-06-10 10:12:40', 0),
(1171, 5, 0, '2019-06-10 10:12:40', 0),
(1172, 3, 1, '2019-06-10 10:26:22', 0),
(1173, 4, 1, '2019-06-10 10:26:22', 0),
(1174, 5, 1, '2019-06-10 10:26:22', 0),
(1175, 3, 0, '2019-06-10 10:26:33', 0),
(1176, 4, 0, '2019-06-10 10:26:33', 0),
(1177, 5, 0, '2019-06-10 10:26:33', 0),
(1178, 3, 1, '2019-06-10 10:26:39', 0),
(1179, 4, 1, '2019-06-10 10:26:39', 0),
(1180, 5, 1, '2019-06-10 10:26:39', 0),
(1181, 3, 0, '2019-06-10 10:26:45', 0),
(1182, 4, 0, '2019-06-10 10:26:45', 0),
(1183, 5, 0, '2019-06-10 10:26:45', 0),
(1184, 3, 1, '2019-06-10 10:27:37', 0),
(1185, 4, 1, '2019-06-10 10:27:37', 0),
(1186, 5, 1, '2019-06-10 10:27:37', 0),
(1187, 3, 0, '2019-06-10 10:27:43', 0),
(1188, 4, 0, '2019-06-10 10:27:43', 0),
(1189, 5, 0, '2019-06-10 10:27:43', 0),
(1190, 3, 1, '2019-06-10 10:28:34', 0),
(1191, 4, 1, '2019-06-10 10:28:34', 0),
(1192, 5, 1, '2019-06-10 10:28:34', 0),
(1193, 3, 0, '2019-06-10 10:28:51', 0),
(1194, 4, 0, '2019-06-10 10:28:51', 0),
(1195, 5, 0, '2019-06-10 10:28:51', 0),
(1196, 3, 1, '2019-06-10 10:28:58', 0),
(1197, 4, 1, '2019-06-10 10:28:58', 0),
(1198, 5, 1, '2019-06-10 10:28:58', 0),
(1199, 3, 0, '2019-06-10 10:29:04', 0),
(1200, 4, 0, '2019-06-10 10:29:04', 0),
(1201, 5, 0, '2019-06-10 10:29:04', 0),
(1202, 3, 1, '2019-06-10 10:29:35', 0),
(1203, 4, 1, '2019-06-10 10:29:35', 0),
(1204, 5, 1, '2019-06-10 10:29:35', 0),
(1205, 3, 0, '2019-06-10 10:29:41', 0),
(1206, 4, 0, '2019-06-10 10:29:41', 0),
(1207, 5, 0, '2019-06-10 10:29:41', 0),
(1208, 3, 1, '2019-06-10 10:31:54', 0),
(1209, 4, 1, '2019-06-10 10:31:54', 0),
(1210, 5, 1, '2019-06-10 10:31:54', 0),
(1211, 3, 0, '2019-06-10 10:32:00', 0),
(1212, 4, 0, '2019-06-10 10:32:00', 0),
(1213, 5, 0, '2019-06-10 10:32:00', 0),
(1214, 3, 6, '2019-06-10 10:33:58', 0),
(1215, 4, 6, '2019-06-10 10:33:58', 0),
(1216, 5, 6, '2019-06-10 10:33:58', 0),
(1217, 3, 0, '2019-06-10 10:34:24', 0),
(1218, 4, 0, '2019-06-10 10:34:24', 0),
(1219, 5, 0, '2019-06-10 10:34:24', 0),
(1220, 3, 6, '2019-06-10 10:34:50', 0),
(1221, 4, 6, '2019-06-10 10:34:50', 0),
(1222, 5, 6, '2019-06-10 10:34:50', 0),
(1223, 3, 0, '2019-06-10 10:35:26', 0),
(1224, 4, 0, '2019-06-10 10:35:26', 0),
(1225, 5, 0, '2019-06-10 10:35:26', 0),
(1226, 3, 1, '2019-06-10 10:38:45', 0),
(1227, 4, 1, '2019-06-10 10:38:45', 0),
(1228, 5, 1, '2019-06-10 10:38:45', 0),
(1229, 3, 0, '2019-06-10 10:38:56', 0),
(1230, 4, 0, '2019-06-10 10:38:56', 0),
(1231, 5, 0, '2019-06-10 10:38:56', 0),
(1232, 3, 1, '2019-06-10 10:45:06', 0),
(1233, 4, 1, '2019-06-10 10:45:06', 0),
(1234, 5, 1, '2019-06-10 10:45:06', 0),
(1235, 3, 0, '2019-06-10 10:45:17', 0),
(1236, 4, 0, '2019-06-10 10:45:17', 0),
(1237, 5, 0, '2019-06-10 10:45:17', 0),
(1238, 3, 1, '2019-06-10 10:49:32', 0),
(1239, 4, 1, '2019-06-10 10:49:32', 0),
(1240, 5, 1, '2019-06-10 10:49:32', 0),
(1241, 3, 0, '2019-06-10 10:49:43', 0),
(1242, 4, 0, '2019-06-10 10:49:43', 0),
(1243, 5, 0, '2019-06-10 10:49:43', 0),
(1244, 3, 1, '2019-06-10 10:49:49', 0),
(1245, 4, 1, '2019-06-10 10:49:49', 0),
(1246, 5, 1, '2019-06-10 10:49:49', 0),
(1247, 3, 0, '2019-06-10 10:49:55', 0),
(1248, 4, 0, '2019-06-10 10:49:55', 0),
(1249, 5, 0, '2019-06-10 10:49:55', 0),
(1250, 3, 6, '2019-06-10 10:50:01', 0),
(1251, 4, 6, '2019-06-10 10:50:01', 0),
(1252, 5, 6, '2019-06-10 10:50:01', 0),
(1253, 3, 0, '2019-06-10 10:51:28', 0),
(1254, 4, 0, '2019-06-10 10:51:28', 0),
(1255, 5, 0, '2019-06-10 10:51:28', 0),
(1256, 3, 1, '2019-06-10 10:53:46', 0),
(1257, 4, 1, '2019-06-10 10:53:46', 0),
(1258, 5, 1, '2019-06-10 10:53:46', 0),
(1259, 3, 0, '2019-06-10 10:53:52', 0),
(1260, 4, 0, '2019-06-10 10:53:52', 0),
(1261, 5, 0, '2019-06-10 10:53:52', 0),
(1262, 3, 1, '2019-06-10 10:54:34', 0),
(1263, 4, 1, '2019-06-10 10:54:34', 0),
(1264, 5, 1, '2019-06-10 10:54:34', 0),
(1265, 3, 0, '2019-06-10 10:54:40', 0),
(1266, 4, 0, '2019-06-10 10:54:40', 0),
(1267, 5, 0, '2019-06-10 10:54:40', 0),
(1268, 3, 6, '2019-06-10 10:56:38', 0),
(1269, 4, 6, '2019-06-10 10:56:38', 0),
(1270, 5, 6, '2019-06-10 10:56:38', 0),
(1271, 3, 0, '2019-06-10 10:56:54', 0),
(1272, 4, 0, '2019-06-10 10:56:54', 0),
(1273, 5, 0, '2019-06-10 10:56:54', 0),
(1274, 3, 1, '2019-06-10 10:57:05', 0),
(1275, 4, 1, '2019-06-10 10:57:05', 0),
(1276, 5, 1, '2019-06-10 10:57:05', 0),
(1277, 3, 0, '2019-06-10 10:57:21', 0),
(1278, 4, 0, '2019-06-10 10:57:21', 0),
(1279, 5, 0, '2019-06-10 10:57:21', 0),
(1280, 3, 1, '2019-06-10 10:57:48', 0),
(1281, 4, 1, '2019-06-10 10:57:48', 0),
(1282, 5, 1, '2019-06-10 10:57:48', 0),
(1283, 3, 0, '2019-06-10 10:57:54', 0),
(1284, 4, 0, '2019-06-10 10:57:54', 0),
(1285, 5, 0, '2019-06-10 10:57:54', 0),
(1286, 3, 1, '2019-06-10 10:58:15', 0),
(1287, 4, 1, '2019-06-10 10:58:15', 0),
(1288, 5, 1, '2019-06-10 10:58:15', 0),
(1289, 3, 0, '2019-06-10 10:58:37', 0),
(1290, 4, 0, '2019-06-10 10:58:37', 0),
(1291, 5, 0, '2019-06-10 10:58:37', 0),
(1292, 3, 1, '2019-06-10 10:59:43', 0),
(1293, 4, 1, '2019-06-10 10:59:43', 0),
(1294, 5, 1, '2019-06-10 10:59:44', 0),
(1295, 3, 0, '2019-06-10 11:00:01', 0),
(1296, 4, 0, '2019-06-10 11:00:01', 0),
(1297, 5, 0, '2019-06-10 11:00:01', 0),
(1298, 3, 1, '2019-06-10 11:00:36', 0),
(1299, 4, 1, '2019-06-10 11:00:36', 0),
(1300, 5, 1, '2019-06-10 11:00:36', 0),
(1301, 3, 6, '2019-06-10 11:00:42', 0),
(1302, 4, 6, '2019-06-10 11:00:42', 0),
(1303, 5, 6, '2019-06-10 11:00:43', 0),
(1304, 3, 0, '2019-06-10 11:01:09', 0),
(1305, 4, 0, '2019-06-10 11:01:09', 0),
(1306, 5, 0, '2019-06-10 11:01:09', 0),
(1307, 3, 6, '2019-06-10 11:02:06', 0),
(1308, 4, 6, '2019-06-10 11:02:06', 0),
(1309, 5, 6, '2019-06-10 11:02:06', 0),
(1310, 3, 0, '2019-06-10 11:02:33', 0),
(1311, 4, 0, '2019-06-10 11:02:33', 0),
(1312, 5, 0, '2019-06-10 11:02:33', 0),
(1313, 3, 6, '2019-06-10 11:03:31', 0),
(1314, 4, 6, '2019-06-10 11:03:31', 0),
(1315, 5, 6, '2019-06-10 11:03:31', 0),
(1316, 3, 0, '2019-06-10 11:04:33', 0),
(1317, 4, 0, '2019-06-10 11:04:33', 0),
(1318, 5, 0, '2019-06-10 11:04:33', 0),
(1319, 3, 6, '2019-06-10 11:05:45', 0),
(1320, 4, 6, '2019-06-10 11:05:45', 0),
(1321, 5, 6, '2019-06-10 11:05:45', 0),
(1322, 3, 0, '2019-06-10 11:10:13', 0),
(1323, 4, 0, '2019-06-10 11:10:13', 0),
(1324, 5, 0, '2019-06-10 11:10:13', 0),
(1325, 3, 1, '2019-06-10 11:11:10', 0),
(1326, 4, 1, '2019-06-10 11:11:10', 0),
(1327, 5, 1, '2019-06-10 11:11:10', 0),
(1328, 3, 0, '2019-06-10 11:11:16', 0),
(1329, 4, 0, '2019-06-10 11:11:16', 0),
(1330, 5, 0, '2019-06-10 11:11:16', 0),
(1331, 3, 6, '2019-06-10 11:11:27', 0),
(1332, 4, 6, '2019-06-10 11:11:27', 0),
(1333, 5, 6, '2019-06-10 11:11:27', 0),
(1334, 3, 0, '2019-06-10 11:11:43', 0),
(1335, 4, 0, '2019-06-10 11:11:43', 0),
(1336, 5, 0, '2019-06-10 11:11:43', 0),
(1337, 3, 6, '2019-06-10 11:14:21', 0),
(1338, 4, 6, '2019-06-10 11:14:21', 0),
(1339, 5, 6, '2019-06-10 11:14:21', 0),
(1340, 3, 0, '2019-06-10 11:15:28', 0),
(1341, 4, 0, '2019-06-10 11:15:28', 0),
(1342, 5, 0, '2019-06-10 11:15:28', 0);
INSERT INTO `notification` (`id`, `user_id`, `code`, `timestamp`, `is_opened`) VALUES
(1343, 3, 6, '2019-06-10 11:15:50', 0),
(1344, 4, 6, '2019-06-10 11:15:50', 0),
(1345, 5, 6, '2019-06-10 11:15:50', 0),
(1346, 3, 0, '2019-06-10 11:16:01', 0),
(1347, 4, 0, '2019-06-10 11:16:01', 0),
(1348, 5, 0, '2019-06-10 11:16:01', 0),
(1349, 3, 6, '2019-06-10 11:16:27', 0),
(1350, 4, 6, '2019-06-10 11:16:27', 0),
(1351, 5, 6, '2019-06-10 11:16:27', 0),
(1352, 3, 0, '2019-06-10 11:16:44', 0),
(1353, 4, 0, '2019-06-10 11:16:44', 0),
(1354, 5, 0, '2019-06-10 11:16:44', 0),
(1355, 3, 6, '2019-06-10 11:17:20', 0),
(1356, 4, 6, '2019-06-10 11:17:20', 0),
(1357, 5, 6, '2019-06-10 11:17:20', 0),
(1358, 3, 0, '2019-06-10 11:17:26', 0),
(1359, 4, 0, '2019-06-10 11:17:26', 0),
(1360, 5, 0, '2019-06-10 11:17:26', 0),
(1361, 3, 6, '2019-06-10 11:21:30', 0),
(1362, 4, 6, '2019-06-10 11:21:30', 0),
(1363, 5, 6, '2019-06-10 11:21:30', 0),
(1364, 3, 0, '2019-06-10 11:21:51', 0),
(1365, 4, 0, '2019-06-10 11:21:51', 0),
(1366, 5, 0, '2019-06-10 11:21:51', 0),
(1367, 3, 6, '2019-06-10 11:24:09', 0),
(1368, 4, 6, '2019-06-10 11:24:09', 0),
(1369, 5, 6, '2019-06-10 11:24:09', 0),
(1370, 3, 0, '2019-06-10 11:25:06', 0),
(1371, 4, 0, '2019-06-10 11:25:06', 0),
(1372, 5, 0, '2019-06-10 11:25:06', 0),
(1373, 3, 6, '2019-06-10 11:29:35', 0),
(1374, 4, 6, '2019-06-10 11:29:35', 0),
(1375, 5, 6, '2019-06-10 11:29:35', 0),
(1376, 3, 0, '2019-06-10 11:29:46', 0),
(1377, 4, 0, '2019-06-10 11:29:46', 0),
(1378, 5, 0, '2019-06-10 11:29:46', 0),
(1379, 3, 1, '2019-06-10 11:33:20', 0),
(1380, 4, 1, '2019-06-10 11:33:20', 0),
(1381, 5, 1, '2019-06-10 11:33:20', 0),
(1382, 3, 0, '2019-06-10 11:33:37', 0),
(1383, 4, 0, '2019-06-10 11:33:37', 0),
(1384, 5, 0, '2019-06-10 11:33:37', 0),
(1385, 3, 6, '2019-06-10 11:41:39', 0),
(1386, 4, 6, '2019-06-10 11:41:39', 0),
(1387, 5, 6, '2019-06-10 11:41:39', 0),
(1388, 3, 0, '2019-06-10 11:45:18', 0),
(1389, 4, 0, '2019-06-10 11:45:18', 0),
(1390, 5, 0, '2019-06-10 11:45:18', 0),
(1391, 3, 6, '2019-06-10 11:46:05', 0),
(1392, 4, 6, '2019-06-10 11:46:05', 0),
(1393, 5, 6, '2019-06-10 11:46:05', 0),
(1394, 3, 0, '2019-06-10 11:47:37', 0),
(1395, 4, 0, '2019-06-10 11:47:37', 0),
(1396, 5, 0, '2019-06-10 11:47:37', 0),
(1397, 3, 6, '2019-06-10 11:48:23', 0),
(1398, 4, 6, '2019-06-10 11:48:23', 0),
(1399, 5, 6, '2019-06-10 11:48:23', 0),
(1400, 3, 0, '2019-06-10 11:48:44', 0),
(1401, 4, 0, '2019-06-10 11:48:44', 0),
(1402, 5, 0, '2019-06-10 11:48:44', 0),
(1403, 3, 6, '2019-06-10 12:14:44', 0),
(1404, 4, 6, '2019-06-10 12:14:44', 0),
(1405, 5, 6, '2019-06-10 12:14:44', 0),
(1406, 3, 0, '2019-06-10 12:15:00', 0),
(1407, 4, 0, '2019-06-10 12:15:00', 0),
(1408, 5, 0, '2019-06-10 12:15:00', 0),
(1409, 3, 6, '2019-06-10 12:15:29', 0),
(1410, 4, 6, '2019-06-10 12:15:29', 0),
(1411, 5, 6, '2019-06-10 12:15:29', 0),
(1412, 3, 0, '2019-06-10 12:15:50', 0),
(1413, 4, 0, '2019-06-10 12:15:50', 0),
(1414, 5, 0, '2019-06-10 12:15:50', 0),
(1415, 3, 6, '2019-06-10 12:19:04', 0),
(1416, 4, 6, '2019-06-10 12:19:04', 0),
(1417, 5, 6, '2019-06-10 12:19:04', 0),
(1418, 3, 0, '2019-06-10 12:19:35', 0),
(1419, 4, 0, '2019-06-10 12:19:35', 0),
(1420, 5, 0, '2019-06-10 12:19:35', 0),
(1421, 3, 6, '2019-06-10 12:20:57', 0),
(1422, 4, 6, '2019-06-10 12:20:57', 0),
(1423, 5, 6, '2019-06-10 12:20:57', 0),
(1424, 3, 0, '2019-06-10 12:22:15', 0),
(1425, 4, 0, '2019-06-10 12:22:15', 0),
(1426, 5, 0, '2019-06-10 12:22:15', 0),
(1427, 3, 6, '2019-06-10 12:26:28', 0),
(1428, 4, 6, '2019-06-10 12:26:28', 0),
(1429, 5, 6, '2019-06-10 12:26:28', 0),
(1430, 3, 0, '2019-06-10 12:26:50', 0),
(1431, 4, 0, '2019-06-10 12:26:50', 0),
(1432, 5, 0, '2019-06-10 12:26:50', 0),
(1433, 3, 1, '2019-06-10 12:28:27', 0),
(1434, 4, 1, '2019-06-10 12:28:27', 0),
(1435, 5, 1, '2019-06-10 12:28:27', 0),
(1436, 3, 0, '2019-06-10 12:28:33', 0),
(1437, 4, 0, '2019-06-10 12:28:33', 0),
(1438, 5, 0, '2019-06-10 12:28:33', 0),
(1439, 3, 6, '2019-06-10 12:29:35', 0),
(1440, 4, 6, '2019-06-10 12:29:35', 0),
(1441, 5, 6, '2019-06-10 12:29:35', 0),
(1442, 3, 0, '2019-06-10 12:29:51', 0),
(1443, 4, 0, '2019-06-10 12:29:51', 0),
(1444, 5, 0, '2019-06-10 12:29:51', 0),
(1445, 3, 6, '2019-06-10 12:31:39', 0),
(1446, 4, 6, '2019-06-10 12:31:39', 0),
(1447, 5, 6, '2019-06-10 12:31:39', 0),
(1448, 3, 0, '2019-06-10 12:32:40', 0),
(1449, 4, 0, '2019-06-10 12:32:40', 0),
(1450, 5, 0, '2019-06-10 12:32:40', 0),
(1451, 3, 6, '2019-06-10 12:33:07', 0),
(1452, 4, 6, '2019-06-10 12:33:07', 0),
(1453, 5, 6, '2019-06-10 12:33:07', 0),
(1454, 3, 0, '2019-06-10 12:34:19', 0),
(1455, 4, 0, '2019-06-10 12:34:19', 0),
(1456, 5, 0, '2019-06-10 12:34:19', 0),
(1457, 3, 6, '2019-06-10 12:34:30', 0),
(1458, 4, 6, '2019-06-10 12:34:30', 0),
(1459, 5, 6, '2019-06-10 12:34:30', 0),
(1460, 3, 0, '2019-06-10 12:34:47', 0),
(1461, 4, 0, '2019-06-10 12:34:47', 0),
(1462, 5, 0, '2019-06-10 12:34:47', 0),
(1463, 3, 6, '2019-06-10 12:35:18', 0),
(1464, 4, 6, '2019-06-10 12:35:18', 0),
(1465, 5, 6, '2019-06-10 12:35:18', 0),
(1466, 3, 0, '2019-06-10 12:36:50', 0),
(1467, 4, 0, '2019-06-10 12:36:50', 0),
(1468, 5, 0, '2019-06-10 12:36:50', 0),
(1469, 3, 6, '2019-06-10 12:37:32', 0),
(1470, 4, 6, '2019-06-10 12:37:32', 0),
(1471, 5, 6, '2019-06-10 12:37:32', 0),
(1472, 3, 0, '2019-06-10 12:38:55', 0),
(1473, 4, 0, '2019-06-10 12:38:55', 0),
(1474, 5, 0, '2019-06-10 12:38:55', 0),
(1475, 3, 6, '2019-06-10 12:40:12', 0),
(1476, 4, 6, '2019-06-10 12:40:12', 0),
(1477, 5, 6, '2019-06-10 12:40:12', 0),
(1478, 3, 0, '2019-06-10 12:41:29', 0),
(1479, 4, 0, '2019-06-10 12:41:29', 0),
(1480, 5, 0, '2019-06-10 12:41:29', 0),
(1481, 3, 6, '2019-06-10 12:41:35', 0),
(1482, 4, 6, '2019-06-10 12:41:35', 0),
(1483, 5, 6, '2019-06-10 12:41:35', 0),
(1484, 3, 0, '2019-06-10 12:42:43', 0),
(1485, 4, 0, '2019-06-10 12:42:43', 0),
(1486, 5, 0, '2019-06-10 12:42:43', 0),
(1487, 3, 1, '2019-06-10 12:42:54', 0),
(1488, 4, 1, '2019-06-10 12:42:54', 0),
(1489, 5, 1, '2019-06-10 12:42:54', 0),
(1490, 3, 0, '2019-06-10 12:43:06', 0),
(1491, 4, 0, '2019-06-10 12:43:06', 0),
(1492, 5, 0, '2019-06-10 12:43:06', 0),
(1493, 3, 6, '2019-06-10 12:43:22', 0),
(1494, 4, 6, '2019-06-10 12:43:22', 0),
(1495, 5, 6, '2019-06-10 12:43:22', 0),
(1496, 3, 0, '2019-06-10 12:43:28', 0),
(1497, 4, 0, '2019-06-10 12:43:28', 0),
(1498, 5, 0, '2019-06-10 12:43:28', 0),
(1499, 3, 6, '2019-06-10 12:44:50', 0),
(1500, 4, 6, '2019-06-10 12:44:50', 0),
(1501, 5, 6, '2019-06-10 12:44:50', 0),
(1502, 3, 0, '2019-06-10 12:44:56', 0),
(1503, 4, 0, '2019-06-10 12:44:56', 0),
(1504, 5, 0, '2019-06-10 12:44:56', 0),
(1505, 3, 6, '2019-06-10 12:46:28', 0),
(1506, 4, 6, '2019-06-10 12:46:29', 0),
(1507, 5, 6, '2019-06-10 12:46:29', 0),
(1508, 3, 0, '2019-06-10 12:46:40', 0),
(1509, 4, 0, '2019-06-10 12:46:40', 0),
(1510, 5, 0, '2019-06-10 12:46:40', 0),
(1511, 3, 6, '2019-06-10 12:48:07', 0),
(1512, 4, 6, '2019-06-10 12:48:07', 0),
(1513, 5, 6, '2019-06-10 12:48:07', 0),
(1514, 3, 0, '2019-06-10 12:48:13', 0),
(1515, 4, 0, '2019-06-10 12:48:13', 0),
(1516, 5, 0, '2019-06-10 12:48:13', 0),
(1517, 3, 6, '2019-06-10 12:49:45', 0),
(1518, 4, 6, '2019-06-10 12:49:45', 0),
(1519, 5, 6, '2019-06-10 12:49:45', 0),
(1520, 3, 0, '2019-06-10 12:52:49', 0),
(1521, 4, 0, '2019-06-10 12:52:49', 0),
(1522, 5, 0, '2019-06-10 12:52:49', 0),
(1523, 3, 6, '2019-06-10 12:57:38', 0),
(1524, 4, 6, '2019-06-10 12:57:38', 0),
(1525, 5, 6, '2019-06-10 12:57:38', 0),
(1526, 3, 0, '2019-06-10 12:57:44', 0),
(1527, 4, 0, '2019-06-10 12:57:44', 0),
(1528, 5, 0, '2019-06-10 12:57:44', 0),
(1529, 3, 6, '2019-06-10 13:00:27', 0),
(1530, 4, 6, '2019-06-10 13:00:27', 0),
(1531, 5, 6, '2019-06-10 13:00:27', 0),
(1532, 3, 0, '2019-06-10 13:00:38', 0),
(1533, 4, 0, '2019-06-10 13:00:38', 0),
(1534, 5, 0, '2019-06-10 13:00:38', 0),
(1535, 3, 6, '2019-06-10 13:04:30', 0),
(1536, 4, 6, '2019-06-10 13:04:30', 0),
(1537, 5, 6, '2019-06-10 13:04:30', 0),
(1538, 3, 0, '2019-06-10 13:07:19', 0),
(1539, 4, 0, '2019-06-10 13:07:19', 0),
(1540, 5, 0, '2019-06-10 13:07:19', 0),
(1541, 3, 6, '2019-06-10 13:08:07', 0),
(1542, 4, 6, '2019-06-10 13:08:07', 0),
(1543, 5, 6, '2019-06-10 13:08:07', 0),
(1544, 3, 0, '2019-06-10 13:11:46', 0),
(1545, 4, 0, '2019-06-10 13:11:46', 0),
(1546, 5, 0, '2019-06-10 13:11:46', 0),
(1547, 3, 6, '2019-06-10 13:12:14', 0),
(1548, 4, 6, '2019-06-10 13:12:14', 0),
(1549, 5, 6, '2019-06-10 13:12:14', 0),
(1550, 3, 0, '2019-06-10 13:17:09', 0),
(1551, 4, 0, '2019-06-10 13:17:09', 0),
(1552, 5, 0, '2019-06-10 13:17:09', 0),
(1553, 3, 1, '2019-06-10 13:21:29', 0),
(1554, 4, 1, '2019-06-10 13:21:29', 0),
(1555, 5, 1, '2019-06-10 13:21:29', 0),
(1556, 3, 0, '2019-06-10 13:21:36', 0),
(1557, 4, 0, '2019-06-10 13:21:36', 0),
(1558, 5, 0, '2019-06-10 13:21:36', 0),
(1559, 3, 6, '2019-06-10 13:22:18', 0),
(1560, 4, 6, '2019-06-10 13:22:18', 0),
(1561, 5, 6, '2019-06-10 13:22:18', 0),
(1562, 3, 0, '2019-06-10 13:22:50', 0),
(1563, 4, 0, '2019-06-10 13:22:50', 0),
(1564, 5, 0, '2019-06-10 13:22:50', 0),
(1565, 3, 6, '2019-06-10 13:26:10', 0),
(1566, 4, 6, '2019-06-10 13:26:10', 0),
(1567, 5, 6, '2019-06-10 13:26:10', 0),
(1568, 3, 0, '2019-06-10 13:26:32', 0),
(1569, 4, 0, '2019-06-10 13:26:32', 0),
(1570, 5, 0, '2019-06-10 13:26:32', 0),
(1571, 3, 6, '2019-06-10 13:29:21', 0),
(1572, 4, 6, '2019-06-10 13:29:21', 0),
(1573, 5, 6, '2019-06-10 13:29:21', 0),
(1574, 3, 1, '2019-06-10 13:29:44', 0),
(1575, 4, 1, '2019-06-10 13:29:44', 0),
(1576, 5, 1, '2019-06-10 13:29:44', 0),
(1577, 3, 0, '2019-06-10 13:29:51', 0),
(1578, 4, 0, '2019-06-10 13:29:51', 0),
(1579, 5, 0, '2019-06-10 13:29:51', 0),
(1580, 3, 6, '2019-06-10 13:35:16', 0),
(1581, 4, 6, '2019-06-10 13:35:16', 0),
(1582, 5, 6, '2019-06-10 13:35:16', 0),
(1583, 3, 0, '2019-06-10 13:36:08', 0),
(1584, 4, 0, '2019-06-10 13:36:08', 0),
(1585, 5, 0, '2019-06-10 13:36:08', 0),
(1586, 3, 6, '2019-06-10 13:38:22', 0),
(1587, 4, 6, '2019-06-10 13:38:22', 0),
(1588, 5, 6, '2019-06-10 13:38:22', 0),
(1589, 3, 0, '2019-06-10 13:38:44', 0),
(1590, 4, 0, '2019-06-10 13:38:44', 0),
(1591, 5, 0, '2019-06-10 13:38:44', 0),
(1592, 3, 1, '2019-06-10 13:40:11', 0),
(1593, 4, 1, '2019-06-10 13:40:11', 0),
(1594, 5, 1, '2019-06-10 13:40:11', 0),
(1595, 3, 0, '2019-06-10 13:40:18', 0),
(1596, 4, 0, '2019-06-10 13:40:18', 0),
(1597, 5, 0, '2019-06-10 13:40:18', 0),
(1598, 3, 6, '2019-06-10 13:48:15', 0),
(1599, 4, 6, '2019-06-10 13:48:15', 0),
(1600, 5, 6, '2019-06-10 13:48:15', 0),
(1601, 3, 0, '2019-06-10 13:48:27', 0),
(1602, 4, 0, '2019-06-10 13:48:27', 0),
(1603, 5, 0, '2019-06-10 13:48:27', 0),
(1604, 3, 6, '2019-06-10 13:49:55', 0),
(1605, 4, 6, '2019-06-10 13:49:55', 0),
(1606, 5, 6, '2019-06-10 13:49:55', 0),
(1607, 3, 0, '2019-06-10 13:50:27', 0),
(1608, 4, 0, '2019-06-10 13:50:27', 0),
(1609, 5, 0, '2019-06-10 13:50:27', 0),
(1610, 3, 6, '2019-06-10 13:56:18', 0),
(1611, 4, 6, '2019-06-10 13:56:18', 0),
(1612, 5, 6, '2019-06-10 13:56:18', 0),
(1613, 3, 0, '2019-06-10 13:56:41', 0),
(1614, 4, 0, '2019-06-10 13:56:41', 0),
(1615, 5, 0, '2019-06-10 13:56:41', 0),
(1616, 3, 1, '2019-06-10 13:56:52', 0),
(1617, 4, 1, '2019-06-10 13:56:52', 0),
(1618, 5, 1, '2019-06-10 13:56:52', 0),
(1619, 3, 0, '2019-06-10 13:56:59', 0),
(1620, 4, 0, '2019-06-10 13:56:59', 0),
(1621, 5, 0, '2019-06-10 13:56:59', 0),
(1622, 3, 6, '2019-06-10 14:01:10', 0),
(1623, 4, 6, '2019-06-10 14:01:10', 0),
(1624, 5, 6, '2019-06-10 14:01:10', 0),
(1625, 3, 1, '2019-06-10 14:01:22', 0),
(1626, 4, 1, '2019-06-10 14:01:22', 0),
(1627, 5, 1, '2019-06-10 14:01:22', 0),
(1628, 3, 0, '2019-06-10 14:01:34', 0),
(1629, 4, 0, '2019-06-10 14:01:34', 0),
(1630, 5, 0, '2019-06-10 14:01:34', 0),
(1631, 3, 1, '2019-06-10 14:03:37', 0),
(1632, 4, 1, '2019-06-10 14:03:37', 0),
(1633, 5, 1, '2019-06-10 14:03:37', 0),
(1634, 3, 0, '2019-06-10 14:03:44', 0),
(1635, 4, 0, '2019-06-10 14:03:44', 0),
(1636, 5, 0, '2019-06-10 14:03:44', 0),
(1637, 3, 6, '2019-06-10 14:14:29', 0),
(1638, 4, 6, '2019-06-10 14:14:29', 0),
(1639, 5, 6, '2019-06-10 14:14:29', 0);
-- --------------------------------------------------------
--
-- Table structure for table `subscriber`
--
CREATE TABLE `subscriber` (
`id` int(11) NOT NULL,
`created` datetime NOT NULL,
`modified` datetime NOT NULL,
`subscription_info` varchar(2000) COLLATE utf8_bin DEFAULT NULL,
`is_active` tinyint(1) DEFAULT NULL,
`device_id` varchar(64) COLLATE utf8_bin DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin;
--
-- Dumping data for table `subscriber`
--
INSERT INTO `subscriber` (`id`, `created`, `modified`, `subscription_info`, `is_active`, `device_id`) VALUES
(1, '2019-06-10 08:31:55', '2019-06-10 08:31:55', '{\"endpoint\":\"https://updates.push.services.mozilla.com/wpush/v2/gAAAAABc_hV7LSpVHVlo8m77pAb4fVbwae0irGu6Ukco2OgRxJcpHTtXNxsa6oI7SiRVkSQieFxx7Sao-9wRvc8qkGou8D7-0gHbYF8p_JaTbh_OYpHS2_RZEwaZVmnnQ9NEdH0XkXrCBVszfEXpoVxA0uOwRfP_FzxZQ<KEY>\":{\"auth\":\"<KEY> <KEY>}}', 1, '26082007'),
(2, '2019-06-10 08:35:19', '2019-06-10 08:35:19', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/d_c0QPyImSg:APA91bHSxLcBs9BnWhoBd6DaA6Gt5QCCzqVmi8yKTap5tjWJ_6lSLmSB6e2wg1JLUV4LKUOr1khlSGQEp6mlHoNLZUwHUGOJoCUkVGCIdoIFFemgW8zG8Nk54w37CwJNbdDTggQWZkmw\",\"expirationTime\":null,\"keys\":{\"<KEY>BMlrlfYg3IWjZh8MK7943kWivmtMFmrykRu0g-lHlTfy51O6_5hd8MHTqK7jVHTadh_Zq3m-jwvQ-g-nkET5CWY\",\"auth\":\"nQ8-81bbtD4AAbzpIYE53A\"}}', 1, '26082007'),
(3, '2019-06-10 08:38:17', '2019-06-10 08:38:17', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/dC-D-W3mwBQ:APA91bHM1VmDlbCmuutCDKjdZsCGCXZexq3_SLzBMyhskrnmO62lAZWEXm0VuI36OmSMzcRlz3qN-VVnEmfDn5jW8FHKiDLyXBke8Imx8N_Q7KECswgfw6fS6hqZ36k6QI3cqGQvN4cS\",\"expirationTime\":null,\"keys\":{\"<KEY> <KEY>\":\"<KEY>\"}}', 1, '26082007'),
(4, '2019-06-10 08:38:30', '2019-06-10 08:38:30', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/dDzMF5DeOLs:APA91bE1TZP4k6O7RrIk1fK8FqSqlV0eiWR8NFSPGB<KEY>\",\"expirationTime\":null,\"keys\":{\"<KEY>BJ9GoALKT9NPrFiqRhsy5LTAWsio1KkuVekALQxfMcrfkom5TFWjf1j2ZnjYD4yreaxN6s82DqPYyu2ql23PUI0\",\"auth\":\"<KEY>\"}}', 1, '26082007'),
(5, '2019-06-10 08:38:30', '2019-06-10 08:38:30', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/<KEY> <KEY>\",\"expirationTime\":null,\"keys\":{\"<KEY>BIzbYS29aZ7BcoSMOxTVs-2iX6axNB-K2VwhQjB1btOU1ytUQ1pIp3hncfNBL8oucY1OlvsDdx5ZFrki-9588g4\",\"auth\":\"<KEY>\"}}', 1, '26082007'),
(6, '2019-06-10 08:38:49', '2019-06-10 08:38:49', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/cRs0NCby5RE:<KEY>-<KEY>\",\"expirationTime\":null,\"keys\":{\"<KEY>BBu_-QXAPE7mCnkk74rK3gLdXRJ_N8FOEOuMG7WHKIe0_sz3cfu9349dg26a8nARsK6EciZHg_NhkjqOiYhoIt8\",\"auth\":\"<KEY>\"}}', 1, '26082007'),
(7, '2019-06-10 08:38:53', '2019-06-10 08:38:53', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/duqnaZQTehg:APA91bEf6X6nZlkBapOuvxKxnXzdvlBwVFdxKhQfbcGRf2sdcyk2jwuFQUIQ5jw8tdhpNdKKw0LEMe3HwzqZyTYloBuGUaWUMGt4H4Jr4CoMzSZ8quEHMt3ss2WS6xwmexw5Sc7rFKTO\",\"expirationTime\":null,\"keys\":{\"<KEY> <KEY> <KEY>}}', 1, '26082007'),
(8, '2019-06-10 08:40:57', '2019-06-10 08:40:57', '{\"endpoint\":\"https://updates.push.services.mozilla.com/wpush/v2/gAAAAABc_heY5oMGiojO-27l2k14nhcfD-asDgggc1d0NBr-WSUSqkLlrxJTIx9nfNjjyXpAV1ELX20cwUIPxSbmVEzzi-Uwv1Yi_1iUnOPkErq5btwvq-nNMMPSBTjfAITGr2ciJxJAOajoQsODyhQ0WyWERGTV61Uxgsq8Av-8N-K6XeCKLTw\",\"keys\":{\"auth\":\"<KEY> <KEY>zG5eSPNn4m65rhbGeM0\"}}', 1, '26082007'),
(9, '2019-06-10 08:41:02', '2019-06-10 08:41:02', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/fXy9Rugi5ZE:APA91bErANu6uhOsDWID8shidKcGiafX4u_nM8p-x93v2rECZxrSctpVGjYJwqdeXFnWE3jS0DF4ww9239s3HMUKcIn-Fu3ZP1-3eRoqOHuQ5thzQL7fL9eiZlvohnlYzz-VnNSqfoRH\",\"expirationTime\":null,\"keys\":{\"<KEY>BBJ9KnYp0cssZlaPqd4Yi9niid9uTMk3giPwNY60ehoYfIf6kgi52ZxxAVhFEL2ChIoWtuCPCKHurMQMdXVLm0k\",\"auth\":\"JCh9dhSxK7BeVJkzfQtY-g\"}}', 1, '26082007'),
(10, '2019-06-10 08:41:12', '2019-06-10 08:41:12', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/edkuPR9_WYQ:APA91bFOY86wdWH-Vl_G1t1RuzlPeskiEh3-ma0JnLqcaENXQkjfvU0DR_XAhf4DWO2F0ztGnZXDvTLMajc126qc6hdHvQ3o8qjlPAKaDUP0beh0ox5mRKLZ-ttcvq0pHydnG7yRlYit\",\"expirationTime\":null,\"keys\":{\"p256dh\":\"<KEY>\",\"auth\":\"<KEY>}}', 1, '26082007'),
(11, '2019-06-10 08:41:52', '2019-06-10 08:41:52', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/cDXNzDePfdo:APA91bGCvoSwuaMS0VyjGA0elvmnkcviPbBvdH_KS1rOw_V8ezj6Jmwfm0yH2oabKlO68KDOLGg9BsbhnereltA2iDgzDJXjm-JNDEpmfUc3FbuggBIcCcZBmfhNHHZiIeaoPOnlmyTx\",\"expirationTime\":null,\"keys\":{\"p256dh\":\"<KEY>\",\"auth\":\"<KEY>\"}}', 1, '26082007'),
(12, '2019-06-10 08:48:09', '2019-06-10 08:48:09', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/ciiftRs6s7g:APA91bE-55uzzSZm1tmFdBldaaB2426ftu5GV2hrpa1GTvf8WtrOBAAeN1e42JLoPbQJNvdjvjx14T03pueS70Sl3fPYfPlPAhHmTIQMiTfrvtHpFyOnAM<KEY>_\",\"expirationTime\":null,\"keys\":{\"<KEY>BCdwH7oQhfl22oDPaVaw00tRT6XcHyje044m57DDtedZXnIpQ0NRjdCBGqNoZMiwPXkLnMbNkL4T7o4yH1VeQTo\",\"auth\":\"<KEY>}}', 1, '26082007'),
(13, '2019-06-10 08:48:09', '2019-06-10 08:48:09', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/fkUEOVD1SS0:APA91bFmizICA52hNn5l6FASbTgi3D2GPtEs4_vGG4UZ8s8KXKL2DwvPQq5UHptDw_mdqEw0Hg7a-BL2WaE9HaxW3hP0M4nXUjRosrIHl-kW42ew4zdfGHZeiC8OLM_fC4BrwzRoRBOz\",\"expirationTime\":null,\"keys\":{\"<KEY>BKXEPUfzEnaN9gqDBMfyIc7FvPSclYZ1zqt-UGBZbYSDvdl9J-Bd96cnRth0v38kGKEmWevniC1D9MYw4aqeM3M\",\"auth\":\"<KEY>}}', 1, '26082007'),
(14, '2019-06-10 08:48:38', '2019-06-10 08:48:38', '{\"endpoint\":\"https://updates.push.services.mozilla.com/wpush/v2/gAAAAABc_hll_jEwkoGAHJIsjYOkMQi7HTIOkWYIMdUSVhJ4qAiihNHCRw1XRsMlZ0n67wTwwXs5y8VdqCR26eBP54Fs3XJ6f9rdYcILqJjxreB-XWE6daNsjFy-C_gc530P0K0p9VXs_HbYSpwSals7yHXowowx6u2Fc2J-oevaOjDojq9VevE\",\"keys\":{\"auth\":\"<KEY> <KEY>}}', 1, '26082007'),
(15, '2019-06-10 08:49:53', '2019-06-10 08:49:53', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/f_bxtFeAaN8:<KEY>\",\"expirationTime\":null,\"keys\":{\"<KEY>BC8lYiehyOaxT8C_XI7CxFqm4fB3xyYYeKFY0l7w4GAa8lGikJat-AHbCtDn7pln4R5owWGLbLnhazKwB-lMkao\",\"auth\":\"<KEY>}}', 1, '26082007'),
(16, '2019-06-10 08:49:53', '2019-06-10 08:49:53', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/cIA9QYDA-Og:APA91bGMSMxt1SgeAvshkVd-SQBr7wwl1IAHZ38lZm9AG0ME2xikjN5tHN0gD2aoEijDbMKJFB0tqqe1mlJBntnhjTKn4-mLbX71bZqBpD_nalyFbA1Zq15qfkGtN3fpGumt-F_6WKDu\",\"expirationTime\":null,\"keys\":{\"<KEY>BLNcB10FAHWABgmMmo4xms2o81j-Gia7pMHkBYULE6Zt7l9CHh4jyI9jWDO-eDYxvM0EGW-CLMK8JtS0KC3WmZw\",\"auth\":\"SBlDlree-8PEGs1mGtPrJw\"}}', 1, '26082007'),
(17, '2019-06-10 08:49:55', '2019-06-10 08:49:55', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/coTIFOOud5k:APA91bEQQ28Lb3IZuWfqFihbYqA1AoeOqFh7r3_0VuXIlIom1pONtF1dRqSUe1waTYJOrKUApKVircKCe1m93TJhU08LqS_1aY1uuC56uLvg6xEey7qPWgwOLGaoAtOhnkLwZYda8FLd\",\"expirationTime\":null,\"keys\":{\"<KEY>BF4qj1GgpSXocYHyoTTG48yq3usdkFwZHhgVUcMPmF7vYmSN9h8_j3zWrG2ipW7IN8wB2XE5LqwtfTqrVkpoYWk\",\"auth\":\"<KEY>\"}}', 1, '26082007'),
(18, '2019-06-10 08:50:09', '2019-06-10 08:50:09', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/dbAbz0aGh9A:APA91bEOijE-2wWCRHJJgePCexMnpo7I33Uh9PfmyqxY3by2w1BSO8KP_64MtH3Nh9cVWEeNtZAr8ISarxQi5rgaf6J8FXnTIzJAPDaNVO3vih59yrSsDWPzif2Od13sz8lKpQa_y5i5\",\"expirationTime\":null,\"keys\":{\"<KEY>BIT-OfsIpH-pYmDLNkFX3Yl6uw4aJvWV7001SohTh8mJWRVTM318k8EFmlcvgwq4zM9lSXviNMSaJdr2cgUZO4g\",\"auth\":\"<KEY>\"}}', 1, '26082007'),
(19, '2019-06-10 08:50:11', '2019-06-10 08:50:11', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/cYCmhpRryUc:APA91bHfNBTxasnZ6bP7rwy-KyLaf8XYwdfd44N1VwH2GVJTjWCB3KtQ5xq89srS95L5gpirkmMa-xKi_1WKVX58VRdXhHebwj6VY_a_bmfQzxzeUddEPKqDCHtOrUJXkzBsJmYxEa1B\",\"expirationTime\":null,\"keys\":{\"<KEY> <KEY>\",\"auth\":\"<KEY>\"}}', 1, '26082007'),
(20, '2019-06-10 08:54:14', '2019-06-10 08:54:14', '{\"endpoint\":\"https://updates.push.services.mozilla.com/wpush/v2/gAAAAABc_hq1EP0K75QaijNIwS5NAae9jIyyIezESdCsxaqKwCrA8kwYg6XZHyxSWGK5NrgPeERoPmqA76DEiZAdBPAY2ReEu0eEY0WcaYr1oQ5HV86zEMlviokPXyJtUVwySV9br9mn38hHOr6ti587GtGKgCa_31RAxgedivZ0GKZWNItIavE\",\"keys\":{\"auth\":\"<KEY>\":\"<KEY>}}', 1, '26082007'),
(21, '2019-06-10 09:02:52', '2019-06-10 09:02:52', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/ecQpJDSttkQ:APA91bHddVKCZzmB4GQQD77VyaixTr_B1P4WGtkwBVGsqv-YCxAgYAZ-cWeTBl87HClMemcIFT9LhXzISk02MhMym5qCwOcAeYy36z5TV2bknUB9HyGYrSgbJH6OIPcoeGmWComP23dG\",\"expirationTime\":null,\"keys\":{\"p256dh\":\"<KEY>\",\"auth\":\"1KAulwYtcisTCdJ1myefRg\"}}', 1, '26082007'),
(22, '2019-06-10 09:40:43', '2019-06-10 09:40:43', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/eOeV04wTCO4:<KEY>\",\"expirationTime\":null,\"keys\":{\"<KEY>BEIqg2Px598-sBtA1XTwh2MWLieWO-N7GE6PodT0rwZXqFqu8Z0LX4qnhKQR1mpRPSUTYWKG9cpKDiDJSZ1ojIc\",\"auth\":\"<KEY>\"}}', 1, '26082007'),
(23, '2019-06-10 09:40:45', '2019-06-10 09:40:45', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/d1HS1DkqeXA:APA91bGq6YdPS8nxOe0Jq4gv9Xee-94D0ulvkWBys-EeSZ0eIlSwCYktETuBTeiSBpTSgTVdCAtY7t60bUWPusG7g-KZVjfSalxh_RozhIGb7y-k23GyAfoj4v6RB5guZw682He7y2Wo\",\"expirationTime\":null,\"keys\":{\"<KEY>BJTLwGbvaJ8XsLk-SmttpuV8nLKqIMGGUbQ2gG7HePwdpHuk6vE85GQW6v4UqU13z4fzT3c7vlWJbLpzL-APVuY\",\"auth\":\"gXM2kwG0O67CA9FotSnEXw\"}}', 1, '26082007'),
(24, '2019-06-10 09:41:23', '2019-06-10 09:41:23', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/dV93TFVSRvU:<KEY>1SclFsMNtNvAzDe_D52wkTvMdq6IY6pftT6d6p5mr3B5xpvJ3v6EPH0xfWpWKMF12Xv9tj54s2FZElRpPR6a2YuFFHI9gL-vMntw4SUH_GE214VrHnM0EsNVJ0_vd1iGHAi\",\"expirationTime\":null,\"keys\":{\"<KEY>BDj1s3xfOW4EEfM5Vx8EPuDEYs3YAFdlb9UwaFgoeIxwZOgjF5B3EBEwuaUbNQGkzA2V4g7F8TULMzu0zbrP8Pw\",\"auth\":\"WndW_yoRxHaGk934y2VE7w\"}}', 1, '26082007'),
(25, '2019-06-10 10:08:54', '2019-06-10 10:08:54', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/d_BN87MusCA:APA91bHJBqaMUdGX3YeNFh6sqZaKb-k-PsYDfoLt8qmgms88d1DlAMmPoiGNrKdum6JdTdXRL52l4WE-Asbc5b5lg4J7Mpl8UC4gwK5AiDZwkkxUhvyabp69wWcwu9c3DBXQWezximwo\",\"expirationTime\":null,\"keys\":{\"<KEY>BL8LU1q2RuLuliXg3UHwlidDCLZXQhj61FJ2-v4e-ZIwPAxzTCJ_GwBkQvF1CpxtY4TggD33Zd3GEKf9v0HeJRg\",\"auth\":\"aldb0rbiv0TAQVdyHAkxjA\"}}', 1, '26082007'),
(26, '2019-06-10 10:10:12', '2019-06-10 10:10:12', '{\"endpoint\":\"https://updates.push.services.mozilla.com/wpush/v2/gAAAAABc_iyDHVvFX-<KEY>\",\"keys\":{\"auth\":\"<KEY> <KEY>}}', 1, '26082007'),
(27, '2019-06-10 10:10:22', '2019-06-10 10:10:22', '{\"endpoint\":\"https://updates.push.services.mozilla.com/wpush/v2/gAAAAABc_iyOX-BlRn10FO1EaYKR2wfXCzonjQQbaQcUX07JgHLyS33BYA7oif5CEhTTQn97Ys6g9iM7Klbp51PzqE9uNjSStRiHpMhyv9AngIA28xpvZordFBXa2OOsFaxInt4L3AlLVKwzzERsmI5M8VMRQ_3GD9_P4mA9tGwh3Q7Xy3XDYII\",\"keys\":{\"auth\":\"<KEY> <KEY>}}', 1, '26082007'),
(28, '2019-06-10 10:15:23', '2019-06-10 10:15:23', '{\"endpoint\":\"https://updates.push.services.mozilla.com/wpush/v2/gAAAAABc_i26X38zzN5b7V9QXSfiwoKXQgQQ5uwGI47W2qWfsQZyeTybBbVrtI_3V0oFSCHyzYtFrFcQXYN45MHhfK3f9RWUTZpBR00EGmzR3ceJ-i5QoEW1Bp_ToTde69ZATcyi75mTnTEhrRSVS1ZRkeQcqGMR6m3kYWWCBLprVIT8gkkSUUc\",\"keys\":{\"auth\":\"<KEY>BNWI8RGCtsnyQKDx3zt78Vcs4kxzoDiUE8poPg2xuKsHJFDq_7GTIbv7-YL4BehsgbaFAQtXqk3yAiF7D8LyYgk\"}}', 1, '26082007'),
(29, '2019-06-10 12:06:19', '2019-06-10 12:06:19', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/fNq5wUYJMso:APA91bE9RYD2u-lhedoVH0Z1G73C7VH4AI2UVbyQflnLz29Nk__uWU1lfKuxzharNtf1Buh-WYatPwDkJyKi8HLAz0UpMZmFW9HUFvB_F8GgyF3-Z7_sjPVkJR53iGm3bX-SQfyaOVv6\",\"expirationTime\":null,\"keys\":{\"<KEY>BPfhjR2C2Nva9QXlCc79FInFSnHj-PMQEdAcbWTzIAooCTIyUGxgTTbxQIAx0AW0AN3R1wDXvV5_EmLlRGF9LT4\",\"auth\":\"<KEY>\"}}', 1, '26082007'),
(30, '2019-06-10 12:06:20', '2019-06-10 12:06:20', '{\"endpoint\":\"https://fcm.googleapis.com/fcm/send/eZ5oxBhI-4Y:APA91bG-lwdDI-ef1x5eplZP6DVJM7n0jM8uEAdUeteKCcZimJVR9k2zQU9QQtgp6b-yGzmiD8Lp4JdRR9ZqOGsRNPYX-SdxIlW0Hk7cEhTjcgV3YqbKYjqhh4uMpDvxye2bdTjlNWT3\",\"expirationTime\":null,\"keys\":{\"p256dh\":\"<KEY>\",\"auth\":\"<KEY>}}', 1, '26082007'),
(31, '2019-06-10 13:02:07', '2019-06-10 13:02:07', '{\"endpoint\":\"https://updates.push.services.mozilla.com/wpush/v2/gAAAAABc_lTOP7n_MEjJPAFnhqyZWSBeGsduHslBJ3mOIrBWkG2dFuQ5RTZ<KEY>\",\"keys\":{\"auth\":\"<KEY> <KEY>}}', 1, '26082007');
-- --------------------------------------------------------
--
-- Table structure for table `user`
--
CREATE TABLE `user` (
`id` int(11) NOT NULL,
`email` varchar(254) COLLATE utf8_bin NOT NULL,
`name` varchar(20) COLLATE utf8_bin NOT NULL,
`surname` varchar(20) COLLATE utf8_bin NOT NULL,
`device_id` varchar(64) COLLATE utf8_bin DEFAULT NULL,
`password_hash` varchar(128) COLLATE utf8_bin DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin;
--
-- Dumping data for table `user`
--
INSERT INTO `user` (`id`, `email`, `name`, `surname`, `device_id`, `password_hash`) VALUES
(3, '<EMAIL>', '<NAME> ', 'Coban', '<PASSWORD>', 'pbkdf2:sha256:50000$sdVkuwT9$dbaf917ef02991907f3f54c298652269b6c60d11abdb15f854d1c8cec24c81c9'),
(4, '<EMAIL>', 'Elif', 'Aygün', '26082007', 'pbkdf2:sha256:50000$0j1vdlle$45dd775a7048bdf449050be09e3f8665cd7f90b4360600b77b0bd965b8d1adfd'),
(5, '<EMAIL>', 'Eren', 'Akbıyık', '26082007', 'pbkdf2:sha256:50000$EXSts4iW$fe8fc7da9ae7bb43ae2b8b7adcd9a8e38b3b69ad3d6bac151454f7d03d075df7');
--
-- Indexes for dumped tables
--
--
-- Indexes for table `alembic_version`
--
ALTER TABLE `alembic_version`
ADD PRIMARY KEY (`version_num`);
--
-- Indexes for table `data`
--
ALTER TABLE `data`
ADD PRIMARY KEY (`id`),
ADD KEY `device_id` (`device_id`),
ADD KEY `ix_data_timestamp` (`timestamp`);
--
-- Indexes for table `device`
--
ALTER TABLE `device`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `notification`
--
ALTER TABLE `notification`
ADD PRIMARY KEY (`id`),
ADD KEY `user_id` (`user_id`),
ADD KEY `ix_notification_timestamp` (`timestamp`);
--
-- Indexes for table `subscriber`
--
ALTER TABLE `subscriber`
ADD PRIMARY KEY (`id`),
ADD KEY `device_id` (`device_id`),
ADD KEY `ix_subscriber_created` (`created`),
ADD KEY `ix_subscriber_modified` (`modified`);
--
-- Indexes for table `user`
--
ALTER TABLE `user`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `surname` (`surname`),
ADD UNIQUE KEY `ix_user_email` (`email`),
ADD KEY `device_id` (`device_id`);
--
-- AUTO_INCREMENT for dumped tables
--
--
-- AUTO_INCREMENT for table `data`
--
ALTER TABLE `data`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=999;
--
-- AUTO_INCREMENT for table `notification`
--
ALTER TABLE `notification`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=1640;
--
-- AUTO_INCREMENT for table `subscriber`
--
ALTER TABLE `subscriber`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=32;
--
-- AUTO_INCREMENT for table `user`
--
ALTER TABLE `user`
MODIFY `id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=6;
--
-- Constraints for dumped tables
--
--
-- Constraints for table `data`
--
ALTER TABLE `data`
ADD CONSTRAINT `data_ibfk_1` FOREIGN KEY (`device_id`) REFERENCES `device` (`id`);
--
-- Constraints for table `notification`
--
ALTER TABLE `notification`
ADD CONSTRAINT `notification_ibfk_1` FOREIGN KEY (`user_id`) REFERENCES `user` (`id`);
--
-- Constraints for table `subscriber`
--
ALTER TABLE `subscriber`
ADD CONSTRAINT `subscriber_ibfk_1` FOREIGN KEY (`device_id`) REFERENCES `device` (`id`);
--
-- Constraints for table `user`
--
ALTER TABLE `user`
ADD CONSTRAINT `user_ibfk_1` FOREIGN KEY (`device_id`) REFERENCES `device` (`id`);
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
<reponame>sbenten/osm_routing_import<gh_stars>0
CREATE FUNCTION nearestwayoftype(startpoint public.geometry, highwaytype character varying, tolerence double precision DEFAULT '-1'::integer) RETURNS bigint
LANGUAGE plpgsql
AS $$
/*
Find the closest segment of the network of the highway type specified
Optionally specify a distance within which a match must be found
*/
DECLARE
resultWay geometry;
resultId int8;
BEGIN
SELECT c.geom, c.id INTO resultWay, resultId
FROM ways_clean c
WHERE highway = highwayType
ORDER BY c.geom <-> startPoint
LIMIT 1;
IF resultId IS NOT NULL AND (tolerence = -1 OR ST_DWithin(startPoint, resultWay, tolerence) ) THEN
RETURN resultId;
ELSE
RAISE NOTICE 'No node within tolerance found';
RETURN NULL;
END IF;
END;
$$;
ALTER FUNCTION nearestwayoftype(startpoint public.geometry, highwaytype character varying, tolerence double precision) OWNER TO postgres; |
CREATE TABLE IF NOT EXISTS users (
id integer primary key AUTOINCREMENT not null,
name char(50) unique not null
);
CREATE TABLE IF NOT EXISTS user_fingerprints (
id integer primary key AUTOINCREMENT not null,
user_id integer,
fingerprint_id integer,
FOREIGN KEY (user_id) REFERENCES users(id)
);
CREATE TABLE IF NOT EXISTS user_bookings (
id integer primary key AUTOINCREMENT not null,
user_id integer,
booking_date datetime,
count integer,
type integer,
FOREIGN KEY (user_id) REFERENCES users(id)
);
CREATE UNIQUE INDEX IF NOT EXISTS user_fingerprint_idx ON user_fingerprints (user_id, fingerprint_id);
|
<reponame>nhuongph/laravel-5
-- phpMyAdmin SQL Dump
-- version 4.5.1
-- http://www.phpmyadmin.net
--
-- Host: 127.0.0.1
-- Generation Time: Apr 27, 2016 at 11:01 AM
-- Server version: 10.1.10-MariaDB
-- PHP Version: 5.6.19
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `nhattienphat`
--
-- --------------------------------------------------------
--
-- Table structure for table `hang_sx`
--
CREATE TABLE `hang_sx` (
`MA_HSX` int(8) NOT NULL,
`TEN_HSX` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci NOT NULL,
`MO_TA` text CHARACTER SET utf8 COLLATE utf8_unicode_ci,
`MA_MSP` int(8) NOT NULL,
`QUOC_GIA` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`DEL_F` tinyint(1) NOT NULL DEFAULT '0',
`GHI_CHU` text CHARACTER SET utf8 COLLATE utf8_unicode_ci
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `hang_sx`
--
INSERT INTO `hang_sx` (`MA_HSX`, `TEN_HSX`, `MO_TA`, `MA_MSP`, `QUOC_GIA`, `DEL_F`, `GHI_CHU`) VALUES
(1, 'Panasonic', '', 3, 'Nhật Bản', 0, ''),
(2, 'Toshiba', '', 3, 'Nhật Bản', 0, ''),
(3, 'Daikin', '', 3, 'Nhật Bản', 0, ''),
(4, 'Mitsubishi', '', 3, 'Nhật Bản', 0, ''),
(5, 'LG', '', 3, 'Hàn Quốc', 0, ''),
(6, 'Samsung', '', 3, 'Hàn Quốc', 0, ''),
(7, 'Reetech', '', 3, 'Hàn Quốc', 0, ''),
(8, 'Sanyo', '', 3, 'Hàn Quốc', 0, ''),
(9, 'Sharp', '', 3, 'Nhật Bản', 0, ''),
(10, 'Sumikura', '', 3, 'Nhật Bản', 0, ''),
(11, 'Carrier', '', 3, 'Nhật Bản', 0, ''),
(12, 'Hitachi', '', 3, 'Nhật Bản', 0, ''),
(13, 'Nagakawa', '', 3, 'Nhật Bản', 0, ''),
(14, 'Midea', '', 3, 'Nhật Bản', 0, ''),
(15, 'Yuiki', '', 3, 'Nhật Bản', 0, ''),
(16, 'Panasonic', '', 2, 'Nhật Bản', 0, ''),
(17, 'Toshiba', '', 2, 'Nhật Bản', 0, ''),
(18, 'Hitachi', '', 2, 'Nhật Bản', 0, ''),
(19, 'Sanyo', '', 2, 'Hàn Quốc', 0, ''),
(20, 'LG', '', 2, 'Hàn Quốc', 0, ''),
(21, 'Sharp', '', 2, 'Hàn Quốc', 0, ''),
(22, 'Panasonic', '', 1, 'Hàn Quốc', 0, ''),
(23, 'Toshiba', '', 1, 'Hàn Quốc', 0, ''),
(24, 'Sanyo', '', 1, 'Hàn Quốc', 0, ''),
(25, 'LG', '', 1, 'Hàn Quốc', 0, '');
-- --------------------------------------------------------
--
-- Table structure for table `hau_mai`
--
CREATE TABLE `hau_mai` (
`MA_HM` int(8) NOT NULL,
`TEN_HM` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci NOT NULL,
`MO_TA` text CHARACTER SET utf8 COLLATE utf8_unicode_ci,
`MA_SP` int(8) NOT NULL,
`DEL_F` tinyint(1) NOT NULL DEFAULT '0',
`GHI_CHU` text CHARACTER SET utf8 COLLATE utf8_unicode_ci
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `hau_mai`
--
INSERT INTO `hau_mai` (`MA_HM`, `TEN_HM`, `MO_TA`, `MA_SP`, `DEL_F`, `GHI_CHU`) VALUES
(1, 'Giảm giá', '5% cho khách hàng ở thành phố HCM', 1, 0, ''),
(2, 'Bảo hành', '24 Tháng', 1, 0, ''),
(3, 'Nơi bảo hành', '12 Đống Đa, Quận Tân Bình, TPHCM', 1, 0, ''),
(4, 'Nơi giao hàng', 'Giao hàng tận nhà hoặc tại cửa hàng', 1, 0, ''),
(5, 'Quà tặng kèm theo', 'Một áo mưa phương tiện', 1, 0, ''),
(6, 'Chế độ đổi trả', 'Một đổi 1 trong vòng 1 tuần', 1, 0, ''),
(7, 'Giảm giá', '5% cho khách hàng ở thành phố HCM', 2, 0, ''),
(8, 'Bảo hành', '24 Tháng', 2, 0, ''),
(9, 'Nơi bảo hành', '12 Đống Đa, Quận Tân Bình, TPHCM', 2, 0, ''),
(10, 'Nơi giao hàng', 'Giao hàng tận nhà hoặc tại cửa hàng', 2, 0, ''),
(11, 'Quà tặng kèm theo', 'Một áo mưa phương tiện', 2, 0, ''),
(12, 'Chế độ đổi trả', 'Một đổi 1 trong vòng 1 tuần', 2, 0, ''),
(13, 'Giảm giá', '5% cho khách hàng ở thành phố HCM', 3, 0, ''),
(14, 'Bảo hành', '24 Tháng', 3, 0, ''),
(15, 'Nơi bảo hành', '12 Đống Đa, Quận Tân Bình, TPHCM', 3, 0, ''),
(16, 'Nơi giao hàng', 'Giao hàng tận nhà hoặc tại cửa hàng', 3, 0, ''),
(17, 'Quà tặng kèm theo', 'Một áo mưa phương tiện', 3, 0, ''),
(18, 'Chế độ đổi trả', 'Một đổi 1 trong vòng 1 tuần', 3, 0, ''),
(19, 'Giảm giá', '5% cho khách hàng ở thành phố HCM', 4, 0, ''),
(20, 'Bảo hành', '24 Tháng', 4, 0, ''),
(21, 'Nơi bảo hành', '12 Đống Đa, Quận Tân Bình, TPHCM', 4, 0, ''),
(22, 'Nơi giao hàng', 'Giao hàng tận nhà hoặc tại cửa hàng', 4, 0, ''),
(23, 'Quà tặng kèm theo', 'Một áo mưa phương tiện', 4, 0, ''),
(24, 'Chế độ đổi trả', 'Một đổi 1 trong vòng 1 tuần', 4, 0, ''),
(25, 'Giảm giá', '5% cho khách hàng ở thành phố HCM', 5, 0, ''),
(26, 'Bảo hành', '24 Tháng', 5, 0, ''),
(27, 'Nơi bảo hành', '12 Đống Đa, Quận Tân Bình, TPHCM', 5, 0, ''),
(28, 'Nơi giao hàng', 'Giao hàng tận nhà hoặc tại cửa hàng', 5, 0, ''),
(29, 'Quà tặng kèm theo', 'Một áo mưa phương tiện', 5, 0, ''),
(30, 'Chế độ đổi trả', 'Một đổi 1 trong vòng 1 tuần', 5, 0, ''),
(31, 'Giảm giá', '5% cho khách hàng ở thành phố HCM', 6, 0, ''),
(32, 'Bảo hành', '24 Tháng', 6, 0, ''),
(33, 'Nơi bảo hành', '12 Đống Đa, Quận Tân Bình, TPHCM', 6, 0, ''),
(34, 'Nơi giao hàng', 'Giao hàng tận nhà hoặc tại cửa hàng', 6, 0, ''),
(35, 'Quà tặng kèm theo', 'Một áo mưa phương tiện', 6, 0, ''),
(36, 'Chế độ đổi trả', 'Một đổi 1 trong vòng 1 tuần', 6, 0, ''),
(37, 'Giảm giá', '5% cho khách hàng ở thành phố HCM', 7, 0, ''),
(38, 'Bảo hành', '24 Tháng', 7, 0, ''),
(39, 'Nơi bảo hành', '12 Đống Đa, Quận Tân Bình, TPHCM', 7, 0, ''),
(40, 'Nơi giao hàng', 'Giao hàng tận nhà hoặc tại cửa hàng', 7, 0, ''),
(41, 'Quà tặng kèm theo', 'Một áo mưa phương tiện', 7, 0, ''),
(42, 'Chế độ đổi trả', 'Một đổi 1 trong vòng 1 tuần', 7, 0, '');
-- --------------------------------------------------------
--
-- Table structure for table `muc_sp`
--
CREATE TABLE `muc_sp` (
`MA_MSP` int(8) NOT NULL,
`TEN_MSP` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci NOT NULL,
`MO_TA` text CHARACTER SET utf8 COLLATE utf8_unicode_ci,
`DEL_F` tinyint(1) NOT NULL DEFAULT '0',
`GHI_CHU` text CHARACTER SET utf8 COLLATE utf8_unicode_ci
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `muc_sp`
--
INSERT INTO `muc_sp` (`MA_MSP`, `TEN_MSP`, `MO_TA`, `DEL_F`, `GHI_CHU`) VALUES
(1, '<NAME>', 'Là thiết bị giúp giặt sạch vết bẩn cho áo quần', 0, ''),
(2, '<NAME>', 'Là thiết bị giúp giữ thức ăn lạnh cho con người', 0, ''),
(3, '<NAME>', 'Là thiết bị giúp làm lạnh phòng cho con người', 0, '');
-- --------------------------------------------------------
--
-- Table structure for table `san_pham`
--
CREATE TABLE `san_pham` (
`MA_SP` int(8) NOT NULL,
`TEN_SP` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci NOT NULL,
`MO_TA` text CHARACTER SET utf8 COLLATE utf8_unicode_ci,
`MA_HSX` int(11) NOT NULL,
`GIA_BAN` decimal(11,0) NOT NULL,
`NAM_SX` varchar(10) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`NOI_SX` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`TINH_TRANG` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`TON_KHO` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`HINH_1` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`Hinh_2` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`HINH_3` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`HINH_4` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`HINH_5` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`DEL_F` tinyint(1) NOT NULL DEFAULT '0',
`GHI_CHU` text CHARACTER SET utf8 COLLATE utf8_unicode_ci
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `san_pham`
--
INSERT INTO `san_pham` (`MA_SP`, `TEN_SP`, `MO_TA`, `MA_HSX`, `GIA_BAN`, `NAM_SX`, `NOI_SX`, `TINH_TRANG`, `TON_KHO`, `HINH_1`, `Hinh_2`, `HINH_3`, `HINH_4`, `HINH_5`, `DEL_F`, `GHI_CHU`) VALUES
(1, 'Máy Lạnh Panasonic CU/CS-KC9QKH-8', 'Máy lạnh Panasonic với các sản phẩm mới, tính năng, công nghệ mới luôn luôn dẫn đầu và khẳng định được uy tín về cải tiến chất lượng, kiểu dáng mẫu mã. Hãng Panasonic luôn hướng tới những giá trị thiết thực cho người sử dụng: tiết kiệm điện, hoạt động êm, diệt khuẩn…đặc biệt là hướng tới cộng đồng và thân thiện với môi trường. Sau đây chúng tôi xin giới thiệu tới các bạn dòng máy lạnh Panasonic CU/CS-KC9QKH-8 đáp ứng đầy đủ các điều kiện trên.', 1, '7400000', '2014', 'Nhật Bản', 'Mới 100%', '2', 'Hình 1', 'Hình 2', 'Hình 3', 'Hình 4', 'Hình 5', 0, ''),
(2, 'Máy Lạnh Panasonic CU/CS-KC12QKH-8 1.5HP', 'Hãng Panasonic xin trân trọng giới thiệu dòng máy lạnh Panasonic CU/CS-KC12QKH-8 1.5HP (1 ngựa) với nhiều tính năng vượt trội và tiện dụng: khử mùi hôi, khử ẩm nhẹ, làm lạnh nhanh và tư động, điều khiển từ xa, hẹn giờ tự động bật tắt 24 tiếng, bền bỉ với dàn tản nhiệt màu xanh…Chắn chắn sẽ mang đến cho bạn sự hài lòng tuyệt đối ngay lần sử dụng đầu tiên.', 1, '9750000', '2014', 'Malaysia', 'Mới 100%', '1', 'Hình 1', 'Hình 2', 'Hình 3', 'Hình 4', 'Hình 5', 0, ''),
(3, 'Máy lạnh Panasonic 1 HP Inverter CU-S9RKH8 (Dòng 2015)', 'Hãng Panasonic xin trân trọng giới thiệu dòng máy lạnh Panasonic CU/CS-KC12QKH-8 1.5HP (1 ngựa) với nhiều tính năng vượt trội và tiện dụng: <NAME>, khử ẩm nhẹ, làm lạnh nhanh và tư động, điều khiển từ xa, hẹn giờ tự động bật tắt 24 tiếng, bền bỉ với dàn tản nhiệt màu xanh…Chắn chắn sẽ mang đến cho bạn sự hài lòng tuyệt đối ngay lần sử dụng đầu tiên.', 1, '101000000', '2015', 'Malaysia', 'Mới 100%', '1', 'Hình 1', 'Hình 2', 'Hình 3', 'Hình 4', 'Hình 5', 0, ''),
(4, 'Máy lạnh Panasonic 1,5 HP Inverter CU-S12RKH8 (Gas 410)', 'Hãng Panasonic xin trân trọng giới thiệu dòng máy lạnh Panasonic CU/CS-KC12QKH-8 1.5HP (1 ngựa) với nhiều tính năng vượt trội và tiện dụng: khử mùi hôi, khử ẩm nhẹ, làm lạnh nhanh và tư động, điều khiển từ xa, hẹn giờ tự động bật tắt 24 tiếng, bền bỉ với dàn tản nhiệt màu xanh…Chắn chắn sẽ mang đến cho bạn sự hài lòng tuyệt đối ngay lần sử dụng đầu tiên.', 1, '121000000', '2015', 'Malaysia', 'Mới 100%', '1', 'Hình 1', 'Hình 2', 'Hình 3', 'Hình 4', 'Hình 5', 0, ''),
(5, 'Máy lạnh Panasonic CU/CS-KC18QKH-8 ( 2 ngựa)', 'Hãy nhanh tay sở hữu ngay chiếc máy lạnh Panasonic CU/CS-KC18QKH-8 2.0HP (2 ngựa) để tận hưởng những tính năng tuyệt vời mà nó đem lại như: làm lạnh, khử ẩm nhẹ, vệ sinh không khí, khử mùi hôi…góp phần bảo vệ sức khỏe cho những thành viên thân yêu trong gia đình bạn khỏi những tác nhân gây bệnh, nhất là trong thời điểm trái đất đang nóng lên như hiện nay.', 1, '144000000', '2015', 'Malaysia', 'Mới 100%', '1', 'Hình 1', 'Hình 2', 'Hình 3', 'Hình 4', 'Hình 5', 0, ''),
(6, 'Máy lạnh Toshiba 1HP thường Gas R410 RAS-H10S3KS', 'Hãy nhanh tay sở hữu ngay chiếc máy lạnh Panasonic CU/CS-KC18QKH-8 2.0HP (2 ngựa) để tận hưởng những tính năng tuyệt vời mà nó đem lại như: làm lạnh, khử ẩm nhẹ, vệ sinh không khí, khử mùi hôi…góp phần bảo vệ sức khỏe cho những thành viên thân yêu trong gia đình bạn khỏi những tác nhân gây bệnh, nhất là trong thời điểm trái đất đang nóng lên như hiện nay.', 2, '7450000', '2015', 'Thái Lan', 'Mới 100%', '1', 'Hình 1', 'Hình 2', 'Hình 3', 'Hình 4', 'Hình 5', 0, ''),
(7, 'Máy lạnh Toshiba 10N3K-V (Bỏ mẫu)', 'Hãy nhanh tay sở hữu ngay chiếc máy lạnh Panasonic CU/CS-KC18QKH-8 2.0HP (2 ngựa) để tận hưởng những tính năng tuyệt vời mà nó đem lại như: làm lạnh, khử ẩm nhẹ, vệ sinh không khí, khử mùi hôi…góp phần bảo vệ sức khỏe cho những thành viên thân yêu trong gia đình bạn khỏi những tác nhân gây bệnh, nhất là trong thời điểm trái đất đang nóng lên như hiện nay.', 2, '8200000', '2015', 'Thái Lan', 'Mới 100%', '1', 'Hình 1', 'Hình 2', 'Hình 3', 'Hình 4', 'Hình 5', 0, '');
-- --------------------------------------------------------
--
-- Table structure for table `thong_so_kt`
--
CREATE TABLE `thong_so_kt` (
`MA_TSKT` int(8) NOT NULL,
`TEN_TSKT` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci NOT NULL,
`MO_TA` text CHARACTER SET utf8 COLLATE utf8_unicode_ci,
`MA_SP` int(8) NOT NULL,
`DEL_F` tinyint(1) NOT NULL DEFAULT '0',
`GHI_CHU` text CHARACTER SET utf8 COLLATE utf8_unicode_ci
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `thong_so_kt`
--
INSERT INTO `thong_so_kt` (`MA_TSKT`, `TEN_TSKT`, `MO_TA`, `MA_SP`, `DEL_F`, `GHI_CHU`) VALUES
(1, 'Khối trong nhà', 'CS-KC9QKH-8', 1, 0, ''),
(2, 'Khối ngoài trời', 'CU-KC9QKH-8', 1, 0, ''),
(3, 'Chức năng khử mùi', 'Có', 1, 0, ''),
(4, 'Mặt trước máy có thể tháo và lau rửa', 'Có', 1, 0, ''),
(5, 'Chế độ khử ẩm nhẹ', 'Có', 1, 0, ''),
(6, 'Điều chỉnh hướng gió (lên & xuống)', 'Có', 1, 0, ''),
(7, 'Điều chỉnh hướng gió ngang bằng tay', 'Có', 1, 0, ''),
(8, 'Chế độ hoạt động tự động (Làm lạnh)', 'Có', 1, 0, ''),
(9, 'Chức năng hẹn giờ BẬT & TẮT 24 tiếng', 'Có', 1, 0, ''),
(10, 'Điều khiển từ xa với màn hình LCD', 'Có', 1, 0, ''),
(11, 'Tự khởi động lại ngẫu nhiên (32 mẫu thời gian)', 'Có', 1, 0, ''),
(12, 'Dàn tản nhiệt màu xanh', 'Có', 1, 0, ''),
(13, 'Đường ống dài (Số chỉ độ dài ống tối đa)', '10m', 1, 0, ''),
(14, 'Nắp bảo trì máy mở phía trước', 'Có', 1, 0, ''),
(15, 'Btu/giờ', '9.040-9.210', 1, 0, ''),
(16, 'kW', '2,65 – 2,70', 1, 0, ''),
(17, 'Btu/hW', '10,7 – 10,4', 1, 0, ''),
(18, 'W/W', '3,1', 1, 0, ''),
(19, 'Điện áp (V)', '220-240', 1, 0, ''),
(20, 'Cường độ dòng (A)', '4,4 – 4,3', 1, 0, ''),
(21, 'Điện vào (W)', '845-885', 1, 0, ''),
(22, 'Khử ẩm (L/giờ)', '1,6', 1, 0, ''),
(23, 'Khử ẩm (Pt/giờ)', '3,4', 1, 0, ''),
(24, 'Lưu thông khí (m3/ phút)', '9,0', 1, 0, ''),
(26, 'Khối trong nhà (Cao x Rộng x Sâu) (mm)', '290 x 870 x 204', 1, 0, ''),
(27, 'Khối ngoài trời (Cao x Rộng x Sâu) (mm)', '511 x 650 x 230', 1, 0, ''),
(28, 'Khối trong nhà (kg)', '9', 1, 0, ''),
(29, 'Khối ngoài trời (kg)', '20', 1, 0, ''),
(30, 'Ống đi (lỏng) (mm)', '6,35', 1, 0, ''),
(31, 'Ống về (Ga) (mm)', '9,52', 1, 0, ''),
(32, 'Nguồn cấp điện', 'Khối trong nhà', 1, 0, ''),
(33, 'Chiều dài ống gas chuẩn', '7,5 m', 1, 0, ''),
(34, 'Chiều dài ống gas tối đa', '10m', 1, 0, ''),
(35, 'Chênh lệch độ cao tối đa', '5m', 1, 0, ''),
(36, 'Lượng môi chất lạnh cần bổ sung*', '10g/m', 1, 0, ''),
(37, 'Lượng môi chất lạnh cần bổ sung*', '10g/m', 1, 0, ''),
(38, 'Lượng môi chất lạnh cần bổ sung*', '10g/m', 1, 0, ''),
(39, 'Khối trong nhà', 'CS-KC9QKH-8', 2, 0, ''),
(40, 'Khối ngoài trời', 'CU-KC9QKH-8', 2, 0, ''),
(41, 'Chức năng khử mùi', 'Có', 2, 0, ''),
(42, 'Mặt trước máy có thể tháo và lau rửa', 'Có', 2, 0, ''),
(43, 'Chế độ khử ẩm nhẹ', 'Có', 2, 0, ''),
(44, 'Điều chỉnh hướng gió (lên & xuống)', 'Có', 2, 0, ''),
(45, 'Điều chỉnh hướng gió ngang bằng tay', 'Có', 2, 0, ''),
(46, 'Chế độ hoạt động tự động (Làm lạnh)', 'Có', 2, 0, ''),
(47, 'Chức năng hẹn giờ BẬT & TẮT 24 tiếng', 'Có', 2, 0, ''),
(48, 'Điều khiển từ xa với màn hình LCD', 'Có', 2, 0, ''),
(49, 'Tự khởi động lại ngẫu nhiên (32 mẫu thời gian)', 'Có', 2, 0, ''),
(50, 'Dàn tản nhiệt màu xanh', 'Có', 2, 0, ''),
(51, 'Đường ống dài (Số chỉ độ dài ống tối đa)', '10m', 2, 0, ''),
(52, 'Nắp bảo trì máy mở phía trước', 'Có', 2, 0, ''),
(53, 'Btu/giờ', '9.040-9.210', 2, 0, ''),
(54, 'kW', '2,65 – 2,70', 2, 0, ''),
(55, 'Btu/hW', '10,7 – 10,4', 2, 0, ''),
(56, 'W/W', '3,1', 2, 0, ''),
(57, 'Điện áp (V)', '220-240', 2, 0, ''),
(58, 'Cường độ dòng (A)', '4,4 – 4,3', 2, 0, ''),
(59, 'Điện vào (W)', '845-885', 2, 0, ''),
(60, 'Khử ẩm (L/giờ)', '1,6', 2, 0, ''),
(61, 'Khử ẩm (Pt/giờ)', '3,4', 2, 0, ''),
(62, 'Lưu thông khí (m3/ phút)', '9,0', 2, 0, ''),
(63, 'Khối trong nhà (Cao x Rộng x Sâu) (mm)', '290 x 870 x 204', 2, 0, ''),
(64, 'Khối trong nhà', 'CS-KC9QKH-8', 3, 0, ''),
(65, 'Khối ngoài trời', 'CU-KC9QKH-8', 3, 0, ''),
(66, 'Chức năng khử mùi', 'Có', 3, 0, ''),
(67, 'Mặt trước máy có thể tháo và lau rửa', 'Có', 3, 0, ''),
(68, 'Chế độ khử ẩm nhẹ', 'Có', 3, 0, ''),
(69, 'Điều chỉnh hướng gió (lên & xuống)', 'Có', 3, 0, ''),
(70, 'Điều chỉnh hướng gió ngang bằng tay', 'Có', 3, 0, ''),
(71, 'Chế độ hoạt động tự động (Làm lạnh)', 'Có', 3, 0, ''),
(72, 'Chức năng hẹn giờ BẬT & TẮT 24 tiếng', 'Có', 3, 0, ''),
(73, 'Điều khiển từ xa với màn hình LCD', 'Có', 3, 0, ''),
(74, 'Tự khởi động lại ngẫu nhiên (32 mẫu thời gian)', 'Có', 3, 0, ''),
(75, 'Dàn tản nhiệt màu xanh', 'Có', 3, 0, ''),
(76, 'Đường ống dài (Số chỉ độ dài ống tối đa)', '10m', 3, 0, ''),
(77, 'Nắp bảo trì máy mở phía trước', 'Có', 3, 0, ''),
(78, 'Btu/giờ', '9.040-9.210', 3, 0, ''),
(79, 'kW', '2,65 – 2,70', 3, 0, ''),
(80, 'Btu/hW', '10,7 – 10,4', 3, 0, ''),
(81, 'W/W', '3,1', 3, 0, ''),
(82, 'Điện áp (V)', '220-240', 3, 0, ''),
(83, 'Cường độ dòng (A)', '4,4 – 4,3', 3, 0, ''),
(84, 'Điện vào (W)', '845-885', 3, 0, ''),
(85, 'Khử ẩm (L/giờ)', '1,6', 3, 0, ''),
(86, 'Khử ẩm (Pt/giờ)', '3,4', 3, 0, ''),
(87, 'Lưu thông khí (m3/ phút)', '9,0', 3, 0, ''),
(88, 'Khối trong nhà (Cao x Rộng x Sâu) (mm)', '290 x 870 x 204', 3, 0, ''),
(89, 'Khối trong nhà', 'CS-KC9QKH-8', 4, 0, ''),
(90, 'Khối ngoài trời', 'CU-KC9QKH-8', 4, 0, ''),
(91, 'Chức năng khử mùi', 'Có', 4, 0, ''),
(92, 'Mặt trước máy có thể tháo và lau rửa', 'Có', 4, 0, ''),
(93, 'Chế độ khử ẩm nhẹ', 'Có', 4, 0, ''),
(94, 'Điều chỉnh hướng gió (lên & xuống)', 'Có', 4, 0, ''),
(95, 'Điều chỉnh hướng gió ngang bằng tay', 'Có', 4, 0, ''),
(96, 'Chế độ hoạt động tự động (Làm lạnh)', 'Có', 4, 0, ''),
(97, 'Chức năng hẹn giờ BẬT & TẮT 24 tiếng', 'Có', 4, 0, ''),
(98, 'Điều khiển từ xa với màn hình LCD', 'Có', 4, 0, ''),
(99, 'Tự khởi động lại ngẫu nhiên (32 mẫu thời gian)', 'Có', 4, 0, ''),
(100, 'Dàn tản nhiệt màu xanh', 'Có', 4, 0, ''),
(101, 'Đường ống dài (Số chỉ độ dài ống tối đa)', '10m', 4, 0, ''),
(102, 'Nắp bảo trì máy mở phía trước', 'Có', 4, 0, ''),
(103, 'Btu/giờ', '9.040-9.210', 4, 0, ''),
(104, 'kW', '2,65 – 2,70', 4, 0, ''),
(105, 'Btu/hW', '10,7 – 10,4', 4, 0, ''),
(106, 'W/W', '3,1', 4, 0, ''),
(107, 'Điện áp (V)', '220-240', 4, 0, ''),
(108, 'Cường độ dòng (A)', '4,4 – 4,3', 4, 0, ''),
(109, 'Điện vào (W)', '845-885', 4, 0, ''),
(110, 'Khử ẩm (L/giờ)', '1,6', 4, 0, ''),
(111, 'Khử ẩm (Pt/giờ)', '3,4', 4, 0, ''),
(112, 'Lưu thông khí (m3/ phút)', '9,0', 4, 0, ''),
(113, 'Khối trong nhà (Cao x Rộng x Sâu) (mm)', '290 x 870 x 204', 4, 0, ''),
(114, 'Khối trong nhà', 'CS-KC9QKH-8', 5, 0, ''),
(115, 'Khối ngoài trời', 'CU-KC9QKH-8', 5, 0, ''),
(116, 'Chức năng khử mùi', 'Có', 5, 0, ''),
(117, 'Mặt trước máy có thể tháo và lau rửa', 'Có', 5, 0, ''),
(118, 'Chế độ khử ẩm nhẹ', 'Có', 5, 0, ''),
(119, 'Điều chỉnh hướng gió (lên & xuống)', 'Có', 5, 0, ''),
(120, 'Điều chỉnh hướng gió ngang bằng tay', 'Có', 5, 0, ''),
(121, 'Chế độ hoạt động tự động (Làm lạnh)', 'Có', 5, 0, ''),
(122, 'Chức năng hẹn giờ BẬT & TẮT 24 tiếng', 'Có', 5, 0, ''),
(123, 'Điều khiển từ xa với màn hình LCD', 'Có', 5, 0, ''),
(124, 'Tự khởi động lại ngẫu nhiên (32 mẫu thời gian)', 'Có', 5, 0, ''),
(125, 'Dàn tản nhiệt màu xanh', 'Có', 5, 0, ''),
(126, 'Đường ống dài (Số chỉ độ dài ống tối đa)', '10m', 5, 0, ''),
(127, 'Nắp bảo trì máy mở phía trước', 'Có', 5, 0, ''),
(128, 'Btu/giờ', '9.040-9.210', 5, 0, ''),
(129, 'kW', '2,65 – 2,70', 5, 0, ''),
(130, 'Btu/hW', '10,7 – 10,4', 5, 0, ''),
(131, 'W/W', '3,1', 5, 0, ''),
(132, 'Điện áp (V)', '220-240', 5, 0, ''),
(133, 'Cường độ dòng (A)', '4,4 – 4,3', 5, 0, ''),
(134, 'Điện vào (W)', '845-885', 5, 0, ''),
(135, 'Khử ẩm (L/giờ)', '1,6', 5, 0, ''),
(136, 'Khử ẩm (Pt/giờ)', '3,4', 5, 0, ''),
(137, 'Lưu thông khí (m3/ phút)', '9,0', 5, 0, ''),
(138, 'Khối trong nhà (Cao x Rộng x Sâu) (mm)', '290 x 870 x 204', 5, 0, ''),
(139, 'Khối trong nhà', 'CS-KC9QKH-8', 6, 0, ''),
(140, 'Khối ngoài trời', 'CU-KC9QKH-8', 6, 0, ''),
(141, 'Chức năng khử mùi', 'Có', 6, 0, ''),
(142, 'Mặt trước máy có thể tháo và lau rửa', 'Có', 6, 0, ''),
(143, 'Chế độ khử ẩm nhẹ', 'Có', 6, 0, ''),
(144, 'Điều chỉnh hướng gió (lên & xuống)', 'Có', 6, 0, ''),
(145, 'Điều chỉnh hướng gió ngang bằng tay', 'Có', 6, 0, ''),
(146, 'Chế độ hoạt động tự động (Làm lạnh)', 'Có', 6, 0, ''),
(147, 'Chức năng hẹn giờ BẬT & TẮT 24 tiếng', 'Có', 6, 0, ''),
(148, 'Điều khiển từ xa với màn hình LCD', 'Có', 6, 0, ''),
(149, 'Tự khởi động lại ngẫu nhiên (32 mẫu thời gian)', 'Có', 6, 0, ''),
(150, 'Dàn tản nhiệt màu xanh', 'Có', 6, 0, ''),
(151, 'Đường ống dài (Số chỉ độ dài ống tối đa)', '10m', 6, 0, ''),
(152, 'Nắp bảo trì máy mở phía trước', 'Có', 6, 0, ''),
(153, 'Btu/giờ', '9.040-9.210', 6, 0, ''),
(154, 'kW', '2,65 – 2,70', 6, 0, ''),
(155, 'Btu/hW', '10,7 – 10,4', 6, 0, ''),
(156, 'W/W', '3,1', 6, 0, ''),
(157, 'Điện áp (V)', '220-240', 6, 0, ''),
(158, 'Cường độ dòng (A)', '4,4 – 4,3', 6, 0, ''),
(159, 'Điện vào (W)', '845-885', 6, 0, ''),
(160, 'Khử ẩm (L/giờ)', '1,6', 6, 0, ''),
(161, 'Khử ẩm (Pt/giờ)', '3,4', 6, 0, ''),
(162, 'Lưu thông khí (m3/ phút)', '9,0', 6, 0, ''),
(163, 'Khối trong nhà (Cao x Rộng x Sâu) (mm)', '290 x 870 x 204', 6, 0, ''),
(164, 'Khối trong nhà', 'CS-KC9QKH-8', 7, 0, ''),
(165, 'Khối ngoài trời', 'CU-KC9QKH-8', 7, 0, ''),
(166, 'Chức năng khử mùi', 'Có', 7, 0, ''),
(167, 'Mặt trước máy có thể tháo và lau rửa', 'Có', 7, 0, ''),
(168, 'Chế độ khử ẩm nhẹ', 'Có', 7, 0, ''),
(169, 'Điều chỉnh hướng gió (lên & xuống)', 'Có', 7, 0, ''),
(170, 'Điều chỉnh hướng gió ngang bằng tay', 'Có', 7, 0, ''),
(171, 'Chế độ hoạt động tự động (Làm lạnh)', 'Có', 7, 0, ''),
(172, 'Chức năng hẹn giờ BẬT & TẮT 24 tiếng', 'Có', 7, 0, ''),
(173, 'Điều khiển từ xa với màn hình LCD', 'Có', 7, 0, ''),
(174, 'Tự khởi động lại ngẫu nhiên (32 mẫu thời gian)', 'Có', 7, 0, ''),
(175, 'Dàn tản nhiệt màu xanh', 'Có', 7, 0, ''),
(176, 'Đường ống dài (Số chỉ độ dài ống tối đa)', '10m', 7, 0, ''),
(177, 'Nắp bảo trì máy mở phía trước', 'Có', 7, 0, ''),
(178, 'Btu/giờ', '9.040-9.210', 7, 0, ''),
(179, 'kW', '2,65 – 2,70', 7, 0, ''),
(180, 'Btu/hW', '10,7 – 10,4', 7, 0, ''),
(181, 'W/W', '3,1', 7, 0, ''),
(182, 'Điện áp (V)', '220-240', 7, 0, ''),
(183, 'Cường độ dòng (A)', '4,4 – 4,3', 7, 0, ''),
(184, 'Điện vào (W)', '845-885', 7, 0, ''),
(185, 'Khử ẩm (L/giờ)', '1,6', 7, 0, ''),
(186, 'Khử ẩm (Pt/giờ)', '3,4', 7, 0, ''),
(187, 'Lưu thông khí (m3/ phút)', '9,0', 7, 0, ''),
(188, 'Khối trong nhà (Cao x Rộng x Sâu) (mm)', '290 x 870 x 204', 7, 0, '');
-- --------------------------------------------------------
--
-- Table structure for table `tinh_nang`
--
CREATE TABLE `tinh_nang` (
`MA_TN` int(8) NOT NULL,
`TEN_TN` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci NOT NULL,
`MO_TA` text CHARACTER SET utf8 COLLATE utf8_unicode_ci,
`MA_SP` int(8) NOT NULL,
`HINH_1` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`Hinh_2` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`HINH_3` varchar(100) CHARACTER SET utf8 COLLATE utf8_unicode_ci DEFAULT NULL,
`DEL_F` tinyint(1) NOT NULL DEFAULT '0',
`GHI_CHU` text CHARACTER SET utf8 COLLATE utf8_unicode_ci
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
--
-- Dumping data for table `tinh_nang`
--
INSERT INTO `tinh_nang` (`MA_TN`, `TEN_TN`, `MO_TA`, `MA_SP`, `HINH_1`, `Hinh_2`, `HINH_3`, `DEL_F`, `GHI_CHU`) VALUES
(1, 'Kiểu dáng sang trọng và hiện đại', 'mang lại cho gia đình bạn sự tiện nghị vượt bật', 7, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(2, 'Hệ thống lưới lọc 7 trong 1 bao gồm', 'Lưới lọc Super Gingko, Lưới lọc vi sinh Bio Enzyme, Lưới lọc Sasa, Lưới lọc vitamin C, Lưới lọc Super Zeolite, Lưới lọc Coffee và Lưới lọc chống nấm mốc.\r\nHệ thống lưới lọc 7 trong 1', 7, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(3, 'Lưới lọc khử mùi, chống oxy hóa', 'lưới lọc vitamin C, lưới lọc coffee, lưới lọc Zeolite.', 7, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(4, 'Lưới lọc khử trùng, chống dị ứng', 'lưới lọc Bio Enzyme, lưới lọc Sasa,lưới lọc Gingko (cây Bạch Quả)', 7, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(5, 'Chức năng tự vệ sinh (Self Cleaning)', 'Sau khi tắt máy lạnh, quạt bên trong sẽ tự động hoạt động trong 20 phút để làm khô giàn lạnh, giúp làm giảm độ ẩm, ngăn ngừa sự hình thành nấm mốc.', 7, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(6, 'Khử mùi hôi', 'Bạn sẽ không còn cảm thấy mùi khó chịu sau khi khởi động máy. Điều này có được do quạt gió tạm ngưng hoạt động trong thời gian mùi khó chịu được xử lý.', 1, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(7, 'Chức năng khử ẩm nhẹ', 'Làm lạnh giảm độ ẩm, sau đó máy bắt đầu thổi gió từng đợt ngắn để làm khô phòng mà không làm thay đổi nhiệt độ nhiều, đem lại cảm giác thoải mái.', 1, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(8, 'Dàn tản nhiệt màu xanh', 'Chống lại sự ăn mòn của không khí, mưa và các tác nhân khác, nâng tuổi thọ của dàn tản nhiệt lên gấp 3 lần.', 1, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(9, 'Điều chỉnh hướng gió lên xuống', 'Tùy chỉnh hướng gió thổi lên và xuống giúp không khí lạnh khắp phòng.', 1, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(10, 'Tiện dụng', 'Có chức năng hẹn giờ bật tắt 24h, điều khiển từ xa với màn hình LCD. Mặt trước máy có thể tháo và lau rửa.', 1, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(11, 'Khử mùi hôi', 'Bạn sẽ không còn cảm thấy mùi khó chịu sau khi khởi động máy. Điều này có được do quạt gió tạm ngưng hoạt động trong thời gian mùi khó chịu được xử lý.', 2, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(12, 'Chức năng khử ẩm nhẹ', 'Làm lạnh giảm độ ẩm, sau đó máy bắt đầu thổi gió từng đợt ngắn để làm khô phòng mà không làm thay đổi nhiệt độ nhiều, đem lại cảm giác thoải mái.', 2, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(13, 'Dàn tản nhiệt màu xanh', 'Chống lại sự ăn mòn của không khí, mưa và các tác nhân khác, nâng tuổi thọ của dàn tản nhiệt lên gấp 3 lần.', 2, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(14, 'Điều chỉnh hướng gió lên xuống', 'Tùy chỉnh hướng gió thổi lên và xuống giúp không khí lạnh khắp phòng.', 2, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(15, 'Tiện dụng', 'Có chức năng hẹn giờ bật tắt 24h, điều khiển từ xa với màn hình LCD. Mặt trước máy có thể tháo và lau rửa.', 2, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(16, 'Khử mùi hôi', 'Bạn sẽ không còn cảm thấy mùi khó chịu sau khi khởi động máy. Điều này có được do quạt gió tạm ngưng hoạt động trong thời gian mùi khó chịu được xử lý.', 3, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(17, 'Chức năng khử ẩm nhẹ', 'Làm lạnh giảm độ ẩm, sau đó máy bắt đầu thổi gió từng đợt ngắn để làm khô phòng mà không làm thay đổi nhiệt độ nhiều, đem lại cảm giác thoải mái.', 3, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(18, 'Dàn tản nhiệt màu xanh', 'Chống lại sự ăn mòn của không khí, mưa và các tác nhân khác, nâng tuổi thọ của dàn tản nhiệt lên gấp 3 lần.', 3, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(19, 'Điều chỉnh hướng gió lên xuống', 'Tùy chỉnh hướng gió thổi lên và xuống giúp không khí lạnh khắp phòng.', 3, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(20, 'Tiện dụng', 'Có chức năng hẹn giờ bật tắt 24h, điều khiển từ xa với màn hình LCD. Mặt trước máy có thể tháo và lau rửa.', 3, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(21, 'Khử mùi hôi', 'Bạn sẽ không còn cảm thấy mùi khó chịu sau khi khởi động máy. Điều này có được do quạt gió tạm ngưng hoạt động trong thời gian mùi khó chịu được xử lý.', 3, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(22, 'Chức năng khử ẩm nhẹ', 'Làm lạnh giảm độ ẩm, sau đó máy bắt đầu thổi gió từng đợt ngắn để làm khô phòng mà không làm thay đổi nhiệt độ nhiều, đem lại cảm giác thoải mái.', 4, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(23, 'Dàn tản nhiệt màu xanh', 'Chống lại sự ăn mòn của không khí, mưa và các tác nhân khác, nâng tuổi thọ của dàn tản nhiệt lên gấp 3 lần.', 4, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(24, 'Điều chỉnh hướng gió lên xuống', 'Tùy chỉnh hướng gió thổi lên và xuống giúp không khí lạnh khắp phòng.', 4, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(25, 'Tiện dụng', 'Có chức năng hẹn giờ bật tắt 24h, điều khiển từ xa với màn hình LCD. Mặt trước máy có thể tháo và lau rửa.', 4, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(26, 'Khử mùi hôi', 'Bạn sẽ không còn cảm thấy mùi khó chịu sau khi khởi động máy. Điều này có được do quạt gió tạm ngưng hoạt động trong thời gian mùi khó chịu được xử lý.', 5, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(27, 'Chức năng khử ẩm nhẹ', 'Làm lạnh giảm độ ẩm, sau đó máy bắt đầu thổi gió từng đợt ngắn để làm khô phòng mà không làm thay đổi nhiệt độ nhiều, đem lại cảm giác thoải mái.', 5, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(28, 'Dàn tản nhiệt màu xanh', 'Chống lại sự ăn mòn của không khí, mưa và các tác nhân khác, nâng tuổi thọ của dàn tản nhiệt lên gấp 3 lần.', 5, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(29, 'Điều chỉnh hướng gió lên xuống', 'Tùy chỉnh hướng gió thổi lên và xuống giúp không khí lạnh khắp phòng.', 5, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(30, 'Tiện dụng', 'Có chức năng hẹn giờ bật tắt 24h, điều khiển từ xa với màn hình LCD. Mặt trước máy có thể tháo và lau rửa.', 5, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(31, 'Kiểu dáng sang trọng và hiện đại', 'mang lại cho gia đình bạn sự tiện nghị vượt bật', 6, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(32, 'Hệ thống lưới lọc 7 trong 1 bao gồm', 'Lưới lọc Super Gingko, Lưới lọc vi sinh Bio Enzyme, Lưới lọc Sasa, Lưới lọc vitamin C, Lưới lọc Super Zeolite, Lưới lọc Coffee và Lưới lọc chống nấm mốc.\r\nHệ thống lưới lọc 7 trong 1', 6, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(33, 'Lưới lọc khử mùi, chống oxy hóa', 'lưới lọc vitamin C, lưới lọc coffee, lưới lọc Zeolite.', 6, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(34, 'Lưới lọc khử trùng, chống dị ứng', 'lưới lọc Bio Enzyme, lưới lọc Sasa,lưới lọc Gingko (cây Bạch Quả)', 6, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, ''),
(35, 'Chức năng tự vệ sinh (Self Cleaning)', 'Sau khi tắt máy lạnh, quạt bên trong sẽ tự động hoạt động trong 20 phút để làm khô giàn lạnh, giúp làm giảm độ ẩm, ngăn ngừa sự hình thành nấm mốc.', 6, 'HÌnh 1', 'Hình 2', 'Hình 3', 0, '');
--
-- Indexes for dumped tables
--
--
-- Indexes for table `hang_sx`
--
ALTER TABLE `hang_sx`
ADD PRIMARY KEY (`MA_HSX`);
--
-- Indexes for table `hau_mai`
--
ALTER TABLE `hau_mai`
ADD PRIMARY KEY (`MA_HM`);
--
-- Indexes for table `muc_sp`
--
ALTER TABLE `muc_sp`
ADD PRIMARY KEY (`MA_MSP`);
--
-- Indexes for table `san_pham`
--
ALTER TABLE `san_pham`
ADD PRIMARY KEY (`MA_SP`);
--
-- Indexes for table `thong_so_kt`
--
ALTER TABLE `thong_so_kt`
ADD PRIMARY KEY (`MA_TSKT`);
--
-- Indexes for table `tinh_nang`
--
ALTER TABLE `tinh_nang`
ADD PRIMARY KEY (`MA_TN`);
--
-- AUTO_INCREMENT for dumped tables
--
--
-- AUTO_INCREMENT for table `hang_sx`
--
ALTER TABLE `hang_sx`
MODIFY `MA_HSX` int(8) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=26;
--
-- AUTO_INCREMENT for table `hau_mai`
--
ALTER TABLE `hau_mai`
MODIFY `MA_HM` int(8) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=43;
--
-- AUTO_INCREMENT for table `muc_sp`
--
ALTER TABLE `muc_sp`
MODIFY `MA_MSP` int(8) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=4;
--
-- AUTO_INCREMENT for table `san_pham`
--
ALTER TABLE `san_pham`
MODIFY `MA_SP` int(8) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=8;
--
-- AUTO_INCREMENT for table `thong_so_kt`
--
ALTER TABLE `thong_so_kt`
MODIFY `MA_TSKT` int(8) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=189;
--
-- AUTO_INCREMENT for table `tinh_nang`
--
ALTER TABLE `tinh_nang`
MODIFY `MA_TN` int(8) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=36;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
|
/*┌─────────────────────────────────────────────────────────────────────────────────────────────┐*\
│ TITLE: Table DDL │
│ __DATABASE_NAME__.__SCHEMA_NAME__.__TABLE_NAME__
├─────────────────────────────────────────────────────────────────────────────────────────────┤
│ DESCRIPTION: │
│ │
│ │
├─────────────────────────────────────────────────────────────────────────────────────────────┤
│ REVISION HISTORY: │
├─────────────────────────────────────────────────────────────────────────────────────────────┤
│ DATE AUTHOR CHANGE DESCRIPTION │
│ ────────── ─────────────── ───────────────────────────────────────────────────────────────┤
YYYY.MM.DD __AUTHOR_______ Initial Draft
\*└─────────────────────────────────────────────────────────────────────────────────────────────┘*/
USE __DATABASE_NAME__
GO
IF EXISTS (SELECT *
FROM sys.objects
WHERE object_id = OBJECT_ID(N'__SCHEMA_NAME__.__TABLE_NAME__')
AND type IN (N'U'))
DROP TABLE
__SCHEMA_NAME__.__TABLE_NAME__
GO
SET ANSI_NULLS ON
SET QUOTED_IDENTIFIER ON
GO
IF NOT EXISTS (SELECT *
FROM sys.objects
WHERE object_id = OBJECT_ID(N'__SCHEMA_NAME__.__TABLE_NAME__')
AND type IN (N'U'))
BEGIN
CREATE TABLE
__SCHEMA_NAME__.__TABLE_NAME__
(
__TABLE_NAME__ID BIGINT NOT NULL
IDENTITY(1,1)
CONSTRAINT
PK___SCHEMA_NAME_____TABLE_NAME__
PRIMARY KEY CLUSTERED
, __TABLE_NAME__Name VARCHAR(128) NOT NULL
, __TABLE_NAME__Desc VARCHAR(512) NULL
)
END
GO
|
INSERT INTO burgers (burger_name) VALUES ('Mushroom Burger');
INSERT INTO burgers (burger_name) VALUES ('Cheeseburger');
INSERT INTO burgers (burger_name) VALUES ('Bluecheese Bacon Burger'); |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.