sql
stringlengths
6
1.05M
<reponame>elena-andonova/telerik-academy --- 1. Write a SQL query to find the names and salaries of the --- employees that take the minimal salary in the company. --- Use a nested SELECT statement. SELECT CONCAT(e.FirstName, ' ', e.LastName), Salary FROM Employees e WHERE Salary = (SELECT MIN(Salary) FROM Employees) --- Second variant DECLARE @MinSalary int = (SELECT MIN(Salary) FROM Employees) SELECT CONCAT(e.FirstName, ' ', e.LastName), Salary FROM Employees e WHERE Salary = @MinSalary --- 2. Write a SQL query to find the names and salaries --- of the employees that have a salary that is up to --- 10% higher than the minimal salary for the company. SELECT CONCAT(e.FirstName, ' ', e.LastName), Salary FROM Employees e WHERE Salary > (SELECT (MIN(Salary) + MIN(Salary) * 0.1) FROM Employees) ORDER BY Salary --- Second variant DECLARE @NeededSalary int = (SELECT (MIN(Salary) + MIN(Salary) * 0.1) FROM Employees) SELECT CONCAT(e.FirstName, ' ', e.LastName), Salary FROM Employees e WHERE Salary > @NeededSalary ORDER BY Salary --- 3. Write a SQL query to find the full name, salary and --- department of the employees that take the minimal salary --- in their department. Use a nested SELECT statement. SELECT CONCAT(e.FirstName, ' ', e.LastName), e.Salary, d.Name FROM Employees e JOIN Departments d ON e.DepartmentID = d.DepartmentID WHERE Salary = (SELECT MIN(Salary) FROM Employees emp WHERE emp.DepartmentID = d.DepartmentID) ORDER BY Salary --- 4. Write a SQL query to find the average --- salary in the department #1. SELECT ROUND(AVG(e.Salary), 2) FROM Employees e WHERE e.DepartmentID = '1' --- 5. Write a SQL query to find the average --- salary in the "Sales" department. SELECT ROUND(AVG(e.Salary), 2) FROM Employees e JOIN Departments d ON e.DepartmentID = d.DepartmentID WHERE d.Name = 'Sales' --- 6. Write a SQL query to find the number --- of employees in the "Sales" department. SELECT COUNT(e.EmployeeID) FROM Employees e JOIN Departments d ON e.DepartmentID = d.DepartmentID WHERE d.Name = 'Sales' --- 7. Write a SQL query to find the number --- of all employees that have manager. SELECT COUNT(e.ManagerID) FROM Employees e --- 8. Write a SQL query to find the number --- of all employees that have no manager. SELECT COUNT(e.EmployeeID) FROM Employees e WHERE e.ManagerID IS NULL --- 9. Write a SQL query to find all departments --- and the average salary for each of them. SELECT ROUND(AVG(e.Salary), 2), d.Name FROM Employees e JOIN Departments d ON e.DepartmentID = d.DepartmentID GROUP BY d.Name ORDER BY AVG(e.Salary) --- 10. Write a SQL query to find the count of all --- employees in each department and for each town. SELECT COUNT(e.EmployeeId) as EmployeeCount, d.Name, t.Name FROM Employees e JOIN Departments d ON e.DepartmentID = d.DepartmentID JOIN Addresses a ON e.AddressID = a.AddressID JOIN Towns t ON t.TownID = a.TownID GROUP BY d.Name, t.Name ORDER BY d.Name --- Second variant SELECT COUNT(e.EmployeeId) as EmployeeCount, d.Name FROM Employees e JOIN Departments d ON e.DepartmentID = d.DepartmentID GROUP BY d.Name --- UNION SELECT COUNT(e.EmployeeId) as EmployeeCount, t.Name FROM Employees e JOIN Addresses a ON e.AddressID = a.AddressID JOIN Towns t ON a.TownID = t.TownID GROUP BY t.Name --- 11. Write a SQL query to find all managers that have --- exactly 5 employees. Display their first name and last name. SELECT e.EmployeeID as [ManagerId], CONCAT(e.FirstName, ' ', e.LastName) as [ManagerName], COUNT(e.EmployeeID) as [EmployeesCount] FROM Employees e JOIN Employees emp ON emp.ManagerID = e.EmployeeID GROUP BY e.EmployeeID, e.FirstName, e.LastName HAVING COUNT(e.EmployeeID) = 5 --- 12. Write a SQL query to find all employees along with --- their managers. For employees that do not have manager --- display the value "(no manager)". SELECT CONCAT(e.FirstName, ' ', e.LastName) as [EmployeeName], ISNULL(m.FirstName + ' ' + m.LastName, 'No manager') as [ManagerName] FROM Employees e LEFT JOIN Employees m ON e.ManagerID = m.EmployeeID --- 13. Write a SQL query to find the names of all employees --- whose last name is exactly 5 characters long. --- Use the built-in LEN(str) function. SELECT CONCAT(e.FirstName, ' ', e.LastName) FROM Employees e WHERE LEN(e.LastName) = 5 --- 14. Write a SQL query to display the current date and time in the --- following format "day.month.year hour:minutes:seconds:milliseconds". --- Search in Google to find how to format dates in SQL Server. SELECT FORMAT(GETDATE(), 'dd.MM.yyyy HH:mm:ss:fff'); --- 15. Write a SQL statement to create a table Users. Users should have username, --- password, full name and last login time. Choose appropriate data types for the --- table fields. Define a primary key column with a primary key constraint. --- Define the primary key column as identity to facilitate inserting records. --- Define unique constraint to avoid repeating usernames. --- Define a check constraint to ensure the password is at least 5 characters long. CREATE TABLE Users ( UserId Int IDENTITY, Username nvarchar(50) NOT NULL CHECK (LEN(Username) > 3), Password nvarchar(256) NOT NULL CHECK (LEN(Password) > 5), FullName nvarchar(50) NOT NULL CHECK (LEN(FullName) > 5), LastLoginTime DATETIME, CONSTRAINT PK_Users PRIMARY KEY(UserId), CONSTRAINT UQ_Username UNIQUE(Username), ) GO --- 16. Write a SQL statement to create a view that displays the users --- from the Users table that have been in the system today. --- Test if the view works correctly. CREATE VIEW [Users in system today] AS SELECT Username FROM Users as u WHERE DATEDIFF(day, LastLoginTime, GETDATE()) = 0 --- 17. Write a SQL statement to create a table Groups. --- Groups should have unique name (use unique constraint). --- Define primary key and identity column. CREATE TABLE Groups ( GroupId Int IDENTITY, Name nvarchar(50) NOT NULL CONSTRAINT PK_Groups PRIMARY KEY(GroupId), CONSTRAINT UQ_Name UNIQUE(Name), ) GO --- 18. Write a SQL statement to add a column GroupID to the table Users. --- Fill some data in this new column and as well in the Groups table. --- Write a SQL statement to add a foreign key constraint --- between tables Users and Groups tables. ALTER TABLE Users ADD GroupId int --- NOT NULL GO ALTER TABLE Users ADD CONSTRAINT FK_Users_Groups FOREIGN KEY (GroupId) REFERENCES Groups(GroupId) GO --- 19. Write SQL statements to insert several records --- in the Users and Groups tables. INSERT INTO Groups VALUES ('Facebook'), ('Twitter'), ('LinkedIn'), ('Gmail'), ('Telerik Academy'), ('SoftUni') INSERT INTO Users VALUES ('nickname1', 'qwerty1', 'Unnamed1', '2010-3-06 00:00:00', 1), ('nickname2', 'qwerty2', 'Unnamed2', '2010-3-07 00:00:00', 2), ('nickname3', 'qwerty3', 'Unnamed3', '2010-3-08 00:00:00', 3), ('nickname4', 'qw<PASSWORD>4', 'Unnamed4', '2010-3-09 00:00:00', 4), ('nickname5', 'qwerty5', 'Unnamed5', '2010-3-10 00:00:00', 5), ('nickname6', 'qwerty6', 'Unnamed6', '2010-3-11 00:00:00', 6), ('nickname7', 'qwerty7', 'Unnamed7', '2010-3-12 00:00:00', 7), ('nickname8', '<PASSWORD>8', 'Unnamed8', '2010-3-13 00:00:00', 8), ('nickname9', 'qw<PASSWORD>9', 'Unnamed9', '2010-3-14 00:00:00', 9) --- 20. Write SQL statements to update some of the --- records in the Users and Groups tables. UPDATE Users SET Username = REPLACE(Username, 'nickname', 'NICKNAME') WHERE GroupId > 4 --- 21. Write SQL statements to delete some of the --- records from the Users and Groups tables. DELETE FROM Users WHERE GroupId IN (3, 4, 5) DELETE FROM Groups WHERE GroupId IN (3, 4, 5) --- 22. Write SQL statements to insert in the Users table the --- names of all employees from the Employees table. Combine the --- first and last names as a full name. For username use the first --- letter of the first name + the last name (in lowercase). --- Use the same for the password, and NULL for last login time. CREATE TABLE Users ( UserId Int IDENTITY, Username nvarchar(50) NOT NULL, Password nvarchar(256) NOT NULL, FullName nvarchar(50) NOT NULL, LastLoginTime DATETIME, CONSTRAINT PK_Users PRIMARY KEY(UserId) ) GO INSERT INTO Users (Username, FullName, Password) (SELECT LOWER(CONCAT(LEFT(emp.FirstName, 1), emp.LastName)), CONCAT(emp.FirstName, ' ', emp.LastName), LOWER(CONCAT(LEFT(emp.FirstName, 1), emp.LastName)) FROM Employees emp) GO --- 23. Write a SQL statement that changes the password to --- NULL for all users that have not been in the system since 10.03.2010. CREATE TABLE Users ( UserId Int IDENTITY, Username nvarchar(50), Password nvarchar(256), FullName nvarchar(50), LastLoginTime DATETIME, CONSTRAINT PK_Users PRIMARY KEY(UserId), CONSTRAINT UQ_Username UNIQUE(Username), ) GO INSERT INTO Users VALUES ('nickname1', 'qwerty1', 'Unnamed1', '2010-3-06 00:00:00'), ('nickname2', 'qwerty2', 'Unnamed2', '2010-3-07 00:00:00'), ('nickname3', 'qwerty3', 'Unnamed3', '2010-3-08 00:00:00'), ('nickname4', 'qwerty4', 'Unnamed4', '2010-3-09 00:00:00'), ('nickname5', 'qwerty5', 'Unnamed5', '2010-3-10 00:00:00'), ('nickname6', 'qwerty6', 'Unnamed6', '2010-3-11 00:00:00'), ('nickname7', 'qwerty7', 'Unnamed7', '2010-3-12 00:00:00'), ('nickname8', 'qwerty8', 'Unnamed8', '2010-3-13 00:00:00'), ('nickname9', 'qwerty9', 'Unnamed9', '2010-3-14 00:00:00') GO UPDATE Users SET Password = NULL WHERE DATEDIFF(day, LastLoginTime, '2010-3-10') > 0 --- 24. Write a SQL statement that deletes all --- users without passwords (NULL password). DELETE FROM Users WHERE Password IS NULL --- 25. Write a SQL query to display the average --- employee salary by department and job title. SELECT FLOOR(AVG(e.Salary)), d.Name, e.JobTitle FROM Employees e JOIN Departments d ON e.DepartmentID = d.DepartmentID GROUP BY d.Name, e.JobTitle ORDER BY d.Name --- 26. Write a SQL query to display the minimal employee --- salary by department and job title along with the --- name of some of the employees that take it. SELECT FLOOR(MIN(e.Salary)), d.Name, e.JobTitle, MIN(CONCAT(e.FirstName, ' ', e.LastName)) FROM Employees e JOIN Departments d ON e.DepartmentID = d.DepartmentID GROUP BY d.Name, e.JobTitle ORDER BY d.Name --- 27. Write a SQL query to display the town --- where maximal number of employees work. SELECT TOP 1 t.Name, COUNT(e.EmployeeID) as EmployeesCount FROM Employees e JOIN Addresses a ON e.AddressID = a.AddressID JOIN Towns t ON t.TownID = a.TownID GROUP BY t.Name ORDER BY EmployeesCount DESC --- 28. Write a SQL query to display the number of managers from each town. SELECT t.Name, COUNT(e.EmployeeID) as ManagersCount FROM Employees e JOIN Addresses a ON e.AddressID = a.AddressID JOIN Towns t ON t.TownID = a.TownID GROUP BY t.Name ORDER BY ManagersCount DESC --- 29. Write a SQL to create table WorkHours to store work reports --- for each employee (employee id, date, task, hours, comments). --- Don't forget to define identity, primary key and appropriate foreign key. --- --- Issue few SQL statements to insert, update and delete of some data in the table. --- Define a table WorkHoursLogs to track all changes in the WorkHours table with triggers. --- --- For each change keep the old record data, the new record data and the --- command (insert / update / delete). --- TABLE: WorkHours CREATE TABLE WorkHours ( WorkReportId int IDENTITY, EmployeeId Int NOT NULL, OnDate DATETIME NOT NULL, Task nvarchar(256) NOT NULL, Hours Int NOT NULL, Comments nvarchar(256), CONSTRAINT PK_Id PRIMARY KEY(WorkReportId), CONSTRAINT FK_Employees_WorkHours FOREIGN KEY (EmployeeId) REFERENCES Employees(EmployeeId) ) GO --- INSERT DECLARE @counter int; SET @counter = 20; WHILE @counter > 0 BEGIN INSERT INTO WorkHours(EmployeeId, OnDate, Task, [Hours]) VALUES (@counter, GETDATE(), 'TASK: ' + CONVERT(varchar(10), @counter), @counter) SET @counter = @counter - 1 END --- UPDATE UPDATE WorkHours SET Comments = 'Work hard or go home!' WHERE [Hours] > 10 --- DELETE DELETE FROM WorkHours WHERE EmployeeId IN (1, 3, 5, 7, 13) --- TABLE: WorkHoursLogs CREATE TABLE WorkHoursLogs ( WorkLogId int, EmployeeId Int NOT NULL, OnDate DATETIME NOT NULL, Task nvarchar(256) NOT NULL, Hours Int NOT NULL, Comments nvarchar(256), [Action] nvarchar(50) NOT NULL, CONSTRAINT FK_Employees_WorkHoursLogs FOREIGN KEY (EmployeeId) REFERENCES Employees(EmployeeId), CONSTRAINT [CC_WorkReportsLogs] CHECK ([Action] IN ('Insert', 'Delete', 'DeleteUpdate', 'InsertUpdate')) ) GO --- TRIGGER FOR INSERT CREATE TRIGGER tr_InsertWorkReports ON WorkHours FOR INSERT AS INSERT INTO WorkHoursLogs(WorkLogId, EmployeeId, OnDate, Task, [Hours], Comments, [Action]) SELECT WorkReportId, EmployeeID, OnDate, Task, [Hours], Comments, 'Insert' FROM inserted GO --- TRIGGER FOR DELETE CREATE TRIGGER tr_DeleteWorkReports ON WorkHours FOR DELETE AS INSERT INTO WorkHoursLogs(WorkLogId, EmployeeId, OnDate, Task, [Hours], Comments, [Action]) SELECT WorkReportId, EmployeeID, OnDate, Task, [Hours], Comments, 'Delete' FROM deleted GO --- TRIGGER FOR UPDATE CREATE TRIGGER tr_UpdateWorkReports ON WorkHours FOR UPDATE AS INSERT INTO WorkHoursLogs(WorkLogId, EmployeeId, OnDate, Task, [Hours], Comments, [Action]) SELECT WorkReportId, EmployeeID, OnDate, Task, [Hours], Comments, 'InsertUpdate' FROM inserted INSERT INTO WorkHoursLogs(WorkLogId, EmployeeId, OnDate, Task, [Hours], Comments, [Action]) SELECT WorkReportId, EmployeeID, OnDate, Task, [Hours], Comments, 'DeleteUpdate' FROM deleted GO --- TEST TRIGGERS DELETE FROM WorkHoursLogs INSERT INTO WorkHours(EmployeeId, OnDate, Task, [Hours]) VALUES (25, GETDATE(), 'TASK: 25', 25) DELETE FROM WorkHours WHERE EmployeeId = 25 UPDATE WorkHours SET Comments = 'Updated' WHERE EmployeeId = 2 --- 30. Start a database transaction, delete all employees from --- the 'Sales' department along with all dependent records from --- the pother tables. At the end rollback the transaction. BEGIN TRAN ALTER TABLE Departments DROP CONSTRAINT FK_Departments_Employees GO DELETE e FROM Employees e JOIN Departments d ON e.DepartmentID = d.DepartmentID WHERE d.Name = 'Sales' --- ROLLBACK TRAN --- COMMIT TRAN --- 31. Start a database transaction and drop the table EmployeesProjects. --- Now how you could restore back the lost table data? BEGIN TRANSACTION DROP TABLE EmployeesProjects --- ROLLBACK TRANSACTION --- COMMIT TRANSACTION --- 32. Find how to use temporary tables in SQL Server. Using temporary --- tables backup all records from EmployeesProjects and restore them back --- after dropping and re-creating the table. BEGIN TRANSACTION SELECT * INTO #TempEmployeesProjects --- Create new table FROM EmployeesProjects DROP TABLE EmployeesProjects SELECT * INTO EmployeesProjects --- Create new table FROM #TempEmployeesProjects; DROP TABLE #TempEmployeesProjects --- ROLLBACK TRANSACTION --- COMMIT TRANSACTION
DELETE FROM index_values WHERE id NOT IN (SELECT MIN(id) FROM index_values GROUP BY key, date, value); ALTER TABLE index_values ADD CONSTRAINT index_values_key_date_key UNIQUE (key, date);
CREATE TABLE gadAll ( id varchar(20), # ID association char(1), # Association(Y/N) broadPhen varchar(255), # Broad Phenotype diseaseClass varchar(20), # Disease Class diseaseClassCode varchar(20), # Disease Class meshTerm blob, # MeSH Disease Terms chromosome varchar(20), # Chromosome band varchar(20), # Chr-Band geneSymbol varchar(40), # Gene chromStart int unsigned, # DNA Start chromEnd int unsigned, # DNA End pValue varchar(255), # P Value reference varchar(255), # Reference pubMed varchar(40), # Pubmed ID alleleAuthDes varchar(255), # Allele Author Discription alleleFunEffect varchar(255), # Allele Functional Effects polymClass varchar(40), # Polymophism Class geneName varchar(255), # Gene Name refSeq varchar(255), # RefSeq ID population varchar(255), # Population meshGeoloc varchar(255), # MeSH Geolocation submitter varchar(255), # Submitter locusNum varchar(40), # Locus Number unigene varchar(20), # Unigene narrowPhen varchar(255), # Narrow Phenotype molePhenotype varchar(255), # Mole. Phenotype journal varchar(255), # Journal title blob, # Title rsId varchar(255), # rs Number omimId varchar(20), # OMIM ID gadQ varchar(255), # GAD/CDC (unpopulated as of 2013) gadCdc varchar(255), # GAD/CDC (unpopulated as of 2013) year varchar(10), # Year conclusion blob, # Conclusion studyInfo blob, # Study Info envFactor varchar(255), # Env. Factor giGeneA varchar(255), # GI Gene A giAlleleGeneA varchar(255), # GI Allele of Gene A giGeneB varchar(255), # GI Gene B giAlleleGeneB varchar(255), # GI Allele of Gene B giGeneC varchar(255), # GI Gene C giAlleleGeneC varchar(255), # GI Allele of Gene C giAssociation varchar(255), # GI Association? giEnv varchar(255), # GI combine Env. Factor giDis varchar(255), # GI relevant to Disease KEY(id), KEY(geneSymbol) );
<gh_stars>0 /*Copyright (c) 2021 Oracle and/or its affiliates. All rights reserved. The Universal Permissive License (UPL), Version 1.0 as shown at http://oss.oracle.com/licenses/upl */ CREATE USER dbfirst IDENTIFIED BY "<PASSWORD>"; GRANT CREATE SESSION TO dbfirst; GRANT CREATE TABLE TO dbfirst; GRANT CREATE SEQUENCE TO dbfirst; GRANT UNLIMITED TABLESPACE TO dbfirst; CREATE TABLE "DBFIRST"."DEPT" ( given_name VARCHAR2(100) NOT NULL ); INSERT INTO "DBFIRST"."DEPT" VALUES ('Welcome to Oracle Cloud Infrastructure. Your application is up and running.'); commit; exit;
<reponame>bcgov/EDUC-GRAD-TRAX-API CREATE OR REPLACE EDITIONABLE SYNONYM "TRAX_STUDENTS_LOAD" FOR "TRAX_STUDENTS_LOAD"@"TRAXLINK.WORLD";
ALTER TABLE AM_API ADD API_UUID VARCHAR(255) / ALTER TABLE AM_API ADD STATUS VARCHAR(30) / ALTER TABLE AM_API ADD REVISIONS_CREATED INTEGER DEFAULT 0 / ALTER TABLE AM_CERTIFICATE_METADATA ADD CERTIFICATE BLOB DEFAULT NULL / CREATE TABLE AM_REVISION ( ID INTEGER NOT NULL, API_UUID VARCHAR(256) NOT NULL, REVISION_UUID VARCHAR(255) NOT NULL, DESCRIPTION VARCHAR(255), CREATED_TIME TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP, CREATED_BY VARCHAR(255), PRIMARY KEY (ID, API_UUID), UNIQUE(REVISION_UUID)) / CREATE TABLE AM_API_REVISION_METADATA ( API_UUID VARCHAR(64), REVISION_UUID VARCHAR(64), API_TIER VARCHAR(128), UNIQUE (API_UUID,REVISION_UUID) )/ CREATE TABLE AM_DEPLOYMENT_REVISION_MAPPING ( NAME VARCHAR(255) NOT NULL, VHOST VARCHAR(255) NULL, REVISION_UUID VARCHAR(255) NOT NULL, DISPLAY_ON_DEVPORTAL BOOLEAN DEFAULT 0, DEPLOYED_TIME TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP, PRIMARY KEY (NAME, REVISION_UUID), FOREIGN KEY (REVISION_UUID) REFERENCES AM_REVISION(REVISION_UUID) ON UPDATE CASCADE ON DELETE CASCADE) / ALTER TABLE AM_API_CLIENT_CERTIFICATE ADD REVISION_UUID VARCHAR(255) NOT NULL DEFAULT 'Current API' / ALTER TABLE AM_API_CLIENT_CERTIFICATE DROP PRIMARY KEY / ALTER TABLE AM_API_CLIENT_CERTIFICATE ADD PRIMARY KEY(ALIAS,TENANT_ID, REMOVED, REVISION_UUID) / ALTER TABLE AM_API_URL_MAPPING ADD REVISION_UUID VARCHAR(256) / ALTER TABLE AM_GRAPHQL_COMPLEXITY ADD REVISION_UUID VARCHAR(256) / ALTER TABLE AM_API_PRODUCT_MAPPING ADD REVISION_UUID VARCHAR(256) / DROP TABLE IF EXISTS AM_GW_API_DEPLOYMENTS / DROP TABLE IF EXISTS AM_GW_API_ARTIFACTS / DROP TABLE IF EXISTS AM_GW_PUBLISHED_API_DETAILS / CREATE TABLE AM_GW_PUBLISHED_API_DETAILS ( API_ID varchar(255) NOT NULL, TENANT_DOMAIN varchar(255), API_PROVIDER varchar(255), API_NAME varchar(255), API_VERSION varchar(255), API_TYPE varchar(50), PRIMARY KEY (API_ID) ) / CREATE TABLE AM_GW_API_ARTIFACTS ( API_ID varchar(255) NOT NULL, REVISION_ID varchar(255) NOT NULL, ARTIFACT blob, TIME_STAMP TIMESTAMP NOT NULL GENERATED ALWAYS FOR EACH ROW ON UPDATE AS ROW CHANGE TIMESTAMP, PRIMARY KEY (REVISION_ID, API_ID), FOREIGN KEY (API_ID) REFERENCES AM_GW_PUBLISHED_API_DETAILS (API_ID) ON DELETE NO ACTION ON UPDATE RESTRICT) / CREATE TABLE IF NOT EXISTS AM_GW_API_DEPLOYMENTS ( API_ID VARCHAR(255) NOT NULL, REVISION_ID VARCHAR(255) NOT NULL, LABEL VARCHAR(255) NOT NULL, VHOST VARCHAR(255) NULL, PRIMARY KEY (REVISION_ID, API_ID,LABEL), FOREIGN KEY (API_ID) REFERENCES AM_GW_PUBLISHED_API_DETAILS(API_ID) ON UPDATE CASCADE ON DELETE NO ACTION ) / -- Service Catalog -- CREATE TABLE AM_SERVICE_CATALOG ( UUID VARCHAR(36) NOT NULL, SERVICE_KEY VARCHAR(100) NOT NULL, MD5 VARCHAR(100) NOT NULL, SERVICE_NAME VARCHAR(255) NOT NULL, DISPLAY_NAME VARCHAR(255) NOT NULL, SERVICE_VERSION VARCHAR(30) NOT NULL, SERVICE_URL VARCHAR(2048) NOT NULL, TENANT_ID INTEGER NOT NULL, DEFINITION_TYPE VARCHAR(20), DEFINITION_URL VARCHAR(2048), DESCRIPTION VARCHAR(1024), SECURITY_TYPE VARCHAR(50), MUTUAL_SSL_ENABLED SMALLINT DEFAULT 0, CREATED_TIME TIMESTAMP NULL, LAST_UPDATED_TIME TIMESTAMP NULL, CREATED_BY VARCHAR(255), UPDATED_BY VARCHAR(255), SERVICE_DEFINITION BLOB NOT NULL, METADATA BLOB NOT NULL, PRIMARY KEY (UUID), CONSTRAINT SERVICE_KEY_TENANT UNIQUE(SERVICE_KEY, TENANT_ID), CONSTRAINT SERVICE_NAME_VERSION_TENANT UNIQUE (SERVICE_NAME, SERVICE_VERSION, TENANT_ID)) / -- Webhooks -- CREATE TABLE AM_WEBHOOKS_SUBSCRIPTION ( WH_SUBSCRIPTION_ID INTEGER, API_UUID VARCHAR(255) NOT NULL, APPLICATION_ID VARCHAR(20) NOT NULL, TENANT_DOMAIN VARCHAR(255) NOT NULL, HUB_CALLBACK_URL VARCHAR(1024) NOT NULL, HUB_TOPIC VARCHAR(255) NOT NULL, HUB_SECRET VARCHAR(2048), HUB_LEASE_SECONDS INTEGER, UPDATED_AT TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP, EXPIRY_AT BIGINT, DELIVERED_AT TIMESTAMP NULL, DELIVERY_STATE SMALLINT, PRIMARY KEY (WH_SUBSCRIPTION_ID)) / CREATE SEQUENCE AM_WEBHOOKS_SUBSCRIPTION_SEQUENCE START WITH 1 INCREMENT BY 1 NOCACHE / CREATE TRIGGER AM_WEBHOOKS_SUBSCRIPTION_TRIGGER NO CASCADE BEFORE INSERT ON AM_WEBHOOKS_SUBSCRIPTION REFERENCING NEW AS NEW FOR EACH ROW MODE DB2SQL BEGIN ATOMIC SET (NEW.WH_SUBSCRIPTION_ID) = (NEXTVAL FOR AM_WEBHOOKS_SUBSCRIPTION_SEQUENCE); END / CREATE TABLE AM_WEBHOOKS_UNSUBSCRIPTION ( API_UUID VARCHAR(255) NOT NULL, APPLICATION_ID VARCHAR(20) NOT NULL, TENANT_DOMAIN VARCHAR(255) NOT NULL, HUB_CALLBACK_URL VARCHAR(1024) NOT NULL, HUB_TOPIC VARCHAR(255) NOT NULL, HUB_SECRET VARCHAR(2048), HUB_LEASE_SECONDS INTEGER, ADDED_AT TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP ) / CREATE TABLE AM_API_SERVICE_MAPPING ( API_ID INTEGER NOT NULL, SERVICE_KEY VARCHAR(256) NOT NULL, MD5 VARCHAR(100) NOT NULL, TENANT_ID INTEGER NOT NULL, PRIMARY KEY (API_ID, SERVICE_KEY), FOREIGN KEY (API_ID) REFERENCES AM_API(API_ID) ON DELETE CASCADE ) / -- Gateway Environments Table -- CREATE TABLE AM_GATEWAY_ENVIRONMENT ( ID INTEGER NOT NULL, UUID VARCHAR(45) NOT NULL, NAME VARCHAR(255) NOT NULL, TENANT_DOMAIN VARCHAR(255), DISPLAY_NAME VARCHAR(255) NULL, DESCRIPTION VARCHAR(1023) NULL, UNIQUE (NAME, TENANT_DOMAIN), UNIQUE (UUID), PRIMARY KEY (ID)) / CREATE SEQUENCE AM_GATEWAY_ENV_SEQ START WITH 1 INCREMENT BY 1 NOCACHE / CREATE OR REPLACE TRIGGER AM_GATEWAY_ENVIRONMENT_TRIGGER BEFORE INSERT ON AM_GATEWAY_ENVIRONMENT REFERENCING NEW AS NEW FOR EACH ROW BEGIN SELECT AM_GATEWAY_ENV_SEQ.nextval INTO :NEW.ID FROM dual; END; / -- Virtual Hosts Table -- CREATE TABLE AM_GW_VHOST ( GATEWAY_ENV_ID INTEGER, HOST VARCHAR(255) NOT NULL, HTTP_CONTEXT VARCHAR(255) NULL, HTTP_PORT VARCHAR(5) NOT NULL, HTTPS_PORT VARCHAR(5) NOT NULL, WS_PORT VARCHAR(5) NOT NULL, WSS_PORT VARCHAR(5) NOT NULL, FOREIGN KEY (GATEWAY_ENV_ID) REFERENCES AM_GATEWAY_ENVIRONMENT(ID) ON DELETE CASCADE, PRIMARY KEY (GATEWAY_ENV_ID, HOST)) / ALTER TABLE AM_POLICY_SUBSCRIPTION ADD CONNECTIONS_COUNT INTEGER DEFAULT 0 NOT NULL / ALTER TABLE AM_API_COMMENTS RENAME COLUMN COMMENTED_USER TO CREATED_BY / ALTER TABLE AM_API_COMMENTS RENAME COLUMN DATE_COMMENTED TO CREATED_TIME / ALTER TABLE AM_API_COMMENTS ADD UPDATED_TIME DATE / ALTER TABLE AM_API_COMMENTS ADD PARENT_COMMENT_ID VARCHAR2(255) DEFAULT NULL / ALTER TABLE AM_API_COMMENTS ADD ENTRY_POINT VARCHAR2(20) DEFAULT 'DEVPORTAL' / ALTER TABLE AM_API_COMMENTS ADD CATEGORY VARCHAR2(20) DEFAULT 'general' / ALTER TABLE AM_API_COMMENTS ADD FOREIGN KEY(PARENT_COMMENT_ID) REFERENCES AM_API_COMMENTS(COMMENT_ID) /
INSERT INTO trips(id, amount, start_location, end_location, start_time, end_time, rating, driver_id) VALUES ('e8813b0a-42ec-449f-844c-ef7fdb3c4177', 11.11, 'location1', 'location7', now(), now() + '20 minutes', 5, '007dfe6b-374e-4464-a603-02a7ca760ccd'), ('bbc0a44c-b301-4d4f-bc0f-12994b733c6a', 22.22, 'location2', 'location4', now(), now() + '23 minutes', 4, '007dfe6b-374e-4464-a603-02a7ca760ccd'), ('f9aed41e-a4a3-460f-adf4-bd8ae4afb315', 33.33, 'location3', 'location1', now(), now() + '20 minutes', 4, '5ab89501-2d0c-49d5-8346-42b9cd567fd8'), ('9fb793d4-ab0d-415a-a28c-3750709335c6', 44.44, 'location4', 'location9', now(), now() + '25 minutes', 3, 'cf6d5c16-b3c3-4b8e-9342-a9dd80135854'), ('7c7d88e3-2a2b-403f-8d8e-7942a8cf84a7', 55.55, 'location5', 'location15', now(), now() + '20 minutes', 2, '14c41a2a-24e7-466a-9100-012f9e68c36c'), ('11c15be3-98a2-4d71-8e4e-e50094f68fc1', 66.66, 'location3', 'location33', now(), now() + '20 minutes', 5, '65cd4446-90c6-46ee-9a9b-c54d3058160b');
<gh_stars>0 set termout off create or replace package failing_invalid_spec as --%suite gv_glob_val non_existing_table.id%type := 0; --%beforeall procedure before_all; --%test procedure test1; --%test procedure test2; end; / create or replace package body failing_invalid_spec as procedure before_all is begin gv_glob_val := 1; end; procedure test1 is begin ut.expect(1).to_equal(1); end; procedure test2 is begin ut.expect(1).to_equal(1); end; end; / set termout on declare l_objects_to_run ut_suite_items; begin begin --act l_objects_to_run := ut_suite_manager.configure_execution_by_path(ut_varchar2_list('failing_invalid_spec')); exception when others then if sqlerrm like '%failing_invalid_spec%' then :test_result := ut_utils.tr_success; end if; end; if :test_result != ut_utils.tr_success or :test_result is null then dbms_output.put_line('Failed: Expected exception with text like ''%failing_invalid_spec%'' but got:'''||sqlerrm||''''); end if; end; / drop package failing_invalid_spec /
-- Table creation only -- -- Structure de la table `log` -- CREATE TABLE IF NOT EXISTS `vector_table` ( `userid` bigint(20) NOT NULL, `date` datetime NOT NULL DEFAULT NOW(), `a1` varchar(255) COLLATE utf8_unicode_ci NOT NULL DEFAULT "", `a2` varchar(255) COLLATE utf8_unicode_ci NOT NULL DEFAULT "", `a3` varchar(255) COLLATE utf8_unicode_ci NOT NULL DEFAULT "", `a4` varchar(255) COLLATE utf8_unicode_ci NOT NULL DEFAULT "", `a5` varchar(255) COLLATE utf8_unicode_ci NOT NULL DEFAULT "", `a6` varchar(255) COLLATE utf8_unicode_ci NOT NULL DEFAULT "", `a7` varchar(255) COLLATE utf8_unicode_ci NOT NULL DEFAULT "", `a8` varchar(255) COLLATE utf8_unicode_ci NOT NULL DEFAULT "", `a9` varchar(255) COLLATE utf8_unicode_ci NOT NULL DEFAULT "", `a10` varchar(255) COLLATE utf8_unicode_ci NOT NULL DEFAULT "" ) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_unicode_ci; -- -- Contenu de la table `log` --
CREATE TEMPORARY TABLE t (x Array( /* Hello */ UInt32 /* World */ )) ENGINE = Memory;
-- SELECT * FROM _cdf.assets LIMIT 100
<reponame>MickeVr/utPLSQL create or replace package ut_suite_manager authid current_user is /* utPLSQL - Version 3 Copyright 2016 - 2019 utPLSQL Project 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. */ /** * Resposible for building hierarhy of sutes from individual suites created by suite_builder */ /** * @private * * Returns a list of Unit Test packages that exist in a given database schema * IMPORTANT! The returned list is not filtered by user privileges. * To be used internally only. * * @param a_schema_names list of schemas to return the information for * @return array containing unit test schema and object names */ function get_schema_ut_packages(a_schema_names ut_varchar2_rows) return ut_object_names; /** * Builds a hierarchical suites based on given suite-paths * * @param a_paths list of suite-paths or procedure names or package names or schema names * @return array containing root suites-ready to be executed * */ function configure_execution_by_path(a_paths ut_varchar2_list, a_random_seed positive := null) return ut_suite_items; /** * Builds a hierarchical suites based on given suite-paths * * @param a_paths list of suite-paths or procedure names or package names or schema names * @param a_suites returned array containing root suites-ready to be executed * */ procedure configure_execution_by_path( a_paths in ut_varchar2_list, a_suites out nocopy ut_suite_items, a_random_seed in positive := null, a_tags ut_varchar2_rows := ut_varchar2_rows() ); /** * Cleanup paths by removing leading/trailing whitespace and making paths lowercase * Get list of schema names from execution paths. */ function get_schema_names(a_paths ut_varchar2_list) return ut_varchar2_rows; /** * Constructs a list of suites based on the list of annotations passed * the suites are stored in cache */ function build_suites_from_annotations( a_owner_name varchar2, a_annotated_objects sys_refcursor, a_path varchar2 := null, a_object_name varchar2 := null, a_procedure_name varchar2 := null, a_skip_all_objects boolean := false ) return ut_suite_items; /** * Returns a ref cursor containing information about unit test suites and the tests contained in them * * @param a_owner owner of unit tests to retrieve * @param a_package_name name of test package (optional) * @param a_procedure_name name of test procedure (optional) * @return ut_suite_items_info table of objects */ function get_suites_info( a_owner_name varchar2, a_package_name varchar2 := null ) return sys_refcursor; /** * Returns true if given suite item exists * * @param a_owner owner of items to retrieve * @param a_package_name name of suite package (optional) * @param a_procedure_name name of suite item (optional) * @param a_item_type suite_item type (optional) * @return ut_suite_items_info table of objects */ function suite_item_exists( a_owner_name varchar2, a_package_name varchar2 := null, a_procedure_name varchar2 := null ) return boolean; end ut_suite_manager; /
<reponame>stroonsN/livehelperchat ALTER TABLE `lh_abstract_proactive_chat_invitation` ADD `bot_id` int(11) NOT NULL, COMMENT=''; ALTER TABLE `lh_abstract_proactive_chat_invitation` ADD `trigger_id` int(11) NOT NULL, COMMENT=''; ALTER TABLE `lh_abstract_proactive_chat_invitation` ADD `bot_offline` tinyint(1) NOT NULL, COMMENT='';
-- Unnecessary when running Docker; Supply POSTGRES_DB: mist instead -- create database mist; CREATE OR REPLACE FUNCTION trigger_set_timestamp() RETURNS TRIGGER AS $$ BEGIN NEW.updated_at = NOW(); RETURN NEW; END; $$ LANGUAGE plpgsql;
<reponame>GaloisInc/daedalus def Main = block $$ = Match "Hello" Many UInt8 END
alter table question modify id bigint auto_increment;
<gh_stars>1-10 -- This concept creates a materialized view for survival of a patient w.r.t ventilation period -- duration_hours : ventilation duration aggregated over icustay_id -- hours_before_ventilation : gap in hours from admission time to ventilation start time -- expired_during_ventilation : true if patient expired during any ventilation, otherwise false -- Depends On: -- 1. Mimic-III Postgres Database -- 2. `Durations` concepts - ventdurations. DROP MATERIALIZED VIEW IF EXISTS vent_stats CASCADE; CREATE MATERIALIZED VIEW vent_stats AS SELECT vd.icustay_id, count(vd.icustay_id) as count_ventilations, SUM(vd.duration_hours) AS duration_hours, (p.dod_hosp IS NOT NULL AND (p.dod_hosp > MIN(vd.starttime) AND p.dod_hosp <= MAX(vd.endtime))) as expired_during_ventilation, ROUND(EXTRACT(EPOCH FROM MIN(vd.starttime) - adm.admittime)/3600) as hours_before_ventilation FROM ventdurations vd LEFT JOIN icustays icu ON icu.icustay_id=vd.icustay_id LEFT JOIN admissions adm ON adm.hadm_id=icu.hadm_id LEFT JOIN patients p ON p.subject_id=icu.subject_id GROUP BY vd.icustay_id, adm.admittime, p.dod_hosp;
<reponame>sajaddadgar/Digikala_dataset_project # 1 select city_name_fa, avg(hour(time(dateTime_cartfinalize))) as hours from customers group by city_name_fa order by hours; # 2 select sum(quantity_item), case when hour(time (dateTime_cartfinalize)) < 5 then ' < 5' when hour(time (dateTime_cartfinalize)) >19 then '>19' end as x from customers group by x; # 3 select hour(time(dateTime_cartfinalize)) as hours, sum(quantity_item) as quantity from customers group by hours order by hours; # 4 select dayofweek(date(dateTime_cartfinalize)) as day_number, dayname(date(dateTime_cartfinalize)) as day_name, sum(quantity_item) as quantity from customers group by day_name order by day_number; # 5 select case when day(date (dateTime_cartfinalize)) < 10 then '10 روز اول ماه' when day(date (dateTime_cartfinalize)) between 10 and 19 then '10 روز دوم ماه' when day(date (dateTime_cartfinalize)) >= 20 then '10 روز سوم ماه' end as days, sum(quantity_item) from customers group by days; # 6 SELECT customers.city_name_fa, (count(customers.city_name_fa)/city_population.population) as indicator from customers, city_population where customers.city_name_fa=city_population.name group by customers.city_name_fa order by indicator desc ; # 7 select distinct year(date(dateTime_cartfinalize)) from customers; select case when year(date(dateTime_cartfinalize)) = 2013 then '1392' when year(date(dateTime_cartfinalize)) = 2014 then '1393' when year(date(dateTime_cartfinalize)) = 2015 then '1394' when year(date(dateTime_cartfinalize)) = 2016 then '1395' when year(date(dateTime_cartfinalize)) = 2017 then '1396' else '1397' end as years, sum(quantity_item) from customers group by years; # 8 select user_id, (sum(likes)-sum(dislikes)) as difference, title_en from opinion group by user_id order by difference desc limit 10; # 9 SELECT product_id, count(product_id) as num from opinion group by product_id order by num desc limit 10; # 10 SELECT product_id, count(product_id) as num from opinion group by product_id order by num DESC limit 10;
-- Function to notify DPIR changes CREATE OR REPLACE FUNCTION notify_dp_changes() RETURNS trigger AS $$ DECLARE channel VARCHAR(50) := ''; notify_data jsonb := '{}'::jsonb; BEGIN IF TG_OP ilike('UPDATE') THEN IF OLD.buyer_company_snapshot is not null and OLD.buyer_company_snapshot <> '{}'::jsonb and NEW.buyer_company_snapshot <> '{}'::jsonb and OLD.buyer_company_snapshot is distinct from NEW.buyer_company_snapshot THEN IF OLD.buyer_company_snapshot->>'billing_address' is not NULL and OLD.buyer_company_snapshot->>'billing_address' is DISTINCT FROM NEW.buyer_company_snapshot->>'billing_address' THEN channel := 'dp_updated'; notify_data := json_build_object('id', NEW.id, 'old', OLD.buyer_company_snapshot->>'billing_address', 'type', 'BUYER_DETAILS_UPDATE'); PERFORM pg_notify(channel, notify_data::text); END IF; RETURN NEW; ELSIF OLD.destination_address_snapshot is not null and OLD.destination_address_snapshot <> '{}'::jsonb and NEW.destination_address_snapshot <> '{}'::jsonb and OLD.destination_address_snapshot is distinct from NEW.destination_address_snapshot THEN channel := 'dp_updated'; notify_data := json_build_object('id', NEW.id, 'type', 'DESTINATION_CHANGE'); PERFORM pg_notify(channel, notify_data::text); RETURN NEW; END IF; END IF; return NEW; END; $$ LANGUAGE 'plpgsql'; CREATE TRIGGER dp_changed AFTER UPDATE ON supply_chain.dispatch_plans FOR EACH ROW EXECUTE PROCEDURE notify_dp_changes();
<gh_stars>0 EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2017-09-30',@EPS = N'0.04',@EPSDeduct = N'0',@Revenue = N'8.19亿',@RevenueYoy = N'10.92',@RevenueQoq = N'22.07',@Profit = N'2047.44万',@ProfitYoy = N'168.31',@ProfiltQoq = N'101.01',@NAVPerUnit = N'4.4298',@ROE = N'0.91',@CashPerUnit = N'-1.2848',@GrossProfitRate = N'17.51',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2017-10-28' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2017-09-30',@EPS = N'0.04',@EPSDeduct = N'0',@Revenue = N'8.19亿',@RevenueYoy = N'10.92',@RevenueQoq = N'22.07',@Profit = N'2047.44万',@ProfitYoy = N'168.31',@ProfiltQoq = N'101.01',@NAVPerUnit = N'4.4298',@ROE = N'0.91',@CashPerUnit = N'-1.2848',@GrossProfitRate = N'17.51',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2017-10-28' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2016-09-30',@EPS = N'0.01',@EPSDeduct = N'0',@Revenue = N'7.38亿',@RevenueYoy = N'-49.72',@RevenueQoq = N'-27.57',@Profit = N'763.10万',@ProfitYoy = N'-45.73',@ProfiltQoq = N'-96.85',@NAVPerUnit = N'4.3649',@ROE = N'0.34',@CashPerUnit = N'-2.0050',@GrossProfitRate = N'17.82',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2017-10-28' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2016-06-30',@EPS = N'0.01',@EPSDeduct = N'0.01',@Revenue = N'4.98亿',@RevenueYoy = N'-46.31',@RevenueQoq = N'100.16',@Profit = N'741.66万',@ProfitYoy = N'-50.51',@ProfiltQoq = N'1017.41',@NAVPerUnit = N'4.3666',@ROE = N'0.33',@CashPerUnit = N'-1.1182',@GrossProfitRate = N'17.93',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2017-08-26' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2017-06-30',@EPS = N'0.01',@EPSDeduct = N'0.01',@Revenue = N'4.92亿',@RevenueYoy = N'-1.19',@RevenueQoq = N'19.55',@Profit = N'745.43万',@ProfitYoy = N'0.51',@ProfiltQoq = N'562.90',@NAVPerUnit = N'4.4098',@ROE = N'0.33',@CashPerUnit = N'-0.5031',@GrossProfitRate = N'16.72',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2017-08-26' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2016-12-31',@EPS = N'0.06',@EPSDeduct = N'0.05',@Revenue = N'22.11亿',@RevenueYoy = N'-19.49',@RevenueQoq = N'512.67',@Profit = N'2960.92万',@ProfitYoy = N'-37.33',@ProfiltQoq = N'10154.89',@NAVPerUnit = N'4.4087',@ROE = N'1.32',@CashPerUnit = N'-1.0505',@GrossProfitRate = N'12.03',@Distribution = N'10派0.18',@DividenRate = N'0.10',@AnnounceDate = N'2017-04-08' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2015-09-30',@EPS = N'0.03',@EPSDeduct = N'0',@Revenue = N'14.68亿',@RevenueYoy = N'62.82',@RevenueQoq = N'-28.85',@Profit = N'1406.13万',@ProfitYoy = N'11.92',@ProfiltQoq = N'-107.30',@NAVPerUnit = N'2.3933',@ROE = N'1.41',@CashPerUnit = N'-1.3013',@GrossProfitRate = N'10.15',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2016-10-28' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2015-12-31',@EPS = N'0.11',@EPSDeduct = N'0.11',@Revenue = N'27.47亿',@RevenueYoy = N'49.61',@RevenueQoq = N'136.27',@Profit = N'4724.25万',@ProfitYoy = N'-23.61',@ProfiltQoq = N'3686.87',@NAVPerUnit = N'4.4098',@ROE = N'4.67',@CashPerUnit = N'0.4662',@GrossProfitRate = N'10.17',@Distribution = N'10派0.6',@DividenRate = N'0.28',@AnnounceDate = N'2017-04-08' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2015-06-30',@EPS = N'0.04',@EPSDeduct = N'0.03',@Revenue = N'9.27亿',@RevenueYoy = N'30.01',@RevenueQoq = N'356.12',@Profit = N'1498.63万',@ProfitYoy = N'8.24',@ProfiltQoq = N'448.92',@NAVPerUnit = N'2.3969',@ROE = N'1.50',@CashPerUnit = N'-1.2783',@GrossProfitRate = N'11.58',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2016-08-26' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2015-03-31',@EPS = N'0.01',@EPSDeduct = N'0.01',@Revenue = N'1.67亿',@RevenueYoy = N'14.01',@RevenueQoq = N'-82.15',@Profit = N'230.94万',@ProfitYoy = N'291.87',@ProfiltQoq = N'-95.31',@NAVPerUnit = N'4.7310',@ROE = N'0.23',@CashPerUnit = N'-1.7262',@GrossProfitRate = N'19.12',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2016-04-22' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2014-12-31',@EPS = N'0.3',@EPSDeduct = N'0.28',@Revenue = N'18.36亿',@RevenueYoy = N'5.34',@RevenueQoq = N'395.29',@Profit = N'6184.54万',@ProfitYoy = N'137.18',@ProfiltQoq = N'3942.50',@NAVPerUnit = N'4.7203',@ROE = N'6.48',@CashPerUnit = N'1.9429',@GrossProfitRate = N'15.87',@Distribution = N'10转10',@DividenRate = N'-',@AnnounceDate = N'2016-03-26' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2016-03-31',@EPS = N'0.001',@EPSDeduct = N'0',@Revenue = N'1.66亿',@RevenueYoy = N'-0.53',@RevenueQoq = N'-87.03',@Profit = N'60.92万',@ProfitYoy = N'-73.62',@ProfiltQoq = N'-98.16',@NAVPerUnit = N'4.4141',@ROE = N'0.03',@CashPerUnit = N'-0.6084',@GrossProfitRate = N'15.19',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2017-04-29' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2014-06-30',@EPS = N'0.03',@EPSDeduct = N'0.03',@Revenue = N'7.13亿',@RevenueYoy = N'64.69',@RevenueQoq = N'287.66',@Profit = N'1384.60万',@ProfitYoy = N'-68.97',@ProfiltQoq = N'2149.42',@NAVPerUnit = N'4.4857',@ROE = N'1.49',@CashPerUnit = N'-1.2419',@GrossProfitRate = N'14.85',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2015-07-31' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2014-09-30',@EPS = N'0.03',@EPSDeduct = N'0.06',@Revenue = N'9.02亿',@RevenueYoy = N'26.04',@RevenueQoq = N'-66.73',@Profit = N'1256.35万',@ProfitYoy = N'-67.03',@ProfiltQoq = N'-109.67',@NAVPerUnit = N'4.4764',@ROE = N'1.35',@CashPerUnit = N'-1.8633',@GrossProfitRate = N'16.26',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2015-10-30' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2013-12-31',@EPS = N'-0.79',@EPSDeduct = N'-0.26',@Revenue = N'17.43亿',@RevenueYoy = N'-7.64',@RevenueQoq = N'263.77',@Profit = N'-1.66亿',@ProfitYoy = N'-5616.48',@ProfiltQoq = N'-3034.20',@NAVPerUnit = N'4.4117',@ROE = N'-17.15',@CashPerUnit = N'-0.0062',@GrossProfitRate = N'15.11',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2015-03-13' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2013-09-30',@EPS = N'0.18',@EPSDeduct = N'-0.001',@Revenue = N'7.15亿',@RevenueYoy = N'-27.93',@RevenueQoq = N'-2.14',@Profit = N'3810.36万',@ProfitYoy = N'188.60',@ProfiltQoq = N'-119.48',@NAVPerUnit = N'5.3900',@ROE = N'3.60',@CashPerUnit = N'-2.2328',@GrossProfitRate = N'20.14',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2014-10-28' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2013-06-30',@EPS = N'0.21',@EPSDeduct = N'0.04',@Revenue = N'4.33亿',@RevenueYoy = N'-31.66',@RevenueQoq = N'99.81',@Profit = N'4462.64万',@ProfitYoy = N'200.93',@ProfiltQoq = N'200.70',@NAVPerUnit = N'5.4170',@ROE = N'4.30',@CashPerUnit = N'-1.8749',@GrossProfitRate = N'22.31',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2014-08-22' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2017-03-31',@EPS = N'0.002',@EPSDeduct = N'0',@Revenue = N'2.24亿',@RevenueYoy = N'35.09',@RevenueQoq = N'-84.79',@Profit = N'97.71万',@ProfitYoy = N'60.39',@ProfiltQoq = N'-95.55',@NAVPerUnit = N'4.4130',@ROE = N'0.04',@CashPerUnit = N'-0.2492',@GrossProfitRate = N'15.28',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2017-04-29' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2012-12-31',@EPS = N'0.01',@EPSDeduct = N'-0.01',@Revenue = N'18.87亿',@RevenueYoy = N'-3.80',@RevenueQoq = N'149.10',@Profit = N'301.52万',@ProfitYoy = N'-87.00',@ProfiltQoq = N'3707.39',@NAVPerUnit = N'4.7805',@ROE = N'0.31',@CashPerUnit = N'2.1156',@GrossProfitRate = N'19.83',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2014-04-22' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2012-09-30',@EPS = N'-0.21',@EPSDeduct = N'-0.22',@Revenue = N'9.93亿',@RevenueYoy = N'-2.33',@RevenueQoq = N'-14.78',@Profit = N'-4300.52万',@ProfitYoy = N'-327.50',@ProfiltQoq = N'102.36',@NAVPerUnit = N'4.6091',@ROE = N'-4.45',@CashPerUnit = N'0.7714',@GrossProfitRate = N'20.33',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2013-10-30' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2012-06-30',@EPS = N'-0.21',@EPSDeduct = N'-0.23',@Revenue = N'6.34亿',@RevenueYoy = N'-16.70',@RevenueQoq = N'98.30',@Profit = N'-4421.39万',@ProfitYoy = N'-209.75',@ProfiltQoq = N'-834.74',@NAVPerUnit = N'4.6033',@ROE = N'-4.63',@CashPerUnit = N'-0.1711',@GrossProfitRate = N'19.25',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2013-08-08' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2013-03-31',@EPS = N'0.05',@EPSDeduct = N'0.05',@Revenue = N'1.44亿',@RevenueYoy = N'-32.01',@RevenueQoq = N'-83.85',@Profit = N'1113.71万',@ProfitYoy = N'59.89',@ProfiltQoq = N'-75.80',@NAVPerUnit = N'4.8382',@ROE = N'1.10',@CashPerUnit = N'-0.6495',@GrossProfitRate = N'28.87',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2014-04-22' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2011-12-31',@EPS = N'0.11',@EPSDeduct = N'0.07',@Revenue = N'19.62亿',@RevenueYoy = N'8.42',@RevenueQoq = N'176.39',@Profit = N'2318.75万',@ProfitYoy = N'-73.61',@ProfiltQoq = N'119.81',@NAVPerUnit = N'4.5905',@ROE = N'2.45',@CashPerUnit = N'-0.0654',@GrossProfitRate = N'16.26',@Distribution = N'10派0.5',@DividenRate = N'0.24',@AnnounceDate = N'2013-04-02' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2014-03-31',@EPS = N'0',@EPSDeduct = N'0',@Revenue = N'1.46亿',@RevenueYoy = N'1.25',@RevenueQoq = N'-85.77',@Profit = N'58.93万',@ProfitYoy = N'-94.71',@ProfiltQoq = N'100.29',@NAVPerUnit = N'4.4192',@ROE = N'0.06',@CashPerUnit = N'-0.5339',@GrossProfitRate = N'20.94',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2015-04-23' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2011-06-30',@EPS = N'0.19',@EPSDeduct = N'0.1774',@Revenue = N'7.61亿',@RevenueYoy = N'-6.72',@RevenueQoq = N'70.35',@Profit = N'4028.50万',@ProfitYoy = N'-12.22',@ProfiltQoq = N'230.98',@NAVPerUnit = N'4.6700',@ROE = N'4.24',@CashPerUnit = N'-0.3689',@GrossProfitRate = N'22.37',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2012-08-30' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2011-09-30',@EPS = N'0.09',@EPSDeduct = N'0.07',@Revenue = N'10.16亿',@RevenueYoy = N'-3.22',@RevenueQoq = N'-34.71',@Profit = N'1890.31万',@ProfitYoy = N'-61.70',@ProfiltQoq = N'-169.21',@NAVPerUnit = N'4.5700',@ROE = N'2.01',@CashPerUnit = N'-0.3154',@GrossProfitRate = N'19.34',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2012-10-27' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2010-12-31',@EPS = N'0.42',@EPSDeduct = N'0.37',@Revenue = N'18.09亿',@RevenueYoy = N'6.98',@RevenueQoq = N'142.18',@Profit = N'8786.33万',@ProfitYoy = N'4.64',@ProfiltQoq = N'15483.72',@NAVPerUnit = N'4.4602',@ROE = N'10.96',@CashPerUnit = N'-0.1918',@GrossProfitRate = N'18.46',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2012-03-01' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2010-09-30',@EPS = N'0.24',@EPSDeduct = N'-0.01',@Revenue = N'11.23亿',@RevenueYoy = N'17.98',@RevenueQoq = N'43.21',@Profit = N'4943.97万',@ProfitYoy = N'18.45',@ProfiltQoq = N'-96.41',@NAVPerUnit = N'4.2300',@ROE = N'5.75',@CashPerUnit = N'-0.1051',@GrossProfitRate = N'16.82',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2011-10-24' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2010-06-30',@EPS = N'0.2199',@EPSDeduct = N'0.08',@Revenue = N'8.25亿',@RevenueYoy = N'63.85',@RevenueQoq = N'43.09',@Profit = N'4603.81万',@ProfitYoy = N'196.50',@ProfiltQoq = N'173.13',@NAVPerUnit = N'3.4670',@ROE = N'2.61',@CashPerUnit = N'-0.5685',@GrossProfitRate = N'16.41',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2011-08-26' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2010-03-31',@EPS = N'0.03',@EPSDeduct = N'0.02',@Revenue = N'2.71亿',@RevenueYoy = N'139.25',@RevenueQoq = N'-29.96',@Profit = N'715.33万',@ProfitYoy = N'191.10',@ProfiltQoq = N'-17.73',@NAVPerUnit = N'3.4000',@ROE = N'0.71',@CashPerUnit = N'-0.6227',@GrossProfitRate = N'17.61',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2011-04-27' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2009-12-31',@EPS = N'0.4',@EPSDeduct = N'0.04',@Revenue = N'16.91亿',@RevenueYoy = N'-30.74',@RevenueQoq = N'69.17',@Profit = N'8396.62万',@ProfitYoy = N'25.90',@ProfiltQoq = N'-6.62',@NAVPerUnit = N'3.3800',@ROE = N'2.73',@CashPerUnit = N'0.8661',@GrossProfitRate = N'16.22',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2011-03-30' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2012-03-31',@EPS = N'0.03',@EPSDeduct = N'0.03',@Revenue = N'2.12亿',@RevenueYoy = N'-25.39',@RevenueQoq = N'-75.73',@Profit = N'696.57万',@ProfitYoy = N'-25.72',@ProfiltQoq = N'63.72',@NAVPerUnit = N'4.6237',@ROE = N'0.72',@CashPerUnit = N'-0.1689',@GrossProfitRate = N'24.35',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2013-04-24' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2009-06-30',@EPS = N'0.03',@EPSDeduct = N'0.01',@Revenue = N'2.05亿',@RevenueYoy = N'-35.56',@RevenueQoq = N'154.96',@Profit = N'316.26万',@ProfitYoy = N'-0.36',@ProfiltQoq = N'314.65',@NAVPerUnit = N'3.3000',@ROE = N'0.92',@CashPerUnit = N'0.5473',@GrossProfitRate = N'15.49',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2010-08-23' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2009-03-31',@EPS = N'-0.03',@EPSDeduct = N'-0.03',@Revenue = N'5782.99万',@RevenueYoy = N'-45.69',@RevenueQoq = N'-66.27',@Profit = N'-275.85万',@ProfitYoy = N'-204.48',@ProfiltQoq = N'-461.61',@NAVPerUnit = N'3.2400',@ROE = N'-',@CashPerUnit = N'0.0233',@GrossProfitRate = N'12.06',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2010-04-23' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2008-12-31',@EPS = N'0.07',@EPSDeduct = N'0.06',@Revenue = N'7.50亿',@RevenueYoy = N'75.53',@RevenueQoq = N'-34.08',@Profit = N'753.64万',@ProfitYoy = N'6.71',@ProfiltQoq = N'-78.81',@NAVPerUnit = N'3.2700',@ROE = N'2.23',@CashPerUnit = N'-0.4243',@GrossProfitRate = N'10.77',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2010-02-25' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2008-09-30',@EPS = N'0.06',@EPSDeduct = N'0.06',@Revenue = N'5.79亿',@RevenueYoy = N'117.91',@RevenueQoq = N'22.67',@Profit = N'677.35万',@ProfitYoy = N'243.79',@ProfiltQoq = N'-11.78',@NAVPerUnit = N'3.2600',@ROE = N'-',@CashPerUnit = N'-0.4227',@GrossProfitRate = N'10.98',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2009-10-26' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2009-09-30',@EPS = N'0.22',@EPSDeduct = N'0.04',@Revenue = N'9.51亿',@RevenueYoy = N'-44.35',@RevenueQoq = N'-20.80',@Profit = N'4174.02万',@ProfitYoy = N'-5.01',@ProfiltQoq = N'-44.75',@NAVPerUnit = N'3.3300',@ROE = N'-',@CashPerUnit = N'-0.5222',@GrossProfitRate = N'16.26',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2010-10-27' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2008-06-30',@EPS = N'0.03',@EPSDeduct = N'0.03',@Revenue = N'3.19亿',@RevenueYoy = N'105.44',@RevenueQoq = N'99.15',@Profit = N'317.41万',@ProfitYoy = N'186.22',@ProfiltQoq = N'550.36',@NAVPerUnit = N'3.2300',@ROE = N'0.95',@CashPerUnit = N'-0.8283',@GrossProfitRate = N'12.68',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2009-07-21' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2007-12-31',@EPS = N'0.07',@EPSDeduct = N'0.02',@Revenue = N'4.27亿',@RevenueYoy = N'116.56',@RevenueQoq = N'46.43',@Profit = N'706.26万',@ProfitYoy = N'5.02',@ProfiltQoq = N'1243.47',@NAVPerUnit = N'3.1500',@ROE = N'2.15',@CashPerUnit = N'0.2110',@GrossProfitRate = N'13.41',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2009-03-20' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2007-09-30',@EPS = N'-0.045',@EPSDeduct = N'-0.061',@Revenue = N'2.66亿',@RevenueYoy = N'121.38',@RevenueQoq = N'5.28',@Profit = N'-471.09万',@ProfitYoy = N'-273.48',@ProfiltQoq = N'75.94',@NAVPerUnit = N'3.0700',@ROE = N'-',@CashPerUnit = N'-0.6627',@GrossProfitRate = N'11.35',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2008-10-21' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2007-06-30',@EPS = N'-0.04',@EPSDeduct = N'-0.0508',@Revenue = N'1.55亿',@RevenueYoy = N'96.82',@RevenueQoq = N'109.44',@Profit = N'-368.12万',@ProfitYoy = N'-230.81',@ProfiltQoq = N'-816.12',@NAVPerUnit = N'3.0700',@ROE = N'-1.14',@CashPerUnit = N'-0.1691',@GrossProfitRate = N'11.16',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2008-08-19' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2007-03-31',@EPS = N'0.01',@EPSDeduct = N'0',@Revenue = N'5010.93万',@RevenueYoy = N'32.93',@RevenueQoq = N'-35.24',@Profit = N'59.75万',@ProfitYoy = N'-5.06',@ProfiltQoq = N'-85.10',@NAVPerUnit = N'4.6600',@ROE = N'-',@CashPerUnit = N'-0.0311',@GrossProfitRate = N'15.69',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2008-04-23' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2006-12-31',@EPS = N'0.1',@EPSDeduct = N'0.01',@Revenue = N'1.97亿',@RevenueYoy = N'25.30',@RevenueQoq = N'87.93',@Profit = N'672.52万',@ProfitYoy = N'64.08',@ProfiltQoq = N'4159.12',@NAVPerUnit = N'4.6300',@ROE = N'2.17',@CashPerUnit = N'0.4531',@GrossProfitRate = N'17.15',@Distribution = N'10转5',@DividenRate = N'-',@AnnounceDate = N'2008-03-25' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2006-09-30',@EPS = N'0.039',@EPSDeduct = N'0',@Revenue = N'1.20亿',@RevenueYoy = N'9.05',@RevenueQoq = N'0.22',@Profit = N'271.55万',@ProfitYoy = N'-37.72',@ProfiltQoq = N'-104.52',@NAVPerUnit = N'4.0100',@ROE = N'-',@CashPerUnit = N'0.1168',@GrossProfitRate = N'19.48',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2007-10-23' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2006-06-30',@EPS = N'0.0402',@EPSDeduct = N'0',@Revenue = N'7878.05万',@RevenueYoy = N'25.27',@RevenueQoq = N'8.99',@Profit = N'281.42万',@ProfitYoy = N'52.18',@ProfiltQoq = N'247.20',@NAVPerUnit = N'4.0200',@ROE = N'1.01',@CashPerUnit = N'0.0852',@GrossProfitRate = N'20.52',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2007-08-10' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2006-03-31',@EPS = N'0.01',@EPSDeduct = N'0',@Revenue = N'3769.66万',@RevenueYoy = N'44.46',@RevenueQoq = N'-20.63',@Profit = N'62.93万',@ProfitYoy = N'262.28',@ProfiltQoq = N'340.74',@NAVPerUnit = N'3.9800',@ROE = N'-',@CashPerUnit = N'0.0456',@GrossProfitRate = N'19.33',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2007-04-24' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2005-12-31',@EPS = N'0.06',@EPSDeduct = N'0',@Revenue = N'1.57亿',@RevenueYoy = N'24.06',@RevenueQoq = N'0.81',@Profit = N'409.86万',@ProfitYoy = N'-53.92',@ProfiltQoq = N'-110.41',@NAVPerUnit = N'3.9800',@ROE = N'1.50',@CashPerUnit = N'-0.3297',@GrossProfitRate = N'17.21',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2007-03-09' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2005-09-30',@EPS = N'0',@EPSDeduct = N'0',@Revenue = N'1.10亿',@RevenueYoy = N'21.22',@RevenueQoq = N'28.05',@Profit = N'436.01万',@ProfitYoy = N'-54.91',@ProfiltQoq = N'49.84',@NAVPerUnit = N'3.9800',@ROE = N'-',@CashPerUnit = N'-0.2950',@GrossProfitRate = N'19.16',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2006-10-24' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2005-06-30',@EPS = N'0.03',@EPSDeduct = N'0',@Revenue = N'6288.79万',@RevenueYoy = N'2.56',@RevenueQoq = N'41.00',@Profit = N'184.93万',@ProfitYoy = N'-76.78',@ProfiltQoq = N'864.61',@NAVPerUnit = N'3.9400',@ROE = N'0.67',@CashPerUnit = N'-0.1835',@GrossProfitRate = N'18.25',@Distribution = N'不分配不转增',@DividenRate = N'-',@AnnounceDate = N'2006-08-29' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2011-03-31',@EPS = N'0.04',@EPSDeduct = N'0.03',@Revenue = N'2.85亿',@RevenueYoy = N'4.97',@RevenueQoq = N'-58.53',@Profit = N'937.70万',@ProfitYoy = N'31.09',@ProfiltQoq = N'-75.60',@NAVPerUnit = N'4.5200',@ROE = N'1.00',@CashPerUnit = N'-0.0484',@GrossProfitRate = N'19.43',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2012-04-28' EXEC [EST].[Proc_yjbb_Ins] @Code = N'600184',@CutoffDate = N'2008-03-31',@EPS = N'-0.01',@EPSDeduct = N'-0.01',@Revenue = N'1.06亿',@RevenueYoy = N'112.50',@RevenueQoq = N'-34.19',@Profit = N'-90.60万',@ProfitYoy = N'-251.63',@ProfiltQoq = N'-107.69',@NAVPerUnit = N'3.1900',@ROE = N'-',@CashPerUnit = N'-0.6507',@GrossProfitRate = N'12.66',@Distribution = N'-',@DividenRate = N'-',@AnnounceDate = N'2009-04-15'
c2e587f797e5e694b65bbd6b649acfc5 delete from l4_oferta; delete from l4_servicio; delete from l4_vehiculo; delete from l4_transportador; delete from l4_usuario; DROP TABLE l4_oferta; DROP TABLE l4_servicio; DROP TABLE l4_transportador; DROP TABLE l4_usuario; CREATE TABLE l4_transportador ( id character varying(64) NOT NULL, nombre character varying(128), correo character varying(32), contrasena character varying(128), CONSTRAINT transportador_pk PRIMARY KEY (id) ); CREATE TABLE l4_usuario ( id character varying(64) NOT NULL, nombre character varying(128), correo character varying(32), CONSTRAINT usuario_pk PRIMARY KEY (id) ); CREATE TABLE l4_servicio ( id character varying(64) NOT NULL, origen character varying(128), destino character varying(128), hora_llegada timestamp without time zone, hora_salida timestamp without time zone, id_usuario character varying(64) NOT NULL, numero_pasajeros integer, CONSTRAINT servicio_pk PRIMARY KEY (id), CONSTRAINT usuario_servicio_fk FOREIGN KEY (id_usuario) REFERENCES l4_usuario (id) MATCH SIMPLE ON UPDATE NO ACTION ON DELETE NO ACTION ); CREATE TABLE l4_oferta ( id character varying(64) not null, id_servicio character varying(64) NOT NULL, id_transportador character varying(64) NOT NULL, valor integer, fecha time without time zone, CONSTRAINT oferta_pk PRIMARY KEY (id), CONSTRAINT servicio_oferta_fk FOREIGN KEY (id_servicio) REFERENCES l4_servicio (id) MATCH SIMPLE ON UPDATE NO ACTION ON DELETE NO ACTION, CONSTRAINT transportador_oferta_fk FOREIGN KEY (id_transportador) REFERENCES l4_transportador (id) MATCH SIMPLE ON UPDATE NO ACTION ON DELETE NO ACTION ); alter table l4_usuario add column empresa character varying(64); alter table l4_usuario add column identificacion bigint; alter table l4_usuario add column telefono bigint; alter table l4_usuario add column edad smallint; alter table l4_servicio add column fecha_creacion timestamp without time zone; alter table l4_servicio add column fecha_publicacion timestamp without time zone; alter table l4_servicio add column fecha_ejecucion timestamp without time zone; alter table l4_servicio add column fecha_terminacion timestamp without time zone; alter table l4_transportador add column credito integer; alter table l4_oferta drop column fecha; alter table l4_oferta add column fecha timestamp without time zone; alter table l4_servicio add column distancia smallint; alter table l4_servicio add column disponibilidad boolean; alter table l4_servicio alter column numero_pasajeros set data type character varying(32); alter table l4_servicio rename column disponibilidad to redondo; alter table l4_transportador add column ofertas_servidas smallint; alter table l4_servicio add column disponibilidad boolean; alter table l4_transportador add column numero_contacto bigint; alter table l4_transportador add column fecha_creacion timestamp without time zone; CREATE TABLE l4_vehiculo ( id character varying(64) NOT NULL, id_transportador character varying(64) NOT NULL, placa character varying(8), numero_pasajeros character varying(8), ciudad character varying(64), imagen1 bytea, imagen2 bytea, CONSTRAINT l4_vehiculo_pk PRIMARY KEY (id), CONSTRAINT l4_vehiculo_transportador_fk FOREIGN KEY (id_transportador) REFERENCES l4_transportador (id) MATCH SIMPLE ON UPDATE NO ACTION ON DELETE NO ACTION ); alter table l4_vehiculo add column fecha_creacion timestamp without time zone; alter table l4_transportador add column numero_identificacion bigint; alter table l4_transportador add column tipo_identificacion character varying(2); alter table l4_vehiculo rename column imagen1 to soat; alter table l4_vehiculo rename column imagen2 to revision_tecnomecanica; alter table l4_vehiculo add column seguro_contractual bytea; alter table l4_vehiculo add column seguro_extracontractual bytea; alter table l4_vehiculo add column tarjeta_propiedad bytea; alter table l4_vehiculo add column foto_vehiculo bytea; alter table l4_oferta add column aceptada boolean; alter table l4_transportador rename column ofertas_servidas to servicios_atendidos; alter table l4_usuario add column servicios_completados smallint; alter table l4_usuario drop column distancia; alter table l4_usuario drop column disponibilidad; alter table l4_vehiculo add column marca character varying(16); alter table l4_vehiculo add column modelo character varying(8); alter table l4_vehiculo add column acondicionado boolean; create table l4_factura ( id character varying(64), id_transportador character varying(64), valor bigint, fecha_hora_tx character varying(32), codigo_aprobacion integer, numero_referencia_payco integer, codigo_respuesta smallint, descripcion_respuesta character varying(64), estado_tx character varying(16), generada boolean, constraint l4_factura_pk primary key (id), constraint transportador_factura_fk foreign key (id_transportador) references l4_transportador (id) ) alter table l4_transportador add apellidos character varying(32); alter table l4_transportador rename column nombre to nombres; alter table l4_transportador alter column nombres set data type character varying(32); alter table l4_transportador add column reputacion numeric (2, 1); alter table l4_usuario add column reputacion numeric (2, 1); alter table l4_transportador add column servicios_calificados smallint; alter table l4_usuario add column servicios_calificados smallint; alter table l4_servicio add column calificacion_usuario smallint; alter table l4_servicio add column calificacion_transportador smallint; alter table l4_servicio alter column distancia set data type numeric (4, 1); alter table l4_vehiculo add column revisado boolean; alter table l4_vehiculo add column tarjeta_operacion bytea; alter table l4_usuario rename column correo to buzon_electronico; alter table l4_transportador rename column correo to buzon_electronico; alter table l4_usuario add column fecha_creacion timestamp without time zone; alter table l4_usuario add column tipo_usuario character varying(2); CREATE TABLE l4_admin_usuario ( usuario character varying(32) not null, contrasena character varying(128), CONSTRAINT l4_admin_usuario_pk PRIMARY KEY (usuario) ); ALTER TABLE l4_admin_usuario ADD buzon_electronico character varying(32); CREATE TABLE l4_factura_oferta ( oferta character varying(64) NOT NULL, valor bigint, fecha_hora_tx character varying(32), codigo_aprobacion integer, numero_referencia_payco integer, codigo_respuesta smallint, descripcion_respuesta character varying(64), estado_tx character varying(16), generada boolean, CONSTRAINT l4_factura_oferta_pk PRIMARY KEY (oferta), CONSTRAINT oferta_factura_oferta_fk FOREIGN KEY (oferta) REFERENCES public.l4_oferta (id) MATCH SIMPLE ON UPDATE NO ACTION ON DELETE NO ACTION ); CREATE TABLE l4_conversacion ( id character varying(64) NOT NULL, servicio character varying(64) NOT NULL, transportador character varying(64) NOT NULL, fecha_creacion timestamp without time zone, CONSTRAINT conversacion_pk PRIMARY KEY (id), CONSTRAINT servicio_conversacion_fk FOREIGN KEY (servicio) REFERENCES public.l4_servicio (id) MATCH SIMPLE ON UPDATE NO ACTION ON DELETE NO ACTION, CONSTRAINT transportador_conversacion_fk FOREIGN KEY (transportador) REFERENCES public.l4_transportador (id) MATCH SIMPLE ON UPDATE NO ACTION ON DELETE NO ACTION ); CREATE TABLE l4_mensaje ( id character varying(64) NOT NULL, conversacion character varying(64) NOT NULL, fecha_creacion timestamp without time zone, transportador character varying(64), usuario character varying(64), texto character varying(200), CONSTRAINT l4_mensaje_pk PRIMARY KEY (id), CONSTRAINT conversacion_mensaje_fk FOREIGN KEY (conversacion) REFERENCES public.l4_conversacion (id) MATCH SIMPLE ON UPDATE NO ACTION ON DELETE NO ACTION, CONSTRAINT transportador_mensaje_fk FOREIGN KEY (transportador) REFERENCES public.l4_transportador (id) MATCH SIMPLE ON UPDATE NO ACTION ON DELETE NO ACTION, CONSTRAINT usuario_mensaje_fk FOREIGN KEY (usuario) REFERENCES public.l4_usuario (id) MATCH SIMPLE ON UPDATE NO ACTION ON DELETE NO ACTION ) alter table l4_oferta rename column id_servicio to servicio; alter table l4_oferta rename column id_transportador to transportador; alter table l4_oferta rename column id_factura to factura; alter table l4_factura_oferta rename column id_oferta to oferta; alter table l4_vehiculo rename column id_transportador to transportador; alter table l4_servicio rename column id_usuario to usuario; alter table l4_factura rename column id_transportador to transportador; alter table l4_conversacion rename column id_servicio to servicio; alter table l4_conversacion rename column id_transportador to transportador; alter table l4_mensaje rename column id_conversacion to conversacion; alter table l4_mensaje rename column id_transportador to transportador; alter table l4_mensaje rename column id_usuario to usuario; alter table l4_servicio alter column distancia set data type numeric(5,1); alter table l4_oferta rename column aceptada to estado; alter table l4_oferta alter column estado set data type character varying(16);
-- phpMyAdmin SQL Dump -- version 5.0.1 -- https://www.phpmyadmin.net/ -- -- Host: localhost -- Generation Time: Aug 03, 2020 at 02:46 PM -- Server version: 10.4.11-MariaDB -- PHP Version: 7.4.1 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: `euro_baker_db` -- -- -------------------------------------------------------- -- -- Table structure for table `eb_forgot_password_keys` -- CREATE TABLE `eb_forgot_password_keys` ( `PK_forget_id` int(11) NOT NULL, `FK_user_id` int(11) NOT NULL, `email_address` varchar(100) NOT NULL, `token_value` text NOT NULL, `status` int(11) NOT NULL, `date_expire` date NOT NULL, `date_added` datetime NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -------------------------------------------------------- -- -- Table structure for table `eb_inventory_movement` -- CREATE TABLE `eb_inventory_movement` ( `pk_inv_move_id` int(11) NOT NULL, `fk_item_id` int(11) NOT NULL, `type_entry` varchar(55) NOT NULL, `trans_id` int(11) NOT NULL, `from_value` int(11) NOT NULL, `value` int(11) NOT NULL, `branch_id` int(11) NOT NULL, `date_added` date NOT NULL, `cal_type` varchar(55) NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_inventory_movement` -- INSERT INTO `eb_inventory_movement` (`pk_inv_move_id`, `fk_item_id`, `type_entry`, `trans_id`, `from_value`, `value`, `branch_id`, `date_added`, `cal_type`) VALUES (12, 1, 'initial', 0, 0, 10, 1, '2020-07-13', 'add'), (13, 2, 'initial', 0, 0, 10, 1, '2020-07-13', 'add'), (23, 3, 'initial', 0, 0, 10, 1, '2020-07-14', 'add'), (29, 2, 'purchase', 13, 10, 3, 1, '2020-07-18', 'add'), (30, 3, 'purchase', 13, 10, 3, 1, '2020-07-18', 'add'), (31, 1, 'stockout', 7, 10, 2, 1, '2020-07-18', 'sub'), (32, 2, 'stockout', 8, 13, 1, 1, '2020-07-18', 'sub'), (33, 3, 'stockout', 9, 13, 2, 1, '2020-07-18', 'sub'), (34, 2, 'purchase', 14, 12, 2, 1, '2020-07-18', 'add'), (35, 1, 'stockout', 10, 8, 2, 1, '2020-07-18', 'sub'), (36, 1, 'stockout', 10, 6, 2, 1, '2020-07-18', 'sub'), (37, 1, 'stockout', 10, 4, 2, 1, '2020-07-18', 'sub'), (38, 3, 'stockout', 11, 11, 3, 1, '2020-07-18', 'sub'), (39, 2, 'stockout', 11, 14, 1, 1, '2020-07-18', 'sub'), (40, 2, 'stockout', 12, 13, 1, 1, '2020-07-18', 'sub'), (41, 4, 'initial', 0, 0, 3, 4, '2020-07-18', 'add'), (44, 7, 'initial', 0, 0, 11, 4, '2020-07-18', 'add'), (45, 8, 'initial', 0, 0, 11, 4, '2020-07-18', 'add'), (46, 4, 'purchase', 17, 3, 3, 4, '2020-07-19', 'add'), (47, 2, 'purchase', 19, 12, 20, 1, '2020-07-19', 'add'), (48, 9, 'initial', 0, 0, 10, 1, '2020-07-19', 'add'), (50, 13, 'initial', 0, 0, 0, 4, '2020-07-19', 'add'), (51, 9, 'transfer', 36, 10, 5, 1, '2020-07-19', 'sub'), (52, 13, 'transfer', 36, 0, 5, 4, '2020-07-19', 'add'), (53, 2, 'transfer', 35, 32, 2, 1, '2020-07-19', 'sub'), (54, 3, 'transfer', 35, 8, 1, 1, '2020-07-19', 'sub'), (55, 8, 'transfer', 35, 11, 2, 4, '2020-07-19', 'add'), (56, 4, 'transfer', 35, 6, 1, 4, '2020-07-19', 'add'), (57, 2, 'purchase', 22, 30, 6, 1, '2020-07-28', 'add'), (58, 1, 'purchase', 22, 2, 1, 1, '2020-07-28', 'add'), (59, 14, 'initial', 0, 0, 0, 4, '2020-07-30', 'add'), (60, 1, 'transfer', 37, 3, 1, 1, '2020-07-30', 'sub'), (61, 14, 'transfer', 37, 0, 1, 4, '2020-07-30', 'add'), (62, 1, 'transfer', 38, 2, 1, 1, '2020-07-30', 'sub'), (63, 9, 'transfer', 39, 5, 2, 1, '2020-07-30', 'sub'); -- -------------------------------------------------------- -- -- Table structure for table `eb_item_inventory` -- CREATE TABLE `eb_item_inventory` ( `PK_inventory_id` int(11) NOT NULL, `FK_raw_material_id` int(11) NOT NULL, `FK_outlet_id` int(11) NOT NULL, `beginning_inventory` int(11) NOT NULL, `quantity` int(11) NOT NULL, `status` int(11) NOT NULL, `type` varchar(150) NOT NULL, `discrepancy` tinyint(4) NOT NULL COMMENT '0-no 1-yes', `date_added` date NOT NULL, `date_updated` date NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_item_inventory` -- INSERT INTO `eb_item_inventory` (`PK_inventory_id`, `FK_raw_material_id`, `FK_outlet_id`, `beginning_inventory`, `quantity`, `status`, `type`, `discrepancy`, `date_added`, `date_updated`) VALUES (23, 1, 1, 0, 1, 1, 'transfer', 0, '2020-07-13', '2020-07-30'), (24, 2, 1, 0, 36, 1, 'purchase', 0, '2020-07-13', '2020-07-28'), (25, 3, 1, 0, 7, 1, 'transfer', 0, '2020-07-13', '2020-07-19'), (26, 4, 4, 3, 7, 1, 'transfer', 0, '2020-07-18', '2020-07-19'), (29, 7, 4, 11, 11, 1, 'initial', 0, '2020-07-18', '2020-07-18'), (30, 8, 4, 11, 13, 1, 'transfer', 0, '2020-07-18', '2020-07-19'), (31, 9, 1, 10, 3, 1, 'transfer', 0, '2020-07-19', '2020-07-30'), (33, 13, 4, 0, 5, 1, 'transfer', 0, '2020-07-19', '2020-07-19'), (34, 14, 4, 0, 1, 1, 'transfer', 0, '2020-07-30', '2020-07-30'); -- -------------------------------------------------------- -- -- Table structure for table `eb_other_discrepancy_items` -- CREATE TABLE `eb_other_discrepancy_items` ( `other_discrepancy_item_id` int(11) NOT NULL, `fk_po_discrepancy_id` int(11) NOT NULL, `fk_material_id` int(11) NOT NULL, `material_name` varchar(100) NOT NULL, `qty` int(11) NOT NULL, `received_qty` int(11) NOT NULL, `unit` varchar(55) NOT NULL, `date_added` date NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_other_discrepancy_items` -- INSERT INTO `eb_other_discrepancy_items` (`other_discrepancy_item_id`, `fk_po_discrepancy_id`, `fk_material_id`, `material_name`, `qty`, `received_qty`, `unit`, `date_added`) VALUES (1, 6, 7, ' water ', 11, 8, ' pc ', '2020-07-19'); -- -------------------------------------------------------- -- -- Table structure for table `eb_other_outlet_delivery` -- CREATE TABLE `eb_other_outlet_delivery` ( `pk_other_deliver_id` int(11) NOT NULL, `fk_po_id` int(11) NOT NULL, `fk_receiver_id` int(11) NOT NULL, `checked_by` varchar(55) NOT NULL, `fk_outlet_recieved_id` int(11) NOT NULL, `fk_outlet_to_id` int(11) NOT NULL, `date_received` date NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_other_outlet_delivery` -- INSERT INTO `eb_other_outlet_delivery` (`pk_other_deliver_id`, `fk_po_id`, `fk_receiver_id`, `checked_by`, `fk_outlet_recieved_id`, `fk_outlet_to_id`, `date_received`) VALUES (4, 17, 1, 'opet', 1, 4, '2020-07-19'), (10, 18, 1, 'test 3333', 1, 4, '2020-07-19'); -- -------------------------------------------------------- -- -- Table structure for table `eb_other_outlet_discrepancy` -- CREATE TABLE `eb_other_outlet_discrepancy` ( `pk_other_discrepancy_id` int(11) NOT NULL, `fk_purchase_id` int(11) NOT NULL, `reason` text NOT NULL, `status` int(11) NOT NULL, `date_added` date NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_other_outlet_discrepancy` -- INSERT INTO `eb_other_outlet_discrepancy` (`pk_other_discrepancy_id`, `fk_purchase_id`, `reason`, `status`, `date_added`) VALUES (6, 18, 'test', 1, '2020-07-19'); -- -------------------------------------------------------- -- -- Table structure for table `eb_other_outlet_items` -- CREATE TABLE `eb_other_outlet_items` ( `pk_other_item_id` int(11) NOT NULL, `fk_other_deliver_id` int(11) NOT NULL, `fk_raw_material_id` int(11) NOT NULL, `quantity` int(11) NOT NULL, `total` double NOT NULL, `price` double NOT NULL, `status` int(11) NOT NULL, `item_unit` int(11) NOT NULL, `date_added` date NOT NULL, `expire_date` date NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -------------------------------------------------------- -- -- Table structure for table `eb_outlet` -- CREATE TABLE `eb_outlet` ( `PK_branch_id` int(11) NOT NULL, `outlet_name` varchar(100) NOT NULL, `outlet_description` text NOT NULL, `status` int(1) NOT NULL, `date_added` datetime NOT NULL, `remarks` text NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -------------------------------------------------------- -- -- Table structure for table `eb_outlets` -- CREATE TABLE `eb_outlets` ( `PK_branch_id` tinyint(4) NOT NULL, `outlet_name` varchar(50) NOT NULL, `status` int(11) NOT NULL, `date_added` datetime NOT NULL DEFAULT current_timestamp() ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -- Dumping data for table `eb_outlets` -- INSERT INTO `eb_outlets` (`PK_branch_id`, `outlet_name`, `status`, `date_added`) VALUES (1, 'Bajada', 1, '2020-03-20 10:28:17'), (2, 'Tagum', 1, '2020-03-20 10:28:17'), (3, 'Toril', 1, '2020-03-20 10:28:23'), (4, 'Commisary', 1, '2020-05-26 14:07:58'); -- -------------------------------------------------------- -- -- Table structure for table `eb_po_discrepancy_items` -- CREATE TABLE `eb_po_discrepancy_items` ( `po_discrepancy_item_id` int(11) NOT NULL, `fk_po_discrepancy_id` int(11) NOT NULL, `fk_material_id` int(11) NOT NULL, `material_name` varchar(100) NOT NULL, `qty` int(11) NOT NULL, `received_qty` int(11) NOT NULL, `units` varchar(55) NOT NULL, `date_added` datetime NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_po_discrepancy_items` -- INSERT INTO `eb_po_discrepancy_items` (`po_discrepancy_item_id`, `fk_po_discrepancy_id`, `fk_material_id`, `material_name`, `qty`, `received_qty`, `units`, `date_added`) VALUES (5, 3, 2, ' Milk ', 3, 2, '\n kg\n ', '2020-07-18 07:44:53'), (6, 4, 2, ' Milk ', 22, 20, '\n kg\n ', '2020-07-19 09:23:20'); -- -------------------------------------------------------- -- -- Table structure for table `eb_purchase_order` -- CREATE TABLE `eb_purchase_order` ( `PK_purchase_order_id` int(11) NOT NULL, `purchase_order_no` varchar(60) NOT NULL, `FK_supplier_id` int(11) NOT NULL, `FK_user_id` int(11) NOT NULL, `FK_branch_id` int(11) NOT NULL, `status` varchar(55) NOT NULL, `date_added` datetime NOT NULL, `total_amount` float NOT NULL, `remarks` text NOT NULL, `fk_received_outlet_id` int(11) NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_purchase_order` -- INSERT INTO `eb_purchase_order` (`PK_purchase_order_id`, `purchase_order_no`, `FK_supplier_id`, `FK_user_id`, `FK_branch_id`, `status`, `date_added`, `total_amount`, `remarks`, `fk_received_outlet_id`) VALUES (13, 'N/A', 2, 1, 1, 'received', '2020-07-18 06:02:13', 288, '', 1), (14, 'N/A', 4, 1, 1, 'received', '2020-07-18 07:43:56', 90, '', 1), (17, 'N/A', 4, 10, 4, 'received', '2020-07-19 06:06:40', 198, '', 1), (18, 'N/A', 1, 10, 4, 'received', '2020-07-19 08:27:45', 121, '', 1), (19, 'N/A', 3, 1, 1, 'received', '2020-07-19 09:22:39', 660, '', 1), (20, 'N/A', 4, 10, 4, 'pending', '2020-07-19 02:07:11', 330, '', 0), (21, 'N/A', 1, 1, 1, 'processing', '2020-07-19 02:07:53', 132, '', 0), (22, 'N/A', 2, 2, 1, 'received', '2020-07-28 07:53:52', 213, '', 1); -- -------------------------------------------------------- -- -- Table structure for table `eb_purchase_order_discrepancy` -- CREATE TABLE `eb_purchase_order_discrepancy` ( `pk_po_discrepancy_id` int(11) NOT NULL, `fk_purchase_id` int(11) NOT NULL, `reason` text NOT NULL, `status` int(11) NOT NULL, `date_added` datetime NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_purchase_order_discrepancy` -- INSERT INTO `eb_purchase_order_discrepancy` (`pk_po_discrepancy_id`, `fk_purchase_id`, `reason`, `status`, `date_added`) VALUES (3, 14, 'tesdt asasd', 1, '2020-07-18 07:44:53'), (4, 19, 'teetadsad asd', 1, '2020-07-19 09:23:20'); -- -------------------------------------------------------- -- -- Table structure for table `eb_purchase_order_item` -- CREATE TABLE `eb_purchase_order_item` ( `PK_po_item_id` int(11) NOT NULL, `FK_purchase_id` int(11) NOT NULL, `FK_raw_material_id` int(11) NOT NULL, `quantity` int(11) NOT NULL, `total` float NOT NULL, `price` float NOT NULL, `status` varchar(55) NOT NULL, `item_unit` varchar(50) NOT NULL, `date_added` datetime NOT NULL, `expire_date` date NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_purchase_order_item` -- INSERT INTO `eb_purchase_order_item` (`PK_po_item_id`, `FK_purchase_id`, `FK_raw_material_id`, `quantity`, `total`, `price`, `status`, `item_unit`, `date_added`, `expire_date`) VALUES (19, 13, 2, 3, 90, 30, '1', '1', '2020-07-18 06:02:13', '2022-07-14'), (20, 13, 3, 3, 198, 66, '1', '2', '2020-07-18 06:02:13', '2022-07-14'), (21, 14, 2, 3, 90, 30, '1', '1', '2020-07-18 07:43:56', '2022-07-14'), (22, 15, 7, 1, 11, 11, '1', '3', '2020-07-19 05:59:33', '0000-00-00'), (23, 15, 4, 1, 66, 66, '1', '2', '2020-07-19 05:59:33', '0000-00-00'), (24, 16, 4, 1, 66, 66, '1', '2', '2020-07-19 06:01:15', '0000-00-00'), (25, 17, 4, 3, 198, 66, '1', '2', '2020-07-19 06:06:40', '2022-07-28'), (26, 18, 7, 11, 121, 11, '1', '3', '2020-07-19 08:27:45', '0000-00-00'), (27, 19, 2, 22, 660, 30, '1', '1', '2020-07-19 09:22:39', '2022-07-21'), (28, 20, 4, 5, 330, 66, '1', '2', '2020-07-19 02:07:11', '0000-00-00'), (29, 21, 1, 4, 132, 33, '1', '2', '2020-07-19 02:07:53', '0000-00-00'), (32, 22, 2, 6, 180, 30, '1', '', '2020-07-28 08:01:00', '2022-07-06'), (33, 22, 1, 1, 33, 33, '1', '', '2020-07-28 08:01:00', '2022-07-12'); -- -------------------------------------------------------- -- -- Table structure for table `eb_purchase_order_received` -- CREATE TABLE `eb_purchase_order_received` ( `PK_po_received_id` int(11) NOT NULL, `FK_purchase_id` int(11) NOT NULL, `FK_received_user_id` int(11) NOT NULL, `status` int(11) NOT NULL, `counter_checked` varchar(55) NOT NULL, `date_received` datetime NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_purchase_order_received` -- INSERT INTO `eb_purchase_order_received` (`PK_po_received_id`, `FK_purchase_id`, `FK_received_user_id`, `status`, `counter_checked`, `date_received`) VALUES (15, 13, 1, 1, 'opet', '2020-07-18 06:03:24'), (16, 14, 1, 1, 'test', '2020-07-18 07:44:53'), (18, 17, 1, 1, 'opet', '2020-07-19 07:52:45'), (24, 18, 1, 1, 'test 3333', '2020-07-19 08:40:23'), (25, 19, 1, 1, 'asdasdasd', '2020-07-19 09:23:20'), (26, 22, 1, 1, '<NAME>', '2020-07-28 08:08:01'); -- -------------------------------------------------------- -- -- Table structure for table `eb_raw_materials` -- CREATE TABLE `eb_raw_materials` ( `PK_raw_materials_id` bigint(20) NOT NULL, `FK_outlet_id` tinyint(4) NOT NULL, `FK_category_id` tinyint(4) NOT NULL, `status` tinyint(4) NOT NULL COMMENT '1- Active 0-Inactive', `material_name` varchar(255) NOT NULL, `unit` varchar(20) NOT NULL, `average_cost` varchar(20) NOT NULL, `asset_value` varchar(20) NOT NULL, `total_asset_percent` varchar(20) NOT NULL, `sales_price` varchar(20) NOT NULL, `retail_value` varchar(20) NOT NULL, `total_retail_percent` varchar(20) NOT NULL, `date_added` datetime NOT NULL DEFAULT current_timestamp() ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -- Dumping data for table `eb_raw_materials` -- INSERT INTO `eb_raw_materials` (`PK_raw_materials_id`, `FK_outlet_id`, `FK_category_id`, `status`, `material_name`, `unit`, `average_cost`, `asset_value`, `total_asset_percent`, `sales_price`, `retail_value`, `total_retail_percent`, `date_added`) VALUES (1, 1, 3, 1, '12x12  spongecake plain (12x12 spongecake plain)', 'ea', '287.88', '0.00%', '0.00%', '287.87', '0', '0.00%', '2020-03-19 18:01:56'), (2, 1, 3, 1, '12x12 choco spongecake choco (12x12 choco spongecake choco)', 'ea', '311.85', '0.00%', '0.00%', '311.85', '0', '0.00%', '2020-03-19 18:01:56'), (3, 1, 3, 1, '12x16x2 styro (12x16x2 styro)', 'ea', '150', '0.00%', '0.00%', '150', '0', '0.00%', '2020-03-19 18:01:56'), (4, 1, 3, 1, '12x4 Styro (12x4 Styro)', 'ea', '186', '0.00%', '0.00%', '186', '0', '0.00%', '2020-03-19 18:01:56'), (5, 1, 3, 1, '2D poster board for Spongebob (2D poster board for Spongebob)', 'ea', '20', '0.00%', '0.00%', '20', '0', '0.00%', '2020-03-19 18:01:56'), (6, 1, 3, 1, '320 CC Paper Bowl w/ lid (320 CC Paper Bowl)', 'ea', '5.1', '0.00%', '0.00%', '5.1', '0', '0.00%', '2020-03-19 18:01:56'), (7, 1, 3, 1, '3D Board Castle (3D Board Castle)', 'ea', '25', '0.00%', '0.00%', '25', '0', '0.00%', '2020-03-19 18:01:56'), (8, 1, 3, 1, '8x12 choco spongecake choco (8x12 choco spongecake choco )', 'ea', '169.99', '0.00%', '0.00%', '169.99', '0', '0.00%', '2020-03-19 18:01:56'), (9, 1, 3, 1, '8X12X2 Styro (8X12X2 Styro)', 'ea', '80', '0.00%', '0.00%', '80', '0', '0.00%', '2020-03-19 18:01:56'), (10, 1, 3, 1, '8x4 Styro (8x4 Styro)', 'ea', '99', '0.00%', '0.00%', '99', '0', '0.00%', '2020-03-19 18:01:56'), (11, 1, 3, 1, 'A1 Steak Sauce (A1 Steak Sauce 10oz)', 'Bot', '296.43', '0.03%', '0.00%', '296.44', '569.16', '0.03%', '2020-03-19 18:01:56'), (12, 1, 3, 1, 'Acrylic Topper Big heart Gold (Acrylic Topper)', 'ea', '54', '0.00%', '0.00%', '54', '0', '0.00%', '2020-03-19 18:01:56'), (13, 1, 3, 1, 'Airbrush Cleaner (Airbrush Cleaner)', 'ML', '1.1', '0.01%', '0.00%', '1.099', '219.8', '0.01%', '2020-03-19 18:01:56'), (14, 1, 3, 1, 'Airbrush coloring black (Airbrush coloring black )', 'ML', '1.41', '0.02%', '0.00%', '1.41', '324.3', '0.02%', '2020-03-19 18:01:56'), (15, 1, 3, 1, 'Airbrush coloring blue (Airbrush coloring blue )', 'ML', '1.02', '0.02%', '0.00%', '1.02', '387.6', '0.02%', '2020-03-19 18:01:56'), (16, 1, 3, 1, 'Airbrush coloring brown (Airbrush coloring brown )', 'ML', '1.07', '0.02%', '0.00%', '1.15', '293.25', '0.02%', '2020-03-19 18:01:56'), (17, 1, 3, 1, 'Airbrush coloring green (Airbrush coloring green )', 'ML', '1.02', '0.02%', '0.00%', '1.02', '408', '0.02%', '2020-03-19 18:01:56'), (18, 1, 3, 1, 'Airbrush coloring orange (Airbrush coloring orange )', 'ML', '1.02', '0.02%', '0.00%', '1.02', '260.1', '0.02%', '2020-03-19 18:01:56'), (19, 1, 3, 1, 'Airbrush coloring peach (Airbrush coloring peach )', 'ML', '1.02', '0.00%', '0.00%', '1.02', '0', '0.00%', '2020-03-19 18:01:56'), (20, 1, 3, 1, 'Airbrush coloring pink (Airbrush coloring pink )', 'ML', '1.15', '0.05%', '0.00%', '1.22', '799.1', '0.05%', '2020-03-19 18:01:56'), (21, 1, 3, 1, 'Airbrush coloring red (Airbrush coloring red )', 'ML', '1.41', '0.05%', '0.00%', '1.42', '809.4', '0.05%', '2020-03-19 18:01:56'), (22, 1, 3, 1, 'Airbrush coloring violet (Airbrush coloring violet )', 'ML', '1.41', '0.05%', '0.00%', '1.39', '827.05', '0.05%', '2020-03-19 18:01:56'), (23, 1, 3, 1, 'Airbrush coloring yellow(255ml/ (Airbrush coloring yellow(255ml/bot) )', 'ML', '1.02', '0.03%', '0.00%', '1.03', '525.3', '0.03%', '2020-03-19 18:01:56'), (24, 1, 3, 1, 'Airbrush Deep Pink 255ml (Airbrush Deep Pink 255ml)', 'ML', '1.41', '0.00%', '0.00%', '1.4117', '0', '0.00%', '2020-03-19 18:01:56'), (25, 1, 3, 1, 'Airbrush Gold (Airbrush Gold)', 'ML', '2.16', '0.00%', '0.00%', '2.16', '0', '0.00%', '2020-03-19 18:01:56'), (26, 1, 3, 1, 'Airbrush Silver (Airbrush Silver)', 'ML', '2.16', '0.01%', '0.00%', '2.16', '216', '0.01%', '2020-03-19 18:01:56'), (27, 1, 3, 1, '<NAME> (<NAME>)', 'ea', '38', '0.00%', '0.00%', '40', '0', '0.00%', '2020-03-19 18:01:56'), (28, 1, 3, 1, '<NAME> 4in1 REd (<NAME> 4in1 REd)', 'ea', '60', '0.00%', '0.00%', '60', '0', '0.00%', '2020-03-19 18:01:56'), (29, 1, 3, 1, 'Almond Whole 500g (Almond Whole 500g)', 'grms', '0.78', '0.00%', '0.00%', '0.78', '0', '0.00%', '2020-03-19 18:01:56'), (30, 1, 3, 1, 'Almonds (Almonds)', 'grms', '1', '0.02%', '0.00%', '0.997', '398.8', '0.02%', '2020-03-19 18:01:56'), (31, 1, 3, 1, 'American garden U.S Ketchup (American garden U.S Ketchup 140z)', 'Bot', '89.5', '0.00%', '0.00%', '89.5', '0', '0.00%', '2020-03-19 18:01:56'), (32, 1, 3, 1, 'Anods Dark compand (Anods Dark compand)', 'Kls', '214.32', '0.00%', '0.00%', '216', '0', '0.00%', '2020-03-19 18:01:56'), (33, 1, 3, 1, 'Apple Blossom white (Apple Blossom white)', 'Pck', '20', '0.00%', '0.00%', '20', '0', '0.00%', '2020-03-19 18:01:56'), (34, 1, 3, 1, 'Apple green (Apple green )', 'ea', '29.68', '0.02%', '0.00%', '30', '270', '0.02%', '2020-03-19 18:01:56'), (35, 1, 3, 1, 'Apple Pie-Euro (Apple Pie-Euro )', 'ea', '46.07', '0.02%', '0.00%', '46.07', '322.49', '0.02%', '2020-03-19 18:01:56'), (36, 1, 3, 1, 'Apple pie-New york style (Apple pie-New york style )', 'ea', '33.38', '0.01%', '0.00%', '33.38', '200.28', '0.01%', '2020-03-19 18:01:56'), (37, 1, 3, 1, 'Apple red (Apple red )', 'ea', '26.23', '0.03%', '0.00%', '30', '510', '0.03%', '2020-03-19 18:01:56'), (38, 1, 3, 1, 'Armanio Honey 250ml (Armanio Honey 250ml)', 'ea', '190', '0.00%', '0.00%', '190', '0', '0.00%', '2020-03-19 18:01:56'), (39, 1, 3, 1, 'Artistic straw (Artistic straw )', 'ea', '0.43', '0.03%', '0.00%', '0.4145', '427.35', '0.03%', '2020-03-19 18:01:56'), (40, 1, 3, 1, 'Asst. Sprinkle (Asst. Sprinkle)', 'grms', '0.35', '0.00%', '0.00%', '0.35', '0', '0.00%', '2020-03-19 18:01:56'), (41, 1, 3, 1, 'Aurora Figurine Imported (Aurora Figurine Imported)', 'ea', '60', '0.00%', '0.00%', '60', '0', '0.00%', '2020-03-19 18:01:56'), (42, 1, 3, 1, 'Baby on crib (Baby on crib )', 'ea', '30', '0.00%', '0.00%', '30', '0', '0.00%', '2020-03-19 18:01:56'), (43, 1, 3, 1, 'Baby on Crib (XL) (Baby on Crib (XL))', 'ea', '85', '0.02%', '0.00%', '85', '255', '0.02%', '2020-03-19 18:01:56'), (44, 1, 3, 1, 'Baby on crib Impoted (Baby on crib Imported)', 'ea', '65', '0.04%', '0.00%', '75', '825', '0.05%', '2020-03-19 18:01:56'), (45, 1, 3, 1, 'Baked cheesecake (Baked cheesecake )', 'ea', '111.64', '0.11%', '0.00%', '111.64', '1786.24', '0.11%', '2020-03-19 18:01:56'), (46, 1, 3, 1, '<NAME> (<NAME> )', 'ea', '55', '0.00%', '0.00%', '55', '0', '0.00%', '2020-03-19 18:01:56'), (47, 1, 3, 1, 'Batman big (Batman big )', 'ea', '50', '0.00%', '0.00%', '50', '0', '0.00%', '2020-03-19 18:01:56'), (48, 1, 3, 1, 'Batman Figurine Loca (Batman Figurine Loca)', 'ea', '25', '0.01%', '0.00%', '25', '100', '0.01%', '2020-03-19 18:01:56'), (49, 1, 3, 1, 'Batman Styro (Batman Styro)', 'ea', '15.91', '0.01%', '0.00%', '15', '150', '0.01%', '2020-03-19 18:01:56'), (50, 1, 3, 1, 'Bday Topper Plastic (Bday Topper Plastic)', 'ea', '43.33', '0.02%', '0.00%', '50', '300', '0.02%', '2020-03-19 18:01:56'), (51, 1, 3, 1, 'Beauty Fig ( Imported) (Beauty Fig ( Imported))', 'ea', '65', '0.00%', '0.00%', '65', '0', '0.00%', '2020-03-19 18:01:56'), (52, 1, 3, 1, 'Beauty Figurine ( Local) (Beauty Figurine ( Local))', 'ea', '30', '0.00%', '0.00%', '30', '0', '0.00%', '2020-03-19 18:01:56'), (53, 1, 3, 1, 'Belle Figurine ( Local) (Belle Figurine ( Local))', 'ea', '25', '0.00%', '0.00%', '25', '0', '0.00%', '2020-03-19 18:01:56'), (54, 1, 3, 1, 'Belle Figurine Imported (Belle Figurine Imported)', 'ea', '65', '0.00%', '0.00%', '65', '0', '0.00%', '2020-03-19 18:01:56'), (55, 1, 3, 1, 'Ben 10 Figurine Imported (Ben 10 Figurine Imported)', 'ea', '65', '0.02%', '0.00%', '65', '260', '0.02%', '2020-03-19 18:01:56'), (56, 1, 3, 1, 'Ben 10 figurine local big (Ben 10 figurine local big )', 'ea', '57.69', '0.00%', '0.00%', '57.69', '0', '0.00%', '2020-03-19 18:01:56'), (57, 1, 3, 1, 'Ben 10 figurine small (Ben 10 figurine small )', 'ea', '28', '0.00%', '0.00%', '28', '0', '0.00%', '2020-03-19 18:01:56'), (58, 1, 3, 1, 'Ben 10 styro (Ben 10 styro)', 'ea', '15.72', '0.01%', '0.00%', '15', '105', '0.01%', '2020-03-19 18:01:56'), (59, 1, 3, 1, 'Beryls Dark Compound 1kg (Beryls Dark Compound 1kg)', 'ea', '194', '0.04%', '0.00%', '194', '582', '0.03%', '2020-03-19 18:01:56'), (60, 1, 3, 1, 'Biscuit-Cream O (Biscuit-Cream O )', 'Pck', '19.1', '0.00%', '0.00%', '19.1', '0', '0.00%', '2020-03-19 18:01:56'), (61, 1, 3, 1, 'Black Forest (Black Forest )', 'ea', '52.88', '0.00%', '0.00%', '52.88', '0', '0.00%', '2020-03-19 18:01:56'), (62, 1, 3, 1, 'Blueberry 595g (Blueberry 595g x12pcs/case)', 'grms', '0.32', '0.00%', '0.00%', '0.37', '0', '0.00%', '2020-03-19 18:01:56'), (63, 1, 3, 1, 'Blueberry 595g/Bot (Blueberry 595g/Bot)', 'Bot', '224.09', '0.00%', '0.00%', '224.1', '0', '0.00%', '2020-03-19 18:01:56'), (64, 1, 3, 1, 'Blueberry bakecheese cake (Blueberry bakecheese cake )', 'ea', '34.33', '0.01%', '0.00%', '34.33', '171.65', '0.01%', '2020-03-19 18:01:56'), (65, 1, 3, 1, 'Blueberry chilled cake (Blueberry chilled cake )', 'ea', '65.09', '0.00%', '0.00%', '65.09', '0', '0.00%', '2020-03-19 18:01:56'), (66, 1, 3, 1, 'Blueberry square (Blueberry square )', 'ea', '38.89', '0.05%', '0.00%', '38.89', '855.58', '0.05%', '2020-03-19 18:01:56'), (67, 1, 3, 1, 'Bubble Gum Gelato (Bubble Gum Gelato)', 'ea', '0', '0.00%', '0.00%', '110', '0', '0.00%', '2020-03-19 18:01:56'), (68, 1, 3, 1, 'Bulla Light Sour Cream 200g (Bulla Light Sour Cream 200g)', 'ea', '186', '0.07%', '0.00%', '186', '1116', '0.07%', '2020-03-19 18:01:56'), (69, 1, 3, 1, 'Butterfly gumpaste (Butterfly gumpaste )', 'ea', '14', '0.00%', '0.00%', '14', '0', '0.00%', '2020-03-19 18:01:56'), (70, 1, 3, 1, 'butterfly Icing (butterfly Icing)', 'ea', '14', '0.02%', '0.00%', '14', '252', '0.02%', '2020-03-19 18:01:56'), (71, 1, 3, 1, 'Cafe Latina Gelato (Cafe Latina Gelato)', 'ea', '0', '0.00%', '0.00%', '110', '0', '0.00%', '2020-03-19 18:01:56'), (72, 1, 3, 1, 'Caffe Verona (Caffe Verona)', 'Pck', '40', '-0.20%', '0.00%', '40', '-3360', '-0.20%', '2020-03-19 18:01:56'), (73, 1, 3, 1, 'Cake acetate (Cake Acetate )', 'Roll', '2000', '0.00%', '0.00%', '2000', '0', '0.00%', '2020-03-19 18:01:56'), (74, 1, 3, 1, 'Cake Choco 8x12 (Cake Choco 8x12)', 'ea', '71.34', '0.00%', '0.00%', '71.34', '0', '0.00%', '2020-03-19 18:01:56'), (75, 1, 3, 1, 'Cake Topper (Cake Topper)', 'ea', '60', '0.01%', '0.00%', '60', '240', '0.01%', '2020-03-19 18:01:56'), (76, 1, 3, 1, 'Camomile Tea bag (Camomile Tea bag)', 'ea', '6.11', '0.07%', '0.00%', '7', '1351', '0.08%', '2020-03-19 18:01:56'), (77, 1, 3, 1, 'Candle letters (Candle letters )', 'Pck', '45', '0.00%', '0.00%', '45', '0', '0.00%', '2020-03-19 18:01:56'), (78, 1, 3, 1, 'Candle Number AP Gold (Candle Number AP Gold)', 'ea', '9', '0.00%', '0.00%', '9', '0', '0.00%', '2020-03-19 18:01:56'), (79, 1, 3, 1, 'Candle Numbers (Candle Numbers )', 'Pck', '12.97', '0.07%', '0.00%', '13', '1105', '0.07%', '2020-03-19 18:01:56'), (80, 1, 3, 1, 'Candle stick (Candle stick)', 'Pck', '22', '0.02%', '0.00%', '22', '330', '0.02%', '2020-03-19 18:01:56'), (81, 1, 3, 1, 'Candy Sprinkle SQ (Candy Sprinkle SQ)', 'ea', '68', '0.00%', '0.00%', '68', '0', '0.00%', '2020-03-19 18:01:56'), (82, 1, 3, 1, 'Captain America (Captain America )', 'ea', '50', '0.00%', '0.00%', '50', '50', '0.00%', '2020-03-19 18:01:56'), (83, 1, 3, 1, 'Car Figurine (Car Figurine )', 'ea', '50', '0.00%', '0.00%', '50', '0', '0.00%', '2020-03-19 18:01:56'), (84, 1, 3, 1, 'Car styro (Car styro )', 'ea', '16', '0.01%', '0.00%', '16', '128', '0.01%', '2020-03-19 18:01:56'), (85, 1, 3, 1, 'Carnival bending straw (Carnival bending straw 100pcs/pack)', 'ea', '0.2', '0.02%', '0.00%', '0.19', '334.59', '0.02%', '2020-03-19 18:01:56'), (86, 1, 3, 1, 'CARS figurine loca (CARS figurine loca)', 'ea', '31.2', '0.02%', '0.00%', '32', '288', '0.02%', '2020-03-19 18:01:56'), (87, 1, 3, 1, 'Castle styro (Castle styro )', 'ea', '37.88', '0.02%', '0.00%', '37.73', '264.11', '0.02%', '2020-03-19 18:01:56'), (88, 1, 3, 1, 'CDO Liver Spread 85g (CDO Liver Spread 85g)', 'Pck', '15.77', '0.00%', '0.00%', '16.5', '0', '0.00%', '2020-03-19 18:01:56'), (89, 1, 3, 1, 'Cebu Mango Gelato (Cebu Mango Gelato)', 'ea', '72.8', '-0.04%', '0.00%', '110', '-1100', '-0.06%', '2020-03-19 18:01:56'), (90, 1, 3, 1, 'Champola Chocolate 280g (Champola Chocolate 280g)', 'Tub', '50.7', '0.00%', '0.00%', '50.7', '0', '0.00%', '2020-03-19 18:01:56'), (91, 1, 3, 1, 'Chefmaster Gelbase-Black (Chefmaster Gelbase-Black)', 'ea', '90', '0.00%', '0.00%', '90', '0', '0.00%', '2020-03-19 18:01:56'), (92, 1, 3, 1, 'Chefmaster gelbase-blue (Chefmaster gelbase-blue )', 'Bot', '70', '0.00%', '0.00%', '95', '0', '0.00%', '2020-03-19 18:01:56'), (93, 1, 3, 1, 'Chefmaster gelbase-brown (Chefmaster gelbase-brown )', 'Bot', '75', '0.00%', '0.00%', '75', '0', '0.00%', '2020-03-19 18:01:56'), (94, 1, 3, 1, 'Chefmaster gelbase-green (Chefmaster gelbase-green )', 'Bot', '70', '0.00%', '0.00%', '75', '0', '0.00%', '2020-03-19 18:01:56'), (95, 1, 3, 1, 'Chefmaster gelbase-orange (Chefmaster gelbase-orange )', 'ea', '75', '0.00%', '0.00%', '75', '0', '0.00%', '2020-03-19 18:01:56'), (96, 1, 3, 1, 'Chefmaster gelbase-red (Chefmaster gelbase-red )', 'Bot', '90', '0.00%', '0.00%', '95', '0', '0.00%', '2020-03-19 18:01:56'), (97, 1, 3, 1, 'Chefmaster Gelbase-Yellow (Chefmaster Gelbase-Yellow)', 'ea', '70', '0.00%', '0.00%', '70', '0', '0.00%', '2020-03-19 18:01:56'), (98, 1, 3, 1, 'Chefmaster gelbase maroon (Chefmaster gelbase maroon )', 'Bot', '75', '0.00%', '0.00%', '75', '0', '0.00%', '2020-03-19 18:01:56'), (99, 1, 3, 1, 'Chefmaster gelbase pink (Chefmaster gelbase pink )', 'Bot', '90', '0.00%', '0.00%', '95', '0', '0.00%', '2020-03-19 18:01:56'), (100, 1, 3, 1, 'Chefmaster gelbase violet (Chefmaster gelbase violet )', 'Bot', '95', '0.00%', '0.00%', '95', '0', '0.00%', '2020-03-19 18:01:56'), (101, 1, 3, 1, 'Cherry bake cheesecake (Cherry bake cheesecake )', 'ea', '33.46', '0.01%', '0.00%', '33.46', '133.84', '0.01%', '2020-03-19 18:01:56'), (102, 1, 3, 1, 'Cherry Chilled Cake (Cherry Chilled Cake )', 'ea', '31.48', '0.00%', '0.00%', '31.48', '0', '0.00%', '2020-03-19 18:01:56'), (103, 1, 3, 1, 'Cherry square (Cherry square )', 'ea', '42.73', '0.04%', '0.00%', '42.73', '683.68', '0.04%', '2020-03-19 18:01:56'), (104, 1, 3, 1, '<NAME> (Cherry tomato (GV -changes) )', 'grms', '0.24', '0.04%', '0.00%', '0.86401', '2242.97', '0.13%', '2020-03-19 18:01:56'), (105, 1, 3, 1, 'Chicken Lumpia (Chicken Lumpia)', 'ea', '3.92', '0.00%', '0.00%', '3.92', '0', '0.00%', '2020-03-19 18:01:56'), (106, 1, 3, 1, 'Chili Sauce 340gms (Chili Sauce 340gms/bot)', 'Bot', '34.15', '0.02%', '0.00%', '31.6', '316', '0.02%', '2020-03-19 18:01:56'), (107, 1, 3, 1, 'Choc.Fudge (Choc.Fudge)', 'grms', '0.24', '0.00%', '0.00%', '0.239', '0', '0.00%', '2020-03-19 18:01:56'), (108, 1, 3, 1, 'Choco Cake 12x12 (Choco Cake 12x12)', 'ea', '142.69', '0.02%', '0.00%', '142.69', '285.38', '0.02%', '2020-03-19 18:01:56'), (109, 1, 3, 1, 'Choco Ganache (Choco Ganache )', 'ea', '26.77', '0.04%', '0.00%', '26.77', '588.94', '0.04%', '2020-03-19 18:01:56'), (110, 1, 3, 1, 'Choco Ganache Base (Choco Ganache Base)', 'ea', '11.89', '0.00%', '0.00%', '11.89', '0', '0.00%', '2020-03-19 18:01:56'), (111, 1, 3, 1, 'Choco Knots Blast 28g (Choco Knots Blast 28g)', 'Pck', '0', '0.00%', '0.00%', '5.25', '0', '0.00%', '2020-03-19 18:01:56'), (112, 1, 3, 1, 'Choco Moist Base (Choco Moist Base)', 'ea', '117.44', '0.06%', '0.00%', '117.44', '1056.96', '0.06%', '2020-03-19 18:01:56'), (113, 1, 3, 1, 'Choco rumbles (Choco rumbles )', 'ea', '24.13', '0.03%', '0.00%', '24.13', '482.6', '0.03%', '2020-03-19 18:01:56'), (114, 1, 3, 1, 'Choco square (Choco square )', 'ea', '32.38', '0.04%', '0.00%', '32.38', '712.36', '0.04%', '2020-03-19 18:01:56'), (115, 1, 3, 1, 'Chocolate coins (Chocolate coins )', 'ea', '1.51', '0.00%', '0.00%', '1.51', '0', '0.00%', '2020-03-19 18:01:56'), (116, 1, 3, 1, 'Chocolate Decadent (Chocolate Decadent )', 'ea', '52.08', '0.00%', '0.00%', '52.08', '0', '0.00%', '2020-03-19 18:01:56'), (117, 1, 3, 1, 'Chocolate fudgecake (Chocolate fudgecake )', 'ea', '37.52', '0.00%', '0.00%', '37.52', '0', '0.00%', '2020-03-19 18:01:56'), (118, 1, 3, 1, 'Chocolate Ganache (Chocolate Ganache 5kl/pail)', 'grms', '1.51', '1.07%', '0.00%', '0.49665', '5959.8', '0.35%', '2020-03-19 18:01:56'), (119, 1, 3, 1, 'Chocolate layer (Chocolate layer )', 'ea', '59.26', '0.00%', '0.00%', '59.26', '0', '0.00%', '2020-03-19 18:01:56'), (120, 1, 3, 1, 'Chocolate Waffer 20s (Chocolate Waffer 20s)', 'Pck', '36.9', '0.00%', '0.00%', '36.9', '0', '0.00%', '2020-03-19 18:01:56'), (121, 1, 3, 1, 'Christmas gumpaste (Christmas gumpaste )', 'ea', '70', '0.00%', '0.00%', '70', '0', '0.00%', '2020-03-19 18:01:56'), (122, 1, 3, 1, 'Christmas Sign Plastic Topper (Christmas Sign Plastic Topper)', 'ea', '60', '0.04%', '0.00%', '60', '600', '0.04%', '2020-03-19 18:01:56'), (123, 1, 3, 1, 'Cinderella Figurine(Imported) (Cinderella Figurine(Imported))', 'ea', '65', '0.00%', '0.00%', '75', '0', '0.00%', '2020-03-19 18:01:56'), (124, 1, 3, 1, 'Cindy Figurine ( Local) (Cindy Figurine ( Local))', 'ea', '30', '0.00%', '0.00%', '30', '0', '0.00%', '2020-03-19 18:01:56'), (125, 1, 3, 1, 'Cino Machine (Cino Machine)', 'ea', '3746.8', '-0.45%', '0.00%', '4026.8', '-8053.6', '-0.47%', '2020-03-19 18:01:56'), (126, 1, 3, 1, '<NAME>apple Pancake Syrup (Cl<NAME> Mapple Pancake Syrup 355ml)', 'Bot', '102.07', '0.06%', '0.00%', '105.5', '1102.48', '0.07%', '2020-03-19 18:01:56'), (127, 1, 3, 1, '<NAME> Chrs 1050g (<NAME> Chrs 1050g)', 'Bot', '310.9', '0.00%', '0.00%', '310.9', '0', '0.00%', '2020-03-19 18:01:56'), (128, 1, 3, 1, 'Cocktail Picks 100s (Cocktail Picks 100s)', 'Pck', '32.4', '0.00%', '0.00%', '32.4', '45.04', '0.00%', '2020-03-19 18:01:56'), (129, 1, 3, 1, 'Cocktail tissue (Cocktail tissue )', 'Roll', '24', '0.10%', '0.00%', '23.75', '1591.25', '0.09%', '2020-03-19 18:01:56'), (130, 1, 3, 1, 'Coconut Tree w/Fruit Accs (Coconut Tree w/Fruit Accs)', 'ea', '15', '0.00%', '0.00%', '15', '0', '0.00%', '2020-03-19 18:01:56'), (131, 1, 3, 1, 'Coffee 3 in 1 (12x36x 20 gms) (Coffee 3 in 1 (12x36x 20 gms) )', 'ea', '2.78', '0.00%', '0.00%', '2.78', '0', '0.00%', '2020-03-19 18:01:56'), (132, 1, 3, 1, 'Coffee Beans - Rabecca Columbia (Coffee Beans - Rabecca Columbia)', 'grms', '1.09', '0.00%', '0.00%', '1.1', '0', '0.00%', '2020-03-19 18:01:56'), (133, 1, 3, 1, 'Coffee Mate (Coffee Mate 48pcsx20grms/pack)', 'ea', '1.65', '0.09%', '0.00%', '1.65', '1513.05', '0.09%', '2020-03-19 18:01:56'), (134, 1, 3, 1, 'Coffee Sticks (21x48x2 gms) (Coffee sticks ( 21x48x2 gms) )', 'ea', '1.9', '0.00%', '0.00%', '1.9', '0', '0.00%', '2020-03-19 18:01:56'), (135, 1, 3, 1, 'Coke 1.5L (Coke 1.5L)', 'ea', '0', '0.00%', '0.00%', '44.75', '0', '0.00%', '2020-03-19 18:01:56'), (136, 1, 3, 1, 'Coke Light in Can (Coke Light in Can)', 'ea', '24.71', '0.12%', '0.00%', '24.44', '1955.2', '0.12%', '2020-03-19 18:01:56'), (137, 1, 3, 1, 'Coke Mismo (Coke Mismo)', 'ea', '12.08', '0.00%', '0.00%', '12.08333', '0', '0.00%', '2020-03-19 18:01:56'), (138, 1, 3, 1, 'Coke Regular in Can (Coke Regular in Can)', 'ea', '24.92', '0.28%', '0.00%', '24.91667', '4634.5', '0.27%', '2020-03-19 18:01:56'), (139, 1, 3, 1, 'Coke zero can (Coke zero can 330ml 1x24)', 'ea', '23.71', '0.15%', '0.00%', '23.70833', '2536.79', '0.15%', '2020-03-19 18:01:56'), (140, 1, 3, 1, 'Comstock Red Ruby Cherry (Comstock Red Ruby Cherry 210z 12\'s)', 'Bot', '187.1', '0.29%', '0.00%', '196.96', '5219.44', '0.31%', '2020-03-19 18:01:56'), (141, 1, 3, 1, 'Comstock Royal Blueberry (Comstock Royal Blueberry 21oz 12\'s)', 'Bot', '204.75', '0.43%', '0.00%', '205', '7257', '0.43%', '2020-03-19 18:01:56'), (142, 1, 3, 1, 'Comstock Strawberry (Comstock Strawberry 210oz)', 'Bot', '167.85', '0.00%', '0.00%', '167.85', '0', '0.00%', '2020-03-19 18:01:56'), (143, 1, 3, 1, 'Cotton Candy Gelato (Cotton Candy Gelato)', 'ea', '72.8', '0.00%', '0.00%', '89.38', '0', '0.00%', '2020-03-19 18:01:56'), (144, 1, 3, 1, 'Cotton Candy Pints (Cotton Candy Pints)', 'ea', '336', '0.00%', '0.00%', '385', '0', '0.00%', '2020-03-19 18:01:56'), (145, 1, 3, 1, 'Cream-O vanilla (Cream-O vanilla)', 'Pck', '59.45', '0.02%', '0.00%', '59.45', '404.26', '0.02%', '2020-03-19 18:01:56'), (146, 1, 3, 1, 'Cream Vanilla JR 80g (Cream Vanilla JR 80g)', 'Bot', '13.05', '0.00%', '0.00%', '13.05', '0', '0.00%', '2020-03-19 18:01:56'), (147, 1, 3, 1, 'Crown Prince Clams 6.50z (Crown Prince Clams 6.50z)', 'Can', '129.95', '0.00%', '0.00%', '129.95', '0', '0.00%', '2020-03-19 18:01:56'), (148, 1, 3, 1, 'Crushed Grahams 200g (Crushed Grahams 200g)', 'Pck', '31.99', '0.00%', '0.00%', '33', '0', '0.00%', '2020-03-19 18:01:56'), (149, 1, 3, 1, 'Dad Bear Black Pearl Straw (Dad Bear Black Pearl Straw 25s)', 'ea', '1.59', '0.00%', '0.00%', '1.592', '0', '0.00%', '2020-03-19 18:01:56'), (150, 1, 3, 1, 'Daffodil (Daffodil)', 'Pck', '14', '0.00%', '0.00%', '14', '0', '0.00%', '2020-03-19 18:01:56'), (151, 1, 3, 1, 'Dark Chocolate Sauce 1890ml/Bot (Dark Chocolate Sauce 1890ml/Bot)', 'ML', '0.37', '0.04%', '0.00%', '0.3746', '707.99', '0.04%', '2020-03-19 18:01:56'), (152, 1, 3, 1, 'Dedication cake choco (Dedication cake choco )', 'ea', '118.89', '0.04%', '0.00%', '118.89', '713.34', '0.04%', '2020-03-19 18:01:56'), (153, 1, 3, 1, 'Dilmah Earl gray tea (Dilmah Earl gray tea )', 'ea', '5.6', '0.06%', '0.00%', '5.6', '1013.6', '0.06%', '2020-03-19 18:01:56'), (154, 1, 3, 1, 'Dilmah English breakfast tea (Dilmah English breakfast tea )', 'ea', '5.6', '0.04%', '0.00%', '5.6', '739.2', '0.04%', '2020-03-19 18:01:56'), (155, 1, 3, 1, 'Dilmah lychees tea (Dilmah lychees tea )', 'ea', '5.6', '0.00%', '0.00%', '5.6', '0', '0.00%', '2020-03-19 18:01:56'), (156, 1, 3, 1, 'Dilmah Pure Green Tea 1000pcs/ (Dilmah Pure Green Tea 1000pcs/box)', 'ea', '5.6', '0.06%', '0.00%', '5.6', '1019.2', '0.06%', '2020-03-19 18:01:56'), (157, 1, 3, 1, 'Disney Princess styro DP (Disney Princess styro (DP styro))', 'ea', '15', '0.00%', '0.00%', '15', '30', '0.00%', '2020-03-19 18:01:56'), (158, 1, 3, 1, 'Disposable Fork (Disposable Fork)', 'ea', '0.7', '0.01%', '0.00%', '0.67', '167.5', '0.01%', '2020-03-19 18:01:56'), (159, 1, 3, 1, 'Disposable spoon (Disposable spoon )', 'ea', '0.76', '0.01%', '0.00%', '0.87', '217.5', '0.01%', '2020-03-19 18:01:56'), (160, 1, 3, 1, 'DM FSJ. Free (DM FSJ. Free)', 'ea', '17.5', '0.00%', '0.00%', '17.5', '0', '0.00%', '2020-03-19 18:01:56'), (161, 1, 3, 1, 'DM Four Seasons (DM four seasons)', 'ea', '24.29', '0.20%', '0.00%', '24.28583', '3424.3', '0.20%', '2020-03-19 18:01:56'), (162, 1, 3, 1, 'DM Mango Juice (DM mango juice)', 'ea', '29.05', '0.23%', '0.00%', '29.05', '3892.7', '0.23%', '2020-03-19 18:01:56'), (163, 1, 3, 1, 'DM Orange (DM Orange)', 'ea', '17.88', '0.10%', '0.00%', '24.28583', '2210.01', '0.13%', '2020-03-19 18:01:56'), (164, 1, 3, 1, 'DM Original Blend Ketchup 12oz (DM Original Blend Ketchup 12oz)', 'Bot', '31.75', '0.00%', '0.00%', '31.75', '0', '0.00%', '2020-03-19 18:01:56'), (165, 1, 3, 1, 'DM Pineapple Orange (DM pineapple orange)', 'ea', '23.49', '0.25%', '0.00%', '23.80917', '4285.65', '0.25%', '2020-03-19 18:01:56'), (166, 1, 3, 1, 'DM Pineapple Sweetened (DM pineapple sweetened)', 'ea', '24.29', '0.40%', '0.00%', '24.28583', '6702.89', '0.39%', '2020-03-19 18:01:56'), (167, 1, 3, 1, 'DM Pineapple Unsweetened (DM pineapple unsweetened)', 'ea', '23.33', '0.14%', '0.00%', '23.19', '2365.38', '0.14%', '2020-03-19 18:01:56'), (168, 1, 3, 1, 'DM SweetndOrange Juice 202/240m (Sweetened Orange Juice 202/240ml w/free)', 'ea', '14.65', '0.10%', '0.00%', '23.80917', '2857.1', '0.17%', '2020-03-19 18:01:56'), (169, 1, 3, 1, 'Donut Shop (Donut Shop)', 'ea', '22.35', '0.00%', '0.00%', '22.35', '-44.7', '0.00%', '2020-03-19 18:01:56'), (170, 1, 3, 1, 'Double Dark Choco (Double Dark Choco)', 'ea', '89.6', '0.00%', '0.00%', '110', '0', '0.00%', '2020-03-19 18:01:56'), (171, 1, 3, 1, 'Double Dark Pints (Double Dark Pints)', 'Tub', '358.4', '0.00%', '0.00%', '385', '0', '0.00%', '2020-03-19 18:01:56'), (172, 1, 3, 1, 'Dragees 4mm Red (Dragees 4mm Red)', 'Pck', '63', '0.00%', '0.00%', '63', '0', '0.00%', '2020-03-19 18:01:56'), (173, 1, 3, 1, 'Dragees 8mm Red (Dragees 8mm Red 1 kg)', 'Pck', '63', '0.00%', '0.00%', '63', '0', '0.00%', '2020-03-19 18:01:56'), (174, 1, 3, 1, 'Duncanhines Comstock FruitCherr (Duncanhines Comstock FruitCherry 21oz)', 'Bot', '329.95', '0.00%', '0.00%', '329.95', '0', '0.00%', '2020-03-19 18:01:56'), (175, 1, 3, 1, 'Durain meat (Durain meat )', 'grms', '0.45', '0.00%', '0.00%', '0.3', '0', '0.00%', '2020-03-19 18:01:56'), (176, 1, 3, 1, 'Durian Chilled Cake (Durian Chilled Cake )', 'ea', '39.75', '0.04%', '0.00%', '39.75', '636', '0.04%', '2020-03-19 18:01:56'), (177, 1, 3, 1, 'Durian Meat (Durian Meat)', 'Kls', '159.56', '0.00%', '0.00%', '90', '0', '0.00%', '2020-03-19 18:01:56'), (178, 1, 3, 1, 'Early Grey Foil Tbag 100 (Early Grey Foil Tbag 100)', 'Box', '560', '0.00%', '0.00%', '0', '0', '0.00%', '2020-03-19 18:01:56'), (179, 1, 3, 1, 'Egg Pie (Egg Pie )', 'ea', '18.75', '0.01%', '0.00%', '18.75', '93.75', '0.01%', '2020-03-19 18:01:56'), (180, 1, 3, 1, 'Eight O\'Clock Juice 350g/pack (Eight O\'Clock Juice 350g/pack)', 'Pck', '92.4', '0.00%', '0.00%', '92.4', '0', '0.00%', '2020-03-19 18:01:56'), (181, 1, 3, 1, 'Eight O\'Clock Orange 87.5g (Eight O\'Clock Orange 87.5g)', 'Pck', '23.1', '0.00%', '0.00%', '23.5', '0', '0.00%', '2020-03-19 18:01:56'), (182, 1, 3, 1, 'Eiht O\'clock Orange 175g (Eiht O\'clock Orange 175g)', 'Pck', '46.44', '0.00%', '0.00%', '46.44', '0', '0.00%', '2020-03-19 18:01:56'), (183, 1, 3, 1, 'Elsa figurine (Elsa figurine )', 'ea', '30', '0.02%', '0.00%', '34.69', '312.21', '0.02%', '2020-03-19 18:01:56'), (184, 1, 3, 1, 'Elsa Figurine (imported) (Elsa Figurine (imported))', 'ea', '60', '0.00%', '0.00%', '60', '0', '0.00%', '2020-03-19 18:01:56'), (185, 1, 3, 1, 'Elsa styro (Elsa styro )', 'ea', '15', '0.00%', '0.00%', '15', '0', '0.00%', '2020-03-19 18:01:56'), (186, 1, 3, 1, 'Equal Powder 100g (Equal Powder 100g)', 'Pck', '225.95', '0.00%', '0.00%', '225.95', '0', '0.00%', '2020-03-19 18:01:56'), (187, 1, 3, 1, 'Equal Powder 12g (Equal Powder 12g)', 'Box', '33.45', '0.00%', '0.00%', '33.45', '0', '0.00%', '2020-03-19 18:01:56'), (188, 1, 3, 1, 'Equal Sugar (Equal Sugar)', 'ea', '2.05', '0.01%', '0.00%', '2.15', '240.8', '0.01%', '2020-03-19 18:01:56'), (189, 1, 3, 1, 'Espreso Blend 250 grams (Espreso Blend (250 grams))', 'grms', '1.1', '0.00%', '0.00%', '1.1', '0', '0.00%', '2020-03-19 18:01:56'), (190, 1, 3, 1, 'Euro Water 500ml (Euro Water 500ml)', 'Bot', '6.5', '1.95%', '0.00%', '6.9', '34879.5', '2.04%', '2020-03-19 18:01:56'), (191, 1, 3, 1, 'Evening Blend (Evening Blend)', 'grms', '0.7', '0.62%', '0.00%', '0.7', '10500', '0.62%', '2020-03-19 18:01:56'), (192, 1, 3, 1, 'Ferrawr Gelato (Ferrawr Gelato)', 'ea', '89.6', '-0.03%', '0.00%', '110', '-550', '-0.03%', '2020-03-19 18:01:56'), (193, 1, 3, 1, 'Ferrerawr Pints (Ferrerawr Pints)', 'Tub', '358.4', '0.00%', '0.00%', '385', '0', '0.00%', '2020-03-19 18:01:56'), (194, 1, 3, 1, 'Figurine ( Local) (Figurine ( Local))', 'ea', '30', '0.00%', '0.00%', '30', '0', '0.00%', '2020-03-19 18:01:56'), (195, 1, 3, 1, 'Flag picks (Flag picks )', 'ea', '0.61', '0.00%', '0.00%', '1.81', '0', '0.00%', '2020-03-19 18:01:56'), (196, 1, 3, 1, 'Flavored Mocha (Flavored Mocha)', 'Bot', '215.78', '0.00%', '0.00%', '215.78', '0', '0.00%', '2020-03-19 18:01:56'), (197, 1, 3, 1, 'Flower Cutter (Flower Cutter)', 'ea', '415', '0.00%', '0.00%', '415', '0', '0.00%', '2020-03-19 18:01:56'), (198, 1, 3, 1, 'Flower Lifter (Flower Lifter)', 'ea', '29', '0.00%', '0.00%', '29', '0', '0.00%', '2020-03-19 18:01:56'), (199, 1, 3, 1, 'Flower Rose Accs (Flower Rose Accs)', 'ea', '12', '0.00%', '0.00%', '15', '0', '0.00%', '2020-03-19 18:01:56'), (200, 1, 3, 1, 'Flowerettes ( Forget me not) (Flowerettes ( Forget me not))', 'ea', '16', '0.10%', '0.00%', '16', '1600', '0.09%', '2020-03-19 18:01:56'), (201, 1, 3, 1, 'Flowerettes icing (Flowerettes icing )', 'ea', '16', '0.00%', '0.00%', '15', '0', '0.00%', '2020-03-19 18:01:56'), (202, 1, 3, 1, 'Flowerrettes (Flowerrettes)', 'Pck', '12', '0.02%', '0.00%', '20', '460', '0.03%', '2020-03-19 18:01:56'), (203, 1, 3, 1, 'Fondant Icing (Fondant Icing)', 'Kls', '265', '0.06%', '0.00%', '260', '1040', '0.06%', '2020-03-19 18:01:56'), (204, 1, 3, 1, 'Frank further Sausages (Frank further Sausages 1KL/pack X 7pcs 120g)', 'grms', '0.52', '0.00%', '0.00%', '0.36', '0', '0.00%', '2020-03-19 18:01:56'), (205, 1, 3, 1, 'Frappe Mix Java Chip (Frappe Mix Java Chip 1360ml/Jar)', 'ML', '0.73', '0.00%', '0.00%', '0.73', '0', '0.00%', '2020-03-19 18:01:56'), (206, 1, 3, 1, 'French Dressing (French dressing )', 'grms', '0.23', '0.00%', '0.00%', '0.23', '0', '0.00%', '2020-03-19 18:01:56'), (207, 1, 3, 1, 'Fresh Milk -Nestle (Fresh Milk -Nestle)', 'Pck', '84.51', '0.80%', '0.00%', '84.50683', '13436.59', '0.79%', '2020-03-19 18:01:56'), (208, 1, 3, 1, 'Frozen Styro (Frozen Styro)', 'ea', '15.77', '0.01%', '0.00%', '15', '150', '0.01%', '2020-03-19 18:01:56'), (209, 1, 3, 1, 'Galor Black Pepper 100g (Galor Black Pepper 100g)', 'Bot', '87.9', '0.00%', '0.00%', '87.9', '0', '0.00%', '2020-03-19 18:01:56'), (210, 1, 3, 1, 'Garlic Stick (1 KILO) (Garlic Stick (1 KILO))', 'Kls', '96.34', '0.00%', '0.00%', '96.35', '0', '0.00%', '2020-03-19 18:01:56'), (211, 1, 3, 1, 'Green Chocolate (Green Chocolate 500g/bar)', 'grms', '0.34', '0.00%', '0.00%', '0.46', '0', '0.00%', '2020-03-19 18:01:56'), (212, 1, 3, 1, 'Green Tea Gelato (Green Tea Gelato)', 'ea', '72.8', '0.00%', '0.00%', '110', '0', '0.00%', '2020-03-19 18:01:56'), (213, 1, 3, 1, 'Green Tea Pints (Green Tea Pints)', 'Tub', '336', '0.00%', '0.00%', '385', '0', '0.00%', '2020-03-19 18:01:56'), (214, 1, 3, 1, 'Gumpaste Fondant (Gumpaste Fondant )', 'ea', '18', '0.01%', '0.00%', '14', '140', '0.01%', '2020-03-19 18:01:56'), (215, 1, 3, 1, 'GV Shakepowder cks&crm 100g (GV Shakepowder cks&crm 100g)', 'Pck', '0', '0.00%', '0.00%', '26.75', '0', '0.00%', '2020-03-19 18:01:56'), (216, 1, 3, 1, 'Happy Bday Candle (Happy Bday Candle)', 'ea', '45', '0.03%', '0.00%', '0', '0', '0.00%', '2020-03-19 18:01:56'), (217, 1, 3, 1, 'Happy birthday styro (Happy birthday styro )', 'ea', '14.29', '0.00%', '0.00%', '15', '0', '0.00%', '2020-03-19 18:01:56'), (218, 1, 3, 1, 'Happy Birthday ( Letter) (Happy Birthday ( Letter))', 'ea', '45', '0.00%', '0.00%', '45', '0', '0.00%', '2020-03-19 18:01:56'), (219, 1, 3, 1, 'Happy birthday Styro (Happy birthday Styro)', 'ea', '15', '0.01%', '0.00%', '14', '84', '0.01%', '2020-03-19 18:01:56'), (220, 1, 3, 1, 'Happy christening (Happy christening )', 'ea', '15.89', '0.01%', '0.00%', '15', '195', '0.01%', '2020-03-19 18:01:56'), (221, 1, 3, 1, 'Hazelnut 750ml/bot (Hazelnut 750ml/bot)', 'ML', '0.52', '0.00%', '0.00%', '0.52', '0', '0.00%', '2020-03-19 18:01:56'), (222, 1, 3, 1, 'HB Ballons Acrylic Topper (HB Ballons Acrylic Topper)', 'ea', '58', '0.00%', '0.00%', '0', '0', '0.00%', '2020-03-19 18:01:56'), (223, 1, 3, 1, 'HB Banner Acrylic Topper (HB Banner Acrylic Topper)', 'ea', '58', '0.00%', '0.00%', '0', '0', '0.00%', '2020-03-19 18:01:56'), (224, 1, 3, 1, 'HB Candle Acrylic Topper (HB Candle Acrylic Topper)', 'ea', '58', '0.00%', '0.00%', '58', '0', '0.00%', '2020-03-19 18:01:56'), (225, 1, 3, 1, 'HB Flower Acrylic Topper (HB Flower Acrylic Topper)', 'ea', '95', '0.00%', '0.00%', '0', '0', '0.00%', '2020-03-19 18:01:56'), (226, 1, 3, 1, 'HB Sea Acrylic Topper (HB Sea Acrylic Topper)', 'ea', '95', '0.00%', '0.00%', '95', '0', '0.00%', '2020-03-19 18:01:56'), (227, 1, 3, 1, 'HB Styro Baech Board (Happy birthday Styro (Beach Board) )', 'ea', '0', '0.00%', '0.00%', '14', '0', '0.00%', '2020-03-19 18:01:56'), (228, 1, 3, 1, 'Heart Sprinkles (Heart Sprinkles)', 'grms', '0.45', '0.00%', '0.00%', '0.45', '0', '0.00%', '2020-03-19 18:01:56'), (229, 1, 3, 1, 'He<NAME> 20oz (Heinz Toamato Mustard 20oz)', 'Bot', '156.26', '0.00%', '0.00%', '159.95', '0', '0.00%', '2020-03-19 18:01:56'), (230, 1, 3, 1, 'Heinz Tomatoe Ketchup Easy Sque (Heinz Tomatoe Ketchup Easy Sque)', 'Can', '129', '0.19%', '0.00%', '129', '3225', '0.19%', '2020-03-19 18:01:56'), (231, 1, 3, 1, 'Hello kitty Figurine (Hello kitty Figurine)', 'ea', '30.91', '0.02%', '0.00%', '32', '384', '0.02%', '2020-03-19 18:01:56'), (232, 1, 3, 1, 'Hello Kitty Styro (Hello Kitty Styro)', 'ea', '15.83', '0.01%', '0.00%', '15', '165', '0.01%', '2020-03-19 18:01:56'), (233, 1, 3, 1, 'Herbal Pillow-Shoulder patch (Herbal Pillow-Shoulder patch)', 'ea', '0', '0.00%', '0.00%', '980', '0', '0.00%', '2020-03-19 18:01:56'), (234, 1, 3, 1, 'Herbal Pillow-Waist pad (Herbal Pillow-Waist pad)', 'ea', '0', '0.00%', '0.00%', '1200', '0', '0.00%', '2020-03-19 18:01:56'), (235, 1, 3, 1, 'Hugh Blend (Hugh Blend)', 'ea', '19.25', '0.00%', '0.00%', '19.25', '0', '0.00%', '2020-03-19 18:01:56'), (236, 1, 3, 1, 'Icing (Icing)', 'grms', '0.2', '0.00%', '0.00%', '0.2', '0', '0.00%', '2020-03-19 18:01:56'), (237, 1, 3, 1, 'Irish Cream 750g/bot (Irish Cream 750g/bot)', 'ML', '0.52', '0.05%', '0.00%', '0.52267', '905.79', '0.05%', '2020-03-19 18:01:56'), (238, 1, 3, 1, 'JC02 Jelly Cup (JC02 Jelly Cup)', 'ea', '65', '0.00%', '0.00%', '65', '0', '0.00%', '2020-03-19 18:01:56'), (239, 1, 3, 1, '<NAME> w/stem (Jolly Marschno Cherries w/stem 260z)', 'Can', '321.65', '0.07%', '0.00%', '321.65', '1132.21', '0.07%', '2020-03-19 18:01:56'), (240, 1, 3, 1, '<NAME> 720z (Jolly Mushrom Cherry 720z)', 'Bot', '827', '0.20%', '0.00%', '827', '3308', '0.19%', '2020-03-19 18:01:56'), (241, 1, 3, 1, 'Jufran Swt Chili Sauce 355/330g (Chili Sauce 355/330g)', 'Bot', '39.05', '0.00%', '0.00%', '39.05', '0', '0.00%', '2020-03-19 18:01:56'), (242, 1, 3, 1, 'KirkLand Breakfast (KirkLand Breakfast)', 'ea', '32.06', '0.00%', '0.00%', '32.06', '-32.06', '0.00%', '2020-03-19 18:01:56'), (243, 1, 3, 1, 'Kopiko La Cafe Hngr 25gx10s (Kopiko La Cafe Hngr 25gx10s)', 'ea', '0', '0.00%', '0.00%', '5.1', '0', '0.00%', '2020-03-19 18:01:56'), (244, 1, 3, 1, 'Kopiko La Coffee (Kopiko La Coffee 25gx10)', 'Pck', '52.55', '0.00%', '0.00%', '52.55', '0', '0.00%', '2020-03-19 18:01:56'), (245, 1, 3, 1, 'L-Fold Tissue (L-Fold Tissue (30pcks/case) Femme)', 'Pck', '43.33', '0.00%', '0.00%', '43.333', '0', '0.00%', '2020-03-19 18:01:56'), (246, 1, 3, 1, 'Laughing Man (Laughing Man)', 'ea', '19.25', '-0.01%', '0.00%', '0', '0', '0.00%', '2020-03-19 18:01:56'), (247, 1, 3, 1, 'Leekumkee Chili Ketchup 18.5oz (Leekumkee Chili Ketchup 18.5oz)', 'Bot', '229', '0.00%', '0.00%', '229', '0', '0.00%', '2020-03-19 18:01:56'), (248, 1, 3, 1, 'Lemon Mint (Lemon Mint)', 'ea', '32.83', '0.00%', '0.00%', '32.83', '0', '0.00%', '2020-03-19 18:01:56'), (249, 1, 3, 1, 'Little mermaid imported (Little mermaid imported )', 'ea', '50', '0.00%', '0.00%', '50', '0', '0.00%', '2020-03-19 18:01:56'), (250, 1, 3, 1, 'Little mermaid local (Little mermaid local )', 'ea', '26.5', '0.01%', '0.00%', '30', '270', '0.02%', '2020-03-19 18:01:56'), (251, 1, 3, 1, 'Little Mermaid Styro (Little Mermaid Styro)', 'ea', '15', '0.01%', '0.00%', '15', '150', '0.01%', '2020-03-19 18:01:56'), (252, 1, 3, 1, 'Mango Cupcake (Mango Cupcake)', 'ea', '43.44', '0.03%', '0.00%', '43.44', '434.4', '0.03%', '2020-03-19 18:01:56'), (253, 1, 3, 1, 'Mango Pints (Mango Pints)', 'Tub', '336', '0.00%', '0.00%', '385', '0', '0.00%', '2020-03-19 18:01:56'), (254, 1, 3, 1, 'Maple Pancake Syrup (Maple Pancake Syrup 355ml)', 'Bot', '89.8', '0.00%', '0.00%', '89.8', '0', '0.00%', '2020-03-19 18:01:56'), (255, 1, 3, 1, 'Mariani Sweetened Cranberries 5 (Mariani Sweetened Cranberries 50oz)', 'Bot', '229.95', '0.00%', '0.00%', '229.95', '0', '0.00%', '2020-03-19 18:01:56'), (256, 1, 3, 1, 'Marshmallow 1kg (Marshmallow 1kg)', 'Kls', '267.85', '0.00%', '0.00%', '290', '58', '0.00%', '2020-03-19 18:01:56'), (257, 1, 3, 1, 'MB Hot Sauce 12oz (MB Hot Sauce 12oz)', 'Bot', '32.05', '0.00%', '0.00%', '32.05', '0', '0.00%', '2020-03-19 18:01:56'), (258, 1, 3, 1, 'MB Hot Sauce 50ml (MB Hot Sauce 50ml)', 'Bot', '15.46', '0.01%', '0.00%', '15.455', '92.73', '0.01%', '2020-03-19 18:01:56'), (259, 1, 3, 1, 'MB Hot Sweet Chili Sauce 200Z (MB Hot Sweet Chili Sauce 200Z)', 'Bot', '52.3', '0.01%', '0.00%', '51.3', '102.6', '0.01%', '2020-03-19 18:01:56'), (260, 1, 3, 1, 'MC Cormick Mustard200g (MC Cormick Mustard200g)', 'Bot', '68.95', '0.00%', '0.00%', '68.95', '0', '0.00%', '2020-03-19 18:01:56'), (261, 1, 3, 1, 'Mc Cormick Italian Ssoning 16G (Mc Cormick Italian Ssoning 16G)', 'Bot', '46.65', '0.01%', '0.00%', '46.65', '93.3', '0.01%', '2020-03-19 18:01:56'), (262, 1, 3, 1, 'Mickey & Friends Figurine (Mickey & Friends Figurine )', 'ea', '75', '0.00%', '0.00%', '75', '0', '0.00%', '2020-03-19 18:01:56'), (263, 1, 3, 1, 'Mickey Figurine (Mickey Figurine)', 'ea', '32', '0.01%', '0.00%', '32', '96', '0.01%', '2020-03-19 18:01:56'), (264, 1, 3, 1, 'Mickey Styro (Mickey Styro)', 'ea', '16', '0.01%', '0.00%', '16', '80', '0.01%', '2020-03-19 18:01:56'), (265, 1, 3, 1, 'Mini Oreo Vanilla 67g (Mini Oreo Vanilla 67g)', 'Pck', '37.05', '0.05%', '0.00%', '39.77', '835.17', '0.05%', '2020-03-19 18:01:56'), (266, 1, 3, 1, 'Minion Figurine Local (Minion Figurine Local)', 'ea', '30', '0.04%', '0.00%', '30', '720', '0.04%', '2020-03-19 18:01:56'), (267, 1, 3, 1, 'Minions figurine (Minions figurine )', 'ea', '32.73', '0.00%', '0.00%', '80', '0', '0.00%', '2020-03-19 18:01:56'), (268, 1, 3, 1, 'Minnie mouse figurine (Minnie mouse figurine )', 'ea', '37.61', '0.00%', '0.00%', '37.61', '0', '0.00%', '2020-03-19 18:01:56'), (269, 1, 3, 1, 'Minnie mouse Styro (Minnie mouse Styro)', 'ea', '15', '0.00%', '0.00%', '15', '75', '0.00%', '2020-03-19 18:01:56'), (270, 1, 3, 1, 'Mint Chocolate Gelato (Mint Chocolate Gelato)', 'ea', '0', '0.00%', '0.00%', '123.2', '0', '0.00%', '2020-03-19 18:01:56'), (271, 1, 3, 1, 'Mionion Figurine L (Mionion Figurine L)', 'ea', '25', '0.00%', '0.00%', '25', '0', '0.00%', '2020-03-19 18:01:56'), (272, 1, 3, 1, 'MK Mini White (MK Mini White)', 'Pck', '145', '0.00%', '0.00%', '165.73', '0', '0.00%', '2020-03-19 18:01:56'), (273, 1, 3, 1, 'Moistcake big (Moistcake big )', 'ea', '257.37', '0.00%', '0.00%', '257.37', '0', '0.00%', '2020-03-19 18:01:56'), (274, 1, 3, 1, 'Moistcake small (Moistcake small )', 'ea', '134.69', '0.03%', '0.00%', '134.69', '538.76', '0.03%', '2020-03-19 18:01:56'), (275, 1, 3, 1, 'Moreau Wine 750ml (Moreau Wine 750ml/bot)', 'ML', '0.51', '0.00%', '0.00%', '0.51', '0', '0.00%', '2020-03-19 18:01:56'), (276, 1, 3, 1, 'Mr&Mrs Flower Acrylic Topper (Mr&Mrs Flower Acrylic Topper)', 'ea', '95', '0.00%', '0.00%', '95', '0', '0.00%', '2020-03-19 18:01:56'), (277, 1, 3, 1, 'Muscovado sugar (Muscovado sugar )', 'grms', '0.06', '0.00%', '0.00%', '0.06', '0', '0.00%', '2020-03-19 18:01:56'), (278, 1, 3, 1, 'Nescafe Blend&Brew( 30x28g) (Nescafe Blend&Brew( 30x28g))', 'ea', '5.46', '0.00%', '0.00%', '5.44', '0', '0.00%', '2020-03-19 18:01:56'), (279, 1, 3, 1, 'Nescafe Brew Original (Nescafe Brew Original 36pcs/pack)', 'ea', '5.44', '0.14%', '0.00%', '5.44033', '2284.94', '0.13%', '2020-03-19 18:01:56'), (280, 1, 3, 1, 'Nescafe Sticks 48x2g (Nescafe Sticks 48x2g)', 'ea', '1.9', '0.15%', '0.00%', '1.9', '2470', '0.15%', '2020-03-19 18:01:56'), (281, 1, 3, 1, 'Nestea House Blend 200gx12 (Nestea House Blend 200gx12)', 'ea', '189.53', '0.11%', '0.00%', '189.53', '1895.3', '0.11%', '2020-03-19 18:01:56'), (282, 1, 3, 1, 'Nestea Lemon 450g (Nestea Lemon 450g)', 'Pck', '169.95', '0.00%', '0.00%', '169.95', '0', '0.00%', '2020-03-19 18:01:56'), (283, 1, 3, 1, 'Nestea Restaurant Blend (Nestea Restaurant Blend)', 'ea', '2.83', '0.00%', '0.00%', '2.83', '0', '0.00%', '2020-03-19 18:01:56'), (284, 1, 3, 1, 'Nestea Restaurant Blend - 360g (Nestea Restaurant Blend (12x360g))', 'ea', '171.31', '0.00%', '0.00%', '195.64', '0', '0.00%', '2020-03-19 18:01:56'), (285, 1, 3, 1, 'Nestle Sour Cream 240g (Nestle Sour Cream 240g)', 'Pck', '90', '0.00%', '0.00%', '90', '0', '0.00%', '2020-03-19 18:01:56'), (286, 1, 3, 1, 'Orange Lemonade (Orange Lemonade)', 'ea', '43.83', '0.00%', '0.00%', '43.83', '0', '0.00%', '2020-03-19 18:01:56'), (287, 1, 3, 1, 'Oreo Cookies (Oreo Cookies)', 'ea', '39.5', '0.00%', '0.00%', '39.5', '0', '0.00%', '2020-03-19 18:01:56'), (288, 1, 3, 1, 'Oreo Cookies Cake (Oreo Cookies Cake)', 'ea', '15.71', '0.00%', '0.00%', '15.71', '0', '0.00%', '2020-03-19 18:01:56'), (289, 1, 3, 1, 'Oreo Crushed 454g (Oreo Crushed 454g)', 'Pck', '149.5', '0.00%', '0.00%', '149.67', '0', '0.00%', '2020-03-19 18:01:56'), (290, 1, 3, 1, 'Paper Doll Frozen/Cindy (Paper Doll Frozen/Cindy)', 'ea', '0', '0.00%', '0.00%', '20', '0', '0.00%', '2020-03-19 18:01:56'), (291, 1, 3, 1, 'Parchment Paper (Wilton) (Parchment Paper (Wilton))', 'Roll', '69.75', '0.00%', '0.00%', '279', '0', '0.00%', '2020-03-19 18:01:56'), (292, 1, 3, 1, 'Pastry Bag (Pastry Bag)', 'ea', '25', '0.00%', '0.00%', '25', '0', '0.00%', '2020-03-19 18:01:56'), (293, 1, 3, 1, 'Peppermint 750ml (Peppermint 750ml/bot)', 'Bot', '392', '0.05%', '0.00%', '392', '838.88', '0.05%', '2020-03-19 18:01:56'), (294, 1, 3, 1, 'Peppermint Foil Tbag (Peppermint Foil Tbag)', 'ea', '7', '0.00%', '0.00%', '7', '0', '0.00%', '2020-03-19 18:01:56'), (295, 1, 3, 1, 'Pike Place (Pike Place)', 'ea', '30.32', '-0.05%', '0.00%', '30.32', '-879.28', '-0.05%', '2020-03-19 18:01:56'), (296, 1, 3, 1, 'Pineapple fresh (Pineapple fresh )', 'grms', '0.02', '0.03%', '0.00%', '0.035', '719.95', '0.04%', '2020-03-19 18:01:56'), (297, 1, 3, 1, 'Pistacchio Gelato (Pistacchio Gelato)', 'ea', '89.6', '-0.01%', '0.00%', '110', '-220', '-0.01%', '2020-03-19 18:01:56'), (298, 1, 3, 1, 'Pistachio Pints (Pistachio Pints)', 'Tub', '358.4', '0.00%', '0.00%', '385', '0', '0.00%', '2020-03-19 18:01:56'), (299, 1, 3, 1, 'Plain Cake 12x12 (Plain Cake 12x12)', 'ea', '120.94', '0.00%', '0.00%', '120.94', '60.47', '0.00%', '2020-03-19 18:01:56'), (300, 1, 3, 1, 'Plastic coconut with fruits (Plastic coconut with fruits )', 'ea', '15', '0.01%', '0.00%', '15', '90', '0.01%', '2020-03-19 18:01:56'), (301, 1, 3, 1, 'Plastic Grass Assorted w/ Flowe (Plastic Grass Assorted w/ Flowe)', 'ea', '15', '0.01%', '0.00%', '0', '0', '0.00%', '2020-03-19 18:01:56'), (302, 1, 3, 1, 'Plastic Grass Asst. Accs (Plastic Grass Asst. Accs)', 'Kls', '650', '0.00%', '0.00%', '650', '0', '0.00%', '2020-03-19 18:01:56'), (303, 1, 3, 1, 'Plastic leaves (Plastic leaves )', 'ea', '9.98', '0.00%', '0.00%', '10', '0', '0.00%', '2020-03-19 18:01:56'), (304, 1, 3, 1, 'Plastic Leaves Big (Plastic Leaves Big)', 'ea', '15', '0.00%', '0.00%', '15', '0', '0.00%', '2020-03-19 18:01:56'), (305, 1, 3, 1, 'Pooh & Friends figurine (Pooh & Friends figurine )', 'ea', '75', '0.00%', '0.00%', '75', '75', '0.00%', '2020-03-19 18:01:56'), (306, 1, 3, 1, 'Pound Cake (Pound Cake - whole 8slices=17.60/slice)', 'ea', '140.78', '0.00%', '0.00%', '140.78', '0', '0.00%', '2020-03-19 18:01:56'), (307, 1, 3, 1, 'Powder Sugar (Powder Sugar)', 'grms', '0.1', '0.08%', '0.00%', '0.09', '1125', '0.07%', '2020-03-19 18:01:56'), (308, 1, 3, 1, 'Precut tissue (Precut tissue )', 'Roll', '85', '0.08%', '0.00%', '85', '1275', '0.08%', '2020-03-19 18:01:56'), (309, 1, 3, 1, 'Pretzels berry knots (Pretzels berry knots)', 'ea', '5.25', '0.00%', '0.00%', '5.25', '0', '0.00%', '2020-03-19 18:01:56'), (310, 1, 3, 1, 'Pretzels Berry Knots 28g (Pretzels Berry Knots 28g)', 'ea', '5.25', '0.00%', '0.00%', '5.25', '0', '0.00%', '2020-03-19 18:01:56'), (311, 1, 3, 1, 'Pretzels Choco Nuts (Pretzels Choco Nuts)', 'ea', '5.25', '0.00%', '0.00%', '5.25', '0', '0.00%', '2020-03-19 18:01:56'), (312, 1, 3, 1, 'Princess Fig. ( Imp) (Princess Fig. ( Imp))', 'ea', '65', '0.00%', '0.00%', '65', '0', '0.00%', '2020-03-19 18:01:56'), (313, 1, 3, 1, 'Princess figurine big (Princess figurine big )', 'ea', '45', '0.06%', '0.00%', '45', '990', '0.06%', '2020-03-19 18:01:56'), (314, 1, 3, 1, 'Princess figurine small (Princess figurine small )', 'ea', '30', '0.00%', '0.00%', '30', '0', '0.00%', '2020-03-19 18:01:56'), (315, 1, 3, 1, 'Princess Toppers (Princess Toppers)', 'ea', '20', '0.00%', '0.00%', '20', '0', '0.00%', '2020-03-19 18:01:56'), (316, 1, 3, 1, 'Pure Green Tbag (Pure Green Tbag)', 'ea', '5.6', '0.00%', '0.00%', '5.6', '0', '0.00%', '2020-03-19 18:01:56'), (317, 1, 3, 1, 'Rainbow Sprinkles (Rainbow Sprinkle)', 'grms', '0.35', '0.19%', '0.00%', '0.35', '3246.25', '0.19%', '2020-03-19 18:01:56'), (318, 1, 3, 1, 'RAM Hot Sauce 110ML (RAM Hot Sauce 110ML)', 'Bot', '15.69', '0.00%', '0.00%', '15.7', '0', '0.00%', '2020-03-19 18:01:56'), (319, 1, 3, 1, 'Red Cherry 595ml (Red Cherry 595ml)', 'Bot', '198', '0.00%', '0.00%', '198', '0', '0.00%', '2020-03-19 18:01:56'), (320, 1, 3, 1, 'Red Cherry w/ stem 1050 (Red Cherry w/ stem 1050ml)', 'Bot', '310.91', '0.00%', '0.00%', '310.91', '0', '0.00%', '2020-03-19 18:01:56'), (321, 1, 3, 1, 'Redman Gumpaste (Redman Gumpaste 1kg)', 'Kls', '389.68', '0.07%', '0.00%', '390', '1236.3', '0.07%', '2020-03-19 18:01:56'), (322, 1, 3, 1, 'Redman Gumpaste 500g (Redman Gumpaste 500g)', 'ea', '220', '0.18%', '0.00%', '220.1', '3026.38', '0.18%', '2020-03-19 18:01:56'), (323, 1, 3, 1, 'rice Wine 750ml (rice Wine 750ml)', 'Bot', '90.67', '0.00%', '0.00%', '105.6', '0', '0.00%', '2020-03-19 18:01:56'), (324, 1, 3, 1, 'RM solo cc green 20\'s 40pcs (RM solo cc green 20\'s 40pcs)', 'Pck', '120', '0.00%', '0.00%', '120', '0', '0.00%', '2020-03-19 18:01:56'), (325, 1, 3, 1, 'Rocky Road Cake (Rocky Road Cake)', 'ea', '44.16', '0.00%', '0.00%', '44.1588', '0', '0.00%', '2020-03-19 18:01:56'), (326, 1, 3, 1, 'Rosamary Leaf 60z (Rosamary Leaf 60z)', 'ea', '569', '0.00%', '0.00%', '569', '0', '0.00%', '2020-03-19 18:01:56'), (327, 1, 3, 1, 'Rose Toopick Violet (Rose Toopick Violet)', 'Pck', '20', '0.00%', '0.00%', '20', '0', '0.00%', '2020-03-19 18:01:56'), (328, 1, 3, 1, 'Rose Toothpick Green (Rose Toothpick Green)', 'Pck', '20', '0.00%', '0.00%', '20', '0', '0.00%', '2020-03-19 18:01:56'), (329, 1, 3, 1, 'Rose Toothpick Red (Rose Toothpick Red)', 'Pck', '20', '0.00%', '0.00%', '20', '0', '0.00%', '2020-03-19 18:01:56'), (330, 1, 3, 1, 'Rose Wire Green (Rose Wire Green)', 'Pck', '20', '0.00%', '0.00%', '20', '0', '0.00%', '2020-03-19 18:01:56'), (331, 1, 3, 1, 'Rose Wire Red (Rose Wire Red)', 'Pck', '20', '0.00%', '0.00%', '20', '0', '0.00%', '2020-03-19 18:01:56'), (332, 1, 3, 1, 'Royal Mismo (Royal Mismo)', 'ea', '12.08', '0.00%', '0.00%', '12.08333', '0', '0.00%', '2020-03-19 18:01:56'), (333, 1, 3, 1, 'ROYAL TRU ORANGE 330MLX24 (ROYAL TRU ORANGE 330MLX24)', 'Can', '23.71', '0.00%', '0.00%', '23.71', '0', '0.00%', '2020-03-19 18:01:56'), (334, 1, 3, 1, 'Sagu Black Bending Straw 100s/P (Sagu Black Bending Straw 100s/Pack)', 'ea', '2.35', '0.01%', '0.00%', '1.95', '68.25', '0.00%', '2020-03-19 18:01:56'), (335, 1, 3, 1, 'Salted Caramel Gelato (Salted Caramel Gelato)', 'ea', '72.8', '-0.02%', '0.00%', '123.2', '-492.8', '-0.03%', '2020-03-19 18:01:56'), (336, 1, 3, 1, 'Salted Caramel Pints (Salted Caramel Pints)', 'Tub', '336', '0.00%', '0.00%', '385', '0', '0.00%', '2020-03-19 18:01:56'), (337, 1, 3, 1, 'Sampaguita Leaves (Sampaguita Leaves)', 'ea', '19.2', '0.00%', '0.00%', '24', '0', '0.00%', '2020-03-19 18:01:56'), (338, 1, 3, 1, 'San Francisco (San Francisco)', 'ea', '15.59', '0.01%', '0.00%', '15.59', '93.54', '0.01%', '2020-03-19 18:01:56'), (339, 1, 3, 1, 'San Mig Pale Pilsen in Can (San Mig Pale Pilsen in Can)', 'ea', '44', '0.25%', '0.00%', '44', '4224', '0.25%', '2020-03-19 18:01:56'), (340, 1, 3, 1, 'San Miguel Light 330ml (San Miguel Light 330ml)', 'Can', '44', '0.06%', '0.00%', '44', '1056', '0.06%', '2020-03-19 18:01:56'), (341, 1, 3, 1, 'San Pelligrino Water (San Pelligrino Water)', 'Bot', '119.95', '0.04%', '0.00%', '119.95', '599.75', '0.04%', '2020-03-19 18:01:56'), (342, 1, 3, 1, 'Sando Bag Large (4 u) (Sando Bag Large (4 u))', 'ea', '0.78', '0.00%', '0.00%', '0.78', '0', '0.00%', '2020-03-19 18:01:56'), (343, 1, 3, 1, 'Savor Classic 130g (Savor Classic 130g)', 'ea', '35.55', '0.10%', '0.00%', '35.54792', '1635.2', '0.10%', '2020-03-19 18:01:56'), (344, 1, 3, 1, 'Selecta Vanilla Ice Cream 1.5L (Selecta Vanilla Ice Cream 1.5L)', 'Gal', '230', '0.00%', '0.00%', '230', '0', '0.00%', '2020-03-19 18:01:56'), (345, 1, 3, 1, 'Semi sweet chocolate (Semi sweet chocolate )', 'grms', '0.19', '0.00%', '0.00%', '0.19', '0', '0.00%', '2020-03-19 18:01:56'), (346, 1, 3, 1, 'Sliced Mushroom 400g Susan bake (Sliced Mushroom 400g Susan bake)', 'Can', '55', '0.00%', '0.00%', '49.1', '0', '0.00%', '2020-03-19 18:01:56'), (347, 1, 3, 1, 'Small Alpabet Cutter (Small Alpabet Cutter)', 'ea', '247', '0.00%', '0.00%', '247', '0', '0.00%', '2020-03-19 18:01:56'), (348, 1, 3, 1, 'Snow white figurine Imported (Snow white figurine Imported)', 'ea', '65', '0.00%', '0.00%', '65', '0', '0.00%', '2020-03-19 18:01:56'), (349, 1, 3, 1, 'SnowWhite Figurine ( Local) (SnowWhite Figurine ( Local))', 'ea', '32', '0.00%', '0.00%', '32', '0', '0.00%', '2020-03-19 18:01:56'), (350, 1, 3, 1, 'Sofia Figurine local (Sofia Figurine local)', 'ea', '44', '0.02%', '0.00%', '65', '455', '0.03%', '2020-03-19 18:01:56'), (351, 1, 3, 1, 'Spaghetti meat balls (Spaghetti meat balls )', 'Portion', '50.18', '0.00%', '0.00%', '50.18', '0', '0.00%', '2020-03-19 18:01:56'), (352, 1, 3, 1, 'Spaghetti Meatballs (Spaghetti Meatballs)', 'ea', '50.18', '0.12%', '0.00%', '50.18', '2057.38', '0.12%', '2020-03-19 18:01:56'), (353, 1, 3, 1, 'Sparkle Mismo (Sparkle Mismo)', 'ea', '12.08', '0.00%', '0.00%', '12.08333', '0', '0.00%', '2020-03-19 18:01:56'), (354, 1, 3, 1, 'Spiderman Figurine Imported (Spiderman Figurine Imported)', 'ea', '65', '0.00%', '0.00%', '55', '0', '0.00%', '2020-03-19 18:01:56'), (355, 1, 3, 1, 'Spiderman Figurine local (Spiderman Figurine local)', 'ea', '30.45', '0.01%', '0.00%', '30', '180', '0.01%', '2020-03-19 18:01:56'), (356, 1, 3, 1, 'Spiderman Styro (Spiderman Styro)', 'ea', '16', '0.01%', '0.00%', '16', '192', '0.01%', '2020-03-19 18:01:56'), (357, 1, 3, 1, 'Spongebob figurine (Spongebob figurine )', 'ea', '33.55', '0.02%', '0.00%', '33.55', '369.05', '0.02%', '2020-03-19 18:01:56'), (358, 1, 3, 1, 'Spongebob gumpaste (Spongebob gumpaste)', 'ea', '70', '0.00%', '0.00%', '70', '0', '0.00%', '2020-03-19 18:01:56'), (359, 1, 3, 1, 'Spongebob styro (Spongebob styro )', 'ea', '15', '0.01%', '0.00%', '15', '150', '0.01%', '2020-03-19 18:01:56'); INSERT INTO `eb_raw_materials` (`PK_raw_materials_id`, `FK_outlet_id`, `FK_category_id`, `status`, `material_name`, `unit`, `average_cost`, `asset_value`, `total_asset_percent`, `sales_price`, `retail_value`, `total_retail_percent`, `date_added`) VALUES (360, 1, 3, 1, 'Spring Rolls (Spring Rolls)', 'ea', '0', '0.00%', '0.00%', '3.92', '0', '0.00%', '2020-03-19 18:01:56'), (361, 1, 3, 1, 'Sprite 2L (Sprite 2L)', 'Bot', '41', '0.00%', '0.00%', '51.5', '0', '0.00%', '2020-03-19 18:01:56'), (362, 1, 3, 1, 'Sprite in can 330ml (Sprite in can 330ml)', 'Can', '24.92', '0.16%', '0.00%', '24.91667', '2666.08', '0.16%', '2020-03-19 18:01:56'), (363, 1, 3, 1, 'Sprite Mismo (Sprite Mismo)', 'ea', '12.08', '0.00%', '0.00%', '12.08333', '0', '0.00%', '2020-03-19 18:01:56'), (364, 1, 3, 1, 'Sriracha Hot Chili sauce 280z (Sriracha Hot Chili sauce 280z)', 'Bot', '243.57', '0.04%', '0.00%', '239', '693.1', '0.04%', '2020-03-19 18:01:56'), (365, 1, 3, 1, 'Sriracha HotChili 170z (Sriracha HotChili 170z)', 'Bot', '190', '0.00%', '0.00%', '190', '0', '0.00%', '2020-03-19 18:01:56'), (366, 1, 3, 1, 'Star Sprinkles (Star Sprinkles)', 'grms', '0.45', '0.00%', '0.00%', '0.45', '22.5', '0.00%', '2020-03-19 18:01:56'), (367, 1, 3, 1, 'Stick O 380g (Stick O 380g)', 'Tub', '57.75', '0.00%', '0.00%', '57.75', '57.75', '0.00%', '2020-03-19 18:01:56'), (368, 1, 3, 1, 'Stick O 480g (Stick O 480g)', 'ea', '0.55', '0.00%', '0.00%', '0.55', '0', '0.00%', '2020-03-19 18:01:56'), (369, 1, 3, 1, 'Stick O Big 850g (Stick O Big 850g)', 'Tub', '109.5', '0.02%', '0.00%', '109.5', '321.93', '0.02%', '2020-03-19 18:01:56'), (370, 1, 3, 1, 'Stirrer (Stirrer )', 'ea', '0.22', '0.00%', '0.00%', '0.2', '50', '0.00%', '2020-03-19 18:01:56'), (371, 1, 3, 1, 'Styro Castle (Styro Castle)', 'ea', '38', '0.00%', '0.00%', '38', '0', '0.00%', '2020-03-19 18:01:56'), (372, 1, 3, 1, 'Sunflower (Sunflower)', 'Pck', '18', '0.00%', '0.00%', '18', '0', '0.00%', '2020-03-19 18:01:56'), (373, 1, 3, 1, 'Superman figurine small (Superman figurine small )', 'ea', '26.91', '0.01%', '0.00%', '25', '225', '0.01%', '2020-03-19 18:01:56'), (374, 1, 3, 1, 'Superman styro (Superman styro )', 'ea', '15.91', '0.01%', '0.00%', '15', '135', '0.01%', '2020-03-19 18:01:56'), (375, 1, 3, 1, 'Sweet chili sauce-DM- 340 ml) (Sweet chili sauce-DM- 340 ml) )', 'Bot', '34.15', '0.00%', '0.00%', '33.73', '-33.73', '0.00%', '2020-03-19 18:01:56'), (376, 1, 3, 1, 'Take out sugar (Take out sugar )', 'Pck', '7.26', '0.02%', '0.00%', '44.1', '2447.55', '0.14%', '2020-03-19 18:01:56'), (377, 1, 3, 1, 'Tang Orange 350g/250g (Tang Orange 350g/250g)', 'Pck', '199.5', '0.00%', '0.00%', '199.5', '0', '0.00%', '2020-03-19 18:01:56'), (378, 1, 3, 1, 'Tang Orange 675g/525g (Tang Orange 675g/525g)', 'Pck', '263.12', '0.25%', '0.00%', '286.5', '4584', '0.27%', '2020-03-19 18:01:56'), (379, 1, 3, 1, 'Thor (Thor )', 'ea', '50', '0.00%', '0.00%', '50', '50', '0.00%', '2020-03-19 18:01:56'), (380, 1, 3, 1, 'Tigerstix choco 315g (Tigerstix choco 315g)', 'Pck', '0', '0.00%', '0.00%', '41.8', '0', '0.00%', '2020-03-19 18:01:56'), (381, 1, 3, 1, 'Tinker Bell Fig. Local (Tinker Bell Fig. Local)', 'ea', '30', '0.03%', '0.00%', '30', '510', '0.03%', '2020-03-19 18:01:56'), (382, 1, 3, 1, 'Tinker Bell Fig.Imp (Tinker Bell Fig.Imp)', 'ea', '65', '0.00%', '0.00%', '65', '0', '0.00%', '2020-03-19 18:01:56'), (383, 1, 3, 1, 'Tinker bell figurine (Tinker bell figurine )', 'ea', '60', '0.00%', '0.00%', '60', '0', '0.00%', '2020-03-19 18:01:56'), (384, 1, 3, 1, 'Tinker bell styro (Tinker bell styro )', 'ea', '16', '0.02%', '0.00%', '16', '304', '0.02%', '2020-03-19 18:01:56'), (385, 1, 3, 1, 'Tiramizu cake (Tiramizu cake )', 'ea', '19.92', '0.00%', '0.00%', '19.92', '0', '0.00%', '2020-03-19 18:01:56'), (386, 1, 3, 1, 'Toasted Marshmallow (Toasted Marshmallow 750ml)', 'Bot', '392', '0.06%', '0.00%', '392', '964.32', '0.06%', '2020-03-19 18:01:56'), (387, 1, 3, 1, 'Toothpick (Toothpick )', 'ea', '0.09', '0.01%', '0.00%', '0.21', '378.84', '0.02%', '2020-03-19 18:01:56'), (388, 1, 3, 1, 'Torani Almond Rocca syrup(750ml (Torani Almond Rocca syrup(750ml) )', 'Bot', '392', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (389, 1, 3, 1, 'Torani Blackberry syrup (Torani Blackberry syrup )', 'Bot', '0', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (390, 1, 3, 1, 'Torani Cheesecake syrup (Torani Cheesecake syrup )', 'Bot', '392', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (391, 1, 3, 1, 'Torani Chocolate macademia nut( (Torani Chocolate macademia nut( 750 ml) )', 'Bot', '392', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (392, 1, 3, 1, 'Torani Creme De Banana (750ml) (Torani Creme De Banana (750ml))', 'Bot', '392', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (393, 1, 3, 1, 'Torani Creme de cacao syrup(750 (Torani Creme de cacao syrup(750ml) )', 'Bot', '392', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (394, 1, 3, 1, 'Torani French Vanilla syrup(750 (Torani French Vanilla syrup(750ml) )', 'Bot', '0', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (395, 1, 3, 1, 'Torani Grenadine syrup(750ml) (Torani Grenadine syrup(750ml) )', 'Bot', '198', '0.00%', '0.00%', '198', '0', '0.00%', '2020-03-19 18:01:56'), (396, 1, 3, 1, 'Torani Kiwi syrup (Torani Kiwi syrup )', 'Bot', '0', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (397, 1, 3, 1, 'Torani Mapple syrup (Torani Mapple syrup )', 'Bot', '392', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (398, 1, 3, 1, 'Torani Raspberry syrup (Torani Raspberry syrup )', 'Bot', '392', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (399, 1, 3, 1, 'Torani Strawberry syrup (Torani Strawberry syrup )', 'Bot', '392', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (400, 1, 3, 1, 'Torani Tangerine syrup (Torani Tangerine syrup )', 'Bot', '392', '0.00%', '0.00%', '392', '0', '0.00%', '2020-03-19 18:01:56'), (401, 1, 3, 1, 'UFC Hot Sauce 100g (UFC Hot Sauce 100g)', 'Bot', '15.7', '0.00%', '0.00%', '16.55', '0', '0.00%', '2020-03-19 18:01:56'), (402, 1, 3, 1, 'Umbrella picks (Umbrella picks)', 'ea', '1.46', '0.04%', '0.00%', '1.94', '838.08', '0.05%', '2020-03-19 18:01:56'), (403, 1, 3, 1, 'US Lemon (US Lemon)', 'ea', '21.85', '0.14%', '0.00%', '25', '2750', '0.16%', '2020-03-19 18:01:56'), (404, 1, 3, 1, 'Vanilla Pints (Vanilla Pints)', 'Tub', '336', '0.00%', '0.00%', '385', '0', '0.00%', '2020-03-19 18:01:56'), (405, 1, 3, 1, 'Vanilla Single Serve (Vanilla Single Serving)', 'ea', '72.8', '0.00%', '0.00%', '110', '0', '0.00%', '2020-03-19 18:01:56'), (406, 1, 3, 1, 'Viva Mineral Water (Viva Mineral Water)', 'Bot', '0', '0.00%', '0.00%', '10.42', '0', '0.00%', '2020-03-19 18:01:56'), (407, 1, 3, 1, 'Wafer Strawberry vanila 20\'s (Wafer Strawberry vanila 20\'s)', 'Pck', '35.15', '0.00%', '0.00%', '35.15', '14.06', '0.00%', '2020-03-19 18:01:56'), (408, 1, 3, 1, 'Waterade 500ml (Waterade 500ml)', 'Bot', '30', '0.00%', '0.00%', '9.5', '0', '0.00%', '2020-03-19 18:01:56'), (409, 1, 3, 1, 'Wedding Cupcake Topper (Wedding Cupcake Topper)', 'ea', '77', '0.00%', '0.00%', '77', '0', '0.00%', '2020-03-19 18:01:56'), (410, 1, 3, 1, 'White Banana Fondant 1kg (White Banana Fondant 1kg)', 'Kls', '249', '0.03%', '0.00%', '249', '557.76', '0.03%', '2020-03-19 18:01:56'), (411, 1, 3, 1, 'Whole Almonds (Whole Almonds)', 'Kls', '740', '0.00%', '0.00%', '740', '0', '0.00%', '2020-03-19 18:01:56'), (412, 1, 3, 1, 'Yema Chilled Cake (Yema Chilled Cake)', 'ea', '19.04', '0.00%', '0.00%', '19.03875', '0', '0.00%', '2020-03-19 18:01:56'), (413, 1, 3, 1, 'Zest O Mango Juice 10s (Zest O Mango Juice 10s)', 'ea', '7.81', '0.06%', '0.00%', '7.81', '1015.3', '0.06%', '2020-03-19 18:01:56'), (414, 1, 3, 1, 'Zest O Orange Juice 10s (Zest O Orange Juice 10s)', 'ea', '7.81', '0.00%', '0.00%', '7.805', '0', '0.00%', '2020-03-19 18:01:56'), (415, 1, 5, 1, 'Ajinomoto 9gx21s (Ajinomoto 9gx21s)', 'ea', '1.71', '0', '0.00%', '1.71', '0', '0.00%', '2020-03-19 18:05:24'), (416, 1, 5, 1, 'All Spiced 32g/Bottle (All Spiced 32g/Bottle)', '', '62.4', '0', '0.00%', '62.4', '0', '0.00%', '2020-03-19 18:05:24'), (417, 1, 5, 1, 'Almond Sliced (Almond Sliced 100gms/pack)', 'grms', '0.82', '0', '0.00%', '1.07', '0', '0.00%', '2020-03-19 18:05:24'), (418, 1, 5, 1, 'Aluminum Foil (Aluminum Foil)', 'Roll', '623.05', '1246.1', '0.07%', '750', '1500', '0.09%', '2020-03-19 18:05:24'), (419, 1, 5, 1, 'Anchovies (Anchovies 365g/Can)', 'grms', '0.1', '37.6', '0.00%', '1.53', '558.45', '0.03%', '2020-03-19 18:05:24'), (420, 1, 5, 1, 'Angel Condensed Milk 330g (Angel Condensed Milk 330g)', 'Can', '46.51', '0', '0.00%', '46.51', '0', '0.00%', '2020-03-19 18:05:24'), (421, 1, 5, 1, 'Apple (Apple)', 'ea', '25', '3100', '0.18%', '30', '3720', '0.22%', '2020-03-19 18:05:24'), (422, 1, 5, 1, 'Argentina Corned Beef 150g (Argentina Corned Beef 150g)', 'Can', '42.2', '0', '0.00%', '50', '0', '0.00%', '2020-03-19 18:05:24'), (423, 1, 5, 1, 'Argentina Corned beef 175g (Argentina Corned beef 175g)', 'Can', '33.47', '0', '0.00%', '33.47', '0', '0.00%', '2020-03-19 18:05:24'), (424, 1, 5, 1, 'Asparagus (Asparagus)', 'Kls', '123.06', '463.95', '0.03%', '200', '754', '0.04%', '2020-03-19 18:05:24'), (425, 1, 5, 1, 'Avocado (Avocado)', 'Kls', '63.8', '1200', '0.07%', '90', '1692.9', '0.10%', '2020-03-19 18:05:24'), (426, 1, 5, 1, 'Baby Carrots (Baby Carrots)', 'Kls', '25.42', '30', '0.00%', '45', '53.1', '0.00%', '2020-03-19 18:05:24'), (427, 1, 5, 1, 'Bacon (Bacon)', 'Kls', '360', '6840', '0.41%', '360', '6840', '0.40%', '2020-03-19 18:05:24'), (428, 1, 5, 1, 'Baguio Beans (Baguio Beans)', 'Pck', '15.92', '35.35', '0.00%', '15', '33.3', '0.00%', '2020-03-19 18:05:24'), (429, 1, 5, 1, 'Baguio Beans /kl (Baguio Beans /kl)', 'Kls', '37.33', '28', '0.00%', '80', '60', '0.00%', '2020-03-19 18:05:24'), (430, 1, 5, 1, 'Balsamic Vinegar 1L (Balsamic Vinegar 1L)', 'Gal', '372', '0', '0.00%', '372', '0', '0.00%', '2020-03-19 18:05:24'), (431, 1, 5, 1, 'Banana Blossom (Banana Blossom)', 'ea', '5', '40', '0.00%', '10', '80', '0.01%', '2020-03-19 18:05:24'), (432, 1, 5, 1, 'Barilis (Barilis)', 'grms', '0.4', '0', '0.00%', '0.48', '0', '0.00%', '2020-03-19 18:05:24'), (433, 1, 5, 1, 'Basil (Basil)', 'Kls', '400', '60', '0.00%', '400', '60', '0.00%', '2020-03-19 18:05:24'), (434, 1, 5, 1, 'BBQ Marinated Clara Ole (BBQ Marinated Clara Ole 225g/Pack)', 'Pck', '0', '0', '0.00%', '35.15', '0', '0.00%', '2020-03-19 18:05:24'), (435, 1, 5, 1, 'BBQ Marinated sauce Hickory (BBQ Marinated sauce Hickory 225g/Pack)', 'Pck', '36.07', '288.55', '0.02%', '36.07', '288.56', '0.02%', '2020-03-19 18:05:24'), (436, 1, 5, 1, 'BBQ Marinated sauce Mamasitas (BBQ Marinated sauce Mamasitas 680ml/Bot)', 'Bot', '97.1', '0', '0.00%', '97.1', '0', '0.00%', '2020-03-19 18:05:24'), (437, 1, 5, 1, 'BBQ Sauce Hickory 180z (BBQ Sauce Hickory 180z)', 'Can', '129.95', '0', '0.00%', '129.95', '0', '0.00%', '2020-03-19 18:05:24'), (438, 1, 5, 1, 'Beef & Herbs Gravy 30g (Beef & Herbs Gravy 30g/pck)', 'Pck', '20.95', '167.6', '0.01%', '20.95', '167.6', '0.01%', '2020-03-19 18:05:24'), (439, 1, 5, 1, 'Beef Cubes (Beef Cubes Beef Cubes 60pcsx10gms/pail)', 'ea', '4.33', '2335.5', '0.14%', '4.38', '2365.2', '0.14%', '2020-03-19 18:05:24'), (440, 1, 5, 1, 'Beef Giniling (Beef Giniling)', 'Kls', '290', '0', '0.00%', '290', '0', '0.00%', '2020-03-19 18:05:24'), (441, 1, 5, 1, 'Beef Tapa (Beef Tapa)', 'Kls', '655', '7711.97', '0.46%', '510', '6004.74', '0.35%', '2020-03-19 18:05:24'), (442, 1, 5, 1, 'Beef Tapa Marinated (Beef Tapa Marinated)', 'Kls', '436.52', '0', '0.00%', '436.52', '0', '0.00%', '2020-03-19 18:05:24'), (443, 1, 5, 1, 'Beef Tocino (Beef Tocino)', 'Kls', '299.97', '984.5', '0.06%', '300', '984.6', '0.06%', '2020-03-19 18:05:24'), (444, 1, 5, 1, 'Beefies Lots of Cheese Regular (Beefies Lots of Cheese Regular)', 'Kls', '165.39', '489.22', '0.03%', '167', '493.99', '0.03%', '2020-03-19 18:05:24'), (445, 1, 5, 1, 'Bell Pepper (Bell Pepper)', 'grms', '0.08', '164.62', '0.01%', '0.1', '197.2', '0.01%', '2020-03-19 18:05:24'), (446, 1, 5, 1, 'Best Yet Swt Relish 160z (Best Yet Swt Relish 160z)', 'Bot', '149.95', '0', '0.00%', '149.95', '0', '0.00%', '2020-03-19 18:05:24'), (447, 1, 5, 1, 'Big Bihon Red 500g (Big Bihon Red 500g)', 'Pck', '30.2', '302', '0.02%', '30.2', '302', '0.02%', '2020-03-19 18:05:24'), (448, 1, 5, 1, 'Big Family Bihon 125g (Big Family Bihon 125g)', 'Pck', '8.4', '58.8', '0.00%', '8.4', '58.8', '0.00%', '2020-03-19 18:05:24'), (449, 1, 5, 1, 'Big Family Bihon 1kl (Big Family Bihon 1kl)', 'Pck', '58.8', '58.8', '0.00%', '58.8', '58.8', '0.00%', '2020-03-19 18:05:24'), (450, 1, 5, 1, 'Big Family Bihon 250g (Big Family Bihon 250g)', 'Pck', '15', '0', '0.00%', '15.75', '0', '0.00%', '2020-03-19 18:05:24'), (451, 1, 5, 1, 'Black Beans (Black Beans)', 'Can', '25.25', '75.74', '0.00%', '26.05', '78.15', '0.01%', '2020-03-19 18:05:24'), (452, 1, 5, 1, 'Black Olive Slice 165g (Black Olive Slice 165g/bot)', 'ML', '0.25', '0', '0.00%', '0.35', '0', '0.00%', '2020-03-19 18:05:24'), (453, 1, 5, 1, 'Black Olive Slice 310g (Black Olive Slice 310g/bot)', 'grms', '0.27', '0', '0.00%', '0.29', '0', '0.00%', '2020-03-19 18:05:24'), (454, 1, 5, 1, 'Black Olives 140g (Black Olives 140g)', 'Bot', '54.1', '54.1', '0.00%', '54.1', '54.1', '0.00%', '2020-03-19 18:05:24'), (455, 1, 5, 1, 'Black Olives 330g (Black Olives 330g)', 'Bot', '83', '0', '0.00%', '83', '0', '0.00%', '2020-03-19 18:05:24'), (456, 1, 5, 1, 'Black Pepper (Black Pepper 500/pck)', 'grms', '0.95', '0', '0.00%', '0.94', '0', '0.00%', '2020-03-19 18:05:24'), (457, 1, 5, 1, 'Black Pepper 250g (Black Pepper 250g/pck)', 'grms', '0.86', '864.54', '0.05%', '0.85', '850', '0.05%', '2020-03-19 18:05:24'), (458, 1, 5, 1, 'Black Pepper 50g (Black Pepper 50g)', 'Bot', '51.5', '51.5', '0.00%', '48.8', '48.8', '0.00%', '2020-03-19 18:05:24'), (459, 1, 5, 1, 'Black Pepper Powder1kg (Black Pepper 1kg)', 'Kls', '728', '728', '0.04%', '985', '985', '0.06%', '2020-03-19 18:05:24'), (460, 1, 5, 1, 'Bread Crums (new) 500g (Bread Crums white 500g)', 'Pck', '28.3', '0', '0.00%', '30.43', '0', '0.00%', '2020-03-19 18:05:24'), (461, 1, 5, 1, 'Bulalo (Bulalo)', 'Kls', '220.07', '954', '0.06%', '230.08', '997.4', '0.06%', '2020-03-19 18:05:24'), (462, 1, 5, 1, 'Cabbage (Cabbage)', 'Kls', '71.13', '0', '0.00%', '50', '0', '0.00%', '2020-03-19 18:05:24'), (463, 1, 5, 1, 'Caesar dressing (Caesar dressing )', 'grms', '0.2', '175.2', '0.01%', '0.2', '175.2', '0.01%', '2020-03-19 18:05:24'), (464, 1, 5, 1, 'Carrots (Carrots)', 'grms', '0.04', '167.53', '0.01%', '0.06', '233.88', '0.01%', '2020-03-19 18:05:24'), (465, 1, 5, 1, 'Cashew Nuts (Cashew Nuts)', 'grms', '0.48', '0', '0.00%', '0.48', '0', '0.00%', '2020-03-19 18:05:24'), (466, 1, 5, 1, 'CDO Liver Spread (CDO Liver Spread)', 'Can', '16.5', '66', '0.00%', '44.5', '178', '0.01%', '2020-03-19 18:05:24'), (467, 1, 5, 1, 'Cebu Dried Mango 100g 3s ( Dried Mango 100g 3s)', 'Pck', '134.1', '402.3', '0.02%', '192.65', '577.95', '0.03%', '2020-03-19 18:05:24'), (468, 1, 5, 1, 'Cebu Dried Mango Chip 50g (Cebu Dried Mango Chip 50g)', 'Pck', '35.15', '281.2', '0.02%', '35.15', '281.2', '0.02%', '2020-03-19 18:05:24'), (469, 1, 5, 1, 'Celery (Celery)', 'grms', '0.11', '13', '0.00%', '0.13', '15.6', '0.00%', '2020-03-19 18:05:24'), (470, 1, 5, 1, 'Cellophane 8x14/ smoked celloph (Cellophane 8x14/ smoked cellophane)', 'Pck', '26.39', '52.77', '0.00%', '14.15', '28.3', '0.00%', '2020-03-19 18:05:24'), (471, 1, 5, 1, 'Cems Honey Brand 500g (Cems Honey Brand 500g)', 'Bot', '147.75', '0', '0.00%', '147.75', '0', '0.00%', '2020-03-19 18:05:24'), (472, 1, 5, 1, 'Century Tuna Solid in Oil 184g (Century Tuna Solid in Oil 184g)', 'Can', '70.2', '0', '0.00%', '70.2', '0', '0.00%', '2020-03-19 18:05:24'), (473, 1, 5, 1, 'Cenury Tuna Chunks inWater 184g (Cenury Tuna Chunks inWater 184g)', 'Can', '60.15', '2345.85', '0.14%', '60.7', '2367.3', '0.14%', '2020-03-19 18:05:24'), (474, 1, 5, 1, 'Cheese Powder (Cheese Powder 100g/pck)', 'grms', '0.1', '66.3', '0.00%', '0.35', '227.5', '0.01%', '2020-03-19 18:05:24'), (475, 1, 5, 1, 'Cheese Powder 50g (Cheese Powder 50g)', 'Pck', '26.5', '0', '0.00%', '26.5', '0', '0.00%', '2020-03-19 18:05:24'), (476, 1, 5, 1, '<NAME> (<NAME>)', 'grms', '0.06', '0', '0.00%', '0.06', '0', '0.00%', '2020-03-19 18:05:24'), (477, 1, 5, 1, '<NAME> (Cherry Tomatoe)', 'Kls', '27.99', '0', '0.00%', '28', '0', '0.00%', '2020-03-19 18:05:24'), (478, 1, 5, 1, 'Chicharon (Chicharon)', 'grms', '0.68', '0', '0.00%', '0.3', '0', '0.00%', '2020-03-19 18:05:24'), (479, 1, 5, 1, 'Chicken Breast (Chicken Breast)', 'Kls', '224.31', '10335.75', '0.61%', '195', '8985.21', '0.53%', '2020-03-19 18:05:24'), (480, 1, 5, 1, 'Chicken Breast Fillet (Chicken Breast Fillet)', 'Kls', '265.71', '15830.25', '0.94%', '275', '16383.95', '0.96%', '2020-03-19 18:05:24'), (481, 1, 5, 1, 'Chicken Cubes (Chicken Cubes)', 'ea', '4.3', '2736.92', '0.16%', '4.30333', '2736.92', '0.16%', '2020-03-19 18:05:24'), (482, 1, 5, 1, 'Chicken Drumstick (Chicken Drumstick)', 'Kls', '192', '0', '0.00%', '190', '0', '0.00%', '2020-03-19 18:05:24'), (483, 1, 5, 1, 'Chicken Drumstick w/ Thigh (Chicken Drumstick w/ Thigh)', 'Kls', '150', '0', '0.00%', '235', '0', '0.00%', '2020-03-19 18:05:24'), (484, 1, 5, 1, 'Chicken Powder (Chicken Powder)', 'grms', '0.35', '826.03', '0.05%', '0.3506', '823.91', '0.05%', '2020-03-19 18:05:24'), (485, 1, 5, 1, 'Chicken Thigh (Chicken Thigh)', 'Kls', '180.01', '1844.75', '0.11%', '190', '1947.12', '0.11%', '2020-03-19 18:05:24'), (486, 1, 5, 1, 'Chicken Tocino (Chicken Tocino)', 'Kls', '319.5', '1597.49', '0.10%', '360', '1800', '0.11%', '2020-03-19 18:05:24'), (487, 1, 5, 1, 'Chicken Wings (Chicken Wings)', 'Kls', '175.43', '1391.55', '0.08%', '163', '1292.916', '0.08%', '2020-03-19 18:05:24'), (488, 1, 5, 1, 'Chili Flakes (Chili Flakes)', 'Bot', '24.12', '24.12', '0.00%', '28.75', '28.75', '0.00%', '2020-03-19 18:05:24'), (489, 1, 5, 1, 'Chili Powder 30g (Chili Powder 30g)', 'Bot', '21.5', '21.5', '0.00%', '24.75', '24.75', '0.00%', '2020-03-19 18:05:24'), (490, 1, 5, 1, 'Chili Powder 50g (Chili Powder 50g)', 'Pck', '17.5', '0', '0.00%', '17.5', '0', '0.00%', '2020-03-19 18:05:24'), (491, 1, 5, 1, 'Chorizo (Chorizo)', 'Pck', '40', '0', '0.00%', '50', '0', '0.00%', '2020-03-19 18:05:24'), (492, 1, 5, 1, 'Clams (Clams)', 'grms', '0.06', '30', '0.00%', '0.06', '30', '0.00%', '2020-03-19 18:05:24'), (493, 1, 5, 1, '<NAME> (<NAME>)', 'ea', '0', '0', '0.00%', '88.94', '0', '0.00%', '2020-03-19 18:05:24'), (494, 1, 5, 1, 'Clara Ole BBQ Marinade Hickory (Clara Ole BBQ Marinade Hickory 225g)', 'Pck', '38.25', '153', '0.01%', '35.15', '140.6', '0.01%', '2020-03-19 18:05:24'), (495, 1, 5, 1, 'Clara Ole Carbonara 200g (Clara Ole Carbonara)', 'Can', '32.07', '705.57', '0.04%', '30.75', '676.5', '0.04%', '2020-03-19 18:05:24'), (496, 1, 5, 1, 'Clara Ole Mrchno Chrs 280g (Clara Ole Mrchno Chrs 280g)', 'ea', '109.4', '0', '0.00%', '109.4', '0', '0.00%', '2020-03-19 18:05:24'), (497, 1, 5, 1, 'Clara Ole Tomato Sauce 250g (Clara Ole Tomato Sauce 250g)', 'Bot', '18.17', '454.29', '0.03%', '18.2', '455', '0.03%', '2020-03-19 18:05:24'), (498, 1, 5, 1, 'Coco Milk (Coco Milk)', 'grms', '0.08', '160', '0.01%', '0.08', '160', '0.01%', '2020-03-19 18:05:24'), (499, 1, 5, 1, 'Colicot (Colicot )', 'grms', '0.12', '124.78', '0.01%', '0.13', '137.54', '0.01%', '2020-03-19 18:05:24'), (500, 1, 5, 1, 'Corn Oil (New) (Corn Oil (New))', 'ML', '0.11', '1950.07', '0.12%', '0.11471', '1950.07', '0.11%', '2020-03-19 18:05:24'), (501, 1, 5, 1, 'Cotan Black Pepper 500g (Cotan Black Pepper 500g)', 'Pck', '364', '0', '0.00%', '364', '0', '0.00%', '2020-03-19 18:05:24'), (502, 1, 5, 1, 'Cranberries 100g (Cranberries 100g)', 'grms', '0.29', '592.76', '0.04%', '0.3015', '618.08', '0.04%', '2020-03-19 18:05:24'), (503, 1, 5, 1, 'Cranberries Dried Fruit 213g (Cranberries Dried Fruit 213g)', 'Bot', '189.95', '0', '0.00%', '189.95', '0', '0.00%', '2020-03-19 18:05:24'), (504, 1, 5, 1, 'Crapers in Vinegar Dona Elena (Crapers in Vinegar Dona Elena 340/bot)', 'Bot', '139.63', '0', '0.00%', '147.75', '0', '0.00%', '2020-03-19 18:05:24'), (505, 1, 5, 1, 'Cream Dory Fillet (Cream Dory Fillet)', 'Kls', '105', '2100', '0.13%', '125', '2500', '0.15%', '2020-03-19 18:05:24'), (506, 1, 5, 1, 'Crepe dough (Crepe dough )', 'grms', '0.09', '0', '0.00%', '0.09164', '0', '0.00%', '2020-03-19 18:05:24'), (507, 1, 5, 1, 'CS Edcor Swt Pears 2s (CS Edcor Swt Pears 2s)', 'Pck', '90.65', '0', '0.00%', '148', '0', '0.00%', '2020-03-19 18:05:24'), (508, 1, 5, 1, 'CS Fuji Apple 32@ (CS Fuji Apple 32@)', 'ea', '54', '0', '0.00%', '54', '0', '0.00%', '2020-03-19 18:05:24'), (509, 1, 5, 1, 'CS Green Apple 2s (CS Green Apple 2s)', 'ea', '37.5', '0', '0.00%', '37.5', '0', '0.00%', '2020-03-19 18:05:24'), (510, 1, 5, 1, 'Cucumber (Cucumber)', 'Kls', '33.99', '1474.99', '0.09%', '40', '1736', '0.10%', '2020-03-19 18:05:24'), (511, 1, 5, 1, 'Curry Powder (Curry Powder 539g/can)', 'grms', '1.22', '0', '0.00%', '1.22', '0', '0.00%', '2020-03-19 18:05:24'), (512, 1, 5, 1, '<NAME> (D<NAME>)', 'ea', '5', '2.8', '0.00%', '5', '2.8', '0.00%', '2020-03-19 18:05:24'), (513, 1, 5, 1, '<NAME> (D<NAME>)', 'Pck', '5', '20', '0.00%', '5', '20', '0.00%', '2020-03-19 18:05:24'), (514, 1, 5, 1, '<NAME> (Dah<NAME>)', 'grms', '0.03', '0', '0.00%', '0.03', '0', '0.00%', '2020-03-19 18:05:24'), (515, 1, 5, 1, 'Datu Puti Soy Sauce (Datu Puti Soy Sauce 2L (1.893L))', 'ML', '78.7', '393.5', '0.02%', '73', '365', '0.02%', '2020-03-19 18:05:24'), (516, 1, 5, 1, 'Datu Puti Vinegar (Datu Puti Vinegar 1 gal (3.785ltrs))', 'Gal', '137.6', '68.8', '0.00%', '115.8', '57.9', '0.00%', '2020-03-19 18:05:24'), (517, 1, 5, 1, 'Datu Soy Sauce 4L/3.785 (Datu Soy Sauce 4L/3.785)', 'Gal', '139.85', '0', '0.00%', '139.85', '0', '0.00%', '2020-03-19 18:05:24'), (518, 1, 5, 1, 'DE Sliced Black Olives 330g (DE Sliced Black Olives 330g)', 'Can', '76.65', '0', '0.00%', '76.65', '0', '0.00%', '2020-03-19 18:05:24'), (519, 1, 5, 1, 'Del Monte Spaghetti 1kg (Del Monte Spaghetti 1kg)', 'Kls', '82.6', '743.4', '0.04%', '81.8', '736.2', '0.04%', '2020-03-19 18:05:24'), (520, 1, 5, 1, 'Diamond Sliced Almonds (Diamond Sliced Almonds)', 'Pck', '399', '0', '0.00%', '399.95', '0', '0.00%', '2020-03-19 18:05:24'), (521, 1, 5, 1, 'DM Olive Oil 250ML (DM Olive Oil 250ML)', 'Bot', '154.3', '0', '0.00%', '154.3', '0', '0.00%', '2020-03-19 18:05:24'), (522, 1, 5, 1, 'DM Olive Oil 500ml (DM Olive Oil 500ml)', '', '272.6', '0', '0.00%', '272.6', '0', '0.00%', '2020-03-19 18:05:24'), (523, 1, 5, 1, 'DM Spag 560g/500g (DM Spag 560g/500g)', 'Pck', '56.06', '0', '0.00%', '56.05', '0', '0.00%', '2020-03-19 18:05:24'), (524, 1, 5, 1, 'DM Spaghetti 900g (DM Spaghetti 900g)', 'Pck', '76.7', '0', '0.00%', '76.7', '0', '0.00%', '2020-03-19 18:05:24'), (525, 1, 5, 1, 'Dm Sweet Chili Sauce 120z (Dm Sweet Chili Sauce 120z)', 'Bot', '32.05', '0', '0.00%', '35.4', '0', '0.00%', '2020-03-19 18:05:24'), (526, 1, 5, 1, 'Dolphin Bihon 1kl (Dolphin Bihon 1kl)', 'Kls', '53.55', '0', '0.00%', '53.55', '0', '0.00%', '2020-03-19 18:05:24'), (527, 1, 5, 1, 'Dolphin Bihon 200g (Dolphin Bihon 200g)', 'Pck', '11.2', '0', '0.00%', '11.2', '0', '0.00%', '2020-03-19 18:05:24'), (528, 1, 5, 1, 'Dolphin Golden Bihon 400g (Dolphin Golden Bihon 400g)', 'Pck', '22.75', '0', '0.00%', '22.75', '0', '0.00%', '2020-03-19 18:05:24'), (529, 1, 5, 1, 'Dona Elena Al Dante Fettu 500g (Dona Elena Al Dante Fettu 500g)', 'Pck', '69.75', '0', '0.00%', '69.75', '0', '0.00%', '2020-03-19 18:05:24'), (530, 1, 5, 1, 'Dona Elena Capers Vinegar 100g (Dona Elena Capers Vinegar 100g)', 'Bot', '71.3', '71.3', '0.00%', '71.3', '71.3', '0.00%', '2020-03-19 18:05:24'), (531, 1, 5, 1, 'Dona Elena Flt Flt 365g (Dona Elena Flt Flt 365g)', 'Bot', '633.2', '633.2', '0.04%', '633.2', '633.2', '0.04%', '2020-03-19 18:05:24'), (532, 1, 5, 1, 'Dona Elena Olive Oil 250ml (Dona Elena Olive Oil 250ml)', 'Bot', '137.85', '0', '0.00%', '137.85', '0', '0.00%', '2020-03-19 18:05:24'), (533, 1, 5, 1, 'Dona Elena Olive Oil 500ml (Dona Elena Olive Oil 500ml)', 'Gal', '245.85', '0', '0.00%', '253.02', '0', '0.00%', '2020-03-19 18:05:24'), (534, 1, 5, 1, 'Dried Mango 50g (Dried Mango 50g)', 'Pck', '168.7', '0', '0.00%', '168.7', '0', '0.00%', '2020-03-19 18:05:24'), (535, 1, 5, 1, 'Durian Jam (Durian Jam)', 'grms', '0.4', '893.85', '0.05%', '0.39474', '876.32', '0.05%', '2020-03-19 18:05:24'), (536, 1, 5, 1, 'Durian Preserve CS Jeya (Durian Preserve CS Jeya 120oz/ 340g)', 'Bot', '150', '0', '0.00%', '150', '0', '0.00%', '2020-03-19 18:05:24'), (537, 1, 5, 1, 'Durian Preserve CS Neneng 380g (Durian Preserve CS Neneng 380g/bot)', 'Bot', '134', '0', '0.00%', '134', '0', '0.00%', '2020-03-19 18:05:24'), (538, 1, 5, 1, 'Durian Whole (Durian Whole)', 'Kls', '158.84', '2049', '0.12%', '80', '1032', '0.06%', '2020-03-19 18:05:24'), (539, 1, 5, 1, 'Egg Noodles (Egg Noodles)', 'Pck', '93', '0', '0.00%', '93', '0', '0.00%', '2020-03-19 18:05:24'), (540, 1, 5, 1, 'equal Powder 50g (equal Powder 50g)', 'Pck', '137.95', '0', '0.00%', '137.95', '0', '0.00%', '2020-03-19 18:05:24'), (541, 1, 5, 1, 'French Fries (French Fries)', 'grms', '0.1', '3919.85', '0.23%', '0.095', '3911.53', '0.23%', '2020-03-19 18:05:24'), (542, 1, 5, 1, 'Frozen Durian (Frozen Durian)', 'Pck', '200', '0', '0.00%', '200', '0', '0.00%', '2020-03-19 18:05:24'), (543, 1, 5, 1, 'Garlic (Garlic )', 'grms', '0.18', '2450.03', '0.15%', '0.095', '1330', '0.08%', '2020-03-19 18:05:24'), (544, 1, 5, 1, 'Garlic Fried 1 kg (Garlic Fried 1 kg)', 'grms', '0', '0', '0.00%', '0.27313', '0', '0.00%', '2020-03-19 18:05:24'), (545, 1, 5, 1, 'Garlic Granulated (Garlic Granulated 45g/bot)', 'Bot', '71.37', '0', '0.00%', '71.36', '0', '0.00%', '2020-03-19 18:05:24'), (546, 1, 5, 1, 'Garlic Powder 100g (Garlic Powder 100g)', 'Pck', '35.05', '43.46', '0.00%', '35.05', '43.46', '0.00%', '2020-03-19 18:05:24'), (547, 1, 5, 1, 'Gelatine (Gelatine)', 'grms', '0.96', '2439.45', '0.15%', '0.96', '2438.4', '0.14%', '2020-03-19 18:05:24'), (548, 1, 5, 1, 'Ginger (Ginger)', 'grms', '0.09', '418.93', '0.03%', '0.095', '433.2', '0.03%', '2020-03-19 18:05:24'), (549, 1, 5, 1, 'Goat Cheese (Goat Cheese)', 'grms', '1.33', '0', '0.00%', '0.95', '0', '0.00%', '2020-03-19 18:05:24'), (550, 1, 5, 1, 'Good Life Bihon 200g (Good Life Bihon 200g)', 'Pck', '17.05', '0', '0.00%', '17.05', '0', '0.00%', '2020-03-19 18:05:24'), (551, 1, 5, 1, 'Good Life Bihon 400g (Good Life Bihon 400g)', 'Pck', '30.71', '0', '0.00%', '30.74', '0', '0.00%', '2020-03-19 18:05:24'), (552, 1, 5, 1, 'Good Life Oyster Sauce 630ml (Good Life Oyster Sauce 630ml)', 'Bot', '140.5', '0', '0.00%', '140.5', '0', '0.00%', '2020-03-19 18:05:24'), (553, 1, 5, 1, 'Good Sense Almonds 3.5oz (Good Sense Almonds 3.5oz)', 'ea', '189.95', '379.9', '0.02%', '189.95', '379.9', '0.02%', '2020-03-19 18:05:24'), (554, 1, 5, 1, 'Grapes (Grapes)', 'Kls', '286.11', '460.64', '0.03%', '289.99', '466.88', '0.03%', '2020-03-19 18:05:24'), (555, 1, 5, 1, 'Gravy Mix Knorr (Gravy Mix Knorr)', 'grms', '0', '0', '0.00%', '0.38', '0', '0.00%', '2020-03-19 18:05:24'), (556, 1, 5, 1, 'Ground Beef Cooked (Ground Beef Cooked)', 'Kls', '290', '0', '0.00%', '417.9', '0', '0.00%', '2020-03-19 18:05:24'), (557, 1, 5, 1, 'Ground Beef Pure Lean (Ground Beef Pure Lean)', 'Kls', '399.89', '13580.95', '0.81%', '440', '14943.28', '0.88%', '2020-03-19 18:05:24'), (558, 1, 5, 1, 'Ground Pork (Ground Pork)', 'Kls', '185', '925', '0.06%', '205', '1025', '0.06%', '2020-03-19 18:05:24'), (559, 1, 5, 1, 'Gruyere Block (Gruyere Block)', 'grms', '1.9', '1187.77', '0.07%', '1.71278', '1068.77', '0.06%', '2020-03-19 18:05:24'), (560, 1, 5, 1, 'Gulaman 90g/pack (Gulaman 90g/pack)', 'grms', '0.54', '0', '0.00%', '0.54', '0', '0.00%', '2020-03-19 18:05:24'), (561, 1, 5, 1, 'HamRoast Whole (HamRoast Whole/Pork Tapa)', 'Kls', '190.02', '0', '0.00%', '190', '0', '0.00%', '2020-03-19 18:05:24'), (562, 1, 5, 1, 'Heinz Ketchup 300g (Heinz Ketchup 300g)', 'Bot', '45.25', '0', '0.00%', '47.3', '0', '0.00%', '2020-03-19 18:05:24'), (563, 1, 5, 1, 'Heinz Tomatoe Ketchup 38oz (Heinz Tomatoe Ketchup 38oz)', 'Bot', '269.95', '1619.7', '0.10%', '269.95', '1619.7', '0.10%', '2020-03-19 18:05:24'), (564, 1, 5, 1, 'Hoisen Sauce (Hoisen Sauce 240ml/bot)', 'Bot', '93.75', '0', '0.00%', '93.75', '0', '0.00%', '2020-03-19 18:05:24'), (565, 1, 5, 1, 'Holiday Cheesedog 1kl (Holiday Cheesedog 1kl)', 'Kls', '0', '0', '0.00%', '155', '0', '0.00%', '2020-03-19 18:05:24'), (566, 1, 5, 1, 'Honey Cems Prime Brand (Honey Cems Prime Brand)', 'Bot', '266.15', '0', '0.00%', '256.81', '0', '0.00%', '2020-03-19 18:05:24'), (567, 1, 5, 1, 'HS Parchment Paper (HS Parchment Paper)', 'Roll', '66', '0', '0.00%', '69.75', '0', '0.00%', '2020-03-19 18:05:24'), (568, 1, 5, 1, 'Hungarian Sausage pcs (Hungarian Sausage pcs)', 'ea', '62.4', '-748.8', '-0.04%', '62.4', '-748.8', '-0.04%', '2020-03-19 18:05:24'), (569, 1, 5, 1, 'Hungarian Sausages (Hungarian Sausages 1KL/pack X 6pcs)', 'grms', '0.33', '6723.99', '0.40%', '0.33', '6765', '0.40%', '2020-03-19 18:05:24'), (570, 1, 5, 1, 'Italian Seasoning 10g/bot (Italian Seasoning 10g/bot)', 'grms', '6.54', '0', '0.00%', '6.54', '0', '0.00%', '2020-03-19 18:05:24'), (571, 1, 5, 1, 'Japanese Chili pads (Japanese Chili pads)', 'Pck', '89.94', '0', '0.00%', '89.95', '0', '0.00%', '2020-03-19 18:05:24'), (572, 1, 5, 1, 'Katambak (Katambak)', 'grms', '0.22', '0', '0.00%', '0.22', '0', '0.00%', '2020-03-19 18:05:24'), (573, 1, 5, 1, 'Kewpei Dressing 500ml (Kewpei Dressing 500ml)', 'Bot', '336', '0', '0.00%', '336', '0', '0.00%', '2020-03-19 18:05:24'), (574, 1, 5, 1, 'Kewpie Roasted Seasame 1L (Kewpie Roasted Seasame 1L)', 'Bot', '664.4', '8723.57', '0.52%', '664.4', '8723.572', '0.51%', '2020-03-19 18:05:24'), (575, 1, 5, 1, 'Kewpie Roasted Seasame 210ml (Kewpie Roasted Seasame 210ml)', 'Bot', '144.5', '2167.5', '0.13%', '144.5', '2167.5', '0.13%', '2020-03-19 18:05:24'), (576, 1, 5, 1, 'Knorr Shrimps 60g (Knorr Shrimp 60g)', 'ea', '37.08', '0', '0.00%', '35.35', '0', '0.00%', '2020-03-19 18:05:24'), (577, 1, 5, 1, 'Knorr Shrimps Broth Cubes 10g (Knorr Shrimps Broth Cubes 10g)', 'ea', '5.1', '76.5', '0.01%', '5.1', '76.5', '0.00%', '2020-03-19 18:05:24'), (578, 1, 5, 1, 'La Patis 340ml (La Patis 340ml)', 'Bot', '14.14', '0', '0.00%', '14.14', '0', '0.00%', '2020-03-19 18:05:24'), (579, 1, 5, 1, 'Lady finger (Lady finger)', 'grms', '0.07', '0', '0.00%', '0.07', '0', '0.00%', '2020-03-19 18:05:24'), (580, 1, 5, 1, 'Lea & Perrins Worcesterchire (Lea & Perrins Worcesterchire 300ml)', 'Bot', '170.86', '0', '0.00%', '167.44', '0', '0.00%', '2020-03-19 18:05:24'), (581, 1, 5, 1, 'Lea & Perrins Worcesterchire 15 (Lea & Perrins Worcesterchire 150ml)', 'Pck', '101.4', '302.17', '0.02%', '101.4', '302.17', '0.02%', '2020-03-19 18:05:24'), (582, 1, 5, 1, 'Lean Meat Sliced (Lean Meat Sliced)', 'Kls', '430', '0', '0.00%', '430', '0', '0.00%', '2020-03-19 18:05:24'), (583, 1, 5, 1, 'Lemon (Lemon)', 'Kls', '24.07', '369', '0.02%', '45', '689.94', '0.04%', '2020-03-19 18:05:24'), (584, 1, 5, 1, 'Lemon Grass (Lemon Grass)', 'Bundle', '10', '178.2', '0.01%', '10', '178.2', '0.01%', '2020-03-19 18:05:24'), (585, 1, 5, 1, 'Lemon Grass Brewed (Lemon Grass Brewed)', 'Kls', '4.14', '0', '0.00%', '4.14', '0', '0.00%', '2020-03-19 18:05:24'), (586, 1, 5, 1, 'Lettuce (Lettuce)', 'Kls', '142.5', '0', '0.00%', '300', '0', '0.00%', '2020-03-19 18:05:24'), (587, 1, 5, 1, 'Lettuce Curly (Lettuce Curly)', 'Kls', '144.79', '3185.31', '0.19%', '300', '6600', '0.39%', '2020-03-19 18:05:24'), (588, 1, 5, 1, 'Lettuce Head (Lettuce Head)', 'Kls', '145', '466.32', '0.03%', '145', '466.32', '0.03%', '2020-03-19 18:05:24'), (589, 1, 5, 1, 'Lettuce Ice berg (Lettuce Ice berg)', 'Kls', '75', '900', '0.05%', '187.15', '2245.8', '0.13%', '2020-03-19 18:05:24'), (590, 1, 5, 1, 'Lettuce Leaf (Lettuce Leaf)', 'Kls', '176.71', '0', '0.00%', '212.53', '0', '0.00%', '2020-03-19 18:05:24'), (591, 1, 5, 1, 'Lettuce Romaine (Lettuce Romaine)', 'Kls', '136.03', '3945', '0.23%', '349.94', '10148.26', '0.60%', '2020-03-19 18:05:24'), (592, 1, 5, 1, 'Liquid Seasoning Maggi 1L (Liquid Seasoning Maggi 1L)', 'Bot', '236.51', '0', '0.00%', '231.65', '0', '0.00%', '2020-03-19 18:05:24'), (593, 1, 5, 1, 'Liquid Seasoning Maggi 3.8L (Liquid Seasoning Maggi 3.8L)', 'Gal', '751.5', '495.99', '0.03%', '751.5', '495.99', '0.03%', '2020-03-19 18:05:24'), (594, 1, 5, 1, 'Liver Spread Argentina (Liver Spread Argentina)', 'Can', '17.9', '0', '0.00%', '38', '0', '0.00%', '2020-03-19 18:05:24'), (595, 1, 5, 1, 'Longanisa (Longanisa 340g/ pack X 10pcs)', 'ea', '4', '260', '0.02%', '4', '260', '0.02%', '2020-03-19 18:05:24'), (596, 1, 5, 1, 'Maggi Magic Sarap 8g (Maggi Magic Sarap 8g)', 'ea', '2.96', '506.78', '0.03%', '2.95', '504.45', '0.03%', '2020-03-19 18:05:24'), (597, 1, 5, 1, 'Magnolia Quickmelt 185/165 (Magnolia Quickmelt 185/165)', 'Bar', '73.78', '0', '0.00%', '73.78', '0', '0.00%', '2020-03-19 18:05:24'), (598, 1, 5, 1, 'Magnolia Quickmelt Cheese900g (Magnolia Quickmelt Cheese900g)', 'Bar', '350', '472.5', '0.03%', '350', '472.5', '0.03%', '2020-03-19 18:05:24'), (599, 1, 5, 1, 'Malasugue (Malasugue)', 'grms', '0.46', '3225', '0.19%', '0.45', '3150', '0.19%', '2020-03-19 18:05:24'), (600, 1, 5, 1, 'Mama Sitas BBQ Marinated 680ml (Mama Sitas BBQ Marinated 680ml)', 'Bot', '128.7', '0', '0.00%', '128.7', '0', '0.00%', '2020-03-19 18:05:24'), (601, 1, 5, 1, 'Mama Sitas Oyster Sauce 765g (Mama Sitas Oyster Sauce 765g)', 'Bot', '148.3', '0', '0.00%', '129.8', '0', '0.00%', '2020-03-19 18:05:24'), (602, 1, 5, 1, 'M<NAME> (Mangga Hilaw)', 'Kls', '39.81', '84', '0.01%', '50', '105.5', '0.01%', '2020-03-19 18:05:24'), (603, 1, 5, 1, 'Mango (Mango)', 'Kls', '140', '504', '0.03%', '96.6', '347.76', '0.02%', '2020-03-19 18:05:24'), (604, 1, 5, 1, 'Mango fresh (Mango fresh )', 'Kls', '96.23', '3320', '0.20%', '140', '4830', '0.28%', '2020-03-19 18:05:24'), (605, 1, 5, 1, 'Mango Jam 320ml (Mango Jam 320ml)', 'Bot', '101', '202', '0.01%', '81.75', '163.5', '0.01%', '2020-03-19 18:05:24'), (606, 1, 5, 1, 'Marble Potato (Marble Potato)', 'grms', '0.03', '0', '0.00%', '0.035', '0', '0.00%', '2020-03-19 18:05:24'), (607, 1, 5, 1, '<NAME> (Marca Leon)', 'Can', '890', '0', '0.00%', '890', '0', '0.00%', '2020-03-19 18:05:24'), (608, 1, 5, 1, '<NAME> 750ml (Maria Clara 750ml)', 'Bot', '163.25', '608.92', '0.04%', '163.25', '608.92', '0.04%', '2020-03-19 18:05:24'), (609, 1, 5, 1, 'Matchstick Emi 100s (Matchstick Emi 100s )', 'ea', '0.16', '206.69', '0.01%', '0.16', '208', '0.01%', '2020-03-19 18:05:24'), (610, 1, 5, 1, 'Mayonnaise-homemade (Mayonnaise-homemade )', 'grms', '0.12', '421.92', '0.03%', '0.12', '421.92', '0.03%', '2020-03-19 18:05:24'), (611, 1, 5, 1, 'MB Hot Sauce 100g 36/case (MB Hot Sauce 100g 36/case)', 'ea', '22.39', '1007.5', '0.06%', '21.95', '987.75', '0.06%', '2020-03-19 18:05:24'), (612, 1, 5, 1, 'MB Hot Sauce 95ml (MB Hot Sauce 95ml)', 'Bot', '18.7', '0', '0.00%', '18.35', '0', '0.00%', '2020-03-19 18:05:24'), (613, 1, 5, 1, 'MB Pickle Relish 250g (MB Pickle Relish 250g)', 'Bot', '62.95', '0', '0.00%', '62.95', '0', '0.00%', '2020-03-19 18:05:24'), (614, 1, 5, 1, 'MB woystersauce 340ml (MB woystersauce 340ml)', 'Bot', '48.9', '43.03', '0.00%', '48.9', '43.03', '0.00%', '2020-03-19 18:05:24'), (615, 1, 5, 1, 'Mc Cormick Basil Leaves Whole 9 (Mc Cormick Basil Leaves Whole 9g)', 'Bot', '45.7', '0', '0.00%', '45.7', '0', '0.00%', '2020-03-19 18:05:24'), (616, 1, 5, 1, 'Mc Cormick Cry Powder 480g (Mc Cormick Cry Powder 480g)', 'Bot', '373.35', '0', '0.00%', '373.35', '0', '0.00%', '2020-03-19 18:05:24'), (617, 1, 5, 1, 'Mc Cormick Garlic Powder 35g (Mc Cormick Garlic Powder 35g)', 'Bot', '24.5', '0', '0.00%', '60.7', '0', '0.00%', '2020-03-19 18:05:24'), (618, 1, 5, 1, '<NAME> 235g (Mc C<NAME> 235g)', 'Bot', '278.6', '236.81', '0.01%', '278.6', '236.81', '0.01%', '2020-03-19 18:05:24'), (619, 1, 5, 1, 'Mixed Vegetable (Mixed Vegetable)', 'grms', '0.14', '1300.81', '0.08%', '0.139', '1300.762', '0.08%', '2020-03-19 18:05:24'), (620, 1, 5, 1, 'moked pork sausage-pcs (Smoked pork sausage - pcs)', 'ea', '0', '0', '0.00%', '22', '0', '0.00%', '2020-03-19 18:05:24'), (621, 1, 5, 1, 'Mongo Beans (Mongo Beans)', 'Kls', '80', '0', '0.00%', '80', '0', '0.00%', '2020-03-19 18:05:24'), (622, 1, 5, 1, 'Mushroom Jolly Prm HTKE (Mushroom Jolly Prm HTKE 198g)', 'grms', '0', '0', '0.00%', '0.14', '0', '0.00%', '2020-03-19 18:05:24'), (623, 1, 5, 1, 'Mushroom Shitake 284g (Mushroom Shitake)', 'grms', '0.14', '0', '0.00%', '0.18', '0', '0.00%', '2020-03-19 18:05:24'), (624, 1, 5, 1, 'Mushroom Sliced (Mushroom Slice (Mushroom Sliced (Mushroom Sliced 400g ) )', 'grms', '0.11', '0', '0.00%', '0.12', '0', '0.00%', '2020-03-19 18:05:24'), (625, 1, 5, 1, 'Mushroom Straw 200g (Mushroom Straw 200g)', 'grms', '0', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-19 18:05:24'), (626, 1, 5, 1, 'Mustard (<NAME> 5kgs E. Fallot)', 'grms', '0.32', '957', '0.06%', '0.319', '957', '0.06%', '2020-03-19 18:05:24'), (627, 1, 5, 1, 'Nanya Wrap (cling wrap) (Nanya Wrap (cling wrap))', 'Roll', '695', '0', '0.00%', '695', '0', '0.00%', '2020-03-19 18:05:24'), (628, 1, 5, 1, 'Novellino 750ml (Novellino 750ml)', 'Bot', '259', '950.53', '0.06%', '319', '1170.73', '0.07%', '2020-03-19 18:05:24'), (629, 1, 5, 1, 'Nutmeg Ground (Nutmeg Ground 375G/BOT)', 'Bot', '87.9', '0', '0.00%', '87.95', '0', '0.00%', '2020-03-19 18:05:24'), (630, 1, 5, 1, 'Olive Oil 16.90z (Olive Oil 16.90z)', 'Gal', '359.95', '0', '0.00%', '359.95', '0', '0.00%', '2020-03-19 18:05:24'), (631, 1, 5, 1, 'Olive Oil 1L (Olive Oil 1L)', 'Bot', '474.45', '4198.88', '0.25%', '513.65', '4545.8', '0.27%', '2020-03-19 18:05:24'), (632, 1, 5, 1, 'Onion (Onion)', 'ea', '65', '0', '0.00%', '21.36', '0', '0.00%', '2020-03-19 18:05:24'), (633, 1, 5, 1, 'Orange (Orange)', 'ea', '24.24', '1575.48', '0.09%', '30.89', '2007.85', '0.12%', '2020-03-19 18:05:24'), (634, 1, 5, 1, 'Oregano Ground 10G (Oregano Ground 10G)', 'Bot', '85.7', '0', '0.00%', '85.7', '0', '0.00%', '2020-03-19 18:05:24'), (635, 1, 5, 1, 'Oyster Sauce Lee Kum Kee 907ml (Oyster Sauce Lee Kum Kee 907ml)', 'Bot', '172.49', '0', '0.00%', '172.5', '0', '0.00%', '2020-03-19 18:05:24'), (636, 1, 5, 1, 'Oyster Sauce Mothers Best 750ml (Oyster Sauce Mothers Best 750ml)', 'Bot', '101.55', '0', '0.00%', '126.2', '0', '0.00%', '2020-03-19 18:05:24'), (637, 1, 5, 1, 'Pancake dough (Pancake dough )', 'grms', '0.09', '0', '0.00%', '0.09', '0', '0.00%', '2020-03-19 18:05:24'), (638, 1, 5, 1, 'Paper Towel Premium 30packs/cas (Paper Towel Premium 30packs/cas)', 'Pck', '32.55', '2115.75', '0.13%', '32.55', '2115.75', '0.12%', '2020-03-19 18:05:24'), (639, 1, 5, 1, 'Paprika Spanish 34g (Paprika Spanish 34g)', 'Bot', '56.4', '0', '0.00%', '56.4', '0', '0.00%', '2020-03-19 18:05:24'), (640, 1, 5, 1, 'Parmesan Cheese (Parmesan Cheese)', 'grms', '1.2', '10539.49', '0.63%', '1.232', '10853.92', '0.64%', '2020-03-19 18:05:24'), (641, 1, 5, 1, 'Parmesan Whole ( Wedges) (Parmesan Whole ( Wedges))', 'grms', '1.01', '0', '0.00%', '1.012', '0', '0.00%', '2020-03-19 18:05:24'), (642, 1, 5, 1, 'Parsley (Parsley)', 'grms', '0.23', '171.46', '0.01%', '0.5', '380', '0.02%', '2020-03-19 18:05:24'), (643, 1, 5, 1, 'Pa<NAME>erkraut 9.7kg (Paulsen Sauerkraut 9.7kg)', 'Kls', '1298', '0', '0.00%', '1298', '0', '0.00%', '2020-03-19 18:05:24'), (644, 1, 5, 1, 'Pa<NAME>ur 500g (Paulsen Weisauerkraur 500g)', 'Kls', '88', '1848', '0.11%', '88', '1848', '0.11%', '2020-03-19 18:05:24'), (645, 1, 5, 1, 'Peanut Butter (Peanut Butter)', 'Bot', '0', '0', '0.00%', '60', '0', '0.00%', '2020-03-19 18:05:24'), (646, 1, 5, 1, 'Pears (Pears)', 'ea', '26.53', '848.93', '0.05%', '35', '1120', '0.07%', '2020-03-19 18:05:24'), (647, 1, 5, 1, 'PF Honeycured Bacon 1kg (PF Honeycured Bacon 1kg)', 'Pck', '544', '0', '0.00%', '544', '0', '0.00%', '2020-03-19 18:05:24'), (648, 1, 5, 1, 'Pickle Relish (Pickle Relish 270g/Bot)', 'Bot', '51.45', '51.45', '0.00%', '61.95', '61.95', '0.00%', '2020-03-19 18:05:24'), (649, 1, 5, 1, 'Pickle Relish 100g (Pickle Relish 100g/Bot )', 'Bot', '23.15', '0', '0.00%', '23.15', '0', '0.00%', '2020-03-19 18:05:24'), (650, 1, 5, 1, 'Pickle Relish 160z (Pickle Relish 160z)', 'Bot', '149.95', '0', '0.00%', '149.95', '0', '0.00%', '2020-03-19 18:05:24'), (651, 1, 5, 1, 'Pineapple (Pineapple)', 'Kls', '29.59', '79.88', '0.01%', '30', '81', '0.01%', '2020-03-19 18:05:24'), (652, 1, 5, 1, 'Pork (Pork)', 'Kls', '170', '0', '0.00%', '185', '0', '0.00%', '2020-03-19 18:05:24'), (653, 1, 5, 1, 'Pork Belly (Pork Belly)', 'Kls', '185', '740', '0.04%', '220', '880', '0.05%', '2020-03-19 18:05:24'), (654, 1, 5, 1, 'Pork Bratwurst (Pork Bratwurst 1 kl/pck or 6 pcs/pack-130gms)', 'grms', '0.39', '0', '0.00%', '0.39', '0', '0.00%', '2020-03-19 18:05:24'), (655, 1, 5, 1, '<NAME> (Pork Chicharon)', 'Pck', '70', '0', '0.00%', '70', '0', '0.00%', '2020-03-19 18:05:24'), (656, 1, 5, 1, 'Pork Chop Bone-In (Pork Chop Bone-In)', 'Kls', '209.83', '4210.96', '0.25%', '220', '4414.96', '0.26%', '2020-03-19 18:05:24'), (657, 1, 5, 1, 'Pork Chop Skinless (Pork Chop Skinless)', 'Kls', '209.99', '0', '0.00%', '215', '0', '0.00%', '2020-03-19 18:05:24'), (658, 1, 5, 1, 'Pork Cubes 600g (Pork Cubes 600g)', 'Tub', '259.43', '1284.2', '0.08%', '259.5', '1284.525', '0.08%', '2020-03-19 18:05:24'), (659, 1, 5, 1, 'Pork Giniling (Pork Giniling)', 'grms', '0.19', '2035.01', '0.12%', '0.185', '2035', '0.12%', '2020-03-19 18:05:24'), (660, 1, 5, 1, 'Pork Knuckles (Pork Knuckles)', 'Kls', '182', '1820', '0.11%', '182', '1820', '0.11%', '2020-03-19 18:05:24'), (661, 1, 5, 1, 'Pork Mandarin Sausage (Pork Mandarin Sausage)', 'grms', '0.35', '0', '0.00%', '0.35', '0', '0.00%', '2020-03-19 18:05:24'), (662, 1, 5, 1, 'Pork Maskara (Pork Maskara)', 'Kls', '150', '899.97', '0.05%', '150', '900', '0.05%', '2020-03-19 18:05:24'), (663, 1, 5, 1, 'Pork Riblets (Pork Riblets)', 'Kls', '394.97', '0', '0.00%', '395', '0', '0.00%', '2020-03-19 18:05:24'), (664, 1, 5, 1, 'Pork Ribs (Pork Ribs)', 'Kls', '160', '0', '0.00%', '180', '0', '0.00%', '2020-03-19 18:05:24'), (665, 1, 5, 1, 'Pork Tapa (Pork Tapa)', 'Kls', '244.97', '3674.61', '0.22%', '245', '3675', '0.22%', '2020-03-19 18:05:24'), (666, 1, 5, 1, 'Pork Tapa Marinated (Pork Tapa Marinated)', 'Kls', '249.53', '0', '0.00%', '249.53', '0', '0.00%', '2020-03-19 18:05:24'), (667, 1, 5, 1, 'Pork Tocino (Pork Tocino)', 'Kls', '240.07', '1288.71', '0.08%', '240', '1288.32', '0.08%', '2020-03-19 18:05:24'), (668, 1, 5, 1, 'Pork Tocino (Skinless) (Pork Tocino (Skinless))', 'Pck', '50', '0', '0.00%', '50', '0', '0.00%', '2020-03-19 18:05:24'), (669, 1, 5, 1, 'Porky Best Chiharon 70g (Porky Best Chiharon 70g)', 'Pck', '43.22', '0', '0.00%', '43.22', '0', '0.00%', '2020-03-19 18:05:24'), (670, 1, 5, 1, 'Potato (Potato )', 'grms', '0.07', '2236.77', '0.13%', '0.075', '2249.55', '0.13%', '2020-03-19 18:05:24'), (671, 1, 5, 1, 'Potato marble (Potato marble )', 'grms', '0.03', '0', '0.00%', '0.03', '0', '0.00%', '2020-03-19 18:05:24'), (672, 1, 5, 1, 'Pudding (Pudding)', 'ea', '6.6', '0', '0.00%', '6.6', '0', '0.00%', '2020-03-19 18:05:24'), (673, 1, 5, 1, 'Quick Melt 440g (Quick Melt 440g)', 'grms', '0.51', '-959.58', '-0.06%', '0.74', '-1406', '-0.08%', '2020-03-19 18:05:24'), (674, 1, 5, 1, 'Ram Bread Crams 100g (Ram Bread Crams 100g)', 'Bot', '12.2', '0', '0.00%', '12.3', '0', '0.00%', '2020-03-19 18:05:24'), (675, 1, 5, 1, 'Ram Bread Crams 500g (Ram Bread Crams 500g)', 'Pck', '60.85', '60.85', '0.00%', '60.85', '60.85', '0.00%', '2020-03-19 18:05:24'), (676, 1, 5, 1, 'Ram Liver Spread 85g (Ram Liver Spread 85g)', 'ea', '17.9', '107.4', '0.01%', '16.3', '97.8', '0.01%', '2020-03-19 18:05:24'), (677, 1, 5, 1, 'Ram Oyster Sauce 400ml (Ram Oyster Sauce 400ml)', 'Bot', '63.45', '230.32', '0.01%', '63.45', '230.32', '0.01%', '2020-03-19 18:05:24'), (678, 1, 5, 1, 'Ram Oyster Sauce 750ml (Ram Oyster Sauce 750ml)', 'Bot', '101.55', '507.75', '0.03%', '101.55', '507.75', '0.03%', '2020-03-19 18:05:24'), (679, 1, 5, 1, 'Ram Pcs/Stms Mushroom 425g/400g (Ram Pcs/Stms Mushroom 425g/400g)', 'Can', '46.3', '0', '0.00%', '46.3', '0', '0.00%', '2020-03-19 18:05:24'), (680, 1, 5, 1, 'Ram Pickle 405g (Ram Pickle 405g)', 'ea', '85.05', '0', '0.00%', '85.05', '0', '0.00%', '2020-03-19 18:05:24'), (681, 1, 5, 1, 'Ram Soy Sauce 1 gal (Ram Soy Sauce 1 gal)', 'Gal', '131.9', '0', '0.00%', '102.1', '0', '0.00%', '2020-03-19 18:05:24'), (682, 1, 5, 1, 'Ram Spaghetti 1kg (Ram Spaghetti 1kg)', 'Pck', '55.55', '166.65', '0.01%', '55.55', '166.65', '0.01%', '2020-03-19 18:05:24'), (683, 1, 5, 1, 'RAM spaghetti sauce sweet 750g (RAM spaghetti sauce sweet 750g)', 'Pck', '83.3', '0', '0.00%', '83.3', '0', '0.00%', '2020-03-19 18:05:24'), (684, 1, 5, 1, 'Ram Special Bihon 227g (Ram Special Bihon 227g)', 'Pck', '17.8', '0', '0.00%', '17.8', '0', '0.00%', '2020-03-19 18:05:24'), (685, 1, 5, 1, 'RAM Special Bihon 454g (RAM Special Bihon 454g)', 'Pck', '33.5', '0', '0.00%', '33.5', '0', '0.00%', '2020-03-19 18:05:24'), (686, 1, 5, 1, 'Ram Tomatoe Paste 500g (Ram Tomatoe Paste 500g)', 'Pck', '70.3', '140.6', '0.01%', '70.3', '140.6', '0.01%', '2020-03-19 18:05:24'), (687, 1, 5, 1, 'Red Onion (Red Onion)', 'Kls', '95.17', '1025.95', '0.06%', '85', '916.3', '0.05%', '2020-03-19 18:05:24'), (688, 1, 5, 1, 'Regina Balsamic Venigar 16.9oz (Regina Balsamic Venigar 16.9oz)', 'Bot', '249.95', '249.95', '0.02%', '249.95', '249.95', '0.02%', '2020-03-19 18:05:24'), (689, 1, 5, 1, 'Reno Liver Spread 85g (Reno Liver Spread 85g)', 'Pck', '20.6', '0', '0.00%', '20.6', '0', '0.00%', '2020-03-19 18:05:24'), (690, 1, 5, 1, 'Rib Eye Whole (Rib Eye Whole)', 'Kls', '899.98', '2737.75', '0.16%', '1100', '3346.2', '0.20%', '2020-03-19 18:05:24'), (691, 1, 5, 1, 'Rice (Rice)', 'Kls', '34.59', '11310', '0.67%', '39.58333', '12943.75', '0.76%', '2020-03-19 18:05:24'), (692, 1, 5, 1, 'Rice Vinegar 120z (Rice Vinegar 120z)', 'Bot', '199.95', '0', '0.00%', '199.95', '0', '0.00%', '2020-03-19 18:05:24'), (693, 1, 5, 1, 'Rice Wine 700ml (Rice Wine 700ml)', 'Bot', '78', '78', '0.01%', '76.5', '76.5', '0.00%', '2020-03-19 18:05:24'), (694, 1, 5, 1, 'Roland White Truffle Oil 3.4oz (Roland White Truffle Oil 3.4oz)', 'Bot', '990', '0', '0.00%', '990', '0', '0.00%', '2020-03-19 18:05:24'), (695, 1, 5, 1, 'Rosemary 11g (Rosemary 11g)', 'Bot', '42.44', '0', '0.00%', '42.45', '0', '0.00%', '2020-03-19 18:05:24'), (696, 1, 5, 1, 'Royal Spaghetti (Royal Spaghetti)', 'Pck', '81.8', '0', '0.00%', '80.2', '0', '0.00%', '2020-03-19 18:05:24'), (697, 1, 5, 1, 'Rufina Patis 325ml (Rufina Patis 325ml)', 'Bot', '24.9', '0', '0.00%', '39.65', '0', '0.00%', '2020-03-19 18:05:24'), (698, 1, 5, 1, 'Rufina Patis 750ml (Rufina Patis 750ml )', 'Bot', '66.69', '978.96', '0.06%', '67.2', '986.5', '0.06%', '2020-03-19 18:05:24'), (699, 1, 5, 1, 'Sage Leaves 12g (Sage Leaves 12g)', 'Bot', '44.27', '0', '0.00%', '44.25', '0', '0.00%', '2020-03-19 18:05:24'), (700, 1, 5, 1, 'Sage Leaves 195g (Sage Leaves 195g)', 'Bot', '310.41', '214.18', '0.01%', '373.35', '257.61', '0.02%', '2020-03-19 18:05:24'), (701, 1, 5, 1, 'Salsa verde (Salsa verde )', 'grms', '0.49', '98', '0.01%', '0.49', '98', '0.01%', '2020-03-19 18:05:24'), (702, 1, 5, 1, 'Salt (Salt)', 'grms', '0.01', '710.4', '0.04%', '0.0096', '710.4', '0.04%', '2020-03-19 18:05:24'), (703, 1, 5, 1, 'San Marino Tuna Spread 85g (San Marino Tuna Spread 85g)', 'Can', '18.5', '0', '0.00%', '18.5', '0', '0.00%', '2020-03-19 18:05:24'), (704, 1, 5, 1, 'San Remo Fettuccini 500g (San Remo Fettuccini 500g)', 'grms', '0.17', '918.04', '0.06%', '0.1347', '740.85', '0.04%', '2020-03-19 18:05:24'), (705, 1, 5, 1, 'San Remo Lngne 500g (San Remo Lngne 500g)', 'ea', '66.05', '0', '0.00%', '66.05', '0', '0.00%', '2020-03-19 18:05:24'), (706, 1, 5, 1, 'San Remo Pnne Rgti 500g (San Remo Pnne Rgti 500g)', 'grms', '68.14', '545.1', '0.03%', '67.35', '538.8', '0.03%', '2020-03-19 18:05:24'), (707, 1, 5, 1, 'Sesame Oil 115ml (Sesame Oil 115ml)', 'Bot', '102.7', '0', '0.00%', '102.7', '0', '0.00%', '2020-03-19 18:05:24'), (708, 1, 5, 1, 'Sesame Oil 330ml (Sesame Oil 330ml)', 'ML', '120', '0', '0.00%', '114', '0', '0.00%', '2020-03-19 18:05:24'), (709, 1, 5, 1, 'Sesame Oil Lee Kum Lee 207ml (Sesame Oil Lee Kum Lee 207ml)', 'Bot', '88.2', '0', '0.00%', '127.9', '0', '0.00%', '2020-03-19 18:05:24'), (710, 1, 5, 1, 'SESAME OIL MUA YU 2L (SESAME OIL MUA YU 2L)', 'Bot', '408', '0', '0.00%', '408', '0', '0.00%', '2020-03-19 18:05:24'), (711, 1, 5, 1, 'Sesame Oil Mua Yu 500ml (Sesame Oil Mua Yu 500ml)', 'Bot', '162', '567', '0.03%', '162', '567', '0.03%', '2020-03-19 18:05:24'), (712, 1, 5, 1, 'Sevilla Swt Relish Pickle 405g (Sevilla Swt Relish Pickle 405g)', 'Bot', '68.25', '0', '0.00%', '68.25', '0', '0.00%', '2020-03-19 18:05:24'), (713, 1, 5, 1, 'Shrimps (Shrimps)', 'grms', '0.28', '70', '0.00%', '0.28', '70', '0.00%', '2020-03-19 18:05:24'), (714, 1, 5, 1, '<NAME> (Sibuyas Dahon)', 'Kls', '61.19', '198.24', '0.01%', '120', '388.8', '0.02%', '2020-03-19 18:05:24'), (715, 1, 5, 1, 'Sili (Sili)', 'Pck', '15', '0', '0.00%', '15', '0', '0.00%', '2020-03-19 18:05:24'), (716, 1, 5, 1, 'Silver Swan 1/2 gal (Silver Swan 1/2 gal)', 'Gal', '80.55', '161.1', '0.01%', '76.7', '153.4', '0.01%', '2020-03-19 18:05:24'), (717, 1, 5, 1, 'Silver Swan Patis 750ml (Silver Swan Patis 750ml)', 'Bot', '50.65', '0', '0.00%', '50.65', '0', '0.00%', '2020-03-19 18:05:24'), (718, 1, 5, 1, 'silver Swan Soy Sauce 1 gal (silver Swan Soy Sauce 1 gal)', 'Gal', '140.25', '350.62', '0.02%', '140.25', '350.63', '0.02%', '2020-03-19 18:05:24'), (719, 1, 5, 1, 'Silver Swan Sukang Puti3785ml (Silver Swan Sukang Puti3785ml)', 'Gal', '119.5', '0', '0.00%', '119.5', '0', '0.00%', '2020-03-19 18:05:24'), (720, 1, 5, 1, 'Singkamas (Singkamas)', 'Kls', '30.78', '231.16', '0.01%', '100', '751', '0.04%', '2020-03-19 18:05:24'), (721, 1, 5, 1, 'Sliced Mushroom 850g (Sliced Mushroom 850g)', 'ea', '96.95', '0', '0.00%', '96.95', '0', '0.00%', '2020-03-19 18:05:24'), (722, 1, 5, 1, 'Smoke Porkloin (Smoke Porkloin)', 'Kls', '336', '26.88', '0.00%', '336', '26.88', '0.00%', '2020-03-19 18:05:24'), (723, 1, 5, 1, 'Smoked Farmer\'s Ham (Smoked Farmer\'s Ham)', 'Kls', '360', '0', '0.00%', '360', '0', '0.00%', '2020-03-19 18:05:24'), (724, 1, 5, 1, 'Smoked Pork Sausage (Smoked Pork Sausage 1KL/pack X 19pcs)', 'grms', '0.33', '0', '0.00%', '0.02', '0', '0.00%', '2020-03-19 18:05:24'); INSERT INTO `eb_raw_materials` (`PK_raw_materials_id`, `FK_outlet_id`, `FK_category_id`, `status`, `material_name`, `unit`, `average_cost`, `asset_value`, `total_asset_percent`, `sales_price`, `retail_value`, `total_retail_percent`, `date_added`) VALUES (725, 1, 5, 1, 'Smoked pork sausage-pck (Smoked pork sausage (1kl/pack = 15pcs/pck)', 'Pck', '330', '990', '0.06%', '330', '990', '0.06%', '2020-03-19 18:05:24'), (726, 1, 5, 1, 'Smoked pork sausage-pcs (Smoked pork sausage-pcs)', 'ea', '22', '0', '0.00%', '22', '0', '0.00%', '2020-03-19 18:05:24'), (727, 1, 5, 1, 'Soy Sauce 500ml (Soy Sauce 500ml)', 'Bot', '62.45', '0', '0.00%', '62.45', '0', '0.00%', '2020-03-19 18:05:24'), (728, 1, 5, 1, 'Spaghetti Pasta (Spaghetti Pasta)', 'Pck', '67.95', '679.5', '0.04%', '77.66', '776.6', '0.05%', '2020-03-19 18:05:24'), (729, 1, 5, 1, 'Spaghetti pasta-Royal (Spaghetti pasta-Royal (1000 gms) )', 'Pck', '89.95', '0', '0.00%', '83.3', '0', '0.00%', '2020-03-19 18:05:24'), (730, 1, 5, 1, 'Spaghetti Sauce Filipino Style (Spaghetti Sauce Filipino Style)', 'grms', '0.07', '742.03', '0.04%', '0.07067', '742.04', '0.04%', '2020-03-19 18:05:24'), (731, 1, 5, 1, 'Spaghetti Sauce Sweet 1kg (Spaghetti Sauce Sweet 1kg)', 'Pck', '82.6', '165.2', '0.01%', '81.6', '163.2', '0.01%', '2020-03-19 18:05:24'), (732, 1, 5, 1, 'Special Bihon 250g (Special Bihon 250g)', 'Pck', '14', '0', '0.00%', '25.75', '0', '0.00%', '2020-03-19 18:05:24'), (733, 1, 5, 1, 'Spring Onion (Spring Onion)', 'grms', '0.07', '350', '0.02%', '0.114', '570', '0.03%', '2020-03-19 18:05:24'), (734, 1, 5, 1, 'Squash (Squash)', 'Kls', '11.04', '65.14', '0.00%', '35', '206.5', '0.01%', '2020-03-19 18:05:24'), (735, 1, 5, 1, 'Squid (Squid)', 'grms', '0.36', '238', '0.01%', '0.36', '241.2', '0.01%', '2020-03-19 18:05:24'), (736, 1, 5, 1, 'Srircha Chili Sauce18 (Srircha Chili Sauce18)', 'Bot', '229', '0', '0.00%', '229', '0', '0.00%', '2020-03-19 18:05:24'), (737, 1, 5, 1, 'Star Anis (Star Anis)', 'Bot', '0', '0', '0.00%', '53.25', '0', '0.00%', '2020-03-19 18:05:24'), (738, 1, 5, 1, 'Sunpride Spiced Ham 1kg (Sunpride Spiced Ham 1kg)', 'Kls', '178.95', '0', '0.00%', '178.95', '0', '0.00%', '2020-03-19 18:05:24'), (739, 1, 5, 1, 'SunSweet Cranberries Trt&Tngy 6 (SunSweet Cranberries Trt&Tngy 60z)', 'Bot', '179.95', '0', '0.00%', '179.95', '0', '0.00%', '2020-03-19 18:05:24'), (740, 1, 5, 1, 'Susan Baker Corn Oil 2L (Susan Baker Corn Oil 2L)', 'ML', '0.16', '0', '0.00%', '0.161', '0', '0.00%', '2020-03-19 18:05:24'), (741, 1, 5, 1, 'Susan Baker Sliced Mushroom 284 (Susan Baker Sliced Mushroom 284)', 'Bot', '42.21', '717.57', '0.04%', '42.21', '717.57', '0.04%', '2020-03-19 18:05:24'), (742, 1, 5, 1, 'SusanBaker Steam Mshrm 400g (SusanBaker Steam Mshrm 400g)', 'ea', '46.73', '327.08', '0.02%', '45', '315', '0.02%', '2020-03-19 18:05:24'), (743, 1, 5, 1, 'Sweet Potatoe (Sweet Potatoe)', 'Kls', '20.33', '61', '0.00%', '30', '90', '0.01%', '2020-03-19 18:05:24'), (744, 1, 5, 1, 'Sweetcorn (Sweetcorn)', 'Kls', '10', '0', '0.00%', '95.88', '0', '0.00%', '2020-03-19 18:05:24'), (745, 1, 5, 1, 'SweetCorn pcs (SweetCorn)', 'ea', '11.67', '245.1', '0.02%', '15', '315', '0.02%', '2020-03-19 18:05:24'), (746, 1, 5, 1, 'Tauge (Tauge)', 'grms', '0', '0', '0.00%', '0.04', '0', '0.00%', '2020-03-19 18:05:24'), (747, 1, 5, 1, 'Thousand island dressing (Thousand island dressing )', 'grms', '0.27', '0', '0.00%', '0.27', '0', '0.00%', '2020-03-19 18:05:24'), (748, 1, 5, 1, 'Thyme Leaves 14g (Thyme Leaves 14g)', 'Bot', '44.29', '0', '0.00%', '44.3', '0', '0.00%', '2020-03-19 18:05:24'), (749, 1, 5, 1, 'Thyme Leaves 225g (Thyme Leaves 225g)', 'Bot', '298', '131.12', '0.01%', '298', '131.12', '0.01%', '2020-03-19 18:05:24'), (750, 1, 5, 1, 'Tita My Patis 345ml (Tita My Patis 345ml)', 'Bot', '17.85', '0', '0.00%', '17.85', '0', '0.00%', '2020-03-19 18:05:24'), (751, 1, 5, 1, 'Tita Patis 750ML (Tita Patis 750ML)', 'Bot', '37.95', '0', '0.00%', '37.95', '0', '0.00%', '2020-03-19 18:05:24'), (752, 1, 5, 1, 'Tomato Paste 150g/pack (Tomato Paste 150g/pack)', 'Pck', '19.25', '0', '0.00%', '19.25', '0', '0.00%', '2020-03-19 18:05:24'), (753, 1, 5, 1, 'Tomato Sauce Clara Ole 1kg (Tomato Sauce Clara Ole 1kg)', 'Pck', '58.03', '0', '0.00%', '58.2', '0', '0.00%', '2020-03-19 18:05:24'), (754, 1, 5, 1, 'Tomatoe (Tomatoe)', 'Kls', '23.07', '445.64', '0.03%', '40', '772.8', '0.05%', '2020-03-19 18:05:24'), (755, 1, 5, 1, 'Tuna 1705g (Tuna 1705g)', 'grms', '0.24', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-19 18:05:24'), (756, 1, 5, 1, 'Tuna Bariles (Tuna Bariles)', 'grms', '0.43', '98.9', '0.01%', '0.34', '78.2', '0.01%', '2020-03-19 18:05:24'), (757, 1, 5, 1, 'Tuna Flakes 155g (Tuna Flakes 155g)', 'Bot', '27.8', '0', '0.00%', '27.8', '0', '0.00%', '2020-03-19 18:05:24'), (758, 1, 5, 1, 'Tuna Flakes 180g (Tuna Flakes 180g)', 'Can', '34.28', '0', '0.00%', '34.3', '0', '0.00%', '2020-03-19 18:05:24'), (759, 1, 5, 1, 'Turmeric Ground 30g (Turmeric Ground 30g)', 'Bot', '51.3', '0', '0.00%', '51.3', '0', '0.00%', '2020-03-19 18:05:24'), (760, 1, 5, 1, 'Turmeric Ground Big Bot (Turmeric Ground Big Bot)', 'Bot', '458.96', '440.6', '0.03%', '453.55', '435.41', '0.03%', '2020-03-19 18:05:24'), (761, 1, 5, 1, 'UFC Spaghetti Sauce 1kg (UFC Spaghetti Sauce 1kg)', 'Pck', '61.1', '0', '0.00%', '61.8', '0', '0.00%', '2020-03-19 18:05:24'), (762, 1, 5, 1, 'Vinegar (silver swan- 1893 ml/g (Vinegar (silver swan- 1893 ml/gal) )', 'ML', '0.03', '107.94', '0.01%', '0.07', '282.45', '0.02%', '2020-03-19 18:05:24'), (763, 1, 5, 1, 'Vinegar Balsamic 500ml/bot (Vinegar Balsamic 500ml/bot)', 'Bot', '214.95', '0', '0.00%', '257.97', '0', '0.00%', '2020-03-19 18:05:24'), (764, 1, 5, 1, 'Vinegar Capers 340g/bot (Vinegar Capers 340g/bot)', 'Bot', '148', '0', '0.00%', '148', '0', '0.00%', '2020-03-19 18:05:24'), (765, 1, 5, 1, 'Watermelon (Watermelon)', 'Kls', '25', '0', '0.00%', '23.33', '0', '0.00%', '2020-03-19 18:05:24'), (766, 1, 5, 1, 'Watermelon fresh (Watermelon fresh )', 'Kls', '20.51', '856.78', '0.05%', '25', '1044.25', '0.06%', '2020-03-19 18:05:24'), (767, 1, 5, 1, 'White Onion (White Onion)', 'Kls', '65.92', '563.61', '0.03%', '89.72', '767.11', '0.05%', '2020-03-19 18:05:24'), (768, 1, 5, 1, 'White Onion pcs (White Onion pcs)', 'ea', '0', '0', '0.00%', '95', '0', '0.00%', '2020-03-19 18:05:24'), (769, 1, 5, 1, 'White Pepper Powder 31g (White Pepper Powder 31g)', 'Bot', '74.14', '0', '0.00%', '74.15', '0', '0.00%', '2020-03-19 18:05:24'), (770, 1, 5, 1, 'White wine-Novelino ( 750 ml) (White wine-Novelino ( 750 ml) )', 'Bot', '274.97', '0', '0.00%', '309.5', '0', '0.00%', '2020-03-19 18:05:24'), (771, 1, 6, 1, '1 Oz Cup White (1 Oz Cup White)', 'ea', '0.65', '0', '0.00%', '0.65', '0', '0.00%', '2020-03-20 01:05:08'), (772, 1, 6, 1, '1 oz Lid White (1 oz Lid White)', 'ea', '0.5', '0', '0.00%', '0.5', '0', '0.00%', '2020-03-20 01:05:08'), (773, 1, 6, 1, '10 Cake Box (10 Cake Box)', 'ea', '8', '0', '0.00%', '8', '0', '0.00%', '2020-03-20 01:05:08'), (774, 1, 6, 1, '10 Diameter Board (10 Diameter Board)', 'ea', '17', '238', '0.01%', '17', '238', '0.01%', '2020-03-20 01:05:08'), (775, 1, 6, 1, '102 Plastic Cup w/lid (102 Plastic Cup w/lid)', 'ea', '2.22', '0', '0.00%', '2.22', '0', '0.00%', '2020-03-20 01:05:08'), (776, 1, 6, 1, '10X10 Round Board (10X10 Round Board)', 'ea', '12', '0', '0.00%', '12', '0', '0.00%', '2020-03-20 01:05:08'), (777, 1, 6, 1, '10x10x4 Royal Red (10x10x4 Royal Red)', 'ea', '23.14', '0', '0.00%', '26.18', '0', '0.00%', '2020-03-20 01:05:08'), (778, 1, 6, 1, '10x10x4.5 Cake box (10x10x4.5 Cake box)', 'ea', '21.22', '0.01', '0.00%', '21.22', '0', '0.00%', '2020-03-20 01:05:08'), (779, 1, 6, 1, '10x10x4.5 Tri-Circle Box (10x10x4.5 Tri-Circle Box)', 'ea', '19.5', '0', '0.00%', '195', '0', '0.00%', '2020-03-20 01:05:08'), (780, 1, 6, 1, '10x10x5 Cake Box (10x10x5 Cake Box)', 'ea', '23.02', '4166.63', '0.25%', '26', '4706', '0.28%', '2020-03-20 01:05:08'), (781, 1, 6, 1, '10x14 ( Silver ) Board (10x14 ( Silver ) Board)', 'ea', '20', '500', '0.03%', '20', '500', '0.03%', '2020-03-20 01:05:08'), (782, 1, 6, 1, '10x14 Base (10x14 Base)', 'ea', '19', '0', '0.00%', '19', '0', '0.00%', '2020-03-20 01:05:08'), (783, 1, 6, 1, '10X14 board decorated (10X14 board decorated)', 'ea', '22', '0', '0.00%', '22', '0', '0.00%', '2020-03-20 01:05:08'), (784, 1, 6, 1, '10X14 board thick (10X14 board thick)', 'ea', '8.5', '0', '0.00%', '8.5', '0', '0.00%', '2020-03-20 01:05:08'), (785, 1, 6, 1, '10x14 White Cake Board (10x14 White Cake Board)', 'ea', '16', '720', '0.04%', '17.38', '782.1', '0.05%', '2020-03-20 01:05:08'), (786, 1, 6, 1, '10x14x5 box red (10x14x5 box red)', 'ea', '27', '0', '0.00%', '27', '0', '0.00%', '2020-03-20 01:05:08'), (787, 1, 6, 1, '10X14X5 Cake Box ( Red) (10X14X5 Cake Box ( Red))', 'ea', '27', '1782', '0.11%', '27', '1782', '0.10%', '2020-03-20 01:05:08'), (788, 1, 6, 1, '12 oz QTC Hot Heads (12 oz QTC Hot Heads)', 'ea', '2.75', '0', '0.00%', '2.75', '0', '0.00%', '2020-03-20 01:05:08'), (789, 1, 6, 1, '1202 Apple cup w/lid (1202 Apple cup w/lid)', 'ea', '9.14', '0', '0.00%', '10.05', '0', '0.00%', '2020-03-20 01:05:08'), (790, 1, 6, 1, '1202 Plastic Cup w/ lid (1202 Plastic Cup w/ lid)', 'ea', '4.84', '0', '0.00%', '4.9', '0', '0.00%', '2020-03-20 01:05:08'), (791, 1, 6, 1, '1202 Rippled Cup (1202 Rippled Cup)', 'ea', '10.05', '0', '0.00%', '10.05', '0', '0.00%', '2020-03-20 01:05:08'), (792, 1, 6, 1, '12oz Dome Cup w/Lid (12oz Dome Cup w/Lid)', 'ea', '5.1', '0', '0.00%', '5.1', '0', '0.00%', '2020-03-20 01:05:08'), (793, 1, 6, 1, '12oz QTC Hot Cup Ripple (12oz QTC Hot Cup Ripple)', 'ea', '8.75', '0', '0.00%', '8.75', '0', '0.00%', '2020-03-20 01:05:08'), (794, 1, 6, 1, '12X12X2 styro (12X12X2 styro)', 'ea', '120', '0', '0.00%', '120', '0', '0.00%', '2020-03-20 01:05:08'), (795, 1, 6, 1, '14x14 board thin (14x14 board thin)', 'ea', '13.07', '0', '0.00%', '13.07', '0', '0.00%', '2020-03-20 01:05:08'), (796, 1, 6, 1, '14x14 cake board (white) (14x14 cake board (white))', 'ea', '32.99', '1022.67', '0.06%', '33', '1023', '0.06%', '2020-03-20 01:05:08'), (797, 1, 6, 1, '14x14 White Square Board (14x14 White Square Board)', 'ea', '26.1', '0', '0.00%', '26.1', '0', '0.00%', '2020-03-20 01:05:08'), (798, 1, 6, 1, '14x14x5 cake box red (14x14x5 cake box red)', 'ea', '36', '1404', '0.08%', '37', '1443', '0.09%', '2020-03-20 01:05:08'), (799, 1, 6, 1, '14x18 cakeboard (14x18 cakeboard )', 'ea', '38.9', '1322.5', '0.08%', '38.28', '1301.52', '0.08%', '2020-03-20 01:05:08'), (800, 1, 6, 1, '14x18x5 (red ) box (14x18x5 (red ) box)', 'ea', '38.62', '772.31', '0.05%', '39', '780', '0.05%', '2020-03-20 01:05:08'), (801, 1, 6, 1, '3.50z Cups w/design & lid (3.50z Cups w/design & lid)', 'Pck', '44.35', '0', '0.00%', '44.35', '0', '0.00%', '2020-03-20 01:05:08'), (802, 1, 6, 1, '3.50z Cups w/design & lid-pcs (3.50z Cups w/design & lid - pcs)', 'ea', '2.88', '0', '0.00%', '2.88', '0', '0.00%', '2020-03-20 01:05:08'), (803, 1, 6, 1, '3X16 Plastic Bag 100s (3X16 Plastic Bag 100s)', 'Pck', '29.7', '0', '0.00%', '29.7', '0', '0.00%', '2020-03-20 01:05:08'), (804, 1, 6, 1, '4 diameter round board-gold (4 diameter round board-gold )', 'ea', '4.25', '68', '0.00%', '4.25', '68', '0.00%', '2020-03-20 01:05:08'), (805, 1, 6, 1, '7R Cake Box Silver (7R Cake Box Silver)', 'ea', '10.5', '0', '0.00%', '10.5', '0', '0.00%', '2020-03-20 01:05:08'), (806, 1, 6, 1, '7x14 Plastic Bag (7x14 Plastic Bag)', 'Pck', '25.61', '435.4', '0.03%', '32.45', '551.65', '0.03%', '2020-03-20 01:05:08'), (807, 1, 6, 1, '7x7x4 Cake Box (7x7x4 Cake Box)', 'ea', '17.25', '0', '0.00%', '23', '0', '0.00%', '2020-03-20 01:05:08'), (808, 1, 6, 1, '8 Diameter Round Board (8 Diameter Round Board)', 'ea', '11', '0', '0.00%', '11', '0', '0.00%', '2020-03-20 01:05:08'), (809, 1, 6, 1, '880CC Paper Lunch Box Med. (880CC Paper Lunch Box Med.)', 'ea', '10.25', '943', '0.06%', '10.25', '943', '0.06%', '2020-03-20 01:05:08'), (810, 1, 6, 1, '8x8 Cake Box (8x8 Cake Box)', 'ea', '22', '0', '0.00%', '22', '0', '0.00%', '2020-03-20 01:05:08'), (811, 1, 6, 1, '8X8X4 Christmas Box (8X8X4 Christmas Box)', 'ea', '20', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 01:05:08'), (812, 1, 6, 1, '9\'s Board Silver (9\'s Board Silver)', 'ea', '13', '0', '0.00%', '13', '0', '0.00%', '2020-03-20 01:05:08'), (813, 1, 6, 1, '9x9x4 Red Box (9x9x4 Red Box)', 'ea', '18.23', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 01:05:08'), (814, 1, 6, 1, 'Baking cups-2 oz (Baking cups-2 oz )', 'ea', '0.3', '0', '0.00%', '0.4', '0', '0.00%', '2020-03-20 01:05:08'), (815, 1, 6, 1, 'Baking cups-3 oz ( 200 pcs/pck) (Baking cups-3 oz ( 200 pcs/pck) )', 'ea', '0.89', '1683.88', '0.10%', '0.25', '473', '0.03%', '2020-03-20 01:05:08'), (816, 1, 6, 1, 'C-302 Burger Box Clear (C-302 Burger Box Clear)', 'ea', '7', '8470', '0.50%', '7', '8470', '0.50%', '2020-03-20 01:05:08'), (817, 1, 6, 1, 'CBJ Cellophane (CBJ Cellophane)', 'ea', '1.38', '0', '0.00%', '1.37', '0', '0.00%', '2020-03-20 01:05:08'), (818, 1, 6, 1, 'CBL Cellophane (CBL Cellophane)', 'ea', '1.1', '0', '0.00%', '1.1', '0', '0.00%', '2020-03-20 01:05:08'), (819, 1, 6, 1, 'Cellophane 1x10 (Cellophane 1x10)', 'Pck', '7.15', '71.5', '0.00%', '7.15', '71.5', '0.00%', '2020-03-20 01:05:08'), (820, 1, 6, 1, 'Cellophane 8x14 (Cellophane 8x14)', 'Pck', '14.15', '0', '0.00%', '16.9', '0', '0.00%', '2020-03-20 01:05:08'), (821, 1, 6, 1, 'ChipBoard (ChipBoard)', 'ea', '19', '190', '0.01%', '19', '190', '0.01%', '2020-03-20 01:05:08'), (822, 1, 6, 1, 'Clam Shell - Take Out Box (Clam Shell - Take Out Box)', 'ea', '7.44', '2232', '0.13%', '9', '2700', '0.16%', '2020-03-20 01:05:08'), (823, 1, 6, 1, 'Clamshell (Clamshell)', 'ea', '8.33', '0', '0.00%', '9', '0', '0.00%', '2020-03-20 01:05:08'), (824, 1, 6, 1, 'Cody Detpak Lids 80z 6s (ody Detpak Lids 80z 6s)', 'ea', '2.32', '0', '0.00%', '2.32', '0', '0.00%', '2020-03-20 01:05:08'), (825, 1, 6, 1, 'Coffee Cup Cover 10s (Coffee Cup Cover 10s)', 'ea', '1.5', '0', '0.00%', '1.5', '0', '0.00%', '2020-03-20 01:05:08'), (826, 1, 6, 1, 'Coffee cups-12ozx100 pcs/bag (Coffee cups-12ozx100 pcs/bag )', 'ea', '9.9', '1920.6', '0.11%', '9.8', '1901.2', '0.11%', '2020-03-20 01:05:08'), (827, 1, 6, 1, 'Cold drinks cups-12 ozx 100 pcs (Cold drinks cups-12 ozx 100 pcs/bag )', 'ea', '6.53', '0', '0.00%', '6.53', '0', '0.00%', '2020-03-20 01:05:08'), (828, 1, 6, 1, 'Croco ClingWrap 12x500m (Croco ClingWrap 12x500m)', 'Roll', '485', '0', '0.00%', '485', '0', '0.00%', '2020-03-20 01:05:08'), (829, 1, 6, 1, 'Croco Foofdwrap 18x 500m (Croco Foofdwrap 18x 500m)', 'Roll', '680', '0', '0.00%', '680', '0', '0.00%', '2020-03-20 01:05:08'), (830, 1, 6, 1, 'Croco Wax Paper 150M (Croco Wax Paper 150M)', 'Roll', '450', '1858.51', '0.11%', '525', '2168.25', '0.13%', '2020-03-20 01:05:08'), (831, 1, 6, 1, 'Dome Lid (Dome Lid)', 'ea', '2.2', '0', '0.00%', '2.2', '0', '0.00%', '2020-03-20 01:05:08'), (832, 1, 6, 1, 'Dome Plastic Cup (Dome Plastic Cup)', 'ea', '2.49', '0', '0.00%', '2.49', '0', '0.00%', '2020-03-20 01:05:08'), (833, 1, 6, 1, 'French Bread window (Plain) (French Bread window (Plain))', 'ea', '5.4', '8635.06', '0.51%', '5.45', '8720', '0.51%', '2020-03-20 01:05:08'), (834, 1, 6, 1, 'Glassine (Glassine)', 'ea', '1.57', '50.27', '0.00%', '1.5', '48', '0.00%', '2020-03-20 01:05:08'), (835, 1, 6, 1, 'Golden Wire Twist ( Big) (Golden Wire Twist ( Big))', 'Roll', '75', '3000', '0.18%', '75', '3000', '0.18%', '2020-03-20 01:05:08'), (836, 1, 6, 1, 'Healthy bread cellophane (Healthy bread cellophane )', 'ea', '1.2', '3610.8', '0.21%', '1.2', '3610.8', '0.21%', '2020-03-20 01:05:08'), (837, 1, 6, 1, 'Hopia Box (Hopia Box (10\'s/pack) 5x6 9/4 1/2)', 'ea', '6.5', '0', '0.00%', '6.5', '0', '0.00%', '2020-03-20 01:05:08'), (838, 1, 6, 1, 'Jellycup (Jellycup)', 'ea', '13', '0', '0.00%', '13', '0', '0.00%', '2020-03-20 01:05:08'), (839, 1, 6, 1, 'Jellyroll box (Jellyroll box)', 'ea', '21', '0', '0.00%', '21', '0', '0.00%', '2020-03-20 01:05:08'), (840, 1, 6, 1, 'Jellyroll w/ handle (Jellyroll w/ handle)', 'ea', '21', '0', '0.00%', '21', '0', '0.00%', '2020-03-20 01:05:08'), (841, 1, 6, 1, 'Klear Kake Band 2.5 (Klear Kake Band 2.5)', 'Box', '2000', '0', '0.00%', '2000', '0', '0.00%', '2020-03-20 01:05:08'), (842, 1, 6, 1, 'Luch Box Silver (Luch Box Silver)', 'ea', '5.45', '0', '0.00%', '5.45', '0', '0.00%', '2020-03-20 01:05:08'), (843, 1, 6, 1, 'Matza Cellophane 7x11 bag (Matza Cellophane 7x11 bag)', 'ea', '2', '0', '0.00%', '2', '0', '0.00%', '2020-03-20 01:05:08'), (844, 1, 6, 1, 'OPP cellophane with logo (OPP cellophane with logo )', 'Kls', '229.8', '4044.51', '0.24%', '178.51', '3141.776', '0.18%', '2020-03-20 01:05:08'), (845, 1, 6, 1, 'Paper Cup 12oz 10s (Paper Cup 12oz 10s)', 'ea', '8.29', '124.34', '0.01%', '7.25', '108.75', '0.01%', '2020-03-20 01:05:08'), (846, 1, 6, 1, 'Pet Bottles (Triwall Pet Bottles)', 'ea', '9.71', '1097.15', '0.07%', '9.55', '1079.15', '0.06%', '2020-03-20 01:05:08'), (847, 1, 6, 1, 'Plain Loaf bread (Plain Loaf bread)', 'ea', '0.9', '0', '0.00%', '0.9', '0', '0.00%', '2020-03-20 01:05:08'), (848, 1, 6, 1, 'Plastic Cup 10oz 100s (Plastic Cup 10oz 100s)', 'ea', '0.66', '0', '0.00%', '0.65625', '0', '0.00%', '2020-03-20 01:05:08'), (849, 1, 6, 1, 'Popeye Cup 3.50z 25s (Popeye Cup 3.50z 25s)', 'ea', '2.16', '53.95', '0.00%', '2.18', '54.5', '0.00%', '2020-03-20 01:05:08'), (850, 1, 6, 1, 'Precut napkin 2000s (Precut napkin 2000s)', 'ea', '0.19', '0', '0.00%', '0.1875', '0', '0.00%', '2020-03-20 01:05:08'), (851, 1, 6, 1, 'Round Cake Board (Round Cake Board)', 'ea', '12', '0', '0.00%', '13', '0', '0.00%', '2020-03-20 01:05:08'), (852, 1, 6, 1, 'Sando Bag Large (Sando Bag Large)', 'ea', '1.8', '17159.39', '1.02%', '1.8', '17159.4', '1.01%', '2020-03-20 01:05:08'), (853, 1, 6, 1, 'Sando Bag Medium (Sando Bag Medium)', 'ea', '1.3', '29542.13', '1.75%', '1.3', '29542.5', '1.73%', '2020-03-20 01:05:08'), (854, 1, 6, 1, 'Sando Bag Medium (4 u) 100s (ando Bag Medium (4 u) 100s)', 'ea', '0.5', '0', '0.00%', '0.5', '0', '0.00%', '2020-03-20 01:05:08'), (855, 1, 6, 1, 'Sando Bag Mini (4 u) 100s (Sando Bag Mini (4 u) 100s)', 'ea', '0.23', '0', '0.00%', '0.23', '0', '0.00%', '2020-03-20 01:05:08'), (856, 1, 6, 1, 'Sando Bag Tiny (Sando Bag Tiny)', 'ea', '0.55', '13331.51', '0.79%', '0.68', '16624.64', '0.97%', '2020-03-20 01:05:08'), (857, 1, 6, 1, 'Sando Bag Tiny 100s (4 u) (Sando Bag Tiny 100s (4 u))', 'ea', '0.28', '0', '0.00%', '0.28', '0', '0.00%', '2020-03-20 01:05:08'), (858, 1, 6, 1, 'Supot # 10 (Supot # 10 ( 2000pcs))', 'ea', '0.85', '1695', '0.10%', '0.8475', '1695', '0.10%', '2020-03-20 01:05:08'), (859, 1, 6, 1, 'Supot # 4 (4000pcs) (Supot # 4 (4000pcs))', 'ea', '0.49', '1950', '0.12%', '0.4875', '1950', '0.11%', '2020-03-20 01:05:08'), (860, 1, 6, 1, 'Supot # 5 3000s (Supot # 5 3000s)', 'ea', '0.64', '5444.12', '0.32%', '0.5', '4250', '0.25%', '2020-03-20 01:05:08'), (861, 1, 6, 1, 'Supot #3 (Supot #3 (5000pcs/bundle))', 'ea', '0.4', '7147.69', '0.42%', '0.4012', '7147.7792', '0.42%', '2020-03-20 01:05:08'), (862, 1, 6, 1, 'Supot #6 (Supot #6 3000pcs/bundle)', 'ea', '0.76', '6813', '0.41%', '0.757', '6813', '0.40%', '2020-03-20 01:05:08'), (863, 1, 6, 1, 'Supot #8 (Supot #8 ( 2000pcs/bundle))', 'ea', '0.88', '9406.65', '0.56%', '0.884', '9406.644', '0.55%', '2020-03-20 01:05:08'), (864, 1, 6, 1, 'Supot#2 (Supot#2)', 'ea', '0.36', '10257.48', '0.61%', '0.36', '10257.48', '0.60%', '2020-03-20 01:05:08'), (865, 1, 6, 1, 'Take-out box -cake Single (Take-out box -cake Single(menros))', 'ea', '7.93', '0', '0.00%', '7.93', '0', '0.00%', '2020-03-20 01:05:08'), (866, 1, 6, 1, 'Take Out bowl 5 pcs/pck (Take Out bowl 5 pcs/pck)', 'ea', '4.39', '0', '0.00%', '4.39', '0', '0.00%', '2020-03-20 01:05:08'), (867, 1, 6, 1, 'Take Out bowl Small 5 pcs/pck (Take Out bowl Small 5 pcs/pck)', 'ea', '1.14', '27.36', '0.00%', '1.14', '27.36', '0.00%', '2020-03-20 01:05:08'), (868, 1, 6, 1, 'Take out box ( silver) (Take out box ( silver))', 'ea', '5', '0', '0.00%', '5', '0', '0.00%', '2020-03-20 01:05:08'), (869, 1, 6, 1, 'Take out boxes medium (Take out boxes medium)', 'ea', '9.2', '0', '0.00%', '9.75', '0', '0.00%', '2020-03-20 01:05:08'), (870, 1, 6, 1, 'Take Out Sauce Boat (Take Out Sauce Boat (100pcs/pck))', 'ea', '0.59', '0', '0.00%', '0.59', '0', '0.00%', '2020-03-20 01:05:08'), (871, 1, 6, 1, 'Toasted Siopao Box (Toasted Siopao Box)', 'ea', '14', '14', '0.00%', '14', '14', '0.00%', '2020-03-20 01:05:08'), (872, 1, 6, 1, 'Waxpaper (Waxpaper )', 'Roll', '143.88', '0', '0.00%', '66', '0', '0.00%', '2020-03-20 01:05:08'), (873, 1, 6, 1, 'Wire Twist ( Small Roll) (Wire Twist ( Small Roll))', 'Roll', '50', '8600', '0.51%', '50', '8600', '0.50%', '2020-03-20 01:05:08'), (874, 1, 7, 1, 'Alsacian (Alsacian)', 'Portion', '383.38', '1533.52', '0.09%', '390.53', '1562.12', '0.09%', '2020-03-20 01:09:27'), (875, 1, 7, 1, 'Beef tapa (Beef tapa )', 'Portion', '40.87', '490.44', '0.03%', '40.87', '490.44', '0.03%', '2020-03-20 01:09:27'), (876, 1, 7, 1, 'Beef tocino (Beef Tocino )', 'Portion', '23.99', '431.78', '0.03%', '23.99', '431.82', '0.03%', '2020-03-20 01:09:27'), (877, 1, 7, 1, 'Bolognaise Sauce (Bolognaise Sauce)', 'Portion', '22.13', '1261.13', '0.08%', '22.13', '1261.41', '0.07%', '2020-03-20 01:09:27'), (878, 1, 7, 1, 'Brown sauce - 50 gms (Brown sauce - 50 gms )', 'Portion', '4.57', '31.99', '0.00%', '4.84', '33.88', '0.00%', '2020-03-20 01:09:27'), (879, 1, 7, 1, 'Bulalo (Bulalo )', 'Portion', '198.94', '795.76', '0.05%', '198.94', '795.76', '0.05%', '2020-03-20 01:09:27'), (880, 1, 7, 1, 'Chicken Adobo (Chicken Adobo)', 'Portion', '12.17', '352.93', '0.02%', '12.17', '352.93', '0.02%', '2020-03-20 01:09:27'), (881, 1, 7, 1, 'Chicken Ala King (Chicken Ala King)', 'ea', '109.8', '-1207.8', '-0.07%', '109.8', '-1207.8', '-0.07%', '2020-03-20 01:09:27'), (882, 1, 7, 1, 'Chicken Tandori (Chicken Tandori )', 'Portion', '50.72', '0', '0.00%', '51.04', '0', '0.00%', '2020-03-20 01:09:27'), (883, 1, 7, 1, 'Chicken Teriyaki (Chicken Teriyaki)', 'Portion', '22.55', '0', '0.00%', '22.55', '0', '0.00%', '2020-03-20 01:09:27'), (884, 1, 7, 1, 'Chicken Tocino (Chicken Tocino )', 'Portion', '27.95', '586.88', '0.04%', '28.02', '588.42', '0.03%', '2020-03-20 01:09:27'), (885, 1, 7, 1, 'Chicken Wings (Chicken Wings )', 'Portion', '26.84', '322.02', '0.02%', '26.83', '321.96', '0.02%', '2020-03-20 01:09:27'), (886, 1, 7, 1, 'Curry meat (Curry meat )', 'Portion', '41.31', '1445.85', '0.09%', '41.31', '1445.85', '0.09%', '2020-03-20 01:09:27'), (887, 1, 7, 1, 'Curry Sauce (80gms/protion) (Curry Sauce (80gms/protion))', 'Portion', '11.4', '171', '0.01%', '11.4', '171', '0.01%', '2020-03-20 01:09:27'), (888, 1, 7, 1, 'Dory fish fillet - 100 gms (Dory fish fillet - 100 gms )', 'Portion', '33.76', '641.53', '0.04%', '33.77', '641.63', '0.04%', '2020-03-20 01:09:27'), (889, 1, 7, 1, 'Fettucinni pasta-San Remo - por (Fettucinni pasta-San Remo - portions 130 gms )', 'Portion', '8.76', '96.36', '0.01%', '8.76', '96.36', '0.01%', '2020-03-20 01:09:27'), (890, 1, 7, 1, 'Garlicky (Garlicky)', 'ea', '0', '0', '0.00%', '108.18', '0', '0.00%', '2020-03-20 01:09:27'), (891, 1, 7, 1, 'Gideon chicken (Gideon chicken )', 'Portion', '55.39', '2215.6', '0.13%', '55.39', '2215.6', '0.13%', '2020-03-20 01:09:27'), (892, 1, 7, 1, 'Grilled hickory ribs-250 gms (Grilled hickory ribs-250 gms )', 'Portion', '153.8', '0', '0.00%', '153.8', '0', '0.00%', '2020-03-20 01:09:27'), (893, 1, 7, 1, 'Malasugue (Malasugue )', 'Portion', '48', '0', '0.00%', '48', '0', '0.00%', '2020-03-20 01:09:27'), (894, 1, 7, 1, 'Mango chutney 30 gms (Mango chutney 30 gms )', 'Portion', '15.11', '846.05', '0.05%', '15.11', '846.16', '0.05%', '2020-03-20 01:09:27'), (895, 1, 7, 1, 'Meat Bread Filling(5kls) (Meat Bread Filling(5kls))', 'Portion', '2376.5', '0', '0.00%', '2376.47', '0', '0.00%', '2020-03-20 01:09:27'), (896, 1, 7, 1, 'Napolitana sauce- 50 gms (Napolitana sauce- 50 gms )', 'Portion', '6.09', '334.95', '0.02%', '6.09', '334.95', '0.02%', '2020-03-20 01:09:27'), (897, 1, 7, 1, 'Onion soup (Onion soup )', 'Portion', '34.45', '723.45', '0.04%', '34.45', '723.45', '0.04%', '2020-03-20 01:09:27'), (898, 1, 7, 1, 'palabok Sauce (palabok Sauce)', 'ea', '14.38', '445.78', '0.03%', '14.38', '445.78', '0.03%', '2020-03-20 01:09:27'), (899, 1, 7, 1, 'Pastel (Pastel)', 'ea', '106.11', '955', '0.06%', '106.11', '954.99', '0.06%', '2020-03-20 01:09:27'), (900, 1, 7, 1, 'Pattie big (Pattie big )', 'Portion', '45.59', '0', '0.00%', '71.23', '0', '0.00%', '2020-03-20 01:09:27'), (901, 1, 7, 1, 'Pattie small (Pattie small )', 'Portion', '34.98', '3498', '0.21%', '54.65', '5465', '0.32%', '2020-03-20 01:09:27'), (902, 1, 7, 1, 'Poached chicken (Poached chicken )', 'Portion', '31.6', '1453.6', '0.09%', '31.6', '1453.6', '0.09%', '2020-03-20 01:09:27'), (903, 1, 7, 1, 'Pork chop - 120 gms (Pork chop - 120 gms )', 'Portion', '40.42', '687.21', '0.04%', '40.42', '687.14', '0.04%', '2020-03-20 01:09:27'), (904, 1, 7, 1, 'Pork crackling (Pork crackling )', 'Portion', '123.31', '0', '0.00%', '123.31', '0', '0.00%', '2020-03-20 01:09:27'), (905, 1, 7, 1, 'Pork humba (Pork humba)', 'ea', '21.91', '0', '0.00%', '21.91', '0', '0.00%', '2020-03-20 01:09:27'), (906, 1, 7, 1, 'Pork Ribs (Pork Ribs)', 'ea', '153.8', '1076.6', '0.06%', '153.8', '1076.6', '0.06%', '2020-03-20 01:09:27'), (907, 1, 7, 1, 'Pork tapa (Pork tapa )', 'Portion', '18.51', '148.05', '0.01%', '20.06', '160.48', '0.01%', '2020-03-20 01:09:27'), (908, 1, 7, 1, 'Pork Tocino (Pork Tocino )', 'Portion', '23.4', '280.76', '0.02%', '23.4', '280.8', '0.02%', '2020-03-20 01:09:27'), (909, 1, 7, 1, 'Pumpkin soup (Pumpkin soup )', 'Portion', '20.46', '163.68', '0.01%', '20.46', '163.68', '0.01%', '2020-03-20 01:09:27'), (910, 1, 7, 1, 'Rib eye (Rib eye)', 'ea', '159.19', '1751.09', '0.10%', '159.19', '1751.09', '0.10%', '2020-03-20 01:09:27'), (911, 1, 7, 1, 'Seafoods- 20 gms/ portion (Seafoods- 20 gms/ portion )', 'Portion', '11.1', '166.5', '0.01%', '11.1', '166.5', '0.01%', '2020-03-20 01:09:27'), (912, 1, 7, 1, 'Sesame chicken fillet (Sesame chicken fillet )', 'Portion', '9.28', '603.2', '0.04%', '9.28', '603.2', '0.04%', '2020-03-20 01:09:27'), (913, 1, 7, 1, 'Shrimps (Shrimps ) - 20 gms (Shrimps (Shrimps ) - 20 gms )', 'Portion', '0.24', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-20 01:09:27'), (914, 1, 7, 1, 'Smoked Farmer\'s ham - 40 gms (Smoked Farmer\'s ham - 40 gms )', 'Portion', '12.46', '647.72', '0.04%', '12.46', '647.92', '0.04%', '2020-03-20 01:09:27'), (915, 1, 7, 1, 'Spaghetti pasta-Royal -portions (Spaghetti pasta-Royal -portions )', 'Portion', '10.43', '177.31', '0.01%', '10.43', '177.31', '0.01%', '2020-03-20 01:09:27'), (916, 1, 7, 1, 'Teriyaki Sauce - portion (Teriyaki Sauce)', 'Portion', '57.63', '0', '0.00%', '57.63', '0', '0.00%', '2020-03-20 01:09:27'), (917, 1, 7, 1, 'Tomato soup (Tomato soup )', 'Portion', '23.02', '276.24', '0.02%', '23.02', '276.24', '0.02%', '2020-03-20 01:09:27'), (918, 1, 8, 1, 'Banana Muffins - MIX (Banana Muffins - MIX)', 'MIX', '328.9', '27956.5', '1.66%', '328.9', '27956.5', '1.64%', '2020-03-20 01:12:16'), (919, 1, 8, 1, 'Buko Bibingka Mix (Buko Bibingka Mix)', 'MIX', '173.09', '14539.56', '0.86%', '173.09', '14539.56', '0.85%', '2020-03-20 01:12:16'), (920, 1, 8, 1, 'Cheese filling Kls (Cheese filling Kls)', 'Kls', '72.71', '527.18', '0.03%', '96.64', '700.64', '0.04%', '2020-03-20 01:12:16'), (921, 1, 8, 1, 'Cheese filling MIX - 8kls/mix (Cheese filling MIX - 8kls/mix)', 'MIX', '798.24', '6385.92', '0.38%', '798.24', '6385.92', '0.37%', '2020-03-20 01:12:16'), (922, 1, 8, 1, 'CheeseLoaf kls (CheeseLoaf kls)', 'Kls', '75.42', '10095.72', '0.60%', '75.42', '10095.7212', '0.59%', '2020-03-20 01:12:16'), (923, 1, 8, 1, 'Choco Filling kls (Choco Filling kls)', 'Kls', '228.97', '4167.25', '0.25%', '228.97', '4167.254', '0.24%', '2020-03-20 01:12:16'), (924, 1, 8, 1, 'Choco Lanay Filling (Choco Lanay Filling)', 'Kls', '150.46', '917.82', '0.05%', '83.5', '509.35', '0.03%', '2020-03-20 01:12:16'), (925, 1, 8, 1, 'Ciabatta (Ciabatta(Per Mix))', 'MIX', '53.62', '0', '0.00%', '53.62', '0', '0.00%', '2020-03-20 01:12:16'), (926, 1, 8, 1, 'Cinnamon Filling Mix (Cinnamon Filling Mix)', 'MIX', '557.51', '10826.84', '0.64%', '557.51', '10826.8442', '0.63%', '2020-03-20 01:12:16'), (927, 1, 8, 1, 'Cinnamon with Sugar Filling (Cinnamon with Sugar Filling)', 'Kls', '57.26', '37.22', '0.00%', '57.3', '37.25', '0.00%', '2020-03-20 01:12:16'), (928, 1, 8, 1, 'Coco Fruit -Mix (Coco Fruit -Mix)', 'MIX', '550.37', '550.37', '0.03%', '550.37', '550.37', '0.03%', '2020-03-20 01:12:16'), (929, 1, 8, 1, 'Coco Fruit Filling -kls (Coco Fruit Filling -kls)', 'Kls', '103.09', '231.95', '0.01%', '103.09', '231.95', '0.01%', '2020-03-20 01:12:16'), (930, 1, 8, 1, 'Coco Fruit Filling Mix (Coco Fruit Filling Mix)', 'MIX', '550.37', '3302.22', '0.20%', '550.37', '3302.22', '0.19%', '2020-03-20 01:12:16'), (931, 1, 8, 1, 'Dark European (Dark European(kls))', 'Kls', '97.52', '1852.88', '0.11%', '97.52', '1852.88', '0.11%', '2020-03-20 01:12:16'), (932, 1, 8, 1, 'Ensaymada kls (Ensaymada kls)', 'Kls', '95.59', '11088.44', '0.66%', '95.59', '11088.44', '0.65%', '2020-03-20 01:12:16'), (933, 1, 8, 1, 'Fino pandesal Kls (Fino pandesal Kls)', 'Kls', '75.92', '11008.4', '0.65%', '75.92', '11008.4', '0.65%', '2020-03-20 01:12:16'), (934, 1, 8, 1, 'French Bread plain-kls (French Bread plain-kls)', 'Kls', '72.12', '10457.4', '0.62%', '72.12', '10457.4', '0.61%', '2020-03-20 01:12:16'), (935, 1, 8, 1, 'Frenchbread W.wheat kls (Frenchbread W.wheat kls)', 'Kls', '76.57', '11102.65', '0.66%', '76.57', '11102.65', '0.65%', '2020-03-20 01:12:16'), (936, 1, 8, 1, 'Fruit John Kls (Fruit John Kls)', 'Kls', '110.04', '0', '0.00%', '110.04', '0', '0.00%', '2020-03-20 01:12:16'), (937, 1, 8, 1, 'Marjorie filling MIX (Marjorie filling MIX)', 'MIX', '223.64', '0', '0.00%', '223.64', '0', '0.00%', '2020-03-20 01:12:16'), (938, 1, 8, 1, 'Monay premix - kls (Monay premix - kls)', 'Kls', '66.97', '802.3', '0.05%', '66.97', '802.3', '0.05%', '2020-03-20 01:12:16'), (939, 1, 8, 1, 'Pilipit premix (Pilipit premix)', 'Kls', '70.93', '41139.4', '2.44%', '70.93', '41139.4', '2.41%', '2020-03-20 01:12:16'), (940, 1, 8, 1, 'Putok premix (Putok premix)', 'Kls', '76.64', '8731.6', '0.52%', '76.64', '8731.5952', '0.51%', '2020-03-20 01:12:16'), (941, 1, 8, 1, 'Strussels- mix (Strussels- mix)', 'MIX', '179.92', '46.78', '0.00%', '179.93', '46.78', '0.00%', '2020-03-20 01:12:16'), (942, 1, 8, 1, 'Sweetdough (Sweetdough)', 'Kls', '59.61', '660.53', '0.04%', '59.62', '660.59', '0.04%', '2020-03-20 01:12:16'), (943, 1, 8, 1, 'Taipan Filling (Taipan Filling)', 'MIX', '174.79', '445.71', '0.03%', '174.79', '445.71', '0.03%', '2020-03-20 01:12:16'), (944, 1, 8, 1, 'Whole wheat premix (Whole wheat premix)', 'Kls', '63.11', '10981.14', '0.65%', '63.11', '10981.14', '0.64%', '2020-03-20 01:12:16'), (945, 1, 9, 1, 'Alaska Condensada Easy 300ml (Alaska Condensada Easy 300ml)', 'Can', '38.72', '0', '0.00%', '38.72', '0', '0.00%', '2020-03-20 01:15:17'), (946, 1, 9, 1, 'Alaska Condensed Milk (Alaska Condensed Milk 300ml/can)', 'Can', '54.3', '12000.79', '0.71%', '53.47', '11816.87', '0.69%', '2020-03-20 01:15:17'), (947, 1, 9, 1, 'Alaska Condensed Milk 380g (Alaska Condensed Milk 380g)', 'Can', '46.51', '0', '0.00%', '46.51', '0', '0.00%', '2020-03-20 01:15:17'), (948, 1, 9, 1, 'All purpose Cream (All purpose Cream 250g X 24 pac)', 'Pck', '55.15', '9321.03', '0.55%', '55.13992', '9318.65', '0.55%', '2020-03-20 01:15:17'), (949, 1, 9, 1, 'All Purpose Flour (All Purpose Flour 25kg / sack)', 'grms', '0.04', '4697.32', '0.28%', '0.038', '4696.8', '0.28%', '2020-03-20 01:15:17'), (950, 1, 9, 1, 'Arla Cream Cheese (Arla Cream Cheese 1.8kg x 3/case)', 'grms', '0.5', '0', '0.00%', '0.5', '0', '0.00%', '2020-03-20 01:15:17'), (951, 1, 9, 1, 'Baguette Flour (Baguette Flour Baguette Flour 10kg/case)', 'grms', '0', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-20 01:15:17'), (952, 1, 9, 1, 'Baking Powder (Baking Powder)', 'grms', '0.11', '1907.31', '0.11%', '0.118', '2006', '0.12%', '2020-03-20 01:15:17'), (953, 1, 9, 1, 'Baking Soda (Baking Soda)', 'grms', '0.04', '23.68', '0.00%', '0.05', '33', '0.00%', '2020-03-20 01:15:17'), (954, 1, 9, 1, 'Banana Fresh (Banana Fresh)', 'grms', '0.04', '21845.43', '1.30%', '0.035', '20811.7', '1.22%', '2020-03-20 01:15:17'), (955, 1, 9, 1, 'Bread crumbs (Bread crumbs )', 'grms', '0.06', '9208.37', '0.55%', '0.05', '7588.9', '0.45%', '2020-03-20 01:15:17'), (956, 1, 9, 1, 'Bread Improver (Bread Improver)', 'grms', '0.08', '1876.83', '0.11%', '0.07685', '1876.68', '0.11%', '2020-03-20 01:15:17'), (957, 1, 9, 1, 'Brown Paper (Brown Paper 500pcs/bundle)', 'ea', '1.67', '0', '0.00%', '2.66', '0', '0.00%', '2020-03-20 01:15:17'), (958, 1, 9, 1, 'Buko meat (Buko meat )', 'grms', '0.24', '0', '0.00%', '0.12', '0', '0.00%', '2020-03-20 01:15:17'), (959, 1, 9, 1, 'Butter Oil Substitute (Butter Oil Substitute)', 'grms', '0.13', '11726', '0.70%', '0.13', '11726', '0.69%', '2020-03-20 01:15:17'), (960, 1, 9, 1, 'Butter Unsalted 20KG (Butter Unsalted 20KG/CASE)', 'grms', '0.29', '0', '0.00%', '0.29', '0', '0.00%', '2020-03-20 01:15:17'), (961, 1, 9, 1, 'Butter Unsalted 10KG (Butter Unsalted 10KG/CASE)', 'grms', '0.39', '0', '0.00%', '0.39', '0', '0.00%', '2020-03-20 01:15:17'), (962, 1, 9, 1, 'Butter Unsalted 227g (Butter Unsalted 227g)', 'grms', '0.45', '4062.21', '0.24%', '0.44', '3960', '0.23%', '2020-03-20 01:15:17'), (963, 1, 9, 1, 'Butter Unsalted 5kg (Butter Unsalted 5kg)', 'Kls', '496.28', '0', '0.00%', '503', '0', '0.00%', '2020-03-20 01:15:17'), (964, 1, 9, 1, 'Buttercup 225g (Buttercup 225g/bar)', 'Bar', '40.1', '11443.53', '0.68%', '40.14583', '11458.02', '0.67%', '2020-03-20 01:15:17'), (965, 1, 9, 1, 'ButterMilk 25g/sack (ButterMilk 25g/sack)', 'grms', '0.11', '0', '0.00%', '0.108', '0', '0.00%', '2020-03-20 01:15:17'), (966, 1, 9, 1, 'Buuter Salted 5kgx4 (Buuter Salted 5kgx4)', 'Kls', '96.35', '0', '0.00%', '132.75', '0', '0.00%', '2020-03-20 01:15:17'), (967, 1, 9, 1, 'Cake Flour (Cake Flour)', 'grms', '0.04', '4147.56', '0.25%', '0.038', '4134.4', '0.24%', '2020-03-20 01:15:17'), (968, 1, 9, 1, 'Cake Improver 4kg/pail (Cake Improver 4kg/pail)', 'grms', '0.26', '0', '0.00%', '0.264', '0', '0.00%', '2020-03-20 01:15:17'), (969, 1, 9, 1, 'Cems Honey Prime 1L (Cems Honey Prime 1L)', 'ML', '286.17', '4172.37', '0.25%', '266.15', '3880.47', '0.23%', '2020-03-20 01:15:17'), (970, 1, 9, 1, 'Cherries with stem (1050 gms/bo (Cherries with stem (1050 gms/bot) )', 'Bot', '0.82', '0', '0.00%', '0.78', '0', '0.00%', '2020-03-20 01:15:17'), (971, 1, 9, 1, 'Chicharon (BAngkerohan) (Chicharon (BAngkerohan))', 'Pck', '100', '550', '0.03%', '100', '550', '0.03%', '2020-03-20 01:15:17'), (972, 1, 9, 1, 'Chocolate fudge (Chocolate fudge)', 'grms', '0.24', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-20 01:15:17'), (973, 1, 9, 1, 'Chocolate Glazed (Chocolate Glazed 5000/Pail)', 'grms', '0.3', '27193.86', '1.62%', '0.30464', '27356.67', '1.60%', '2020-03-20 01:15:17'), (974, 1, 9, 1, 'Chocolate Green (Chocolate Green)', 'ea', '110', '0', '0.00%', '132.5', '0', '0.00%', '2020-03-20 01:15:17'), (975, 1, 9, 1, 'Chocolate Mix (Chocolate Mix)', 'grms', '0.17', '0', '0.00%', '0.162', '0', '0.00%', '2020-03-20 01:15:17'), (976, 1, 9, 1, 'Chocolate Sprinkles (Chocolate Sprinkles)', 'grms', '0.35', '2917.25', '0.17%', '0.35', '2917.25', '0.17%', '2020-03-20 01:15:17'), (977, 1, 9, 1, 'Chocolate White (Chocolate White )', 'Kls', '224', '407.68', '0.02%', '239', '434.98', '0.03%', '2020-03-20 01:15:17'), (978, 1, 9, 1, 'Cinnamon Powder 1KG/Pack (Cinnamon Powder 1KG/Pack)', 'grms', '0.35', '641.58', '0.04%', '0.28', '518', '0.03%', '2020-03-20 01:15:17'), (979, 1, 9, 1, 'Cinnamon Powder 500g (Cinnamon Powder 500g/pack)', 'grms', '0.29', '0', '0.00%', '0.25', '0', '0.00%', '2020-03-20 01:15:17'), (980, 1, 9, 1, 'Cocoa (Cocoa)', 'grms', '0.29', '23372.53', '1.39%', '0.304', '24624', '1.44%', '2020-03-20 01:15:17'), (981, 1, 9, 1, 'Corn Oil (Corn Oil)', 'ML', '1.95', '0', '0.00%', '1.95', '0', '0.00%', '2020-03-20 01:15:17'), (982, 1, 9, 1, 'Corn Oil 3L (Corn Oil 3L)', 'ML', '493.25', '0', '0.00%', '493.25', '0', '0.00%', '2020-03-20 01:15:17'), (983, 1, 9, 1, 'Cornstarch (Cornstarch)', 'grms', '0.03', '60.92', '0.00%', '0.05', '93.25', '0.01%', '2020-03-20 01:15:17'), (984, 1, 9, 1, 'Cream Cheese 1.361KG (Cream Cheese 1.361KG)', 'grms', '0.35', '14408.75', '0.86%', '0.39704', '16433.49', '0.96%', '2020-03-20 01:15:17'), (985, 1, 9, 1, 'Cream Cheese 1KG (Cream Cheese 1KG)', 'grms', '0.47', '469.07', '0.03%', '0.42005', '420.05', '0.03%', '2020-03-20 01:15:17'), (986, 1, 9, 1, 'Cream of tartar (Cream of tartar )', 'Kls', '287.94', '547.08', '0.03%', '500', '950', '0.06%', '2020-03-20 01:15:17'), (987, 1, 9, 1, 'Creamfill Vanilla 5kls/Pail (Creamfill Vanilla 5kls/Pail)', 'grms', '0.17', '47172.74', '2.80%', '0.177', '48825.45', '2.86%', '2020-03-20 01:15:17'), (988, 1, 9, 1, 'Dahon ng Saging (Dahon ng Saging)', 'Bundle', '25', '-775', '-0.05%', '25', '-775', '-0.05%', '2020-03-20 01:15:17'), (989, 1, 9, 1, 'Dark Chocolate 1kg (Dark Chocolate 1kg)', 'ea', '163', '0', '0.00%', '194', '0', '0.00%', '2020-03-20 01:15:17'), (990, 1, 9, 1, 'Demi Glace (Demi Glace)', 'grms', '0.51', '1064.28', '0.06%', '0.5068', '1064.28', '0.06%', '2020-03-20 01:15:17'), (991, 1, 9, 1, 'Dessicated Coconut (Dessicated Coconut)', 'grms', '0.15', '1620.27', '0.10%', '0.14', '1482.6', '0.09%', '2020-03-20 01:15:17'), (992, 1, 9, 1, 'Dole Pineapple Crashed 439g/ca (Dole Pineapple Crashed 439g/can)', 'Can', '42.77', '0', '0.00%', '43.65', '0', '0.00%', '2020-03-20 01:15:17'), (993, 1, 9, 1, 'Dole Pineapple crushed 567g / (Dole Pineapple crushed 567g/can)', 'Can', '52.75', '0', '0.00%', '52.75', '0', '0.00%', '2020-03-20 01:15:17'), (994, 1, 9, 1, 'Dole Pineapple Crushed234g/227g (Dole Pineapple Crushed 234g/227g)', 'Can', '24.25', '5164.32', '0.31%', '25.5', '5431.5', '0.32%', '2020-03-20 01:15:17'), (995, 1, 9, 1, 'Eden Original Filled Cheese 950 (Eden Original Filled Cheese 950)', 'Pck', '265', '0', '0.00%', '265', '0', '0.00%', '2020-03-20 01:15:17'), (996, 1, 9, 1, 'Egg White (Egg White)', 'Kls', '10', '0', '0.00%', '10', '0', '0.00%', '2020-03-20 01:15:17'), (997, 1, 9, 1, 'Egg Yellow coloring (Egg Yellow coloring)', 'grms', '0.17', '213.14', '0.01%', '0.17', '215.05', '0.01%', '2020-03-20 01:15:17'), (998, 1, 9, 1, 'Eggs (Eggs)', 'ea', '5.71', '94631.27', '5.62%', '5.8', '96129.2', '5.63%', '2020-03-20 01:15:17'), (999, 1, 9, 1, 'El Rancho Spiced Ham (El Rancho Spiced Ham)', 'grms', '0.19', '4160.03', '0.25%', '0.189', '4080.51', '0.24%', '2020-03-20 01:15:17'), (1000, 1, 9, 1, 'Evaporated Milk 370ml (Evaporated Milk 370ml)', 'Can', '38.96', '366.18', '0.02%', '39.16', '368.1', '0.02%', '2020-03-20 01:15:17'), (1001, 1, 9, 1, 'Filled Cheese (Filled Cheese)', 'grms', '0.24', '35101.65', '2.08%', '0.24239', '35122.31', '2.06%', '2020-03-20 01:15:17'), (1002, 1, 9, 1, 'First Class flour (First Class flour)', 'grms', '0.03', '124897.07', '7.42%', '0.0298', '126393.72', '7.41%', '2020-03-20 01:15:17'), (1003, 1, 9, 1, 'Fresh Milk- Conaprole (Fresh Milk- Conaprole)', 'Pck', '58', '12818', '0.76%', '58', '12818', '0.75%', '2020-03-20 01:15:17'), (1004, 1, 9, 1, 'FreshMilk Anchor 12s (FreshMilk Anchor 12s)', 'ea', '65.83', '0', '0.00%', '65.83', '0', '0.00%', '2020-03-20 01:15:17'), (1005, 1, 9, 1, 'Freshmilk Pauls Pure Milk (Freshmilk Pauls Pure Milk 12sx1ltr)', '', '62', '0', '0.00%', '62', '0', '0.00%', '2020-03-20 01:15:17'), (1006, 1, 9, 1, 'Glaze Fruit (Glaze Fruit)', 'grms', '0.29', '7168.58', '0.43%', '0.26', '6526', '0.38%', '2020-03-20 01:15:17'), (1007, 1, 9, 1, 'Good Sense Almonds 8.00z (Good Sense Almonds 8.00z)', 'ea', '329.95', '0', '0.00%', '329.95', '0', '0.00%', '2020-03-20 01:15:17'), (1008, 1, 9, 1, 'Graham 1 kg (Graham 1 kg)', 'Kls', '147.61', '612.6', '0.04%', '138', '572.7', '0.03%', '2020-03-20 01:15:17'), (1009, 1, 9, 1, 'Hotdog Champion (Hotdog Champion)', 'grms', '0.09', '0', '0.00%', '0.09', '0', '0.00%', '2020-03-20 01:15:17'), (1010, 1, 9, 1, 'Macapuno Jam (Macapuno Jam)', 'grms', '0.19', '0', '0.00%', '0.19', '0', '0.00%', '2020-03-20 01:15:17'), (1011, 1, 9, 1, 'Macapuno Meat (Macapuno Meat)', 'grms', '0.2', '35999.62', '2.14%', '0.2', '36000', '2.11%', '2020-03-20 01:15:17'), (1012, 1, 9, 1, 'Magnolia Butter Unsalted (Magnolia Butter Unsalted 5kgx4)', 'Kls', '437.29', '0', '0.00%', '437.29', '0', '0.00%', '2020-03-20 01:15:17'), (1013, 1, 9, 1, 'Magnolia Quickmelt 1.9kg (Magnolia Quickmelt 1.9kg)', 'Bar', '628', '4396', '0.26%', '628', '4396', '0.26%', '2020-03-20 01:15:17'), (1014, 1, 9, 1, 'Mango Puree (Mango Puree)', 'grms', '0.13', '0', '0.00%', '0.13', '0', '0.00%', '2020-03-20 01:15:17'), (1015, 1, 9, 1, 'Margarine (Margarine)', 'grms', '0.08', '13100.93', '0.78%', '0.08', '13096', '0.77%', '2020-03-20 01:15:17'), (1016, 1, 9, 1, 'Mayonnaise 5kls/Pail (Mayonnaise 5kls/Pail)', 'grms', '0.12', '6198.96', '0.37%', '0.11707', '6198.86', '0.36%', '2020-03-20 01:15:17'), (1017, 1, 9, 1, 'Mc Cormick Curry Powder 1kg (Mc Cormick Curry Powder 1kg)', 'Kls', '656.8', '945.79', '0.06%', '656.81', '945.81', '0.06%', '2020-03-20 01:15:17'), (1018, 1, 9, 1, 'Meatbread filling (Meatbread filling )', 'grms', '0.48', '0', '0.00%', '0.49', '0', '0.00%', '2020-03-20 01:15:17'), (1019, 1, 9, 1, 'Micram (Micram)', 'grms', '0.22', '0', '0.00%', '0.22', '0', '0.00%', '2020-03-20 01:15:17'), (1020, 1, 9, 1, 'Mollases (Mollases )', 'ML', '0.08', '326.06', '0.02%', '0.07398', '309.61', '0.02%', '2020-03-20 01:15:17'), (1021, 1, 9, 1, 'Mongo Paste (Mongo Paste)', 'grms', '0.11', '9790.16', '0.58%', '0.11', '9790', '0.57%', '2020-03-20 01:15:17'), (1022, 1, 9, 1, 'Neutral Glaze Bakels (Neutral Glaze Bakels)', 'Gal', '1350', '0', '0.00%', '1350', '0', '0.00%', '2020-03-20 01:15:17'), (1023, 1, 9, 1, 'Oatmeal (Oatmeal )', 'grms', '0.12', '227.17', '0.01%', '0.1', '195', '0.01%', '2020-03-20 01:15:17'), (1024, 1, 9, 1, 'Orange Coloring (Orange Coloring 25/PACK )', 'grms', '0', '0', '0.00%', '1.29', '0', '0.00%', '2020-03-20 01:15:17'), (1025, 1, 9, 1, 'Peanut (Peanut)', 'grms', '0.09', '1917.52', '0.11%', '0.11', '2266', '0.13%', '2020-03-20 01:15:17'), (1026, 1, 9, 1, 'Pineapple Crushed 567g (Pineapple Crushed 567g)', 'Can', '50', '0', '0.00%', '51.2', '0', '0.00%', '2020-03-20 01:15:17'), (1027, 1, 9, 1, 'Powdered Milk (Powdered Milk)', 'grms', '0.11', '11946.98', '0.71%', '0.114', '11970', '0.70%', '2020-03-20 01:15:17'), (1028, 1, 9, 1, 'Pudding- uncook (Pudding- uncook )', 'grms', '0.1', '0', '0.00%', '0.1', '0', '0.00%', '2020-03-20 01:15:17'), (1029, 1, 9, 1, 'Raisin 10kg (Raisin 10kg)', 'grms', '0.17', '5695.79', '0.34%', '0.15', '5085', '0.30%', '2020-03-20 01:15:17'), (1030, 1, 9, 1, 'Raisin 9kg (Raisin 9kg)', 'grms', '0.15', '0', '0.00%', '0.15', '0', '0.00%', '2020-03-20 01:15:17'), (1031, 1, 9, 1, 'Rye Flour (Rye Flour)', 'grms', '0.29', '146.56', '0.01%', '0.27', '135', '0.01%', '2020-03-20 01:15:17'), (1032, 1, 9, 1, 'salami Ham 1kg (salami Ham 1kg)', 'Kls', '220', '0', '0.00%', '220', '0', '0.00%', '2020-03-20 01:15:17'), (1033, 1, 9, 1, 'Sesame Seeds (Sesame Seeds)', 'grms', '0.16', '804.58', '0.05%', '0.18', '887.4', '0.05%', '2020-03-20 01:15:17'), (1034, 1, 9, 1, 'Sevilla Swt Pickle 270g (Sevilla Swt Pickle 270g)', 'Bot', '51.45', '61.23', '0.00%', '56.15', '66.82', '0.00%', '2020-03-20 01:15:17'), (1035, 1, 9, 1, 'Shortening (Shortening)', 'grms', '0.09', '51995.13', '3.09%', '0.08533', '49448.74', '2.90%', '2020-03-20 01:15:17'), (1036, 1, 9, 1, 'Shortening Mix (Shortening Mix)', 'grms', '0.12', '0.37', '0.00%', '0.12133', '0', '0.00%', '2020-03-20 01:15:17'), (1037, 1, 9, 1, 'Sugar Brown (Sugar Brown)', 'grms', '0.04', '18805.08', '1.12%', '0.03652', '18807.8', '1.10%', '2020-03-20 01:15:17'), (1038, 1, 9, 1, 'Sugar Syrup (Sugar Syrup)', 'grms', '0.04', '3000', '0.18%', '0.04', '3000', '0.18%', '2020-03-20 01:15:17'), (1039, 1, 9, 1, 'Sugar White (Sugar White)', 'grms', '0.05', '62090.55', '3.69%', '0.0484', '61642.24', '3.61%', '2020-03-20 01:15:17'), (1040, 1, 9, 1, 'Super Syrup (Super Syrup)', 'grms', '0.07', '7180.49', '0.43%', '0.075', '7500', '0.44%', '2020-03-20 01:15:17'), (1041, 1, 9, 1, 'Sweet Ube Jam 1kg (Sweet Ube Jam 1kg)', 'grms', '0.13', '0', '0.00%', '0.13', '0', '0.00%', '2020-03-20 01:15:17'), (1042, 1, 9, 1, 'Tanduay 5 yrs 375ML (Tanduay 5 yrs 375ML)', 'Bot', '43', '0', '0.00%', '43', '0', '0.00%', '2020-03-20 01:15:17'), (1043, 1, 9, 1, 'Tanduay 5 yrs 250ml (Tanduay 5 yrs 250ml)', 'Bot', '33.9', '0', '0.00%', '33.9', '0', '0.00%', '2020-03-20 01:15:17'), (1044, 1, 9, 1, 'Tanduay Rhum 1000ml (Tanduay Rhum 1000ml)', 'Bot', '107.7', '0', '0.00%', '102.45', '0', '0.00%', '2020-03-20 01:15:17'), (1045, 1, 9, 1, 'Tanduay Rhum 750ml (Tanduay Rhum 750ml)', 'Bot', '97.35', '681.45', '0.04%', '87.35', '611.45', '0.04%', '2020-03-20 01:15:17'), (1046, 1, 9, 1, 'Third Class flour (Third Class flour)', 'grms', '0.02', '9277.32', '0.55%', '0.0244', '9276.88', '0.54%', '2020-03-20 01:15:17'), (1047, 1, 9, 1, 'Ube Flavocol (Ube Flavocol)', 'ML', '0', '0', '0.00%', '0.45', '0', '0.00%', '2020-03-20 01:15:17'), (1048, 1, 9, 1, 'Ube flavor(120 ml) (Ube flavor(120 ml) )', 'Bot', '12', '0', '0.00%', '12', '0', '0.00%', '2020-03-20 01:15:17'), (1049, 1, 9, 1, 'Ube Paste (Ube Paste)', 'grms', '0.11', '5990.83', '0.36%', '0.11', '5984', '0.35%', '2020-03-20 01:15:17'), (1050, 1, 9, 1, 'Vanilla 3785ml/gal (Vanilla 3785ml/gal)', 'ML', '0.03', '612.43', '0.04%', '0.03236', '612.41', '0.04%', '2020-03-20 01:15:17'), (1051, 1, 9, 1, 'Vegetable Oil (Vegetable Oil)', 'ML', '0.06', '33413.44', '1.98%', '0.05775', '32109', '1.88%', '2020-03-20 01:15:17'), (1052, 1, 9, 1, 'Vegetable Oil Gal (Vegetable Oil )', 'Gal', '895.08', '-895.08', '-0.05%', '895.078', '-895.08', '-0.05%', '2020-03-20 01:15:17'), (1053, 1, 9, 1, 'Virginia Honeycure Bacon (Virginia Honeycure Bacon)', 'grms', '0.6', '0', '0.00%', '0.595', '0', '0.00%', '2020-03-20 01:15:17'), (1054, 1, 9, 1, 'Whipping Cream (Whipping Cream)', 'grms', '0.21', '22938.16', '1.36%', '0.20889', '22738.72', '1.33%', '2020-03-20 01:15:17'), (1055, 1, 9, 1, 'Whole Durian (Whole Durian)', 'Kls', '80', '0', '0.00%', '35', '0', '0.00%', '2020-03-20 01:15:17'), (1056, 1, 9, 1, 'Whole Wheat Flour (Whole Wheat Flour)', 'grms', '0.05', '-510', '-0.03%', '0.05', '-500', '-0.03%', '2020-03-20 01:15:17'), (1057, 1, 9, 1, 'Whpping cream-icing (Whpping cream-icing )', 'ea', '0.12', '0', '0.00%', '0.12', '0', '0.00%', '2020-03-20 01:15:17'), (1058, 1, 9, 1, 'Yeast (Yeast)', 'grms', '0.2', '22672.95', '1.35%', '0.21', '23310', '1.37%', '2020-03-20 01:15:17'), (1059, 1, 10, 1, 'Assorted Cookies (Assorted Cookies)', 'ea', '3.54', '0', '0.00%', '3.54', '0', '0.00%', '2020-03-20 01:18:27'), (1060, 1, 10, 1, 'Bacon Bread (Bacon Bread)', 'ea', '23.73', '0', '0.00%', '23.73', '0', '0.00%', '2020-03-20 01:18:27'), (1061, 1, 10, 1, 'Bagels (Bagels)', 'ea', '0', '0', '0.00%', '3.34', '0', '0.00%', '2020-03-20 01:18:27'), (1062, 1, 10, 1, 'Banana Ketchup Mafran (Banana Ketchup Mafran)', 'grms', '0.02', '304.06', '0.02%', '0.02094', '317.03', '0.02%', '2020-03-20 01:18:27'), (1063, 1, 10, 1, 'Banana Ketchup Tita Frita (Banana Ketchup Tita Frita 3785/Gal)', 'grms', '0.02', '0', '0.00%', '0.02', '0', '0.00%', '2020-03-20 01:18:27'), (1064, 1, 10, 1, 'Banana Muffins (Banana Muffins)', 'ea', '3.05', '0', '0.00%', '3.05', '0', '0.00%', '2020-03-20 01:18:27'), (1065, 1, 10, 1, 'Bavarian loaf (Bavarian loaf)', 'ea', '21.61', '0', '0.00%', '21.61', '0', '0.00%', '2020-03-20 01:18:27'), (1066, 1, 10, 1, 'Big Bibingka (Big Bibingka)', 'ea', '15.69', '0', '0.00%', '15.69', '0', '0.00%', '2020-03-20 01:18:27'), (1067, 1, 10, 1, 'Binangkal (Binangkal)', 'ea', '3.09', '200.85', '0.01%', '3.09', '200.85', '0.01%', '2020-03-20 01:18:27'), (1068, 1, 10, 1, 'Boiled Egg (Boiled Egg)', 'ea', '6.05', '0', '0.00%', '6.05', '0', '0.00%', '2020-03-20 01:18:27'), (1069, 1, 10, 1, 'Brownies (Brownies)', 'ea', '10.2', '0', '0.00%', '10.2', '0', '0.00%', '2020-03-20 01:18:27'), (1070, 1, 10, 1, 'Buko Bibingka (Buko Bibingka)', 'ea', '8.46', '0', '0.00%', '8.46', '0', '0.00%', '2020-03-20 01:18:27'), (1071, 1, 10, 1, 'Burger Buns by 6\'s (Burger Buns by 6\'s)', 'Pck', '18.42', '0', '0.00%', '18.42', '0', '0.00%', '2020-03-20 01:18:27'), (1072, 1, 10, 1, 'Butter Macaroons (Butter Macaroons)', 'ea', '3.69', '0', '0.00%', '3.69', '0', '0.00%', '2020-03-20 01:18:27'), (1073, 1, 10, 1, 'Cheese bread (Cheese bread)', 'ea', '4.28', '0', '0.00%', '4.28', '0', '0.00%', '2020-03-20 01:18:27'), (1074, 1, 10, 1, 'Cheese Cake (Cheese Cake)', 'ea', '8.49', '8.49', '0.00%', '8.49', '8.49', '0.00%', '2020-03-20 01:18:27'), (1075, 1, 10, 1, 'Cheese cross buns (Cheese cross buns)', 'ea', '20.35', '0', '0.00%', '20.35', '0', '0.00%', '2020-03-20 01:18:27'), (1076, 1, 10, 1, 'Cheese Monay (Cheese Monay)', 'ea', '2.46', '0', '0.00%', '2.46', '0', '0.00%', '2020-03-20 01:18:27'), (1077, 1, 10, 1, 'Cheeseloaf (Cheeseloaf)', 'ea', '31.65', '63.3', '0.00%', '31.65', '63.3', '0.00%', '2020-03-20 01:18:27'), (1078, 1, 10, 1, 'Chicken sisig (Chicken sisig)', 'ea', '30.14', '1446.88', '0.09%', '22.22', '1066.56', '0.06%', '2020-03-20 01:18:27'), (1079, 1, 10, 1, 'Chiffon Cake Large (Chiffon Cake Large)', 'ea', '109.71', '219.41', '0.01%', '109.71', '219.42', '0.01%', '2020-03-20 01:18:27'), (1080, 1, 10, 1, 'Chiffon Cake Mini (Chiffon Cake Mini)', 'ea', '14.87', '0', '0.00%', '14.87', '0', '0.00%', '2020-03-20 01:18:27'), (1081, 1, 10, 1, 'Chiffon Cake Small (Chiffon Cake Small )', 'ea', '67.54', '0', '0.00%', '67.54', '0', '0.00%', '2020-03-20 01:18:27'), (1082, 1, 10, 1, 'Chiffon Xsmall (Chiffon Xsmall)', 'ea', '30.53', '0', '0.00%', '30.53', '0', '0.00%', '2020-03-20 01:18:27'), (1083, 1, 10, 1, 'Chinese Hopia (Chinese Hopia)', 'ea', '6', '432', '0.03%', '4.18', '300.96', '0.02%', '2020-03-20 01:18:27'), (1084, 1, 10, 1, 'Choco bread (Choco bread)', 'ea', '6.62', '0', '0.00%', '6.62', '0', '0.00%', '2020-03-20 01:18:28'), (1085, 1, 10, 1, 'Choco Crinkles (Choco Crinkles)', 'ea', '6.35', '0', '0.00%', '6.35', '0', '0.00%', '2020-03-20 01:18:28'), (1086, 1, 10, 1, 'Choco flowing (Choco flowing)', 'ea', '0', '0', '0.00%', '2.74', '0', '0.00%', '2020-03-20 01:18:28'), (1087, 1, 10, 1, 'Choco Lanay (Choco Lanay)', 'ea', '29.32', '0', '0.00%', '29.32', '0', '0.00%', '2020-03-20 01:18:28'), (1088, 1, 10, 1, 'Choco loaf (Choco loaf)', 'ea', '18.02', '0', '0.00%', '18.02', '0', '0.00%', '2020-03-20 01:18:28'), (1089, 1, 10, 1, 'Choco Muffins (Choco Muffins)', 'ea', '0', '0', '0.00%', '7.15', '0', '0.00%', '2020-03-20 01:18:28'); INSERT INTO `eb_raw_materials` (`PK_raw_materials_id`, `FK_outlet_id`, `FK_category_id`, `status`, `material_name`, `unit`, `average_cost`, `asset_value`, `total_asset_percent`, `sales_price`, `retail_value`, `total_retail_percent`, `date_added`) VALUES (1090, 1, 10, 1, 'Choco twirl (Choco twirl)', 'ea', '5.05', '0', '0.00%', '5.05', '0', '0.00%', '2020-03-20 01:18:28'), (1091, 1, 10, 1, 'Ciabatta (Ciabatta)', 'ea', '12', '108', '0.01%', '12', '108', '0.01%', '2020-03-20 01:18:28'), (1092, 1, 10, 1, 'Cinnamon loaf (Cinnamon loaf)', 'ea', '16.35', '0', '0.00%', '16.35', '0', '0.00%', '2020-03-20 01:18:28'), (1093, 1, 10, 1, 'Cinnamon slice (Cinnamon slice)', 'ea', '7.68', '7.68', '0.00%', '7.68', '7.68', '0.00%', '2020-03-20 01:18:28'), (1094, 1, 10, 1, 'Cinnamon syrup (Cinnamon syrup)', 'ea', '7.45', '0', '0.00%', '7.45', '0', '0.00%', '2020-03-20 01:18:28'), (1095, 1, 10, 1, 'Coco bread (Coco bread)', 'ea', '4.74', '0', '0.00%', '4.74', '0', '0.00%', '2020-03-20 01:18:28'), (1096, 1, 10, 1, 'Communion Bread (Communion Bread)', 'ea', '14.98', '2202.06', '0.13%', '14.98', '2202.06', '0.13%', '2020-03-20 01:18:28'), (1097, 1, 10, 1, 'Cookies & Cream Chilled (Cookies & Cream Chilled)', 'ea', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 01:18:28'), (1098, 1, 10, 1, 'Cookies and Cream (Cookies and Cream)', 'ea', '45.78', '0', '0.00%', '45.78', '0', '0.00%', '2020-03-20 01:18:28'), (1099, 1, 10, 1, 'Cracked w.wheat (Cracked w.wheat)', 'ea', '15.95', '15.95', '0.00%', '15.95', '15.95', '0.00%', '2020-03-20 01:18:28'), (1100, 1, 10, 1, 'Cream Bread Jumbo (Cream Bread Jumbo)', 'ea', '37.29', '2610.3', '0.16%', '39.29', '2750.3', '0.16%', '2020-03-20 01:18:28'), (1101, 1, 10, 1, 'Cream Bread Large (Cream Bread Large)', 'ea', '27.02', '1188.88', '0.07%', '27.02', '1188.88', '0.07%', '2020-03-20 01:18:28'), (1102, 1, 10, 1, 'Croissant (Croissant)', 'ea', '0', '0', '0.00%', '7.52', '0', '0.00%', '2020-03-20 01:18:28'), (1103, 1, 10, 1, 'Crotons (Crotons)', 'ea', '40', '0', '0.00%', '40', '0', '0.00%', '2020-03-20 01:18:28'), (1104, 1, 10, 1, 'Cup Noodles (Cup Noodles)', 'ea', '25', '0', '0.00%', '25', '0', '0.00%', '2020-03-20 01:18:28'), (1105, 1, 10, 1, 'Custard Cake (Custard Cake)', 'ea', '19.33', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 01:18:28'), (1106, 1, 10, 1, 'Dark Rye Oats (Dark Rye Oats)', 'ea', '51', '0', '0.00%', '23.94', '0', '0.00%', '2020-03-20 01:18:28'), (1107, 1, 10, 1, 'Dinner Roll (Dinner Roll)', 'ea', '0', '0', '0.00%', '19.68', '0', '0.00%', '2020-03-20 01:18:28'), (1108, 1, 10, 1, 'Disposable Gloves (Disposable Gloves)', 'Pck', '41.23', '577.28', '0.03%', '42', '588', '0.03%', '2020-03-20 01:18:28'), (1109, 1, 10, 1, 'Donut (Donut)', 'ea', '7.5', '0', '0.00%', '3.69', '0', '0.00%', '2020-03-20 01:18:28'), (1110, 1, 10, 1, 'Double Body Plain (Double Body Plain)', 'ea', '7.02', '91.26', '0.01%', '7.02', '91.26', '0.01%', '2020-03-20 01:18:28'), (1111, 1, 10, 1, 'Double Body Ube (Double Body Ube)', 'ea', '7.77', '31.08', '0.00%', '7.77', '31.08', '0.00%', '2020-03-20 01:18:28'), (1112, 1, 10, 1, 'Durian Chilled (Durian Chilled)', 'ea', '23.84', '1311.2', '0.08%', '30', '1650', '0.10%', '2020-03-20 01:18:28'), (1113, 1, 10, 1, 'Dur<NAME> (Durian Chocolate)', 'ea', '58.38', '-58.38', '0.00%', '58.38', '-58.38', '0.00%', '2020-03-20 01:18:28'), (1114, 1, 10, 1, 'Durian Yema Candy (Durian Yema Candy)', 'Pck', '0', '0', '0.00%', '22.97', '0', '0.00%', '2020-03-20 01:18:28'), (1115, 1, 10, 1, 'Dutch WWM (Dutch WWM)', 'ea', '20.09', '60.27', '0.00%', '20.09', '60.27', '0.00%', '2020-03-20 01:18:28'), (1116, 1, 10, 1, 'Egg Cracker (Egg Cracker)', 'ea', '0', '0', '0.00%', '16.09', '0', '0.00%', '2020-03-20 01:18:28'), (1117, 1, 10, 1, 'Ensaymada big (Ensaymada big)', 'ea', '15.32', '0', '0.00%', '22.03', '0', '0.00%', '2020-03-20 01:18:28'), (1118, 1, 10, 1, 'Ensaymada small (Ensaymada small)', 'ea', '6.48', '0', '0.00%', '6.48', '0', '0.00%', '2020-03-20 01:18:28'), (1119, 1, 10, 1, 'Euro Desal (Euro Desal)', 'ea', '1.74', '34.8', '0.00%', '1.74', '34.8', '0.00%', '2020-03-20 01:18:28'), (1120, 1, 10, 1, 'Euro loaf (Euro loaf)', 'ea', '29.37', '0', '0.00%', '29.37', '0', '0.00%', '2020-03-20 01:18:28'), (1121, 1, 10, 1, 'Figue Pie (Figue Pie)', 'ea', '3.77', '109.33', '0.01%', '3.77', '109.33', '0.01%', '2020-03-20 01:18:28'), (1122, 1, 10, 1, 'Fino (Fino)', 'ea', '1.54', '0', '0.00%', '1.54', '0', '0.00%', '2020-03-20 01:18:28'), (1123, 1, 10, 1, 'Food For the Gods (Food For the Gods)', 'ea', '9.17', '0', '0.00%', '9.17', '0', '0.00%', '2020-03-20 01:18:28'), (1124, 1, 10, 1, 'Frances big (Frances big)', 'ea', '21.26', '0', '0.00%', '21.26', '0', '0.00%', '2020-03-20 01:18:28'), (1125, 1, 10, 1, 'Frances small (Frances small)', 'ea', '6.52', '0', '0.00%', '6.52', '0', '0.00%', '2020-03-20 01:18:28'), (1126, 1, 10, 1, 'French Bread Plain Large (French Bread Plain Large)', 'ea', '16.83', '0', '0.00%', '16.83', '0', '0.00%', '2020-03-20 01:18:28'), (1127, 1, 10, 1, 'French Bread WW Large (French Bread WW Large)', 'ea', '16.81', '0', '0.00%', '16.81', '0', '0.00%', '2020-03-20 01:18:28'), (1128, 1, 10, 1, 'Fruit Cake (Fruit Cake)', 'ea', '202.78', '0', '0.00%', '202.78', '0', '0.00%', '2020-03-20 01:18:28'), (1129, 1, 10, 1, 'Fruit John (Fruit John)', 'ea', '19.13', '0', '0.00%', '19.13', '0', '0.00%', '2020-03-20 01:18:28'), (1130, 1, 10, 1, 'Fruit Shake (Fruit Shake)', 'Bot', '12.2', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 01:18:28'), (1131, 1, 10, 1, 'Fruitty Muffins (Fruitty Muffins)', 'ea', '6', '90', '0.01%', '6', '90', '0.01%', '2020-03-20 01:18:28'), (1132, 1, 10, 1, 'Fry Stick Bread Plain (Fry Stick Bread Plain)', 'ea', '10.06', '0', '0.00%', '10.06', '0', '0.00%', '2020-03-20 01:18:28'), (1133, 1, 10, 1, 'Fry Stick Bread w/ Cheese (Fry Stick Bread w/ Cheese)', 'ea', '11.59', '3859.85', '0.23%', '10.37', '3453.21', '0.20%', '2020-03-20 01:18:28'), (1134, 1, 10, 1, 'Ganache Plain (Ganache Plain)', 'ea', '10.08', '0', '0.00%', '10.08', '0', '0.00%', '2020-03-20 01:18:28'), (1135, 1, 10, 1, 'Garlic Bread Stick Tumbler (Garlic Bread Stick Tumbler)', 'ea', '45.75', '274.52', '0.02%', '45.82', '274.92', '0.02%', '2020-03-20 01:18:28'), (1136, 1, 10, 1, 'Garlic Butter Sauce (Garlic Butter Sauce)', 'Kls', '555.7', '0', '0.00%', '555.7', '0', '0.00%', '2020-03-20 01:18:28'), (1137, 1, 10, 1, 'Garlic Mint (Garlic Mint)', 'ea', '0', '0', '0.00%', '3.76', '0', '0.00%', '2020-03-20 01:18:28'), (1138, 1, 10, 1, 'Garlic slice bread (Garlic slice bread)', 'ea', '4.65', '0', '0.00%', '4.65', '0', '0.00%', '2020-03-20 01:18:28'), (1139, 1, 10, 1, 'Ham & egg (Ham & egg)', 'ea', '5.35', '0', '0.00%', '5.35', '0', '0.00%', '2020-03-20 01:18:28'), (1140, 1, 10, 1, 'Ham roll (Ham roll)', 'ea', '0', '0', '0.00%', '6.14', '0', '0.00%', '2020-03-20 01:18:28'), (1141, 1, 10, 1, 'Hawaiian upside (Hawaiian upside)', 'ea', '33.49', '0', '0.00%', '33.49', '0', '0.00%', '2020-03-20 01:18:28'), (1142, 1, 10, 1, 'Hopia Mongo (Hopia Mongo)', 'ea', '1.69', '0', '0.00%', '1.69', '0', '0.00%', '2020-03-20 01:18:28'), (1143, 1, 10, 1, 'Hotdog delight (Hotdog delight)', 'ea', '0', '0', '0.00%', '4.09', '0', '0.00%', '2020-03-20 01:18:28'), (1144, 1, 10, 1, 'Jelly Roll (Jelly Roll)', 'ea', '109.84', '0', '0.00%', '109.84', '0', '0.00%', '2020-03-20 01:18:28'), (1145, 1, 10, 1, 'Kaizer buns -big (Kaizer buns -big)', 'ea', '3.36', '0', '0.00%', '10.14', '0', '0.00%', '2020-03-20 01:18:28'), (1146, 1, 10, 1, 'Kaizer buns -small (Kaizer buns -small)', 'ea', '4.67', '0', '0.00%', '4.67', '0', '0.00%', '2020-03-20 01:18:28'), (1147, 1, 10, 1, 'Lengua Big (Lengua Big)', 'ea', '56.53', '1526.31', '0.09%', '56.53', '1526.31', '0.09%', '2020-03-20 01:18:28'), (1148, 1, 10, 1, 'Lengua De Gato (Lengua De Gato)', 'ea', '29.37', '0', '0.00%', '29.37', '0', '0.00%', '2020-03-20 01:18:28'), (1149, 1, 10, 1, 'Long Pandesal (Long Pandesal)', 'ea', '2.92', '0', '0.00%', '2.92', '0', '0.00%', '2020-03-20 01:18:28'), (1150, 1, 10, 1, 'Macapuno bread (Macapuno bread )', 'ea', '7.17', '0', '0.00%', '7.17', '0', '0.00%', '2020-03-20 01:18:28'), (1151, 1, 10, 1, 'Macapuno Loaf (Macapuno Loaf)', 'ea', '22.27', '0', '0.00%', '22.27', '0', '0.00%', '2020-03-20 01:18:28'), (1152, 1, 10, 1, 'Mango Chilled (Mango Chilled)', 'ea', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 01:18:28'), (1153, 1, 10, 1, 'Mar<NAME> (Marjorie loaf)', 'ea', '21.89', '0', '0.00%', '21.89', '0', '0.00%', '2020-03-20 01:18:28'), (1154, 1, 10, 1, 'Matzu Biscuit (Matzu Biscuit)', 'ea', '11.85', '0', '0.00%', '11.85', '0', '0.00%', '2020-03-20 01:18:28'), (1155, 1, 10, 1, 'Meat Bread (Meat Bread )', 'ea', '113.89', '0', '0.00%', '13.5', '0', '0.00%', '2020-03-20 01:18:28'), (1156, 1, 10, 1, 'Mix Rye (Mix Rye)', 'ea', '26.69', '0', '0.00%', '26.69', '0', '0.00%', '2020-03-20 01:18:28'), (1157, 1, 10, 1, 'Moist Cake Square (Moist Cake Square)', 'ea', '23.5', '94', '0.01%', '23.5', '94', '0.01%', '2020-03-20 01:18:28'), (1158, 1, 10, 1, 'Monay big (Monay big)', 'ea', '19.57', '0', '0.00%', '19.57', '0', '0.00%', '2020-03-20 01:18:28'), (1159, 1, 10, 1, 'Monay Del Valle (Monay Del Valle)', 'ea', '23.24', '0', '0.00%', '23.24', '0', '0.00%', '2020-03-20 01:18:28'), (1160, 1, 10, 1, 'Monay mini (Monay mini)', 'ea', '2.5', '105', '0.01%', '2.5', '105', '0.01%', '2020-03-20 01:18:28'), (1161, 1, 10, 1, 'Monay small (Monay small)', 'ea', '6.42', '0', '0.00%', '6.42', '0', '0.00%', '2020-03-20 01:18:28'), (1162, 1, 10, 1, 'Mongo bread (Mongo bread)', 'ea', '4.88', '0', '0.00%', '4.88', '0', '0.00%', '2020-03-20 01:18:28'), (1163, 1, 10, 1, 'Mud Bar (Mud Bar)', 'ea', '9.95', '0', '0.00%', '9.95', '0', '0.00%', '2020-03-20 01:18:28'), (1164, 1, 10, 1, 'Multiseeds (Multiseeds)', 'ea', '0', '0', '0.00%', '25.87', '0', '0.00%', '2020-03-20 01:18:28'), (1165, 1, 10, 1, 'Mushroom (Mushroom)', 'ea', '2.7', '0', '0.00%', '2.7', '0', '0.00%', '2020-03-20 01:18:28'), (1166, 1, 10, 1, '<NAME> (Packed Ensaymada)', 'Pck', '15.32', '0', '0.00%', '15.32', '0', '0.00%', '2020-03-20 01:18:28'), (1167, 1, 10, 1, 'P<NAME> (Pandan Hopia)', 'ea', '1.41', '0', '0.00%', '1.41', '0', '0.00%', '2020-03-20 01:18:28'), (1168, 1, 10, 1, 'Papaya (Papaya)', 'ea', '20.71', '0', '0.00%', '20.71', '0', '0.00%', '2020-03-20 01:18:28'), (1169, 1, 10, 1, 'Parsly cheese (Parsly cheese)', 'ea', '0', '0', '0.00%', '2.46', '0', '0.00%', '2020-03-20 01:18:28'), (1170, 1, 10, 1, 'Parsly Hotdog (Parsly Hotdog )', 'ea', '4.89', '0', '0.00%', '4.89', '0', '0.00%', '2020-03-20 01:18:28'), (1171, 1, 10, 1, 'Pilipit (Pilipit)', 'ea', '7.5', '0', '0.00%', '3.69', '0', '0.00%', '2020-03-20 01:18:28'), (1172, 1, 10, 1, 'Plain Muffins (Plain Muffins)', 'ea', '0', '0', '0.00%', '7.25', '0', '0.00%', '2020-03-20 01:18:28'), (1173, 1, 10, 1, 'Pork sisig (Pork sisig)', 'ea', '22.22', '2466.42', '0.15%', '27.77', '3082.47', '0.18%', '2020-03-20 01:18:28'), (1174, 1, 10, 1, 'Putok (Putok)', 'ea', '2.77', '0', '0.00%', '2.77', '0', '0.00%', '2020-03-20 01:18:28'), (1175, 1, 10, 1, 'Raisin Cake (Raisin Cake)', 'ea', '0', '0', '0.00%', '7.11', '0', '0.00%', '2020-03-20 01:18:28'), (1176, 1, 10, 1, 'Revel Bar (Revel Bar)', 'ea', '8.96', '71.68', '0.00%', '8.96', '71.68', '0.00%', '2020-03-20 01:18:28'), (1177, 1, 10, 1, 'Royal Bibingka (Royal Bibingka)', 'ea', '11.58', '69.48', '0.00%', '11.58', '69.48', '0.00%', '2020-03-20 01:18:28'), (1178, 1, 10, 1, 'S.Donut Filling (S.Donut Filling)', 'ea', '5.61', '11.22', '0.00%', '5.61', '11.22', '0.00%', '2020-03-20 01:18:28'), (1179, 1, 10, 1, 'Sesame Buns (Sesame Buns)', '', '1.74', '87', '0.01%', '1.74', '87', '0.01%', '2020-03-20 01:18:28'), (1180, 1, 10, 1, 'Sesame Cookies (Sesame Cookies )', 'ea', '12.5', '500', '0.03%', '12.5', '500', '0.03%', '2020-03-20 01:18:28'), (1181, 1, 10, 1, 'Sesame Roll (Sesame Roll)', 'ea', '2.72', '0', '0.00%', '2.72', '0', '0.00%', '2020-03-20 01:18:28'), (1182, 1, 10, 1, 'Sesame Rye (Sesame Rye)', 'ea', '22.47', '0', '0.00%', '22.47', '0', '0.00%', '2020-03-20 01:18:28'), (1183, 1, 10, 1, 'Sesame w.wheat (Sesame w.wheat)', 'ea', '22.25', '22.25', '0.00%', '22.25', '22.25', '0.00%', '2020-03-20 01:18:28'), (1184, 1, 10, 1, 'Slutty Brownies (Slutty Brownies)', 'ea', '10.85', '0', '0.00%', '10.85', '0', '0.00%', '2020-03-20 01:18:28'), (1185, 1, 10, 1, 'Sour Dough Bread (Sour Dough Bread)', 'ea', '14.95', '224.25', '0.01%', '14.95', '224.25', '0.01%', '2020-03-20 01:18:28'), (1186, 1, 10, 1, 'Spanish bread (Spanish bread)', 'ea', '3.42', '6.84', '0.00%', '3.42', '6.84', '0.00%', '2020-03-20 01:18:28'), (1187, 1, 10, 1, 'Special Mamon (Special Mamon)', 'ea', '10.31', '20.62', '0.00%', '10.31', '20.62', '0.00%', '2020-03-20 01:18:28'), (1188, 1, 10, 1, 'Star bread big (Star bread big)', 'ea', '19.68', '0', '0.00%', '19.68', '0', '0.00%', '2020-03-20 01:18:28'), (1189, 1, 10, 1, 'Star small (Star small)', 'ea', '6.42', '0', '0.00%', '6.42', '0', '0.00%', '2020-03-20 01:18:28'), (1190, 1, 10, 1, 'Starbread mini (Starbread mini)', 'ea', '2.5', '0', '0.00%', '2.5', '0', '0.00%', '2020-03-20 01:18:28'), (1191, 1, 10, 1, 'Stick Bread (Stick Bread)', 'ea', '10.37', '0', '0.00%', '17', '0', '0.00%', '2020-03-20 01:18:28'), (1192, 1, 10, 1, 'Strussels small (Strussels small)', 'ea', '6.78', '6.78', '0.00%', '6.78', '6.78', '0.00%', '2020-03-20 01:18:28'), (1193, 1, 10, 1, 'Taipan Loaf (Taipan Loaf)', 'ea', '23.75', '0', '0.00%', '23.75', '0', '0.00%', '2020-03-20 01:18:28'), (1194, 1, 10, 1, 'Toasted Bread (Toasted Bread)', 'ea', '10.33', '1187.95', '0.07%', '11', '1265', '0.07%', '2020-03-20 01:18:28'), (1195, 1, 10, 1, 'Toasted Siopao Chicken (Toasted Siopao Chicken)', 'ea', '8.71', '0', '0.00%', '7.16', '0', '0.00%', '2020-03-20 01:18:28'), (1196, 1, 10, 1, 'Toasted Siopao Pork (Toasted Siopao Pork)', 'ea', '8.96', '1343.59', '0.08%', '7.57', '1135.5', '0.07%', '2020-03-20 01:18:28'), (1197, 1, 10, 1, 'Ube bread (Ube bread)', 'ea', '3.35', '0', '0.00%', '3.35', '0', '0.00%', '2020-03-20 01:18:28'), (1198, 1, 10, 1, 'Ube Chilled (Ube Chilled)', 'ea', '18.9', '0', '0.00%', '18.9', '0', '0.00%', '2020-03-20 01:18:28'), (1199, 1, 10, 1, 'Ube Hopia (Ube Hopia)', 'ea', '3.39', '250.86', '0.02%', '1.69', '125.06', '0.01%', '2020-03-20 01:18:28'), (1200, 1, 10, 1, 'Ube loaf (Ube loaf)', 'ea', '14.13', '0', '0.00%', '14.13', '0', '0.00%', '2020-03-20 01:18:28'), (1201, 1, 10, 1, 'Valentine Cake (Valentine Cake)', 'ea', '0', '0', '0.00%', '14.42', '0', '0.00%', '2020-03-20 01:18:28'), (1202, 1, 10, 1, 'W.wheat pandesal (W.wheat pandesal)', 'ea', '5.86', '17.58', '0.00%', '5.86', '17.58', '0.00%', '2020-03-20 01:18:28'), (1203, 1, 10, 1, 'White Mongo Hopia (White Mongo Hopia)', 'ea', '0', '0', '0.00%', '1.41', '0', '0.00%', '2020-03-20 01:18:28'), (1204, 1, 10, 1, 'Wholewheat Jumbo (Wholewheat Jumbo)', 'ea', '31.02', '0', '0.00%', '31.02', '0', '0.00%', '2020-03-20 01:18:28'), (1205, 1, 10, 1, 'Wholewheat Loaf (Wholewheat Loaf)', 'ea', '17.48', '0', '0.00%', '17.48', '0', '0.00%', '2020-03-20 01:18:28'), (1206, 1, 10, 1, 'Yema Cake (Yema Cake)', 'ea', '8.74', '0', '0.00%', '7.8', '0', '0.00%', '2020-03-20 01:18:28'), (1207, 1, 11, 1, 'MX3 Capsule w/ cofee (MX3 Capsule w/ coffee)', '', '907.2', '0', '0.00%', '1039.16', '0', '0.00%', '2020-03-20 01:20:35'), (1208, 1, 11, 1, 'MX3 Coffee (MX3 Coffee)', '', '169.03', '9584.09', '0.57%', '181.36', '10283.11', '0.60%', '2020-03-20 01:20:35'), (1209, 1, 2, 1, '1.2 small card (1.2 small card)', 'ea', '28.57', '0', '0.00%', '28.57', '0', '0.00%', '2020-03-20 01:22:15'), (1210, 1, 2, 1, '1.65 Card (1.65 Card)', 'ea', '31.88', '0', '0.00%', '31.88', '0', '0.00%', '2020-03-20 01:22:15'), (1211, 1, 2, 1, 'Birthday Card (Birthday Card)', 'ea', '60.18', '0', '0.00%', '60.18', '0', '0.00%', '2020-03-20 01:22:15'), (1212, 1, 2, 1, 'Cake Deco 5set (Cake Deco 5set)', 'ea', '15.66', '0', '0.00%', '15.66', '0', '0.00%', '2020-03-20 01:22:15'), (1213, 1, 2, 1, 'Cake Strips Girls (Cake Strips Girls)', 'ea', '72.45', '0', '0.00%', '72.45', '0', '0.00%', '2020-03-20 01:22:15'), (1214, 1, 2, 1, 'Cake Strips Golden (Cake Strips Golden)', 'Roll', '138.6', '0', '0.00%', '138.6', '0', '0.00%', '2020-03-20 01:22:15'), (1215, 1, 2, 1, 'Cake Strips Lady (Cake Strips Lady)', 'Roll', '72.45', '0', '0.00%', '72.45', '0', '0.00%', '2020-03-20 01:22:15'), (1216, 1, 2, 1, 'Ceramic Plates black (Ceramic Plates black)', 'ea', '0', '0', '0.00%', '103.99', '0', '0.00%', '2020-03-20 01:22:15'), (1217, 1, 2, 1, 'Ceramic Plates Green (Ceramic Plates black)', 'ea', '0', '0', '0.00%', '103.99', '0', '0.00%', '2020-03-20 01:22:15'), (1218, 1, 2, 1, 'Gift Candles (Gift Candles)', 'ea', '22.81', '0', '0.00%', '22.81', '0', '0.00%', '2020-03-20 01:22:15'), (1219, 1, 2, 1, 'Personalized Cups (Personalized Cups)', 'ea', '198.95', '10146.45', '0.60%', '198.95', '10146.45', '0.59%', '2020-03-20 01:22:15'), (1220, 1, 2, 1, 'Tumbler (Tumbler)', 'ea', '198.95', '3382.15', '0.20%', '250', '4250', '0.25%', '2020-03-20 01:22:15'), (1221, 1, 2, 1, 'Umbrella (Umbrella)', 'ea', '149.02', '1639.22', '0.10%', '249', '2739', '0.16%', '2020-03-20 01:22:15'), (1222, 1, 2, 1, 'V-Shape Mugs (V-Shape Mugs)', 'ea', '33.95', '1663.55', '0.10%', '33.95', '1663.55', '0.10%', '2020-03-20 01:22:15'), (1223, 1, 2, 1, 'Wedding Cups (Wedding Cups)', 'ea', '201.45', '1208.7', '0.07%', '250', '1500', '0.09%', '2020-03-20 01:22:15'), (1224, 1, 2, 1, 'Wedding Flower (Wedding Flower)', 'ea', '150', '750', '0.05%', '150', '750', '0.04%', '2020-03-20 01:22:15'), (1225, 1, 2, 1, 'Wedding Glass (Wedding Glass)', 'ea', '201.45', '0', '0.00%', '249', '0', '0.00%', '2020-03-20 01:22:15'), (1226, 1, 2, 1, 'Wedding Knife (Wedding Knife)', 'ea', '150', '600', '0.04%', '150', '600', '0.04%', '2020-03-20 01:22:15'), (1227, 2, 3, 1, '12x12 chocolate spongecake (12x12 chocolate spongecake )', 'ea', '212.45', '0', '0.00%', '212.45', '0', '0.00%', '2020-03-20 14:22:50'), (1228, 2, 3, 1, '12x12 Plain spongecake (12x12 c (12x12 Plain spongecake)', 'ea', '227.07', '0', '0.00%', '227.07', '0', '0.00%', '2020-03-20 14:22:50'), (1229, 2, 3, 1, '12x16 chocolate spongecake (12x12 spongecake )', 'ea', '468.47', '0', '0.00%', '468.47', '0', '0.00%', '2020-03-20 14:22:50'), (1230, 2, 3, 1, '12x16 plain spongecake (12x16 plain spongecake)', 'ea', '308.34', '0', '0.00%', '308.34', '0', '0.00%', '2020-03-20 14:22:50'), (1231, 2, 3, 1, '8 x12 chocolate spongecake (8 x12 chocolate spongecake)', 'ea', '198.43', '0', '0.00%', '198.43', '0', '0.00%', '2020-03-20 14:22:50'), (1232, 2, 3, 1, 'Airbrush Color Black - 225ml/bo (Airbrush Color Black - 225ml/bot )', 'Bot', '360', '540', '0.07%', '360', '540', '0.04%', '2020-03-20 14:22:50'), (1233, 2, 3, 1, 'Airbrush Color Blue - 225ml/bot (Airbrush Color Blue - 225ml/bot )', 'Bot', '260', '390', '0.05%', '260', '390', '0.03%', '2020-03-20 14:22:50'), (1234, 2, 3, 1, 'Airbrush Color Brown - 225ml/bo (Airbrush Color Brown - 225ml/bot )', 'Bot', '261.38', '849.48', '0.12%', '360', '1170', '0.08%', '2020-03-20 14:22:50'), (1235, 2, 3, 1, 'Airbrush Color Green - 225ml/bo (Airbrush Color Green - 225ml/bot )', 'Bot', '260', '130', '0.02%', '260', '130', '0.01%', '2020-03-20 14:22:50'), (1236, 2, 3, 1, 'Airbrush Color Orange - 225ml/b (Airbrush Color Orange - 225ml/bot )', 'Bot', '260', '585', '0.08%', '260', '585', '0.04%', '2020-03-20 14:22:50'), (1237, 2, 3, 1, 'Airbrush Color Pink - 225ml/bot (Airbrush Color Pink - 225ml/bot )', 'Bot', '317.38', '1269.51', '0.17%', '360', '1440', '0.10%', '2020-03-20 14:22:50'), (1238, 2, 3, 1, 'Airbrush Color Red -225ml/bot (Airbrush Color Red -225ml/bot )', 'Bot', '360', '810', '0.11%', '360', '810', '0.06%', '2020-03-20 14:22:50'), (1239, 2, 3, 1, 'Airbrush Color Violet - 225ml/b (Airbrush Color Violet - 225ml/bot )', 'Bot', '360', '1980', '0.27%', '260', '1430', '0.10%', '2020-03-20 14:22:50'), (1240, 2, 3, 1, 'Airbrush Color Yellow -225ml/bo (Airbrush Color Yellow -225ml/bot )', 'Bot', '260', '325', '0.04%', '260', '325', '0.02%', '2020-03-20 14:22:50'), (1241, 2, 3, 1, 'Am<NAME>oney 250ml (<NAME> 250ML)', 'Bot', '190', '0', '0.00%', '250', '0', '0.00%', '2020-03-20 14:22:50'), (1242, 2, 3, 1, 'American Lemon (American Lemon)', 'g', '0.3', '0', '0.00%', '0.3', '0', '0.00%', '2020-03-20 14:22:50'), (1243, 2, 3, 1, 'American Lemon (pcs) (American Lemon)', 'ea', '20', '420', '0.06%', '25', '525', '0.04%', '2020-03-20 14:22:50'), (1244, 2, 3, 1, 'Ana figurine (Ana figurine )', 'ea', '60', '0', '0.00%', '60', '0', '0.00%', '2020-03-20 14:22:50'), (1245, 2, 3, 1, 'Assorted Grass (Assorted Grass (3pcs/pack) = 15/pck = 3each )', 'ea', '3', '0', '0.00%', '3', '0', '0.00%', '2020-03-20 14:22:50'), (1246, 2, 3, 1, 'Aurora figurine (Aurora figurine )', 'ea', '32', '0', '0.00%', '60', '0', '0.00%', '2020-03-20 14:22:50'), (1247, 2, 3, 1, 'Avocado (Avocado)', 'kls', '43.99', '0', '0.00%', '35', '0', '0.00%', '2020-03-20 14:22:50'), (1248, 2, 3, 1, 'Avocado Fresh (Fresh Avocado)', 'kls', '51.76', '0', '0.00%', '51.92308', '0', '0.00%', '2020-03-20 14:22:50'), (1249, 2, 3, 1, 'Baby Figurine (Imported) (Baby Figurine (Imported))', 'ea', '60', '0', '0.00%', '60', '0', '0.00%', '2020-03-20 14:22:50'), (1250, 2, 3, 1, 'Baby on crib (Baby on crib (cake accs) )', 'ea', '36.09', '180.44', '0.02%', '60', '300', '0.02%', '2020-03-20 14:22:50'), (1251, 2, 3, 1, 'Batman figurine (Batman figurine )', 'ea', '55.76', '836.43', '0.11%', '25', '375', '0.03%', '2020-03-20 14:22:50'), (1252, 2, 3, 1, 'Batman Styro (Batman Styro)', 'ea', '15.88', '142.94', '0.02%', '15', '135', '0.01%', '2020-03-20 14:22:50'), (1253, 2, 3, 1, 'Belle figurine (Belle figurine )', 'ea', '31.7', '0', '0.00%', '60', '0', '0.00%', '2020-03-20 14:22:51'), (1254, 2, 3, 1, 'Ben 10 Figurine (Ben 10 Figurine)', 'ea', '28', '168', '0.02%', '28', '168', '0.01%', '2020-03-20 14:22:51'), (1255, 2, 3, 1, 'Blackforest Cake (Blackforest Cake)', 'ea', '52.88', '0', '0.00%', '52.88', '0', '0.00%', '2020-03-20 14:22:51'), (1256, 2, 3, 1, 'Blueberry Baked (Blueberry Baked)', 'ea', '46.41', '0', '0.00%', '46.41', '0', '0.00%', '2020-03-20 14:22:51'), (1257, 2, 3, 1, 'Blueberry CC (Blueberry CC)', 'ea', '47.66', '0', '0.00%', '47.66', '0', '0.00%', '2020-03-20 14:22:51'), (1258, 2, 3, 1, 'Blueberry Square (Blueberry Square)', 'ea', '34.58', '0', '0.00%', '34.58', '0', '0.00%', '2020-03-20 14:22:51'), (1259, 2, 3, 1, 'BreakFast Blend (BreakFast Blend)', 'ea', '5.6', '0', '0.00%', '32.06', '0', '0.00%', '2020-03-20 14:22:51'), (1260, 2, 3, 1, 'Brown Sugar (7g (100pcs/pack) (Brown Sugar (7g (100pcs/pack) )', 'ea', '0.66', '0', '0.00%', '0.66', '0', '0.00%', '2020-03-20 14:22:51'), (1261, 2, 3, 1, 'C.Tree (Coconut Tree w/ Fruit(2 pcs per pack))', 'Pck', '15', '75', '0.01%', '15', '75', '0.01%', '2020-03-20 14:22:51'), (1262, 2, 3, 1, 'Caffe Veronica (Caffe Veronica)', 'ea', '30.32', '-30.32', '0.00%', '32.06', '-32.06', '0.00%', '2020-03-20 14:22:51'), (1263, 2, 3, 1, 'Camomile tea (Camomile tea pcs )', 'ea', '7.47', '44.79', '0.01%', '8', '48', '0.00%', '2020-03-20 14:22:51'), (1264, 2, 3, 1, 'Candle numbers (Candle numbers )', 'ea', '13.27', '3344.26', '0.45%', '13', '3276', '0.22%', '2020-03-20 14:22:51'), (1265, 2, 3, 1, 'Candle Stick SM (Cake Candle Stick)', 'ea', '21', '399', '0.05%', '20', '380', '0.03%', '2020-03-20 14:22:51'), (1266, 2, 3, 1, 'Cars Figurine (Cars Figurine )', 'ea', '29.93', '418.98', '0.06%', '30', '420', '0.03%', '2020-03-20 14:22:51'), (1267, 2, 3, 1, 'Cars styro (Cars styro )', 'ea', '16', '31.99', '0.00%', '15', '30', '0.00%', '2020-03-20 14:22:51'), (1268, 2, 3, 1, 'Castle styro (Castle styro )', 'ea', '38', '0', '0.00%', '38', '0', '0.00%', '2020-03-20 14:22:51'), (1269, 2, 3, 1, 'Cheery Baked Cake (Cheery Baked Cake slice)', 'ea', '42.5', '0', '0.00%', '42.5', '0', '0.00%', '2020-03-20 14:22:51'), (1270, 2, 3, 1, 'Cheese Cake Flavor (Cheese Cake - 750 ml)', 'Bot', '392', '403.76', '0.05%', '392', '403.76', '0.03%', '2020-03-20 14:22:51'), (1271, 2, 3, 1, 'Cheesecake (Cheesecake)', 'ea', '9.04', '0', '0.00%', '9.04', '0', '0.00%', '2020-03-20 14:22:51'), (1272, 2, 3, 1, 'Chef Master Gel Black (Chef Master Gel Black )', 'Bot', '75', '0', '0.00%', '75', '0', '0.00%', '2020-03-20 14:22:51'), (1273, 2, 3, 1, 'Chef Master Gel Blue (Chef Master Gel Blue )', 'Bot', '70', '0', '0.00%', '300', '0', '0.00%', '2020-03-20 14:22:51'), (1274, 2, 3, 1, 'Chef Master Gel Brown (Chef Master Gel Brown - 28.35ML )', 'Bot', '94.4', '0', '0.00%', '95', '0', '0.00%', '2020-03-20 14:22:51'), (1275, 2, 3, 1, 'Chef Master Gel Green (Chef Master Gel Green )', 'Bot', '70', '0', '0.00%', '75', '0', '0.00%', '2020-03-20 14:22:51'), (1276, 2, 3, 1, 'Chef Master Gel Orange (Chef Master Gel Orange )', 'Bot', '70', '0', '0.00%', '75', '0', '0.00%', '2020-03-20 14:22:51'), (1277, 2, 3, 1, 'Chef Master Gel Pink (Chef Master Gel Pink )', 'Bot', '94.39', '0', '0.00%', '95', '0', '0.00%', '2020-03-20 14:22:51'), (1278, 2, 3, 1, 'Chef Master Gel Red (Chef Master Gel Red )', 'Bot', '90.93', '0', '0.00%', '95', '0', '0.00%', '2020-03-20 14:22:51'), (1279, 2, 3, 1, 'Chef Master Gel Violet (Chef Master Gel Violet )', 'Bot', '90.55', '0', '0.00%', '95', '0', '0.00%', '2020-03-20 14:22:51'), (1280, 2, 3, 1, 'Chef Master Gel Yellow (Chef Master Gel Yellow)', 'Bot', '70', '0', '0.00%', '90.55', '0', '0.00%', '2020-03-20 14:22:51'), (1281, 2, 3, 1, 'Cherry Chilled Cake (Cherry Chilled Cake)', 'ea', '31.48', '0', '0.00%', '31.48', '0', '0.00%', '2020-03-20 14:22:51'), (1282, 2, 3, 1, 'Cherry Square (Cherry Square)', 'ea', '25.6', '0', '0.00%', '25.6', '0', '0.00%', '2020-03-20 14:22:51'), (1283, 2, 3, 1, 'Chobiz Choco 20s (Chobiz Choco 20s)', 'Pck', '17.35', '0', '0.00%', '17.35', '0', '0.00%', '2020-03-20 14:22:51'), (1284, 2, 3, 1, 'Chobiz Milk 20s (Chobiz Milk 20s)', 'Pck', '17.35', '0', '0.00%', '17.35', '0', '0.00%', '2020-03-20 14:22:51'), (1285, 2, 3, 1, 'Choc.Fudge (Choc.Fudge)', 'g', '0.3', '0', '0.00%', '0.239', '0', '0.00%', '2020-03-20 14:22:51'), (1286, 2, 3, 1, 'Choco nuts blast 28g (Choco nuts blast 28g)', 'Pck', '5.25', '0', '0.00%', '5.25', '0', '0.00%', '2020-03-20 14:22:51'), (1287, 2, 3, 1, 'Choco Rumbles (Choco Rumbles )', 'ea', '17.28', '0', '0.00%', '17.28', '0', '0.00%', '2020-03-20 14:22:51'), (1288, 2, 3, 1, 'Chocolate Decadent (Chocolate Decadent - slice)', 'ea', '46.53', '0', '0.00%', '46.53', '0', '0.00%', '2020-03-20 14:22:51'), (1289, 2, 3, 1, 'Chocolate Fudge (Chocolate Fudge )', 'ea', '45.84', '0', '0.00%', '45.84', '0', '0.00%', '2020-03-20 14:22:51'), (1290, 2, 3, 1, 'Chocolate Ganache (Chocolate Ganache slice)', 'ea', '29.99', '0', '0.00%', '29.99', '0', '0.00%', '2020-03-20 14:22:51'), (1291, 2, 3, 1, 'Chocolate Layer (Chocolate Layer)', 'ea', '39.47', '0', '0.00%', '39.47', '0', '0.00%', '2020-03-20 14:22:51'), (1292, 2, 3, 1, 'Chocolate Powder (Chocolate Powder (500g))', 'Pck', '157.5', '0', '0.00%', '157.5', '0', '0.00%', '2020-03-20 14:22:51'), (1293, 2, 3, 1, 'Chocolate Sprinkle (Chocolate Sprinkle )', 'g', '0.35', '0', '0.00%', '0.357', '0', '0.00%', '2020-03-20 14:22:51'), (1294, 2, 3, 1, 'Chocolate Square (Chocolate Square slice)', 'ea', '33.05', '165.25', '0.02%', '33.05', '165.25', '0.01%', '2020-03-20 14:22:51'), (1295, 2, 3, 1, 'Cinderella figurine (Cinderella figurine )', 'ea', '31.88', '0', '0.00%', '30', '0', '0.00%', '2020-03-20 14:22:51'), (1296, 2, 3, 1, '<NAME> Chrs 1050g (Cl<NAME> Chrs 1050g)', 'Bot', '310.9', '0', '0.00%', '310.9', '0', '0.00%', '2020-03-20 14:22:51'), (1297, 2, 3, 1, 'Cocktail pics (Cocktail pics packs)', 'Pck', '60.97', '0', '0.00%', '48', '0', '0.00%', '2020-03-20 14:22:51'), (1298, 2, 3, 1, 'Coffee-3 in 1 pcs (Coffee-3 in 1 pcs)', 'ea', '2.78', '0', '0.00%', '5', '0', '0.00%', '2020-03-20 14:22:51'), (1299, 2, 3, 1, 'Coffee beans-FROGS (Coffee beans-FROGS 500gms/pck )', 'Pck', '490.26', '0', '0.00%', '275', '0', '0.00%', '2020-03-20 14:22:51'), (1300, 2, 3, 1, 'Coffee Nescafe Blend & Brew (Coffee Nescafe blend and brew 12gx 36pcs/pck )', 'ea', '5.03', '0', '0.00%', '5.1', '0', '0.00%', '2020-03-20 14:22:51'), (1301, 2, 3, 1, 'Coffee stick - Nescafe (Coffee stick - Nescafe (48pcsx2g) )', 'ea', '1.76', '0', '0.00%', '1.94', '0', '0.00%', '2020-03-20 14:22:51'), (1302, 2, 3, 1, 'Coffeemate 48/pck (Coffeemate 48/pck - pcs)', 'ea', '1.65', '477.29', '0.06%', '1.68101', '487.49', '0.03%', '2020-03-20 14:22:51'), (1303, 2, 3, 1, 'Coffeemate pack (Coffeemate pack)', 'Pck', '80.65', '0', '0.00%', '70.54', '0', '0.00%', '2020-03-20 14:22:51'), (1304, 2, 3, 1, 'Coke (Coke 1.5ltr )', 'ea', '20.5', '0', '0.00%', '44.75', '0', '0.00%', '2020-03-20 14:22:51'), (1305, 2, 3, 1, 'Coke light (Coke light cans )', 'ea', '24.71', '0', '0.00%', '21.25', '0', '0.00%', '2020-03-20 14:22:51'), (1306, 2, 3, 1, 'Coke regular (Coke regular )', 'ea', '24.92', '1196', '0.16%', '20.5', '984', '0.07%', '2020-03-20 14:22:51'), (1307, 2, 3, 1, 'Coke zero (Coke zero )', 'ea', '23.71', '2276', '0.31%', '20.5', '1968', '0.14%', '2020-03-20 14:22:51'), (1308, 2, 3, 1, 'Colored artistic Straw (100pcs/ (Colored artistic Straw (100pcs/pck) )', 'ea', '0.65', '0', '0.00%', '0.65', '0', '0.00%', '2020-03-20 14:22:51'), (1309, 2, 3, 1, 'Colored Butterfly (assorted) (Colored Butterfly (assorted) )', 'ea', '10', '0', '0.00%', '10', '0', '0.00%', '2020-03-20 14:22:51'), (1310, 2, 3, 1, 'Cream O Vanilla ( Pck 10s ) (Cream O Vanilla ( Pck 10s ))', 'Pck', '59.45', '77.28', '0.01%', '59.45', '77.29', '0.01%', '2020-03-20 14:22:51'), (1311, 2, 3, 1, 'Cream O Vanilla 90g (Cream O Vanilla 90g)', 'Pck', '16.98', '0', '0.00%', '19.1', '0', '0.00%', '2020-03-20 14:22:51'), (1312, 2, 3, 1, 'Creme De Cacao (Creme De Cacao-750 ml)', 'Bot', '392', '490', '0.07%', '392', '490', '0.03%', '2020-03-20 14:22:51'), (1313, 2, 3, 1, 'Cup Cake (Cup Cake)', 'ea', '5.42', '0', '0.00%', '6.81', '0', '0.00%', '2020-03-20 14:22:51'), (1314, 2, 3, 1, 'Dad Bear Black Pearl Straw (Dad Bear Black Pearl Straw)', 'ea', '1.6', '0', '0.00%', '1.6', '0', '0.00%', '2020-03-20 14:22:51'), (1315, 2, 3, 1, 'Dark Chocolate Sauce ml (Dark Chocolate Sauce - 1890ml/bot)', 'ml', '0.37', '708.02', '0.10%', '0.3746', '707.99', '0.05%', '2020-03-20 14:22:51'), (1316, 2, 3, 1, 'Disposable Cups 1 pack (Disposable Cups 25 psc/pack)', 'Pck', '195', '0', '0.00%', '195', '0', '0.00%', '2020-03-20 14:22:51'), (1317, 2, 3, 1, 'Distilled water - gal (Distilled water )', 'Gal', '15', '0', '0.00%', '15', '0', '0.00%', '2020-03-20 14:22:51'), (1318, 2, 3, 1, 'DM Four Season (DM Four Season)', 'ea', '24.29', '1772.87', '0.24%', '24.28583', '1772.87', '0.12%', '2020-03-20 14:22:51'), (1319, 2, 3, 1, 'DM mango juice (DM mango juice )', 'ea', '29.05', '2033.34', '0.27%', '23.33333', '1633.33', '0.11%', '2020-03-20 14:22:51'), (1320, 2, 3, 1, 'DM orange juice (DM orange juice )', 'ea', '24.29', '1772.87', '0.24%', '21.42833', '1564.27', '0.11%', '2020-03-20 14:22:51'), (1321, 2, 3, 1, 'DM Pineapple 240ml(24cans/bot) (DM Pineapple 240ml(24cans/bot) Sweetened)', 'can', '23.33', '840', '0.11%', '21.905', '788.58', '0.05%', '2020-03-20 14:22:51'), (1322, 2, 3, 1, 'DM pineapple juice (DM pineapple juice Unsweetened )', 'can', '24.29', '1894.29', '0.26%', '21.42833', '1671.41', '0.11%', '2020-03-20 14:22:51'), (1323, 2, 3, 1, 'DM pineapple orange (DM pineapple orange )', 'can', '24.29', '1165.72', '0.16%', '24.28583', '1165.72', '0.08%', '2020-03-20 14:22:51'), (1324, 2, 3, 1, 'DM Sweet Blend Ketchup 320g (DM Sweet Blend Ketchup 320g)', 'Bot', '33.13', '0', '0.00%', '31.75', '0', '0.00%', '2020-03-20 14:22:51'), (1325, 2, 3, 1, 'DM Sweetened Orange (DM Sweetened Orange)', 'can', '24.29', '0', '0.00%', '24.28583', '0', '0.00%', '2020-03-20 14:22:51'), (1326, 2, 3, 1, 'Donut Shop (Donut Shop)', 'ea', '22.35', '402.3', '0.05%', '22.35', '402.3', '0.03%', '2020-03-20 14:22:51'), (1327, 2, 3, 1, 'D<NAME> Choco 130g (Dukes Stickman Choco 130g)', 'Pck', '100.35', '0', '0.00%', '100.35', '0', '0.00%', '2020-03-20 14:22:51'), (1328, 2, 3, 1, 'Dummy Cake 12x12 (Dummy Cake 12x12)', 'ea', '163.63', '0', '0.00%', '237.26', '0', '0.00%', '2020-03-20 14:22:51'), (1329, 2, 3, 1, 'Dummy Cake 12x16 (Dummy Cake 12x16)', 'ea', '234.3', '0', '0.00%', '339.74', '0', '0.00%', '2020-03-20 14:22:51'), (1330, 2, 3, 1, 'Dummy Cake 8x12 (Dummy Cake 8x12)', 'ea', '128.15', '0', '0.00%', '185.82', '0', '0.00%', '2020-03-20 14:22:51'), (1331, 2, 3, 1, 'Earl gray tea (Earl gray tea - pcs )', 'ea', '5.6', '84', '0.01%', '8', '120', '0.01%', '2020-03-20 14:22:51'), (1332, 2, 3, 1, 'Egg Pie (Egg Pie )', 'ea', '18.75', '0', '0.00%', '18.75', '0', '0.00%', '2020-03-20 14:22:51'), (1333, 2, 3, 1, 'Eight O\'clock 175grms (Eight oclock juice powder (175grms/pck))', 'Pck', '45.96', '0', '0.00%', '45.675', '0', '0.00%', '2020-03-20 14:22:51'), (1334, 2, 3, 1, 'Eight oclock juice powder (Eight oclock juice powder - 350grms)', 'Pck', '91.35', '0', '0.00%', '91.35', '0', '0.00%', '2020-03-20 14:22:51'), (1335, 2, 3, 1, 'English breakfast tea (English breakfast tea )', 'ea', '5.6', '100.8', '0.01%', '8', '144', '0.01%', '2020-03-20 14:22:51'), (1336, 2, 3, 1, 'Equal Powder 12G (Equal Powder 12G)', 'Pck', '137.95', '0', '0.00%', '33.45', '0', '0.00%', '2020-03-20 14:22:51'), (1337, 2, 3, 1, 'Equal sugar (Equal sugar )', 'ea', '1.47', '563.45', '0.08%', '2.65833', '1018.14', '0.07%', '2020-03-20 14:22:51'), (1338, 2, 3, 1, 'Euro Water 500ml (Euro Water 500m (Euro Water 500ml ) )', 'Bot', '6.5', '16880.5', '2.28%', '5.5', '14283.5', '0.98%', '2020-03-20 14:22:51'), (1339, 2, 3, 1, 'Evening Blend (Evening Blend)', 'g', '0.7', '4549.73', '0.61%', '0.695', '4517.5', '0.31%', '2020-03-20 14:22:51'), (1340, 2, 3, 1, 'Flowerets Colored (Flowerets Colored )', 'ea', '16.82', '3279.4', '0.44%', '15', '2925', '0.20%', '2020-03-20 14:22:51'), (1341, 2, 3, 1, 'Frappe Caffe Latte (Frappe Caffe Latte-1360/pck)', 'g', '0.77', '2872.06', '0.39%', '1.4558', '5415.58', '0.37%', '2020-03-20 14:22:51'), (1342, 2, 3, 1, 'Frappe Mix Java Chip (Frappe Mix Java Chip-1360g/pck)', 'g', '0.77', '2265.99', '0.31%', '0.7279', '2136.39', '0.15%', '2020-03-20 14:22:51'), (1343, 2, 3, 1, 'French fries (French fries )', 'Pck', '95', '950', '0.13%', '108', '1080', '0.07%', '2020-03-20 14:22:51'), (1344, 2, 3, 1, 'French Fries (2kg) (French Fries (2kg))', 'Pck', '172.85', '458.06', '0.06%', '187', '495.55', '0.03%', '2020-03-20 14:22:51'), (1345, 2, 3, 1, 'Garlic stick bread (Garlic stick bread - grms )', 'g', '0.09', '0', '0.00%', '0.09', '0', '0.00%', '2020-03-20 14:22:51'), (1346, 2, 3, 1, 'Green Tea (Green tea )', 'ea', '5.6', '33.6', '0.01%', '8', '48', '0.00%', '2020-03-20 14:22:51'), (1347, 2, 3, 1, 'Gum Paste (Gum Paste)', 'kls', '250', '0', '0.00%', '345', '0', '0.00%', '2020-03-20 14:22:51'), (1348, 2, 3, 1, 'GV Shake Powder Cookies& Cream (GV Shake Powder Cookies& Cream)', 'Pck', '26.75', '0', '0.00%', '26.75', '0', '0.00%', '2020-03-20 14:22:51'), (1349, 2, 3, 1, 'GV Shake Powder Strawberry (GV Shake Powder Strawberry )', 'Pck', '26.75', '428', '0.06%', '26.75', '428', '0.03%', '2020-03-20 14:22:51'), (1350, 2, 3, 1, 'Happy birthday cake (Happy birthday cake)', 'ea', '172.4', '0', '0.00%', '172.4', '0', '0.00%', '2020-03-20 14:22:51'), (1351, 2, 3, 1, 'Happy birthday Candle (Happy birthday Candle )', 'set', '50', '0', '0.00%', '50', '0', '0.00%', '2020-03-20 14:22:51'), (1352, 2, 3, 1, 'Happy birthday Styro (Happy birthday Styro)', 'ea', '15', '450', '0.06%', '14', '420', '0.03%', '2020-03-20 14:22:51'), (1353, 2, 3, 1, 'Hello Kitty Figurine (Hello Kitty Figurine)', 'ea', '31.87', '1593.55', '0.22%', '25', '1250', '0.09%', '2020-03-20 14:22:51'), (1354, 2, 3, 1, 'Hello Kitty styro (Hello Kitty styro )', 'ea', '15.75', '188.95', '0.03%', '25', '300', '0.02%', '2020-03-20 14:22:51'), (1355, 2, 3, 1, 'Herbal Pillow - Patch Shoulder (Herbal Pillow - Patch Shoulder )', 'ea', '858', '0', '0.00%', '858', '0', '0.00%', '2020-03-20 14:22:51'), (1356, 2, 3, 1, 'Herbal Pillow - Waist (Herbal Pillow - Waist )', 'ea', '972', '0', '0.00%', '972', '0', '0.00%', '2020-03-20 14:22:51'), (1357, 2, 3, 1, 'Hot sauce-MB 100ml/Bot (Hot sauce-MB 100ml/Bot)', 'Bot', '32.92', '0', '0.00%', '32.92', '0', '0.00%', '2020-03-20 14:22:51'), (1358, 2, 3, 1, 'Hugh Blend (Hugh Blend)', 'ea', '19.25', '0', '0.00%', '19.25', '0', '0.00%', '2020-03-20 14:22:51'), (1359, 2, 3, 1, 'Ice Cubes - pck (Ice Cubes - pck)', 'Pck', '18', '0', '0.00%', '25', '0', '0.00%', '2020-03-20 14:22:51'), (1360, 2, 3, 1, 'Ice Tea Nestea 450gms/pck (Ice tea- Nestea -pck (450grms/pck ) )', 'Pck', '98.65', '0', '0.00%', '99.1', '0', '0.00%', '2020-03-20 14:22:51'), (1361, 2, 3, 1, 'Icing (Icing)', 'g', '0.2', '400', '0.05%', '0.2', '400', '0.03%', '2020-03-20 14:22:51'), (1362, 2, 3, 1, 'Irish cream (Irish cream-750ml)', 'Bot', '392', '795.76', '0.11%', '392', '795.76', '0.05%', '2020-03-20 14:22:51'), (1363, 2, 3, 1, 'Italian coffee beans (Italian coffee beans - packs 500grms )', 'Pck', '408', '0', '0.00%', '408', '0', '0.00%', '2020-03-20 14:22:51'), (1364, 2, 3, 1, 'Jufran Red Hot Chili Sauce 100g (Jufran Red Hot Chili Sauce 100g)', 'Bot', '40.25', '0', '0.00%', '20.29167', '0', '0.00%', '2020-03-20 14:22:51'), (1365, 2, 3, 1, 'Kaizer buns small (Kaizer buns small )', 'ea', '5.78', '46.24', '0.01%', '5.78', '46.24', '0.00%', '2020-03-20 14:22:51'), (1366, 2, 3, 1, 'Kopiko La Cafe 25gx10s (Kopiko La Cafe 25gx10s)', 'ea', '5.1', '0', '0.00%', '4.675', '0', '0.00%', '2020-03-20 14:22:51'), (1367, 2, 3, 1, 'Lady figurine (Lady figurine )', 'ea', '30', '0', '0.00%', '30', '0', '0.00%', '2020-03-20 14:22:51'), (1368, 2, 3, 1, 'Lemon Grass (Lemon Grass)', 'Bundle', '10', '0', '0.00%', '10', '0', '0.00%', '2020-03-20 14:22:51'), (1369, 2, 3, 1, 'Lemon Grass Mix (Lemon Grass Mix)', 'Ltr', '62.55', '0', '0.00%', '62.5', '0', '0.00%', '2020-03-20 14:22:51'), (1370, 2, 3, 1, 'Liquid seasoning small (Liquid seasoning small )', 'Bot', '26.43', '0', '0.00%', '26.43', '0', '0.00%', '2020-03-20 14:22:51'), (1371, 2, 3, 1, 'Macademia Nut (Macademia Nut-750 ml)', 'Bot', '392', '588', '0.08%', '392', '588', '0.04%', '2020-03-20 14:22:51'), (1372, 2, 3, 1, 'Maggi savor 130ml (Maggi savor 130ml)', 'Bot', '35.45', '673.63', '0.09%', '29.5', '560.5', '0.04%', '2020-03-20 14:22:51'), (1373, 2, 3, 1, 'Mango chilled (Mango chilled )', 'ea', '46.51', '0', '0.00%', '46.51', '0', '0.00%', '2020-03-20 14:22:51'), (1374, 2, 3, 1, 'Mapple syrup 355ml/bot (Mapple syrup 355ml/bot )', 'Bot', '87.21', '0', '0.00%', '87.2', '0', '0.00%', '2020-03-20 14:22:51'), (1375, 2, 3, 1, 'Mermaid Figurine - Local (Mermaid Figurine - Local)', 'ea', '30', '30', '0.00%', '30', '30', '0.00%', '2020-03-20 14:22:51'), (1376, 2, 3, 1, 'Mermaid styro (Mermaid styro )', 'ea', '15', '0', '0.00%', '15', '0', '0.00%', '2020-03-20 14:22:51'), (1377, 2, 3, 1, 'Mickey Figurine (Mickey Figurine)', 'ea', '31.94', '2076.08', '0.28%', '30', '1950', '0.13%', '2020-03-20 14:22:51'), (1378, 2, 3, 1, 'Mickey Styro (Mickey Styro)', 'ea', '15', '0', '0.00%', '15', '0', '0.00%', '2020-03-20 14:22:51'), (1379, 2, 3, 1, 'Minions Figurine (Minions Figurine)', 'ea', '25', '0', '0.00%', '25', '0', '0.00%', '2020-03-20 14:22:51'), (1380, 2, 3, 1, 'Moistcake small Whole (Moistcake small )', 'ea', '119.15', '0', '0.00%', '119.15', '0', '0.00%', '2020-03-20 14:22:51'), (1381, 2, 3, 1, 'Moistcake Whole (Moistcake big )', 'ea', '305.5', '0', '0.00%', '305.5', '0', '0.00%', '2020-03-20 14:22:51'), (1382, 2, 3, 1, 'Muscovado (Muscovado )', 'g', '0.05', '52', '0.01%', '0.052', '52', '0.00%', '2020-03-20 14:22:51'), (1383, 2, 3, 1, 'Nestea Apple 450g (Nestea Apple 450g)', 'Pck', '169.95', '0', '0.00%', '169.95', '0', '0.00%', '2020-03-20 14:22:51'), (1384, 2, 3, 1, 'Nestea Honey Blend 450g (Nestea Honey Blend 450g)', 'Pck', '171.31', '0', '0.00%', '99.1', '0', '0.00%', '2020-03-20 14:22:51'), (1385, 2, 3, 1, 'Nestea House Blend 200g (Nestea House Blend 200g)', 'Pck', '189.53', '1800.49', '0.24%', '189.526', '1800.5', '0.12%', '2020-03-20 14:22:51'), (1386, 2, 3, 1, 'Nestea Rest Blend 360g (Nestea Rest Blend 360g)', 'Pck', '171.31', '0', '0.00%', '171.31', '0', '0.00%', '2020-03-20 14:22:51'), (1387, 2, 3, 1, 'Nips white Chocolate Snack 40s (Nips white Chocolate Snack 40s)', 'Pck', '20.1', '0', '0.00%', '20.1', '0', '0.00%', '2020-03-20 14:22:51'), (1388, 2, 3, 1, 'Orange (Orange )', 'ea', '20.49', '471.17', '0.06%', '15', '345', '0.02%', '2020-03-20 14:22:51'), (1389, 2, 3, 1, 'Oreo-9s/pck (Oreo biscuit 9pcs/pack(9pcksx29.4g)nt wt 264.6g )', 'Pck', '51.96', '0', '0.00%', '64.6', '0', '0.00%', '2020-03-20 14:22:51'), (1390, 2, 3, 1, 'Oreo biscuit (Oreo biscuit )', 'Pck', '35.05', '0', '0.00%', '64.6', '0', '0.00%', '2020-03-20 14:22:51'), (1391, 2, 3, 1, 'OREO Double Tap (OREO Double (pack) (152.4grms))', 'Pck', '41.5', '0', '0.00%', '38.85', '0', '0.00%', '2020-03-20 14:22:51'), (1392, 2, 3, 1, 'OREO Stawberry (OREO Stawberry (137g))', 'Pck', '37.45', '0', '0.00%', '35.1', '0', '0.00%', '2020-03-20 14:22:51'), (1393, 2, 3, 1, 'OREO Vanilla (OREO Vanilla (137g))', 'Pck', '37.45', '0', '0.00%', '35.1', '0', '0.00%', '2020-03-20 14:22:51'), (1394, 2, 3, 1, 'Pike Place (Pike Place)', 'ea', '30.32', '60.64', '0.01%', '30.32', '60.64', '0.00%', '2020-03-20 14:22:51'), (1395, 2, 3, 1, 'Plastic Leaves (Plastic Leaves(2 pcs per pck))', 'ea', '7.01', '350.6', '0.05%', '10', '500', '0.03%', '2020-03-20 14:22:51'), (1396, 2, 3, 1, 'Precut tissue (Precut tissue )', 'Pck', '84.91', '169.81', '0.02%', '77.39', '154.78', '0.01%', '2020-03-20 14:22:51'), (1397, 2, 3, 1, 'Precut Tissue 2000s (Precut Tissue 2000s)', 'ea', '0.21', '425', '0.06%', '0.1875', '375', '0.03%', '2020-03-20 14:22:51'), (1398, 2, 3, 1, 'Pretzels Berry Knots 28g (Pretzels Berry Knots 28g)', 'ea', '5.25', '0', '0.00%', '5.25', '0', '0.00%', '2020-03-20 14:22:51'), (1399, 2, 3, 1, 'Princess Figurine (Princess Figurine )', 'ea', '30', '2070', '0.28%', '30', '2070', '0.14%', '2020-03-20 14:22:51'), (1400, 2, 3, 1, 'Quaker Oats 400g (Quaker Oats 400g )', 'Pck', '52.5', '0', '0.00%', '49.35', '0', '0.00%', '2020-03-20 14:22:51'), (1401, 2, 3, 1, 'Rainbow sprinkles (Rainbow sprinkles )', 'g', '0.35', '350', '0.05%', '0.35', '350', '0.02%', '2020-03-20 14:22:51'), (1402, 2, 3, 1, 'Red cherry (Red cherry )', 'can', '193.58', '0', '0.00%', '188', '0', '0.00%', '2020-03-20 14:22:51'), (1403, 2, 3, 1, 'Red wine (Moreaw & Fils) -750ml (Red wine (Moreaw & Fils) - 750ml/bot )', 'Bot', '381.67', '0', '0.00%', '381.7', '0', '0.00%', '2020-03-20 14:22:51'), (1404, 2, 3, 1, 'Royal Tru Orange 330mlx24 (Royal Tru Orange 330mlx24)', 'can', '24.92', '2392', '0.32%', '24.92', '2392.32', '0.16%', '2020-03-20 14:22:51'), (1405, 2, 3, 1, 'Sago Straw Black (Sago Straw Black)', 'ea', '0.21', '10.75', '0.00%', '0.7', '36.4', '0.00%', '2020-03-20 14:22:51'), (1406, 2, 3, 1, 'San Fransisco Bay (San Fransisco Bay)', 'ea', '15.59', '0', '0.00%', '15.59', '0', '0.00%', '2020-03-20 14:22:51'), (1407, 2, 3, 1, '<NAME> (<NAME> )', 'can', '41.23', '0', '0.00%', '36.6', '0', '0.00%', '2020-03-20 14:22:51'), (1408, 2, 3, 1, 'Snow white figurine (Snow white figurine )', 'ea', '35.37', '0', '0.00%', '60', '0', '0.00%', '2020-03-20 14:22:51'), (1409, 2, 3, 1, 'Sofia 1st figurine (Sofia 1st figurine )', 'ea', '32.31', '1195.58', '0.16%', '60', '2220', '0.15%', '2020-03-20 14:22:51'), (1410, 2, 3, 1, 'Spiderman Figurine (Spiderman Figurine)', 'ea', '32.28', '193.68', '0.03%', '30', '180', '0.01%', '2020-03-20 14:22:51'), (1411, 2, 3, 1, 'Spiderman styro (Spiderman styro )', 'ea', '16', '0', '0.00%', '15', '0', '0.00%', '2020-03-20 14:22:51'), (1412, 2, 3, 1, 'Spongebob Figurine (Spongebob Figurine)', 'ea', '40.96', '122.89', '0.02%', '60', '180', '0.01%', '2020-03-20 14:22:51'), (1413, 2, 3, 1, 'Spongebob styro (Spongebob styro )', 'ea', '15', '60', '0.01%', '15', '60', '0.00%', '2020-03-20 14:22:51'), (1414, 2, 3, 1, 'Sprite in can (Sprite in can )', 'can', '24.92', '2392', '0.32%', '20.5', '1968', '0.14%', '2020-03-20 14:22:51'), (1415, 2, 3, 1, 'Stick-O Jr Choco 380g (Stick-O Jr Choco 380g)', 'Tumbler', '109.53', '0', '0.00%', '56.2', '0', '0.00%', '2020-03-20 14:22:51'), (1416, 2, 3, 1, 'Stick - O Big Choco (Stick-O Big Choco 850g)', 'Tumbler', '109.49', '77.74', '0.01%', '109.5', '77.75', '0.01%', '2020-03-20 14:22:51'), (1417, 2, 3, 1, 'Stirrer (Stirrer )', 'ea', '0.2', '0', '0.00%', '0.201', '0', '0.00%', '2020-03-20 14:22:51'), (1418, 2, 3, 1, 'Straw-Artistic (Straw-Artistic )', 'ea', '0.43', '129.03', '0.02%', '1.04', '314.08', '0.02%', '2020-03-20 14:22:51'), (1419, 2, 3, 1, 'Sugar take out (Sugar take out )', 'ea', '3.4', '0', '0.00%', '0.85833', '0', '0.00%', '2020-03-20 14:22:51'), (1420, 2, 3, 1, 'Superman Figurine (Superman Figurine)', 'ea', '33.48', '1506.68', '0.20%', '60', '2700', '0.19%', '2020-03-20 14:22:51'), (1421, 2, 3, 1, 'Superman Styro (Superman Styro)', 'ea', '15.6', '265.13', '0.04%', '15', '255', '0.02%', '2020-03-20 14:22:51'), (1422, 2, 3, 1, 'SuperStick (Stick O (superstick) (100pcs/tumbler) )', 'ea', '0.49', '0', '0.00%', '0.9815', '0', '0.00%', '2020-03-20 14:22:51'), (1423, 2, 3, 1, 'Susan Baker Sliced Mushroom 400 (Susan Baker Sliced Mushroom 400)', 'can', '47.96', '359.71', '0.05%', '46.75', '350.63', '0.02%', '2020-03-20 14:22:51'), (1424, 2, 3, 1, 'Tigerstix Choco 315g (Tigerstix Choco 315g)', 'Pck', '41.8', '0', '0.00%', '41.8', '0', '0.00%', '2020-03-20 14:22:51'), (1425, 2, 3, 1, 'Tinker bell Figurine (Tinker bell Figurine)', 'ea', '32', '448', '0.06%', '60', '840', '0.06%', '2020-03-20 14:22:51'), (1426, 2, 3, 1, 'Tinker bell styro (Tinker bell styro )', 'ea', '16', '192', '0.03%', '15', '180', '0.01%', '2020-03-20 14:22:51'), (1427, 2, 3, 1, 'Toasted mallows-Torani (Toasted mallows-Torani - 750ml )', 'Bot', '392', '0', '0.00%', '392', '0', '0.00%', '2020-03-20 14:22:51'), (1428, 2, 3, 1, 'Toothpick (Toothpick )', 'ea', '0.53', '0', '0.00%', '0.5275', '0', '0.00%', '2020-03-20 14:22:51'), (1429, 2, 3, 1, 'Toothpick Crown Chef (Toothpick Crown chef)', 'ea', '0.09', '170', '0.02%', '0.085', '170', '0.01%', '2020-03-20 14:22:51'), (1430, 2, 3, 1, 'Torani - Peppermint (Peppermint 750ml )', 'Bot', '392', '0', '0.00%', '392', '0', '0.00%', '2020-03-20 14:22:51'), (1431, 2, 3, 1, 'Torani Almond Rocca 750ml (Torani Almond Rocca 750ml)', 'Bot', '392', '493.92', '0.07%', '392', '493.92', '0.03%', '2020-03-20 14:22:51'), (1432, 2, 3, 1, 'Torani Hazelnut 750ml (Torani Hazelnut 750ml)', 'ml', '0.52', '392.07', '0.05%', '0.52', '390.07', '0.03%', '2020-03-20 14:22:51'), (1433, 2, 3, 1, 'Umbrella Pics (Umbrella Pics )', 'Pck', '146.4', '292.79', '0.04%', '146.4', '292.8', '0.02%', '2020-03-20 14:22:51'), (1434, 2, 3, 1, 'Waterrade (Waterrade )', 'Bot', '7.92', '0', '0.00%', '7.92', '0', '0.00%', '2020-03-20 14:22:51'), (1435, 2, 3, 1, 'White straw (White straw )', 'ea', '0.19', '309.51', '0.04%', '0.27', '439.83', '0.03%', '2020-03-20 14:22:51'), (1436, 2, 3, 1, 'White Sugar (7g (100pcs/pack) (White Sugar (7g (100pcs/pack))', 'ea', '0.69', '50.58', '0.01%', '0.693', '50.59', '0.00%', '2020-03-20 14:22:51'), (1437, 2, 4, 1, 'Solaine-11kls (Solaine-11kls )', 'kls', '0', '0', '0.00%', '907', '0', '0.00%', '2020-03-20 14:24:26'), (1438, 2, 4, 1, 'Solaine-50kls (Solaine-50kls )', 'Tank', '1796.42', '0', '0.00%', '3570', '0', '0.00%', '2020-03-20 14:24:26'), (1439, 2, 5, 1, 'A1 steak sauce (A1 steak sauce (142 gms/bot) )', 'Bot', '150.61', '0', '0.00%', '150', '0', '0.00%', '2020-03-20 14:27:03'), (1440, 2, 5, 1, 'A1 steak sauce 283ml (A1 steak sauce (283 gms/bot) ) )', 'Bot', '282', '0', '0.00%', '225', '0', '0.00%', '2020-03-20 14:27:03'), (1441, 2, 5, 1, 'All purpose cream (All purpose cream )', 'Pck', '55.73', '835.91', '0.11%', '46.16833', '692.52', '0.05%', '2020-03-20 14:27:03'), (1442, 2, 5, 1, 'All spice (All spice 32 gms/bot )', 'Bot', '62.4', '0', '0.00%', '62.4', '0', '0.00%', '2020-03-20 14:27:03'), (1443, 2, 5, 1, 'Almond slice (Almond slice 100gms/pck )', 'Pck', '96.97', '231.77', '0.03%', '107.5', '256.93', '0.02%', '2020-03-20 14:27:03'), (1444, 2, 5, 1, 'Almond slice 170g (Almond slice (Almond slice 170gms/pck ) )', 'g', '2.38', '0', '0.00%', '2.35265', '0', '0.00%', '2020-03-20 14:27:03'), (1445, 2, 5, 1, 'Aluminum foil Reynolds (Aluminum foil Reynolds)', 'Rlls', '100', '117', '0.02%', '100', '117', '0.01%', '2020-03-20 14:27:03'), (1446, 2, 5, 1, 'Anchovies (Anchovies 365gms/can )', 'can', '558.59', '0', '0.00%', '558.35', '0', '0.00%', '2020-03-20 14:27:03'), (1447, 2, 5, 1, 'Apple (Apple )', 'ea', '23.69', '118.46', '0.02%', '50', '250', '0.02%', '2020-03-20 14:27:03'), (1448, 2, 5, 1, 'Arbol Chili 5oz (Arbol Chili 5oz)', 'Bot', '89.95', '0', '0.00%', '89.95', '0', '0.00%', '2020-03-20 14:27:03'), (1449, 2, 5, 1, 'Argenina Corn Beef (Gold Label) (Argenina Corn Beef (Gold Label) 150g )', 'can', '33.25', '0', '0.00%', '46', '0', '0.00%', '2020-03-20 14:27:03'), (1450, 2, 5, 1, 'Asparagus (Asparagus )', 'kls', '214', '0', '0.00%', '120', '0', '0.00%', '2020-03-20 14:27:03'), (1451, 2, 5, 1, 'Baby carrots (Baby carrots )', 'g', '0.03', '0', '0.00%', '0.088', '0', '0.00%', '2020-03-20 14:27:03'), (1452, 2, 5, 1, 'Bacon (Bacon)', 'g', '0.39', '3575.2', '0.48%', '0.36', '3276', '0.22%', '2020-03-20 14:27:03'), (1453, 2, 5, 1, 'Balsamic Vinegar 500ml/bot (Balsamic Vinegar 500ml/bot )', 'Bot', '210.19', '0', '0.00%', '246.7', '0', '0.00%', '2020-03-20 14:27:03'), (1454, 2, 5, 1, 'Bariles', 'g', '0.35', '0', '0.00%', '0.38', '0', '0.00%', '2020-03-20 14:27:03'), (1455, 2, 5, 1, 'Beef & herbs gravy (Beef & herbs gravy 30gms pcks )', 'ea', '20.93', '0', '0.00%', '20.95', '0', '0.00%', '2020-03-20 14:27:03'), (1456, 2, 5, 1, 'Beef cubes (Beef cubes 10gms/pc )', 'ea', '4.33', '0', '0.00%', '4.73', '0', '0.00%', '2020-03-20 14:27:03'), (1457, 2, 5, 1, 'Bell Pepper (Bell Pepper)', 'g', '0.12', '0', '0.00%', '0.14', '0', '0.00%', '2020-03-20 14:27:03'), (1458, 2, 5, 1, 'Best Yet Swt Ghrkns 16oz (Best Yet Swt Ghrkns 16oz)', 'Bot', '179.95', '0', '0.00%', '0', '0', '0.00%', '2020-03-20 14:27:03'), (1459, 2, 5, 1, 'Bihon special (Bihon special)', 'Pck', '25.35', '141.72', '0.02%', '16.2', '90.56', '0.01%', '2020-03-20 14:27:03'), (1460, 2, 5, 1, 'Black mushroom-shitake (Black mushroom-shitake 284gms )', 'Bot', '50.95', '0', '0.00%', '50.95', '0', '0.00%', '2020-03-20 14:27:03'), (1461, 2, 5, 1, 'Black olive slice (Black olive slice 330gms bot )', 'Bot', '84', '84', '0.01%', '86.55', '86.55', '0.01%', '2020-03-20 14:27:03'), (1462, 2, 5, 1, 'Black Pepper (Black Pepper 1kl/pck)', 'g', '0.97', '292.49', '0.04%', '0.73', '219', '0.02%', '2020-03-20 14:27:03'), (1463, 2, 5, 1, 'Burger Patty 225g (El RanchoBurger Patty 225g)', 'Pck', '45.1', '0', '0.00%', '45.1', '0', '0.00%', '2020-03-20 14:27:03'); INSERT INTO `eb_raw_materials` (`PK_raw_materials_id`, `FK_outlet_id`, `FK_category_id`, `status`, `material_name`, `unit`, `average_cost`, `asset_value`, `total_asset_percent`, `sales_price`, `retail_value`, `total_retail_percent`, `date_added`) VALUES (1464, 2, 5, 1, 'Burger Wrapper 100\'s (Wellfresh Hamburger Wrapper 100s/pck)', 'ea', '0.63', '0', '0.00%', '0.6275', '0', '0.00%', '2020-03-20 14:27:03'), (1465, 2, 5, 1, 'Cabbage (Cabbage - grmas)', 'g', '0.04', '0', '0.00%', '0.09095', '0', '0.00%', '2020-03-20 14:27:03'), (1466, 2, 5, 1, 'Caesar dressing (Caesar dressing )', 'g', '0.37', '0', '0.00%', '0.37', '0', '0.00%', '2020-03-20 14:27:03'), (1467, 2, 5, 1, 'Capers 340grms (Capers 340grms - bottle)', 'Bot', '138.7', '138.7', '0.02%', '141.45', '141.45', '0.01%', '2020-03-20 14:27:03'), (1468, 2, 5, 1, 'Carrots (Carrots)', 'g', '0.05', '19.4', '0.00%', '0.05', '19', '0.00%', '2020-03-20 14:27:03'), (1469, 2, 5, 1, 'Cellophane (8x14) (Cellophane (8x14))', 'Pck', '29.7', '0', '0.00%', '16.5', '0', '0.00%', '2020-03-20 14:27:03'), (1470, 2, 5, 1, 'CenturyTuna 184grms (Tuna 184grms)', 'can', '52.04', '0', '0.00%', '51.5', '0', '0.00%', '2020-03-20 14:27:03'), (1471, 2, 5, 1, 'Cheese Powder 250gms (Cheese Powder pck 250gms/pck )', 'Pck', '30.59', '13.46', '0.00%', '56.9', '25.04', '0.00%', '2020-03-20 14:27:03'), (1472, 2, 5, 1, 'Cheese Powder pck (Cheese Powder - 100gms/pck )', 'Pck', '47.14', '565.65', '0.08%', '51', '612', '0.04%', '2020-03-20 14:27:03'), (1473, 2, 5, 1, 'Cherry Tomato (Cherry Tomato)', 'g', '0.15', '0', '0.00%', '0.02', '0', '0.00%', '2020-03-20 14:27:03'), (1474, 2, 5, 1, 'Cherry Tomatoe (Cherry Tomatoe )', 'g', '0.2', '0', '0.00%', '0.15', '0', '0.00%', '2020-03-20 14:27:03'), (1475, 2, 5, 1, 'Chicharon 60g (Chicharon 60g)', 'Pck', '60', '60', '0.01%', '36', '36', '0.00%', '2020-03-20 14:27:03'), (1476, 2, 5, 1, 'Chicken Breast Fillet (Chicken Breast Fillet)', 'kls', '265', '0', '0.00%', '0', '0', '0.00%', '2020-03-20 14:27:03'), (1477, 2, 5, 1, 'Chicken cubes (Chicken cubes )', 'ea', '4.32', '2154.16', '0.29%', '5.21', '2599.79', '0.18%', '2020-03-20 14:27:03'), (1478, 2, 5, 1, 'Chicken Powder (Chicken Powder)', 'g', '0.35', '593.13', '0.08%', '0.336', '568.51', '0.04%', '2020-03-20 14:27:03'), (1479, 2, 5, 1, 'Chicken Wings (Chicken Wings)', 'kls', '139.97', '0', '0.00%', '138', '0', '0.00%', '2020-03-20 14:27:03'), (1480, 2, 5, 1, 'Chili Powder Pcks (Chili Powder Pcks 50gms )', 'Pck', '79', '0', '0.00%', '79', '0', '0.00%', '2020-03-20 14:27:03'), (1481, 2, 5, 1, 'Chip Boad (Chip Boad )', 'ea', '19', '285', '0.04%', '16', '240', '0.02%', '2020-03-20 14:27:03'), (1482, 2, 5, 1, 'Chopsoy Patis 750ml (Chopsoy Patis 750ml)', 'Bot', '26.5', '0', '0.00%', '26.5', '0', '0.00%', '2020-03-20 14:27:03'), (1483, 2, 5, 1, 'Clams (Clams kls)', 'g', '0.03', '0', '0.00%', '0.04', '0', '0.00%', '2020-03-20 14:27:03'), (1484, 2, 5, 1, 'Clara Ole Carbonara Pasta (Clara Ole Carbonara Pasta 200g)', 'Pck', '30.75', '0', '0.00%', '30.75', '0', '0.00%', '2020-03-20 14:27:03'), (1485, 2, 5, 1, 'Cl<NAME>ery 225 (Clara Ole Marinated Hickery 225)', 'Bot', '35.85', '0', '0.00%', '0', '0', '0.00%', '2020-03-20 14:27:03'), (1486, 2, 5, 1, 'Coco Milk (Coconut Mik(g))', 'g', '0.03', '90', '0.01%', '0.1', '300', '0.02%', '2020-03-20 14:27:03'), (1487, 2, 5, 1, 'Colicot (Colicot)', 'g', '0.09', '17.83', '0.00%', '0.12', '24.08', '0.00%', '2020-03-20 14:27:03'), (1488, 2, 5, 1, 'Corn Oil kls (Corn Oil kls)', 'kls', '134.96', '269.91', '0.04%', '114.71', '229.42', '0.02%', '2020-03-20 14:27:03'), (1489, 2, 5, 1, 'Corn Starch 500g/pack (Corn Starch 500g/pack )', 'Pck', '30.34', '0', '0.00%', '28.95', '0', '0.00%', '2020-03-20 14:27:03'), (1490, 2, 5, 1, 'Crepe Dough (Crepe Dough - grammage)', 'g', '0.09', '0', '0.00%', '0.09164', '0', '0.00%', '2020-03-20 14:27:03'), (1491, 2, 5, 1, 'Cucumber (Cucumber)', 'g', '0.03', '289.01', '0.04%', '0.04', '356.27', '0.02%', '2020-03-20 14:27:03'), (1492, 2, 5, 1, 'Culikot (Culikot)', 'g', '0.06', '0', '0.00%', '0.06', '0', '0.00%', '2020-03-20 14:27:03'), (1493, 2, 5, 1, 'Curry Powder - bot (Curry Powder - 539gms/bot )', 'Bot', '41.32', '0', '0.00%', '649.95', '0', '0.00%', '2020-03-20 14:27:03'), (1494, 2, 5, 1, 'Curry Powder 480grms/bot (Curry Powder (480gms/bot ))', 'Bot', '373.15', '358.22', '0.05%', '373.35', '358.42', '0.03%', '2020-03-20 14:27:03'), (1495, 2, 5, 1, 'Curry Sauce (Curry Sauce)', 'g', '0.13', '0', '0.00%', '0.12931', '0', '0.00%', '2020-03-20 14:27:03'), (1496, 2, 5, 1, 'Danes Sliced Cheese 250gs (anes Sliced Cheese 250gs)', 'ea', '65', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 14:27:03'), (1497, 2, 5, 1, 'Demi Glaze pcks (Demi Glaze pcks)', 'Pck', '506.8', '456.12', '0.06%', '446.9', '402.21', '0.03%', '2020-03-20 14:27:03'), (1498, 2, 5, 1, 'Dried fish-katambak (Dried fish-katambak)', 'g', '0.22', '0', '0.00%', '0.22', '0', '0.00%', '2020-03-20 14:27:03'), (1499, 2, 5, 1, 'Durian Jam -grams (Durian Jam -grams)', 'g', '0.32', '0', '0.00%', '0.3676', '0', '0.00%', '2020-03-20 14:27:03'), (1500, 2, 5, 1, 'Durian Jam Small (Durian Jam Small)', 'Bot', '125', '0', '0.00%', '125', '0', '0.00%', '2020-03-20 14:27:03'), (1501, 2, 5, 1, 'Eden Filled Cheese 450g (Eden Filled Cheese 450g)', 'Pck', '201.1', '0', '0.00%', '168.15', '0', '0.00%', '2020-03-20 14:27:03'), (1502, 2, 5, 1, 'Egg noodle Pcks (Egg noodle 500gms/pck )', 'Pck', '93', '0', '0.00%', '93', '0', '0.00%', '2020-03-20 14:27:03'), (1503, 2, 5, 1, 'F<NAME> (Ferna Gelatine )', 'g', '0.98', '0', '0.00%', '0.714', '0', '0.00%', '2020-03-20 14:27:03'), (1504, 2, 5, 1, 'Flag Picks (Flagl Picks )100 (Flag Picks (Flagl Picks ) 100pcs/box )', 'Pck', '57.48', '57.48', '0.01%', '52.75', '52.75', '0.00%', '2020-03-20 14:27:03'), (1505, 2, 5, 1, 'Frankfurter - packs (Frankfurter - packs)', 'ea', '301', '0', '0.00%', '301', '0', '0.00%', '2020-03-20 14:27:03'), (1506, 2, 5, 1, 'Frankfurter - pcs (Frankfurter - pcs )', 'ea', '43', '0', '0.00%', '43', '0', '0.00%', '2020-03-20 14:27:03'), (1507, 2, 5, 1, 'French Dressing (French Dressing grms )', 'g', '0.24', '0', '0.00%', '0.236', '0', '0.00%', '2020-03-20 14:27:03'), (1508, 2, 5, 1, 'Fresh Milk Conapole 1L (Fresh Milk Conapole 1L )', 'Ltr', '58', '10788', '1.45%', '58', '10788', '0.74%', '2020-03-20 14:27:03'), (1509, 2, 5, 1, 'Freshmilk-ltrs (Freshmilk 12 liters/case )', 'ea', '60', '0', '0.00%', '75', '0', '0.00%', '2020-03-20 14:27:03'), (1510, 2, 5, 1, 'Freshmilk-Nestle (Freshmilk-Nestle )', 'Pck', '86.36', '5440.85', '0.73%', '79.44167', '5004.83', '0.34%', '2020-03-20 14:27:03'), (1511, 2, 5, 1, 'Fried Garlic (Fried Garlic )', 'g', '0.27', '30.42', '0.00%', '0.5502', '61.07', '0.00%', '2020-03-20 14:27:03'), (1512, 2, 5, 1, 'Garlic (Garlic )', 'g', '0.09', '256.35', '0.04%', '0.204', '591.6', '0.04%', '2020-03-20 14:27:03'), (1513, 2, 5, 1, 'Garlic granulated (Garlic granulated 45grms/bot )', 'Bot', '71.34', '0', '0.00%', '71.35', '0', '0.00%', '2020-03-20 14:27:03'), (1514, 2, 5, 1, 'Ginger (Ginger -grams)', 'g', '0.08', '248.41', '0.03%', '0.08', '239.79', '0.02%', '2020-03-20 14:27:03'), (1515, 2, 5, 1, 'Goat cheese (Goat cheese 150grms/bar )', 'g', '1.1', '0', '0.00%', '1.26667', '0', '0.00%', '2020-03-20 14:27:03'), (1516, 2, 5, 1, 'Grapes (Grapes)', 'g', '0.41', '160.2', '0.02%', '0.21428', '83.78', '0.01%', '2020-03-20 14:27:03'), (1517, 2, 5, 1, 'Gruyere cheese (Gruyere cheese )', 'g', '1.16', '0', '0.00%', '1.19', '0', '0.00%', '2020-03-20 14:27:03'), (1518, 2, 5, 1, 'Gulaman 90gs/pck (Gulaman 90gs/pck )', 'Pck', '48.15', '0', '0.00%', '48.15', '0', '0.00%', '2020-03-20 14:27:03'), (1519, 2, 5, 1, 'GV Aswete 50g (GV Aswete 50g)', 'Pck', '26.5', '53', '0.01%', '26.5', '53', '0.00%', '2020-03-20 14:27:03'), (1520, 2, 5, 1, 'Ham (Ham - grms)', 'g', '0.21', '0', '0.00%', '0.16', '0', '0.00%', '2020-03-20 14:27:03'), (1521, 2, 5, 1, 'Heinz catshup-bot (Heinz catshup-bot)', 'Bot', '109.75', '1042.59', '0.14%', '129', '1225.5', '0.08%', '2020-03-20 14:27:03'), (1522, 2, 5, 1, 'Hickory sauce (Hickory sauce 225grms )', 'g', '0.19', '84.37', '0.01%', '0.15622', '70.3', '0.01%', '2020-03-20 14:27:03'), (1523, 2, 5, 1, 'Hoisen sauce 240gms/bot (Hoisen sauce 240gms/bot )', 'Bot', '93.75', '0', '0.00%', '93.75', '0', '0.00%', '2020-03-20 14:27:03'), (1524, 2, 5, 1, 'Honey (Honey 1 ltr)', 'Ltr', '288.22', '576.44', '0.08%', '237.65', '475.3', '0.03%', '2020-03-20 14:27:03'), (1525, 2, 5, 1, 'Hot sauce-MB-bot (Hot sauce-MB 50ml/bot )', 'Bot', '15.76', '646.21', '0.09%', '22.25', '912.25', '0.06%', '2020-03-20 14:27:03'), (1526, 2, 5, 1, 'Hungarian - pcs (Hungarian)', 'ea', '62.4', '936', '0.13%', '62.4', '936', '0.06%', '2020-03-20 14:27:03'), (1527, 2, 5, 1, 'JC Flat Lid 200/320 Trans. (C Flat Lid 200/320 Trans.)', 'ea', '1.5', '0', '0.00%', '1.5', '0', '0.00%', '2020-03-20 14:27:03'), (1528, 2, 5, 1, 'JC FLAT LID 520ML (JC FLAT LID 520ML)', 'ea', '1.9', '0', '0.00%', '1.9', '0', '0.00%', '2020-03-20 14:27:03'), (1529, 2, 5, 1, 'Joms Chili Flakes 35G (Joms Chili Flakes 35G)', 'Bot', '28.75', '0', '0.00%', '28.75', '0', '0.00%', '2020-03-20 14:27:03'), (1530, 2, 5, 1, 'Kaizer buns big (Kaizer buns big )', 'ea', '10.33', '0', '0.00%', '10.33', '0', '0.00%', '2020-03-20 14:27:03'), (1531, 2, 5, 1, 'Kewpie 210Ml (Kewpie japanese dressing 210ml )', 'Bot', '144.51', '0', '0.00%', '162.9', '0', '0.00%', '2020-03-20 14:27:03'), (1532, 2, 5, 1, 'Kewpie japanese dressing (Kewpie japanese dressing - 1ltr)', 'Bot', '470', '324.3', '0.04%', '683.65', '471.72', '0.03%', '2020-03-20 14:27:03'), (1533, 2, 5, 1, 'Kikiam 500G (Kikiam 500G)', 'Pck', '48.51', '0', '0.00%', '48.5', '0', '0.00%', '2020-03-20 14:27:03'), (1534, 2, 5, 1, 'Knorr Ginataang Gulay 45g (Knorr Ginataang Gulay 45g)', 'Pck', '26.3', '78.9', '0.01%', '26.3', '78.9', '0.01%', '2020-03-20 14:27:03'), (1535, 2, 5, 1, 'Lea & Perrins (Lea & Perrins - 300ml/bot )', 'Bot', '149.89', '0', '0.00%', '149.9', '0', '0.00%', '2020-03-20 14:27:03'), (1536, 2, 5, 1, 'Lee Kum Kee Panda Oyster Sauce (Lee Kum Kee Panda Oyster Sauce (90z))', 'Bot', '101.55', '0', '0.00%', '64.45', '0', '0.00%', '2020-03-20 14:27:03'), (1537, 2, 5, 1, 'Lemon (Lemon)', 'g', '0.02', '213.15', '0.03%', '0.03', '284.76', '0.02%', '2020-03-20 14:27:03'), (1538, 2, 5, 1, 'Lettuce-Curly (Lettuce-Curly )', 'g', '0.14', '0.01', '0.00%', '0.18', '0', '0.00%', '2020-03-20 14:27:03'), (1539, 2, 5, 1, 'Lettuce-Iceberg (Lettuce-Iceberg )', 'g', '0.13', '0', '0.00%', '0.14', '0', '0.00%', '2020-03-20 14:27:03'), (1540, 2, 5, 1, 'Lettuce-Romaine (Lettuce-Romaine )', 'g', '0.15', '793.15', '0.11%', '0.18', '956.4', '0.07%', '2020-03-20 14:27:03'), (1541, 2, 5, 1, 'Liquid seasoning-bot (Liquid seasoning 1liter )', 'Bot', '231.65', '0', '0.00%', '206.1', '0', '0.00%', '2020-03-20 14:27:03'), (1542, 2, 5, 1, 'Longganisa (10pcs/pack) (Longganisa (10pcs/pack) )', 'ea', '5', '50', '0.01%', '4', '40', '0.00%', '2020-03-20 14:27:03'), (1543, 2, 5, 1, 'Madarin Sausage (Pack) (Madarin Sausage (Pack) )', 'Pck', '141', '0', '0.00%', '141', '0', '0.00%', '2020-03-20 14:27:03'), (1544, 2, 5, 1, 'Maggi Magic Sarap 100g (Maggi Magic Sarap 100g)', 'Pck', '28.65', '0', '0.00%', '28.65', '0', '0.00%', '2020-03-20 14:27:03'), (1545, 2, 5, 1, 'Maggi Magic Sarap 8gms/sachet (Maggi Magic Sarap 8gms/sachet )', 'ea', '2.95', '0', '0.00%', '2.65833', '0', '0.00%', '2020-03-20 14:27:03'), (1546, 2, 5, 1, 'Maggi Majic Sarap Isda (Maggi Majic Sarap Isda)', 'ea', '2.61', '0', '0.00%', '2.61', '0', '0.00%', '2020-03-20 14:27:03'), (1547, 2, 5, 1, 'Magnolia Cheese Reg 470/440g (Magnolia Cheese Reg 470/440g)', 'ea', '118', '0', '0.00%', '118', '0', '0.00%', '2020-03-20 14:27:03'), (1548, 2, 5, 1, 'Magnolia Cheese Reg 950/900g (Magnolia Cheese Reg 950/900g)', 'ea', '248.2', '1489.2', '0.20%', '236.05', '1416.3', '0.10%', '2020-03-20 14:27:03'), (1549, 2, 5, 1, 'Magnolia Quickmelt Chees Spread (Magnolia Quickmelt Chees Spread 900g)', 'Pck', '335.55', '671.09', '0.09%', '342', '684', '0.05%', '2020-03-20 14:27:03'), (1550, 2, 5, 1, 'Malasugue Fish (Malasugue Fish(g))', 'g', '0.44', '870', '0.12%', '0.37981', '759.62', '0.05%', '2020-03-20 14:27:03'), (1551, 2, 5, 1, 'Mandarin Sausage (Mandarin Sausage)', 'Pck', '141', '0', '0.00%', '141', '0', '0.00%', '2020-03-20 14:27:03'), (1552, 2, 5, 1, 'Mango chutney (Mango chutney )', 'g', '0.02', '0', '0.00%', '0.0323', '0', '0.00%', '2020-03-20 14:27:03'), (1553, 2, 5, 1, 'Mango fresh (Mango fresh )', 'g', '0.08', '638.29', '0.09%', '0.11984', '904.13', '0.06%', '2020-03-20 14:27:03'), (1554, 2, 5, 1, 'Mango Jam 340grms (Mango Jam 340grms)', 'Bot', '106.21', '0', '0.00%', '111.45', '0', '0.00%', '2020-03-20 14:27:03'), (1555, 2, 5, 1, 'Mango Jam Clara Ole 320grms (Mango Jam Clara Ole 320grms)', 'Bot', '92.7', '0', '0.00%', '92.7', '0', '0.00%', '2020-03-20 14:27:03'), (1556, 2, 5, 1, 'Maria clara-wine (Maria clara-wine 750ml )', 'Bot', '156.97', '136.56', '0.02%', '156.95', '136.55', '0.01%', '2020-03-20 14:27:03'), (1557, 2, 5, 1, 'Mayonaie (Mayonaise )', 'kls', '117.07', '0', '0.00%', '106.43', '0', '0.00%', '2020-03-20 14:27:03'), (1558, 2, 5, 1, 'Mayonnaise-homemade (Mayonnaise-homemade )', 'g', '0.11', '0', '0.00%', '0.10621', '0', '0.00%', '2020-03-20 14:27:03'), (1559, 2, 5, 1, 'Mixed vegetable (Mixed vegetable )', 'g', '0.14', '260.4', '0.04%', '0.126', '226.8', '0.02%', '2020-03-20 14:27:03'), (1560, 2, 5, 1, 'Mushroom shitake 198gm (Mushroom shitake 198gms )', 'can', '30.94', '0', '0.00%', '36', '0', '0.00%', '2020-03-20 14:27:03'), (1561, 2, 5, 1, 'Mushroom shitake 284gm Golden C (Mushroom shitake 284gm Golden Champ)', 'can', '36', '0', '0.00%', '36', '0', '0.00%', '2020-03-20 14:27:03'), (1562, 2, 5, 1, 'Mushroom sliced 400gms (Mushroom sliced - 400gms/can )', 'ea', '46.75', '0', '0.00%', '49.1', '0', '0.00%', '2020-03-20 14:27:03'), (1563, 2, 5, 1, 'Mustard (Mustard )', 'g', '0.04', '0', '0.00%', '0.2833', '0', '0.00%', '2020-03-20 14:27:03'), (1564, 2, 5, 1, 'Oil-Sun valley kls (Oil-Sun valley )', 'kls', '44', '0', '0.00%', '58.53', '0', '0.00%', '2020-03-20 14:27:03'), (1565, 2, 5, 1, 'Olive Oil 1Ltr (dona Elena) (Olive Oil 1Ltr (dona Elena) )', 'Bot', '476.37', '428.73', '0.06%', '509.1', '458.19', '0.03%', '2020-03-20 14:27:03'), (1566, 2, 5, 1, 'Olive Oil 330ml (Olive Oil 330ml)', 'Bot', '246.45', '0', '0.00%', '165', '0', '0.00%', '2020-03-20 14:27:03'), (1567, 2, 5, 1, 'Onion (Onion)', 'g', '0.06', '178.08', '0.02%', '0.08039', '225.09', '0.02%', '2020-03-20 14:27:03'), (1568, 2, 5, 1, 'Oyster sauce-MB (Oyster sauce-MB 750ml/bot )', 'Bot', '106.59', '156.69', '0.02%', '117.8', '173.17', '0.01%', '2020-03-20 14:27:03'), (1569, 2, 5, 1, 'Oyster sauce-Panda (Oyster sauce-Panda 907ml/bot )', 'Bot', '141.6', '0', '0.00%', '172.5', '0', '0.00%', '2020-03-20 14:27:03'), (1570, 2, 5, 1, 'PA-320ML Paper Bowl (PA-320ML Paper Bowl)', 'ea', '3.35', '0', '0.00%', '0', '0', '0.00%', '2020-03-20 14:27:03'), (1571, 2, 5, 1, 'PA-520ml Paper Bowl (PA-520ml Paper Bowl)', 'ea', '3.8', '326.8', '0.04%', '3.8', '326.8', '0.02%', '2020-03-20 14:27:03'), (1572, 2, 5, 1, '<NAME> (Pancake Dough )', 'g', '0.09', '63', '0.01%', '0.09', '63', '0.00%', '2020-03-20 14:27:03'), (1573, 2, 5, 1, 'Pancit Canton Cebu 125G (Pancit Canton Cebu 125G)', 'Pck', '15.45', '0', '0.00%', '15.45', '0', '0.00%', '2020-03-20 14:27:03'), (1574, 2, 5, 1, 'Parchment Wax Paper (30sq 10yd) (Parchment Wax Paper (30sq 10yd))', 'Rlls', '69.76', '17.44', '0.00%', '69.75', '17.44', '0.00%', '2020-03-20 14:27:03'), (1575, 2, 5, 1, 'Parmesan cheese (Parmesan cheese )', 'kls', '884', '998.92', '0.14%', '1155', '1305.15', '0.09%', '2020-03-20 14:27:03'), (1576, 2, 5, 1, 'Parsley (Parsley)', 'g', '0.39', '114.88', '0.02%', '0.21', '61.2', '0.00%', '2020-03-20 14:27:03'), (1577, 2, 5, 1, 'Patatas (Patatas )', 'g', '0.06', '0', '0.00%', '0.07', '0', '0.00%', '2020-03-20 14:27:03'), (1578, 2, 5, 1, 'Patis-Rufina (Patis-Rufina )', 'Bot', '28.34', '0', '0.00%', '40.3', '0', '0.00%', '2020-03-20 14:27:03'), (1579, 2, 5, 1, 'Patis 350ML Great Value (Patis 350ML Great Value)', 'Bot', '18.6', '213.74', '0.03%', '13.25', '152.24', '0.01%', '2020-03-20 14:27:03'), (1580, 2, 5, 1, 'Pears (Pears )', 'ea', '30.38', '121.5', '0.02%', '25', '100', '0.01%', '2020-03-20 14:27:03'), (1581, 2, 5, 1, 'Pickle Relish (Pickle Relish 250grms )', 'Bot', '45.8', '45.8', '0.01%', '55.7', '55.7', '0.00%', '2020-03-20 14:27:03'), (1582, 2, 5, 1, 'Pineapple (Pineapple )', 'g', '0.04', '180', '0.02%', '0.025', '128.57', '0.01%', '2020-03-20 14:27:03'), (1583, 2, 5, 1, 'Pork Bratwurst - Pack (Pork Bratwurst - Pack)', 'Pck', '302', '0', '0.00%', '302', '0', '0.00%', '2020-03-20 14:27:03'), (1584, 2, 5, 1, 'Pork bratwurst - pcs (Pork bratwurst - pcs)', 'ea', '50.33', '0', '0.00%', '50.33', '0', '0.00%', '2020-03-20 14:27:03'), (1585, 2, 5, 1, 'Potato marble - kls (Potato marble - kls)', 'kls', '54.25', '0', '0.00%', '30', '0', '0.00%', '2020-03-20 14:27:03'), (1586, 2, 5, 1, 'Quickmelt - 440grms (Quickmelt - 440grms )', 'ea', '205', '0', '0.00%', '325.25', '0', '0.00%', '2020-03-20 14:27:03'), (1587, 2, 5, 1, 'Quickmelt Magnolia - 1.9kg (Quickmelt Magnolia - 1.9kg)', 'kls', '330.54', '0', '0.00%', '320.39167', '0', '0.00%', '2020-03-20 14:27:03'), (1588, 2, 5, 1, 'Raisin 200g/Pack (Raisin 200g/pack)', 'Pck', '50', '0', '0.00%', '50', '0', '0.00%', '2020-03-20 14:27:03'), (1589, 2, 5, 1, 'Raisin Seedlesss 200g(Raisin ) (Raisin Seedlesss 200g(Raisin ) )', 'Pck', '26.07', '0', '0.00%', '30', '0', '0.00%', '2020-03-20 14:27:03'), (1590, 2, 5, 1, 'Red onion (Red onion )', 'g', '0.07', '0', '0.00%', '0.075', '0', '0.00%', '2020-03-20 14:27:03'), (1591, 2, 5, 1, 'Rice (Rice )', 'kls', '34.18', '4019.55', '0.54%', '36.09861', '4245.2', '0.29%', '2020-03-20 14:27:03'), (1592, 2, 5, 1, 'Rice 7toner Order ni Misis (Rice 7toner Order ni Misis)', 'kls', '51.44', '0', '0.00%', '45.583', '0', '0.00%', '2020-03-20 14:27:03'), (1593, 2, 5, 1, 'Sage - bot (Sage 12grms )', 'Bot', '49.05', '0', '0.00%', '49.05', '0', '0.00%', '2020-03-20 14:27:03'), (1594, 2, 5, 1, '<NAME> (Salsa Verde )', 'g', '0.25', '0', '0.00%', '0.25', '0', '0.00%', '2020-03-20 14:27:03'), (1595, 2, 5, 1, 'Salt (Salt )', 'g', '0.03', '159.94', '0.02%', '0.03485', '160.31', '0.01%', '2020-03-20 14:27:03'), (1596, 2, 5, 1, 'San Remo Fettucini 500g (San Remo Fettucini 500g)', 'Pck', '74.95', '359.76', '0.05%', '132.1', '634.08', '0.04%', '2020-03-20 14:27:03'), (1597, 2, 5, 1, 'Sangke 25g (Sangke 25g )', 'Pck', '24', '0', '0.00%', '24', '0', '0.00%', '2020-03-20 14:27:03'), (1598, 2, 5, 1, 'Sesame oil-Mua Yu (Sesame oil-Mua Yu - 500ml )', 'Bot', '162', '145.8', '0.02%', '132', '118.8', '0.01%', '2020-03-20 14:27:03'), (1599, 2, 5, 1, 'Sesame oil-Mua Yu 2L (Sesame oil-Mua Yu 2L )', 'Bot', '0', '0', '0.00%', '0', '0', '0.00%', '2020-03-20 14:27:03'), (1600, 2, 5, 1, 'Sesame oil-Mua Yu 2L (Sesame oil-Mua Yu 2L )', 'Bot', '408', '0', '0.00%', '408', '0', '0.00%', '2020-03-20 14:27:03'), (1601, 2, 5, 1, 'Shrimp (Shrimp )', 'g', '0.29', '0', '0.00%', '0.26', '0', '0.00%', '2020-03-20 14:27:03'), (1602, 2, 5, 1, '<NAME> (Sibuyas dahon )', 'g', '0.07', '421.32', '0.06%', '0.09', '530.07', '0.04%', '2020-03-20 14:27:03'), (1603, 2, 5, 1, 'Side Dish (Side Dish )', 'g', '0.05', '0', '0.00%', '0.05', '0', '0.00%', '2020-03-20 14:27:03'), (1604, 2, 5, 1, 'Silver Swan Patis 1G (Silver Swan Patis 1G)', 'Gal', '60.41', '0', '0.00%', '109.05', '0', '0.00%', '2020-03-20 14:27:03'), (1605, 2, 5, 1, 'Silver Swan Patis 750ml (Silver Swan Patis 750ml)', 'Bot', '20.55', '0', '0.00%', '5065', '0', '0.00%', '2020-03-20 14:27:03'), (1606, 2, 5, 1, 'Silver Swan Soy Sauce (Silver Swan Soy Sauce )', 'Gal', '76.7', '0', '0.00%', '111.98', '0', '0.00%', '2020-03-20 14:27:03'), (1607, 2, 5, 1, 'Singkamas (Singkamas )', 'g', '0.04', '40.5', '0.01%', '0.03', '31.6', '0.00%', '2020-03-20 14:27:03'), (1608, 2, 5, 1, 'Smoked farmer\'s ham (Smoked farmer\'s ham )', 'Prtn', '12.45', '0', '0.00%', '12.45', '0', '0.00%', '2020-03-20 14:27:03'), (1609, 2, 5, 1, 'Smoked Pork Sausage (Smoked Pork Sausage )', 'Pck', '313', '0', '0.00%', '313', '0', '0.00%', '2020-03-20 14:27:03'), (1610, 2, 5, 1, 'Sotanghon Verminicili 100g (Sotanghon Verminicili 100g)', 'Pck', '14.8', '0', '0.00%', '14.8', '0', '0.00%', '2020-03-20 14:27:03'), (1611, 2, 5, 1, 'Soy sauce (Soy sauce )', 'g', '0.03', '0', '0.00%', '0.112', '0', '0.00%', '2020-03-20 14:27:03'), (1612, 2, 5, 1, 'Spaghetti pasta (Spaghetti pasta )', 'kls', '55.46', '124.22', '0.02%', '88', '197.12', '0.01%', '2020-03-20 14:27:03'), (1613, 2, 5, 1, 'Spaghetti pasta-Fettucinni (Spaghetti pasta-Fettucinni - 500gms/pck )', 'Pck', '67.35', '0', '0.00%', '67.35', '0', '0.00%', '2020-03-20 14:27:03'), (1614, 2, 5, 1, 'Spanish paprika (Spanish paprika - 34grms )', 'Bot', '56.4', '0', '0.00%', '56.4', '0', '0.00%', '2020-03-20 14:27:03'), (1615, 2, 5, 1, 'Spiced Ham (El Rancho Spiced Ham)', 'g', '0.2', '1216.02', '0.16%', '0.15725', '943.5', '0.07%', '2020-03-20 14:27:03'), (1616, 2, 5, 1, 'Squid Ball 500g (Squid Ball 500g)', 'Pck', '69', '0', '0.00%', '69', '0', '0.00%', '2020-03-20 14:27:03'), (1617, 2, 5, 1, 'Sriracha Lee KUm Kee Chili Sauc (Sriracha Lee KUm Kee Chili Sauce 17oz)', 'Bot', '205.76', '506.17', '0.07%', '229', '563.34', '0.04%', '2020-03-20 14:27:03'), (1618, 2, 5, 1, 'Star Anis (Star Anis (50 g) )', 'Bot', '53.26', '0', '0.00%', '53.25', '0', '0.00%', '2020-03-20 14:27:03'), (1619, 2, 5, 1, 'Star Anis(25 g) (Star Anis(25 g))', 'ea', '23.4', '0', '0.00%', '23.4', '0', '0.00%', '2020-03-20 14:27:03'), (1620, 2, 5, 1, 'Sweet chili sauce (Sweet chili sauce 340ML )', 'Bot', '35.79', '235.87', '0.03%', '35', '230.65', '0.02%', '2020-03-20 14:27:03'), (1621, 2, 5, 1, 'Tauge (Tauge)', 'g', '0.04', '0', '0.00%', '0.04', '0', '0.00%', '2020-03-20 14:27:03'), (1622, 2, 5, 1, 'Teriyaki Chicken Fillet (Teriyaki Chicken Fillet)', 'Prtn', '31.61', '0', '0.00%', '31.61', '0', '0.00%', '2020-03-20 14:27:03'), (1623, 2, 5, 1, 'Texas Cellophane 3x16 100s (Texas Cellophane 3x16 100s)', 'Pck', '29.7', '0', '0.00%', '29.7', '0', '0.00%', '2020-03-20 14:27:03'), (1624, 2, 5, 1, 'Thousand island dressing (Thousand island dressing )', 'g', '0.11', '0', '0.00%', '0.10677', '0', '0.00%', '2020-03-20 14:27:03'), (1625, 2, 5, 1, 'Tissue Coctail 40 pulls (Tissue Coctail (40 pulls) )', 'Pck', '0', '0', '0.00%', '23.75', '0', '0.00%', '2020-03-20 14:27:03'), (1626, 2, 5, 1, 'Tissue Coctail 40pulls (Tissue Coctail 40pulls)', 'Pck', '24', '168', '0.02%', '23.75', '166.25', '0.01%', '2020-03-20 14:27:03'), (1627, 2, 5, 1, 'Tissue Kitchen Folded Tissue (Tissue Kitchen Folded Tissue)', 'Pck', '32.55', '325.5', '0.04%', '77.39', '773.9', '0.05%', '2020-03-20 14:27:03'), (1628, 2, 5, 1, 'Tomato (Tomato )', 'kls', '7.83', '54', '0.01%', '35', '241.5', '0.02%', '2020-03-20 14:27:03'), (1629, 2, 5, 1, 'Tomato paste 150grms (Tomato paste 150grms)', 'Pck', '19.25', '0', '0.00%', '19.25', '0', '0.00%', '2020-03-20 14:27:03'), (1630, 2, 5, 1, 'Tomato sauce (Tomato sauce (1kl/pack) )', 'Pck', '79.8', '0', '0.00%', '57', '0', '0.00%', '2020-03-20 14:27:03'), (1631, 2, 5, 1, 'Tuna Century 1075gms (Tuna Century 1075gms)', 'can', '415.5', '0', '0.00%', '415.45', '0', '0.00%', '2020-03-20 14:27:03'), (1632, 2, 5, 1, 'Turmeric gound (Turmeric gound 30gms )', 'Bot', '51.3', '307.8', '0.04%', '51.3', '307.8', '0.02%', '2020-03-20 14:27:03'), (1633, 2, 5, 1, 'Ube jam (Ube Jam)', 'g', '0.13', '0', '0.00%', '0.12527', '0', '0.00%', '2020-03-20 14:27:03'), (1634, 2, 5, 1, 'Vinegar (Vinegar )', 'Gal', '68.8', '34.4', '0.01%', '100.85', '50.43', '0.00%', '2020-03-20 14:27:03'), (1635, 2, 5, 1, 'Watermelon (Watermelon)', 'g', '0.03', '0', '0.00%', '0.02', '0', '0.00%', '2020-03-20 14:27:03'), (1636, 2, 5, 1, 'Waxpaper (Waxpaper )', 'Rlls', '66', '0', '0.00%', '66', '0', '0.00%', '2020-03-20 14:27:03'), (1637, 2, 5, 1, 'White onion (White onion )', 'g', '0.1', '205.94', '0.03%', '0.09', '181.31', '0.01%', '2020-03-20 14:27:03'), (1638, 2, 5, 1, 'White pepper 31g (White pepper 31g )', 'Bot', '74.15', '0', '0.00%', '74.15', '0', '0.00%', '2020-03-20 14:27:03'), (1639, 2, 5, 1, 'White Squid (Squid(g))', 'g', '0.14', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-20 14:27:03'), (1640, 2, 6, 1, '10x10 cakeboard (10x10 cakeboard)', 'ea', '20', '0', '0.00%', '8', '0', '0.00%', '2020-03-20 14:28:54'), (1641, 2, 6, 1, '10x10x4 Royal Red (10x10x4 Royal Red)', 'set', '23.5', '0', '0.00%', '24', '0', '0.00%', '2020-03-20 14:28:54'), (1642, 2, 6, 1, '10x10x4 Royal Red(1) (10x10x4 Royal Red)', 'ea', '27', '0', '0.00%', '22', '0', '0.00%', '2020-03-20 14:28:54'), (1643, 2, 6, 1, '10x10x5 Box Red (10x10x5 Box Red)', 'ea', '23', '12673', '1.71%', '21', '11571', '0.79%', '2020-03-20 14:28:54'), (1644, 2, 6, 1, '10x14 cakeboard (10x14 cakeboard)', 'ea', '16', '432', '0.06%', '22', '594', '0.04%', '2020-03-20 14:28:54'), (1645, 2, 6, 1, '10x14 cakebox (10x14 cakebox )', 'ea', '27', '729', '0.10%', '25', '675', '0.05%', '2020-03-20 14:28:54'), (1646, 2, 6, 1, '12x12 cake board (12x12 cake board )', 'ea', '20', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 14:28:54'), (1647, 2, 6, 1, '12x12 cake box Red (12x12 cake box Red)', 'ea', '23', '0', '0.00%', '23', '0', '0.00%', '2020-03-20 14:28:54'), (1648, 2, 6, 1, '12x12 Styro (12x12 Styro)', 'ea', '110', '0', '0.00%', '110', '0', '0.00%', '2020-03-20 14:28:54'), (1649, 2, 6, 1, '12x16 Styro (12x16 Styro)', 'ea', '140', '0', '0.00%', '140', '0', '0.00%', '2020-03-20 14:28:54'), (1650, 2, 6, 1, '12x16x5 Box Red (12x16x5 Red)', 'ea', '31', '0', '0.00%', '27', '0', '0.00%', '2020-03-20 14:28:54'), (1651, 2, 6, 1, '14x14 Cake Box (14x14 Cake Box)', 'ea', '36', '0', '0.00%', '36', '0', '0.00%', '2020-03-20 14:28:54'), (1652, 2, 6, 1, '14x14 Cakeboard (14x14 Cakeboard)', 'ea', '33', '2574.02', '0.35%', '31', '2418', '0.17%', '2020-03-20 14:28:54'), (1653, 2, 6, 1, '14x14x5 cakebox (14x14x5 cakebox )', 'ea', '36', '1764', '0.24%', '33', '1617', '0.11%', '2020-03-20 14:28:54'), (1654, 2, 6, 1, '14X15 DEC Board (14X15 DEC Board)', 'ea', '38', '0', '0.00%', '38', '0', '0.00%', '2020-03-20 14:28:54'), (1655, 2, 6, 1, '14x18 cakeboard (14x18 cakeboard )', 'ea', '38.29', '2871.94', '0.39%', '39.22581', '2941.93575', '0.20%', '2020-03-20 14:28:54'), (1656, 2, 6, 1, '14x18 cakebox (14x18 cakebox )', 'ea', '38.76', '4380.43', '0.59%', '35', '3955', '0.27%', '2020-03-20 14:28:54'), (1657, 2, 6, 1, '16oz Plastic Cup w/lid (16oz Plastic Cup w/lid)', 'ea', '4.24', '0', '0.00%', '4.24', '0', '0.00%', '2020-03-20 14:28:54'), (1658, 2, 6, 1, '3.5 0z cups (3.5 0z cups )', 'ea', '1.6', '0', '0.00%', '1.6', '0', '0.00%', '2020-03-20 14:28:54'), (1659, 2, 6, 1, '6pk 120z/355ml (hot/cold) 6pcs/ (6pk 120z/355ml (hot/cold) 6pcs/pack )', 'ea', '13.29', '0', '0.00%', '13.29', '0', '0.00%', '2020-03-20 14:28:54'), (1660, 2, 6, 1, '7x11 Matzo Cellophane (7x11 Matzo Cellophane)', 'Pck', '200', '0', '0.00%', '200', '0', '0.00%', '2020-03-20 14:28:54'), (1661, 2, 6, 1, '7x7 Cake Box (7x7 Cake Box)', 'ea', '23', '0', '0.00%', '23', '0', '0.00%', '2020-03-20 14:28:54'), (1662, 2, 6, 1, '7x7 Round Board Silver (7x7 Round Board Silver)', 'ea', '10.5', '420', '0.06%', '10.25', '410', '0.03%', '2020-03-20 14:28:54'), (1663, 2, 6, 1, '8x12 cakeboard (8x12 cakeboard)', 'ea', '7', '0', '0.00%', '7', '0', '0.00%', '2020-03-20 14:28:54'), (1664, 2, 6, 1, '8x12 cakebox (8x12 cakebox)', 'ea', '16', '0', '0.00%', '16', '0', '0.00%', '2020-03-20 14:28:54'), (1665, 2, 6, 1, '8x12 Styro (8x12 Styro)', 'ea', '70', '0', '0.00%', '70', '0', '0.00%', '2020-03-20 14:28:54'), (1666, 2, 6, 1, 'Aluminum foil (Aluminum foil )', 'Rlls', '750', '0', '0.00%', '425', '0', '0.00%', '2020-03-20 14:28:54'), (1667, 2, 6, 1, 'Baking cups (Baking cups 2oz )', 'ea', '0.65', '0', '0.00%', '0.4', '0', '0.00%', '2020-03-20 14:28:54'), (1668, 2, 6, 1, 'Brown bag (Supot #2) (Brown bag #2)', 'ea', '0.29', '0', '0.00%', '0.28', '0', '0.00%', '2020-03-20 14:28:54'), (1669, 2, 6, 1, 'Brown Paper (21pcs/kl) (Brown Paper (21pcs/kl) (Brown Paper) )', 'ea', '0.57', '0', '0.00%', '0.57', '0', '0.00%', '2020-03-20 14:28:54'), (1670, 2, 6, 1, 'C302 burger box (C302 burger box )', 'ea', '7.07', '10407', '1.40%', '7', '10297', '0.71%', '2020-03-20 14:28:54'), (1671, 2, 6, 1, 'Clamshell (Clamshell)', 'ea', '9', '0', '0.00%', '8.33', '0', '0.00%', '2020-03-20 14:28:54'), (1672, 2, 6, 1, 'Frenchbread cellophane (Frenchbread cellophane )', 'ea', '5.45', '10690.91', '1.44%', '4.75', '9324.25', '0.64%', '2020-03-20 14:28:54'), (1673, 2, 6, 1, 'Healthy Bread Cellophane (Healthy Bread Cellophane)', 'ea', '1.2', '1680', '0.23%', '1.15', '1610', '0.11%', '2020-03-20 14:28:54'), (1674, 2, 6, 1, 'Jelly roll with handle (Jelly roll with handle )', 'ea', '23', '0', '0.00%', '23', '0', '0.00%', '2020-03-20 14:28:54'), (1675, 2, 6, 1, 'OPP cellophane (OPP cellophane )', 'kls', '234.6', '4269.72', '0.58%', '198.33884', '3609.77', '0.25%', '2020-03-20 14:28:54'), (1676, 2, 6, 1, 'Paper bowl (Paper bowl )', 'ea', '3.8', '0', '0.00%', '8.85', '0', '0.00%', '2020-03-20 14:28:54'), (1677, 2, 6, 1, 'Plastic Cellophane 3x12 ice bag (Plastic Cellophane 3x12 ice bag Texas )', 'ea', '0.3', '355.2', '0.05%', '0.18', '216', '0.02%', '2020-03-20 14:28:54'), (1678, 2, 6, 1, 'Plastic cellophane honey gold ( (Plastic cellophane honey gold (8x14 ) )', 'Pck', '14.15', '0', '0.00%', '16.5', '0', '0.00%', '2020-03-20 14:28:54'), (1679, 2, 6, 1, 'Plastic Cups Transparent (Plastic Cups Transparent Elasto (50pcs/pck) )', 'ea', '5.5', '0', '0.00%', '1.02', '0', '0.00%', '2020-03-20 14:28:54'), (1680, 2, 6, 1, 'Rippled Cup 12oz (Rippled Cup 12oz)', 'ea', '10.05', '0', '0.00%', '10.05', '0', '0.00%', '2020-03-20 14:28:54'), (1681, 2, 6, 1, 'Round Cake Board (Round Cake Board )', 'ea', '12.95', '10176.71', '1.37%', '8', '6288', '0.43%', '2020-03-20 14:28:54'), (1682, 2, 6, 1, 'Sandobag Large (Sandobag Large )', 'ea', '1.8', '2395.79', '0.32%', '1.8', '2395.8', '0.16%', '2020-03-20 14:28:54'), (1683, 2, 6, 1, 'Sandobag Medium (Sandobag Medium )', 'ea', '1.3', '15421.9', '2.08%', '1.3', '15421.9', '1.06%', '2020-03-20 14:28:54'), (1684, 2, 6, 1, 'Sandobag tiny (Sandobag tiny )', 'ea', '0.68', '8285.72', '1.12%', '0.28', '3430.28', '0.24%', '2020-03-20 14:28:54'), (1685, 2, 6, 1, 'Supot # 2 (Supot # 2 )', 'ea', '0.36', '0', '0.00%', '0.36', '0', '0.00%', '2020-03-20 14:28:54'), (1686, 2, 6, 1, 'Supot # 3 (Supot # 3 )', 'ea', '0.4', '5570.6', '0.75%', '0.4012', '5569.06', '0.38%', '2020-03-20 14:28:54'), (1687, 2, 6, 1, 'Supot # 4 (4000pcs) (Supot # 4 (4000pcs))', 'ea', '1.11', '0', '0.00%', '0.4625', '0', '0.00%', '2020-03-20 14:28:54'), (1688, 2, 6, 1, 'Supot # 6 (Supot # 6 )', 'ea', '0.77', '3847.29', '0.52%', '0.757', '3785', '0.26%', '2020-03-20 14:28:54'), (1689, 2, 6, 1, 'Supot # 8 (Supot # 8 )', 'ea', '0.88', '5593.3', '0.75%', '0.884', '5593.07', '0.38%', '2020-03-20 14:28:54'), (1690, 2, 6, 1, 'Supot #5 (3000pcs) (Supot #5 (3000pcs))', 'ea', '0.65', '3871.4', '0.52%', '0.64047', '3842.82', '0.26%', '2020-03-20 14:28:54'), (1691, 2, 6, 1, 'Take out bowl medium (Take out bowl medium )', 'ea', '4.59', '0', '0.00%', '7.5', '0', '0.00%', '2020-03-20 14:28:54'), (1692, 2, 6, 1, 'Take out box Transparent (Take out box Transparent )', 'ea', '10.25', '358.75', '0.05%', '8', '280', '0.02%', '2020-03-20 14:28:54'), (1693, 2, 6, 1, 'Take out coffee cups (Take out coffee cups )', 'ea', '10.08', '1219.77', '0.16%', '15.95', '1929.95', '0.13%', '2020-03-20 14:28:54'), (1694, 2, 6, 1, 'Take out cold cups (Take out cold cups )', 'ea', '8.24', '1622.3', '0.22%', '5.58', '1099.26', '0.08%', '2020-03-20 14:28:54'), (1695, 2, 6, 1, 'Take out fork (Take out fork )', 'ea', '0.85', '99.97', '0.01%', '0.73', '86.14', '0.01%', '2020-03-20 14:28:54'), (1696, 2, 6, 1, 'Take out sauceboat (Take out sauceboat )', 'ea', '0.6', '0', '0.00%', '0.6', '0', '0.00%', '2020-03-20 14:28:54'), (1697, 2, 6, 1, 'Take out spoon (Take out spoon )', 'ea', '0.63', '14.57', '0.00%', '0.73', '16.79', '0.00%', '2020-03-20 14:28:54'), (1698, 2, 6, 1, 'Tebow Large (Tebow Large)', 'ea', '1.6', '0', '0.00%', '1.6', '0', '0.00%', '2020-03-20 14:28:54'), (1699, 2, 6, 1, 'Toasted siopao box (Toasted siopao box )', 'ea', '14', '0', '0.00%', '14', '0', '0.00%', '2020-03-20 14:28:54'), (1700, 2, 6, 1, 'wooden spoon (Wooden Spoon)', 'ea', '0.75', '0', '0.00%', '1.5', '0', '0.00%', '2020-03-20 14:28:54'), (1701, 2, 7, 1, 'Alcation (Alsacian - portion )', 'Prtn', '389.32', '0', '0.00%', '313.1', '0', '0.00%', '2020-03-20 14:30:46'), (1702, 2, 7, 1, 'Beef Bulalo (Beef Bulalo)', 'Prtn', '198.94', '0', '0.00%', '198.94', '0', '0.00%', '2020-03-20 14:30:46'), (1703, 2, 7, 1, 'Beef Tapa (Beef Tapa)', 'Prtn', '40.87', '735.66', '0.10%', '40.87', '735.66', '0.05%', '2020-03-20 14:30:46'), (1704, 2, 7, 1, 'Beef Tocino (Beef Tocino)', 'Prtn', '24.08', '0', '0.00%', '24.3', '0', '0.00%', '2020-03-20 14:30:46'), (1705, 2, 7, 1, 'Bolognaise (100gmrs/portion) (Bolognaise (100gmrs/portion) )', 'Prtn', '21.82', '0', '0.00%', '27.8', '0', '0.00%', '2020-03-20 14:30:46'), (1706, 2, 7, 1, 'Brown Sauce (Brown Sauce (50grams/portion) )', 'Prtn', '4.84', '33.88', '0.01%', '4.57', '31.99', '0.00%', '2020-03-20 14:30:46'), (1707, 2, 7, 1, 'C.Teriyaki (Chicken Teriyaki)', 'Prtn', '33.83', '0', '0.00%', '33.83', '0', '0.00%', '2020-03-20 14:30:46'), (1708, 2, 7, 1, 'Chicken Adobo (Chicken Adobo)', 'Prtn', '12', '0', '0.00%', '12', '0', '0.00%', '2020-03-20 14:30:46'), (1709, 2, 7, 1, 'Chicken Ala King (Chicken Ala King)', 'ea', '109.8', '0', '0.00%', '109.8', '0', '0.00%', '2020-03-20 14:30:46'), (1710, 2, 7, 1, 'Chicken Curry Meat (130grms) (Chicken Curry Meat (130grms/portion) )', 'Prtn', '41.31', '867.51', '0.12%', '41.31', '867.51', '0.06%', '2020-03-20 14:30:46'), (1711, 2, 7, 1, 'Chicken Curry Sauce (Chicken Curry Sauce )', 'Prtn', '0.13', '0', '0.00%', '0.13', '0', '0.00%', '2020-03-20 14:30:46'), (1712, 2, 7, 1, 'Chicken Pastel (Chicken Pastel)', 'Prtn', '106.11', '106.11', '0.01%', '106.11', '106.11', '0.01%', '2020-03-20 14:30:46'), (1713, 2, 7, 1, 'Chicken Sisig (Chicken Sisig )', 'Prtn', '29.87', '209.11', '0.03%', '30.14', '210.98', '0.01%', '2020-03-20 14:30:46'), (1714, 2, 7, 1, 'Chicken Tandori (150gms) (Chicken Tandori (150gms/serving) )', 'Prtn', '51.05', '0', '0.00%', '71.96', '0', '0.00%', '2020-03-20 14:30:46'), (1715, 2, 7, 1, 'Chicken Tocino (Chicken Tocino )', 'Prtn', '28.6', '0', '0.00%', '35.81', '0', '0.00%', '2020-03-20 14:30:46'), (1716, 2, 7, 1, 'Chicken Wings (Chicken Wings)', 'Prtn', '26.83', '160.98', '0.02%', '26.83', '160.98', '0.01%', '2020-03-20 14:30:46'), (1717, 2, 7, 1, 'Fettucini Pasta (150grms) (Fettucini Pasta (150grms) )', 'Prtn', '67.35', '0', '0.00%', '98', '0', '0.00%', '2020-03-20 14:30:46'), (1718, 2, 7, 1, 'Fish Fillet (100g/portion) (Fish Fillet (100g/portion) )', 'Prtn', '33.77', '472.77', '0.06%', '33.77', '472.78', '0.03%', '2020-03-20 14:30:46'), (1719, 2, 7, 1, 'G<NAME> (Giant Burger Pattie )', 'Prtn', '45.5', '0', '0.00%', '45.59', '0', '0.00%', '2020-03-20 14:30:46'), (1720, 2, 7, 1, 'Gideon chicken (Gideon chicken )', 'Prtn', '55.39', '664.68', '0.09%', '55.39', '664.68', '0.05%', '2020-03-20 14:30:46'), (1721, 2, 7, 1, 'Ham (Ham - 40gmrs/portion) (Ham (Ham - 40gmrs/portion) )', 'Prtn', '12.45', '0', '0.00%', '12.45', '0', '0.00%', '2020-03-20 14:30:46'), (1722, 2, 7, 1, 'Lapoletana Sauce (50grms) (Lapoletana Sauce (50grms) )', 'Prtn', '65.45', '0', '0.00%', '65.45', '0', '0.00%', '2020-03-20 14:30:46'), (1723, 2, 7, 1, 'M.Chutney (Mango Chutney(500g))', 'g', '0.51', '0', '0.00%', '0.25928', '0', '0.00%', '2020-03-20 14:30:46'), (1724, 2, 7, 1, 'Malasugue (Malasugue )', 'g', '0.34', '0', '0.00%', '0.45', '0', '0.00%', '2020-03-20 14:30:46'), (1725, 2, 7, 1, 'Mango Chutney Portion (Mango Chutney 30grms/portion)', 'g', '15.11', '423.08', '0.06%', '15.11', '423.08', '0.03%', '2020-03-20 14:30:46'), (1726, 2, 7, 1, 'Napolitana Sauce (Napolitana Sauce)', 'ea', '6.09', '0', '0.00%', '6.09', '0', '0.00%', '2020-03-20 14:30:46'), (1727, 2, 7, 1, 'Onion soup (Onion soup )', 'ea', '34.43', '0', '0.00%', '34.43', '0', '0.00%', '2020-03-20 14:30:46'), (1728, 2, 7, 1, 'Palabok Sauce (Palabok Sauce)', 'Prtn', '14.38', '388.26', '0.05%', '14.38', '388.26', '0.03%', '2020-03-20 14:30:46'), (1729, 2, 7, 1, 'Poached Chicken (Poached Chicken )', 'Prtn', '31.6', '189.6', '0.03%', '31.6', '189.6', '0.01%', '2020-03-20 14:30:46'), (1730, 2, 7, 1, 'Pork Chop (Pork Chop )', 'Prtn', '40.42', '727.56', '0.10%', '40.42', '727.56', '0.05%', '2020-03-20 14:30:46'), (1731, 2, 7, 1, 'Pork Crackling (Pork Crackling )', 'Prtn', '103.96', '0', '0.00%', '103.96', '0', '0.00%', '2020-03-20 14:30:46'), (1732, 2, 7, 1, 'Pork Humba (Pork Humba)', 'ea', '20', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 14:30:46'), (1733, 2, 7, 1, 'Pork Ribs (Pork Ribs )', 'Prtn', '153.8', '0', '0.00%', '153.8', '0', '0.00%', '2020-03-20 14:30:46'), (1734, 2, 7, 1, 'Pork Sisig (Pork Sisig )', 'Prtn', '27.77', '527.63', '0.07%', '27.77', '527.63', '0.04%', '2020-03-20 14:30:46'), (1735, 2, 7, 1, 'Pork Tapa (Pork Tapa)', 'Prtn', '20.06', '300.9', '0.04%', '20.06', '300.9', '0.02%', '2020-03-20 14:30:46'), (1736, 2, 7, 1, 'Pork Tocino (Pork Tocino )', 'Prtn', '23.12', '0', '0.00%', '23.12', '0', '0.00%', '2020-03-20 14:30:46'), (1737, 2, 7, 1, 'Pumpkin Soup 250gms/portion (Pumpkin Soup 250gms/portion )', 'Prtn', '20.46', '163.68', '0.02%', '20.46', '163.68', '0.01%', '2020-03-20 14:30:46'), (1738, 2, 7, 1, 'Rib Eye (Rib Eye )', 'Prtn', '153.05', '0', '0.00%', '159.19', '0', '0.00%', '2020-03-20 14:30:46'), (1739, 2, 7, 1, 'Seafood (20grms/portion) (Seafood (20grms/portion) )', 'Prtn', '11.1', '0', '0.00%', '11.1', '0', '0.00%', '2020-03-20 14:30:46'), (1740, 2, 7, 1, 'Sesame Chicken (Sesame Chicken )', 'Prtn', '9.28', '0', '0.00%', '9.28', '0', '0.00%', '2020-03-20 14:30:46'), (1741, 2, 7, 1, 'Small Burger Pattie (80gms/port (Small Burger Pattie (80gms/portion) )', 'Prtn', '56.65', '1642.85', '0.22%', '56.65', '1642.85', '0.11%', '2020-03-20 14:30:46'), (1742, 2, 7, 1, 'Spaghetti Pasta (40g) cooked (Spaghetti Pasta (40g) cooked )', 'Prtn', '16.59', '0', '0.00%', '16.59', '0', '0.00%', '2020-03-20 14:30:46'), (1743, 2, 7, 1, 'Tomato soup (Tomato soup )', 'Prtn', '16.42', '0', '0.00%', '16.42', '0', '0.00%', '2020-03-20 14:30:46'), (1744, 2, 8, 1, 'Banana Muffins - MIX (BBanana Muffins - MIX)', 'Mix', '328.9', '16773.9', '2.26%', '328.9', '16773.9', '1.15%', '2020-03-20 14:32:42'), (1745, 2, 8, 1, 'Banana Premix (Banana Premix - 2.5kls)', 'kls', '43.18', '0', '0.00%', '43.18', '0', '0.00%', '2020-03-20 14:32:42'), (1746, 2, 8, 1, 'Buko Bibingka Mix (Buko Bibingka Mix)', 'Mix', '173.09', '5019.61', '0.68%', '151.7', '4399.3', '0.30%', '2020-03-20 14:32:42'), (1747, 2, 8, 1, 'Cheese filling Kls (Cheese filling Kls)', 'kls', '96.64', '0', '0.00%', '96.64', '0', '0.00%', '2020-03-20 14:32:42'), (1748, 2, 8, 1, 'Cheese filling Mix (Cheese filling Mix (Cheese filling 8kls) )', 'Mix', '798.24', '4254.62', '0.57%', '798.24', '4254.62', '0.29%', '2020-03-20 14:32:42'), (1749, 2, 8, 1, 'CheeseLoaf kls (CheeseLoaf kls)', 'kls', '75.42', '15385.68', '2.07%', '75.42', '15385.68', '1.05%', '2020-03-20 14:32:42'), (1750, 2, 8, 1, 'Choco Filling kls (Choco Filling kls)', 'kls', '95.9', '0', '0.00%', '95.89', '0', '0.00%', '2020-03-20 14:32:42'), (1751, 2, 8, 1, 'Choco Lanay Filling (Choco Lanay Filling )', 'kls', '83.5', '100.2', '0.01%', '83.5', '100.2', '0.01%', '2020-03-20 14:32:42'), (1752, 2, 8, 1, 'Cinnamon Filling (Cinnamon Filling kls)', 'Mix', '557.51', '5006.44', '0.68%', '557.51', '5006.44', '0.34%', '2020-03-20 14:32:42'), (1753, 2, 8, 1, 'Cinnamon with Sugar Filling (Cinnamon with Sugar Filling )', 'kls', '57.3', '28.65', '0.00%', '57.27', '28.64', '0.00%', '2020-03-20 14:32:42'), (1754, 2, 8, 1, 'Coco Fruit -Mix (filling) (Coco Fruit Filling -mix 4.850kls )', 'Mix', '478.47', '0', '0.00%', '553.25', '0', '0.00%', '2020-03-20 14:32:42'), (1755, 2, 8, 1, 'Coco Fruit Filling -kls (Coco Fruit Filling -kls)', 'kls', '65.69', '0', '0.00%', '103.09', '0', '0.00%', '2020-03-20 14:32:42'), (1756, 2, 8, 1, 'Coco Fruit Filling -Mix (Coco Fruit Filling -Mix)', 'Mix', '550.37', '4127.77', '0.56%', '550.37', '4127.78', '0.28%', '2020-03-20 14:32:42'), (1757, 2, 8, 1, 'Ensaymada kls (Ensaymada kls )', 'kls', '87.16', '0', '0.00%', '87.16', '0', '0.00%', '2020-03-20 14:32:42'), (1758, 2, 8, 1, 'Fino pandesal kls (Fino pandesal kls)', 'kls', '77.59', '0', '0.00%', '77.59', '0', '0.00%', '2020-03-20 14:32:42'), (1759, 2, 8, 1, 'French Bread plain-kls (French Bread Plain-Premixes)', 'kls', '72.12', '6058.08', '0.82%', '72.12', '6058.08', '0.42%', '2020-03-20 14:32:42'), (1760, 2, 8, 1, 'Frenchbread W.wheat kls (Frenchbread W.wheat premix )', 'kls', '76.57', '6738.16', '0.91%', '76.57', '6738.16', '0.46%', '2020-03-20 14:32:42'), (1761, 2, 8, 1, 'Fruit John Filling (Fruit <NAME>)', 'g', '0.1', '0', '0.00%', '0.1', '0', '0.00%', '2020-03-20 14:32:42'), (1762, 2, 8, 1, 'Marjorie filling (Marjorie filling )', 'g', '0.21', '0', '0.00%', '0.22186', '0', '0.00%', '2020-03-20 14:32:42'), (1763, 2, 8, 1, 'Marjorie filling Kls (Marjorie filling (Marjorie filling ) )', 'kls', '220.4', '8573.56', '1.16%', '220.4', '8573.56', '0.59%', '2020-03-20 14:32:42'), (1764, 2, 8, 1, 'Monay premix (Monay premix/kl)', 'kls', '70.22', '5687.82', '0.77%', '70.22', '5687.82', '0.39%', '2020-03-20 14:32:42'), (1765, 2, 8, 1, 'Pilipit premix - kls (Pilipit premix - kls)', 'kls', '70.93', '42203.35', '5.69%', '70.93', '42203.35', '2.89%', '2020-03-20 14:32:42'), (1766, 2, 8, 1, 'Putok premix (Putok premix )', 'kls', '76.64', '2299.2', '0.31%', '76.64', '2299.2', '0.16%', '2020-03-20 14:32:42'), (1767, 2, 8, 1, 'Strussels-kls (Strussels )', 'kls', '179.93', '251.9', '0.03%', '237.61', '332.65', '0.02%', '2020-03-20 14:32:42'), (1768, 2, 8, 1, 'Strussels-Mix (Strussels-Mix)', 'Mix', '179.93', '359.86', '0.05%', '179.93', '359.86', '0.03%', '2020-03-20 14:32:42'), (1769, 2, 8, 1, 'Sweetdough (Sweetdough )', 'kls', '71.84', '55316.8', '7.46%', '71.84', '55316.8', '3.79%', '2020-03-20 14:32:42'), (1770, 2, 8, 1, 'Sweetdough (ingredient w/o Flou (Sweetdough (ingredient w/o Flour ) )', 'g', '0.05', '0', '0.00%', '0.05', '0', '0.00%', '2020-03-20 14:32:42'), (1771, 2, 8, 1, 'Whole wheat premix (Whole wheat premix )', 'kls', '63.11', '2840.1', '0.38%', '63.11', '2839.95', '0.19%', '2020-03-20 14:32:42'), (1772, 2, 9, 1, 'Alaska Evap (Alaska Evaporated Milk(370 ml))', 'can', '38.18', '613.17', '0.08%', '37.482', '601.96', '0.04%', '2020-03-20 14:34:39'), (1773, 2, 9, 1, 'All purpose flour (All purpose flour )', 'kls', '0.52', '1046.52', '0.14%', '37.944', '76836.6', '5.26%', '2020-03-20 14:34:39'), (1774, 2, 9, 1, 'B.O.S (B.O.S)', 'g', '0.18', '763.15', '0.10%', '0.17748', '763.16', '0.05%', '2020-03-20 14:34:39'), (1775, 2, 9, 1, 'Baking Powder-Grms (Baking Powder - grammage)', 'g', '0.11', '516.13', '0.07%', '0.11634', '535.16', '0.04%', '2020-03-20 14:34:39'), (1776, 2, 9, 1, 'Baking Soda (Baking Soda - grammage)', 'g', '0.04', '110.66', '0.02%', '0.04', '124', '0.01%', '2020-03-20 14:34:39'), (1777, 2, 9, 1, 'Banana fresh (Banana fresh - Lacatan )', 'kls', '35', '8785', '1.18%', '35', '8785', '0.60%', '2020-03-20 14:34:39'), (1778, 2, 9, 1, 'Blueberry (Blueberry 595 gms )', 'can', '211.14', '0', '0.00%', '220.38', '0', '0.00%', '2020-03-20 14:34:39'), (1779, 2, 9, 1, 'Bread Crumbs (Bread Crumbs)', 'kls', '59.11', '7370.63', '0.99%', '61.2', '7631.64', '0.52%', '2020-03-20 14:34:39'), (1780, 2, 9, 1, 'Bread Impover (Bread Impover)', 'g', '0.08', '81.58', '0.01%', '0.07', '70', '0.01%', '2020-03-20 14:34:39'), (1781, 2, 9, 1, 'Brown Sugar (Brown Sugar)', 'g', '0.04', '6172.45', '0.83%', '0.03672', '6172.63', '0.42%', '2020-03-20 14:34:39'), (1782, 2, 9, 1, 'Building board (Building board )', 'ea', '25', '150', '0.02%', '25', '150', '0.01%', '2020-03-20 14:34:39'), (1783, 2, 9, 1, 'Buko Fresh (Buko Fresh grammage)', 'g', '0.12', '480', '0.07%', '0.12', '480', '0.03%', '2020-03-20 14:34:39'), (1784, 2, 9, 1, 'Butter Cup (Butter Cup per bar)', 'ea', '43.52', '2045.42', '0.28%', '36.34797', '1708.35', '0.12%', '2020-03-20 14:34:39'), (1785, 2, 9, 1, 'Butter Milk (Butter Milk)', 'g', '0.23', '0', '0.00%', '0.12', '0', '0.00%', '2020-03-20 14:34:39'), (1786, 2, 9, 1, 'Butter Unsalted 5kg/bar (Butter Unsalted 5kg/bar)', 'g', '0.5', '45.27', '0.01%', '0.503', '45.27', '0.00%', '2020-03-20 14:34:39'), (1787, 2, 9, 1, 'Cake Flour - kls (Cake Flour - kls )', 'kls', '40.8', '771.12', '0.10%', '46.15533', '872.34', '0.06%', '2020-03-20 14:34:39'), (1788, 2, 9, 1, 'Cherries w/Stem (Cherries with stem 1050ml/bot )', 'Bot', '318.3', '1139.51', '0.15%', '310.9', '1113.02', '0.08%', '2020-03-20 14:34:39'), (1789, 2, 9, 1, 'Choco Glaze (Chocolate Glaze)', 'g', '0.3', '14172.55', '1.91%', '0.272', '12648', '0.87%', '2020-03-20 14:34:39'), (1790, 2, 9, 1, 'Chocolate (green - 5 (Semi Sweet Chocolate (green - 500g) )', 'g', '0.17', '0', '0.00%', '0.28', '0', '0.00%', '2020-03-20 14:34:39'), (1791, 2, 9, 1, 'Chocolate (white) (Chocolate (white) )', 'g', '0.24', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-20 14:34:39'), (1792, 2, 9, 1, 'Cinnamon Powder (1kl/pck) (Cinnamon Powder (1kl/pck) )', 'g', '0.35', '245.05', '0.03%', '0.2856', '202.78', '0.01%', '2020-03-20 14:34:39'), (1793, 2, 9, 1, 'Cocoa (Cocoa)', 'g', '0.31', '3473.38', '0.47%', '0.31012', '3473.34', '0.24%', '2020-03-20 14:34:39'), (1794, 2, 9, 1, 'Comstock Blue Berry Patch Straw (Comstock Blue Berry Patch Strawberry (595gms) )', 'Bot', '220.3', '0', '0.00%', '220.38', '0', '0.00%', '2020-03-20 14:34:39'), (1795, 2, 9, 1, 'Condense Milk 380ml (Condense Milk 300ml )', 'can', '53.74', '5562.34', '0.75%', '52.426', '5426.09', '0.37%', '2020-03-20 14:34:39'), (1796, 2, 9, 1, 'Cranberries (Cranberries 100gms/pck )', 'Pck', '30.15', '108.24', '0.02%', '29.3', '105.19', '0.01%', '2020-03-20 14:34:39'), (1797, 2, 9, 1, 'Cream cheese- Magnolia (bar) (Cream cheese- Magnolia (bar) )', 'ea', '390', '0', '0.00%', '394.225', '0', '0.00%', '2020-03-20 14:34:39'), (1798, 2, 9, 1, 'Cream cheese-Swiss Valley (Cream cheese-Swiss Valley - bars )', 'ea', '463.67', '0', '0.00%', '485.88', '0', '0.00%', '2020-03-20 14:34:39'), (1799, 2, 9, 1, 'Cream of Tarter (Cream of Tarter grams)', 'g', '0.29', '0', '0.00%', '0.37', '0', '0.00%', '2020-03-20 14:34:39'), (1800, 2, 9, 1, 'Creamfil vanilla -grams (Creamfil vanilla -grams)', 'g', '0.17', '17334', '2.34%', '0.177', '17700', '1.21%', '2020-03-20 14:34:39'), (1801, 2, 9, 1, '<NAME> (Dahon Saging grms)', 'g', '0.02', '298.62', '0.04%', '0.01588', '214.38', '0.02%', '2020-03-20 14:34:39'), (1802, 2, 9, 1, 'Desc.Coconut (120) (Dessicated coconut 120/kls - grams )', 'g', '0.15', '0', '0.00%', '0.12', '0', '0.00%', '2020-03-20 14:34:39'), (1803, 2, 9, 1, 'Dessicated coconut (Dessicated coconut )', 'g', '0.15', '1285.33', '0.17%', '0.07084', '595.06', '0.04%', '2020-03-20 14:34:39'), (1804, 2, 9, 1, 'Diamond Glaze 5kls /Pail (Diamond Glaze 5kls /Pail )', 'kls', '246.71', '0', '0.00%', '235.33', '0', '0.00%', '2020-03-20 14:34:39'), (1805, 2, 9, 1, 'Dole Pineapple Crushed 234g (Dole Pineapple Crushed 234g)', 'ea', '24.17', '0', '0.00%', '24.17', '0', '0.00%', '2020-03-20 14:34:39'), (1806, 2, 9, 1, 'Dole Pineapple Tidbits 439/432g (Dole Pineapple Tidbits 439/432g)', 'ea', '24.5', '0', '0.00%', '44.4', '0', '0.00%', '2020-03-20 14:34:39'), (1807, 2, 9, 1, 'Egg yellow (Egg yellow 500gms/pck )', 'Pck', '81.6', '97.92', '0.01%', '81.6', '97.92', '0.01%', '2020-03-20 14:34:39'), (1808, 2, 9, 1, 'Eggs - pc (Eggs in pcs (30pcs/tray))', 'ea', '5.67', '37753', '5.09%', '5.4', '35931.6', '2.46%', '2020-03-20 14:34:39'), (1809, 2, 9, 1, 'Filled cheese-grms (Filled cheese )', 'g', '0.24', '65171.7', '8.79%', '0.21465', '58084.29', '3.98%', '2020-03-20 14:34:39'), (1810, 2, 9, 1, 'First class flour-grms (First class flour - grms )', 'g', '0.03', '6671.24', '0.90%', '0.03335', '6670', '0.46%', '2020-03-20 14:34:39'), (1811, 2, 9, 1, 'Freshmilk-Pure milk (Freshmilk- (Freshmilk-Pure milk (Freshmilk- Pure milk ) )', 'Pck', '60', '0', '0.00%', '62', '0', '0.00%', '2020-03-20 14:34:39'), (1812, 2, 9, 1, 'Glassin Paper (Glassin Paper )', 'ea', '1.57', '677.02', '0.09%', '1.53', '659.43', '0.05%', '2020-03-20 14:34:39'), (1813, 2, 9, 1, 'Glaze Fruit (Glaze Fruit (KG))', 'g', '0.29', '0', '0.00%', '0.2856', '0', '0.00%', '2020-03-20 14:34:39'), (1814, 2, 9, 1, 'Hotdog (Hotdog )', 'g', '0.09', '0', '0.00%', '0.0925', '0', '0.00%', '2020-03-20 14:34:39'), (1815, 2, 9, 1, 'Lard (Lard )', 'g', '0.09', '3699.25', '0.50%', '0.11917', '5064.73', '0.35%', '2020-03-20 14:34:39'), (1816, 2, 9, 1, 'Macapuno Meat (Macapuno Jam)', 'g', '0.2', '6036.33', '0.81%', '0.2', '6040', '0.41%', '2020-03-20 14:34:39'), (1817, 2, 9, 1, 'Margarine (45kls/pail) (Margarine (45kls/pail) )', 'g', '0.08', '587.54', '0.08%', '0.0816', '587.52', '0.04%', '2020-03-20 14:34:39'), (1818, 2, 9, 1, 'Mayonnaise (Mayonnaise )', 'g', '0.12', '2373.19', '0.32%', '0.11707', '2375.35', '0.16%', '2020-03-20 14:34:39'), (1819, 2, 9, 1, 'Micram (Micram )', 'g', '0.21', '0', '0.00%', '0.21', '0', '0.00%', '2020-03-20 14:34:39'), (1820, 2, 9, 1, 'Mix rye flour (Mix rye flour )', 'g', '0.24', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-20 14:34:39'), (1821, 2, 9, 1, 'Mollases (Mollases )', 'g', '0.07', '428.18', '0.06%', '0.0625', '361.56', '0.03%', '2020-03-20 14:34:39'), (1822, 2, 9, 1, 'Mollases (4ltrs/GAL) (Mollases 4ltrs/Gal )', 'Gal', '250', '0', '0.00%', '250', '0', '0.00%', '2020-03-20 14:34:39'), (1823, 2, 9, 1, 'Monggo paste (Monggo paste )', 'g', '0.11', '649', '0.09%', '0.1122', '661.98', '0.05%', '2020-03-20 14:34:39'), (1824, 2, 9, 1, 'Oatmeal (Oatmeal )', 'g', '0.1', '0', '0.00%', '0.12338', '0', '0.00%', '2020-03-20 14:34:39'), (1825, 2, 9, 1, 'Pauls Milk (1ltrx12) (Pure Milk 1 Lit. 12\'s)', 'Ltr', '62', '0', '0.00%', '55', '0', '0.00%', '2020-03-20 14:34:39'), (1826, 2, 9, 1, 'Peanut (Peanut )', 'kls', '85.68', '642.6', '0.09%', '112.2', '841.5', '0.06%', '2020-03-20 14:34:39'), (1827, 2, 9, 1, 'Pineapple crushed- 567gms/can (Pineapple crushed 567gms/can )', 'can', '54.9', '0', '0.00%', '51.2', '0', '0.00%', '2020-03-20 14:34:39'), (1828, 2, 9, 1, 'Pineapple crushed - 227gms (Pineapple crushed - 227gms)', 'can', '24.02', '3025.91', '0.41%', '23.7', '2986.2', '0.20%', '2020-03-20 14:34:39'), (1829, 2, 9, 1, 'Pineapple crushed - 439gms (Pineapple crushed - 439gms)', 'can', '40.58', '81.16', '0.01%', '42.55', '85.1', '0.01%', '2020-03-20 14:34:39'); INSERT INTO `eb_raw_materials` (`PK_raw_materials_id`, `FK_outlet_id`, `FK_category_id`, `status`, `material_name`, `unit`, `average_cost`, `asset_value`, `total_asset_percent`, `sales_price`, `retail_value`, `total_retail_percent`, `date_added`) VALUES (1830, 2, 9, 1, 'Powder sugar (Powder Sugar)', 'g', '0.1', '2224.41', '0.30%', '0.10251', '2224.467', '0.15%', '2020-03-20 14:34:39'), (1831, 2, 9, 1, 'Powdered Milk (Powdered Milk )', 'kls', '110.22', '143.29', '0.02%', '108', '140.4', '0.01%', '2020-03-20 14:34:39'), (1832, 2, 9, 1, 'Quacker Oats (400g) (Quacker Oats (400g) )', 'g', '0.11', '0', '0.00%', '0.05', '0', '0.00%', '2020-03-20 14:34:39'), (1833, 2, 9, 1, 'Quaker Oats 800g (Quaker Oats 800g )', 'Pck', '97.7', '0', '0.00%', '97.7', '0', '0.00%', '2020-03-20 14:34:39'), (1834, 2, 9, 1, 'Raisin (Raisin )', 'g', '0.17', '0', '0.00%', '0.2365', '0', '0.00%', '2020-03-20 14:34:39'), (1835, 2, 9, 1, 'Semi Sweet Chocolate (black - 5 (Semi Sweet Chocolate (black - 500g) )', 'g', '0.24', '0', '0.00%', '0.48', '0', '0.00%', '2020-03-20 14:34:39'), (1836, 2, 9, 1, 'Sesame seeds (Sesame seeds)', 'g', '0.16', '404.58', '0.06%', '0.195', '483.41', '0.03%', '2020-03-20 14:34:39'), (1837, 2, 9, 1, 'Sugar syrup (Sugar syrup)', 'g', '0.06', '0', '0.00%', '0.02617', '0', '0.00%', '2020-03-20 14:34:39'), (1838, 2, 9, 1, 'Super syrup (Super syrup)', 'kls', '71.81', '5395.38', '0.73%', '64.26', '4827.85', '0.33%', '2020-03-20 14:34:39'), (1839, 2, 9, 1, 'Tanduay (Tanduay Rhum)', 'g', '0.12', '43.35', '0.01%', '0.22032', '82.62', '0.01%', '2020-03-20 14:34:39'), (1840, 2, 9, 1, 'Tanduay per Bott (Tanduay Rhumper Bottle )', 'Bot', '82.93', '0', '0.00%', '81', '0', '0.00%', '2020-03-20 14:34:39'), (1841, 2, 9, 1, 'Third class flour (Third class flour)', 'g', '0.05', '0', '0.00%', '0.0276', '0', '0.00%', '2020-03-20 14:34:39'), (1842, 2, 9, 1, 'Ube F (Ube flavor)', 'g', '0.46', '376.38', '0.05%', '0.45', '369', '0.03%', '2020-03-20 14:34:39'), (1843, 2, 9, 1, 'Ube Paste (Ube Paste )', 'g', '0.11', '1660.58', '0.22%', '0.1122', '1660.56', '0.11%', '2020-03-20 14:34:39'), (1844, 2, 9, 1, 'Ube Powder (Ube Powder)', 'g', '0.28', '0', '0.00%', '0.27236', '0', '0.00%', '2020-03-20 14:34:39'), (1845, 2, 9, 1, 'Unsweetend Chocolate (brown - 5 (Unsweetened Chocolate (brown - 500g) )', 'g', '0.2', '0', '0.00%', '0.2', '0', '0.00%', '2020-03-20 14:34:39'), (1846, 2, 9, 1, 'Vanilla (Vanilla )', 'Bot', '0.18', '4425', '0.60%', '26.25', '656250', '44.91%', '2020-03-20 14:34:39'), (1847, 2, 9, 1, 'Vanilla(Gallon) (Vanilla (Gallon))', 'g', '0.03', '167.83', '0.02%', '0.02964', '150.72', '0.01%', '2020-03-20 14:34:39'), (1848, 2, 9, 1, 'Vegatable oil (Vegatable oil )', 'g', '0.06', '25167.09', '3.39%', '0.07', '30380', '2.08%', '2020-03-20 14:34:39'), (1849, 2, 9, 1, 'Water (Water (Gal))', 'Gal', '30.67', '460', '0.06%', '30', '450', '0.03%', '2020-03-20 14:34:39'), (1850, 2, 9, 1, 'Whip cream (Whip cream (4.5kls/pail ) )', 'kls', '208.89', '6579.99', '0.89%', '213.33', '6719.9', '0.46%', '2020-03-20 14:34:39'), (1851, 2, 9, 1, 'Whipping cream (Whipping cream )', 'g', '0.21', '0', '0.00%', '0.272', '0', '0.00%', '2020-03-20 14:34:39'), (1852, 2, 9, 1, 'White sugar (White sugar )', 'g', '0.08', '13186.65', '1.78%', '0.05059', '8671.13', '0.59%', '2020-03-20 14:34:39'), (1853, 2, 9, 1, 'WholeWheat Flour (WholeWheat Flour)', 'g', '0.05', '0', '0.00%', '0.05', '0', '0.00%', '2020-03-20 14:34:39'), (1854, 2, 9, 1, 'Yeast-Angel (Yeast-Angel )', 'g', '0.22', '8202.3', '1.11%', '0.2142', '7829.01', '0.54%', '2020-03-20 14:34:39'), (1855, 2, 11, 1, 'MX3 Capsule (MX3 Capsule)', 'Pck', '907.2', '0', '0.00%', '1008', '0', '0.00%', '2020-03-20 14:36:11'), (1856, 2, 11, 1, 'MX3 Coffee (MX3 Coffee.New)', 'ea', '0', '0', '0.00%', '159', '795', '0.05%', '2020-03-20 14:36:11'), (1857, 2, 12, 1, 'Organica Big (Organica Big)', '', '120', '600', '0.08%', '159.59', '797.95', '0.06%', '2020-03-20 14:38:52'), (1858, 2, 12, 1, 'Organica Small (Organica Small)', '', '49.95', '1498.5', '0.20%', '57', '1710', '0.12%', '2020-03-20 14:38:52'), (1859, 2, 10, 1, 'Assorted Cookies (Assorted Cookies )', 'ea', '3.86', '0', '0.00%', '3.86', '0', '0.00%', '2020-03-20 14:43:16'), (1860, 2, 10, 1, 'Bagumbayan (Bagumbayan)', 'ea', '5.85', '0', '0.00%', '5.85', '0', '0.00%', '2020-03-20 14:43:16'), (1861, 2, 10, 1, 'banana catsup(1 Gal) (Banana Catsup (Gal))', 'g', '0.02', '1.52', '0.00%', '0.0218', '1.7', '0.00%', '2020-03-20 14:43:16'), (1862, 2, 10, 1, 'Banana Catsup(Sachet) (Banana Catsup(Sachet))', 'ea', '0.82', '0', '0.00%', '0.7875', '0', '0.00%', '2020-03-20 14:43:16'), (1863, 2, 10, 1, 'Banana Muffins (Banana Muffins )', 'ea', '4.5', '0', '0.00%', '4.5', '0', '0.00%', '2020-03-20 14:43:16'), (1864, 2, 10, 1, 'Bavarian Loaf (Bavarian Loaf)', 'ea', '21.61', '64.83', '0.01%', '21.61', '64.83', '0.00%', '2020-03-20 14:43:16'), (1865, 2, 10, 1, 'Big Bibingka (Big Bibingka )', 'ea', '16.13', '16.13', '0.00%', '16.13', '16.13', '0.00%', '2020-03-20 14:43:16'), (1866, 2, 10, 1, 'Binangkal (Binangkal )', 'ea', '4.48', '3248', '0.44%', '4.48', '3248', '0.22%', '2020-03-20 14:43:16'), (1867, 2, 10, 1, 'Breaded Bacon Loaf (Breaded Bacon Loaf)', 'ea', '23.72', '0', '0.00%', '23.72', '0', '0.00%', '2020-03-20 14:43:16'), (1868, 2, 10, 1, 'Buko Bibingka (Buko Bibingka )', 'ea', '12.3', '0', '0.00%', '12.3', '0', '0.00%', '2020-03-20 14:43:16'), (1869, 2, 10, 1, 'Catsup (Tita Frita 1Gal) (Catsup (Tita Frita 1Gal) )', 'g', '0.02', '0', '0.00%', '83.55', '0', '0.00%', '2020-03-20 14:43:16'), (1870, 2, 10, 1, 'Catsup pc (Catsup pc)', 'ea', '0.83', '0', '0.00%', '0.79', '0', '0.00%', '2020-03-20 14:43:16'), (1871, 2, 10, 1, 'CBL (CBL)', 'ea', '27.02', '1972.46', '0.27%', '27.02', '1972.46', '0.14%', '2020-03-20 14:43:16'), (1872, 2, 10, 1, 'Cheese Bread (Cheese Bread )', 'ea', '6.21', '37.26', '0.01%', '6.21', '37.26', '0.00%', '2020-03-20 14:43:16'), (1873, 2, 10, 1, 'Cheese Cross Buns x8 (Cheese Cross Buns x8 )', 'ea', '29.52', '0', '0.00%', '29.51', '0', '0.00%', '2020-03-20 14:43:16'), (1874, 2, 10, 1, 'Cheese Monay (Cheese Monay )', 'ea', '2.46', '0', '0.00%', '2.46', '0', '0.00%', '2020-03-20 14:43:16'), (1875, 2, 10, 1, 'Chiffon Big (Chiffon Big )', 'ea', '109.71', '0', '0.00%', '109.71', '0', '0.00%', '2020-03-20 14:43:16'), (1876, 2, 10, 1, 'Chiffon Small (Chiffon Small )', 'ea', '67.54', '270.16', '0.04%', '67.54', '270.16', '0.02%', '2020-03-20 14:43:16'), (1877, 2, 10, 1, 'Chiffon Xsmal (Chiffon Xsmal)', 'ea', '30.53', '0', '0.00%', '30.53', '0', '0.00%', '2020-03-20 14:43:16'), (1878, 2, 10, 1, 'Chinese Hopia (Chinese Hopia )', 'ea', '6.1', '225.7', '0.03%', '6.1', '225.7', '0.02%', '2020-03-20 14:43:16'), (1879, 2, 10, 1, 'Choco Crinkles (Choco Crinkles )', 'ea', '6.35', '0', '0.00%', '6.35', '0', '0.00%', '2020-03-20 14:43:16'), (1880, 2, 10, 1, 'Choco Flowing (Choco Flowing )', 'ea', '5.51', '0', '0.00%', '5.51', '0', '0.00%', '2020-03-20 14:43:16'), (1881, 2, 10, 1, 'Ciabatta (Ciabatta )', 'Pck', '12', '60', '0.01%', '12', '60', '0.00%', '2020-03-20 14:43:16'), (1882, 2, 10, 1, 'Cinnamon loaf (Cinnamon loaf )', 'ea', '23.7', '0', '0.00%', '23.7', '0', '0.00%', '2020-03-20 14:43:16'), (1883, 2, 10, 1, 'Cinnamon Slice (Cinnamon Slice )', 'ea', '11.13', '89.04', '0.01%', '11.13', '89.04', '0.01%', '2020-03-20 14:43:16'), (1884, 2, 10, 1, 'Cinnamon Syrup Bread (Cinnamon Syrup Bread)', 'ea', '4.79', '0', '0.00%', '4.79', '0', '0.00%', '2020-03-20 14:43:16'), (1885, 2, 10, 1, 'Coco Bread (Coco Bread )', 'ea', '6.9', '0', '0.00%', '6.9', '0', '0.00%', '2020-03-20 14:43:16'), (1886, 2, 10, 1, 'Coke Mismo (Coke Mismo )', 'ea', '12.08', '0', '0.00%', '6.25', '0', '0.00%', '2020-03-20 14:43:16'), (1887, 2, 10, 1, 'Communion Bread (Communion Bread)', 'ea', '13.98', '251.64', '0.03%', '13.98', '251.64', '0.02%', '2020-03-20 14:43:16'), (1888, 2, 10, 1, 'Cookies and Cream (Tub) (Cookies and Cream (Tub) )', 'ea', '39.11', '0', '0.00%', '39.11', '0', '0.00%', '2020-03-20 14:43:16'), (1889, 2, 10, 1, 'Cookies and Cream fun size (Cookies and Cream Chilled)', 'ea', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 14:43:16'), (1890, 2, 10, 1, 'Cracked Wholewheat (Cracked Wholewheat )', 'ea', '23.1', '0', '0.00%', '23.1', '0', '0.00%', '2020-03-20 14:43:16'), (1891, 2, 10, 1, 'Cream Bread Jumbo (Cream Bread Jumbo )', 'ea', '36.47', '2917.6', '0.39%', '37.29', '2983.2', '0.20%', '2020-03-20 14:43:16'), (1892, 2, 10, 1, 'Crotons (Crotons)', 'Pck', '21.3', '0', '0.00%', '21.3', '0', '0.00%', '2020-03-20 14:43:16'), (1893, 2, 10, 1, 'Custard Cake (Custard Cake)', 'ea', '18', '90', '0.01%', '18', '90', '0.01%', '2020-03-20 14:43:16'), (1894, 2, 10, 1, 'Dark Rye Oats (Dark Rye Oats )', 'ea', '34.7', '0', '0.00%', '34.7', '0', '0.00%', '2020-03-20 14:43:16'), (1895, 2, 10, 1, 'Dinner Roll (Dinner Roll)', 'ea', '19.68', '0', '0.00%', '19.68', '0', '0.00%', '2020-03-20 14:43:16'), (1896, 2, 10, 1, 'Donut Mini Choco (Donut Mini Choco )', 'ea', '5.61', '0', '0.00%', '5.61', '0', '0.00%', '2020-03-20 14:43:16'), (1897, 2, 10, 1, 'Donut Mini Plain (Donut Mini Plain)', 'ea', '5.61', '0', '0.00%', '5.61', '0', '0.00%', '2020-03-20 14:43:16'), (1898, 2, 10, 1, 'Donut Plain (Donut Plain)', 'ea', '3.69', '276.75', '0.04%', '3.69', '276.75', '0.02%', '2020-03-20 14:43:16'), (1899, 2, 10, 1, 'Donut Plain with filling (Donut Plain with filling )', 'ea', '5.61', '196.35', '0.03%', '5.61', '196.35', '0.01%', '2020-03-20 14:43:16'), (1900, 2, 10, 1, 'Double Body Plain (Double Body Plain )', 'ea', '7.73', '610.67', '0.08%', '7.73', '610.67', '0.04%', '2020-03-20 14:43:16'), (1901, 2, 10, 1, 'Double Body Ube (Double Body Ube )', 'ea', '8.48', '322.24', '0.04%', '8.48', '322.24', '0.02%', '2020-03-20 14:43:16'), (1902, 2, 10, 1, 'Durian Chilled (Durian Chilled)', 'ea', '21.47', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 14:43:16'), (1903, 2, 10, 1, 'Durian Chocolate (Durian Chocolate )', 'ea', '58.38', '0', '0.00%', '58.38', '0', '0.00%', '2020-03-20 14:43:16'), (1904, 2, 10, 1, 'Durian Fun Size (Durian Fun Size)', 'ea', '23.85', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 14:43:16'), (1905, 2, 10, 1, 'Dutch WW rye large (Dutch WW rye large )', 'ea', '29.13', '0', '0.00%', '29.13', '0', '0.00%', '2020-03-20 14:43:16'), (1906, 2, 10, 1, 'Dutch WW rye meduim (Dutch WW rye meduim )', 'ea', '18.09', '0', '0.00%', '18.09', '0', '0.00%', '2020-03-20 14:43:16'), (1907, 2, 10, 1, 'Egg Cracker (Egg Cracker )', 'ea', '16.09', '0', '0.00%', '16.09', '0', '0.00%', '2020-03-20 14:43:16'), (1908, 2, 10, 1, 'Ensaymada Small (Ensaymada Small )', 'ea', '6.48', '149.04', '0.02%', '6.48', '149.04', '0.01%', '2020-03-20 14:43:16'), (1909, 2, 10, 1, 'Euro Butter Loaf (special) (Euro Butter Loaf (special) )', 'ea', '42.59', '0', '0.00%', '42.59', '0', '0.00%', '2020-03-20 14:43:16'), (1910, 2, 10, 1, 'Euro Cheese Loaf (Euro Cheese Loaf )', 'ea', '31.65', '0', '0.00%', '31.65', '0', '0.00%', '2020-03-20 14:43:16'), (1911, 2, 10, 1, 'Eurodesal (Eurodesal)', 'ea', '2.14', '0', '0.00%', '2.14', '0', '0.00%', '2020-03-20 14:43:16'), (1912, 2, 10, 1, 'Fenchbread plain-Large (Fenchbread plain-Large )', 'ea', '16.83', '0', '0.00%', '16.83', '0', '0.00%', '2020-03-20 14:43:16'), (1913, 2, 10, 1, 'Figue Pie (Figue Pie )', 'ea', '3.89', '151.71', '0.02%', '3.77', '147.03', '0.01%', '2020-03-20 14:43:16'), (1914, 2, 10, 1, 'Fino Desal (Fino Desal )', 'ea', '1.54', '0', '0.00%', '1.54', '0', '0.00%', '2020-03-20 14:43:16'), (1915, 2, 10, 1, 'Frances Big (Frances Big)', 'ea', '23.32', '0', '0.00%', '23.32', '0', '0.00%', '2020-03-20 14:43:16'), (1916, 2, 10, 1, 'French Bread Plain-Large (Fenchbread plain-Large )', 'ea', '16.83', '201.96', '0.03%', '16.83', '201.96', '0.01%', '2020-03-20 14:43:16'), (1917, 2, 10, 1, 'Frenchbread w.wheat-Large (Frenchbread w.wheat-Large )', 'ea', '16.81', '151.29', '0.02%', '16.81', '151.29', '0.01%', '2020-03-20 14:43:16'), (1918, 2, 10, 1, 'Fruit Cake (Fruit Cake)', 'ea', '202.78', '0', '0.00%', '202.78', '0', '0.00%', '2020-03-20 14:43:16'), (1919, 2, 10, 1, 'Fruit John (Fruit John )', 'ea', '19.13', '0', '0.00%', '19.13', '0', '0.00%', '2020-03-20 14:43:16'), (1920, 2, 10, 1, 'Fruitcake (Fruitcake )', 'ea', '202.78', '0', '0.00%', '202.78', '0', '0.00%', '2020-03-20 14:43:16'), (1921, 2, 10, 1, 'Fruitty muffins (Fruitty muffins )', 'ea', '6', '156', '0.02%', '6', '156', '0.01%', '2020-03-20 14:43:16'), (1922, 2, 10, 1, 'Fry stick bread (Fry stick bread )', 'ea', '4.93', '547.23', '0.07%', '4.93', '547.23', '0.04%', '2020-03-20 14:43:16'), (1923, 2, 10, 1, 'Garlic Bread Stick Tumbler (Garlic Bread Stick Tumbler )', 'ea', '45.82', '0', '0.00%', '45.82', '0', '0.00%', '2020-03-20 14:43:16'), (1924, 2, 10, 1, 'Garlic mint roll (Garlic mint roll )', 'ea', '5.45', '0', '0.00%', '5.45', '0', '0.00%', '2020-03-20 14:43:16'), (1925, 2, 10, 1, 'Garlic Sliced Bread (Garlic Sliced Bread)', 'ea', '4.65', '0', '0.00%', '4.65', '0', '0.00%', '2020-03-20 14:43:16'), (1926, 2, 10, 1, 'Ham & egg (Ham & egg )', 'ea', '7.01', '0', '0.00%', '7.01', '0', '0.00%', '2020-03-20 14:43:16'), (1927, 2, 10, 1, 'Hand Towel (Hand Towel)', 'ea', '25', '0', '0.00%', '40.03', '0', '0.00%', '2020-03-20 14:43:16'), (1928, 2, 10, 1, 'Hawaiian Upside Down (Hawaiian Upside Down )', 'ea', '33.49', '0', '0.00%', '33.49', '0', '0.00%', '2020-03-20 14:43:16'), (1929, 2, 10, 1, 'Hopia Mini Ube (Hopia Mini Ube)', 'ea', '1.69', '169', '0.02%', '1.69', '169', '0.01%', '2020-03-20 14:43:16'), (1930, 2, 10, 1, '<NAME> (Hopia Monggo)', 'ea', '1.69', '0', '0.00%', '1.69', '0', '0.00%', '2020-03-20 14:43:16'), (1931, 2, 10, 1, '<NAME> (Hopia Pandan)', 'ea', '0', '0', '0.00%', '1.41', '0', '0.00%', '2020-03-20 14:43:16'), (1932, 2, 10, 1, 'Jelly Roll (Jelly Roll )', 'ea', '109.84', '0', '0.00%', '109.84', '0', '0.00%', '2020-03-20 14:43:16'), (1933, 2, 10, 1, 'Journal (Journal)', 'Rlls', '21.67', '0', '0.00%', '22', '0', '0.00%', '2020-03-20 14:43:16'), (1934, 2, 10, 1, 'L<NAME> (Lengua De Gato)', 'ea', '29.37', '1086.69', '0.15%', '29.37', '1086.69', '0.07%', '2020-03-20 14:43:16'), (1935, 2, 10, 1, 'Long Pandesal (Long Pandesal )', 'ea', '4.24', '0', '0.00%', '4.24', '0', '0.00%', '2020-03-20 14:43:16'), (1936, 2, 10, 1, 'Macapuno Bread (Macapuno Bread)', 'ea', '7.17', '28.68', '0.00%', '7.17', '28.68', '0.00%', '2020-03-20 14:43:16'), (1937, 2, 10, 1, 'Macapuno Loaf (Macapuno Loaf)', 'ea', '23.67', '0', '0.00%', '23.67', '0', '0.00%', '2020-03-20 14:43:16'), (1938, 2, 10, 1, 'Mango Fun Size (Mango Fun Size)', 'ea', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 14:43:16'), (1939, 2, 10, 1, '<NAME> (<NAME> )', 'ea', '21.89', '0', '0.00%', '21.89', '0', '0.00%', '2020-03-20 14:43:16'), (1940, 2, 10, 1, 'Matzo crackers (Matzo crackers)', 'ea', '7.64', '0', '0.00%', '7.64', '0', '0.00%', '2020-03-20 14:43:16'), (1941, 2, 10, 1, 'Mini chiffon (Mini chiffon )', 'ea', '13.02', '0', '0.00%', '13.02', '0', '0.00%', '2020-03-20 14:43:16'), (1942, 2, 10, 1, 'Mix Rye (Mix Rye )', 'ea', '26.69', '0', '0.00%', '26.69', '0', '0.00%', '2020-03-20 14:43:16'), (1943, 2, 10, 1, 'Monay Big (Monay Big )', 'ea', '24.62', '0', '0.00%', '24.62', '0', '0.00%', '2020-03-20 14:43:16'), (1944, 2, 10, 1, 'Monay Del Valle (Monay Del Valle)', 'ea', '23.58', '0', '0.00%', '23.58', '0', '0.00%', '2020-03-20 14:43:16'), (1945, 2, 10, 1, 'Monay mini (Monay mini )', 'ea', '3.6', '7.2', '0.00%', '3.6', '7.2', '0.00%', '2020-03-20 14:43:16'), (1946, 2, 10, 1, 'Mongo bread (Mongo bread )', 'ea', '5.77', '5.77', '0.00%', '5.77', '5.77', '0.00%', '2020-03-20 14:43:16'), (1947, 2, 10, 1, 'Mushroom (Mushroom )', 'ea', '2.69', '0', '0.00%', '2.69', '0', '0.00%', '2020-03-20 14:43:16'), (1948, 2, 10, 1, 'Papa Banana Catshup 4KG (Papa Banana Catshup 4KG)', 'Gal', '0', '0', '0.00%', '137.9', '0', '0.00%', '2020-03-20 14:43:16'), (1949, 2, 10, 1, 'Papaya bread (Papaya bread )', 'ea', '30.04', '0', '0.00%', '30.04', '0', '0.00%', '2020-03-20 14:43:16'), (1950, 2, 10, 1, 'Parsley cheese (Parsley cheese )', 'ea', '6.15', '0', '0.00%', '6.15', '0', '0.00%', '2020-03-20 14:43:16'), (1951, 2, 10, 1, 'Parsly hotdog (Parsly hotdog )', 'ea', '7.1', '0', '0.00%', '7.1', '0', '0.00%', '2020-03-20 14:43:16'), (1952, 2, 10, 1, 'Pilipit (Pilipit)', 'ea', '3.69', '55.35', '0.01%', '3.69', '55.35', '0.00%', '2020-03-20 14:43:16'), (1953, 2, 10, 1, 'Pineapple pie (Pineapple pie )', 'ea', '5.5', '11', '0.00%', '5.5', '11', '0.00%', '2020-03-20 14:43:16'), (1954, 2, 10, 1, 'Pudding (Pudding )', 'ea', '25.55', '0', '0.00%', '25.55', '0', '0.00%', '2020-03-20 14:43:16'), (1955, 2, 10, 1, 'Putok pandesal (Putok pandesal )', 'ea', '4.02', '0', '0.00%', '4.02', '0', '0.00%', '2020-03-20 14:43:16'), (1956, 2, 10, 1, 'Royal bibingka (Royal bibingka )', 'ea', '11.63', '93.04', '0.01%', '11.63', '93.04', '0.01%', '2020-03-20 14:43:16'), (1957, 2, 10, 1, 'Scotch Tape (Scotch Tape )', 'Rlls', '19', '0', '0.00%', '16', '0', '0.00%', '2020-03-20 14:43:16'), (1958, 2, 10, 1, 'Sealer Tape (Sealer Tape)', 'Rlls', '25', '0', '0.00%', '25', '0', '0.00%', '2020-03-20 14:43:16'), (1959, 2, 10, 1, 'Sesame cookies (Sesame cookies)', 'ea', '22.09', '1723.02', '0.23%', '22.09', '1723.02', '0.12%', '2020-03-20 14:43:16'), (1960, 2, 10, 1, 'Sesame rye (Sesame rye )', 'ea', '32.58', '0', '0.00%', '32.58', '0', '0.00%', '2020-03-20 14:43:16'), (1961, 2, 10, 1, 'Sesame whole wheat (Sesame whole wheat )', 'ea', '32.3', '0', '0.00%', '32.3', '0', '0.00%', '2020-03-20 14:43:16'), (1962, 2, 10, 1, 'Slutty Brownies (Slutty Brownies )', 'ea', '10.85', '0', '0.00%', '10.85', '0', '0.00%', '2020-03-20 14:43:16'), (1963, 2, 10, 1, 'Sourdough (Sourdough )', 'ea', '21.68', '0', '0.00%', '21.68', '0', '0.00%', '2020-03-20 14:43:16'), (1964, 2, 10, 1, 'Spanish bread (Spanish bread )', 'ea', '4.96', '0', '0.00%', '4.96', '0', '0.00%', '2020-03-20 14:43:16'), (1965, 2, 10, 1, 'Special mamon (Special mamon )', 'ea', '16.57', '66.28', '0.01%', '16.57', '66.28', '0.01%', '2020-03-20 14:43:16'), (1966, 2, 10, 1, 'Star Bread Big (Star Bread Big)', 'ea', '19.79', '0', '0.00%', '19.79', '0', '0.00%', '2020-03-20 14:43:16'), (1967, 2, 10, 1, 'Star bread mini (Star bread mini )', 'ea', '3.63', '0', '0.00%', '3.63', '0', '0.00%', '2020-03-20 14:43:16'), (1968, 2, 10, 1, 'Toasted Bread (Toasted Bread )', 'ea', '14.32', '945.12', '0.13%', '13.9', '917.4', '0.06%', '2020-03-20 14:43:16'), (1969, 2, 10, 1, 'Toasted sioapao-pork (Toasted sioapao-pork )', 'ea', '7.57', '764.57', '0.10%', '7.57', '764.57', '0.05%', '2020-03-20 14:43:16'), (1970, 2, 10, 1, 'Toasted Siopao Chicken (Toasted Siopao Chicken)', 'ea', '7.16', '0', '0.00%', '7.16', '0', '0.00%', '2020-03-20 14:43:16'), (1971, 2, 10, 1, 'Toasted Siopao Sisig (Toasted Siopao Sisig)', 'ea', '7.44', '0', '0.00%', '7.44', '0', '0.00%', '2020-03-20 14:43:16'), (1972, 2, 10, 1, 'Ube funsize (Ube funsize )', 'ea', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 14:43:16'), (1973, 2, 10, 1, 'Ube loaf (Ube loaf )', 'ea', '14.13', '0', '0.00%', '14.13', '0', '0.00%', '2020-03-20 14:43:16'), (1974, 2, 10, 1, 'Whole wheat Loaf (Whole wheat Loaf )', 'ea', '50.67', '0', '0.00%', '25.34', '0', '0.00%', '2020-03-20 14:43:16'), (1975, 2, 10, 1, 'WW Pandesal (Wholewheat Pandesal)', 'ea', '4.57', '0', '0.00%', '4.57', '0', '0.00%', '2020-03-20 14:43:16'), (1976, 2, 10, 1, 'Yema Cake (Yema Cake )', 'ea', '7.8', '148.2', '0.02%', '7.8', '148.2', '0.01%', '2020-03-20 14:43:16'), (1977, 2, 2, 1, '1.2Small Card (1.2Small Card)', 'ea', '28.57', '171.42', '0.02%', '28.57', '171.42', '0.01%', '2020-03-20 14:44:43'), (1978, 2, 2, 1, '1.65 Card (1.65 Card)', 'ea', '31.88', '127.52', '0.02%', '31.88', '127.52', '0.01%', '2020-03-20 14:44:43'), (1979, 2, 2, 1, 'Birthday Card (Birthday Card)', 'ea', '60.18', '180.54', '0.02%', '60.18', '180.54', '0.01%', '2020-03-20 14:44:43'), (1980, 2, 2, 1, 'Cake Deco 5set (Cake Deco 5set)', 'ea', '15.66', '0', '0.00%', '15.66', '0', '0.00%', '2020-03-20 14:44:43'), (1981, 2, 2, 1, 'Gift Candles (Gift Candles)', 'ea', '22.81', '0', '0.00%', '22.81', '0', '0.00%', '2020-03-20 14:44:43'), (1982, 2, 2, 1, 'Personalized Cups (Personalized Cups)', 'ea', '198.95', '1989.5', '0.27%', '250', '2500', '0.17%', '2020-03-20 14:44:43'), (1983, 2, 2, 1, 'Umbrella (Umbrella)', 'ea', '149.02', '15796.12', '2.13%', '249', '26394', '1.81%', '2020-03-20 14:44:43'), (1984, 2, 2, 1, 'VShape Mug (VShape Mug)', 'ea', '33.95', '3157.35', '0.43%', '33.95', '3157.35', '0.22%', '2020-03-20 14:44:43'), (1985, 2, 2, 1, 'Wedding Cups (Wedding Cups)', 'ea', '201.45', '201.45', '0.03%', '250', '250', '0.02%', '2020-03-20 14:44:43'), (1986, 2, 2, 1, 'Wedding Flower (Wedding Flower)', 'ea', '150', '600', '0.08%', '150', '600', '0.04%', '2020-03-20 14:44:43'), (1987, 2, 2, 1, 'Zoo Chairs (Zoo Chairs)', 'ea', '690.4', '(-1380.8)', '-0.19%', '750', '(-1500)', '-0.10%', '2020-03-20 14:44:43'), (1991, 3, 1, 1, 'Coke Mismo (Coke Mismo)', 'Bot', '12.08', '6585.42', '0.71%', '12.08333', '6585.41485', '0.78%', '2020-03-20 14:49:25'), (1992, 3, 1, 1, 'Co<NAME> (Coke Swakto)', 'cs', '107.99', '2699.76', '0.29%', '108', '2700', '0.32%', '2020-03-20 14:49:25'), (1993, 3, 1, 1, 'Mugs (Mugs)', 'ea', '0', '0', '0.00%', '33', '0', '0.00%', '2020-03-20 14:49:25'), (1994, 3, 1, 1, 'MX3 Capsule (MX3 Capsule)', '', '907.2', '4536', '0.49%', '1039.16', '5195.8', '0.62%', '2020-03-20 14:49:25'), (1995, 3, 1, 1, 'MX3 Coffee (MX3 Coffee)', '', '169.1', '12006.08', '1.29%', '181.36', '12876.56', '1.53%', '2020-03-20 14:49:25'), (1996, 3, 1, 1, 'MX3 Coffee Sachet (MX3 Coffee Sachet)', '', '15.12', '-5730.48', '-0.62%', '35', '-13265', '-1.58%', '2020-03-20 14:49:25'), (1997, 3, 1, 1, 'Organica Big (Organica Big)', '', '120', '4920', '0.53%', '153.45', '6291.45', '0.75%', '2020-03-20 14:49:25'), (1998, 3, 1, 1, 'Organica Smalll (Organica Smalll)', '', '49.95', '3246.75', '0.35%', '72.23', '4694.95', '0.56%', '2020-03-20 14:49:25'), (1999, 3, 2, 1, '1.2 Small Card (1.2 Small Card)', 'ea', '28.57', '0', '0.00%', '28.57', '0', '0.00%', '2020-03-20 14:50:53'), (2000, 3, 2, 1, '1.65 Card (1.65 Card)', 'ea', '31.88', '0', '0.00%', '31.88', '0', '0.00%', '2020-03-20 14:50:53'), (2001, 3, 2, 1, 'Birthday Card (Birthday Card)', 'ea', '60.18', '0', '0.00%', '60.18', '0', '0.00%', '2020-03-20 14:50:53'), (2002, 3, 2, 1, 'Tumbler (Tumbler)', 'ea', '198.95', '6565.35', '0.71%', '249', '8217', '0.98%', '2020-03-20 14:50:53'), (2003, 3, 2, 1, 'Umbrella (Umbrella)', 'ea', '149.02', '11623.56', '1.25%', '250', '19500', '2.32%', '2020-03-20 14:50:53'), (2004, 3, 2, 1, 'Vshape Mug (Vshape Mug)', 'ea', '33.95', '3327.1', '0.36%', '33.95', '3327.1', '0.40%', '2020-03-20 14:50:53'), (2005, 3, 2, 1, 'Wedding Cups (Wedding Cups)', 'ea', '201.45', '201.45', '0.02%', '250', '250', '0.03%', '2020-03-20 14:50:53'), (2006, 3, 2, 1, 'Wedding Flower (Wedding Flower)', 'ea', '150', '450', '0.05%', '250', '750', '0.09%', '2020-03-20 14:50:53'), (2007, 3, 3, 1, '10 Board (Silver) Round (10 Board (Silver) Round)', 'ea', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 14:52:53'), (2008, 3, 3, 1, '10x10 Base (10x10 Base)', 'ea', '12', '0', '0.00%', '16', '0', '0.00%', '2020-03-20 14:52:53'), (2009, 3, 3, 1, '10X10X4 Royal Red (10X10X4 Royal Red)', 'ea', '23.5', '0', '0.00%', '24', '0', '0.00%', '2020-03-20 14:52:53'), (2010, 3, 3, 1, '12x12 Sponge Cake Chocolate (12x12 Sponge Cake Chocolate)', 'ea', '312.44', '312.44', '0.03%', '312.44', '312.44', '0.04%', '2020-03-20 14:52:53'), (2011, 3, 3, 1, '12x12 Sponge Cake Plain (12x12 Sponge Cake Plain)', 'ea', '267.04', '267.04', '0.03%', '267.05', '267.05', '0.03%', '2020-03-20 14:52:53'), (2012, 3, 3, 1, '2D poster board for spongebob (2D poster board for spongebob)', 'ea', '0', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 14:52:53'), (2013, 3, 3, 1, 'Air Bush Color- Black (Air Bush Color- Black)', 'Grms', '1.41', '576', '0.06%', '1.41', '575.28', '0.07%', '2020-03-20 14:52:53'), (2014, 3, 3, 1, 'Air Bush Color- Blue (Air Bush Color- Blue)', 'Grms', '1.01', '379.52', '0.04%', '1.02', '382.5', '0.05%', '2020-03-20 14:52:53'), (2015, 3, 3, 1, 'Air Bush Color- Brown (Air Bush Color- Brown)', 'Grms', '1.13', '181.01', '0.02%', '1.27', '203.2', '0.02%', '2020-03-20 14:52:53'), (2016, 3, 3, 1, 'Air Bush Color- Golden Yellow (Air Bush Color- Golden Yellow)', 'Grms', '1.02', '0', '0.00%', '1.02', '0', '0.00%', '2020-03-20 14:52:53'), (2017, 3, 3, 1, 'Air Bush Color- Green (Air Bush Color- Green)', 'Grms', '1.02', '477.19', '0.05%', '1.02', '477.36', '0.06%', '2020-03-20 14:52:53'), (2018, 3, 3, 1, 'Air Bush Color- Orange (Air Bush Color- Orange)', 'Grms', '1.02', '402.78', '0.04%', '1.02', '402.9', '0.05%', '2020-03-20 14:52:53'), (2019, 3, 3, 1, 'Air Bush Color- Pink (Air Bush Color- Pink)', 'Grms', '1.4', '1080.85', '0.12%', '1.18', '908.6', '0.11%', '2020-03-20 14:52:53'), (2020, 3, 3, 1, 'Air Bush Color- Red (Air Bush Color- Red)', 'Grms', '1.41', '1291.63', '0.14%', '1.41176', '1291.76', '0.15%', '2020-03-20 14:52:53'), (2021, 3, 3, 1, 'Air Bush Color- Violet (Air Bush Color- Violet)', 'Grms', '1.41', '514.86', '0.06%', '1.41', '516.06', '0.06%', '2020-03-20 14:52:53'), (2022, 3, 3, 1, 'Air Bush Color- Yellow (Air Bush Color- Yellow)', 'Grms', '1.02', '329.34', '0.04%', '1.02', '329.46', '0.04%', '2020-03-20 14:52:53'), (2023, 3, 3, 1, 'Airbrush Blue (Airbrush Blue)', 'Bot', '260', '0', '0.00%', '260', '0', '0.00%', '2020-03-20 14:52:53'), (2024, 3, 3, 1, 'Airbrush Green (Airbrush Green)', 'Bot', '260', '0', '0.00%', '260', '0', '0.00%', '2020-03-20 14:52:53'), (2025, 3, 3, 1, 'Airbrush Red (Airbrush Red)', 'Bot', '360', '0', '0.00%', '360', '0', '0.00%', '2020-03-20 14:52:53'), (2026, 3, 3, 1, 'Airbrush Yellow (Airbrush Yellow)', 'Bot', '260', '0', '0.00%', '260', '0', '0.00%', '2020-03-20 14:52:53'), (2027, 3, 3, 1, 'Almond Roca Syrup (Torani) (Almond Roca Syrup (Torani))', 'ML', '0.52', '0', '0.00%', '0.52', '0', '0.00%', '2020-03-20 14:52:53'), (2028, 3, 3, 1, 'American Garden US Ketchup (American Garden US Ketchup 140z)', 'Bot', '89.48', '0', '0.00%', '89.5', '0', '0.00%', '2020-03-20 14:52:53'), (2029, 3, 3, 1, 'American Lemon (American Lemon)', 'Grms', '0.25', '0', '0.00%', '0.3', '0', '0.00%', '2020-03-20 14:52:53'), (2030, 3, 3, 1, '<NAME> 250ml (Armanio Honey 250ml)', 'Bot', '190', '0', '0.00%', '250', '0', '0.00%', '2020-03-20 14:52:53'), (2031, 3, 3, 1, 'Artistic Flexible Straw colored (Artistic Flxble Straw clrd (100\'s))', 'ea', '0.43', '98.06', '0.01%', '0.65', '146.9', '0.02%', '2020-03-20 14:52:53'), (2032, 3, 3, 1, 'ASSTD. SPRINKLE (ASSTD. SPRINKLE)', 'Grms', '0.35', '0', '0.00%', '0.35', '0', '0.00%', '2020-03-20 14:52:53'), (2033, 3, 3, 1, 'Batman Fig. ( Imported) (Batman Fig. ( Imported))', 'ea', '53.75', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 14:52:53'), (2034, 3, 3, 1, 'Batman Figurine Local (Batman Figurine Local )', 'ea', '31.27', '344', '0.04%', '44.26', '486.86', '0.06%', '2020-03-20 14:52:53'), (2035, 3, 3, 1, 'Batman Styro (Batman Styro )', 'ea', '16.02', '224.27', '0.02%', '23.67', '331.38', '0.04%', '2020-03-20 14:52:53'), (2036, 3, 3, 1, '<NAME> (Ben- 10)', 'ea', '15.66', '78.32', '0.01%', '16', '80', '0.01%', '2020-03-20 14:52:53'), (2037, 3, 3, 1, 'Big Candles (Big Candles)', 'Pck', '22', '0', '0.00%', '22', '0', '0.00%', '2020-03-20 14:52:53'), (2038, 3, 3, 1, 'Black Forest cake (Black Forest cake)', 'ea', '61.97', '0', '0.00%', '61.97', '0', '0.00%', '2020-03-20 14:52:53'), (2039, 3, 3, 1, 'Blueberry 595g (Blueberry 595gx12pcs/case )', 'Grms', '0.38', '1099.79', '0.12%', '0.37', '1080.4', '0.13%', '2020-03-20 14:52:53'), (2040, 3, 3, 1, 'Blueberry Cheesecake (Blueberry Cheesecake)', 'ea', '55.64', '389.48', '0.04%', '55.64', '389.48', '0.05%', '2020-03-20 14:52:53'), (2041, 3, 3, 1, 'Blueberry square (Blueberry square)', 'ea', '20.17', '40.34', '0.00%', '20.17', '40.34', '0.01%', '2020-03-20 14:52:53'), (2042, 3, 3, 1, 'BreakFast Blend (BreakFast Blend)', 'ea', '32.06', '0', '0.00%', '32.06', '0', '0.00%', '2020-03-20 14:52:53'), (2043, 3, 3, 1, 'Brown Sugar (Brown sugar)', 'Grms', '0.04', '0', '0.00%', '0.04', '0', '0.00%', '2020-03-20 14:52:53'), (2044, 3, 3, 1, 'Brown Sugar sachet (Brown sugar sachet)', 'ea', '2.15', '0', '0.00%', '2.15', '0', '0.00%', '2020-03-20 14:52:53'), (2045, 3, 3, 1, 'Butterfly icing (Butterfly icing)', 'Pck', '14', '84', '0.01%', '13.41', '80.46', '0.01%', '2020-03-20 14:52:53'), (2046, 3, 3, 1, 'Butterfly PlanGer (Butterfly PlanGer 3pcs/set)', 's', '110', '0', '0.00%', '110', '0', '0.00%', '2020-03-20 14:52:53'), (2047, 3, 3, 1, 'Cafe Latte- Frappes (1360g) (Cafe Latte- Frappes (1360g))', 'Grms', '0.73', '0', '0.00%', '0.73', '0', '0.00%', '2020-03-20 14:52:53'), (2048, 3, 3, 1, 'Caffe Verona (Caffe Verona)', 'ea', '40', '400', '0.04%', '32.06', '320.6', '0.04%', '2020-03-20 14:52:53'), (2049, 3, 3, 1, 'Cake Choco 8x12 (Cake Choco 8x12 )', 'ea', '71.34', '0', '0.00%', '71.34', '0', '0.00%', '2020-03-20 14:52:53'), (2050, 3, 3, 1, 'Cake Plain 8x12 (Cake Plain 8x12 )', 'ea', '60.48', '0', '0.00%', '60.47', '0', '0.00%', '2020-03-20 14:52:53'), (2051, 3, 3, 1, 'Candle number (Candle number for Cake)', 'ea', '13.01', '2653.13', '0.29%', '13', '2652', '0.32%', '2020-03-20 14:52:53'), (2052, 3, 3, 1, 'Candle Stick (Candle Stick)', 'Pck', '24', '168', '0.02%', '24', '168', '0.02%', '2020-03-20 14:52:53'), (2053, 3, 3, 1, '<NAME> (Torani) (Caramel Sauce (Torani))', 'ML', '0.31', '30.75', '0.00%', '0.35', '35', '0.00%', '2020-03-20 14:52:53'), (2054, 3, 3, 1, '<NAME> Swt Red 750ml (Carlo Rossi Swt Red 750ml)', 'Bot', '217.85', '0', '0.00%', '217.85', '0', '0.00%', '2020-03-20 14:52:53'), (2055, 3, 3, 1, 'Carnival bending straw (Carnival bending straw 100pcs/pack )', 'ea', '0.19', '0', '0.00%', '0.18', '0', '0.00%', '2020-03-20 14:52:53'), (2056, 3, 3, 1, 'Carrots Cake (Carrots cake)', 'ea', '13.8', '0', '0.00%', '13.8', '0', '0.00%', '2020-03-20 14:52:53'), (2057, 3, 3, 1, 'CARS figurine local (CARS figurine local )', 'ea', '31.53', '378.32', '0.04%', '32', '384', '0.05%', '2020-03-20 14:52:53'), (2058, 3, 3, 1, 'CC Bending straw white (CC Bending straw white 100pcs/Pack )', 'ea', '0.19', '0', '0.00%', '0.27', '0', '0.00%', '2020-03-20 14:52:53'), (2059, 3, 3, 1, 'Cebu Mango Gelato (Cebu Mango Gelato)', 'ea', '110', '1100', '0.12%', '110', '1100', '0.13%', '2020-03-20 14:52:53'), (2060, 3, 3, 1, 'Cellowrapped Toothpick 1000s (Cellowrapped Toothpick 1000s)', 'ea', '0.07', '24.44', '0.00%', '0.065', '24.44', '0.00%', '2020-03-20 14:52:53'), (2061, 3, 3, 1, 'Cheese Cake Baked Base (heese Cake Baked Base)', 'ea', '316.85', '1267.4', '0.14%', '316.85', '1267.4', '0.15%', '2020-03-20 14:52:53'), (2062, 3, 3, 1, 'Cheesecake Syrup (Torani) (Cheesecake Syrup (Torani))', 'ML', '0.52', '0', '0.00%', '0.52', '0', '0.00%', '2020-03-20 14:52:53'), (2063, 3, 3, 1, 'Cherry Cheese cake (Cherry Cheese cake)', 'sli', '45.35', '0', '0.00%', '45.35', '0', '0.00%', '2020-03-20 14:52:53'), (2064, 3, 3, 1, 'Cherry square (Cherry square)', 'ea', '37.44', '224.64', '0.02%', '37.44', '224.64', '0.03%', '2020-03-20 14:52:53'), (2065, 3, 3, 1, 'Cherry Tomato (Cherry Tomato)', 'Grms', '0.03', '0', '0.00%', '0.03', '0', '0.00%', '2020-03-20 14:52:53'), (2066, 3, 3, 1, 'Chili Flakes (Chili Flakes)', 'Grms', '1.44', '0', '0.00%', '1.25', '0', '0.00%', '2020-03-20 14:52:53'), (2067, 3, 3, 1, 'Chili Sauce 340gms (Chili Sauce 340g/Bot )', 'Bot', '33.73', '67.46', '0.01%', '31.6', '63.2', '0.01%', '2020-03-20 14:52:53'), (2068, 3, 3, 1, 'Cho.Fud (Cho.Fud)', 'Grms', '0', '0', '0.00%', '0.23', '0', '0.00%', '2020-03-20 14:52:53'), (2069, 3, 3, 1, 'Choco Cake 12x12 (Choco Cake 12x12 )', 'ea', '142.69', '0', '0.00%', '142.69', '0', '0.00%', '2020-03-20 14:52:53'), (2070, 3, 3, 1, 'Choco Moist Base (Choco Moist Base )', 'ea', '332.7', '0', '0.00%', '117.44', '0', '0.00%', '2020-03-20 14:52:53'), (2071, 3, 3, 1, 'Chocolate Coins (Chocolate Coins)', 'ea', '0.95', '0', '0.00%', '0.95', '0', '0.00%', '2020-03-20 14:52:53'), (2072, 3, 3, 1, 'Chocolate Ganache (Chocolate ganache)', 'ea', '19.04', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 14:52:53'), (2073, 3, 3, 1, 'Chocolate square (Chocolate square)', 'ea', '23.27', '349.05', '0.04%', '23.27', '349.05', '0.04%', '2020-03-20 14:52:53'), (2074, 3, 3, 1, '<NAME> Chrs 1050g (Cl<NAME> Chrs 1050g)', 'Bot', '310.9', '0', '0.00%', '310.9', '0', '0.00%', '2020-03-20 14:52:53'), (2075, 3, 3, 1, 'Coconut Leaves (Coconut Leaves)', 'Pck', '15', '135', '0.02%', '15', '135', '0.02%', '2020-03-20 14:52:53'), (2076, 3, 3, 1, 'Coconut tree with Fruit (Coconut tree with Fruit)', 'ea', '15', '0', '0.00%', '15', '0', '0.00%', '2020-03-20 14:52:53'), (2077, 3, 3, 1, 'Coffee Beans - Rabecca Columbia (Coffee Beans - Rabecca Columbia )', 'Grms', '1.1', '0', '0.00%', '1.1', '0', '0.00%', '2020-03-20 14:52:53'), (2078, 3, 3, 1, 'Coffee beans Mauro 500gm (Coffee beans Mauro 500gm)', 'Grms', '0.7', '0', '0.00%', '1.09', '0', '0.00%', '2020-03-20 14:52:53'), (2079, 3, 3, 1, 'Coffee cup cover 12oz (6\'s) (Coffee cup cover 12oz (6\'s))', 'ea', '2.5', '0', '0.00%', '2.5', '0', '0.00%', '2020-03-20 14:52:53'), (2080, 3, 3, 1, 'Coffee Mate (Coffee Mate 48pcsx20grms/pack )', 'ea', '1.65', '167.87', '0.02%', '1.64583', '167.87', '0.02%', '2020-03-20 14:52:53'), (2081, 3, 3, 1, 'Coin Chocolate (Coin Chocolate)', 'ea', '0.95', '0', '0.00%', '1.51', '0', '0.00%', '2020-03-20 14:52:53'), (2082, 3, 3, 1, 'Coke 1.5L (Coke 1.5L )', 'Bar', '60', '0', '0.00%', '60', '0', '0.00%', '2020-03-20 14:52:53'), (2083, 3, 3, 1, 'Coke Light (Coke Light in Can )', 'Can', '20.2', '0', '0.00%', '21.75', '0', '0.00%', '2020-03-20 14:52:53'), (2084, 3, 3, 1, 'Coke Regular 2L (Coke Regular 2L)', 'Bot', '69', '1173', '0.13%', '69', '1173', '0.14%', '2020-03-20 14:52:53'), (2085, 3, 3, 1, 'Coke Regular in Can (Coke Regular in Can )', 'Can', '24.92', '1470.08', '0.16%', '24.92', '1470.28', '0.18%', '2020-03-20 14:52:53'), (2086, 3, 3, 1, 'Coke zero can 330ml 1x24 (Coke zero can 330ml 1x24 )', 'Can', '23.71', '1256.54', '0.14%', '23.71', '1256.63', '0.15%', '2020-03-20 14:52:53'), (2087, 3, 3, 1, 'Comstock Royal Blueberry 210z (Comstock Royal Blueberry 210z)', 'Bot', '196.35', '0', '0.00%', '197.8', '0', '0.00%', '2020-03-20 14:52:53'), (2088, 3, 3, 1, 'Comstock Strawberry (Comstock Strawberry 21oz.)', 'Bot', '196.96', '0', '0.00%', '167.85', '0', '0.00%', '2020-03-20 14:52:53'), (2089, 3, 3, 1, 'Cream-O vanilla (Cream-O vanilla )', 'Pck', '59.45', '0', '0.00%', '59.45', '0', '0.00%', '2020-03-20 14:52:53'), (2090, 3, 3, 1, 'Creme de Cacao Syrup- Torani (7 (Creme de Cacao Syrup- Torani (750ml))', 'ML', '0.52', '0', '0.00%', '0.52', '0', '0.00%', '2020-03-20 14:52:53'), (2091, 3, 3, 1, 'Cross Airbrush Color- Red (Cross Airbrush Color- Red)', 'ea', '150', '0', '0.00%', '150', '0', '0.00%', '2020-03-20 14:52:53'), (2092, 3, 3, 1, 'Crown Chef (Crown Chef (1000pcs/pack))', 'ea', '0.53', '0', '0.00%', '0.53', '0', '0.00%', '2020-03-20 14:52:53'), (2093, 3, 3, 1, 'CS Edcor American Lemon (CS Edcor American Lemon)', 'Grms', '0.3', '0', '0.00%', '0.3', '0', '0.00%', '2020-03-20 14:52:53'), (2094, 3, 3, 1, 'Dad Bear Cocktail Picks (Dad Bear Cocktail Picks 200s)', 'Box', '28.95', '0', '0.00%', '48', '0', '0.00%', '2020-03-20 14:52:53'), (2095, 3, 3, 1, 'Dad Bear Umbrella Picks (Dad Bear Umbrella Picks 50\'s)', 'Box', '135.65', '0', '0.00%', '135.65', '0', '0.00%', '2020-03-20 14:52:53'), (2096, 3, 3, 1, 'Dark Anods Compound (Dark Anods Compound)', 'Kls', '194', '0', '0.00%', '216', '0', '0.00%', '2020-03-20 14:52:53'), (2097, 3, 3, 1, 'Dark Choco Gelato (Dark Choco Gelato)', 'ea', '110', '770', '0.08%', '110', '770', '0.09%', '2020-03-20 14:52:53'), (2098, 3, 3, 1, 'Dark Chocolate Sauce (Dark Chocolate Sauce 1890ml/Bot )', 'ML', '0.37', '708', '0.08%', '0.37', '699.3', '0.08%', '2020-03-20 14:52:53'), (2099, 3, 3, 1, 'Decadent cake (Decadent cake)', 'ea', '24.06', '0', '0.00%', '24.06', '0', '0.00%', '2020-03-20 14:52:53'), (2100, 3, 3, 1, 'Dilmah English Breakfast Tea (Dilmah English Breakfast Tea)', 'ea', '5.6', '649.98', '0.07%', '5.6', '649.6', '0.08%', '2020-03-20 14:52:53'), (2101, 3, 3, 1, 'Dilmah Pure Cammomile Flowers-T (Dilmah Pure Cammomile Flowers-Tea)', 'ea', '7', '399', '0.04%', '7', '399', '0.05%', '2020-03-20 14:52:53'), (2102, 3, 3, 1, 'Dilmah Pure Green Tea (Dilmah Pure Green Tea 1000pcs/box )', 'ea', '5.6', '515.2', '0.06%', '5.6', '515.2', '0.06%', '2020-03-20 14:52:53'), (2103, 3, 3, 1, 'DM Four Season 1L (DM Four Season 1L)', 'Pck', '70.98', '0', '0.00%', '70.98', '0', '0.00%', '2020-03-20 14:52:53'), (2104, 3, 3, 1, 'DM four seasons (DM four seasons )', 'Can', '24.29', '704.29', '0.08%', '23.80917', '690.47', '0.08%', '2020-03-20 14:52:53'), (2105, 3, 3, 1, 'DM mango juice (DM mango juice )', 'Can', '29.05', '639.04', '0.07%', '27.61917', '607.62', '0.07%', '2020-03-20 14:52:53'), (2106, 3, 3, 1, 'DM Orange (DM orange )', 'Can', '24.24', '727.23', '0.08%', '21.44', '643.2', '0.08%', '2020-03-20 14:52:53'), (2107, 3, 3, 1, 'DM pineapple orange (DM pineapple orange )', 'Can', '24.29', '364.29', '0.04%', '23.80917', '357.14', '0.04%', '2020-03-20 14:52:53'), (2108, 3, 3, 1, 'DM pineapple sweetened (DM pineapple sweetened )', 'Can', '24.29', '72.86', '0.01%', '23.80917', '71.43', '0.01%', '2020-03-20 14:52:53'), (2109, 3, 3, 1, 'DM pineapple unsweetened (DM pineapple unsweetened )', 'Can', '23.33', '396.66', '0.04%', '21.91', '372.47', '0.04%', '2020-03-20 14:52:53'), (2110, 3, 3, 1, 'DM Sweet Blend Ketchup 320g (DM Sweet Blend Ketchup 320g)', 'Bot', '33.8', '0', '0.00%', '33.8', '0', '0.00%', '2020-03-20 14:52:53'), (2111, 3, 3, 1, 'DM Sweet Chili Sauce 12oz (DM Sweet Chili Sauce 12oz)', 'Bot', '35.4', '106.2', '0.01%', '31.95', '95.85', '0.01%', '2020-03-20 14:52:53'), (2112, 3, 3, 1, 'DM Tomato Ketchup 320g/bot (DM Tomato Ketchup 320g/bot)', 'Bot', '43.2', '0', '0.00%', '43.2', '0', '0.00%', '2020-03-20 14:52:53'), (2113, 3, 3, 1, 'Dole Four Seasons can (Dole Four seasons in can)', 'Can', '21.43', '0', '0.00%', '21.43', '0', '0.00%', '2020-03-20 14:52:53'), (2114, 3, 3, 1, 'Donut Shop (Donut Shop)', 'ea', '33.14', '0', '0.00%', '22.35', '0', '0.00%', '2020-03-20 14:52:53'), (2115, 3, 3, 1, 'Durian jam (380g) (Durian jam (380g))', 'Grms', '0.4', '386.53', '0.04%', '0.33', '316.8', '0.04%', '2020-03-20 14:52:53'), (2116, 3, 3, 1, 'Eight O\'Clock Juice (Eight O\'Clock Juice 350g/pack )', 'Pck', '91.35', '0', '0.00%', '91.35', '0', '0.00%', '2020-03-20 14:52:53'), (2117, 3, 3, 1, 'Equal Sugar (Equal Sugar)', 'ea', '2.15', '0', '0.00%', '2.15', '0', '0.00%', '2020-03-20 14:52:53'), (2118, 3, 3, 1, 'Espreso Blend (250 grams) (Espreso Blend (250 grams) )', 'Grms', '1.09', '0', '0.00%', '1.1', '0', '0.00%', '2020-03-20 14:52:53'), (2119, 3, 3, 1, 'Euro Water 500ml (Euro Water 500ml)', 'Bot', '6.5', '26370.5', '2.84%', '6.9', '27993.3', '3.33%', '2020-03-20 14:52:53'), (2120, 3, 3, 1, 'Evening Blend 10 packs (Evening Blend 10 packs)', 'Kls', '698.41', '9777.75', '1.05%', '700', '9800', '1.17%', '2020-03-20 14:52:53'), (2121, 3, 3, 1, 'Extra Folded Tissue 50Sheets (Extra Folded Tissue 50Sheets)', 'ea', '0.29', '0', '0.00%', '0.285', '0', '0.00%', '2020-03-20 14:52:53'), (2122, 3, 3, 1, 'Femme Paper 175s (Femme Paper 175s)', 'Pck', '38', '0', '0.00%', '38', '0', '0.00%', '2020-03-20 14:52:53'), (2123, 3, 3, 1, '<NAME> (<NAME>)', 'ea', '110', '550', '0.06%', '110', '550', '0.07%', '2020-03-20 14:52:53'), (2124, 3, 3, 1, 'Figurine- Baby on Crib (Figurine- Baby on Crib)', 'ea', '48.47', '0', '0.00%', '48.46', '0', '0.00%', '2020-03-20 14:52:53'), (2125, 3, 3, 1, 'Figurine- Barney set (Figurine- Barney set)', 'ea', '65', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 14:52:53'), (2126, 3, 3, 1, 'Figurine- Dora (Figurine- Dora)', 'ea', '25', '0', '0.00%', '25', '0', '0.00%', '2020-03-20 14:52:53'), (2127, 3, 3, 1, 'Figurine- Horse (Figurine- Horse)', 'ea', '30', '0', '0.00%', '30', '0', '0.00%', '2020-03-20 14:52:53'), (2128, 3, 3, 1, 'Figurine- Mermaid (Figurine- Mermaid)', 'ea', '30', '120', '0.01%', '30', '120', '0.01%', '2020-03-20 14:52:53'), (2129, 3, 3, 1, 'Figurine- Minions (Figurine- Minions)', 'ea', '30', '180', '0.02%', '30', '180', '0.02%', '2020-03-20 14:52:53'), (2130, 3, 3, 1, 'Figurine- Pig (Figurine- Pig)', 'ea', '30', '0', '0.00%', '30', '0', '0.00%', '2020-03-20 14:52:53'), (2131, 3, 3, 1, 'Figurine- Pooh (Figurine- Pooh)', 'ea', '20', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 14:52:53'), (2132, 3, 3, 1, 'Figurine- Princess (BIG) (Figurine- Princess (BIG))', 'ea', '57.16', '0', '0.00%', '57.16', '0', '0.00%', '2020-03-20 14:52:53'), (2133, 3, 3, 1, 'Figurine- Princess (Small) (Figurine- Princess (Small))', 'ea', '25', '350', '0.04%', '30', '420', '0.05%', '2020-03-20 14:52:53'), (2134, 3, 3, 1, 'Figurine- Sophia (Figurine- Sophia)', 'ea', '38.57', '38.57', '0.00%', '38.57', '38.57', '0.01%', '2020-03-20 14:52:53'), (2135, 3, 3, 1, 'Figurine- Spongebob (Figurine- Spongebob)', 'ea', '32.85', '131.4', '0.01%', '36.25', '145', '0.02%', '2020-03-20 14:52:53'), (2136, 3, 3, 1, 'Figurine- Tiger (Figurine- Tiger)', 'ea', '30', '0', '0.00%', '30', '0', '0.00%', '2020-03-20 14:52:53'), (2137, 3, 3, 1, 'Figurine- Tinkerbell (Figurine- Tinkerbell)', 'ea', '60', '420', '0.05%', '60', '420', '0.05%', '2020-03-20 14:52:53'), (2138, 3, 3, 1, 'Figurine Aurora Imported (Figurine Aurora Imported)', 'ea', '0', '0', '0.00%', '60', '0', '0.00%', '2020-03-20 14:52:53'), (2139, 3, 3, 1, 'Figurine Baby Christening (Figurine Baby Christening)', 'ea', '32', '128', '0.01%', '32', '128', '0.02%', '2020-03-20 14:52:53'), (2140, 3, 3, 1, 'Figurine Beauty (Imported) (Figurine Beauty (Imported))', 'ea', '65', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 14:52:53'), (2141, 3, 3, 1, 'Figurine Beauty (Local) (Figurine Beauty (Local))', 'ea', '25', '0', '0.00%', '25', '0', '0.00%', '2020-03-20 14:52:53'), (2142, 3, 3, 1, 'Figurine Belle Imported (Figurine Belle)', 'ea', '60', '0', '0.00%', '60', '0', '0.00%', '2020-03-20 14:52:53'), (2143, 3, 3, 1, 'Figurine Bells (Local) (Figurine Bells (Local))', 'ea', '25', '0', '0.00%', '25', '0', '0.00%', '2020-03-20 14:52:53'), (2144, 3, 3, 1, 'Figurine Ben 10 (Figurine- Ben 10)', 'ea', '57.69', '230.77', '0.03%', '57.69', '230.76', '0.03%', '2020-03-20 14:52:53'), (2145, 3, 3, 1, 'Figurine Cinderella (Figurine Cinderella)', 'ea', '65', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 14:52:53'), (2146, 3, 3, 1, 'Figurine Elsa (Figurine Elsa)', 'ea', '63.34', '0', '0.00%', '60', '0', '0.00%', '2020-03-20 14:52:53'), (2147, 3, 3, 1, 'Figurine Elsa (Local) (Figurine Elsa (Local))', 'ea', '33.75', '270', '0.03%', '35', '280', '0.03%', '2020-03-20 14:52:53'), (2148, 3, 3, 1, 'Figurine Hello Kitty (Figurine Hello Kitty)', 'ea', '29.01', '145.03', '0.02%', '30', '150', '0.02%', '2020-03-20 14:52:53'), (2149, 3, 3, 1, 'Figurine MickeyMouse (L) (Figurine MickeyMouse (L))', 'ea', '30', '120', '0.01%', '30', '120', '0.01%', '2020-03-20 14:52:53'), (2150, 3, 3, 1, 'Figurine Minion L (Figurine Minion L)', 'ea', '30', '0', '0.00%', '30', '0', '0.00%', '2020-03-20 14:52:53'), (2151, 3, 3, 1, 'Figurine Princess (L) (Figurine Princess (L))', 'ea', '65', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 14:52:53'), (2152, 3, 3, 1, 'Figurine Snow white Imported (Figurine Snow white Imported)', 'ea', '65', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 14:52:53'), (2153, 3, 3, 1, 'Figurine Spiderman (Figurine Spiderman)', 'ea', '30', '240', '0.03%', '30', '240', '0.03%', '2020-03-20 14:52:53'), (2154, 3, 3, 1, 'Figurine Superman (Figurine Superman)', 'ea', '46.52', '511.67', '0.06%', '60', '660', '0.08%', '2020-03-20 14:52:53'), (2155, 3, 3, 1, 'Figurine Superman ( Local) (Figurine Superman ( Local))', 'ea', '30', '0', '0.00%', '30', '0', '0.00%', '2020-03-20 14:52:53'), (2156, 3, 3, 1, 'Figurine Tinkerbell (L) (Figurine Tinkerbell (L))', 'ea', '65', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 14:52:53'), (2157, 3, 3, 1, 'Flag Picks Dad Bear (Flag Picks Dad Bear 100\'s)', 'ea', '0.53', '0', '0.00%', '0.53', '0', '0.00%', '2020-03-20 14:52:53'), (2158, 3, 3, 1, 'Flowerettes (Flowerettes)', 'ea', '16', '400', '0.04%', '16', '400', '0.05%', '2020-03-20 14:52:53'), (2159, 3, 3, 1, 'Frank further Sausages (Frank further Sausages 1KL/pack X 7pcs 120g )', 'Grms', '0.34', '-0.01', '0.00%', '0.36', '0', '0.00%', '2020-03-20 14:52:53'), (2160, 3, 3, 1, 'Frappe Mix Java Chip (Frappe Mix Java Chip 1360ml/Jar )', 'ML', '0', '0', '0.00%', '0.73', '0', '0.00%', '2020-03-20 14:52:53'), (2161, 3, 3, 1, 'Fresh Milk -Nestle (Fresh Milk -Nestle )', 'Pck', '75.45', '528.17', '0.06%', '79.42', '555.94', '0.07%', '2020-03-20 14:52:53'), (2162, 3, 3, 1, 'Fruitcake', 'ea', '202.78', '0', '0.00%', '202.78', '0', '0.00%', '2020-03-20 14:52:53'), (2163, 3, 3, 1, 'Fudge Cake- Base (Fudge Cake- Base)', 'ea', '402.42', '0', '0.00%', '402.42', '0', '0.00%', '2020-03-20 14:52:53'), (2164, 3, 3, 1, 'Ganache Plain (Ganache Plain )', 'ea', '0', '0', '0.00%', '10.08', '0', '0.00%', '2020-03-20 14:52:53'), (2165, 3, 3, 1, 'Garlic Stick (1 KILO) (Garlic Stick (1 KILO) )', 'Kls', '96.38', '239.01', '0.03%', '96.35', '238.95', '0.03%', '2020-03-20 14:52:53'), (2166, 3, 3, 1, 'Gelatine (Gelatine)', 'Kls', '882.19', '0', '0.00%', '571.12', '0', '0.00%', '2020-03-20 14:52:53'), (2167, 3, 3, 1, 'Golden Valley Cherry 260z (Golden Valley Cherry 260z)', 'Bot', '210', '1831.2', '0.20%', '252.9', '2205.29', '0.26%', '2020-03-20 14:52:53'), (2168, 3, 3, 1, 'Green Chocolate (Green Chocolate 500g/bar )', 'Grms', '0.46', '0', '0.00%', '0.46', '0', '0.00%', '2020-03-20 14:52:53'), (2169, 3, 3, 1, 'Guava Syrup (Guava Syrup)', 'ML', '0.52', '0', '0.00%', '0.52', '0', '0.00%', '2020-03-20 14:52:53'), (2170, 3, 3, 1, 'Happy birthday Candles (Happy birthday Candles)', 'Pck', '42.5', '0', '0.00%', '45', '0', '0.00%', '2020-03-20 14:52:53'), (2171, 3, 3, 1, 'Happy birthday Styro (Happy birthday Styro )', 'ea', '15', '30', '0.00%', '14', '28', '0.00%', '2020-03-20 14:52:53'), (2172, 3, 3, 1, 'Happy cake choco (Happy cake choco)', 'ea', '136.42', '136.42', '0.02%', '136.42', '136.42', '0.02%', '2020-03-20 14:52:53'), (2173, 3, 3, 1, 'Happy cake Plain (Happy cake plain)', 'ea', '136.42', '1500.62', '0.16%', '136.42', '1500.62', '0.18%', '2020-03-20 14:52:53'), (2174, 3, 3, 1, 'Hazelnut (Hazelnut 750ml/bot )', 'ML', '0.52', '0', '0.00%', '0.52', '0', '0.00%', '2020-03-20 14:52:53'), (2175, 3, 3, 1, 'Heart Sprinkles (Heart Sprinkles )', 'Grms', '0.68', '0', '0.00%', '0.45', '0', '0.00%', '2020-03-20 14:52:53'), (2176, 3, 3, 1, 'Heinz Ketchup (Heinz Ketchup )', 'Bot', '129', '0', '0.00%', '100.1', '0', '0.00%', '2020-03-20 14:52:53'), (2177, 3, 3, 1, 'Heinz Ketchup 300g (Heinz Ketchup 300g)', 'Bot', '45.25', '315.39', '0.03%', '47.3', '329.68', '0.04%', '2020-03-20 14:52:53'), (2178, 3, 3, 1, 'Hello Kitty fig ( Imported) (Hello Kitty fig ( Imported))', 'ea', '65', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 14:52:53'), (2179, 3, 3, 1, 'Hello kitty Figurine (Hello kitty Figurine )', 'ea', '35', '0', '0.00%', '35', '0', '0.00%', '2020-03-20 14:52:53'), (2180, 3, 3, 1, 'Hello Kitty Styro (Hello Kitty Styro )', 'ea', '16', '0', '0.00%', '16', '0', '0.00%', '2020-03-20 14:52:53'), (2181, 3, 3, 1, 'Herbal Pillow-Shoulder patch (Herbal Pillow-Shoulder patch )', 'ea', '0', '0', '0.00%', '980', '0', '0.00%', '2020-03-20 14:52:53'), (2182, 3, 3, 1, 'Herbal Pillow-Waist pad (Herbal Pillow-Waist pad )', 'ea', '0', '0', '0.00%', '1200', '0', '0.00%', '2020-03-20 14:52:53'), (2183, 3, 3, 1, 'Honey syrup (Honey syrup 1000ML)', 'Bot', '140', '0', '0.00%', '140', '0', '0.00%', '2020-03-20 14:52:53'), (2184, 3, 3, 1, 'Hot Choco Fudge (Hot Choco Fudge)', 'ea', '31.31', '0', '0.00%', '31.31', '0', '0.00%', '2020-03-20 14:52:53'), (2185, 3, 3, 1, 'Hugh Blend (Hugh Blend)', 'ea', '19.25', '0', '0.00%', '19.25', '0', '0.00%', '2020-03-20 14:52:53'), (2186, 3, 3, 1, 'Irish Cream (Irish Cream 750g/bot )', 'ML', '0.52', '0', '0.00%', '0.52', '0', '0.00%', '2020-03-20 14:52:53'), (2187, 3, 3, 1, 'Jufran sweet chili sauce (Jufran sweet chili sauce (1oog/bot))', 'Bot', '99.75', '0', '0.00%', '99.75', '0', '0.00%', '2020-03-20 14:52:53'), (2188, 3, 3, 1, 'Kaiser Buns Small (Kaiser Buns Small)', 'ea', '6.78', '67.8', '0.01%', '6.78', '67.8', '0.01%', '2020-03-20 14:52:53'), (2189, 3, 3, 1, 'Laughing Man (Laughing Man)', 'ea', '15.59', '31.18', '0.00%', '19.25', '38.5', '0.01%', '2020-03-20 14:52:53'), (2190, 3, 3, 1, 'Lemon Grass (Lemon Grass)', 'Bundle', '10.04', '31.31', '0.00%', '15.56', '48.55', '0.01%', '2020-03-20 14:52:53'), (2191, 3, 3, 1, 'Lemon grass Juice (Lemon grass Juice (350g/glass))', 'Grms', '0.2', '0', '0.00%', '0.19', '0', '0.00%', '2020-03-20 14:52:53'), (2192, 3, 3, 1, 'Macademia nut (Macademia nut)', 'ML', '0.52', '0', '0.00%', '0.52', '0', '0.00%', '2020-03-20 14:52:53'), (2193, 3, 3, 1, 'Mango Jam (320gm) (Mango Jam (320gm))', 'Grms', '0.26', '0', '0.00%', '0.26', '0', '0.00%', '2020-03-20 14:52:53'), (2194, 3, 3, 1, 'Mango Nectar Gina 240ml (Mango Nectar Gina 240ml)', 'Can', '31.85', '0', '0.00%', '31.85', '0', '0.00%', '2020-03-20 14:52:53'), (2195, 3, 3, 1, 'Maple Flavored Pancake Syrup (3 (Maple Flavored Pancake Syrup (355ml))', 'Bot', '86.4', '0', '0.00%', '86.4', '0', '0.00%', '2020-03-20 14:52:53'), (2196, 3, 3, 1, 'Moist cake base (Moist cake base)', 'ea', '332.7', '665.4', '0.07%', '332.7', '665.4', '0.08%', '2020-03-20 14:52:53'), (2197, 3, 3, 1, 'Moreau Wine (Moreau Wine 750ml )', 'Bot', '0', '0', '0.00%', '381.7', '0', '0.00%', '2020-03-20 14:52:53'), (2198, 3, 3, 1, 'Muscovado sugar (Muscovado sugar)', 'Grms', '0.03', '0', '0.00%', '0.03', '0', '0.00%', '2020-03-20 14:52:53'), (2199, 3, 3, 1, 'Nescafe Blend & Brew Orig (Nescafe Blend & Brew Orig 8(30x20g))', 'Pck', '5.44', '0', '0.00%', '5.44033', '0', '0.00%', '2020-03-20 14:52:53'), (2200, 3, 3, 1, 'Nescafe Brew Original (Nescafe Brew Original 36pcs/pack )', 'ea', '5.44', '1169.67', '0.13%', '5.44033', '1169.67', '0.14%', '2020-03-20 14:52:53'), (2201, 3, 3, 1, 'Nescafe Sticks 48x2g (Nescafe Sticks 48x2g )', 'ea', '1.9', '625.1', '0.07%', '1.9', '625.1', '0.07%', '2020-03-20 14:52:53'), (2202, 3, 3, 1, 'Nestea House Blend 200gx12 (Nestea House Blend 200gx12)', 'Grms', '0.08', '157.91', '0.02%', '0.07897', '157.94', '0.02%', '2020-03-20 14:52:53'), (2203, 3, 3, 1, 'Nestea Ice Tea (360gm) (Nestea Ice Tea (360gm))', 'Pck', '112.01', '0', '0.00%', '111.95', '0', '0.00%', '2020-03-20 14:52:53'), (2204, 3, 3, 1, 'Nestea Iced Tea Lemon (Nestea Iced Tea Lemon (450g/pck))', 'Grms', '0.22', '0', '0.00%', '0.22', '0', '0.00%', '2020-03-20 14:52:53'); INSERT INTO `eb_raw_materials` (`PK_raw_materials_id`, `FK_outlet_id`, `FK_category_id`, `status`, `material_name`, `unit`, `average_cost`, `asset_value`, `total_asset_percent`, `sales_price`, `retail_value`, `total_retail_percent`, `date_added`) VALUES (2205, 3, 3, 1, 'Nestea Restaurant Blend (Nestea Restaurant Blend )', 'Grms', '0.48', '0', '0.00%', '0.48', '0', '0.00%', '2020-03-20 14:52:53'), (2206, 3, 3, 1, 'Oreo Choco Creme 9s (Oreo Choco Creme 9s)', 'ea', '7.67', '0', '0.00%', '7.67', '0', '0.00%', '2020-03-20 14:52:53'), (2207, 3, 3, 1, 'Oreo Vanilla 9s (Oreo Vanilla 9s)', 'Pck', '69', '0', '0.00%', '69', '0', '0.00%', '2020-03-20 14:52:53'), (2208, 3, 3, 1, 'Paper Doll Frozen/Cindy (Paper Doll Frozen/Cindy)', 'ea', '20', '280', '0.03%', '20', '280', '0.03%', '2020-03-20 14:52:53'), (2209, 3, 3, 1, 'Paper Topper (Paper Topper)', 'ea', '20', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 14:52:53'), (2210, 3, 3, 1, 'Paper Towel Tissue (Paper Towel Tissue (30Rolls/Case) 175pcs/pack)', 'Pck', '32.55', '976.5', '0.11%', '32.55', '976.5', '0.12%', '2020-03-20 14:52:53'), (2211, 3, 3, 1, 'Pastry Bag (Green) (Pastry Bag (Green))', 'ea', '25', '0', '0.00%', '25', '0', '0.00%', '2020-03-20 14:52:53'), (2212, 3, 3, 1, 'Pauls Pure Full Cream Milk (Pauls Pure Full Cream Milk (1Lx12/case))', 'Pck', '55', '0', '0.00%', '55', '0', '0.00%', '2020-03-20 14:52:53'), (2213, 3, 3, 1, 'Peppermint 750ml (Peppermint 750ml )', 'Bot', '392', '0', '0.00%', '392', '0', '0.00%', '2020-03-20 14:52:53'), (2214, 3, 3, 1, 'Petals (Petals)', 'ea', '13', '0', '0.00%', '14', '0', '0.00%', '2020-03-20 14:52:53'), (2215, 3, 3, 1, 'Pike Place (Pike Place)', 'ea', '30.33', '0', '0.00%', '30.32', '0', '0.00%', '2020-03-20 14:52:53'), (2216, 3, 3, 1, '<NAME> (Pistacchio Gelato)', 'ea', '110', '220', '0.02%', '110', '220', '0.03%', '2020-03-20 14:52:53'), (2217, 3, 3, 1, 'Plain Cake 12x12 (Plain Cake 12x12 )', 'ea', '120.94', '0', '0.00%', '120.94', '0', '0.00%', '2020-03-20 14:52:53'), (2218, 3, 3, 1, 'Plastic Cup w/lid 12oz (Plastic Cup w/lid 12oz)', 'ea', '3.53', '0', '0.00%', '3.53', '0', '0.00%', '2020-03-20 14:52:53'), (2219, 3, 3, 1, 'Plastic Leaves (Plastic Leaves)', 'Pck', '13.52', '0', '0.00%', '13.52', '0', '0.00%', '2020-03-20 14:52:53'), (2220, 3, 3, 1, 'Pointed Flowers (Pointed Flowers)', 'ea', '15', '0', '0.00%', '15', '0', '0.00%', '2020-03-20 14:52:53'), (2221, 3, 3, 1, 'Powder Sugar (Powder Sugar )', 'Grms', '0.1', '1148.2', '0.12%', '0.09', '1008', '0.12%', '2020-03-20 14:52:53'), (2222, 3, 3, 1, 'Precut Napkin 2000s (Precut Napkin 2000s)', 'ea', '0.19', '0', '0.00%', '0.19', '0', '0.00%', '2020-03-20 14:52:53'), (2223, 3, 3, 1, 'Pretzels Berry Knots (Pretzels Berry Knots 28g)', 'Grms', '0.19', '0', '0.00%', '0.19', '0', '0.00%', '2020-03-20 14:52:53'), (2224, 3, 3, 1, 'Quaker Instant Oats (Quaker Instant Oats (800g/pck))', 'Grms', '0.12', '0', '0.00%', '0.12', '0', '0.00%', '2020-03-20 14:52:53'), (2225, 3, 3, 1, 'Rainbow Sprinkles (Rainbow Sprinkles )', 'Grms', '0.35', '1302', '0.14%', '0.35', '1302', '0.16%', '2020-03-20 14:52:53'), (2226, 3, 3, 1, 'Red Cherry 595ml (Red Cherry 595ml )', 'Bot', '197.66', '0', '0.00%', '187.61', '0', '0.00%', '2020-03-20 14:52:53'), (2227, 3, 3, 1, 'Red Cherry w/ stem 1050 (Red Cherry w/ stem 1050ml )', 'Bot', '310.88', '621.76', '0.07%', '310.9', '621.8', '0.07%', '2020-03-20 14:52:53'), (2228, 3, 3, 1, 'Royal in can (330ml 1x24) (Royal in can (330ml 1x24))', 'Can', '24.92', '1021.59', '0.11%', '24.91667', '1021.58', '0.12%', '2020-03-20 14:52:53'), (2229, 3, 3, 1, 'Salted Caramel Gelato (Salted Caramel Gelato)', 'ea', '123.2', '492.8', '0.05%', '123.2', '492.8', '0.06%', '2020-03-20 14:52:53'), (2230, 3, 3, 1, 'San Fransisco Bay (San Fransisco Bay)', 'ea', '15.59', '93.54', '0.01%', '15.59', '93.54', '0.01%', '2020-03-20 14:52:53'), (2231, 3, 3, 1, 'San Mig Light in Can (San Mig Light in Can)', 'Can', '44', '0', '0.00%', '44', '0', '0.00%', '2020-03-20 14:52:53'), (2232, 3, 3, 1, 'San Mig Pale Pilsen in Can (San Mig Pale Pilsen in Can )', 'Can', '44', '528', '0.06%', '44', '528', '0.06%', '2020-03-20 14:52:53'), (2233, 3, 3, 1, 'Savor Classic 130g (Savor Classic 130g )', 'ea', '35.56', '617.62', '0.07%', '35.54792', '617.47', '0.07%', '2020-03-20 14:52:53'), (2234, 3, 3, 1, 'Selecta Vanilla (Selecta Vanilla 1.5L)', 'gal', '0', '0', '0.00%', '230', '0', '0.00%', '2020-03-20 14:52:53'), (2235, 3, 3, 1, 'SMART LOAD (Smart Load)', 'ea', '1', '39886.79', '4.30%', '1', '39886.79', '4.75%', '2020-03-20 14:52:53'), (2236, 3, 3, 1, 'Sofia Figurine local (Sofia Figurine local )', 'ea', '32', '256', '0.03%', '35', '280', '0.03%', '2020-03-20 14:52:53'), (2237, 3, 3, 1, 'Spaghetti MeatSauce (Spaghetti MeatSauce)', 'ea', '50.18', '602.16', '0.07%', '50.18', '602.16', '0.07%', '2020-03-20 14:52:53'), (2238, 3, 3, 1, 'Spiderman Figurine Imported (Spiderman Figurine Imported)', 'ea', '65', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 14:52:53'), (2239, 3, 3, 1, 'Spiderman Figurine local (Spiderman Figurine local )', 'ea', '32', '0', '0.00%', '35', '0', '0.00%', '2020-03-20 14:52:53'), (2240, 3, 3, 1, 'Spiderman Styro (Spiderman Styro )', 'ea', '16', '79.99', '0.01%', '16', '80', '0.01%', '2020-03-20 14:52:53'), (2241, 3, 3, 1, 'Sponge cake Plain (Sponge cake Plain)', 'ea', '136.42', '0', '0.00%', '136.42', '0', '0.00%', '2020-03-20 14:52:53'), (2242, 3, 3, 1, 'Sprinkle Christmas Tree (Sprinkle Christmas Tree)', 'Pck', '68', '0', '0.00%', '68', '0', '0.00%', '2020-03-20 14:52:53'), (2243, 3, 3, 1, 'Sprite 2L (Sprite per bottle 2L )', 'Bot', '0', '0', '0.00%', '51.5', '0', '0.00%', '2020-03-20 14:52:53'), (2244, 3, 3, 1, 'Sprite in can (Sprite in can)', 'Can', '24.92', '1968.41', '0.21%', '24.91667', '1968.42', '0.23%', '2020-03-20 14:52:53'), (2245, 3, 3, 1, 'Star Sprinkles (Star Sprinkles )', 'Grms', '0.68', '136', '0.02%', '0.68', '136', '0.02%', '2020-03-20 14:52:53'), (2246, 3, 3, 1, 'Stick Candle small (Stick Candle small)', 'ea', '5', '0', '0.00%', '5', '0', '0.00%', '2020-03-20 14:52:53'), (2247, 3, 3, 1, 'Stick O 480g (Stick O 480g )', 'ea', '0.51', '0', '0.00%', '0.51', '0', '0.00%', '2020-03-20 14:52:53'), (2248, 3, 3, 1, 'Stick o Big Choco 850g (Stick o Big Choco 850g)', 'Bot', '109.5', '109.5', '0.01%', '109.5', '109.5', '0.01%', '2020-03-20 14:52:53'), (2249, 3, 3, 1, 'Strawberry square (Strawberry square)', 'ea', '37.44', '0', '0.00%', '37.44', '0', '0.00%', '2020-03-20 14:52:53'), (2250, 3, 3, 1, 'Styro Baptismal (Styro Baptismal)', 'ea', '15', '0', '0.00%', '15', '0', '0.00%', '2020-03-20 14:52:53'), (2251, 3, 3, 1, 'Styro Cars (Styro Cars)', 'ea', '16', '191.96', '0.02%', '16', '192', '0.02%', '2020-03-20 14:52:53'), (2252, 3, 3, 1, 'Styro Castle (big) (Styro Castle (big))', 'ea', '41.88', '0', '0.00%', '45', '0', '0.00%', '2020-03-20 14:52:53'), (2253, 3, 3, 1, 'Styro Castle (s) (Styro Castle (s) )', 'ea', '37.94', '227.64', '0.03%', '38', '228', '0.03%', '2020-03-20 14:52:53'), (2254, 3, 3, 1, 'Styro Character (Styro Character)', 'ea', '16', '0', '0.00%', '16', '0', '0.00%', '2020-03-20 14:52:53'), (2255, 3, 3, 1, 'Styro Dora (Styro Dora)', 'ea', '13', '39', '0.00%', '13', '39', '0.01%', '2020-03-20 14:52:53'), (2256, 3, 3, 1, 'Styro Elsa (Styro Elsa)', 'ea', '15.94', '159.36', '0.02%', '16', '160', '0.02%', '2020-03-20 14:52:53'), (2257, 3, 3, 1, 'Styro Happy 18th Birthday (Styro Happy 18th Birthday)', 'ea', '14.61', '0', '0.00%', '14.61', '0', '0.00%', '2020-03-20 14:52:53'), (2258, 3, 3, 1, 'Styro happy Christianing (Styro Happy Christianing)', 'ea', '15.88', '190.59', '0.02%', '16', '192', '0.02%', '2020-03-20 14:52:53'), (2259, 3, 3, 1, 'Styro Happy Wedding (Styro Happy Wedding)', 'ea', '15', '0', '0.00%', '15', '0', '0.00%', '2020-03-20 14:52:53'), (2260, 3, 3, 1, 'Styro Hello Kitty (Styro Hello Kitty)', 'ea', '15.83', '221.57', '0.02%', '16', '224', '0.03%', '2020-03-20 14:52:53'), (2261, 3, 3, 1, 'Styro Mickey Mouse (Styro Mickey Mouse)', 'ea', '15.68', '94.09', '0.01%', '30', '180', '0.02%', '2020-03-20 14:52:53'), (2262, 3, 3, 1, 'Styro Minions (Styro Minions)', 'ea', '15.37', '138.29', '0.02%', '16', '144', '0.02%', '2020-03-20 14:52:53'), (2263, 3, 3, 1, 'Styro Pooh (Styro Pooh)', 'ea', '15', '0', '0.00%', '15', '0', '0.00%', '2020-03-20 14:52:53'), (2264, 3, 3, 1, 'Styro Princess (Styro Princess)', 'ea', '49.5', '396', '0.04%', '49.5', '396', '0.05%', '2020-03-20 14:52:53'), (2265, 3, 3, 1, 'Styro Sofia (Styro Sofia)', 'ea', '15.33', '276.02', '0.03%', '16', '288', '0.03%', '2020-03-20 14:52:53'), (2266, 3, 3, 1, 'Styro Spongebob (Styro Spongebob)', 'ea', '16', '112', '0.01%', '16', '112', '0.01%', '2020-03-20 14:52:53'), (2267, 3, 3, 1, 'Styro Superman (Styro Superman)', 'ea', '16', '112', '0.01%', '15.36', '107.52', '0.01%', '2020-03-20 14:52:53'), (2268, 3, 3, 1, 'Styro Tinkerbell (Styro Tinkerbell)', 'ea', '15.94', '286.93', '0.03%', '16', '288', '0.03%', '2020-03-20 14:52:53'), (2269, 3, 3, 1, 'Sugar free straw Berry syrup ( (Sugar free straw Berry syrup (Torani))', 'ML', '0.52', '0', '0.00%', '0.52', '0', '0.00%', '2020-03-20 14:52:53'), (2270, 3, 3, 1, 'Sugar syrup (Sugar syrup)', 'Grms', '0.06', '0', '0.00%', '0.06', '0', '0.00%', '2020-03-20 14:52:53'), (2271, 3, 3, 1, 'SUN LOAD (Sun Load)', 'ea', '0.85', '17301.16', '1.86%', '1', '20301.16', '2.42%', '2020-03-20 14:52:53'), (2272, 3, 3, 1, 'Sunflower icing (Sunflower icing)', 'ea', '17.19', '893.75', '0.10%', '18', '936', '0.11%', '2020-03-20 14:52:53'), (2273, 3, 3, 1, 'Sunflower PlanGer 4pcs/set (Sunflower PlanGer 4pcs/set)', 's', '325', '0', '0.00%', '325', '0', '0.00%', '2020-03-20 14:52:53'), (2274, 3, 3, 1, 'Sunflower small (Sunflower small)', 'Pck', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 14:52:53'), (2275, 3, 3, 1, 'Super Stick Choco 480g (Super Stick Choco 480g)', 'Tumbler', '50.15', '0', '0.00%', '50.15', '0', '0.00%', '2020-03-20 14:52:53'), (2276, 3, 3, 1, 'Super Stick Choco 960g (Super Stick Choco 960g)', 'Bot', '98.15', '154.09', '0.02%', '98.15', '154.1', '0.02%', '2020-03-20 14:52:53'), (2277, 3, 3, 1, 'Tang Orange 675g/525g (Tang Orange 675g/525g)', 'Pck', '286.46', '0', '0.00%', '298.5', '0', '0.00%', '2020-03-20 14:52:53'), (2278, 3, 3, 1, 'Tang Orange Juice (350gm) (Tang orange juice 350gm)', 'Pck', '171.2', '1712', '0.18%', '199.5', '1995', '0.24%', '2020-03-20 14:52:53'), (2279, 3, 3, 1, 'Tinker Bell Fig. Local (Tinker Bell Fig. Local)', 'ea', '35', '0', '0.00%', '30', '0', '0.00%', '2020-03-20 14:52:53'), (2280, 3, 3, 1, 'Toasted Marshmallow (Toasted Marshmallow 750ml )', 'Bot', '392', '0', '0.00%', '392', '0', '0.00%', '2020-03-20 14:52:53'), (2281, 3, 3, 1, 'Torani Almond Rocca 750ml (Torani Almond Rocca 750ml)', 'Bot', '0', '0', '0.00%', '392', '0', '0.00%', '2020-03-20 14:52:53'), (2282, 3, 3, 1, 'Torani Hazelnut 750ml (orani Hazelnut 750ml)', 'ML', '0', '0', '0.00%', '0.52', '0', '0.00%', '2020-03-20 14:52:53'), (2283, 3, 3, 1, 'Umbrella picks (Umbrella picks )', 'ea', '1.46', '0', '0.00%', '2.71', '0', '0.00%', '2020-03-20 14:52:53'), (2284, 3, 3, 1, 'Virgies Wild honey 325ml (Virgies Wild honey 325ml)', 'Bot', '103.5', '0', '0.00%', '103.5', '0', '0.00%', '2020-03-20 14:52:53'), (2285, 3, 3, 1, 'Viva Mineral Water (Viva Mineral Water)', 'Bot', '0', '0', '0.00%', '10.42', '0', '0.00%', '2020-03-20 14:52:53'), (2286, 3, 3, 1, 'Water refill (Water refill at Warehouse)', 'Cont.', '30', '30', '0.00%', '50', '50', '0.01%', '2020-03-20 14:52:53'), (2287, 3, 3, 1, 'Waterade 500ml (Waterade 500ml )', 'Bot', '6.5', '0', '0.00%', '9.5', '0', '0.00%', '2020-03-20 14:52:53'), (2288, 3, 3, 1, 'White sugar (White sugar)', 'Grms', '0.05', '0', '0.00%', '0.05', '0', '0.00%', '2020-03-20 14:52:53'), (2289, 3, 3, 1, 'Wilderness Red Ruby Cherry 210o (Wilderness Red Ruby Cherry 210oz)', 'Bot', '163.2', '0', '0.00%', '164.44', '0', '0.00%', '2020-03-20 14:52:53'), (2290, 3, 3, 1, 'Zest O orange juice (Zest O orange juice (200ml))', 'ea', '5.55', '0', '0.00%', '5.55', '0', '0.00%', '2020-03-20 14:52:53'), (2291, 3, 4, 1, 'Solaine 11kg (Solaine 11kg)', 'Kls', '85.34', '4693.76', '0.51%', '87.45455', '4810', '0.57%', '2020-03-20 14:57:04'), (2292, 3, 4, 1, 'Solaine 50kg (Solaine 50kg)', 'Kls', '74.13', '25946.21', '2.80%', '76.2584', '26690.44', '3.18%', '2020-03-20 14:57:04'), (2293, 3, 5, 1, 'Aji Ginisa Mix 100g (Aji Ginisa Mix 100g)', 'Pck', '20.51', '0', '0.00%', '22.65', '0', '0.00%', '2020-03-20 14:59:36'), (2294, 3, 5, 1, 'Al Dante Fettuccini (Al Dante Fettuccini)', 'Grms', '0.18', '0', '0.00%', '0.13', '0', '0.00%', '2020-03-20 14:59:36'), (2295, 3, 5, 1, 'Al Dente Fetuccine Dona Elena (Al Dente Fetuccine Dona Elena 500g)', 'Pck', '66.4', '0', '0.00%', '66.4', '0', '0.00%', '2020-03-20 14:59:36'), (2296, 3, 5, 1, 'All purpose flour (All Purpose Flour)', 'Grms', '0.04', '0', '0.00%', '0.04', '0', '0.00%', '2020-03-20 14:59:36'), (2297, 3, 5, 1, 'All Spiced 32g (All Spiced 32g/Bottle)', 'Bot', '0', '0', '0.00%', '62.4', '0', '0.00%', '2020-03-20 14:59:36'), (2298, 3, 5, 1, 'Almond Sliced (Almond Sliced 100gms/pack )', 'Grms', '1.11', '0', '0.00%', '1.07', '0', '0.00%', '2020-03-20 14:59:36'), (2299, 3, 5, 1, 'Alsatian (Alsatian)', 'Ptn', '390.53', '0', '0.00%', '325.1', '0', '0.00%', '2020-03-20 14:59:36'), (2300, 3, 5, 1, 'Aluminum Foil (Aluminum Foil )', 'Roll', '674.21', '674.21', '0.07%', '750', '750', '0.09%', '2020-03-20 14:59:36'), (2301, 3, 5, 1, 'Anchovies (Anchovies 365g/Can )', 'Grms', '0.59', '0', '0.00%', '1.53', '0', '0.00%', '2020-03-20 14:59:36'), (2302, 3, 5, 1, 'Apple (Apple)', 'ea', '24.78', '0', '0.00%', '25', '0', '0.00%', '2020-03-20 14:59:36'), (2303, 3, 5, 1, 'Argentina Corned Beef 150g (Argentina Corned Beef 150g )', 'Can', '0', '0', '0.00%', '50', '0', '0.00%', '2020-03-20 14:59:36'), (2304, 3, 5, 1, 'Argentina Corned beef 175g (Argentina Corned beef 175g )', 'Can', '0', '0', '0.00%', '33.25', '0', '0.00%', '2020-03-20 14:59:36'), (2305, 3, 5, 1, 'Asparagus (Asparagus )', 'Grms', '0.2', '0', '0.00%', '0.07', '0', '0.00%', '2020-03-20 14:59:36'), (2306, 3, 5, 1, 'Atsal (Atsal)', 'Grms', '0.12', '0', '0.00%', '0.04', '0', '0.00%', '2020-03-20 14:59:36'), (2307, 3, 5, 1, 'Avocado (Avocado)', 'Grms', '0.07', '70', '0.01%', '0.05', '50', '0.01%', '2020-03-20 14:59:36'), (2308, 3, 5, 1, 'Bacon (Bacon)', 'Grms', '0.36', '2160', '0.23%', '0.36', '2160', '0.26%', '2020-03-20 14:59:36'), (2309, 3, 5, 1, 'Bariles (Bariles)', 'Grms', '0.16', '0', '0.00%', '0.28', '0', '0.00%', '2020-03-20 14:59:36'), (2310, 3, 5, 1, 'BBQ Marinated Clara Ole (BBQ Marinated Clara Ole 225g/Pack )', 'Pck', '0', '0', '0.00%', '35.15', '0', '0.00%', '2020-03-20 14:59:36'), (2311, 3, 5, 1, 'BBQ Marinated sauce Hickory (BBQ Marinated sauce Hickory 225g/Pack )', 'Pck', '31.65', '0', '0.00%', '31.65', '0', '0.00%', '2020-03-20 14:59:36'), (2312, 3, 5, 1, 'BBQ Marinated sauce Mamasitas (BBQ Marinated sauce Mamasitas 680ml/Bot )', 'Bot', '0', '0', '0.00%', '97.1', '0', '0.00%', '2020-03-20 14:59:36'), (2313, 3, 5, 1, 'Beef & Herbs Gravy 30g (Beef & Herbs Gravy 30g/Pack )', 'Pck', '20.8', '0', '0.00%', '20.8', '0', '0.00%', '2020-03-20 14:59:36'), (2314, 3, 5, 1, 'Beef Cubes (Beef Cubes 60pcsx10gms/pail )', 'ea', '4.32', '0', '0.00%', '4.73', '0', '0.00%', '2020-03-20 14:59:36'), (2315, 3, 5, 1, 'Beef Tapa 80gm (Beef Tampa 80gm)', 'Ptn', '40.87', '1266.97', '0.14%', '44.94', '1393.14', '0.17%', '2020-03-20 14:59:36'), (2316, 3, 5, 1, 'Beef Tocino (245gm/pack) (Beef Tocino (245gm/pack))', 'Pck', '66.15', '0', '0.00%', '66.15', '0', '0.00%', '2020-03-20 14:59:36'), (2317, 3, 5, 1, 'Beef Tocino 80gm (Beef Tocino 80gm)', 'Ptn', '25.21', '0', '0.00%', '26.28', '0', '0.00%', '2020-03-20 14:59:36'), (2318, 3, 5, 1, 'Black Olive Slice 165g (Black Olive Slice 165g/bot )', 'Grms', '0.35', '0', '0.00%', '0.35', '0', '0.00%', '2020-03-20 14:59:36'), (2319, 3, 5, 1, 'Black Olive Slice 310g (Black Olive Slice 310g/Bot )', 'Grms', '0.25', '0', '0.00%', '0.29', '0', '0.00%', '2020-03-20 14:59:36'), (2320, 3, 5, 1, 'Black Pepper (Black Pepper)', 'Grms', '0.54', '86.88', '0.01%', '0.6', '97.2', '0.01%', '2020-03-20 14:59:36'), (2321, 3, 5, 1, 'Black Pepper 250g (Black Pepper 250g/Pack )', 'Grms', '0.85', '0', '0.00%', '0.85', '0', '0.00%', '2020-03-20 14:59:36'), (2322, 3, 5, 1, 'Black Pepper 25g (Black Pepper 25g)', 'Can', '25.75', '0', '0.00%', '25.75', '0', '0.00%', '2020-03-20 14:59:36'), (2323, 3, 5, 1, 'Black Pepper 500g (Black Pepper 500g/Pack )', 'Grms', '0.94', '0', '0.00%', '0.94', '0', '0.00%', '2020-03-20 14:59:36'), (2324, 3, 5, 1, 'Black Pepper 50g (Black Pepper 50g)', 'Bot', '49', '147', '0.02%', '51.5', '154.5', '0.02%', '2020-03-20 14:59:36'), (2325, 3, 5, 1, 'Bolognaise sauce (Bolognaise sauce)', 'Ptn', '21.81', '0', '0.00%', '21.81', '0', '0.00%', '2020-03-20 14:59:36'), (2326, 3, 5, 1, 'Brown sauce (Brown sauce)', 'Ptn', '4.84', '150.04', '0.02%', '4.84', '150.04', '0.02%', '2020-03-20 14:59:36'), (2327, 3, 5, 1, 'Bulalo (Bulalo)', 'Ptn', '198.94', '0', '0.00%', '198.94', '0', '0.00%', '2020-03-20 14:59:36'), (2328, 3, 5, 1, 'Burger buns Big (Burger buns Big)', 'ea', '14.76', '0', '0.00%', '21.6', '0', '0.00%', '2020-03-20 14:59:36'), (2329, 3, 5, 1, 'Burger buns Small (Burger buns Small)', 'ea', '6.78', '13.56', '0.00%', '6.78', '13.56', '0.00%', '2020-03-20 14:59:36'), (2330, 3, 5, 1, 'Cabbage kls (Cabbage kls)', 'Kls', '47.09', '0', '0.00%', '50', '0', '0.00%', '2020-03-20 14:59:36'), (2331, 3, 5, 1, 'Cabbage Pcs (Cabbage Pcs)', 'ea', '45', '0', '0.00%', '21', '0', '0.00%', '2020-03-20 14:59:36'), (2332, 3, 5, 1, 'Carrots (Carrots)', 'Grms', '0.05', '11', '0.00%', '0.033', '6.93', '0.00%', '2020-03-20 14:59:36'), (2333, 3, 5, 1, 'Cashew Nuts (Cashew Nuts )', 'Grms', '0.48', '0', '0.00%', '0.48', '0', '0.00%', '2020-03-20 14:59:36'), (2334, 3, 5, 1, 'Ceasar\'s Dressing (Ceasar\'s Dressing)', 'Grms', '0.09', '0', '0.00%', '0.09', '0', '0.00%', '2020-03-20 14:59:36'), (2335, 3, 5, 1, 'Century Tuna 155g (Century Tuna Flakes in Vege Oil 155g)', 'Can', '27.3', '0', '0.00%', '27.3', '0', '0.00%', '2020-03-20 14:59:36'), (2336, 3, 5, 1, 'Century Tuna 420g (Century Tuna 420g)', 'Can', '54.4', '0', '0.00%', '54.4', '0', '0.00%', '2020-03-20 14:59:36'), (2337, 3, 5, 1, 'Century Tuna Chuncks in Water (Century Tuna Chuncks in Water 1705g)', 'Can', '0', '0', '0.00%', '415.45', '0', '0.00%', '2020-03-20 14:59:36'), (2338, 3, 5, 1, 'Century Tuna Flakes in Oil 180g (Century Tuna Flakes in Oil 180g)', 'Can', '32.55', '0', '0.00%', '33', '0', '0.00%', '2020-03-20 14:59:36'), (2339, 3, 5, 1, 'Cheese Powder (Cheese Powder 100g/pack )', 'Grms', '0.11', '0', '0.00%', '0.51', '0', '0.00%', '2020-03-20 14:59:36'), (2340, 3, 5, 1, 'CheezeMiz Powder 200g (CheezeMiz Powder 200g)', 'Grms', '0.1', '61.2', '0.01%', '0.1071', '64.26', '0.01%', '2020-03-20 14:59:36'), (2341, 3, 5, 1, 'Chicharon 30g (Chicharon 30g)', 'Pck', '17.05', '0', '0.00%', '17.05', '0', '0.00%', '2020-03-20 14:59:36'), (2342, 3, 5, 1, 'chicharon (market) (chicharon (market))', 'Kls', '100', '0', '0.00%', '280', '0', '0.00%', '2020-03-20 14:59:36'), (2343, 3, 5, 1, 'Chick Fill (Sesame Chicken Fillet)', 'Ptn', '9.28', '0', '0.00%', '9.28', '0', '0.00%', '2020-03-20 14:59:36'), (2344, 3, 5, 1, 'Chicken Cubes (Chicken Cubes )', 'ea', '4.3', '408.82', '0.04%', '4.30333', '408.82', '0.05%', '2020-03-20 14:59:36'), (2345, 3, 5, 1, 'Chicken Cubes 60pcs/tumbler (Chicken Cubes 60pcsx10gms/pail)', 'ea', '4.3', '0', '0.00%', '4.30333', '0', '0.00%', '2020-03-20 14:59:36'), (2346, 3, 5, 1, 'Chicken curry meat 130gm (Chicken curry meat 130gm)', 'Ptn', '41.29', '165.14', '0.02%', '48.83', '195.32', '0.02%', '2020-03-20 14:59:36'), (2347, 3, 5, 1, 'Chicken Powder (Chicken Powder )', 'Grms', '0.35', '676.66', '0.07%', '0.3506', '676.66', '0.08%', '2020-03-20 14:59:36'), (2348, 3, 5, 1, 'Chicken Tandori (Chicken Tandori)', 'Ptn', '51.04', '0', '0.00%', '51.04', '0', '0.00%', '2020-03-20 14:59:36'), (2349, 3, 5, 1, 'Chicken Tocino 275gm/pack (Chicken Tocino 275gm/pack)', 'Pck', '60.5', '0', '0.00%', '60.5', '0', '0.00%', '2020-03-20 14:59:36'), (2350, 3, 5, 1, 'Chicken Tocino 90gm (Chicken Tocino 90gm)', 'Ptn', '29.81', '0', '0.00%', '30.81', '0', '0.00%', '2020-03-20 14:59:36'), (2351, 3, 5, 1, 'Chicken wings 90gm (Chicken wings 90gm)', 'Ptn', '26.92', '0', '0.00%', '33.07', '0', '0.00%', '2020-03-20 14:59:36'), (2352, 3, 5, 1, 'Chili Flakes 25g (Chili Flakes 25g)', 'Can', '24', '0', '0.00%', '24', '0', '0.00%', '2020-03-20 14:59:36'), (2353, 3, 5, 1, 'Chili Flakes 35g (Chili Flakes 35g)', 'Bot', '28.75', '86.25', '0.01%', '28.75', '86.25', '0.01%', '2020-03-20 14:59:36'), (2354, 3, 5, 1, 'Chopsoy Patis 750ml (Chopsoy Patis 750ml)', 'gal', '26.5', '0', '0.00%', '26.5', '0', '0.00%', '2020-03-20 14:59:36'), (2355, 3, 5, 1, 'Chopsoy Soy Sauce (Chopsoy Soy Sauce (1gal))', 'gal', '79', '0', '0.00%', '79', '0', '0.00%', '2020-03-20 14:59:36'), (2356, 3, 5, 1, 'Clams (Clams)', 'Grms', '0.12', '0', '0.00%', '0.06', '0', '0.00%', '2020-03-20 14:59:36'), (2357, 3, 5, 1, 'Colicot (Colicot)', 'Grms', '0.08', '5', '0.00%', '0.07', '4.2', '0.00%', '2020-03-20 14:59:36'), (2358, 3, 5, 1, 'Corn Oil- Marca Leon 450ml (Corn Oil- Marca Leon 450ml)', 'ML', '0.14', '0', '0.00%', '0.1682', '0', '0.00%', '2020-03-20 14:59:36'), (2359, 3, 5, 1, 'Cranberries 100g (Cranberries 100g )', 'Grms', '0.29', '0', '0.00%', '0.29', '0', '0.00%', '2020-03-20 14:59:36'), (2360, 3, 5, 1, 'Crapers in Vinegar Dona Elena (Crapers in Vinegar Dona Elena 340g/bot)', 'Bot', '136', '0', '0.00%', '141.45', '0', '0.00%', '2020-03-20 14:59:36'), (2361, 3, 5, 1, 'cs Joms Cheese Powder 30G (cs Joms Cheese Powder 30G)', 'Pck', '11.75', '23.5', '0.00%', '16.5', '33', '0.00%', '2020-03-20 14:59:36'), (2362, 3, 5, 1, 'CS TJ Cry Powder 25g (CS TJ Cry Powder 25g)', 'Pck', '9.05', '0', '0.00%', '9.05', '0', '0.00%', '2020-03-20 14:59:36'), (2363, 3, 5, 1, 'Cucumber (Cucumber)', 'Grms', '0.02', '6.12', '0.00%', '0.024', '6.74', '0.00%', '2020-03-20 14:59:36'), (2364, 3, 5, 1, 'Curry Powder (Curry Powder 539/can )', 'Grms', '0.81', '0', '0.00%', '1.21', '0', '0.00%', '2020-03-20 14:59:36'), (2365, 3, 5, 1, 'Curry POwder 50g (Curry POwder 50g)', 'Pck', '43', '0', '0.00%', '43', '0', '0.00%', '2020-03-20 14:59:36'), (2366, 3, 5, 1, '<NAME> (Curry Sauce (80g/Ptn))', 'Ptn', '0.13', '0', '0.00%', '0.13', '0', '0.00%', '2020-03-20 14:59:36'), (2367, 3, 5, 1, '<NAME> (Dahon Laurel)', 'ea', '5', '0', '0.00%', '0', '0', '0.00%', '2020-03-20 14:59:36'), (2368, 3, 5, 1, 'Datu Puti Patis 350ml (Datu Puti Patis 350ml)', 'ea', '20.35', '0', '0.00%', '20.35', '0', '0.00%', '2020-03-20 14:59:36'), (2369, 3, 5, 1, 'Datu Puti Vinegar (Datu Puti Vinegar 1 gal (1893ml))', 'ML', '0.04', '35', '0.00%', '0.03', '30', '0.00%', '2020-03-20 14:59:36'), (2370, 3, 5, 1, 'Del Monte Carbonara Pasta (Del Monte Carbonara Pasta)', 'Pck', '32.7', '98.1', '0.01%', '32.7', '98.1', '0.01%', '2020-03-20 14:59:36'), (2371, 3, 5, 1, 'DM Spaghetti (Del Monte Spaghetti)', 'Grms', '0.08', '-0.01', '0.00%', '0.0841', '0', '0.00%', '2020-03-20 14:59:36'), (2372, 3, 5, 1, '<NAME> 56g (Don<NAME>ini 56g)', 'Pck', '98.8', '0', '0.00%', '98.8', '0', '0.00%', '2020-03-20 14:59:36'), (2373, 3, 5, 1, 'Durian Preserve CS Jeya (Durian Preserve CS Jeya 120oz/ 340g )', 'Bot', '0', '0', '0.00%', '125', '0', '0.00%', '2020-03-20 14:59:36'), (2374, 3, 5, 1, 'Durian Preserve CS Neneng 380g (Durian Preserve CS Neneng 380g )', 'Bot', '0', '0', '0.00%', '120.4', '0', '0.00%', '2020-03-20 14:59:36'), (2375, 3, 5, 1, 'Eden Melt Cheese 450g (Eden Melt Cheese 450g)', 'Bar', '163.21', '7018.2', '0.76%', '169.85', '7303.55', '0.87%', '2020-03-20 14:59:36'), (2376, 3, 5, 1, 'Egg Noodles (Egg Noodles )', 'Pck', '0', '0', '0.00%', '93', '0', '0.00%', '2020-03-20 14:59:36'), (2377, 3, 5, 1, 'Egg white (Egg white)', 'Kls', '10', '0', '0.00%', '10', '0', '0.00%', '2020-03-20 14:59:36'), (2378, 3, 5, 1, 'Egg yolk (Egg yolk)', 'Kls', '20', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 14:59:36'), (2379, 3, 5, 1, 'Femme Cocktail Table Napkin (Femme Cocktail Table Napkin 2PLY0PL)', 'Pck', '11.5', '506', '0.06%', '11.5', '506', '0.06%', '2020-03-20 14:59:36'), (2380, 3, 5, 1, 'Fish Pillet 40gm (Fish Pillet 40gm)', 'Ptn', '33.77', '506.55', '0.06%', '37.11', '556.65', '0.07%', '2020-03-20 14:59:36'), (2381, 3, 5, 1, 'French Fries (French Fries )', 'Grms', '0.1', '579.64', '0.06%', '0.095', '579.5', '0.07%', '2020-03-20 14:59:36'), (2382, 3, 5, 1, 'Fried Garlic (Fried Garlic)', 'Grms', '0.27', '68.28', '0.01%', '0.27313', '68.28', '0.01%', '2020-03-20 14:59:36'), (2383, 3, 5, 1, 'Garlic (Garlic)', 'Grms', '0.17', '493.93', '0.05%', '0.1', '293.3', '0.04%', '2020-03-20 14:59:36'), (2384, 3, 5, 1, 'Garlic Granulated (Garlic Granulated 45g/bot )', 'Bot', '0', '0', '0.00%', '71.35', '0', '0.00%', '2020-03-20 14:59:36'), (2385, 3, 5, 1, 'Gata (Gata)', 'Grms', '0.08', '80', '0.01%', '0.08', '80', '0.01%', '2020-03-20 14:59:36'), (2386, 3, 5, 1, 'Gelatine (Gelatine )', 'Grms', '0.07', '49', '0.01%', '0.007', '4.9', '0.00%', '2020-03-20 14:59:36'), (2387, 3, 5, 1, 'Gideon Chicken (Gideon Chicken)', 'Ptn', '55.39', '0', '0.00%', '55.39', '0', '0.00%', '2020-03-20 14:59:36'), (2388, 3, 5, 1, 'Ginger (Ginger)', 'Grms', '0.11', '232.7', '0.03%', '0.09', '188.19', '0.02%', '2020-03-20 14:59:36'), (2389, 3, 5, 1, 'Goat Cheese (Goat Cheese )', 'Grms', '0.8', '0', '0.00%', '0.8', '0', '0.00%', '2020-03-20 14:59:36'), (2390, 3, 5, 1, 'Grapes - Pack (Grapes - Pack)', 'Pck', '50', '0', '0.00%', '50', '0', '0.00%', '2020-03-20 14:59:36'), (2391, 3, 5, 1, 'Gravy Mix Knorr (Gravy Mix Knorr )', 'Grms', '0.38', '0', '0.00%', '0.38', '0', '0.00%', '2020-03-20 14:59:36'), (2392, 3, 5, 1, 'Gruyere Block (Gruyere Block )', 'Grms', '1.16', '0', '0.00%', '1.16', '0', '0.00%', '2020-03-20 14:59:36'), (2393, 3, 5, 1, 'Gulaman (Gulaman 90g/pack )', 'Grms', '0.54', '0', '0.00%', '0.54', '0', '0.00%', '2020-03-20 14:59:36'), (2394, 3, 5, 1, 'Hand towel tissue (Hand towel tissue(30packs/case))', 'Pck', '32.55', '781.2', '0.08%', '43.33', '1039.92', '0.12%', '2020-03-20 14:59:36'), (2395, 3, 5, 1, 'Hobe Special Bihon 227g (Hobe Special Bihon 227g)', 'Pck', '17', '9.69', '0.00%', '15.4', '8.78', '0.00%', '2020-03-20 14:59:36'), (2396, 3, 5, 1, 'Hobe Special Palabok 454g (Hobe Special Palabok 454g)', 'Ptn', '29.69', '0', '0.00%', '29.21', '0', '0.00%', '2020-03-20 14:59:36'), (2397, 3, 5, 1, 'Hoisen Sauce (Hoisen Sauce 240ml/bot )', 'Bot', '93.76', '0', '0.00%', '93.75', '0', '0.00%', '2020-03-20 14:59:36'), (2398, 3, 5, 1, 'Honey Cems Prime Brand (Honey Cems Prime Brand 1L )', 'Bot', '254.5', '509', '0.06%', '237.6', '475.2', '0.06%', '2020-03-20 14:59:36'), (2399, 3, 5, 1, 'Hungarian Sausages (Hungarian Sausages 1KL/pack X 6pcs )', 'Grms', '0.08', '0', '0.00%', '0.31', '0', '0.00%', '2020-03-20 14:59:36'), (2400, 3, 5, 1, 'Italian Seasoning (Italian Seasoning 10g/bot )', 'Grms', '6.54', '65.4', '0.01%', '6.54', '65.4', '0.01%', '2020-03-20 14:59:36'), (2401, 3, 5, 1, '<NAME> 60g (Pork Chicharon 60g)', 'Ptn', '39', '0', '0.00%', '39', '0', '0.00%', '2020-03-20 14:59:36'), (2402, 3, 5, 1, '<NAME> 80g (Pork Chicharon 80g)', 'Ptn', '52', '0', '0.00%', '48', '0', '0.00%', '2020-03-20 14:59:36'), (2403, 3, 5, 1, 'Japanese Chili Pads (Japanese Chili Pads)', 'Pck', '89.95', '89.95', '0.01%', '89.95', '89.95', '0.01%', '2020-03-20 14:59:36'), (2404, 3, 5, 1, 'Jufran Hot Sauce (Jufran Hot Sauce)', 'Bot', '21.55', '0', '0.00%', '18.1', '0', '0.00%', '2020-03-20 14:59:36'), (2405, 3, 5, 1, 'Jufran Sweet Chili Sauce (Jufran Sweet Chili Sauce)', 'Bot', '31.52', '0', '0.00%', '19.95', '0', '0.00%', '2020-03-20 14:59:36'), (2406, 3, 5, 1, 'Katambak (Katambak )', 'Grms', '0', '0', '0.00%', '0.22', '0', '0.00%', '2020-03-20 14:59:36'), (2407, 3, 5, 1, 'ketchup 1 gal (ketchup 1 gal)', 'Grms', '0.02', '0', '0.00%', '0.02', '0', '0.00%', '2020-03-20 14:59:36'), (2408, 3, 5, 1, 'Kewpie Roasted Seasame 1L (Kewpie Roasted Seasame 1L )', 'Bot', '672.65', '0', '0.00%', '683.65', '0', '0.00%', '2020-03-20 14:59:36'), (2409, 3, 5, 1, 'Kewpie Roasted Seasame 210ml (Kewpie Roasted Seasame 210ml )', 'Bot', '160.99', '0', '0.00%', '162.9', '0', '0.00%', '2020-03-20 14:59:36'), (2410, 3, 5, 1, 'Laurel Leaves 50g (Laurel Leaves 50g)', 'Pck', '19', '19', '0.00%', '18', '18', '0.00%', '2020-03-20 14:59:36'), (2411, 3, 5, 1, 'Laurel Leaves W/ Seeds (Laurel Leaves W/ Seeds)', 'Pck', '16.75', '0', '0.00%', '16.75', '0', '0.00%', '2020-03-20 14:59:36'), (2412, 3, 5, 1, 'Lea & Perrins Worcesterchire (Lea & Perrins Worcesterchire 300ml )', 'Bot', '149.9', '0', '0.00%', '149.9', '0', '0.00%', '2020-03-20 14:59:36'), (2413, 3, 5, 1, 'Lemon (Lemon)', 'Grms', '0.04', '336.06', '0.04%', '0.02083', '169.16', '0.02%', '2020-03-20 14:59:36'), (2414, 3, 5, 1, 'Lettuce curl (Lettuce curl)', 'Grms', '0.14', '0', '0.00%', '0.14', '0', '0.00%', '2020-03-20 14:59:36'), (2415, 3, 5, 1, 'Lettuce Romaine (Lettuce Romaine)', 'Grms', '0.15', '0', '0.00%', '0.14', '0', '0.00%', '2020-03-20 14:59:36'), (2416, 3, 5, 1, 'Liquid Seasoning Maggi 1L (Liquid Seasoning Maggi 1L )', 'Bot', '236.3', '0', '0.00%', '236.3', '0', '0.00%', '2020-03-20 14:59:36'), (2417, 3, 5, 1, 'Liver Spread Argentina (Liver Spread Argentina )', 'Can', '0', '0', '0.00%', '38', '0', '0.00%', '2020-03-20 14:59:36'), (2418, 3, 5, 1, 'Longanisa (Longanisa 340g/ pack X 10pcs )', 'ea', '4', '56', '0.01%', '4', '56', '0.01%', '2020-03-20 14:59:36'), (2419, 3, 5, 1, 'Maggi Magic Sarap 100G (Maggi Magic Sarap 100G)', 'Pck', '24.58', '0', '0.00%', '28.65', '0', '0.00%', '2020-03-20 14:59:36'), (2420, 3, 5, 1, 'maggi Magic Sarap 120g (maggi Magic Sarap 120g)', 'Pck', '36.6', '0', '0.00%', '36.6', '0', '0.00%', '2020-03-20 14:59:36'), (2421, 3, 5, 1, 'Maggi Magic Sarap 15gx10 (Maggi Magic Sarap 15gx10)', 'Pck', '45.5', '0', '0.00%', '45.5', '0', '0.00%', '2020-03-20 14:59:36'), (2422, 3, 5, 1, 'Maggi Magic Sarap 8g (Maggi Magic Sarap 8g )', 'ea', '2.94', '0', '0.00%', '2.61', '0', '0.00%', '2020-03-20 14:59:36'), (2423, 3, 5, 1, 'Maggi Savor Calamansi (Maggi Savor Calamansi)', 'Bot', '31.71', '0', '0.00%', '34', '0', '0.00%', '2020-03-20 14:59:36'), (2424, 3, 5, 1, 'Maggi Savor Chili 130ml (Maggi Savor Chili 130ml)', 'Bot', '29.74', '0', '0.00%', '29.6', '0', '0.00%', '2020-03-20 14:59:36'), (2425, 3, 5, 1, 'Maggi Savor Garlic (Maggi Savor Garlic)', 'Bot', '30.48', '0', '0.00%', '34', '0', '0.00%', '2020-03-20 14:59:36'), (2426, 3, 5, 1, 'Malasugue (Malasugue)', 'Grms', '0.41', '0', '0.00%', '0.42', '0', '0.00%', '2020-03-20 14:59:36'), (2427, 3, 5, 1, 'Mango (Mango)', 'Kls', '76.74', '262.46', '0.03%', '150', '513', '0.06%', '2020-03-20 14:59:36'), (2428, 3, 5, 1, 'Mango Chutney (Mango Chutney)', 'Grms', '0.5', '152.11', '0.02%', '0.50367', '152.11', '0.02%', '2020-03-20 14:59:36'), (2429, 3, 5, 1, 'Mango Jam (Mango Jam 320ml )', 'Bot', '81.75', '0', '0.00%', '81.75', '0', '0.00%', '2020-03-20 14:59:36'), (2430, 3, 5, 1, '<NAME> (<NAME>)', 'gal', '890', '0', '0.00%', '890', '0', '0.00%', '2020-03-20 14:59:36'), (2431, 3, 5, 1, '<NAME> 750ml (Maria Clara 750ml )', 'Bot', '156.95', '0', '0.00%', '156.95', '0', '0.00%', '2020-03-20 14:59:36'), (2432, 3, 5, 1, 'Marinated chicken for fruity sa (Marinated chicken for fruity salad)', 'Grms', '0.2', '0', '0.00%', '0.2', '0', '0.00%', '2020-03-20 14:59:36'), (2433, 3, 5, 1, 'Mayonnaise (Home made mayonnaise)', 'Grms', '0.11', '0', '0.00%', '0.11', '0', '0.00%', '2020-03-20 14:59:36'), (2434, 3, 5, 1, 'MB Hot Sauce 50ml (MB Hot Sauce 50ml)', 'Bot', '14.13', '870.42', '0.09%', '14.45', '890.12', '0.11%', '2020-03-20 14:59:36'), (2435, 3, 5, 1, 'Mc Cormick Basil Leaves Whole (Mc Cormick Basil Leaves Whole 9g )', 'Bot', '37.76', '0', '0.00%', '45.7', '0', '0.00%', '2020-03-20 14:59:36'), (2436, 3, 5, 1, 'Mc Cormick Cry POwder 30g (Mc Cormick Cry POwder 30g)', 'Pck', '43.05', '0', '0.00%', '43.05', '0', '0.00%', '2020-03-20 14:59:36'), (2437, 3, 5, 1, 'Mc Cormick Ylw Cry Rcpe Mix 28g (Mc Cormick Ylw Cry Rcpe Mix 28g)', 'Pck', '26.45', '0', '0.00%', '26.45', '0', '0.00%', '2020-03-20 14:59:36'), (2438, 3, 5, 1, '<NAME> Hot (Memer P<NAME> Hot)', 'Pck', '56', '0', '0.00%', '43.25', '0', '0.00%', '2020-03-20 14:59:36'), (2439, 3, 5, 1, 'Mixed Vegetable (Mixed Vegetable )', 'Grms', '0.14', '34.75', '0.00%', '0.12', '30', '0.00%', '2020-03-20 14:59:36'), (2440, 3, 5, 1, 'Mongo Paste (Mongo Paste )', 'Grms', '0.11', '902.02', '0.10%', '0.11', '902', '0.11%', '2020-03-20 14:59:36'), (2441, 3, 5, 1, 'Mother\'s Best Hot Sauce (Mother\'s Best Hot Sauce)', 'Bot', '19.1', '0', '0.00%', '18.7', '0', '0.00%', '2020-03-20 14:59:36'), (2442, 3, 5, 1, 'Mushroom Jolly Prm HTKE (Mushroom Jolly Prm HTKE 198g )', 'Grms', '0.12', '0', '0.00%', '0.14', '0', '0.00%', '2020-03-20 14:59:36'), (2443, 3, 5, 1, 'Mushroom Shitake (Mushroom Shitake 284g )', 'Grms', '0.14', '0', '0.00%', '0.18', '0', '0.00%', '2020-03-20 14:59:36'), (2444, 3, 5, 1, 'Mushroom Sliced (Mushroom Sliced 400g )', 'Grms', '0.13', '0', '0.00%', '0.12', '0', '0.00%', '2020-03-20 14:59:36'), (2445, 3, 5, 1, 'Mushroom Straw (Mushroom Straw 200g )', 'Grms', '0.24', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-20 14:59:36'), (2446, 3, 5, 1, 'Mushroom Whole 400g (Mushroom Whole 400g)', 'Grms', '0.13', '0', '0.00%', '0.12895', '0', '0.00%', '2020-03-20 14:59:36'), (2447, 3, 5, 1, 'Mustard (Mustard Dijun 850gm E. Fallot )', 'Grms', '0.32', '149.61', '0.02%', '0.8541', '400.57', '0.05%', '2020-03-20 14:59:36'), (2448, 3, 5, 1, 'Mustard American 9oz (Mustard American 9oz Garden Yellow)', 'Bot', '99.37', '0', '0.00%', '89.5', '0', '0.00%', '2020-03-20 14:59:36'), (2449, 3, 5, 1, 'Napolitana Sauce (Napolitana Sauce)', 'Grms', '0.07', '0', '0.00%', '0.09', '0', '0.00%', '2020-03-20 14:59:36'), (2450, 3, 5, 1, 'Nutmeg Ground (Nutmeg Ground 375G/BOT )', 'Bot', '88', '0', '0.00%', '87.95', '0', '0.00%', '2020-03-20 14:59:36'), (2451, 3, 5, 1, 'Olive Oil 1L (Olive Oil 1L )', 'Bot', '509', '0', '0.00%', '509.1', '0', '0.00%', '2020-03-20 14:59:36'), (2452, 3, 5, 1, 'Olive Oil Senorita 500ml (Olive Oil Senorita 500ml)', 'ML', '0.41', '0', '0.00%', '0.41', '0', '0.00%', '2020-03-20 14:59:36'), (2453, 3, 5, 1, 'Onion (Onion)', 'Grms', '0.06', '117.23', '0.01%', '0.084', '164.3', '0.02%', '2020-03-20 14:59:36'), (2454, 3, 5, 1, 'Onion Soup (350gm) (Onion Soup (350gm))', 'Ptn', '35.34', '0', '0.00%', '47.55', '0', '0.00%', '2020-03-20 14:59:36'), (2455, 3, 5, 1, 'Orange (Orange)', 'ea', '23.75', '285', '0.03%', '25', '300', '0.04%', '2020-03-20 14:59:36'), (2456, 3, 5, 1, 'Oregano Ground (Oregano Ground 10G )', 'Bot', '85.7', '0', '0.00%', '85.7', '0', '0.00%', '2020-03-20 14:59:36'), (2457, 3, 5, 1, 'Oyster Sauce Lee Kum Kee 907ml (Oyster Sauce Lee Kum Kee 907ml )', 'Bot', '172.5', '0', '0.00%', '172.5', '0', '0.00%', '2020-03-20 14:59:36'), (2458, 3, 5, 1, 'Oyster Sauce Mothers Best (Oyster Sauce Mothers Best 750ml )', 'Bot', '82.33', '0', '0.00%', '117.8', '0', '0.00%', '2020-03-20 14:59:36'), (2459, 3, 5, 1, 'Palabok Sauce (Palabok Sauce)', 'Ptn', '14.38', '603.96', '0.07%', '14.38', '603.96', '0.07%', '2020-03-20 14:59:36'), (2460, 3, 5, 1, 'Paper well chicken box (Paper well chicken box (5pcs/box))', 'ea', '16.32', '0', '0.00%', '16.32', '0', '0.00%', '2020-03-20 14:59:36'), (2461, 3, 5, 1, 'Paprika Spanish 34g (Paprika Spanish 34g )', 'Bar', '56.41', '0', '0.00%', '56.4', '0', '0.00%', '2020-03-20 14:59:36'), (2462, 3, 5, 1, 'Parmesan Cheese (Parmesan Cheese )', 'Grms', '1.23', '1154.39', '0.12%', '1.19', '1115.03', '0.13%', '2020-03-20 14:59:36'), (2463, 3, 5, 1, 'Parsley (Parsley)', 'Grms', '0.39', '131.61', '0.01%', '0.18', '61.02', '0.01%', '2020-03-20 14:59:36'), (2464, 3, 5, 1, 'Pastel (pastel)', 'ea', '106.11', '742.77', '0.08%', '106.11', '742.77', '0.09%', '2020-03-20 14:59:36'), (2465, 3, 5, 1, 'Patis 1 L (Patis 1 L)', 'Bot', '58.78', '0', '0.00%', '53.8', '0', '0.00%', '2020-03-20 14:59:36'), (2466, 3, 5, 1, 'Pattie Big 120gm (Pattie Big 120gm)', 'Ptn', '71.23', '0', '0.00%', '45.59', '0', '0.00%', '2020-03-20 14:59:36'), (2467, 3, 5, 1, 'Pattie Small 80gm (Pattie Small 80gm)', 'Ptn', '56.65', '849.75', '0.09%', '36.26', '543.9', '0.07%', '2020-03-20 14:59:36'), (2468, 3, 5, 1, 'Pears/ Peras (Pears)', 'ea', '25', '0', '0.00%', '0', '0', '0.00%', '2020-03-20 14:59:36'), (2469, 3, 5, 1, 'Pickle Relish (Pickle Relish 270g/bot )', 'Bot', '46.84', '0', '0.00%', '45.8', '0', '0.00%', '2020-03-20 14:59:36'), (2470, 3, 5, 1, 'Pineapple (Pineapple)', 'Grms', '0.03', '84.61', '0.01%', '0.032', '92.13', '0.01%', '2020-03-20 14:59:36'), (2471, 3, 5, 1, 'Poached chicken (60gm/portion) (Poached chicken (60gm/portion))', 'Ptn', '31.6', '0', '0.00%', '31.6', '0', '0.00%', '2020-03-20 14:59:36'), (2472, 3, 5, 1, 'Pork Bratwurst (Pork Bratwurst 1 kl/pck or 6 pcs/pack-130gms )', 'Grms', '0.39', '0', '0.00%', '0.39', '0', '0.00%', '2020-03-20 14:59:36'), (2473, 3, 5, 1, 'Pork Chicharon Family (Pork Chicharon Family)', 'Pck', '61.5', '246', '0.03%', '56', '224', '0.03%', '2020-03-20 14:59:36'), (2474, 3, 5, 1, 'Pork Chop 100gm (Pork Chop 100gm)', 'Ptn', '40.42', '808.4', '0.09%', '40.42', '808.4', '0.10%', '2020-03-20 14:59:36'), (2475, 3, 5, 1, 'Pork Mandarin Sausage (Pork Mandarin Sausage )', 'Grms', '0.35', '0', '0.00%', '0.35', '0', '0.00%', '2020-03-20 14:59:36'), (2476, 3, 5, 1, 'Pork Tapa 80gm (Pork Tapa 80gm)', 'Ptn', '20.06', '220.66', '0.02%', '25.16', '276.76', '0.03%', '2020-03-20 14:59:36'), (2477, 3, 5, 1, 'Pork Tocino 80gm (Pork Tocino 80gm)', 'Ptn', '16.72', '0', '0.00%', '25.53', '0', '0.00%', '2020-03-20 14:59:36'), (2478, 3, 5, 1, 'Porky Best Reg. Chicharon (60g) (Pork Chicharon 70g)', 'Ptn', '38.8', '155.2', '0.02%', '39.25', '157', '0.02%', '2020-03-20 14:59:36'), (2479, 3, 5, 1, 'Potato (Potato)', 'Grms', '0.06', '-0.01', '0.00%', '0.05', '0', '0.00%', '2020-03-20 14:59:36'), (2480, 3, 5, 1, 'Precut Tissue (Precut Tissue)', 'Roll', '85', '1134.75', '0.12%', '85', '1134.75', '0.14%', '2020-03-20 14:59:36'), (2481, 3, 5, 1, 'Precut Tissue @P 76.00 (Precut Tissue @P76.00)', 'Pck', '85', '0', '0.00%', '76', '0', '0.00%', '2020-03-20 14:59:36'), (2482, 3, 5, 1, 'Pumpkin soup 200gm/portion (Pumpkin soup 200gm/portion)', 'Ptn', '20.46', '0', '0.00%', '20.46', '0', '0.00%', '2020-03-20 14:59:36'), (2483, 3, 5, 1, 'Quick Melt 440g (Quick Melt 440g )', 'Grms', '0.74', '1406', '0.15%', '0.74', '1406', '0.17%', '2020-03-20 14:59:36'), (2484, 3, 5, 1, 'RAM Prmm Spaghetti 1kg (RAM Prmm Spaghetti 1kg)', 'Pck', '55.54', '0', '0.00%', '54', '0', '0.00%', '2020-03-20 14:59:37'), (2485, 3, 5, 1, 'Ram soy Sauce 1L (Ram soy Sauce 1L)', 'gal', '23.68', '54.47', '0.01%', '41.9', '96.37', '0.01%', '2020-03-20 14:59:37'), (2486, 3, 5, 1, 'Ram Special Bihon 454g (Ram Special Bihon 454g)', 'Pck', '33.5', '0', '0.00%', '33.5', '0', '0.00%', '2020-03-20 14:59:37'), (2487, 3, 5, 1, 'Ram Vinegar 1L (Ram Vinegar 1L)', 'gal', '28.3', '38.49', '0.00%', '28.3', '38.49', '0.01%', '2020-03-20 14:59:37'), (2488, 3, 5, 1, 'Rice (Rice)', 'Kls', '33.88', '4637.6', '0.50%', '51.04167', '6987.6', '0.83%', '2020-03-20 14:59:37'), (2489, 3, 5, 1, 'Rice Wine 700ml (Rice Wine 700ml )', 'Bot', '76.51', '0', '0.00%', '76.5', '0', '0.00%', '2020-03-20 14:59:37'), (2490, 3, 5, 1, 'Rosemary 11g (Rosemary 11g )', 'Bot', '42.46', '0', '0.00%', '42.45', '0', '0.00%', '2020-03-20 14:59:37'), (2491, 3, 5, 1, 'Royal Spaghetti (Royal Spaghetti )', 'Pck', '88', '0', '0.00%', '88', '0', '0.00%', '2020-03-20 14:59:37'), (2492, 3, 5, 1, 'Rufina Patis 325ml (Rufina Patis 325ml)', 'gal', '39.65', '0', '0.00%', '39.65', '0', '0.00%', '2020-03-20 14:59:37'), (2493, 3, 5, 1, 'Rufina Patis 750ml (Rufina Patis 750ml)', 'Bot', '66.7', '0', '0.00%', '66.7', '0', '0.00%', '2020-03-20 14:59:37'), (2494, 3, 5, 1, 'Sage Leaves 12g (Sage Leaves 12g )', 'Bot', '44.25', '0', '0.00%', '44.25', '0', '0.00%', '2020-03-20 14:59:37'), (2495, 3, 5, 1, 'Salsa berde (Salsa berde)', 'Grms', '0.15', '0', '0.00%', '0.15', '0', '0.00%', '2020-03-20 14:59:37'), (2496, 3, 5, 1, 'Salt (Salt )', 'Grms', '0.01', '63.64', '0.01%', '0.01', '54.5', '0.01%', '2020-03-20 14:59:37'), (2497, 3, 5, 1, 'San Remo Fettuccini (San Remo Fettuccini 500g )', 'Grms', '0.13', '166.41', '0.02%', '0.13', '167.7', '0.02%', '2020-03-20 14:59:37'), (2498, 3, 5, 1, 'Seafoods for pasta (Seafoods for pasta (20g/ptn))', 'Ptn', '11.1', '0', '0.00%', '11.1', '0', '0.00%', '2020-03-20 14:59:37'), (2499, 3, 5, 1, 'Sesame Dressing kewpie(400ml) (Sesame Dressing kewpie(400ml))', 'Grms', '0.59', '0', '0.00%', '0.59', '0', '0.00%', '2020-03-20 14:59:37'), (2500, 3, 5, 1, 'Sesame Oil (Sesame Oil 115ml )', 'Bot', '102.72', '0', '0.00%', '102.7', '0', '0.00%', '2020-03-20 14:59:37'), (2501, 3, 5, 1, 'Sesame Oil Lee Kum Lee 207ml (Sesame Oil Lee Kum Lee 207ml )', 'Bot', '0', '0', '0.00%', '127.9', '0', '0.00%', '2020-03-20 14:59:37'), (2502, 3, 5, 1, 'Sesame Oil Mua Yu 500ml (Sesame Oil Mua Yu 500ml )', 'Bot', '162', '0', '0.00%', '132', '0', '0.00%', '2020-03-20 14:59:37'), (2503, 3, 5, 1, 'Shrimps (Shrimps )', 'Grms', '0.56', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-20 14:59:37'), (2504, 3, 5, 1, '<NAME> (Si<NAME>)', 'Grms', '0.12', '484.43', '0.05%', '0.09', '363.6', '0.04%', '2020-03-20 14:59:37'), (2505, 3, 5, 1, 'Silver Swan patis 750ml (Silver Swan patis 750ml)', 'gal', '50.65', '0', '0.00%', '50.65', '0', '0.00%', '2020-03-20 14:59:37'), (2506, 3, 5, 1, 'Silver Swan Sukang 1L (Silver Swan Sukang 1L)', 'gal', '33.16', '0', '0.00%', '32.4', '0', '0.00%', '2020-03-20 14:59:37'), (2507, 3, 5, 1, 'Silver Swan Swan Soy Sauce 1L (Silver Swan Soy Sauce (1L))', 'Grms', '0.04', '0', '0.00%', '0.04', '0', '0.00%', '2020-03-20 14:59:37'), (2508, 3, 5, 1, 'Silver Swan Sweet Chili Sauce (Silver Swan Sweet Chili Sauce)', 'Grms', '19.95', '0', '0.00%', '19.95', '0', '0.00%', '2020-03-20 14:59:37'), (2509, 3, 5, 1, 'Singkamas (Singkamas)', 'Grms', '0.06', '0', '0.00%', '0', '0', '0.00%', '2020-03-20 14:59:37'), (2510, 3, 5, 1, 'Sizzling Chicken (Sizzling Chicken)', 'Ptn', '30.14', '452.1', '0.05%', '30.14', '452.1', '0.05%', '2020-03-20 14:59:37'), (2511, 3, 5, 1, 'Sizzling Pork (Sizzling Pork)', 'Ptn', '27.77', '805.33', '0.09%', '22.22', '644.38', '0.08%', '2020-03-20 14:59:37'), (2512, 3, 5, 1, 'Sliced Black Olive 330gms (Sliced Black Olive 330gms)', 'Bot', '76.65', '0', '0.00%', '76.65', '0', '0.00%', '2020-03-20 14:59:37'), (2513, 3, 5, 1, 'Sliced Mushroom 284g (Sliced Mushroom 284g)', 'Pck', '42.34', '0', '0.00%', '43.03', '0', '0.00%', '2020-03-20 14:59:37'), (2514, 3, 5, 1, 'Smoked Ham 50gm (Smoked Ham 50gm)', 'Ptn', '12.46', '0', '0.00%', '13.7', '0', '0.00%', '2020-03-20 14:59:37'), (2515, 3, 5, 1, 'Smoked Pork Sausage (Smoked Pork Sausage 1KL/pack X 19pcs )', 'Grms', '0.02', '0', '0.00%', '0.02', '0', '0.00%', '2020-03-20 14:59:37'), (2516, 3, 5, 1, 'Soy Sauce 500ml (Soy Sauce 500ml )', 'Bot', '76.7', '0', '0.00%', '57', '0', '0.00%', '2020-03-20 14:59:37'), (2517, 3, 5, 1, 'Spaghetti Pasta (Spaghetti Pasta)', 'Pck', '67.95', '543.6', '0.06%', '67.95', '543.6', '0.07%', '2020-03-20 14:59:37'), (2518, 3, 5, 1, 'Spiced Ham (Spiced Ham)', 'Grms', '0.16', '0', '0.00%', '0.16', '0', '0.00%', '2020-03-20 14:59:37'), (2519, 3, 5, 1, 'Squid (Squid)', 'Grms', '0.16', '0', '0.00%', '0.12', '0', '0.00%', '2020-03-20 14:59:37'), (2520, 3, 5, 1, 'Star Anis (Star Anis )', 'Bot', '53.24', '0', '0.00%', '53.25', '0', '0.00%', '2020-03-20 14:59:37'), (2521, 3, 5, 1, 'S<NAME> (Sukang Puti)', 'Pck', '15.73', '0', '0.00%', '14.1', '0', '0.00%', '2020-03-20 14:59:37'), (2522, 3, 5, 1, 'Tauge (Tauge )', 'Grms', '0', '0', '0.00%', '0.04', '0', '0.00%', '2020-03-20 14:59:37'), (2523, 3, 5, 1, 'Thyme Leaves (Thyme Leaves 14g )', 'Bot', '44.3', '0', '0.00%', '44.3', '0', '0.00%', '2020-03-20 14:59:37'), (2524, 3, 5, 1, 'Tita My Patis 750ml (Tita My Patis 750ml)', 'Bot', '23.68', '125.99', '0.01%', '37.95', '201.89', '0.02%', '2020-03-20 14:59:37'), (2525, 3, 5, 1, 'Tomato (Tomato)', 'Grms', '0.03', '0', '0.00%', '0.037', '0', '0.00%', '2020-03-20 14:59:37'), (2526, 3, 5, 1, 'Tomato Paste (Tomato Paste 150g/pack )', 'Pck', '19.25', '0', '0.00%', '19.25', '0', '0.00%', '2020-03-20 14:59:37'), (2527, 3, 5, 1, 'Tomato Paste Ram 150g (Tomato Paste Ram 150g)', 'Pck', '22.95', '0', '0.00%', '22.95', '0', '0.00%', '2020-03-20 14:59:37'), (2528, 3, 5, 1, 'Tomato Sauce (Tomato Sauce)', 'Bot', '15', '0', '0.00%', '15', '0', '0.00%', '2020-03-20 14:59:37'), (2529, 3, 5, 1, 'Tomato Sauce Clara Ole (Tomato Sauce Clara Ole 1kg )', 'Pck', '57', '0', '0.00%', '57', '0', '0.00%', '2020-03-20 14:59:37'), (2530, 3, 5, 1, 'Tomato soup 235gm/portion (Tomato soup 235gm/portion)', 'Ptn', '26.52', '0', '0.00%', '32.51', '0', '0.00%', '2020-03-20 14:59:37'), (2531, 3, 5, 1, 'Tuna 1705g (Tuna 1705g )', 'Grms', '0.25', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-20 14:59:37'), (2532, 3, 5, 1, 'Tuna 184g (Tuna 184g )', 'Can', '51.5', '0', '0.00%', '51.5', '0', '0.00%', '2020-03-20 14:59:37'), (2533, 3, 5, 1, 'Turmeric Ground 30g (Turmeric Ground 30g )', 'Bot', '50.89', '0', '0.00%', '50.9', '0', '0.00%', '2020-03-20 14:59:37'), (2534, 3, 5, 1, 'US Lemon (US Lemon)', 'ea', '23', '230', '0.03%', '25', '250', '0.03%', '2020-03-20 14:59:37'), (2535, 3, 5, 1, 'Vegetable oil (Vegetable oil)', 'Grms', '0.05', '0', '0.00%', '0.06', '0', '0.00%', '2020-03-20 14:59:37'), (2536, 3, 5, 1, 'Vinegar (1.893ml) (Vinegar (1.893ml))', 'Grms', '0.03', '0', '0.00%', '0.03', '0', '0.00%', '2020-03-20 14:59:37'), (2537, 3, 5, 1, 'Vinegar Balsamic (Vinegar Balsamic 500ml/bot )', 'Bot', '245', '0', '0.00%', '245', '0', '0.00%', '2020-03-20 14:59:37'), (2538, 3, 5, 1, 'Vinegar Capers (Vinegar Capers 340g/bot )', 'Bot', '139.3', '0', '0.00%', '142.6', '0', '0.00%', '2020-03-20 14:59:37'), (2539, 3, 5, 1, 'Virginia Pasta Spaghetti 1kg (Virginia Pasta Spaghetti 1kg)', 'Pck', '65', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 14:59:37'), (2540, 3, 5, 1, 'Virginia Salami 1kg (Virginia Salami 1kg)', 'Pck', '220', '0', '0.00%', '185.5', '0', '0.00%', '2020-03-20 14:59:37'), (2541, 3, 5, 1, 'Watermelon (Watermelon)', 'Grms', '0.03', '0', '0.00%', '0.03', '0', '0.00%', '2020-03-20 14:59:37'), (2542, 3, 5, 1, 'Wax Paper (HS Wax Paper 25SQFT)', 'Roll', '46', '0', '0.00%', '66', '0', '0.00%', '2020-03-20 14:59:37'), (2543, 3, 5, 1, 'White Onion (White Onion)', 'Grms', '0.07', '92', '0.01%', '0.068', '95.88', '0.01%', '2020-03-20 14:59:37'), (2544, 3, 5, 1, 'White Pepper Powder 31g (White Pepper Powder 31g )', 'Bot', '0', '0', '0.00%', '74.15', '0', '0.00%', '2020-03-20 14:59:37'), (2545, 3, 5, 1, '<NAME> (Winner Cooked Ham (1kg))', 'Grms', '0.14', '380.92', '0.04%', '0.225', '605.93', '0.07%', '2020-03-20 14:59:37'), (2546, 3, 5, 1, '<NAME> 250g (Winner Cooked Ham 250g)', 'Grms', '0.24', '0', '0.00%', '0', '0', '0.00%', '2020-03-20 14:59:37'), (2547, 3, 5, 1, 'Worcester Shire (Worcester Shire)', 'ML', '0.23', '0', '0.00%', '0.23', '0', '0.00%', '2020-03-20 14:59:37'), (2548, 3, 6, 1, '1 Oz Cup White (1 Oz Cup White)', 'ea', '0', '0', '0.00%', '0.6', '0', '0.00%', '2020-03-20 15:02:44'), (2549, 3, 6, 1, '1 oz Lid White (1 oz Lid White )', 'ea', '0', '0', '0.00%', '0.5', '0', '0.00%', '2020-03-20 15:02:44'), (2550, 3, 6, 1, '10 Cake Box (10 Cake Box )', 'ea', '8', '0', '0.00%', '8', '0', '0.00%', '2020-03-20 15:02:44'), (2551, 3, 6, 1, '10x10x15 (10x10x15)', 'ea', '21', '0', '0.00%', '21', '0', '0.00%', '2020-03-20 15:02:44'), (2552, 3, 6, 1, '10x10x4.5 Cake box (10x10x4.5 Cake box )', 'ea', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 15:02:44'), (2553, 3, 6, 1, '10x10x4.5 Tricircle (10\'s) (10x10x4.5 Tricircle (10\'s))', 'ea', '195', '0', '0.00%', '195', '0', '0.00%', '2020-03-20 15:02:44'), (2554, 3, 6, 1, '10x10x5 Cake Box (10x10x5 Cake Box )', 'ea', '23', '6900', '0.74%', '23', '6900', '0.82%', '2020-03-20 15:02:44'), (2555, 3, 6, 1, '10x10x5 Cake Round Board (10x10x5 Cake Round Board )', 'ea', '12', '14556', '1.57%', '16', '19408', '2.31%', '2020-03-20 15:02:44'), (2556, 3, 6, 1, '10X10X5 Royal Red (10X10X5 Royal Red)', 's', '23', '0', '0.00%', '23.92', '0', '0.00%', '2020-03-20 15:02:44'), (2557, 3, 6, 1, '10X14 Board (Silver) (10X14 Board (Silver))', 'ea', '18', '0', '0.00%', '21', '0', '0.00%', '2020-03-20 15:02:44'), (2558, 3, 6, 1, '10X14 board decorated (10X14 board decorated )', 'ea', '22', '0', '0.00%', '22', '0', '0.00%', '2020-03-20 15:02:44'), (2559, 3, 6, 1, '10X14 board thick (10X14 board thick )', 'ea', '8.5', '0', '0.00%', '8.5', '0', '0.00%', '2020-03-20 15:02:44'), (2560, 3, 6, 1, '10x14 Cake Board (10x14 Cake Board )', 'ea', '19.99', '819.76', '0.09%', '20', '820', '0.10%', '2020-03-20 15:02:44'), (2561, 3, 6, 1, '10x14 Cake Box (10x14 Cake Box)', 'ea', '24.5', '1029', '0.11%', '24', '1008', '0.12%', '2020-03-20 15:02:44'), (2562, 3, 6, 1, '10x14x5 box red (10x14x5 box red )', 'ea', '27', '0', '0.00%', '27', '0', '0.00%', '2020-03-20 15:02:44'), (2563, 3, 6, 1, '12 oz QTC Hot Heads (12 oz QTC Hot Heads )', 'ea', '0', '0', '0.00%', '2.3', '0', '0.00%', '2020-03-20 15:02:44'), (2564, 3, 6, 1, '12oz QTC Hot Cup Ripple (12oz QTC Hot Cup Ripple )', 'ea', '0', '0', '0.00%', '6.95', '0', '0.00%', '2020-03-20 15:02:44'), (2565, 3, 6, 1, '14x14 board thin (14x14 board thin )', 'ea', '13.86', '0', '0.00%', '12.5', '0', '0.00%', '2020-03-20 15:02:44'), (2566, 3, 6, 1, '14x14 Board White (14x14 Board White)', 'ea', '33', '0', '0.00%', '33', '0', '0.00%', '2020-03-20 15:02:44'), (2567, 3, 6, 1, '14x14 Cake Board (14x14 Cake Board )', 'ea', '14.6', '248.18', '0.03%', '14', '238', '0.03%', '2020-03-20 15:02:44'), (2568, 3, 6, 1, '14x14 Cake Box (14x14 Cake Box)', 'ea', '31.57', '0', '0.00%', '33', '0', '0.00%', '2020-03-20 15:02:44'), (2569, 3, 6, 1, '14x14x5 Board (14x14x5 Board)', 'ea', '32', '0', '0.00%', '32', '0', '0.00%', '2020-03-20 15:02:44'), (2570, 3, 6, 1, '14x14x5 cake box red (14x14x5 cake box red )', 'ea', '36.62', '549.36', '0.06%', '35.75', '536.25', '0.06%', '2020-03-20 15:02:44'), (2571, 3, 6, 1, '14X18 Board ( B) (14X18 Board ( B))', 'ea', '16', '0', '0.00%', '0', '0', '0.00%', '2020-03-20 15:02:44'), (2572, 3, 6, 1, '14x18 Cake Board (14x18 Cake Board )', 'ea', '38.06', '951.5', '0.10%', '38', '950', '0.11%', '2020-03-20 15:02:44'), (2573, 3, 6, 1, '14x18x5 (red ) box (14x18x5 (red ) box )', 'ea', '38.89', '427.76', '0.05%', '35', '385', '0.05%', '2020-03-20 15:02:44'), (2574, 3, 6, 1, '14x18x5 board (14x18x5 board)', 'ea', '38', '0', '0.00%', '38', '0', '0.00%', '2020-03-20 15:02:44'), (2575, 3, 6, 1, '320cc cup w/ lid (320cc cup w/ lid)', 'ea', '4.6', '0', '0.00%', '4.6', '0', '0.00%', '2020-03-20 15:02:44'); INSERT INTO `eb_raw_materials` (`PK_raw_materials_id`, `FK_outlet_id`, `FK_category_id`, `status`, `material_name`, `unit`, `average_cost`, `asset_value`, `total_asset_percent`, `sales_price`, `retail_value`, `total_retail_percent`, `date_added`) VALUES (2576, 3, 6, 1, '520 CC W/lid (520 CC W/lid)', 'ea', '5.57', '0', '0.00%', '5.76', '0', '0.00%', '2020-03-20 15:02:44'), (2577, 3, 6, 1, '520cc Lid (520cc Lid)', 'ea', '1.35', '0', '0.00%', '1.35', '0', '0.00%', '2020-03-20 15:02:44'), (2578, 3, 6, 1, '7X11 Bag (7X11 Bag)', 'Pck', '200', '0', '0.00%', '200', '0', '0.00%', '2020-03-20 15:02:44'), (2579, 3, 6, 1, '7X7 Board (7X7 Board)', 'ea', '10.5', '0', '0.00%', '10.5', '0', '0.00%', '2020-03-20 15:02:44'), (2580, 3, 6, 1, '7x7x4 Cake Box (7x7x4 Cake Box )', 'ea', '23', '0', '0.00%', '23', '0', '0.00%', '2020-03-20 15:02:44'), (2581, 3, 6, 1, '880CC Paper Lunch Box Medium (80CC Paper Lunch Box Medium)', 'ea', '10.25', '205', '0.02%', '10.25', '205', '0.02%', '2020-03-20 15:02:44'), (2582, 3, 6, 1, 'Alpa Plastic bag 4x10 (Alpa Plastic bag 4x10 (100\'s))', 'ea', '0.13', '0', '0.00%', '0', '0', '0.00%', '2020-03-20 15:02:44'), (2583, 3, 6, 1, 'Alpa Plastic bag 5x8 (Alpa Plastic bag 5x8 (100\'s))', 'ea', '0.12', '0', '0.00%', '0.12', '0', '0.00%', '2020-03-20 15:02:44'), (2584, 3, 6, 1, 'Baking Cups (2oz.) (Baking Cups (2oz.) )', 'ea', '0.79', '0', '0.00%', '2.6', '0', '0.00%', '2020-03-20 15:02:44'), (2585, 3, 6, 1, 'Black straw individual packing (Black straw individual packing (100\'s))', 'ea', '0.55', '9.9', '0.00%', '0.55', '9.9', '0.00%', '2020-03-20 15:02:44'), (2586, 3, 6, 1, 'Brown Paper #2 (Brown Paper #2)', 'ea', '0.26', '0.02', '0.00%', '0.2633', '0', '0.00%', '2020-03-20 15:02:44'), (2587, 3, 6, 1, 'C-302 Burger Box Clear (C-302 Burger Box Clear )', 'ea', '5.15', '6508', '0.70%', '7', '8848', '1.05%', '2020-03-20 15:02:44'), (2588, 3, 6, 1, 'CBJ Cellophane (CBJ Cellophane )', 'ea', '0', '0', '0.00%', '1.3', '0', '0.00%', '2020-03-20 15:02:44'), (2589, 3, 6, 1, 'CBL Cellophane (CBL Cellophane )', 'ea', '1.15', '0', '0.00%', '1.1', '0', '0.00%', '2020-03-20 15:02:44'), (2590, 3, 6, 1, 'Cellophane 1x10 (Cellophane 1x10 )', 'Pck', '9.1', '0', '0.00%', '7.15', '0', '0.00%', '2020-03-20 15:02:44'), (2591, 3, 6, 1, 'Cellophane 8x14/ smoked celloph (Cellophane 8x14/ smoked cellophane )', 'Pck', '17', '17', '0.00%', '17', '17', '0.00%', '2020-03-20 15:02:44'), (2592, 3, 6, 1, 'Chicken Box (Chicken Box)', 'ea', '16.32', '0', '0.00%', '16.32', '0', '0.00%', '2020-03-20 15:02:44'), (2593, 3, 6, 1, 'Chip Board (Chip Board)', 'ea', '19', '0', '0.00%', '19', '0', '0.00%', '2020-03-20 15:02:44'), (2594, 3, 6, 1, 'ChipBoard #70 (ChipBoard #70)', 'ea', '19', '114', '0.01%', '19', '114', '0.01%', '2020-03-20 15:02:44'), (2595, 3, 6, 1, 'Clam Shell - Take Out Box (Clam Shell - Take Out Box for Salad )', 'ea', '9', '0', '0.00%', '9', '0', '0.00%', '2020-03-20 15:02:44'), (2596, 3, 6, 1, 'Clear Box 5s (Clear Box 5s)', 'ea', '33', '0', '0.00%', '33', '0', '0.00%', '2020-03-20 15:02:44'), (2597, 3, 6, 1, 'Coffee paper cup 8oz. (10\'s) (Coffee paper cup 8oz. (10\'s))', 'Pck', '60', '0', '0.00%', '60', '0', '0.00%', '2020-03-20 15:02:44'), (2598, 3, 6, 1, 'Coffee Paper Cup w/ cover 7oz. (Coffee Paper Cup w/ cover 7oz. )', 'ea', '6.5', '1261', '0.14%', '6.5', '1261', '0.15%', '2020-03-20 15:02:44'), (2599, 3, 6, 1, 'Croco Waxpaper 12x150mm (Croco Waxpaper 12x150mm)', 'ea', '150', '150', '0.02%', '450', '450', '0.05%', '2020-03-20 15:02:44'), (2600, 3, 6, 1, 'Disposable Gloves (Disposable Gloves (100\'s/pck)', 'ea', '0.42', '168', '0.02%', '0.42', '168', '0.02%', '2020-03-20 15:02:44'), (2601, 3, 6, 1, 'Durian plastic container-Clamsh (Durian plastic container-Clamshell )', 'ea', '0', '0', '0.00%', '9', '0', '0.00%', '2020-03-20 15:02:44'), (2602, 3, 6, 1, 'French Bread window (Plain) (French Bread window (Plain) )', 'ea', '5.39', '15153.36', '1.63%', '5.18', '14555.8', '1.73%', '2020-03-20 15:02:44'), (2603, 3, 6, 1, 'Fruitcake box (Fruitcake box)', 'ea', '18.49', '0', '0.00%', '18.49', '0', '0.00%', '2020-03-20 15:02:44'), (2604, 3, 6, 1, 'Glassine (Glassine )', 'ea', '1.53', '0', '0.00%', '1.5', '0', '0.00%', '2020-03-20 15:02:44'), (2605, 3, 6, 1, 'Gold Wire Twist (Gold Wire Twist)', 'Roll', '75', '750', '0.08%', '75', '750', '0.09%', '2020-03-20 15:02:44'), (2606, 3, 6, 1, 'Healthy (European) cellophane (Healthy (European) cellophane)', 'ea', '1.2', '1200', '0.13%', '1.08', '1080', '0.13%', '2020-03-20 15:02:44'), (2607, 3, 6, 1, 'Hopia Box (Hopia Box 5x6 9/4x1 1/2)', 'ea', '6.5', '0', '0.00%', '6.5', '0', '0.00%', '2020-03-20 15:02:44'), (2608, 3, 6, 1, 'JC-520 Flat Lid Trasparent (JC-520 Flat Lid Trasparent)', 'ea', '2', '400', '0.04%', '2', '400', '0.05%', '2020-03-20 15:02:44'), (2609, 3, 6, 1, 'Jellycup (Jellycup )', 'ea', '0', '0', '0.00%', '13', '0', '0.00%', '2020-03-20 15:02:44'), (2610, 3, 6, 1, 'Jellyroll box (Jellyroll box )', 'ea', '19.07', '2460.13', '0.27%', '21', '2709', '0.32%', '2020-03-20 15:02:44'), (2611, 3, 6, 1, 'Jellyroll w/ handle (Jellyroll w/ handle )', 'ea', '21', '0', '0.00%', '21', '0', '0.00%', '2020-03-20 15:02:44'), (2612, 3, 6, 1, 'Laminated Comm Packaging (Laminated Comm Packaging)', 'Grms', '0.75', '0', '0.00%', '0.7446', '0', '0.00%', '2020-03-20 15:02:44'), (2613, 3, 6, 1, '<NAME> 7x11 (Matza Cellophane 7x11)', 'ea', '2.04', '612', '0.07%', '2', '600', '0.07%', '2020-03-20 15:02:44'), (2614, 3, 6, 1, 'OPP (OPP )', 'Grms', '0.23', '2885.58', '0.31%', '0.175', '2152.5', '0.26%', '2020-03-20 15:02:44'), (2615, 3, 6, 1, 'PA-520ML Paper Bowl (PA-520ML Paper Bowl)', 'ea', '4', '800', '0.09%', '4', '800', '0.10%', '2020-03-20 15:02:44'), (2616, 3, 6, 1, 'Paper Bowl 520cc (Paper Bowl 520cc)', 'ea', '2.8', '0', '0.00%', '2.8', '0', '0.00%', '2020-03-20 15:02:44'), (2617, 3, 6, 1, 'Paper cup 25\'s (Paper cup 25\'s )', 'ea', '4.02', '0', '0.00%', '4.5', '0', '0.00%', '2020-03-20 15:02:44'), (2618, 3, 6, 1, 'Paper Cup Plain w/ Lid 12oz.X10 (Paper Cup Plain w/ Lid 12oz.X10\'s )', 'ea', '7.5', '0', '0.00%', '7.5', '0', '0.00%', '2020-03-20 15:02:44'), (2619, 3, 6, 1, 'Paper cup White 12oz. 25\'s (Paper cup White 12oz. 25\'s)', 'ea', '2.2', '0', '0.00%', '2.2', '0', '0.00%', '2020-03-20 15:02:44'), (2620, 3, 6, 1, 'Paperwell Coffee Cups 12s (Paperwell Coffee Cups 12s)', 'Pck', '43.55', '0', '0.00%', '87.1', '0', '0.00%', '2020-03-20 15:02:44'), (2621, 3, 6, 1, 'Parchment Paper (Parchment Paper 30sq 10yd)', 'Roll', '69.75', '0', '0.00%', '69.75', '0', '0.00%', '2020-03-20 15:02:44'), (2622, 3, 6, 1, 'Plastic Cup (Plastic Cup )', 'ea', '0.9', '5.4', '0.00%', '0.9', '5.4', '0.00%', '2020-03-20 15:02:44'), (2623, 3, 6, 1, 'Plastic Fork Medium 25\'s (Plastic Fork Medium 25\'s )', 'Pck', '12.9', '0', '0.00%', '12.9', '0', '0.00%', '2020-03-20 15:02:44'), (2624, 3, 6, 1, 'Plastic Fork White (Plastic Fork White)', 'Pck', '16', '5200', '0.56%', '16', '5200', '0.62%', '2020-03-20 15:02:44'), (2625, 3, 6, 1, 'Plastic Spoon Medium 25\'s (Plastic Spoon Medium 25\'s )', 'Pck', '12.91', '3550.08', '0.38%', '12.9', '3547.5', '0.42%', '2020-03-20 15:02:44'), (2626, 3, 6, 1, 'Plastic Spoon White (Plastic Spoon White)', 'Pck', '16', '0', '0.00%', '16', '0', '0.00%', '2020-03-20 15:02:44'), (2627, 3, 6, 1, 'Rippled Cup- Take out cup (Rippled Cup- Take out cup)', 'ea', '10.05', '0', '0.00%', '10.05', '0', '0.00%', '2020-03-20 15:02:44'), (2628, 3, 6, 1, 'Round Cake Board (Round Cake Board)', 'ea', '13', '0', '0.00%', '13', '0', '0.00%', '2020-03-20 15:02:44'), (2629, 3, 6, 1, 'Sando Bag Large (Sando Bag Large )', 'ea', '1.63', '359.05', '0.04%', '1.6', '352', '0.04%', '2020-03-20 15:02:44'), (2630, 3, 6, 1, 'Sando Bag Medium (Sando Bag Medium )', 'ea', '1.3', '28861.26', '3.11%', '1.3', '28861.3', '3.43%', '2020-03-20 15:02:44'), (2631, 3, 6, 1, 'Sando Bag Tiny (Sando Bag Tiny )', 'ea', '0.68', '11968.24', '1.29%', '0.8', '14080', '1.68%', '2020-03-20 15:02:44'), (2632, 3, 6, 1, 'Sando Bag Tiny 100s (4 U) (Sando Bag Tiny 100s (4 U))', 'ea', '0.28', '0', '0.00%', '0.28', '0', '0.00%', '2020-03-20 15:02:44'), (2633, 3, 6, 1, 'Stirrer (Stirrer )', 'ea', '0.54', '54', '0.01%', '0.54', '54', '0.01%', '2020-03-20 15:02:44'), (2634, 3, 6, 1, '<NAME> (<NAME>)', 'ea', '38', '0', '0.00%', '35', '0', '0.00%', '2020-03-20 15:02:44'), (2635, 3, 6, 1, 'Supot # 5 3000s (Supot # 5 3000s)', 'ea', '0.62', '2171.4', '0.23%', '0.496', '1736', '0.21%', '2020-03-20 15:02:44'), (2636, 3, 6, 1, 'Supot #2 (Supot #2)', 'ea', '0.36', '5763.42', '0.62%', '0.36', '5765.04', '0.69%', '2020-03-20 15:02:44'), (2637, 3, 6, 1, 'Supot #3 (Supot #3 5000pc/bundle )', 'ea', '0.4', '6018', '0.65%', '0.4012', '6018', '0.72%', '2020-03-20 15:02:44'), (2638, 3, 6, 1, 'Supot #6 (Supot #6 3000pcs/bundle)', 'ea', '0.76', '8574.35', '0.92%', '0.757', '8576.81', '1.02%', '2020-03-20 15:02:44'), (2639, 3, 6, 1, 'Supot #8 (Supot #8)', 'ea', '0.89', '0', '0.00%', '0.884', '0', '0.00%', '2020-03-20 15:02:44'), (2640, 3, 6, 1, 'Take-out box -cake Single(menro (Take-out box -cake Single(menros) )', 'ea', '6.38', '0', '0.00%', '6.8', '0', '0.00%', '2020-03-20 15:02:44'), (2641, 3, 6, 1, 'Take Out bowl (Take Out bowl 5 pcs/pck )', 'ea', '1.77', '0', '0.00%', '1.77', '0', '0.00%', '2020-03-20 15:02:44'), (2642, 3, 6, 1, 'Take Out bowl Small (Take Out bowl Small 5 pcs/pck )', 'ea', '1.14', '0', '0.00%', '1.14', '0', '0.00%', '2020-03-20 15:02:44'), (2643, 3, 6, 1, 'Take out boxes medium (Take out boxes medium )', 'ea', '7.5', '45', '0.01%', '7.5', '45', '0.01%', '2020-03-20 15:02:44'), (2644, 3, 6, 1, 'Take Out Sauce Boat (Take Out Sauce Boat 100pcs/pack )', 'ea', '0.59', '0', '0.00%', '0.59', '0', '0.00%', '2020-03-20 15:02:44'), (2645, 3, 6, 1, 'Texas 1 1/4x10 (Texas 1 1/4x10 (100\'s))', 'ea', '0.1', '38.6', '0.00%', '0.091', '36.4', '0.00%', '2020-03-20 15:02:44'), (2646, 3, 6, 1, 'Texas Cellophane Large (100\'s) (Texas Cellophane Large (100\'s))', 'ea', '1.04', '0', '0.00%', '1.08', '0', '0.00%', '2020-03-20 15:02:44'), (2647, 3, 6, 1, 'Toasted Siopao Box (Toasted Siopao Box )', 'ea', '10', '450', '0.05%', '10', '450', '0.05%', '2020-03-20 15:02:44'), (2648, 3, 6, 1, 'Transparent Plastic Cup 7oz. (Transparent Plastic Cup 7oz. )', 'ea', '4.5', '0', '0.00%', '4.5', '0', '0.00%', '2020-03-20 15:02:44'), (2649, 3, 6, 1, 'Unleavened cellophane (Unleavened cellophane)', 'ea', '0.75', '0', '0.00%', '0.75', '0', '0.00%', '2020-03-20 15:02:44'), (2650, 3, 6, 1, 'White Flexible Straw (100\'s) (White Flexible Straw (100\'s))', 'ea', '0.2', '0', '0.00%', '0.3025', '0', '0.00%', '2020-03-20 15:02:44'), (2651, 3, 7, 1, 'Chicken Adobo (Chicken Adobo)', 'Ptn', '12.06', '651.25', '0.07%', '12.17', '657.18', '0.08%', '2020-03-20 15:04:10'), (2652, 3, 7, 1, 'Chicken Alaking (Chicken Alaking)', 'ea', '109.8', '1647', '0.18%', '109.8', '1647', '0.20%', '2020-03-20 15:04:10'), (2653, 3, 7, 1, 'Chicken Teriyaki (Chicken Teriyaki)', 'Ptn', '33.83', '1725.33', '0.19%', '33.83', '1725.33', '0.21%', '2020-03-20 15:04:10'), (2654, 3, 7, 1, 'Curry Meat (Curry Meat)', 'Ptn', '41.31', '413.1', '0.05%', '41.31', '413.1', '0.05%', '2020-03-20 15:04:10'), (2655, 3, 7, 1, 'Hungarian Sausages pcs (Hungarian Sausages pcs)', 'Ptn', '62.4', '1123.2', '0.12%', '0', '0', '0.00%', '2020-03-20 15:04:10'), (2656, 3, 7, 1, 'MeatBall (MeatBall)', 'Ptn', '57.05', '0', '0.00%', '57.05', '0', '0.00%', '2020-03-20 15:04:10'), (2657, 3, 7, 1, 'Pork Humba (Pork Humba)', 'ea', '20', '1320', '0.14%', '20', '1320', '0.16%', '2020-03-20 15:04:10'), (2658, 3, 7, 1, 'Spare Ribs (Spare Ribs)', 'ea', '102.37', '0', '0.00%', '102.37', '0', '0.00%', '2020-03-20 15:04:10'), (2659, 3, 7, 1, 'Teriyaki Sauce (Teriyaki Sauce)', 'Kls', '86.43', '1901.46', '0.21%', '86.43', '1901.46', '0.23%', '2020-03-20 15:04:10'), (2660, 3, 8, 1, 'Banana Muffins - MIX (Banana Muffins - MIX)', 'MX', '328.9', '25160.85', '2.71%', '269.87', '20645.06', '2.46%', '2020-03-20 15:05:51'), (2661, 3, 8, 1, 'Buko Bibingka Mix (Buko Bibingka Mix)', 'MX', '173.09', '10904.67', '1.18%', '151.7', '9557.1', '1.14%', '2020-03-20 15:05:51'), (2662, 3, 8, 1, 'Cheese filling Kls (Cheese filling Kls)', 'Kls', '775.53', '853.08', '0.09%', '96.64', '106.3', '0.01%', '2020-03-20 15:05:51'), (2663, 3, 8, 1, 'Cheese filling Mix 8Kls/Min (Cheese filling MIX - 8kls/mix)', 'MX', '798.24', '798.24', '0.09%', '893.47', '893.47', '0.11%', '2020-03-20 15:05:51'), (2664, 3, 8, 1, 'CheeseLoaf kls (CheeseLoaf kls )', 'Kls', '75.42', '21268.44', '2.29%', '68.2', '19232.4', '2.29%', '2020-03-20 15:05:51'), (2665, 3, 8, 1, 'Choco Filling kls (Choco Filling kls)', 'Kls', '228.97', '1195.22', '0.13%', '95.9', '500.6', '0.06%', '2020-03-20 15:05:51'), (2666, 3, 8, 1, 'Choco Lanay Filling (Choco Lanay Filling )', 'Kls', '190.06', '0', '0.00%', '83.5', '0', '0.00%', '2020-03-20 15:05:51'), (2667, 3, 8, 1, 'Cinnamon Filling Mix (Cinnamon Filling)', 'MX', '557.51', '6506.14', '0.70%', '109.17', '1274.01', '0.15%', '2020-03-20 15:05:51'), (2668, 3, 8, 1, 'Cinnamon with Sugar Filling (Cinnamon with Sugar Filling)', 'Kls', '57.3', '0', '0.00%', '57.3', '0', '0.00%', '2020-03-20 15:05:51'), (2669, 3, 8, 1, 'Coco Fruit -Mix (Coco Fruit -Mix (4.850kls ) )', 'MX', '478.47', '0', '0.00%', '553.25', '0', '0.00%', '2020-03-20 15:05:51'), (2670, 3, 8, 1, 'Coco Fruit Filling -kls (Coco Fruit Filling -kls)', 'Kls', '103.1', '0', '0.00%', '103.09', '0', '0.00%', '2020-03-20 15:05:51'), (2671, 3, 8, 1, 'Coco Fruit Filling Mix (Coco Fruit Filling -Mix )', 'MX', '550.37', '1100.74', '0.12%', '569.25', '1138.5', '0.14%', '2020-03-20 15:05:51'), (2672, 3, 8, 1, 'Dark European (Dark European)', 'MX', '0', '0', '0.00%', '97.52', '0', '0.00%', '2020-03-20 15:05:51'), (2673, 3, 8, 1, 'Ensaymada kls (Ensaymada kls )', 'Kls', '95.59', '3632.42', '0.39%', '87.16', '3312.08', '0.39%', '2020-03-20 15:05:51'), (2674, 3, 8, 1, 'Figue Pie Filling MIX (Figue Pie Filling MIX)', 'MX', '116.04', '2784.96', '0.30%', '97.96', '2351.04', '0.28%', '2020-03-20 15:05:51'), (2675, 3, 8, 1, 'Figue Pie Kls (Figue Pie )', 'Kls', '68.66', '3364.34', '0.36%', '65.4', '3204.6', '0.38%', '2020-03-20 15:05:51'), (2676, 3, 8, 1, 'Fino pandesal Kls (Fino pandesal kls)', 'Kls', '75.92', '7592', '0.82%', '77.59', '7759', '0.92%', '2020-03-20 15:05:51'), (2677, 3, 8, 1, 'French Bread plain-kls (French Bread plain-kls)', 'Kls', '72.12', '3317.52', '0.36%', '67.97', '3126.62', '0.37%', '2020-03-20 15:05:51'), (2678, 3, 8, 1, 'Frenchbread W.wheat kls (Frenchbread W.wheat kls )', 'Kls', '76.57', '3522.22', '0.38%', '70.64', '3249.44', '0.39%', '2020-03-20 15:05:51'), (2679, 3, 8, 1, 'FruitJohn (3kls/MIX) (FruitJohn (3kls/MIX))', 'MX', '443.78', '266.27', '0.03%', '468.72', '281.23', '0.03%', '2020-03-20 15:05:51'), (2680, 3, 8, 1, 'Marjorie filling MIX (Marjorie filling Kls)', 'MX', '220.4', '2682.27', '0.29%', '223.64', '2721.7', '0.32%', '2020-03-20 15:05:51'), (2681, 3, 8, 1, 'Monay premix - kls (Monay premix - kls)', 'Kls', '70.22', '4704.74', '0.51%', '66.97', '4486.99', '0.53%', '2020-03-20 15:05:51'), (2682, 3, 8, 1, 'Pilipit premix (Pilipit premix)', 'Kls', '70.93', '38940.57', '4.20%', '66.13', '36305.37', '4.32%', '2020-03-20 15:05:51'), (2683, 3, 8, 1, 'Putok premix (Putok premix)', 'Kls', '76.64', '2644.08', '0.29%', '71.16', '2455.02', '0.29%', '2020-03-20 15:05:51'), (2684, 3, 8, 1, 'Strussels- mix (Strussels Mix )', 'MX', '179.93', '1259.51', '0.14%', '237.61', '1663.27', '0.20%', '2020-03-20 15:05:51'), (2685, 3, 8, 1, 'Strussels MIX (Strussels MIX)', 'MX', '178.2', '0', '0.00%', '1.86', '0', '0.00%', '2020-03-20 15:05:51'), (2686, 3, 8, 1, 'Sweetdough (Sweetdough )', 'Kls', '71.84', '39152.8', '4.22%', '59.62', '32492.9', '3.87%', '2020-03-20 15:05:51'), (2687, 3, 8, 1, 'Whole wheat premix (Whole wheat premix)', 'Kls', '63.11', '5869.23', '0.63%', '58.64', '5453.52', '0.65%', '2020-03-20 15:05:51'), (2688, 3, 9, 1, 'Alaska Condensed Milk (Condensed Milk Alaska 300ml/can )', 'Can', '55.08', '2144.26', '0.23%', '51.4', '2001', '0.24%', '2020-03-20 15:07:32'), (2689, 3, 9, 1, 'All purpose Cream (All purpose Cream 250g X 24 pack )', 'Pck', '49.39', '493.89', '0.05%', '43.46', '434.6', '0.05%', '2020-03-20 15:07:32'), (2690, 3, 9, 1, 'All Purpose Flour (All Purpose Flour 25KG / sack )', 'Grms', '0.04', '0', '0.00%', '0.04', '0', '0.00%', '2020-03-20 15:07:32'), (2691, 3, 9, 1, 'Angel Condensed (Condensed angel)', 'Pck', '36.93', '553.88', '0.06%', '38', '570', '0.07%', '2020-03-20 15:07:32'), (2692, 3, 9, 1, 'Baguette Flour (Baguette Flour 10kg/case )', 'Grms', '0', '0', '0.00%', '0.24', '0', '0.00%', '2020-03-20 15:07:32'), (2693, 3, 9, 1, 'Baking Powder (Baking Powder )', 'Grms', '0.11', '204.2', '0.02%', '0.08', '145.6', '0.02%', '2020-03-20 15:07:32'), (2694, 3, 9, 1, 'Baking Soda (Baking Soda )', 'Grms', '0.04', '53.68', '0.01%', '0.35', '525', '0.06%', '2020-03-20 15:07:32'), (2695, 3, 9, 1, 'Banana Fresh (Lakatan) (anana Fresh (Lakatan))', 'Kls', '34.54', '5764.92', '0.62%', '35', '5841.03', '0.70%', '2020-03-20 15:07:32'), (2696, 3, 9, 1, 'Bread crumbs (Bread crumbs)', 'Grms', '0.05', '642.04', '0.07%', '0.05', '620', '0.07%', '2020-03-20 15:07:32'), (2697, 3, 9, 1, 'Bread Improver (Bread Improver )', 'Grms', '0.07', '0', '0.00%', '0.07', '0', '0.00%', '2020-03-20 15:07:32'), (2698, 3, 9, 1, 'Brown Paper (Brown Paper 500pcs/bundle )', 'ea', '0', '0', '0.00%', '2.66', '0', '0.00%', '2020-03-20 15:07:32'), (2699, 3, 9, 1, 'Buko (Buko)', 'Kls', '120', '0', '0.00%', '240', '0', '0.00%', '2020-03-20 15:07:32'), (2700, 3, 9, 1, 'Buko Meat (Buko Meat)', 'Grms', '0.12', '789.36', '0.09%', '0.12', '789.36', '0.09%', '2020-03-20 15:07:32'), (2701, 3, 9, 1, 'Butter Oil Substitute(BOS) (Butter Oil Substitute (BOS) )', 'Grms', '0.18', '422.76', '0.05%', '0.16', '381.12', '0.05%', '2020-03-20 15:07:32'), (2702, 3, 9, 1, 'Butter Unsalted 20KG (Butter Unsalted 20KG/Case )', 'Grms', '0', '0', '0.00%', '0.29', '0', '0.00%', '2020-03-20 15:07:32'), (2703, 3, 9, 1, 'Butter Unsalted 10KG (Butter Unsalted 10KG/case )', 'Grms', '0.2', '0', '0.00%', '0.33', '0', '0.00%', '2020-03-20 15:07:32'), (2704, 3, 9, 1, 'Butter Unsalted 225g (Mag Gold Butter Unsalted 225g)', 'Bar', '90.53', '0', '0.00%', '94.3', '0', '0.00%', '2020-03-20 15:07:32'), (2705, 3, 9, 1, 'Butter Unsalted 227g (Butter Unsalted 227g )', 'Grms', '0', '0', '0.00%', '0.44', '0', '0.00%', '2020-03-20 15:07:32'), (2706, 3, 9, 1, 'Buttercup 225g (Buttercup 225g/bar)', 'Bar', '40.54', '1378.21', '0.15%', '39.33333', '1337.33', '0.16%', '2020-03-20 15:07:32'), (2707, 3, 9, 1, 'Cake Flour (Cake Flour 25KG/Sack )', 'Grms', '0.04', '816', '0.09%', '0.04', '800', '0.10%', '2020-03-20 15:07:32'), (2708, 3, 9, 1, 'Cheese Powder 50g (Cheese Powder 50)', 'Pck', '20.27', '0', '0.00%', '26.5', '0', '0.00%', '2020-03-20 15:07:32'), (2709, 3, 9, 1, 'Cherry with stem (Cherry with stem)', 'ea', '2.72', '48.96', '0.01%', '2.72', '48.96', '0.01%', '2020-03-20 15:07:32'), (2710, 3, 9, 1, 'Choco Fudge (Choco fudge for pound cake)', 'Grms', '0.24', '0', '0.00%', '0.239', '0', '0.00%', '2020-03-20 15:07:32'), (2711, 3, 9, 1, 'Chocolate Glazed (Chocolate Glazed 5000/pail )', 'Grms', '0.31', '18815.15', '2.03%', '0.30464', '18765.82', '2.23%', '2020-03-20 15:07:32'), (2712, 3, 9, 1, 'Chocolate Sprinkles/ Vermicilli (Chocolate Sprinkles/ Vermicilli )', 'Grms', '0.35', '1907.5', '0.21%', '0.35', '1907.5', '0.23%', '2020-03-20 15:07:32'), (2713, 3, 9, 1, 'Cinnamon Powder 1KG (Cinnamon Powder 1KG/Pack )', 'Grms', '0.33', '264.02', '0.03%', '0.28', '224.84', '0.03%', '2020-03-20 15:07:32'), (2714, 3, 9, 1, 'Cinnamon Powder 500g (Cinnamon Powder 500g/pack )', 'Grms', '0.25', '0', '0.00%', '0.25', '0', '0.00%', '2020-03-20 15:07:32'), (2715, 3, 9, 1, 'Cocoa (Cocoa )', 'Grms', '0.31', '1612.64', '0.17%', '0.28', '1456', '0.17%', '2020-03-20 15:07:32'), (2716, 3, 9, 1, 'Corn Oil (Corn Oil )', 'ML', '0', '0', '0.00%', '1.95', '0', '0.00%', '2020-03-20 15:07:32'), (2717, 3, 9, 1, 'Corn Oil pack (Corn Oil pack)', 'Pck', '61.8', '0', '0.00%', '61.8', '0', '0.00%', '2020-03-20 15:07:32'), (2718, 3, 9, 1, 'Cornstarch (Cornstarch )', 'Grms', '0.02', '41.64', '0.00%', '0.03', '55.23', '0.01%', '2020-03-20 15:07:32'), (2719, 3, 9, 1, 'Cracked oats (Cracked oats)', 'Grms', '0.11', '30.46', '0.00%', '0.09', '24.3', '0.00%', '2020-03-20 15:07:32'), (2720, 3, 9, 1, 'Cream Cheese 1.361KG (Cream Cheese 1.361KG )', 'Grms', '0.36', '0', '0.00%', '0.36', '0', '0.00%', '2020-03-20 15:07:32'), (2721, 3, 9, 1, 'Cream Cheese 1KG (Cream Cheese 1KG )', 'Grms', '0.42', '0.01', '0.00%', '0.39', '0', '0.00%', '2020-03-20 15:07:32'), (2722, 3, 9, 1, 'Cream of Tartar (Cream of Tartar)', 'Grms', '0.29', '304.16', '0.03%', '0.37', '394.05', '0.05%', '2020-03-20 15:07:32'), (2723, 3, 9, 1, 'Creamfill Vanilla (Creamfill Vanilla 5kls/Pail )', 'Grms', '0.17', '17303.89', '1.86%', '0.177', '17523', '2.09%', '2020-03-20 15:07:32'), (2724, 3, 9, 1, 'Dahon Saging (Dahon Saging)', 'Grms', '25', '70000', '7.54%', '0.03', '84', '0.01%', '2020-03-20 15:07:32'), (2725, 3, 9, 1, 'Danes Cheese 450g (Danes Cheese 450g)', 'Bar', '120', '0', '0.00%', '120', '0', '0.00%', '2020-03-20 15:07:32'), (2726, 3, 9, 1, 'Demi Glace (Demi Glace )', 'Grms', '0.51', '0', '0.00%', '0.45', '0', '0.00%', '2020-03-20 15:07:32'), (2727, 3, 9, 1, 'Dessicated Coconut (Dessicated Coconut )', 'Grms', '0.15', '740.51', '0.08%', '0.12', '580.8', '0.07%', '2020-03-20 15:07:32'), (2728, 3, 9, 1, 'DM Extra Ketchup 320g (DM Extra Ketchup 320g)', 'gal', '43.77', '0', '0.00%', '43.6', '0', '0.00%', '2020-03-20 15:07:32'), (2729, 3, 9, 1, 'DM Pineapple crushed (227gm) (DM Pineapple crushed (227gm))', 'Can', '25.04', '100.14', '0.01%', '22.56', '90.24', '0.01%', '2020-03-20 15:07:32'), (2730, 3, 9, 1, 'Dole Pineapple Crashed (Dole Pineapple Crashed 439g/can )', 'Can', '23.7', '0', '0.00%', '41.3', '0', '0.00%', '2020-03-20 15:07:32'), (2731, 3, 9, 1, 'Dole Pineapple crushed (Dole Pineapple crushed 567g / can )', 'Can', '51.2', '0', '0.00%', '51.2', '0', '0.00%', '2020-03-20 15:07:32'), (2732, 3, 9, 1, 'Eden Filled Cheese 440g (Eden Filled Cheese 440g)', 'Bar', '127.05', '1270.5', '0.14%', '114.29', '1142.9', '0.14%', '2020-03-20 15:07:32'), (2733, 3, 9, 1, 'Eden Queso De Bola 440g (Eden Queso De Bola 440g)', 'Bar', '155.55', '4510.95', '0.49%', '155.55', '4510.95', '0.54%', '2020-03-20 15:07:32'), (2734, 3, 9, 1, 'Egg Yellow coloring (Egg Yellow coloring )', 'Grms', '0.16', '88.13', '0.01%', '0.16', '86.4', '0.01%', '2020-03-20 15:07:32'), (2735, 3, 9, 1, 'Eggs (Eggs)', 'ea', '5.7', '44531.86', '4.80%', '4.83', '37741.62', '4.49%', '2020-03-20 15:07:32'), (2736, 3, 9, 1, 'El Rancho Spiced Ham (El rancho spiced Ham )', 'Grms', '0.18', '0', '0.00%', '0.16', '0', '0.00%', '2020-03-20 15:07:32'), (2737, 3, 9, 1, 'Evaporated Milk 370ml (Evaporated Milk 370ml)', 'Can', '36.05', '0', '0.00%', '36.05', '0', '0.00%', '2020-03-20 15:07:32'), (2738, 3, 9, 1, 'Filled Cheese (Filled Cheese )', 'Grms', '0.24', '40536.05', '4.37%', '0.23', '38531.21', '4.59%', '2020-03-20 15:07:32'), (2739, 3, 9, 1, 'Filled Cheese (case) (Filled Cheese (case))', 'cs', '2575.75', '0', '0.00%', '2575.75', '0', '0.00%', '2020-03-20 15:07:32'), (2740, 3, 9, 1, 'First Class flour (First Class flour)', 'Grms', '0.03', '3668.9', '0.40%', '0.03', '3300', '0.39%', '2020-03-20 15:07:32'), (2741, 3, 9, 1, 'Fresh Milk- Conaprole (Fresh Milk- Conaprole )', 'Pck', '58', '5592.36', '0.60%', '58', '5592.36', '0.67%', '2020-03-20 15:07:32'), (2742, 3, 9, 1, 'FreshMilk Anchor 12s (FreshMilk Anchor 12s)', 'ea', '58', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 15:07:32'), (2743, 3, 9, 1, 'Freshmilk Pauls (Freshmilk Pauls)', 'Pck', '55', '0', '0.00%', '55', '0', '0.00%', '2020-03-20 15:07:32'), (2744, 3, 9, 1, 'FreshMilk Pauls Milk (FreshMilk Pauls Milk 1 liter 12s)', 'cs', '135.2', '0', '0.00%', '718.8', '0', '0.00%', '2020-03-20 15:07:32'), (2745, 3, 9, 1, 'Glaze Fruit (Glaze Fruit 5kls/Pail )', 'Grms', '0', '0', '0.00%', '0.06', '0', '0.00%', '2020-03-20 15:07:32'), (2746, 3, 9, 1, 'Glucose (Glucose)', 'Kls', '65', '0', '0.00%', '65', '0', '0.00%', '2020-03-20 15:07:32'), (2747, 3, 9, 1, 'Glycerine (Glycerine)', 'Kls', '250', '0', '0.00%', '250', '0', '0.00%', '2020-03-20 15:07:32'), (2748, 3, 9, 1, 'Hotdog Champion (Hotdog Champion )', 'Grms', '0.09', '0', '0.00%', '0.09', '0', '0.00%', '2020-03-20 15:07:32'), (2749, 3, 9, 1, 'Icing (Icing)', 'Kls', '0.23', '562.5', '0.06%', '0.22', '550', '0.07%', '2020-03-20 15:07:32'), (2750, 3, 9, 1, 'Macapuno (Macapuno Meat)', 'Grms', '0.2', '5600.05', '0.60%', '0.19', '5320', '0.63%', '2020-03-20 15:07:32'), (2751, 3, 9, 1, 'Magnolia Cheese Reg. 950g/900g (Magnolia Cheese Reg. 950g/900g)', 'Pck', '248.2', '2482', '0.27%', '248.2', '2482', '0.30%', '2020-03-20 15:07:32'), (2752, 3, 9, 1, 'Mango Puree (Mango Puree )', 'Grms', '0', '0', '0.00%', '0.13', '0', '0.00%', '2020-03-20 15:07:32'), (2753, 3, 9, 1, 'Margarine (Margarine )', 'Grms', '0.08', '440.63', '0.05%', '0.1', '540', '0.06%', '2020-03-20 15:07:32'), (2754, 3, 9, 1, 'Mayonnaise (Mayonnaise 5kls/Pail )', 'Grms', '0.12', '1334.61', '0.14%', '0.11707', '1334.6', '0.16%', '2020-03-20 15:07:32'), (2755, 3, 9, 1, 'Micram (Micram )', 'Grms', '0', '0', '0.00%', '0.22', '0', '0.00%', '2020-03-20 15:07:32'), (2756, 3, 9, 1, 'Molasses (Molasses)', 'ML', '0.08', '225.94', '0.02%', '0.07', '210', '0.03%', '2020-03-20 15:07:32'), (2757, 3, 9, 1, 'Novellino 750ml (Novellino 750ml)', 'Bot', '259', '69.93', '0.01%', '259', '69.93', '0.01%', '2020-03-20 15:07:32'), (2758, 3, 9, 1, 'Orange Coloring (Orange Coloring 25/PACK )', 'Grms', '1.29', '0', '0.00%', '1.29', '0', '0.00%', '2020-03-20 15:07:32'), (2759, 3, 9, 1, 'Palm Oil (Palm Oil)', 'Kls', '44', '0', '0.00%', '44', '0', '0.00%', '2020-03-20 15:07:32'), (2760, 3, 9, 1, 'Peanut (Peanut )', 'Grms', '0.09', '1113.82', '0.12%', '0.11', '1430', '0.17%', '2020-03-20 15:07:32'), (2761, 3, 9, 1, 'Pineapple Crushed (Pineapple Crushed 567g )', 'Can', '24.55', '0', '0.00%', '51.2', '0', '0.00%', '2020-03-20 15:07:32'), (2762, 3, 9, 1, 'Powdered Milk (Powdered Milk )', 'Grms', '0.12', '0', '0.00%', '0.11', '0', '0.00%', '2020-03-20 15:07:32'), (2763, 3, 9, 1, 'Quaker Instant Oats 800g (Quaker Instant Oats 800g)', 'Pck', '97.81', '0', '0.00%', '98.7', '0', '0.00%', '2020-03-20 15:07:32'), (2764, 3, 9, 1, 'Raisin 10kg (Raisin 10kg )', 'Grms', '0.09', '0', '0.00%', '0.08', '0', '0.00%', '2020-03-20 15:07:32'), (2765, 3, 9, 1, 'Raisin 9kg (Raisin 9kg )', 'Grms', '0', '0', '0.00%', '0.12', '0', '0.00%', '2020-03-20 15:07:32'), (2766, 3, 9, 1, 'Ram Oats 500g (Ram Oats 500g)', 'Pck', '52.49', '262.47', '0.03%', '52.5', '262.5', '0.03%', '2020-03-20 15:07:32'), (2767, 3, 9, 1, 'Red Ruby Cherry (Red Ruby Cherry)', 'Grms', '0.25', '0', '0.00%', '0.32', '0', '0.00%', '2020-03-20 15:07:32'), (2768, 3, 9, 1, 'Rock Salt (Rock Salt)', 'Grms', '0.03', '174.27', '0.02%', '0.03417', '170.85', '0.02%', '2020-03-20 15:07:32'), (2769, 3, 9, 1, 'Rye Flour (Rye Flour )', 'Grms', '0.3', '384.53', '0.04%', '0.26', '338', '0.04%', '2020-03-20 15:07:32'), (2770, 3, 9, 1, 'Semi-sweet chocolate (Semi-sweet chocolate)', 'Grms', '0.24', '225.21', '0.02%', '0.34', '312.8', '0.04%', '2020-03-20 15:07:32'), (2771, 3, 9, 1, 'Sesame Seeds (Sesame Seeds )', 'Grms', '0.16', '375.36', '0.04%', '0.18', '414', '0.05%', '2020-03-20 15:07:32'), (2772, 3, 9, 1, 'Shortening (Shortening )', 'Grms', '0.09', '87.42', '0.01%', '0.12', '120', '0.01%', '2020-03-20 15:07:32'), (2773, 3, 9, 1, 'Sugar Brown (Sugar Brown )', 'Grms', '0.04', '739.54', '0.08%', '0.04', '774.12', '0.09%', '2020-03-20 15:07:32'), (2774, 3, 9, 1, 'Sugar White (Sugar White )', 'Grms', '0.08', '11554.97', '1.25%', '0.05', '7509.7', '0.89%', '2020-03-20 15:07:32'), (2775, 3, 9, 1, 'Super Syrup (Super Syrup )', 'Grms', '0.07', '7183.32', '0.77%', '0.075', '7500', '0.89%', '2020-03-20 15:07:32'), (2776, 3, 9, 1, 'Sweet Ube Jam 1kg (Sweet Ube Jam 1kg )', 'Grms', '0.13', '0', '0.00%', '0.12895', '0', '0.00%', '2020-03-20 15:07:32'), (2777, 3, 9, 1, 'Tanduay Rhum 1000ml (Tanduay Rhum 1000ml )', 'Bot', '102.46', '0', '0.00%', '102.45', '0', '0.00%', '2020-03-20 15:07:32'), (2778, 3, 9, 1, 'Tanduay Rhum 750ml (Tanduay Rhum 750ml )', 'Bot', '83', '0', '0.00%', '81', '0', '0.00%', '2020-03-20 15:07:32'), (2779, 3, 9, 1, 'Third Class flour (Third Class flour )', 'Grms', '0.03', '6.6', '0.00%', '0.03', '6.6', '0.00%', '2020-03-20 15:07:32'), (2780, 3, 9, 1, 'Tita My Patis 345ml (Tita My Patis 345ml)', 'ML', '17.85', '0', '0.00%', '17.85', '0', '0.00%', '2020-03-20 15:07:32'), (2781, 3, 9, 1, 'Ube Flavocol (Ube Flavocol )', 'ML', '0.45', '0', '0.00%', '0.45', '0', '0.00%', '2020-03-20 15:07:32'), (2782, 3, 9, 1, 'Ube Paste (Ube Paste )', 'Grms', '0.11', '1593.19', '0.17%', '0.11', '1562', '0.19%', '2020-03-20 15:07:32'), (2783, 3, 9, 1, 'Vanilla (Vanilla 3785ml/gal )', 'ML', '0.03', '125.29', '0.01%', '0.03', '114', '0.01%', '2020-03-20 15:07:32'), (2784, 3, 9, 1, 'Vegetable Oil (Vegetable Oil )', 'ML', '0.06', '19770.39', '2.13%', '0.05775', '19894.88', '2.37%', '2020-03-20 15:07:32'), (2785, 3, 9, 1, 'Virgies Wild Honey (Virgies Wild Honey (325ml/bot))', 'Bot', '103.5', '0', '0.00%', '103.5', '0', '0.00%', '2020-03-20 15:07:32'), (2786, 3, 9, 1, 'Virginia Honeycorn Bacon 400g (Virginia Honeycorn Bacon 400g)', 'Pck', '235', '0', '0.00%', '235', '0', '0.00%', '2020-03-20 15:07:32'), (2787, 3, 9, 1, 'Virginia Honeycure Bacon (Virginia Honeycure Bacon )', 'Grms', '0.49', '0', '0.00%', '0.52', '0', '0.00%', '2020-03-20 15:07:32'), (2788, 3, 9, 1, 'Whipping Cream (Whipping Cream (5pailsx4.5kl/pail) )', 'Grms', '0.21', '27504.56', '2.96%', '0.20889', '27469.04', '3.27%', '2020-03-20 15:07:32'), (2789, 3, 9, 1, 'Whole Wheat Flour (Whole Wheat Flour )', 'Grms', '0.05', '234.6', '0.03%', '0.05', '230', '0.03%', '2020-03-20 15:07:32'), (2790, 3, 9, 1, 'Yeast (Yeast )', 'Grms', '0.21', '7197.13', '0.78%', '0.18', '6048', '0.72%', '2020-03-20 15:07:32'), (2791, 3, 10, 1, 'Assorted Cookies (Assorted Cookies )', 'ea', '3.54', '0', '0.00%', '3.54', '0', '0.00%', '2020-03-20 15:09:24'), (2792, 3, 10, 1, 'Bacon Bread (Bacon Bread )', 'ea', '23.73', '23.73', '0.00%', '23.73', '23.73', '0.00%', '2020-03-20 15:09:24'), (2793, 3, 10, 1, 'Bagels (Bagels )', 'ea', '0', '0', '0.00%', '3.34', '0', '0.00%', '2020-03-20 15:09:24'), (2794, 3, 10, 1, 'Banana Ketchup Mafran (Banana Ketchup Mafran 3785/Gallon )', 'Grms', '0.02', '151.5', '0.02%', '0.021', '158.97', '0.02%', '2020-03-20 15:09:24'), (2795, 3, 10, 1, 'Banana Ketchup Mommy (Banana Ketchup Mommy)', 'gal', '63.85', '0', '0.00%', '82.4', '0', '0.00%', '2020-03-20 15:09:24'), (2796, 3, 10, 1, 'Banana Ketchup Tita Frita (Banana Ketchup Tita Frita 3785/Gal )', 'Grms', '0.02', '0', '0.00%', '0.02', '0', '0.00%', '2020-03-20 15:09:24'), (2797, 3, 10, 1, 'Banana Muffins (Banana Muffins )', 'ea', '4.91', '638.3', '0.07%', '8', '1040', '0.12%', '2020-03-20 15:09:24'), (2798, 3, 10, 1, 'Bavarian loaf (Bavarian loaf )', 'ea', '0', '0', '0.00%', '21.61', '0', '0.00%', '2020-03-20 15:09:24'), (2799, 3, 10, 1, 'Big Bibingka (Big Bibingka )', 'ea', '15.69', '0', '0.00%', '15.69', '0', '0.00%', '2020-03-20 15:09:24'), (2800, 3, 10, 1, 'Binangkal (Binangkal )', 'ea', '7', '777', '0.08%', '3.09', '342.99', '0.04%', '2020-03-20 15:09:24'), (2801, 3, 10, 1, 'Biscocho (Biscocho)', 'ea', '3.81', '0', '0.00%', '3.81', '0', '0.00%', '2020-03-20 15:09:24'), (2802, 3, 10, 1, 'Brownies (Brownies )', 'ea', '10.2', '0', '0.00%', '10.2', '0', '0.00%', '2020-03-20 15:09:24'), (2803, 3, 10, 1, 'Buko Bibingka (Buko Bibingka )', 'ea', '13.08', '169.98', '0.02%', '20', '260', '0.03%', '2020-03-20 15:09:24'), (2804, 3, 10, 1, 'Burger Buns (6pcs) (Burger Buns (6pcs))', 'Pck', '18.42', '0', '0.00%', '18.42', '0', '0.00%', '2020-03-20 15:09:24'), (2805, 3, 10, 1, 'Butter Macaroons (Butter Macaroons )', 'ea', '3.69', '0', '0.00%', '3.69', '0', '0.00%', '2020-03-20 15:09:24'), (2806, 3, 10, 1, 'Cheese bread (Cheese bread )', 'ea', '4.28', '38.52', '0.00%', '4.28', '38.52', '0.01%', '2020-03-20 15:09:24'), (2807, 3, 10, 1, 'Cheese Cake (Cheese Cake )', 'ea', '8.49', '0', '0.00%', '8.49', '0', '0.00%', '2020-03-20 15:09:24'), (2808, 3, 10, 1, 'Cheese cross buns (Cheese cross buns )', 'ea', '20.35', '0', '0.00%', '20.35', '0', '0.00%', '2020-03-20 15:09:24'), (2809, 3, 10, 1, 'Cheese Monay (Cheese Monay )', 'ea', '2.46', '0', '0.00%', '2.46', '0', '0.00%', '2020-03-20 15:09:24'), (2810, 3, 10, 1, 'Cheeseloaf (Cheeseloaf )', 'ea', '45.13', '315.91', '0.03%', '31.65', '221.55', '0.03%', '2020-03-20 15:09:24'), (2811, 3, 10, 1, 'Chiffon Cake Large (Chiffon Cake Large )', 'ea', '109.71', '219.42', '0.02%', '109.71', '219.42', '0.03%', '2020-03-20 15:09:24'), (2812, 3, 10, 1, 'Chiffon Cake Mini (Chiffon Cake Mini )', 'ea', '14.87', '14.87', '0.00%', '14.87', '14.87', '0.00%', '2020-03-20 15:09:24'), (2813, 3, 10, 1, 'Chiffon Cake Small (Chiffon Cake Small )', 'ea', '67.54', '337.7', '0.04%', '67.54', '337.7', '0.04%', '2020-03-20 15:09:24'), (2814, 3, 10, 1, 'Chiffon XSmall (Chiffon XSmall)', 'ea', '30.53', '0', '0.00%', '30.53', '0', '0.00%', '2020-03-20 15:09:24'), (2815, 3, 10, 1, 'Chinese Hopia (Chinese Hopia )', 'ea', '4.18', '50.16', '0.01%', '4.18', '50.16', '0.01%', '2020-03-20 15:09:24'), (2816, 3, 10, 1, 'Choco bread (Choco bread )', 'ea', '6.62', '13.24', '0.00%', '6.62', '13.24', '0.00%', '2020-03-20 15:09:24'), (2817, 3, 10, 1, 'Choco Crinkles (Choco Crinkles )', 'ea', '6.35', '6.35', '0.00%', '6.35', '6.35', '0.00%', '2020-03-20 15:09:24'), (2818, 3, 10, 1, 'Choco flowing (Choco flowing )', 'ea', '2.74', '0', '0.00%', '2.74', '0', '0.00%', '2020-03-20 15:09:24'), (2819, 3, 10, 1, 'Choco Ganache Base (Choco Ganache Base )', 'ea', '0', '0', '0.00%', '11.89', '0', '0.00%', '2020-03-20 15:09:24'), (2820, 3, 10, 1, 'Choco Lanay Packed (Choco Lanay Packed)', 'Pck', '29.32', '87.96', '0.01%', '29.32', '87.96', '0.01%', '2020-03-20 15:09:24'), (2821, 3, 10, 1, 'Choco loaf (Choco loaf )', 'ea', '18.02', '0', '0.00%', '18.02', '0', '0.00%', '2020-03-20 15:09:24'), (2822, 3, 10, 1, 'Choco Muffins (Choco Muffins )', 'ea', '0', '0', '0.00%', '7.15', '0', '0.00%', '2020-03-20 15:09:24'), (2823, 3, 10, 1, 'Choco twirl (Choco twirl )', 'ea', '5.05', '10.1', '0.00%', '5.05', '10.1', '0.00%', '2020-03-20 15:09:24'), (2824, 3, 10, 1, 'ChocoMoist Cake (ChocoMoist Cake )', 'ea', '23.5', '0', '0.00%', '23.5', '0', '0.00%', '2020-03-20 15:09:24'), (2825, 3, 10, 1, 'Ciabatta (Ciabatta )', 'ea', '0', '0', '0.00%', '12', '0', '0.00%', '2020-03-20 15:09:24'), (2826, 3, 10, 1, 'Cinnamon loaf (Cinnamon loaf )', 'ea', '16.35', '32.7', '0.00%', '16.35', '32.7', '0.00%', '2020-03-20 15:09:24'), (2827, 3, 10, 1, 'Cinnamon slice (Cinnamon slice )', 'ea', '7.68', '122.88', '0.01%', '7.68', '122.88', '0.02%', '2020-03-20 15:09:24'), (2828, 3, 10, 1, 'Cinnamon syrup (Cinnamon syrup )', 'ea', '7.45', '81.95', '0.01%', '7.45', '81.95', '0.01%', '2020-03-20 15:09:24'), (2829, 3, 10, 1, 'Coco bread (Coco bread )', 'ea', '4.74', '28.44', '0.00%', '4.74', '28.44', '0.00%', '2020-03-20 15:09:24'), (2830, 3, 10, 1, 'Communion Bread (Communion Bread )', 'ea', '14.98', '3804.92', '0.41%', '14.98', '3804.92', '0.45%', '2020-03-20 15:09:24'), (2831, 3, 10, 1, 'Cookies & Cream Chilled (Cookies & Cream Chilled )', 'ea', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 15:09:24'), (2832, 3, 10, 1, 'Cookies and Cream (Cookies and Cream )', 'ea', '45.78', '0', '0.00%', '45.78', '0', '0.00%', '2020-03-20 15:09:24'), (2833, 3, 10, 1, 'Cracked w.wheat (Cracked w.wheat )', 'ea', '15.95', '15.95', '0.00%', '15.95', '15.95', '0.00%', '2020-03-20 15:09:24'), (2834, 3, 10, 1, 'Cream Bread Jumbo (Cream Bread Jumbo )', 'ea', '38.69', '3907.21', '0.42%', '37.29', '3766.29', '0.45%', '2020-03-20 15:09:24'), (2835, 3, 10, 1, 'Cream Bread Large (Cream Bread Large )', 'ea', '27.02', '3350.48', '0.36%', '27.02', '3350.48', '0.40%', '2020-03-20 15:09:24'), (2836, 3, 10, 1, 'Croissant (Croissant )', 'ea', '0', '0', '0.00%', '7.52', '0', '0.00%', '2020-03-20 15:09:24'), (2837, 3, 10, 1, 'Crotons (Crotons)', 'Pck', '21.3', '0', '0.00%', '21.3', '0', '0.00%', '2020-03-20 15:09:24'), (2838, 3, 10, 1, 'Custard Cake (Custard Cake )', 'ea', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 15:09:24'), (2839, 3, 10, 1, 'Dark Rye Oats (Dark Rye Oats )', 'ea', '0', '0', '0.00%', '23.94', '0', '0.00%', '2020-03-20 15:09:24'), (2840, 3, 10, 1, 'Dinner Roll (Dinner Roll)', 'ea', '19.68', '0', '0.00%', '19.68', '0', '0.00%', '2020-03-20 15:09:24'), (2841, 3, 10, 1, 'Donut (Donut )', 'ea', '3.69', '0', '0.00%', '3.69', '0', '0.00%', '2020-03-20 15:09:24'), (2842, 3, 10, 1, 'Donut with filling- small (Donut with filling- small)', 'ea', '11.22', '22.44', '0.00%', '11.22', '22.44', '0.00%', '2020-03-20 15:09:24'), (2843, 3, 10, 1, 'Double Body Plain (Double Body Plain )', 'ea', '7.02', '259.74', '0.03%', '7.02', '259.74', '0.03%', '2020-03-20 15:09:24'), (2844, 3, 10, 1, 'Double Body Ube (Double Body Ube )', 'ea', '7.77', '46.62', '0.01%', '7.77', '46.62', '0.01%', '2020-03-20 15:09:24'), (2845, 3, 10, 1, 'Dummy Cake 12x12 (Dummy Cake 12x12)', 'ea', '237.26', '0', '0.00%', '237.26', '0', '0.00%', '2020-03-20 15:09:24'), (2846, 3, 10, 1, 'Dummy Cake 12x16 (Dummy Cake 12x16)', 'ea', '339.74', '0', '0.00%', '339.74', '0', '0.00%', '2020-03-20 15:09:24'), (2847, 3, 10, 1, 'Dummy Cake 8x12 (Dummy Cake 8x12)', 'ea', '185.82', '0', '0.00%', '185.82', '0', '0.00%', '2020-03-20 15:09:24'), (2848, 3, 10, 1, '<NAME> (Durian Chilled )', 'ea', '23.84', '2264.8', '0.24%', '20', '1900', '0.23%', '2020-03-20 15:09:24'), (2849, 3, 10, 1, '<NAME> (Durian Chocolate )', 'ea', '58.38', '233.52', '0.03%', '58.38', '233.52', '0.03%', '2020-03-20 15:09:24'), (2850, 3, 10, 1, 'Dutch WWM (Dutch WWM )', 'ea', '20.09', '20.09', '0.00%', '20.09', '20.09', '0.00%', '2020-03-20 15:09:24'), (2851, 3, 10, 1, 'Egg Cracker (Egg Cracker)', 'ea', '16.09', '0', '0.00%', '16.09', '0', '0.00%', '2020-03-20 15:09:24'), (2852, 3, 10, 1, 'Egg Pandesal (Egg Pandesal)', 'ea', '1.82', '0', '0.00%', '1.82', '0', '0.00%', '2020-03-20 15:09:24'), (2853, 3, 10, 1, 'Ensaymada big (Ensaymada big )', 'ea', '0', '0', '0.00%', '22.03', '0', '0.00%', '2020-03-20 15:09:24'), (2854, 3, 10, 1, 'Ensaymada small (Ensaymada small )', 'ea', '6.48', '116.64', '0.01%', '6.48', '116.64', '0.01%', '2020-03-20 15:09:24'), (2855, 3, 10, 1, 'Euro Desal (Euro Desal )', 'ea', '1.74', '0', '0.00%', '1.74', '0', '0.00%', '2020-03-20 15:09:24'), (2856, 3, 10, 1, 'Euro loaf (Euro loaf )', 'ea', '29.37', '0', '0.00%', '29.37', '0', '0.00%', '2020-03-20 15:09:24'), (2857, 3, 10, 1, 'Figue Pie (Figue Pie )', 'ea', '3.77', '124.41', '0.01%', '3.77', '124.41', '0.02%', '2020-03-20 15:09:24'), (2858, 3, 10, 1, 'Fino (Fino )', 'ea', '1.54', '6.16', '0.00%', '1.54', '6.16', '0.00%', '2020-03-20 15:09:24'), (2859, 3, 10, 1, 'Food For the Gods (Food For the Gods )', 'ea', '0', '0', '0.00%', '9.17', '0', '0.00%', '2020-03-20 15:09:24'), (2860, 3, 10, 1, 'Frances big (Frances big )', 'ea', '0', '0', '0.00%', '21.26', '0', '0.00%', '2020-03-20 15:09:24'), (2861, 3, 10, 1, 'Frances small (Frances small )', 'ea', '0', '0', '0.00%', '6.52', '0', '0.00%', '2020-03-20 15:09:24'), (2862, 3, 10, 1, 'French Bread Plain Large (French Bread Plain Large )', 'ea', '16.83', '370.26', '0.04%', '16.83', '370.26', '0.04%', '2020-03-20 15:09:24'), (2863, 3, 10, 1, 'French Bread WW Large (French Bread WW Large )', 'ea', '16.81', '336.2', '0.04%', '16.81', '336.2', '0.04%', '2020-03-20 15:09:24'), (2864, 3, 10, 1, 'French Roast (French Roast)', 'ea', '40', '0', '0.00%', '40', '0', '0.00%', '2020-03-20 15:09:24'), (2865, 3, 10, 1, 'Fruit John (Fruit John )', 'ea', '19.13', '19.13', '0.00%', '19.13', '19.13', '0.00%', '2020-03-20 15:09:24'), (2866, 3, 10, 1, 'Fruit Shake (Fruit Shake)', 'ea', '12', '0', '0.00%', '20', '0', '0.00%', '2020-03-20 15:09:24'), (2867, 3, 10, 1, 'Fruitty Muffins (Fruitty Muffins )', 'ea', '0', '0', '0.00%', '6', '0', '0.00%', '2020-03-20 15:09:24'), (2868, 3, 10, 1, 'Fry Stick Bread Plain (Fry Stick Bread Plain )', 'ea', '10.06', '0', '0.00%', '10.06', '0', '0.00%', '2020-03-20 15:09:24'), (2869, 3, 10, 1, 'Fry Stick Bread w/ Cheese (Fry Stick Bread w/ Cheese )', 'ea', '10.37', '0', '0.00%', '10.37', '0', '0.00%', '2020-03-20 15:09:24'), (2870, 3, 10, 1, 'Garlic Bread (Garlic Bread)', 'ea', '45.83', '0', '0.00%', '45.83', '0', '0.00%', '2020-03-20 15:09:24'), (2871, 3, 10, 1, 'Garlic Mint (Garlic Mint )', 'ea', '0', '0', '0.00%', '3.76', '0', '0.00%', '2020-03-20 15:09:24'), (2872, 3, 10, 1, 'Garlic slice bread (Garlic slice bread )', 'ea', '4.65', '106.95', '0.01%', '4.65', '106.95', '0.01%', '2020-03-20 15:09:24'), (2873, 3, 10, 1, 'Garlic Stick Tumbler (Garlic Stick Tumbler)', 'Tumbler', '45.82', '504.02', '0.05%', '45.82', '504.02', '0.06%', '2020-03-20 15:09:24'), (2874, 3, 10, 1, 'Ham & egg (Ham & egg )', 'ea', '5.35', '5.35', '0.00%', '5.35', '5.35', '0.00%', '2020-03-20 15:09:24'), (2875, 3, 10, 1, 'Ham roll (Ham roll )', 'ea', '0', '0', '0.00%', '6.14', '0', '0.00%', '2020-03-20 15:09:24'), (2876, 3, 10, 1, 'Hawaiian upside (Hawaiian upside )', 'ea', '33.49', '100.47', '0.01%', '33.49', '100.47', '0.01%', '2020-03-20 15:09:24'), (2877, 3, 10, 1, 'Hopia Mongo (Hopia Mongo )', 'ea', '1.69', '0', '0.00%', '1.69', '0', '0.00%', '2020-03-20 15:09:24'), (2878, 3, 10, 1, 'Hopia Ube (Hopia UBE)', 'ea', '1.69', '0', '0.00%', '1.69', '0', '0.00%', '2020-03-20 15:09:24'), (2879, 3, 10, 1, 'Hotdog delight (Hotdog delight )', 'ea', '0', '0', '0.00%', '4.09', '0', '0.00%', '2020-03-20 15:09:24'), (2880, 3, 10, 1, 'Jelly Roll (Jelly Roll )', 'ea', '109.84', '0', '0.00%', '109.84', '0', '0.00%', '2020-03-20 15:09:24'), (2881, 3, 10, 1, 'Kaizer buns -big (Kaizer buns -big )', 'ea', '10.82', '0', '0.00%', '10.14', '0', '0.00%', '2020-03-20 15:09:24'), (2882, 3, 10, 1, 'Lengua Big (Lengua Big)', 'ea', '56.53', '0', '0.00%', '56.53', '0', '0.00%', '2020-03-20 15:09:24'), (2883, 3, 10, 1, 'Lengua de Gato (Lengua de Gato)', 'ea', '30.6', '183.57', '0.02%', '60', '360', '0.04%', '2020-03-20 15:09:24'), (2884, 3, 10, 1, 'Long Pandesal (Long Pandesal )', 'ea', '2.92', '5.84', '0.00%', '2.92', '5.84', '0.00%', '2020-03-20 15:09:24'), (2885, 3, 10, 1, 'Macapuno bread (Macapuno bread )', 'ea', '7.17', '7.17', '0.00%', '7.17', '7.17', '0.00%', '2020-03-20 15:09:24'), (2886, 3, 10, 1, 'Macapuno Loaf (Macapuno Loaf )', 'ea', '22.27', '0', '0.00%', '22.27', '0', '0.00%', '2020-03-20 15:09:24'), (2887, 3, 10, 1, 'Mango Chilled (Mango Chilled )', 'ea', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 15:09:24'), (2888, 3, 10, 1, 'Marjorie loaf (Marjorie loaf )', 'ea', '0', '0', '0.00%', '21.89', '0', '0.00%', '2020-03-20 15:09:24'), (2889, 3, 10, 1, 'Matzu Biscuit (Matzu Biscuit )', 'ea', '11.85', '0', '0.00%', '11.85', '0', '0.00%', '2020-03-20 15:09:24'), (2890, 3, 10, 1, 'Mix Rye (Mix Rye )', 'ea', '0', '0', '0.00%', '26.69', '0', '0.00%', '2020-03-20 15:09:24'), (2891, 3, 10, 1, 'Monay big (Monay big )', 'ea', '0', '0', '0.00%', '19.57', '0', '0.00%', '2020-03-20 15:09:24'), (2892, 3, 10, 1, 'Monay Del Valle (Monay Del Valle )', 'ea', '23.24', '0', '0.00%', '23.24', '0', '0.00%', '2020-03-20 15:09:24'), (2893, 3, 10, 1, 'Monay mini (Monay mini )', 'ea', '0', '0', '0.00%', '2.5', '0', '0.00%', '2020-03-20 15:09:24'), (2894, 3, 10, 1, 'Monay small (Monay small )', 'ea', '0', '0', '0.00%', '6.42', '0', '0.00%', '2020-03-20 15:09:24'), (2895, 3, 10, 1, 'Mongo bread (Mongo bread )', 'ea', '4.88', '29.28', '0.00%', '4.88', '29.28', '0.00%', '2020-03-20 15:09:24'), (2896, 3, 10, 1, 'Mud Bar (Mud Bar )', 'ea', '0', '0', '0.00%', '9.95', '0', '0.00%', '2020-03-20 15:09:24'), (2897, 3, 10, 1, 'Multiseeds (Multiseeds )', 'ea', '0', '0', '0.00%', '25.87', '0', '0.00%', '2020-03-20 15:09:24'), (2898, 3, 10, 1, 'Mushroom (Mushroom )', 'ea', '2.7', '0', '0.00%', '2.7', '0', '0.00%', '2020-03-20 15:09:24'), (2899, 3, 10, 1, 'Pandan Hopia (Pandan Hopia )', 'ea', '0', '0', '0.00%', '1.41', '0', '0.00%', '2020-03-20 15:09:24'), (2900, 3, 10, 1, 'Papa Banana Catshup 4KG (Papa Banana Catshup 4KG)', 'gal', '156.36', '0', '0.00%', '137.9', '0', '0.00%', '2020-03-20 15:09:24'), (2901, 3, 10, 1, 'Papaya (Papaya )', 'ea', '0', '0', '0.00%', '20.71', '0', '0.00%', '2020-03-20 15:09:24'), (2902, 3, 10, 1, 'Parsly cheese (Parsly cheese )', 'ea', '0', '0', '0.00%', '2.46', '0', '0.00%', '2020-03-20 15:09:24'), (2903, 3, 10, 1, 'Parsly Hotdog (Parsly Hotdog )', 'ea', '0', '0', '0.00%', '4.89', '0', '0.00%', '2020-03-20 15:09:24'), (2904, 3, 10, 1, 'Pilipit (Pilipit )', 'ea', '66.13', '1322.6', '0.14%', '3.69', '73.8', '0.01%', '2020-03-20 15:09:24'), (2905, 3, 10, 1, 'PineApple Pie (PineApple Pie)', 'ea', '10', '180', '0.02%', '10', '180', '0.02%', '2020-03-20 15:09:24'), (2906, 3, 10, 1, 'Plain Muffins (Plain Muffins )', 'ea', '0', '0', '0.00%', '7.25', '0', '0.00%', '2020-03-20 15:09:24'), (2907, 3, 10, 1, 'Putok (Putok )', 'ea', '2.77', '36.01', '0.00%', '2.77', '36.01', '0.00%', '2020-03-20 15:09:24'), (2908, 3, 10, 1, 'Raisin Cake (Raisin Cake )', 'ea', '0', '0', '0.00%', '7.11', '0', '0.00%', '2020-03-20 15:09:24'), (2909, 3, 10, 1, 'Revel Bar (Revel Bar )', 'ea', '8.96', '0', '0.00%', '8.96', '0', '0.00%', '2020-03-20 15:09:24'), (2910, 3, 10, 1, 'Royal Bibingka (Royal Bibingka )', 'ea', '11.58', '81.06', '0.01%', '11.58', '81.06', '0.01%', '2020-03-20 15:09:24'), (2911, 3, 10, 1, 'S.Donut Filling (Donut with Filling - small )', 'ea', '0', '0', '0.00%', '5.61', '0', '0.00%', '2020-03-20 15:09:24'), (2912, 3, 10, 1, 'S.Donut with Filling (S.Donut with Filling- Big)', 'ea', '29', '0', '0.00%', '29', '0', '0.00%', '2020-03-20 15:09:24'), (2913, 3, 10, 1, 'S.Donut with Filling- small (S.Donut with Filling- small)', 'ea', '11.22', '0', '0.00%', '11.22', '0', '0.00%', '2020-03-20 15:09:24'), (2914, 3, 10, 1, 'Sesame cookies (Sesame cookies)', '', '22.09', '2120.64', '0.23%', '22.09', '2120.64', '0.25%', '2020-03-20 15:09:24'), (2915, 3, 10, 1, 'Sesame Roll (Sesame Roll )', 'ea', '0', '0', '0.00%', '2.72', '0', '0.00%', '2020-03-20 15:09:24'), (2916, 3, 10, 1, 'Sesame Rye (Sesame Rye )', 'ea', '22.47', '0', '0.00%', '22.47', '0', '0.00%', '2020-03-20 15:09:24'), (2917, 3, 10, 1, 'Sesame w.wheat (Sesame w.wheat )', 'ea', '22.25', '0', '0.00%', '22.25', '0', '0.00%', '2020-03-20 15:09:24'), (2918, 3, 10, 1, 'Slutty Brownies (Slutty Brownies )', 'ea', '0', '0', '0.00%', '10.85', '0', '0.00%', '2020-03-20 15:09:24'), (2919, 3, 10, 1, 'Sour Dough Bread (Sour Dough Bread )', 'ea', '14.95', '0', '0.00%', '14.95', '0', '0.00%', '2020-03-20 15:09:24'), (2920, 3, 10, 1, 'Spanish bread (Spanish bread )', 'ea', '3.42', '3.42', '0.00%', '3.42', '3.42', '0.00%', '2020-03-20 15:09:24'), (2921, 3, 10, 1, 'Special Mamon (Special Mamon )', 'ea', '10.31', '82.48', '0.01%', '10.31', '82.48', '0.01%', '2020-03-20 15:09:24'), (2922, 3, 10, 1, 'Star bread big (Star bread big )', 'ea', '0', '0', '0.00%', '19.68', '0', '0.00%', '2020-03-20 15:09:24'), (2923, 3, 10, 1, 'Star small (Star small )', 'ea', '0', '0', '0.00%', '6.42', '0', '0.00%', '2020-03-20 15:09:24'), (2924, 3, 10, 1, 'Starbread mini (Starbread mini )', 'ea', '2.5', '35', '0.00%', '2.5', '35', '0.00%', '2020-03-20 15:09:24'), (2925, 3, 10, 1, 'Stick Bread (Stick Bread )', 'ea', '17', '0', '0.00%', '17', '0', '0.00%', '2020-03-20 15:09:24'), (2926, 3, 10, 1, 'Strussels small (Strussels small )', 'ea', '0', '0', '0.00%', '6.78', '0', '0.00%', '2020-03-20 15:09:24'), (2927, 3, 10, 1, 'Taipan Loaf (Taipan Loaf )', 'ea', '0', '0', '0.00%', '23.75', '0', '0.00%', '2020-03-20 15:09:24'), (2928, 3, 10, 1, 'Toasted Bread (Toasted Bread )', 'ea', '10.29', '874.65', '0.09%', '11', '935', '0.11%', '2020-03-20 15:09:24'), (2929, 3, 10, 1, 'Toasted Chiffon (Toasted Chiffon)', 'ea', '11', '0', '0.00%', '11', '0', '0.00%', '2020-03-20 15:09:24'), (2930, 3, 10, 1, 'Toasted Jelly Roll (Toasted Jelly Roll)', 'ea', '11', '0', '0.00%', '11', '0', '0.00%', '2020-03-20 15:09:24'), (2931, 3, 10, 1, 'Toasted Siopao Chicken (Toasted Siopao Chicken )', 'ea', '0', '0', '0.00%', '7.16', '0', '0.00%', '2020-03-20 15:09:24'), (2932, 3, 10, 1, 'Toasted Siopao Pork (Toasted Siopao Pork )', 'ea', '7.57', '408.78', '0.04%', '7.57', '408.78', '0.05%', '2020-03-20 15:09:24'), (2933, 3, 10, 1, 'Ube bread (Ube bread )', 'ea', '3.35', '0', '0.00%', '3.35', '0', '0.00%', '2020-03-20 15:09:24'), (2934, 3, 10, 1, 'Ube Chilled (Ube Chilled )', 'ea', '18', '0', '0.00%', '18', '0', '0.00%', '2020-03-20 15:09:24'), (2935, 3, 10, 1, 'Ube Hopia (Ube Hopia )', 'ea', '1.69', '74.36', '0.01%', '1.69', '74.36', '0.01%', '2020-03-20 15:09:24'), (2936, 3, 10, 1, 'Ube loaf (Ube loaf )', 'ea', '14.13', '14.13', '0.00%', '14.13', '14.13', '0.00%', '2020-03-20 15:09:24'), (2937, 3, 10, 1, 'Valentine Cake (Valentine Cake )', 'ea', '0', '0', '0.00%', '14.42', '0', '0.00%', '2020-03-20 15:09:24'), (2938, 3, 10, 1, 'W.wheat pandesal (W.wheat pandesal )', 'ea', '0', '0', '0.00%', '5.86', '0', '0.00%', '2020-03-20 15:09:24'), (2939, 3, 10, 1, 'White Mongo Hopia (White Mongo Hopia )', 'ea', '0', '0', '0.00%', '1.41', '0', '0.00%', '2020-03-20 15:09:24'), (2940, 3, 10, 1, 'Wholewheat Jumbo (Wholewheat Jumbo )', 'ea', '31.02', '0', '0.00%', '31.02', '0', '0.00%', '2020-03-20 15:09:24'), (2941, 3, 10, 1, 'Wholewheat Loaf (Wholewheat Loaf )', 'ea', '17.48', '17.48', '0.00%', '17.48', '17.48', '0.00%', '2020-03-20 15:09:24'), (2942, 3, 10, 1, 'Yema Cake (Yema Cake )', 'ea', '8.19', '0', '0.00%', '7.8', '0', '0.00%', '2020-03-20 15:09:24'), (2943, 3, 10, 1, 'Yema Durian Candy (Yema Durian Candy)', 'Pck', '22.97', '0', '0.00%', '22.97', '0', '0.00%', '2020-03-20 15:09:24'), (2951, 1, 3, 1, 'test', 'ea', '12', '', '', '12', '', '', '2020-03-23 03:09:37'), (2952, 1, 5, 1, 'test12', 'ea', '12', '', '', '13', '', '', '2020-03-23 03:10:38'), (2953, 1, 1, 1, 'asdasd', 'test', '123', '', '', '123', '', '', '2020-03-23 15:31:29'); -- -------------------------------------------------------- -- -- Table structure for table `eb_raw_materials_cat` -- CREATE TABLE `eb_raw_materials_cat` ( `PK_category_id` tinyint(4) NOT NULL, `category_name` varchar(200) NOT NULL, `date_added` datetime NOT NULL DEFAULT current_timestamp(), `date_updated` datetime NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -- Dumping data for table `eb_raw_materials_cat` -- INSERT INTO `eb_raw_materials_cat` (`PK_category_id`, `category_name`, `date_added`, `date_updated`) VALUES (1, 'Promotional Items', '2020-03-19 00:00:00', '0000-00-00 00:00:00'), (2, 'YIWU Purchases', '2020-03-19 00:00:00', '0000-00-00 00:00:00'), (3, 'CAFE', '2020-03-19 00:00:00', '0000-00-00 00:00:00'), (4, 'GAS', '2020-03-19 00:00:00', '0000-00-00 00:00:00'), (5, 'KITCHEN', '2020-03-19 00:00:00', '0000-00-00 00:00:00'), (6, 'PACKAGING', '2020-03-19 00:00:00', '0000-00-00 00:00:00'), (7, 'Portion Items', '2020-03-19 00:00:00', '0000-00-00 00:00:00'), (8, 'PREMIX', '2020-03-19 00:00:00', '0000-00-00 00:00:00'), (9, 'PRODUCTION', '2020-03-19 00:00:00', '0000-00-00 00:00:00'), (10, 'SELLING AREA', '2020-03-19 00:00:00', '0000-00-00 00:00:00'), (11, 'MX3 Inventoriables', '2020-03-19 14:17:08', '0000-00-00 00:00:00'), (12, 'Organica Peanut Butter (Organica)', '2020-03-19 14:17:08', '0000-00-00 00:00:00'); -- -------------------------------------------------------- -- -- Table structure for table `eb_raw_materials_list` -- CREATE TABLE `eb_raw_materials_list` ( `PK_raw_materials_id` int(11) NOT NULL, `FK_outlet_id` int(11) NOT NULL, `FK_category_id` int(11) NOT NULL, `status` tinyint(4) NOT NULL, `material_name` varchar(250) NOT NULL, `unit` varchar(11) NOT NULL, `sales_price` varchar(10) NOT NULL, `related_item_id` int(11) NOT NULL, `min_stock` int(11) NOT NULL, `date_added` datetime NOT NULL DEFAULT current_timestamp() ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -- Dumping data for table `eb_raw_materials_list` -- INSERT INTO `eb_raw_materials_list` (`PK_raw_materials_id`, `FK_outlet_id`, `FK_category_id`, `status`, `material_name`, `unit`, `sales_price`, `related_item_id`, `min_stock`, `date_added`) VALUES (1, 1, 3, 1, 'Coffee', 'Sack', '33', 1, 10, '2020-07-14 03:53:03'), (2, 1, 3, 1, 'Milk', 'kg', '30', 2, 5, '2020-07-14 03:53:41'), (3, 1, 5, 1, 'Sugar', 'Sack', '66', 3, 10, '2020-07-14 03:54:13'), (4, 4, 5, 1, 'Sugar', 'Sack', '66', 3, 1, '2020-07-19 04:46:58'), (7, 4, 8, 1, 'water', 'pc', '11', 7, 1, '2020-07-19 05:24:33'), (8, 4, 3, 1, 'Milk', 'kg', '30', 2, 1, '2020-07-19 05:25:14'), (9, 1, 9, 1, 'Flour', 'Sack', '100', 9, 5, '2020-07-19 21:20:31'), (13, 4, 9, 1, 'Flour', 'Sack', '100', 9, 5, '2020-07-19 00:00:00'), (14, 4, 3, 1, 'Coffee', 'Sack', '33', 1, 10, '2020-07-30 00:00:00'); -- -------------------------------------------------------- -- -- Table structure for table `eb_raw_materials_price_logs` -- CREATE TABLE `eb_raw_materials_price_logs` ( `PK_log_id` int(11) NOT NULL, `FK_raw_material_id` int(11) NOT NULL, `previous_price` varchar(10) NOT NULL, `current_price` varchar(10) NOT NULL, `outlet_id` int(11) NOT NULL, `date_added` datetime NOT NULL DEFAULT current_timestamp() ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -- Dumping data for table `eb_raw_materials_price_logs` -- INSERT INTO `eb_raw_materials_price_logs` (`PK_log_id`, `FK_raw_material_id`, `previous_price`, `current_price`, `outlet_id`, `date_added`) VALUES (6, 1, '10', '33', 1, '2020-07-17 00:38:21'), (7, 2, '30', '30', 1, '2020-07-19 00:02:13'), (8, 3, '66', '66', 1, '2020-07-19 00:02:13'), (9, 2, '30', '30', 1, '2020-07-19 01:43:56'), (10, 7, '11', '11', 4, '2020-07-19 11:59:34'), (11, 4, '66', '66', 4, '2020-07-19 11:59:34'), (12, 4, '66', '66', 4, '2020-07-19 12:01:15'), (13, 4, '66', '66', 4, '2020-07-19 12:06:40'), (14, 7, '11', '11', 4, '2020-07-19 14:27:45'), (15, 2, '30', '30', 1, '2020-07-19 15:22:39'), (16, 3, '66', '33', 1, '2020-07-19 18:39:35'), (17, 4, '66', '66', 4, '2020-07-19 20:07:11'), (18, 1, '33', '33', 1, '2020-07-19 20:07:53'), (19, 2, '30', '30', 1, '2020-07-28 13:53:52'), (20, 1, '33', '33', 1, '2020-07-28 13:53:52'); -- -------------------------------------------------------- -- -- Table structure for table `eb_raw_materials_units` -- CREATE TABLE `eb_raw_materials_units` ( `pk_unit_id` int(11) NOT NULL, `unit_name` varchar(15) NOT NULL, `unit_abbr` varchar(10) NOT NULL, `status` tinyint(4) NOT NULL COMMENT '0-deleted 1-Active', `date_added` datetime NOT NULL DEFAULT current_timestamp() ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -- Dumping data for table `eb_raw_materials_units` -- INSERT INTO `eb_raw_materials_units` (`pk_unit_id`, `unit_name`, `unit_abbr`, `status`, `date_added`) VALUES (1, 'kilograms', 'kg', 1, '2020-04-28 17:17:36'), (2, 'grams', 'g', 1, '2020-04-28 17:17:36'), (10, 'test2', 'test', 1, '2020-06-12 05:27:29'), (11, 'test units', '', 1, '2020-07-02 01:58:17'), (12, 'test1', '', 1, '2020-07-02 01:58:26'); -- -------------------------------------------------------- -- -- Table structure for table `eb_segment` -- CREATE TABLE `eb_segment` ( `PK_segment_id` int(11) NOT NULL, `FK_branch_id` int(11) NOT NULL, `segment_name` varchar(100) NOT NULL, `status` int(11) NOT NULL, `date_added` datetime NOT NULL DEFAULT current_timestamp() ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_segment` -- INSERT INTO `eb_segment` (`PK_segment_id`, `FK_branch_id`, `segment_name`, `status`, `date_added`) VALUES (1, 1, 'Kitchen', 1, '2020-04-03 00:19:00'), (2, 1, 'Hospital', 1, '2020-04-03 00:00:00'), (3, 4, 'Test11111', 0, '0000-00-00 00:00:00'), (4, 2, 'Teste', 0, '2020-08-03 16:02:04'), (5, 1, 'Test 2', 0, '2020-08-03 20:31:13'); -- -------------------------------------------------------- -- -- Table structure for table `eb_so_discrepancy_items` -- CREATE TABLE `eb_so_discrepancy_items` ( `so_discrepancy_item_id` int(11) NOT NULL, `fk_so_discrepancy_id` int(11) NOT NULL, `fk_material_id` int(11) NOT NULL, `material_name` varchar(100) NOT NULL, `qty` int(11) NOT NULL, `received_qty` int(11) NOT NULL, `unit` varchar(55) NOT NULL, `date_added` datetime NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_so_discrepancy_items` -- INSERT INTO `eb_so_discrepancy_items` (`so_discrepancy_item_id`, `fk_so_discrepancy_id`, `fk_material_id`, `material_name`, `qty`, `received_qty`, `unit`, `date_added`) VALUES (1, 3, 11, ' A1 Steak Sauce (A1 Steak Sauce 10oz) ', 3, 1, '', '2020-04-13 04:02:30'), (2, 3, 9, ' 8X12X2 Styro (8X12X2 Styro) ', 4, 2, '', '2020-04-13 04:02:30'), (3, 4, 7, ' 3D Board Castle (3D Board Castle) ', 1, 0, '', '2020-04-13 04:04:10'), (4, 2, 1, ' 12x12  spongecake plain (12x12 spongecake plain) ', 2, 1, '', '2020-04-13 04:05:09'), (5, 5, 5, ' 2D poster board for Spongebob (2D poster board for Spongebob) ', 2, 1, '', '2020-04-13 04:13:14'), (6, 6, 1, ' Coffee ', 3, 2, '', '2020-07-18 04:24:59'), (7, 9, 3, ' Sugar ', 3, 2, 'Sack', '2020-07-18 07:23:01'), (10, 10, 1, ' Coffee ', 3, 2, 'Sack', '2020-07-18 08:25:14'); -- -------------------------------------------------------- -- -- Table structure for table `eb_stock_out` -- CREATE TABLE `eb_stock_out` ( `PK_stock_out_id` int(11) NOT NULL, `FK_user_id` int(11) NOT NULL, `fk_requested_id` int(11) NOT NULL, `FK_outlet_id` int(11) NOT NULL, `FK_segment_id` int(11) NOT NULL, `total_items` int(11) NOT NULL, `total_amount` float NOT NULL, `status` varchar(50) NOT NULL, `date_added` datetime NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_stock_out` -- INSERT INTO `eb_stock_out` (`PK_stock_out_id`, `FK_user_id`, `fk_requested_id`, `FK_outlet_id`, `FK_segment_id`, `total_items`, `total_amount`, `status`, `date_added`) VALUES (7, 1, 8, 1, 2, 1, 66, 'approved', '2020-07-18 06:12:11'), (8, 1, 8, 1, 2, 1, 30, 'approved', '2020-07-18 07:21:52'), (9, 1, 8, 1, 2, 1, 198, 'approved', '2020-07-18 07:22:50'), (10, 1, 8, 1, 2, 1, 33, 'approved', '2020-07-18 07:31:36'), (11, 1, 8, 1, 2, 2, 0, 'approved', '2020-07-18 08:56:48'), (12, 8, 8, 1, 2, 1, 30, 'approved', '2020-07-18 09:49:49'); -- -------------------------------------------------------- -- -- Table structure for table `eb_stock_out_approved` -- CREATE TABLE `eb_stock_out_approved` ( `pk_stockout_approved_id` int(11) NOT NULL, `fk_stockout_id` int(11) NOT NULL, `fk_approve_user_id` int(11) NOT NULL, `counter_checked` varchar(55) NOT NULL, `status` int(11) NOT NULL, `date_approved` datetime NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_stock_out_approved` -- INSERT INTO `eb_stock_out_approved` (`pk_stockout_approved_id`, `fk_stockout_id`, `fk_approve_user_id`, `counter_checked`, `status`, `date_approved`) VALUES (7, 7, 1, 'opet 2', 1, '2020-07-18 07:20:01'), (8, 8, 1, 'opet 3', 1, '2020-07-18 07:21:59'), (9, 9, 1, 'test 3', 1, '2020-07-18 07:23:01'), (13, 10, 1, 'testttt', 1, '2020-07-18 08:25:13'), (14, 11, 1, 'opets', 1, '2020-07-18 09:17:32'), (15, 12, 1, 'testtt', 1, '2020-07-18 09:50:19'); -- -------------------------------------------------------- -- -- Table structure for table `eb_stock_out_discrepancy` -- CREATE TABLE `eb_stock_out_discrepancy` ( `pk_so_discrepancy_id` int(11) NOT NULL, `fk_stock_out_id` int(11) NOT NULL, `reason` text NOT NULL, `status` int(11) NOT NULL, `date_added` datetime NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_stock_out_discrepancy` -- INSERT INTO `eb_stock_out_discrepancy` (`pk_so_discrepancy_id`, `fk_stock_out_id`, `reason`, `status`, `date_added`) VALUES (2, 9, 'kuwang', 1, '2020-07-18 07:23:01'), (6, 10, 'testtttt', 1, '2020-07-18 08:25:13'); -- -------------------------------------------------------- -- -- Table structure for table `eb_stock_out_items` -- CREATE TABLE `eb_stock_out_items` ( `PK_stock_out_item_id` int(11) NOT NULL, `FK_stock_out_id` int(11) NOT NULL, `FK_raw_material_id` int(11) NOT NULL, `quantity` int(11) NOT NULL, `amount` float NOT NULL, `item_unit` varchar(55) NOT NULL, `date_added` datetime NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_stock_out_items` -- INSERT INTO `eb_stock_out_items` (`PK_stock_out_item_id`, `FK_stock_out_id`, `FK_raw_material_id`, `quantity`, `amount`, `item_unit`, `date_added`) VALUES (8, 7, 1, 2, 33, '2', '2020-07-18 06:12:11'), (9, 8, 2, 1, 30, '1', '2020-07-18 07:21:52'), (10, 9, 3, 3, 66, '2', '2020-07-18 07:22:50'), (11, 10, 1, 3, 33, '2', '2020-07-18 07:31:36'), (19, 11, 3, 3, 66, 'kg', '2020-07-18 09:17:18'), (20, 11, 2, 1, 30, 'kg', '2020-07-18 09:17:18'), (22, 12, 2, 1, 30, '1', '2020-07-18 09:50:05'); -- -------------------------------------------------------- -- -- Table structure for table `eb_stock_transfer` -- CREATE TABLE `eb_stock_transfer` ( `PK_stock_transfer_id` int(11) NOT NULL, `FK_user_id` int(11) NOT NULL, `FK_origin_branch_id` int(11) NOT NULL, `FK_destination_branch_id` int(11) NOT NULL, `stock_out` int(11) NOT NULL, `status` tinyint(11) NOT NULL COMMENT '0-Pending 1-Delivered', `str_no` varchar(11) NOT NULL, `total_amount` double NOT NULL, `counterchecked_by` varchar(100) NOT NULL, `date_added` datetime NOT NULL DEFAULT current_timestamp() ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -- Dumping data for table `eb_stock_transfer` -- INSERT INTO `eb_stock_transfer` (`PK_stock_transfer_id`, `FK_user_id`, `FK_origin_branch_id`, `FK_destination_branch_id`, `stock_out`, `status`, `str_no`, `total_amount`, `counterchecked_by`, `date_added`) VALUES (35, 1, 1, 4, 2, 1, '12', 63, '', '2020-07-19 18:39:35'), (36, 1, 1, 4, 1, 1, '1234', 600, '', '2020-07-19 21:21:48'), (37, 1, 1, 4, 1, 1, '1216', 33, '', '2020-07-30 16:13:46'), (38, 1, 1, 4, 1, 0, '1111', 33, '', '2020-07-30 17:35:44'), (39, 1, 1, 4, 1, 0, '2222', 200, 'Proweaver Test', '2020-07-30 18:05:50'); -- -------------------------------------------------------- -- -- Table structure for table `eb_stock_transfer_discrepancy` -- CREATE TABLE `eb_stock_transfer_discrepancy` ( `pk_st_discrepancy_id` int(11) NOT NULL, `fk_transfer_id` int(11) NOT NULL, `reason` text NOT NULL, `status` int(11) NOT NULL, `date_added` date NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_stock_transfer_discrepancy` -- INSERT INTO `eb_stock_transfer_discrepancy` (`pk_st_discrepancy_id`, `fk_transfer_id`, `reason`, `status`, `date_added`) VALUES (1, 36, 'asdasd', 1, '2020-07-19'); -- -------------------------------------------------------- -- -- Table structure for table `eb_stock_transfer_items` -- CREATE TABLE `eb_stock_transfer_items` ( `PK_transfer_item_id` int(11) NOT NULL, `FK_stock_transfer_id` int(11) NOT NULL, `FK_raw_material_id` int(11) NOT NULL, `quantity` int(11) NOT NULL, `status` tinyint(4) NOT NULL COMMENT '0-Pending 1-Delivered', `total` double NOT NULL, `item_unit` varchar(55) NOT NULL, `date_added` datetime NOT NULL DEFAULT current_timestamp() ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -- Dumping data for table `eb_stock_transfer_items` -- INSERT INTO `eb_stock_transfer_items` (`PK_transfer_item_id`, `FK_stock_transfer_id`, `FK_raw_material_id`, `quantity`, `status`, `total`, `item_unit`, `date_added`) VALUES (24, 35, 2, 2, 0, 30, 'kg', '2020-07-19 18:39:35'), (25, 35, 3, 1, 0, 33, 'Sack', '2020-07-19 18:39:35'), (26, 36, 9, 6, 0, 600, 'Sack', '2020-07-19 21:21:48'), (27, 37, 1, 1, 0, 33, 'Sack', '2020-07-30 16:13:46'), (28, 38, 1, 1, 0, 33, 'Sack', '2020-07-30 17:35:44'), (29, 39, 9, 2, 0, 200, 'Sack', '2020-07-30 18:05:50'); -- -------------------------------------------------------- -- -- Table structure for table `eb_stock_transfer_received` -- CREATE TABLE `eb_stock_transfer_received` ( `PK_st_received_id` int(11) NOT NULL, `FK_transfer_id` int(11) NOT NULL, `FK_received_user_id` int(11) NOT NULL, `status` int(11) NOT NULL, `counter_checked` varchar(100) NOT NULL, `date_received` date NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_stock_transfer_received` -- INSERT INTO `eb_stock_transfer_received` (`PK_st_received_id`, `FK_transfer_id`, `FK_received_user_id`, `status`, `counter_checked`, `date_received`) VALUES (1, 36, 10, 1, 'asdasd', '2020-07-19'), (2, 35, 10, 1, 'test', '2020-07-19'), (3, 37, 10, 1, 'Proweaver Test', '2020-07-30'); -- -------------------------------------------------------- -- -- Table structure for table `eb_st_discrepancy_items` -- CREATE TABLE `eb_st_discrepancy_items` ( `st_discrepancy_item_id` int(11) NOT NULL, `fk_st_discrepancy_id` int(11) NOT NULL, `fk_material_id` int(11) NOT NULL, `material_name` varchar(100) NOT NULL, `qty` int(11) NOT NULL, `received_qty` int(11) NOT NULL, `units` varchar(55) NOT NULL, `date_added` date NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_st_discrepancy_items` -- INSERT INTO `eb_st_discrepancy_items` (`st_discrepancy_item_id`, `fk_st_discrepancy_id`, `fk_material_id`, `material_name`, `qty`, `received_qty`, `units`, `date_added`) VALUES (1, 1, 9, ' Flour ', 6, 5, ' Sack', '2020-07-19'); -- -------------------------------------------------------- -- -- Table structure for table `eb_suppliers` -- CREATE TABLE `eb_suppliers` ( `PK_supplier_id` tinyint(4) NOT NULL, `supplier_name` varchar(200) NOT NULL, `products` text NOT NULL, `terms` varchar(20) NOT NULL, `address` varchar(200) NOT NULL, `contact_number` varchar(20) NOT NULL, `status` tinyint(4) NOT NULL COMMENT '1- Active 0-Inactive', `date_added` datetime NOT NULL DEFAULT current_timestamp() ) ENGINE=MyISAM DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_suppliers` -- INSERT INTO `eb_suppliers` (`PK_supplier_id`, `supplier_name`, `products`, `terms`, `address`, `contact_number`, `status`, `date_added`) VALUES (1, 'Proweaver Supplier', 'test', '15 days', 'Cebu City, Philippines', '09123456781', 1, '2020-03-20 07:17:39'), (2, 'Web2 Supplier', 'test', '15 days', 'Cebu CIty, Philippines', '09123456782', 1, '2020-03-20 07:17:39'), (3, 'test1', 'test', '14 days', 'test1', 'test', 1, '2020-03-23 04:04:20'), (4, 'test', 'test', 'DATED', 'test', '091234567891', 1, '2020-03-23 04:05:46'), (5, 'asdasd1', 'test', '30 days', 'asd', 'asdasd', 1, '2020-03-23 15:30:34'), (6, 'tessss', 'jhaskjashf', '12 days', '162 Little Embers Court', '091234567891', 1, '2020-05-22 17:11:33'), (7, 'Is<NAME>', 'centralized gasul', '30 days', 'R.Castillo St. ( at the back of Jetti station )', '', 1, '2020-05-22 17:17:59'), (8, 'Supplier test1', 'da', '14 dayssss', '162 Little Embers Court', '', 1, '2020-05-22 17:37:36'), (9, '116 Marketing', 'micram / bagutte / creamfil / freshmilk / french fries', '15 days', 'Obrero Davao City', '', 1, '2020-05-22 17:38:16'), (10, '1st Pinacle', 'bread crates', 'DATED', 'SJRDC Bldg. Dorr 1,3,4 Insular Village Lanang', '', 1, '2020-05-22 17:39:21'), (11, 'Adoy Ent.', 'cake accessories', '30 days', '#34 Magsaysay Ave.Poblacion District', '', 1, '2020-05-22 17:39:46'), (12, 'Adsia Eurobakers', 'credo bread improver', '30 days', 'Garcia Highway Davao City', '', 1, '2020-05-22 17:40:09'), (13, 'JCT ', 'Bakels Phils. Inc. products : fino meal and chocolate glaze', '30 days', '108 Sta.Ana Poblacion District Davao city', '', 1, '2020-05-22 17:40:29'), (14, 'Baker\'s Basket', 'boxes for happy cake / powder sugar / glaze fruit', '30 days', 'Quirino Ave,Bajada Davao City ( infront Penongs )', '', 1, '2020-05-22 17:40:50'), (15, 'Baking & Pantry', 'other options for cake accessories', '15 days', 'Acacia St. Bajada', '', 1, '2020-05-22 17:41:14'), (16, 'Best Buy', 'all bakery equipment and kitchen equipment', 'DATED', 'Obrero infront Ritz Hotel', '', 1, '2020-05-22 17:41:38'), (17, 'Besterm', 'kitchen and bread equipment', 'DATED', 'Mabini St. Corner avancenia st.', '', 1, '2020-05-22 17:41:57'), (18, '<NAME>', 'mascara / ground pork', '30 days', 'Bangkal Davao City', '', 1, '2020-05-22 17:42:21'), (19, 'Cody Mktg', 'C302 / take out meal box and other packaging supplies', '15 days', 'Door 5,6,7 Alejandra Building Porras St. ', '', 1, '2020-05-22 17:42:47'), (20, 'D Unibuenas', 'solane - 50kg and 11 kg', '30 days', 'Sobrecary Corner Vinsons st. Obrero', '', 1, '2020-05-22 17:43:28'), (21, 'D Paragon', 'magic sarap / nestle products', '15 days', 'Sobrecary Corner Vinsons st. Obrero', '', 1, '2020-05-22 17:43:50'), (22, 'Denchel Ent.', 'flour / bakery raw materials', '30 days', '#42 Monteverde st. Poblacion Davao City', '', 1, '2020-05-22 17:44:12'), (23, 'Dimdi', 'kitchen and bread equipment', 'DATED', 'Asaje 11 Bldg. San Pedro St. Davao City', '', 1, '2020-05-22 17:44:33'), (24, 'DSG Grocery ', 'assorted grocery', '14 days', 'Gaisano Mall of Davao - JP Laurel Ave.Bajada', '', 1, '2020-05-22 17:44:54'), (25, 'Dvo. Asian Dist.', 'alaska condensed and evap', '15 days', 'Asian st. Maa Road ( at the back of St.Francis Assassi Church )', '', 1, '2020-05-22 17:45:15'), (26, 'Davao Synthetic', 'shrinkable cellophane', '30 days', '2 ATP Building Km.7 Lanang Angliongto Buhangin Davao City', '', 1, '2020-05-22 17:45:41'), (27, 'Eblue / Equilibirium', 'Torani products / Tea bag / coffee ', '30 days', 'SRC Bldg.Door 2 and 3 Dacudao ave.(beside yamaha)', '', 1, '2020-05-22 17:45:59'), (28, 'Integral', 'all computer equipment', '30 days', 'Door 1 Junsay Bldg.71 E.Quirino Avenue', '', 1, '2020-05-22 17:46:17'), (29, 'GLL Printing Press', 'riso / tarp supplies printing', 'DATED / cash', 'Imperial Bldg. ( infront UM school )', '', 1, '2020-05-22 17:46:38'), (30, 'IPI ', 'sun valley vegetable oil', '30 days', 'Malagamot road Panacan', '', 1, '2020-05-22 17:46:58'), (31, 'JNS Global Ent.', 'whole wheat', '30 days', '28 A.T. Monteverde Ave. Davao city', '', 1, '2020-05-22 17:47:15'), (32, 'Judith Farms ', 'eggs', '23 days', 'Aquino St.Agdao Davao City ( outlet ) / Sirawan Toril (farm)', '', 1, '2020-05-22 17:47:38'), (33, 'JBBS', 'whole wheat', '30 days', 'Villa Abrille St. Poblacion District Davao city', '', 1, '2020-05-22 17:48:02'), (34, 'Kitchen & Pantry', 'other options for cake accessories', '30 days', 'Lapu-Lapu St. Agdao Davao City', '', 1, '2020-05-22 17:48:16'), (35, 'KLG-mop heads', 'mop head', '30 days', 'Door 8 Angliongto Commercial Complex A.Alingiongto Lanang ', '', 1, '2020-05-22 17:48:40'), (36, 'Lisa\'s Meat', 'frozen products', '15 days', 'Gaisano Mall of Davao - JP Laurel Ave.Bajada', '', 1, '2020-05-22 17:49:07'), (37, 'Lui Ent.', 'office supplies', '30 days', 'Gempesaw St. Davao City', '', 1, '2020-05-22 17:49:28'), (38, 'Metro Plaza', 'kitchen and bread equipment', 'DATED', 'JP Laurel Ave.Bajada Davao City', '', 1, '2020-05-22 17:49:46'), (39, 'Mindanao Daltan Ent.', 'mongo paste / ube paste / supot / freshmilk / filled cheese / unsalted butter / super syrup / trash bag / rainbow and choco sprinkles / BOS / precut tissue / cocktail tissue / marca corn oil / cream cheese / spaghetti pasta', '15 days', '#888 Sobrecarey St. cor.Villamor St. Bo. Obrero', '', 1, '2020-05-22 17:50:04'), (40, 'MJAG', 'all knorr products ', '30 days', 'Door 19 & 20 Joyfull Village Brgy Cabantian', '', 1, '2020-05-22 17:50:33'), (41, 'New Lucky Star', 'kitchen and bread equipment', '30 days', 'Ramon Magsaysay Ave. brgy.sta.ana 27-c', '', 1, '2020-05-22 17:50:49'), (42, 'RM Legacy', 'organica peanut butter ', '30 days', 'Dapitan St.Kalawag 1 Isulan Sultan Kudarat', '', 1, '2020-05-22 17:51:07'), (43, 'Pantua', 'macapuno preserved', '30 days', '#53 Tulip Drive St. Juna Subd. Matina', '', 1, '2020-05-22 17:51:25'), (44, 'Press CN', 'accountability forms', '30 days', 'Nissan St.Purok Alicia Pelayo Brgy.Centro Agdao District', '', 1, '2020-05-22 17:51:40'), (45, 'Rigel Laser Mktg', 'toner', '30 days', 'Door 2 Basa Building Jose Palma Gil St. Poblacion district', '', 1, '2020-05-22 17:51:58'), (46, 'Rodsy Mktg', 'all delmonte products / tuna chunks / Angel condensed', '15 days', '#8 Ruby St. RGA Village Dacudao ', '', 1, '2020-05-22 17:52:21'), (47, 'Rookies Fruit Preserves', 'ube jam', '15 days', 'Talomo Davao City', '', 1, '2020-05-22 17:52:44'), (48, 'RPE Printing Press', 'alll accountable forms', '30 days', 'NHA Buhangin', '', 1, '2020-05-22 17:52:53'), (49, '<NAME>', 'centralized gasul', '30 days', 'R.Castillo St. ( at the back of Jetti station )', '', 1, '2020-05-22 17:55:47'), (50, 'Super Savings', 'all coca cola products', '15 days', 'Sobrecary Corner Vinsons st. Obrero', '', 1, '2020-05-22 17:56:08'), (51, 'Swiss Deli', ' / hungarian sausages / pork knuckles / smoked farmers ham', '15 days', 'RS Compound Km.7 Lanang Davao City', '', 1, '2020-05-22 17:56:22'), (52, 'TP Foods', 'semi sweet and unswetened chocolate', 'DATED', '#34 Arturo Drive Bagumbayan Taguig City', '', 1, '2020-05-22 17:56:42'), (53, 'Durian Marketing', 'nagarosa flour / asstd bakery suppliers', '30 days', 'Purok Mansanitas Gante Road Magugpo west Tagum city', '', 1, '2020-05-22 17:57:09'), (54, 'Wealthy Unisavers', 'other alternate if no stock current supplier for cheese', '30 days', 'Panabo City Road , B/uhangin Davao City', '', 1, '2020-05-22 17:57:27'), (55, 'Werdenberg', 'saurkraut / parmesan cheese / mustard', '15 days', 'Unit 101 and 102 Two via Condotti JP Laurel Ave. Bajada ', '', 1, '2020-05-22 17:57:44'), (56, 'WGV Mktg', 'lard / margarine / cocoa / whip crème', '30 days', '#28 Bicol St. Rivera Village Bjada', '', 1, '2020-05-22 17:58:04'), (57, 'BuyersLink', 'comstock blueberry and red cherry', '30 days', 'Del Pilar St. Poblacion District Davao City', '', 1, '2020-05-22 17:58:20'), (58, '4U Commercial', 'sando bag generic / bending straw white / disposable gloves ', '30 days', 'SM Village Bangkal Davao City', '', 1, '2020-05-22 17:58:35'), (59, '3 Apples', 'rice / artistic straw / plastic cup 12oz and 3.5 oz / rippled for coffee / cocktail picks / umbrella picks', '30 days', '#12 Guerero St, Davao City', '', 1, '2020-05-22 17:59:37'), (60, 'DC Pharma', ' mx3 cooffee and capsule', '15 days', '#777 Kalamansi St. Juna Subdivision Matina', '', 1, '2020-05-22 17:59:56'), (61, 'KMI', 'bacon / dory fish / ', '15 days', 'Landmark Vista Verde ( at the back of 711 )', '', 1, '2020-05-22 18:00:11'), (62, 'MERRIAN REFRIGERATION', 'chiller equipment / emergency light', 'DATED', 'Acacia St. Bajada', '', 1, '2020-05-22 18:00:30'), (63, 'Bloomy Ice cubes', 'dealer for ice cubes . Crushed ice', 'cash basis', 'E11 Lot 38 Saint Barts St. Solariega Talomo ', '', 1, '2020-05-22 18:00:50'), (64, 'Clean Up', 'diswashing liquid/ hand sanitizer', 'DATED', 'Panabo City', '', 1, '2020-05-22 18:01:10'), (65, 'Southern synergy', 'journal / other office supplies', '30 days', '#10 Blue Jay St. Belisario Subd.Lanang', '', 1, '2020-05-22 18:01:27'), (66, 'Flex Solutions', 'packaging materials', '30 days', 'Km.14 Malagamot Road Davao City', '', 1, '2020-05-22 18:01:45'); -- -------------------------------------------------------- -- -- Table structure for table `eb_units` -- CREATE TABLE `eb_units` ( `PK_unit_id` int(11) NOT NULL, `unit_name` varchar(100) NOT NULL, `status` int(11) NOT NULL, `date_added` datetime NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_units` -- INSERT INTO `eb_units` (`PK_unit_id`, `unit_name`, `status`, `date_added`) VALUES (1, 'kg', 1, '2020-04-05 00:00:00'), (2, 'Sack', 1, '2020-04-05 00:00:00'), (3, 'pc', 1, '2020-04-05 00:00:00'), (4, 'box', 1, '2020-04-24 00:00:00'), (5, 'tesssssss', 0, '0000-00-00 00:00:00'), (6, 'ea', 1, '0000-00-00 00:00:00'); -- -------------------------------------------------------- -- -- Table structure for table `eb_unit_converted` -- CREATE TABLE `eb_unit_converted` ( `pk_unit_con_id` int(11) NOT NULL, `fk_item_id` int(11) NOT NULL, `status` int(11) NOT NULL, `total_items` int(11) NOT NULL, `date_added` date NOT NULL, `date_updated` date NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_unit_converted` -- INSERT INTO `eb_unit_converted` (`pk_unit_con_id`, `fk_item_id`, `status`, `total_items`, `date_added`, `date_updated`) VALUES (4, 1, 1, 2, '2020-04-28', '2020-04-29'), (5, 7, 1, 3, '2020-04-28', '2020-04-29'), (6, 9, 1, 5, '2020-04-28', '2020-07-02'), (7, 3, 1, 1, '2020-07-01', '2020-07-01'), (8, 10, 1, 1, '2020-07-02', '2020-07-02'); -- -------------------------------------------------------- -- -- Table structure for table `eb_unit_coverted_item` -- CREATE TABLE `eb_unit_coverted_item` ( `pk_unit_con_item_id` int(11) NOT NULL, `fk_unit_con_id` int(11) NOT NULL, `fk_new_unit_id` int(11) NOT NULL, `uom_value` int(11) NOT NULL, `new_unit_value` int(11) NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_unit_coverted_item` -- INSERT INTO `eb_unit_coverted_item` (`pk_unit_con_item_id`, `fk_unit_con_id`, `fk_new_unit_id`, `uom_value`, `new_unit_value`) VALUES (15, 4, 2, 10, 1), (16, 4, 4, 65, 1), (21, 5, 2, 10, 1), (22, 5, 3, 11, 1), (23, 5, 4, 22, 1), (24, 7, 0, 2, 3), (26, 8, 3, 1, 5), (32, 6, 2, 11, 1), (33, 6, 1, 22, 1), (34, 6, 4, 66, 1), (35, 6, 3, 666, 1), (36, 6, 5, 1, 3); -- -------------------------------------------------------- -- -- Table structure for table `eb_users` -- CREATE TABLE `eb_users` ( `PK_user_id` int(11) NOT NULL, `username` varchar(100) NOT NULL, `password` varchar(100) NOT NULL, `user_type` int(11) NOT NULL, `user_status` int(11) NOT NULL, `branch_assigned` varchar(100) NOT NULL, `date_added` datetime NOT NULL DEFAULT current_timestamp() ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_users` -- INSERT INTO `eb_users` (`PK_user_id`, `username`, `password`, `user_type`, `user_status`, `branch_assigned`, `date_added`) VALUES (0, 'Cory', 'password', 3, 1, '3', '2020-07-17 00:45:20'), (1, 'admin', '123456', 1, 1, '1', '2020-03-30 00:00:00'), (2, 'purchaser', '123456', 2, 1, '1', '2020-03-31 00:00:00'), (8, 'supervisor', '123456', 3, 1, '1', '2020-04-24 17:58:30'), (9, 'Frank', 'password', 3, 1, '4', '2020-04-24 18:42:22'), (10, 'admin2', 'password', 1, 1, '4', '2020-04-24 18:58:45'), (11, 'test4', 'password', 2, 1, '4', '2020-05-05 18:54:09'); -- -------------------------------------------------------- -- -- Table structure for table `eb_users_meta` -- CREATE TABLE `eb_users_meta` ( `PK_user_meta_id` int(11) NOT NULL, `FK_user_id` int(11) NOT NULL, `firstname` varchar(60) NOT NULL, `lastname` varchar(50) NOT NULL, `email_address` varchar(100) NOT NULL, `age` varchar(11) NOT NULL, `gender` varchar(20) NOT NULL, `address` varchar(100) NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `eb_users_meta` -- INSERT INTO `eb_users_meta` (`PK_user_meta_id`, `FK_user_id`, `firstname`, `lastname`, `email_address`, `age`, `gender`, `address`) VALUES (1, 1, 'opet', 'vitualla', '<EMAIL>', '333', 'male', 'test address 2'), (2, 2, 'John', 'Doe', '<EMAIL>', '21', 'male', 'cebu'), (4, 8, 'Cruiser', 'Marion', '<EMAIL>', '21', 'female', '9170 N. Summerhouse St.'), (5, 9, 'Uy', 'Marion', '<EMAIL>', '76', 'female', '7669 Gulf Drive'), (6, 10, 'Cory', 'Cliff', '<EMAIL>', '14', 'female', '9170 N. Summerhouse St.'), (7, 11, 'Petey', 'Holly', '<EMAIL>', 'Mull', 'female', '162 Little Embers Court'); -- -- Indexes for dumped tables -- -- -- Indexes for table `eb_forgot_password_keys` -- ALTER TABLE `eb_forgot_password_keys` ADD PRIMARY KEY (`PK_forget_id`); -- -- Indexes for table `eb_inventory_movement` -- ALTER TABLE `eb_inventory_movement` ADD PRIMARY KEY (`pk_inv_move_id`); -- -- Indexes for table `eb_item_inventory` -- ALTER TABLE `eb_item_inventory` ADD PRIMARY KEY (`PK_inventory_id`); -- -- Indexes for table `eb_other_discrepancy_items` -- ALTER TABLE `eb_other_discrepancy_items` ADD PRIMARY KEY (`other_discrepancy_item_id`); -- -- Indexes for table `eb_other_outlet_delivery` -- ALTER TABLE `eb_other_outlet_delivery` ADD PRIMARY KEY (`pk_other_deliver_id`); -- -- Indexes for table `eb_other_outlet_discrepancy` -- ALTER TABLE `eb_other_outlet_discrepancy` ADD PRIMARY KEY (`pk_other_discrepancy_id`); -- -- Indexes for table `eb_other_outlet_items` -- ALTER TABLE `eb_other_outlet_items` ADD PRIMARY KEY (`pk_other_item_id`); -- -- Indexes for table `eb_outlet` -- ALTER TABLE `eb_outlet` ADD PRIMARY KEY (`PK_branch_id`); -- -- Indexes for table `eb_outlets` -- ALTER TABLE `eb_outlets` ADD PRIMARY KEY (`PK_branch_id`); -- -- Indexes for table `eb_po_discrepancy_items` -- ALTER TABLE `eb_po_discrepancy_items` ADD PRIMARY KEY (`po_discrepancy_item_id`); -- -- Indexes for table `eb_purchase_order` -- ALTER TABLE `eb_purchase_order` ADD PRIMARY KEY (`PK_purchase_order_id`); -- -- Indexes for table `eb_purchase_order_discrepancy` -- ALTER TABLE `eb_purchase_order_discrepancy` ADD PRIMARY KEY (`pk_po_discrepancy_id`); -- -- Indexes for table `eb_purchase_order_item` -- ALTER TABLE `eb_purchase_order_item` ADD PRIMARY KEY (`PK_po_item_id`); -- -- Indexes for table `eb_purchase_order_received` -- ALTER TABLE `eb_purchase_order_received` ADD PRIMARY KEY (`PK_po_received_id`); -- -- Indexes for table `eb_raw_materials` -- ALTER TABLE `eb_raw_materials` ADD PRIMARY KEY (`PK_raw_materials_id`); -- -- Indexes for table `eb_raw_materials_cat` -- ALTER TABLE `eb_raw_materials_cat` ADD PRIMARY KEY (`PK_category_id`); -- -- Indexes for table `eb_raw_materials_list` -- ALTER TABLE `eb_raw_materials_list` ADD PRIMARY KEY (`PK_raw_materials_id`); -- -- Indexes for table `eb_raw_materials_price_logs` -- ALTER TABLE `eb_raw_materials_price_logs` ADD PRIMARY KEY (`PK_log_id`); -- -- Indexes for table `eb_raw_materials_units` -- ALTER TABLE `eb_raw_materials_units` ADD PRIMARY KEY (`pk_unit_id`); -- -- Indexes for table `eb_segment` -- ALTER TABLE `eb_segment` ADD PRIMARY KEY (`PK_segment_id`); -- -- Indexes for table `eb_so_discrepancy_items` -- ALTER TABLE `eb_so_discrepancy_items` ADD PRIMARY KEY (`so_discrepancy_item_id`); -- -- Indexes for table `eb_stock_out` -- ALTER TABLE `eb_stock_out` ADD PRIMARY KEY (`PK_stock_out_id`); -- -- Indexes for table `eb_stock_out_approved` -- ALTER TABLE `eb_stock_out_approved` ADD PRIMARY KEY (`pk_stockout_approved_id`); -- -- Indexes for table `eb_stock_out_discrepancy` -- ALTER TABLE `eb_stock_out_discrepancy` ADD PRIMARY KEY (`pk_so_discrepancy_id`); -- -- Indexes for table `eb_stock_out_items` -- ALTER TABLE `eb_stock_out_items` ADD PRIMARY KEY (`PK_stock_out_item_id`); -- -- Indexes for table `eb_stock_transfer` -- ALTER TABLE `eb_stock_transfer` ADD PRIMARY KEY (`PK_stock_transfer_id`); -- -- Indexes for table `eb_stock_transfer_discrepancy` -- ALTER TABLE `eb_stock_transfer_discrepancy` ADD PRIMARY KEY (`pk_st_discrepancy_id`); -- -- Indexes for table `eb_stock_transfer_items` -- ALTER TABLE `eb_stock_transfer_items` ADD PRIMARY KEY (`PK_transfer_item_id`); -- -- Indexes for table `eb_stock_transfer_received` -- ALTER TABLE `eb_stock_transfer_received` ADD PRIMARY KEY (`PK_st_received_id`); -- -- Indexes for table `eb_st_discrepancy_items` -- ALTER TABLE `eb_st_discrepancy_items` ADD PRIMARY KEY (`st_discrepancy_item_id`); -- -- Indexes for table `eb_suppliers` -- ALTER TABLE `eb_suppliers` ADD PRIMARY KEY (`PK_supplier_id`); -- -- Indexes for table `eb_units` -- ALTER TABLE `eb_units` ADD PRIMARY KEY (`PK_unit_id`); -- -- Indexes for table `eb_unit_converted` -- ALTER TABLE `eb_unit_converted` ADD PRIMARY KEY (`pk_unit_con_id`); -- -- Indexes for table `eb_unit_coverted_item` -- ALTER TABLE `eb_unit_coverted_item` ADD PRIMARY KEY (`pk_unit_con_item_id`); -- -- Indexes for table `eb_users` -- ALTER TABLE `eb_users` ADD PRIMARY KEY (`PK_user_id`); -- -- Indexes for table `eb_users_meta` -- ALTER TABLE `eb_users_meta` ADD PRIMARY KEY (`PK_user_meta_id`); -- -- AUTO_INCREMENT for dumped tables -- -- -- AUTO_INCREMENT for table `eb_forgot_password_keys` -- ALTER TABLE `eb_forgot_password_keys` MODIFY `PK_forget_id` int(11) NOT NULL AUTO_INCREMENT; -- -- AUTO_INCREMENT for table `eb_inventory_movement` -- ALTER TABLE `eb_inventory_movement` MODIFY `pk_inv_move_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=64; -- -- AUTO_INCREMENT for table `eb_item_inventory` -- ALTER TABLE `eb_item_inventory` MODIFY `PK_inventory_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=35; -- -- AUTO_INCREMENT for table `eb_other_discrepancy_items` -- ALTER TABLE `eb_other_discrepancy_items` MODIFY `other_discrepancy_item_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2; -- -- AUTO_INCREMENT for table `eb_other_outlet_delivery` -- ALTER TABLE `eb_other_outlet_delivery` MODIFY `pk_other_deliver_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=11; -- -- AUTO_INCREMENT for table `eb_other_outlet_discrepancy` -- ALTER TABLE `eb_other_outlet_discrepancy` MODIFY `pk_other_discrepancy_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=7; -- -- AUTO_INCREMENT for table `eb_other_outlet_items` -- ALTER TABLE `eb_other_outlet_items` MODIFY `pk_other_item_id` int(11) NOT NULL AUTO_INCREMENT; -- -- AUTO_INCREMENT for table `eb_outlet` -- ALTER TABLE `eb_outlet` MODIFY `PK_branch_id` int(11) NOT NULL AUTO_INCREMENT; -- -- AUTO_INCREMENT for table `eb_outlets` -- ALTER TABLE `eb_outlets` MODIFY `PK_branch_id` tinyint(4) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=5; -- -- AUTO_INCREMENT for table `eb_po_discrepancy_items` -- ALTER TABLE `eb_po_discrepancy_items` MODIFY `po_discrepancy_item_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=7; -- -- AUTO_INCREMENT for table `eb_purchase_order` -- ALTER TABLE `eb_purchase_order` MODIFY `PK_purchase_order_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=23; -- -- AUTO_INCREMENT for table `eb_purchase_order_discrepancy` -- ALTER TABLE `eb_purchase_order_discrepancy` MODIFY `pk_po_discrepancy_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=5; -- -- AUTO_INCREMENT for table `eb_purchase_order_item` -- ALTER TABLE `eb_purchase_order_item` MODIFY `PK_po_item_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=34; -- -- AUTO_INCREMENT for table `eb_purchase_order_received` -- ALTER TABLE `eb_purchase_order_received` MODIFY `PK_po_received_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=27; -- -- AUTO_INCREMENT for table `eb_raw_materials` -- ALTER TABLE `eb_raw_materials` MODIFY `PK_raw_materials_id` bigint(20) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2954; -- -- AUTO_INCREMENT for table `eb_raw_materials_cat` -- ALTER TABLE `eb_raw_materials_cat` MODIFY `PK_category_id` tinyint(4) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=13; -- -- AUTO_INCREMENT for table `eb_raw_materials_list` -- ALTER TABLE `eb_raw_materials_list` MODIFY `PK_raw_materials_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=15; -- -- AUTO_INCREMENT for table `eb_raw_materials_price_logs` -- ALTER TABLE `eb_raw_materials_price_logs` MODIFY `PK_log_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=21; -- -- AUTO_INCREMENT for table `eb_raw_materials_units` -- ALTER TABLE `eb_raw_materials_units` MODIFY `pk_unit_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=13; -- -- AUTO_INCREMENT for table `eb_segment` -- ALTER TABLE `eb_segment` MODIFY `PK_segment_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=6; -- -- AUTO_INCREMENT for table `eb_so_discrepancy_items` -- ALTER TABLE `eb_so_discrepancy_items` MODIFY `so_discrepancy_item_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=11; -- -- AUTO_INCREMENT for table `eb_stock_out` -- ALTER TABLE `eb_stock_out` MODIFY `PK_stock_out_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=13; -- -- AUTO_INCREMENT for table `eb_stock_out_approved` -- ALTER TABLE `eb_stock_out_approved` MODIFY `pk_stockout_approved_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=16; -- -- AUTO_INCREMENT for table `eb_stock_out_discrepancy` -- ALTER TABLE `eb_stock_out_discrepancy` MODIFY `pk_so_discrepancy_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=7; -- -- AUTO_INCREMENT for table `eb_stock_out_items` -- ALTER TABLE `eb_stock_out_items` MODIFY `PK_stock_out_item_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=23; -- -- AUTO_INCREMENT for table `eb_stock_transfer` -- ALTER TABLE `eb_stock_transfer` MODIFY `PK_stock_transfer_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=40; -- -- AUTO_INCREMENT for table `eb_stock_transfer_discrepancy` -- ALTER TABLE `eb_stock_transfer_discrepancy` MODIFY `pk_st_discrepancy_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2; -- -- AUTO_INCREMENT for table `eb_stock_transfer_items` -- ALTER TABLE `eb_stock_transfer_items` MODIFY `PK_transfer_item_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=30; -- -- AUTO_INCREMENT for table `eb_stock_transfer_received` -- ALTER TABLE `eb_stock_transfer_received` MODIFY `PK_st_received_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=4; -- -- AUTO_INCREMENT for table `eb_st_discrepancy_items` -- ALTER TABLE `eb_st_discrepancy_items` MODIFY `st_discrepancy_item_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2; -- -- AUTO_INCREMENT for table `eb_suppliers` -- ALTER TABLE `eb_suppliers` MODIFY `PK_supplier_id` tinyint(4) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=67; -- -- AUTO_INCREMENT for table `eb_units` -- ALTER TABLE `eb_units` MODIFY `PK_unit_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=7; -- -- AUTO_INCREMENT for table `eb_unit_converted` -- ALTER TABLE `eb_unit_converted` MODIFY `pk_unit_con_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=9; -- -- AUTO_INCREMENT for table `eb_unit_coverted_item` -- ALTER TABLE `eb_unit_coverted_item` MODIFY `pk_unit_con_item_id` int(11) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=37; 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 */;
DROP TABLE movies; CREATE EXTERNAL TABLE movies (movie_id INT, title STRING, release DATE) ROW FORMAT DELIMITED FIELDS TERMINATED BY ',' LOCATION '/user/maria_dev/movies/'; INSERT OVERWRITE DIRECTORY '${OUTPUT}' SELECT * FROM movies WHERE release < '1940-01-01' ORDER BY release;
<filename>private/database/tables/structure/designer_column_type.sql CREATE TABLE `dlayer`.`designer_column_type`( `id` TINYINT(3) UNSIGNED NOT NULL AUTO_INCREMENT, `column_type` CHAR(2) NOT NULL, PRIMARY KEY (`id`) ) ENGINE=INNODB AUTO_INCREMENT=5 CHARSET=utf8 COLLATE=utf8_unicode_ci;
SET DEFINE OFF; ALTER TABLE AFW_21_PLUGN_ITEM_MENU ADD ( CONSTRAINT AFW_21_PLUGN_ITEM_MENU_PK PRIMARY KEY (SEQNC) ENABLE VALIDATE) /
create table users ( username varchar(32) not null constraint users_pk primary key, password_hash varchar(256) not null, password_salt varchar(256) not null ); alter table users owner to javagram_admin; create table have_relation ( sender varchar(32) not null constraint have_relation_fk_sender references users on update cascade on delete cascade, receiver varchar(32) not null constraint have_relation_fk_receiver references users on update cascade on delete cascade, status integer default 0 not null, constraint have_relation_pk primary key (receiver, sender) ); alter table have_relation owner to javagram_admin;
<filename>abcsql-main/examples/recipes/offdb/test1.sql<gh_stars>1-10 select * from category; select COUNT(*) from category; SELECT ingredientid,ingredientid+2000 as PLUS2000 FROM ingredient WHERE energy > 500 ORDER BY 1; SELECT recipeid,recipename,maketime,created FROM recipe WHERE maketime > 100 order BY 1; SELECT * FROM recipestep WHERE minutes > 100 order BY 1; SELECT ingredientid AS NEWCOLNAME FROM ingredient WHERE ingredientname = 'mjölk'; SELECT categoryid, Count(*) FROM categoryandrecipe GROUP BY categoryid ORDER BY 2; select recipename,max(minutes),min(minutes) from recipe join recipestep on recipe.recipeid=recipestep.recipeid group by recipename
INSERT INTO `addon_account` (name, label, shared) VALUES ('society_avocat','Avocat',1) ; INSERT INTO `datastore` (name, label, shared) VALUES ('society_avocat','Avocat',1) ; INSERT INTO `addon_inventory` (name, label, shared) VALUES ('society_avocat', 'Avocat', 1) ; INSERT INTO `jobs` (name, label) VALUES ('avocat','AVOCAT') ; INSERT INTO `job_grades` (job_name, grade, name, label, salary, skin_male, skin_female) VALUES ('avocat',0,'recruit','Recrue',20,'{\"tshirt_1\":57,\"torso_1\":55,\"arms\":0,\"pants_1\":35,\"glasses\":0,\"decals_2\":0,\"hair_color_2\":0,\"helmet_2\":0,\"hair_color_1\":5,\"face\":19,\"glasses_2\":1,\"torso_2\":0,\"shoes\":24,\"hair_1\":2,\"skin\":34,\"sex\":0,\"glasses_1\":0,\"pants_2\":0,\"hair_2\":0,\"decals_1\":0,\"tshirt_2\":0,\"helmet_1\":8}','{\"tshirt_1\":34,\"torso_1\":48,\"shoes\":24,\"pants_1\":34,\"torso_2\":0,\"decals_2\":0,\"hair_color_2\":0,\"glasses\":0,\"helmet_2\":0,\"hair_2\":3,\"face\":21,\"decals_1\":0,\"glasses_2\":1,\"hair_1\":11,\"skin\":34,\"sex\":1,\"glasses_1\":5,\"pants_2\":0,\"arms\":14,\"hair_color_1\":10,\"tshirt_2\":0,\"helmet_1\":57}'), ('avocat',1,'boss','Patron',100,'{\"tshirt_1\":58,\"torso_1\":55,\"shoes\":24,\"pants_1\":35,\"pants_2\":0,\"decals_2\":3,\"hair_color_2\":0,\"face\":19,\"helmet_2\":0,\"hair_2\":0,\"arms\":41,\"torso_2\":0,\"hair_color_1\":5,\"hair_1\":2,\"skin\":34,\"sex\":0,\"glasses_1\":0,\"glasses_2\":1,\"decals_1\":8,\"glasses\":0,\"tshirt_2\":0,\"helmet_1\":11}','{\"tshirt_1\":35,\"torso_1\":48,\"arms\":44,\"pants_1\":34,\"pants_2\":0,\"decals_2\":3,\"hair_color_2\":0,\"face\":21,\"helmet_2\":0,\"hair_2\":3,\"decals_1\":7,\"torso_2\":0,\"hair_color_1\":10,\"hair_1\":11,\"skin\":34,\"sex\":1,\"glasses_1\":5,\"glasses_2\":1,\"shoes\":24,\"glasses\":0,\"tshirt_2\":0,\"helmet_1\":57}') ;
USE [FLSTest] GO DECLARE @buochs as uniqueidentifier SET @buochs = 'C11CA58F-615D-469D-9D25-8729E7CA432C' INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'07N',1,0,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'07E',1,0,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'07S',1,0,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'07W',1,0,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'25N',1,0,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'25E',1,0,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'25S',1,0,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'25W',1,0,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'07N',0,1,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'07E',0,1,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'07S',0,1,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'07W',0,1,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'25N',0,1,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'25E',0,1,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'25S',0,1,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) INSERT INTO [dbo].[InOutboundPoints] ([InOutboundPointId],[LocationId],[InOutboundPointName],[IsInboundPoint],[IsOutboundPoint],[CreatedOn],[CreatedByUserId],[RecordState],[OwnerId],[OwnershipType],[IsDeleted]) VALUES (NEWID(),@buochs,'25W',0,1,SYSUTCDATETIME(),'13731EE2-C1D8-455C-8AD1-C39399893FFF',1,'A1DDE2CB-6326-4BB2-897D-7CFC118E842B',2,0) UPDATE [dbo].[Flights] SET [OutboundRoute] = NULL WHERE StartLocationId <> @buochs UPDATE [dbo].[Flights] SET [InboundRoute] = NULL WHERE LdgLocationId <> @buochs UPDATE [dbo].[Flights] SET [OutboundRoute] = '07E' WHERE StartLocationId = @buochs and [OutboundRoute] in ('06','06 OST','06 SO','06E','06O','07','07O','6E','O','Ost') UPDATE [dbo].[Flights] SET [OutboundRoute] = '07W' WHERE StartLocationId = @buochs and [OutboundRoute] in ('04W','06 SW','06 W','06W','07W') UPDATE [dbo].[Flights] SET [OutboundRoute] = '07S' WHERE StartLocationId = @buochs and [OutboundRoute] in ('06+S','06S','07S') UPDATE [dbo].[Flights] SET [OutboundRoute] = '07N' WHERE StartLocationId = @buochs and [OutboundRoute] in ('06N','07N') UPDATE [dbo].[Flights] SET [OutboundRoute] = '25E' WHERE StartLocationId = @buochs and [OutboundRoute] in ('24E') UPDATE [dbo].[Flights] SET [InboundRoute] = '25W' WHERE LdgLocationId = @buochs and [InboundRoute] in ('024', '24', '24 West', '240', '25W', '25', 'W', 'West', '24W', '24 SW') UPDATE [dbo].[Flights] SET [InboundRoute] = '25E' WHERE LdgLocationId = @buochs and [InboundRoute] in ('24O', '25O', '24 O', '24 SO', '24E') UPDATE [dbo].[Flights] SET [InboundRoute] = '25N' WHERE LdgLocationId = @buochs and [InboundRoute] in ('24N') UPDATE [dbo].[Flights] SET [InboundRoute] = '25S' WHERE LdgLocationId = @buochs and [InboundRoute] in ('25S', '25S', '24S') UPDATE [dbo].[Flights] SET [InboundRoute] = '07W' WHERE LdgLocationId = @buochs and [InboundRoute] in ('05W', '06W', '07W') UPDATE [dbo].[Flights] SET [InboundRoute] = '07N' WHERE LdgLocationId = @buochs and [InboundRoute] in ('Nord', '07N', '06N') UPDATE [dbo].[Flights] SET [InboundRoute] = '07E' WHERE LdgLocationId = @buochs and [InboundRoute] in ('06', '060', '06E', '06O', '07', '07O', 'O', 'O6O', 'Ost') UPDATE [dbo].[Flights] SET [InboundRoute] = '07S' WHERE LdgLocationId = @buochs and [InboundRoute] in ('06S', '07S') GO
CREATE EXTENSION IF NOT EXISTS postgis WITH SCHEMA public; COMMENT ON EXTENSION postgis IS 'Postgis Geographic Package'; --DROP SCHEMA catalogs cascade; CREATE SCHEMA catalogs; SET search_path = catalogs,public,pg_catalog; alter database :DBNAME set search_path to catalogs,public,pg_catalog; CREATE TABLE languages ( id bigint NOT NULL, language text, created_at timestamp without time zone, updated_at timestamp without time zone ); CREATE TABLE wine_type ( wine_type text primary key ); insert into wine_type values ('Still'),('Sparkling'),('Fortified'); CREATE TABLE wine_color ( color text primary key ); insert into wine_color values ('Red'),('White'),('Rosé'); CREATE TABLE bottle_info ( bottle_type text primary key, volume double precision, ratio double precision, notes text, champagne boolean, bordeaux boolean, burgandy boolean ); insert into bottle_info (bottle_type,volume,ratio,notes,champagne,bordeaux,burgandy) select * from (VALUES ('Piccolo',0.1875,0.25,'"Small" in Italian. Also known as a quarter bottle, pony, snipe or split.',true,false,false), ('Split',0.1875,0.25,null,true,false,false), ('Quarter',0.2,0.2667,'Used for Champagne',true,false,false), ('Chopine',0.25,0.33,'Traditional French unit of volume',false,true,false), ('Demi',0.375,0.5,'"Half" in French. Also known as a half bottle.',true,true,true), ('Half Bottle',0.375,0.5,'"One half standard bottle.',false,false,false), ('Tenth',0.378,0.505,'One tenth of a US gallon*',false,false,false), ('Jennie',0.5,0.67,'Also known as a 50 cl bottle. Used for Tokaj, Sauternes, Jerez, as well as several other types of sweet wines, also common for cheaper wines in Switzerland.',true,false,false), ('Demie',0.5,0.67,'',true,false,false), ('Pinte',0.5,0.67,'',true,false,false), ('Clavelin',0.62,0.83,'Primarily used for vin jaune.',false,false,false), ('Standard',0.75,1,'',true,true,true), ('Fifth',0.757,1.01,'One-fifth of a US gallon* (before 1979)',false,false,false), ('Litre',1,1.33,'Popular size for Austrian wines.',false,false,false), ('Magnum',1.5,2,'',true,true,true), ('<NAME>',2.25,3,'Also known as a Tregnum or Tappit Hen in the port wine trade.',false,true,false), ('Jeroboam',3,4,'Biblical, First king of Northern Kingdom. ''Jeroboam'' has different meanings (that is, indicates different sizes) for different regions in France.',true,true,true), ('Rehoboam',4.5,6,'Biblical, First king of separate Judea',true,false,true), ('McKenzie',5,6.67,'Uncommon, primarily found in France',false,true,false), ('Imperial',6,8,'',false,true,false), ('Methuselah',6,8,'Biblical, Oldest Man',true,false,true), ('Salmanazar',9,12,'Biblical, Assyrian King',true,true,true), ('Balthazar',12,16,'One of three Wise Men (according to legend) to present gifts at Jesus'' nativity; Belshazzar can also denote the co-regent of Babylon during the madness of Nebuchadnezzar, for whom the next-larger bottle size is named.',true,true,true), ('Nebuchadnezzar',15,20,'Biblical, King of Babylon',true,true,true), ('Melchior',18,24,'One of three Wise Men (according to legend) to present gifts at Jesus'' nativity',true,true,true), ('Solomon',18,24,'Biblical, King of Israel, Son of David',true,false,false), ('Sovereign',26.25,35,'Reportedly created by Taittinger in 1988 for the launch of the then world''s largest cruise liner Sovereign of the Seas[10]',true,false,false), ('Primat',27,36,'Biblical, stoned by David',true,true,false), ('Goliath',27,36,null,true,true,false), ('Melchizedek',30,40,'Biblical, King of Salem',true,false,false), ('Midas',30,40,'Biblical, King of Salem',true,false,false) ) as b(bottle_type,volume,ratio,notes,champagne,bordeaux,burgandy);
<reponame>a-masterov/s64da-benchmark-toolkit alter table customer_address add primary key (ca_address_sk); alter table customer_demographics add primary key (cd_demo_sk); alter table date_dim add primary key (d_date_sk); alter table warehouse add primary key (w_warehouse_sk); alter table ship_mode add primary key (sm_ship_mode_sk); alter table time_dim add primary key (t_time_sk); alter table reason add primary key (r_reason_sk); alter table income_band add primary key (ib_income_band_sk); alter table item add primary key (i_item_sk); alter table store add primary key (s_store_sk); alter table call_center add primary key (cc_call_center_sk); alter table customer add primary key (c_customer_sk); alter table web_site add primary key (web_site_sk); alter table store_returns add primary key (sr_item_sk, sr_ticket_number); alter table household_demographics add primary key (hd_demo_sk); alter table web_page add primary key (wp_web_page_sk); alter table promotion add primary key (p_promo_sk); alter table catalog_page add primary key (cp_catalog_page_sk); alter table inventory add primary key (inv_date_sk, inv_item_sk, inv_warehouse_sk); alter table catalog_returns add primary key (cr_item_sk, cr_order_number); alter table web_returns add primary key (wr_item_sk, wr_order_number); alter table web_sales add primary key (ws_item_sk, ws_order_number); alter table catalog_sales add primary key (cs_item_sk, cs_order_number); alter table store_sales add primary key (ss_item_sk, ss_ticket_number);
<reponame>antonshulpekov/millix-node PRAGMA journal_mode= WAL; PRAGMA auto_vacuum= FULL; PRAGMA journal_size_limit = 4096; -- ----------------------- -- wallet tables -- wallet composed of a BIP44 key CREATE TABLE wallet ( wallet_id CHAR(44) NOT NULL PRIMARY KEY CHECK (length(wallet_id) <= 44), wallet_name CHAR(20) NULL CHECK (length(wallet_name) <= 20), account TINYINT NOT NULL DEFAULT 0 CHECK (length(account) <= 3 AND TYPEOF(account) = 'integer'), status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_wallet_create_date ON wallet (create_date); -- BIP44 addresses. Coin type and account are fixed and stored in credentials in localstorage. -- derivation path is m/44'/0'/account'/is_change/address_position CREATE TABLE keychain ( address_base CHAR(34) NOT NULL PRIMARY KEY CHECK (length(address_base) <= 34), address_position INT NOT NULL CHECK (length(address_position) <= 10 AND TYPEOF(address_position) = 'integer'), wallet_id CHAR(44) NOT NULL CHECK (length(wallet_id) <= 44), is_change TINYINT NOT NULL CHECK (is_change = 0 OR is_change=1), status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer'), UNIQUE (wallet_id, is_change, address_position), FOREIGN KEY (wallet_id) REFERENCES wallet (wallet_id) ); CREATE INDEX idx_keychain_create_date ON keychain (create_date); CREATE TABLE keychain_address ( address CHAR(72) NOT NULL CHECK (length(address) <= 72), address_base CHAR(34) NOT NULL CHECK (length(address_base) <= 34), address_version CHAR(4) NOT NULL CHECK (length(address_version) <= 4), address_key_identifier CHAR(34) NOT NULL CHECK (length(address_key_identifier) <= 34), status SMALLINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer'), PRIMARY KEY (address_base, address_version, address_key_identifier), FOREIGN KEY (address_base) REFERENCES keychain (address_base) ); CREATE INDEX idx_keychain_address_address_base_address_key_identifier ON keychain_address (address, address_key_identifier); CREATE INDEX idx_keychain_address_address_key_identifier ON keychain_address (address_key_identifier); CREATE INDEX idx_keychain_address_create_date ON keychain_address (create_date); -- current list of all known from-addresses CREATE TABLE address ( address CHAR(72) NOT NULL CHECK (length(address) <= 72), address_base CHAR(34) NOT NULL CHECK (length(address_base) <= 34), address_version CHAR(4) NOT NULL CHECK (length(address_version) <= 4), address_key_identifier CHAR(34) NOT NULL CHECK (length(address_key_identifier) <= 34), status SMALLINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer'), PRIMARY KEY (address_base, address_version, address_key_identifier) ); CREATE INDEX idx_address_address_base_address_key_identifier ON address (address, address_key_identifier); CREATE INDEX idx_address_address_key_identifier ON address (address_key_identifier); CREATE INDEX idx_address_create_date ON address (create_date); CREATE TABLE address_attribute ( address_base CHAR(34) NOT NULL CHECK (length(address_base) <= 34), address_attribute_type_id CHAR(20) NOT NULL CHECK (length(address_attribute_type_id) <= 20), value TEXT NOT NULL, status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer'), PRIMARY KEY (address_base, address_attribute_type_id), FOREIGN KEY (address_base) REFERENCES address (address_base), FOREIGN KEY (address_attribute_type_id) REFERENCES address_attribute_type (address_attribute_type_id) ); CREATE INDEX idx_address_attribute_create_date ON address_attribute (create_date); CREATE TABLE address_attribute_type ( address_attribute_type_id CHAR(20) NOT NULL PRIMARY KEY CHECK (length(address_attribute_type_id) <= 20), attribute_type CHAR(255) NOT NULL UNIQUE CHECK (length(attribute_type) <= 255), status SMALLINT NOT NULL DEFAULT 0 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_address_attribute_type_create_date ON address_attribute_type (create_date); CREATE TABLE `transaction` ( transaction_id CHAR(50) NOT NULL PRIMARY KEY CHECK (length(transaction_id) <= 50), shard_id CHAR(50) NOT NULL CHECK (length(shard_id) <= 50), transaction_date INT NOT NULL CHECK (length(transaction_date) <= 10 AND TYPEOF(transaction_date) = 'integer'), node_id_origin CHAR(34) NOT NULL CHECK (length(node_id_origin) <= 34), node_id_proxy CHAR(34) NULL CHECK (length(node_id_proxy) <= 34), version CHAR(4) NOT NULL DEFAULT '0a0' CHECK (length(version) <= 4), payload_hash CHAR(50) NOT NULL CHECK (length(payload_hash) <= 50), stable_date INT NULL CHECK (length(stable_date) <= 10 AND (TYPEOF(stable_date) IN ('integer', 'null'))), is_stable TINYINT NOT NULL DEFAULT 0 CHECK (is_stable = 0 OR is_stable = 1), parent_date INT NULL CHECK(length(parent_date) <= 10 AND TYPEOF(parent_date) IN ('integer', 'null')), is_parent TINYINT NOT NULL DEFAULT 0 CHECK (is_parent = 0 OR is_parent = 1), timeout_date INT NULL CHECK(length(timeout_date) <= 10 AND TYPEOF(timeout_date) IN ('integer', 'null')), is_timeout TINYINT NOT NULL DEFAULT 0 CHECK (is_timeout = 0 OR is_timeout = 1), status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), /*1: default, 2: expired, 3: invalid*/ create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_transaction_status_is_stable_transaction_date ON `transaction` (status, is_stable, transaction_date); CREATE INDEX idx_transaction_id_is_stable_is_parent ON `transaction` (transaction_id, is_stable, is_parent); CREATE INDEX idx_transaction_date ON `transaction` (transaction_date); CREATE INDEX idx_transaction_id_transaction_date ON `transaction` (transaction_id, transaction_date); CREATE INDEX idx_transaction_is_parent ON `transaction` (is_parent); CREATE INDEX idx_transaction_is_stable_transaction_date ON `transaction` (is_stable, transaction_date); CREATE INDEX idx_transaction_create_date ON `transaction` (create_date); CREATE TABLE transaction_parent ( transaction_id_child CHAR(50) NOT NULL CHECK (length(transaction_id_child) <= 50), transaction_id_parent CHAR(50) NOT NULL CHECK (length(transaction_id_parent) <= 50), shard_id CHAR(50) NOT NULL CHECK (length(shard_id) <= 50), status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer'), PRIMARY KEY (transaction_id_parent, transaction_id_child), FOREIGN KEY (transaction_id_child) REFERENCES `transaction` (transaction_id) ); CREATE INDEX idx_transaction_parent_transaction_id_child ON transaction_parent (transaction_id_child); CREATE INDEX idx_transaction_parent_create_date ON transaction_parent (create_date); CREATE TABLE transaction_signature ( transaction_id CHAR(50) NOT NULL CHECK (length(transaction_id) <= 50), shard_id CHAR(50) NOT NULL CHECK (length(shard_id) <= 50), address_base CHAR(34) NOT NULL CHECK (length(address_base) <= 34), signature CHAR(88) NOT NULL CHECK (length(signature) <= 88), status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer'), PRIMARY KEY (transaction_id, address_base), FOREIGN KEY (transaction_id) REFERENCES `transaction` (transaction_id), FOREIGN KEY (address_base) REFERENCES address (address_base) ); CREATE INDEX idx_transaction_signature_address ON transaction_signature (address_base); CREATE INDEX idx_transaction_signature_create_date ON transaction_signature (create_date); CREATE TABLE transaction_input ( transaction_id CHAR(50) NOT NULL CHECK (length(transaction_id) <= 50), shard_id CHAR(50) NOT NULL CHECK (length(shard_id) <= 50), input_position TINYINT NOT NULL CHECK (length(input_position) <= 3 AND TYPEOF(input_position) = 'integer'), output_transaction_id CHAR(50) NULL CHECK (length(output_transaction_id) <= 50), output_position TINYINT NULL CHECK(length(output_position) <= 3 AND TYPEOF(output_position) IN ('integer', 'null')), output_shard_id CHAR(50) NULL CHECK (length(output_shard_id) <= 50), output_transaction_date INT NULL CHECK(length(output_transaction_date) <= 10 AND TYPEOF(output_transaction_date) IN ('integer', 'null')), double_spend_date INT NULL CHECK(length(double_spend_date) <= 10 AND TYPEOF(double_spend_date) IN ('integer', 'null')), is_double_spend TINYINT NULL DEFAULT 0 CHECK (is_double_spend = 0 OR is_double_spend = 1 OR is_double_spend IS NULL), address CHAR(72) NULL CHECK (length(address) <= 72), address_key_identifier CHAR(34) NULL CHECK (length(address_key_identifier) <= 34), status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer'), PRIMARY KEY (transaction_id, input_position), FOREIGN KEY (transaction_id) REFERENCES `transaction` (transaction_id), FOREIGN KEY (address, address_key_identifier) REFERENCES address (address, address_key_identifier) ); CREATE INDEX idx_transaction_input_status_output_transaction_id ON transaction_input (status, output_transaction_id); CREATE INDEX idx_transaction_input_address_key_identifier ON transaction_input (address_key_identifier); CREATE INDEX idx_transaction_input_address_is_double_spend ON transaction_input (address, is_double_spend); CREATE INDEX idx_transaction_input_transaction_id ON transaction_input (transaction_id); CREATE INDEX idx_transaction_input_output_transaction_id_output_position ON transaction_input (output_transaction_id, output_position); CREATE INDEX idx_transaction_input_create_date ON transaction_input (create_date); CREATE TABLE transaction_output ( transaction_id CHAR(50) NOT NULL CHECK (length(transaction_id) <= 50), shard_id CHAR(50) NOT NULL CHECK (length(shard_id) <= 50), output_position TINYINT NOT NULL CHECK (length(output_position) <= 3 AND TYPEOF(output_position) = 'integer'), address CHAR(72) NOT NULL CHECK (length(address) <= 72), address_key_identifier CHAR(34) NOT NULL CHECK (length(address_key_identifier) <= 34), amount BIGINT NOT NULL CHECK (TYPEOF(amount) IN ('integer','real')), stable_date INT NULL CHECK(length(stable_date) <= 10 AND TYPEOF(stable_date) IN ('integer', 'null')), -- NULL if not stable yet is_stable TINYINT NOT NULL DEFAULT 0 CHECK (is_stable = 0 OR is_stable = 1), spent_date INT NULL CHECK(length(spent_date) <= 10 AND TYPEOF(spent_date) IN ('integer', 'null')), is_spent TINYINT NOT NULL DEFAULT 0 CHECK (is_spent = 0 OR is_spent = 1), double_spend_date INT NULL CHECK(length(double_spend_date) <= 10 AND TYPEOF(double_spend_date) IN ('integer', 'null')), -- NOT NULL if double spend is_double_spend TINYINT NOT NULL DEFAULT 0 CHECK (is_double_spend = 0 OR is_double_spend = 1), status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), /*1: default, 2: expired*/ create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer'), PRIMARY KEY (transaction_id, output_position), FOREIGN KEY (transaction_id) REFERENCES `transaction` (transaction_id), FOREIGN KEY (address, address_key_identifier) REFERENCES address (address, address_key_identifier) ); CREATE INDEX idx_transaction_output_address_key_identifier_is_stable_is_spent_status ON transaction_output (address_key_identifier, is_stable, is_spent, status); CREATE INDEX idx_transaction_output_address_key_identifier_spent_double_spend_status ON transaction_output (address_key_identifier, is_spent, is_double_spend, status); CREATE INDEX idx_transaction_output_address_is_spent ON transaction_output (address, is_spent); CREATE INDEX idx_transaction_output_address_create_date ON transaction_output (address, create_date); CREATE INDEX idx_transaction_output_address_is_stable_is_spent_is_double_spend ON transaction_output (address, is_stable, is_spent, is_double_spend); CREATE INDEX idx_transaction_output_transaction_id_is_stable_is_double_spend ON transaction_output (transaction_id, is_stable, is_double_spend); CREATE INDEX idx_transaction_output_transaction_id_is_spent ON transaction_output (transaction_id, is_spent); CREATE INDEX idx_transaction_output_create_date ON transaction_output (create_date); CREATE INDEX idx_transaction_output_output_position ON transaction_output (output_position); CREATE TABLE transaction_output_attribute ( transaction_id CHAR(50) NOT NULL CHECK (length(transaction_id) <= 50), attribute_type_id CHAR(20) NOT NULL CHECK (length(attribute_type_id) <= 20), shard_id CHAR(50) NOT NULL CHECK (length(shard_id) <= 50), value TEXT NOT NULL, status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer'), PRIMARY KEY (transaction_id, attribute_type_id), FOREIGN KEY (transaction_id) REFERENCES `transaction` (transaction_id), FOREIGN KEY (attribute_type_id) REFERENCES transaction_output_attribute_type (attribute_type_id) ); CREATE INDEX idx_transaction_output_attribute_create_date ON transaction_output_attribute (create_date); CREATE TABLE transaction_output_attribute_type ( attribute_type_id CHAR(20) NOT NULL PRIMARY KEY CHECK (length(attribute_type_id) <= 20), attribute_type CHAR(255) NOT NULL UNIQUE CHECK (length(attribute_type) <= 255), status SMALLINT NOT NULL DEFAULT 0 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_transaction_output_attribute_type_create_date ON transaction_output_attribute_type (create_date); CREATE TABLE node ( node_id CHAR(34) NOT NULL PRIMARY KEY CHECK (length(node_id) <= 34), node_prefix CHAR(10) NOT NULL CHECK (length(node_prefix) <= 10), node_address CHAR(45) NOT NULL CHECK (length(node_address) <= 45), node_port INT NOT NULL CHECK (length(node_port) <= 10 AND TYPEOF(node_port) = 'integer'), node_port_api INT NOT NULL CHECK (length(node_port_api) <= 10 AND TYPEOF(node_port_api) = 'integer'), status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), update_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(update_date) <= 10 AND TYPEOF(update_date) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_node_create_date ON node (create_date); CREATE TABLE node_attribute ( node_id CHAR(34) NOT NULL CHECK (length(node_id) <= 34), attribute_type_id CHAR(20) NOT NULL CHECK (length(attribute_type_id) <= 20), value TEXT NOT NULL, status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer'), PRIMARY KEY (node_id, attribute_type_id), FOREIGN KEY (node_id) REFERENCES node (node_id), FOREIGN KEY (attribute_type_id) REFERENCES node_attribute_type (attribute_type_id) ); CREATE INDEX idx_node_attribute_create_date ON node_attribute (create_date); CREATE TABLE node_attribute_type ( attribute_type_id CHAR(20) NOT NULL PRIMARY KEY CHECK (length(attribute_type_id) <= 20), attribute_type TEXT NOT NULL UNIQUE, status SMALLINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_node_attribute_type_create_date ON node_attribute_type (create_date); -- to be optimized SELECT DISTINCT transactions.*, inputs.address as input_address, outputs.address as output_address, outputs.amount as amount FROM transactions LEFT JOIN outputs on outputs.transaction_id = transactions.transaction_id LEFT JOIN inputs on inputs.transaction_id = transactions.transaction_id WHERE (outputs.address in ( '', '', '') OR inputs.address in ( '', '') AND input_address != output_address CREATE TABLE config ( config_id CHAR(20) NOT NULL PRIMARY KEY CHECK (length(config_id) <= 20), config_name TEXT NOT NULL UNIQUE, value TEXT NOT NULL, type TEXT NOT NULL, status SMALLINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_config_create_date ON config (create_date); CREATE TABLE schema_information ( key TEXT NOT NULL UNIQUE, value TEXT NOT NULL, status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_schema_information_create_date ON schema_information (create_date); CREATE TABLE address_version ( version CHAR(4) NOT NULL UNIQUE CHECK (length(version) <= 4), is_main_network TINYINT NOT NULL DEFAULT 1 CHECK (is_main_network = 0 OR is_main_network = 1), regex_pattern TEXT NOT NULL, is_default TINYINT NOT NULL DEFAULT 0 CHECK (is_default = 0 OR is_default = 1), status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_address_version_create_date ON address_version (create_date); CREATE TABLE api ( api_id CHAR(16) NOT NULL UNIQUE CHECK (length(api_id) <= 16), name CHAR(255) NOT NULL CHECK (length(name) <= 255), description CHAR(1024) NOT NULL CHECK (length(description) <= 1024), method CHAR(10) NOT NULL CHECK (length(method) <= 10), version_released CHAR(10) NOT NULL CHECK (length(version_released) <= 10), version_deprecated CHAR(10) NULL CHECK (length(version_deprecated) <= 10), version_removed CHAR(10) NULL CHECK (length(version_removed) <= 10), permission TEXT NOT NULL DEFAULT "true", status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK (length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_api_create_date ON api (create_date); CREATE TABLE shard ( shard_id CHAR(50) NOT NULL PRIMARY KEY CHECK (length(shard_id) <= 50), shard_name CHAR(255) NOT NULL CHECK (length(shard_name) <= 255), shard_type CHAR(255) NOT NULL CHECK (length(shard_type) <= 255), schema_name CHAR(255) NOT NULL CHECK (length(schema_name) <= 255), schema_path CHAR(1024) NOT NULL CHECK (length(schema_path) <= 1024), is_required TINYINT NOT NULL DEFAULT 1 CHECK (is_required = 0 OR is_required = 1), record_count INT NOT NULL DEFAULT 0 CHECK (length(record_count) <= 3 AND TYPEOF(record_count) = 'integer'), disk_size INT NOT NULL DEFAULT 0 CHECK (length(disk_size) <= 3 AND TYPEOF(disk_size) = 'integer'), node_id_origin CHAR(34) NOT NULL CHECK (length(node_id_origin) <= 34), shard_date INT NOT NULL CHECK(length(shard_date) <= 10 AND TYPEOF(shard_date) = 'integer'), node_signature CHAR(88) NOT NULL CHECK (length(node_signature) <= 88), update_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(update_date) <= 10 AND TYPEOF(update_date) = 'integer'), status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_shard_create_date ON shard (create_date); CREATE TABLE shard_attribute_type ( attribute_type_id CHAR(20) NOT NULL PRIMARY KEY CHECK (length(attribute_type_id) <= 20), attribute_type CHAR(255) NOT NULL CHECK (length(attribute_type) <= 255), status TINYINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_shard_attribute_type_create_date ON shard_attribute_type (create_date); CREATE TABLE shard_attribute ( shard_id CHAR(50) NOT NULL CHECK (length(shard_id) <= 50), attribute_type_id CHAR(20) NOT NULL CHECK (length(attribute_type_id) <= 20), value TEXT NOT NULL, status SMALLINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer'), PRIMARY KEY (shard_id, attribute_type_id), FOREIGN KEY (shard_id) REFERENCES shard (shard_id), FOREIGN KEY (attribute_type_id) REFERENCES shard_attribute_type (attribute_type_id) ); CREATE INDEX idx_shard_attribute_create_date ON shard_attribute (create_date); CREATE TABLE normalization ( normalization_id CHAR(20) NOT NULL PRIMARY KEY CHECK (length(normalization_id) <= 20), normalization_name CHAR(255) NOT NULL UNIQUE CHECK (length(normalization_name) <= 255), status SMALLINT NOT NULL DEFAULT 1 CHECK (length(status) <= 3 AND TYPEOF(status) = 'integer'), create_date INT NOT NULL DEFAULT (CAST(strftime('%s', 'now') AS INTEGER)) CHECK(length(create_date) <= 10 AND TYPEOF(create_date) = 'integer') ); CREATE INDEX idx_normalization_create_date ON normalization (create_date); INSERT INTO schema_information (key, value) VALUES ("version", "16"); INSERT INTO address_version(version, is_main_network, is_default, regex_pattern) VALUES ("0a0", 1, 1, "(?<address>.*)(?<version>0a0)(?<identifier>.*)"), ("0b0", 1, 0, "(?<address>.*)(?<version>0b0)(?<identifier>.*)"), ("lal", 0, 1, "(?<address>.*)(?<version>lal)(?<identifier>.*)"), ("la0l", 0, 1, "(?<address>.*)(?<version>la0l)(?<identifier>.*)"), ("lb0l", 0, 0, "(?<address>.*)(?<version>lb0l)(?<identifier>.*)"); INSERT INTO normalization (normalization_name, normalization_id) VALUES ('mode_debug', 'AK5rcMMbWw5xIfXVdRVL'), ('mode_test_network', 'mHUyg4ZLca4mt7umomEW'), ('node_port', 'A4FpnTLmqGSH7nvU9j4x'), ('node_port_api', '3rCLWGPWIhqgnjWp5EtV'), ('node_host', 'yIarmjiV0B7KgefJI5Kr'), ('websocket_protocol', '72lDSYwxagTBZz3ZFxI4'), ('rpc_interface', 'CIn93tK47ywajdrlsYxv'), ('node_public', '9NUpixQHFRL0Ij6vz1lA'), ('node_initial_list_main_network', 'TwWXH3VSHGRhCdRC64Y5'), ('node_initial_list_test_network', 'ljXQvhkeXv8dyUCmcGMF'), ('node_initial_list', '5aYWBvK3RlMMlM2SHjbO'), ('consensus_round_node_count', 'BCtRYOLJ82Zou0HbGwbE'), ('consensus_round_validation_required', '5dZrGlCiE7fhZwWplVgv'), ('consensus_round_validation_max', '8iM6bSsJ4XGknV6kUtVM'), ('consensus_round_not_found_max', 'TcsDuXPzfOCSSAHsNW6U'), ('consensus_round_double_spend_max', '6kxA1HYsXx4fYEsJDWZr'), ('consensus_validation_depth_max', '0i9B8K4WrfZlBO9xzdMM'), ('consensus_validation_request_depth_max', 'Zzh8JnPGTOsi9ZaJHFng'), ('consensus_validation_wait_time_max', 'DBvU4CSipttmG9SCn1Lo'), ('consensus_validation_retry_wait_time', 'JMDLznR9sfSyuwfK1R5G'), ('node_connection_inbound_max', 'of16lAY1fS7K9K7ufSDR'), ('node_connection_outbound_max', 'b7qm0K1dHuu00nmIgwCR'), ('heartbeat_timeout', 'IvKT7CLUhiUvQ4W286TM'), ('heartbeat_response_timeout', 'NUTODkCDasmliuHDQuGF'), ('wallet_startup_address_balance_scan_count', 'tlCRczQCuztpgMbAsWIA'), ('wallet_log_size_max', 'EdAFKivNnHLl9jIrVSHT'), ('wallet_transaction_default_version', 'O3bneunmkY2tbqa1FOVp'), ('wallet_transaction_queue_size_max', 'dbdTZKYgnIJgpkq0r7K7'), ('wallet_transaction_queue_size_normal', 'FlzDh0b1QlEpOAERQatJ'), ('network_long_time_wait_max', 'qvSfStkxR5BKWbYlbQxA'), ('network_short_time_wait_max', 'EYAbwP2MDkqYgpIwvUeL'), ('database_engine', '7cqxMOo2vMfr8oQGUi3R'), ('database_connection', 'wcFVmxvQQM7XdTtrSOpJ'), ('millix_circulation', 'EjPRFNdkNJGb8WFr4RkF'), ('mode_test', '1ReNaaJHFoaursWbgEnb'), ('node_test_host', 'iVcXf6042sKwNQ17YvrQ'), ('node_test_port', 'BPkvfTYL4QRmuYtOpt0e'), ('node_millix_version', 'ZqKGkHGpChkHfdwBhMJx'), ('data_base_dir_main_network', 'h7bOhKpGWtR5y9gkUBqG'), ('data_base_dir_test_network', '1b9W3r8XqBoj7Yntr71P'), ('node_key_path', '<KEY>'), ('node_certificate_key_path', '<KEY>'), ('node_certificate_path', '<KEY>'), ('wallet_key_path', '<KEY>'), ('job_config_path', 'kixVXMz7RUxUKIgOn8Ii'), ('peer_rotation_settings', 'useBqrZ9F8Gv6aVH85pB'), ('peer_rotation_more_than_average', 'Z2z0wVCm6Ai1p7OG4MfN'), ('peer_rotation_more_than_most', 'hVEmlU6bL4l3DNeOhdM3'), ('peer_rotation_more_than_all', 'wpwt2V5vrT28ngz9u3J3'), ('peer_rotation_config', 'H2ODFHCxOl1FErIqCDqG'), ('shard_zero_name', 'rMSuKEh42OZaeVEgzG62'), ('key_public', '<KEY>'), ('node_key_public', '<KEY>'), ('node_bind_ip', 'Apw9ovpclfW6LvSVYqYD'), ('address_default', 'T4CefCfUyoc4CWv7cZ5V'), ('node_about', 'ijDj2VlTyJBl5R4iTCmG'), ('peer_connection', '8FPirjQYaFIEIF2y7OEA'), ('transaction_fee', '360NCKsWffvH48QDlh4a'), ('node_public_key', '<KEY>'), ('peer_count', 'OfhGqiGJID8WTOZHzl2b'), ('shard_protocol', 'kbkMAkuyqOlSNKv7udFz'), ('transaction_count', 'qhTfPzLhZENklxNbTQYW'), ('transaction_fee_proxy', 'qTCYsDQzIoVbaX8iIjry'), ('transaction_fee_network', '9hJcCunmEibhDgoLHzC8'), ('transaction_fee_default', 'eoSDGGFKD3dYfcKF1nFO'); INSERT INTO address_attribute_type (address_attribute_type_id, attribute_type) VALUES ('9MgxVxyXsM2EozHVUZgw', 'key_public'); INSERT INTO transaction_output_attribute_type (attribute_type_id, attribute_type) VALUES ('360NCKsWffvH48QDlh4a', 'transaction_fee');
<reponame>gianadda/ZenPRM IF EXISTS (select * from dbo.sysobjects where id = object_id(N'uspGetASUserByIdent') AND OBJECTPROPERTY(id, N'IsProcedure') = 1) DROP PROCEDURE uspGetASUserByIdent GO /* uspGetASUserByIdent * * AA - This will retrieve an ASUser by ident * */ CREATE PROCEDURE uspGetASUserByIdent @bntIdent BIGINT AS SET NOCOUNT ON SELECT U.Ident, U.FullName, U.FirstName, U.LastName, U.Username, U.Password1, U.PasswordSalt, U.Email, U.SystemRoleIdent, SR.Name1 As 'SystemRole', U.IsLocked, U.MustChangePassword, U.LastSuccessfulLogin FROM ASUser U WITH (NOLOCK) INNER JOIN SystemRole SR WITH (NOLOCK) ON SR.Ident = U.SystemRoleIdent WHERE U.Active = 1 and U.Ident = @bntIdent ORDER BY LastName, FirstName GO
set pages 999 lines 200; set echo on; set feed on; Col owner format a20; var rid varchar2(25); col segment_name format a20; drop tablespace corruptiontest including contents and datafiles; create tablespace corruptiontest datafile '/home/oracle/corruptiontest01.dbf' size 1m; create table will_be_corrupted(myfield varchar2(50)) tablespace corruptiontest; insert into will_be_corrupted(myfield) values ('This will have a problem') returning rowid into :rid; print Commit; Alter system checkpoint; select * from will_be_corrupted; --select owner, segment_name,tablespace_name,file_id,block_id from dba_extents where segment_name='WILL_BE_CORRUPTED'; -- will be segment id select dbms_rowid.ROWID_BLOCK_NUMBER(ROWID, 'SMALLFILE') FROM will_be_corrupted where myfield='This will have a problem';
<gh_stars>0 -- Copyright (c) 2003, 2014, Oracle and/or its affiliates. All rights reserved. -- -- This program is free software; you can redistribute it and/or modify -- it under the terms of the GNU General Public License as published by -- the Free Software Foundation; version 2 of the License. -- -- This program is distributed in the hope that it will be useful, -- but WITHOUT ANY WARRANTY; without even the implied warranty of -- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the -- GNU General Public License for more details. -- -- You should have received a copy of the GNU General Public License -- along with this program; if not, write to the Free Software -- Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA # This part converts any old privilege tables to privilege tables suitable # for current version of MySQL # You can safely ignore all 'Duplicate column' and 'Unknown column' errors # because these just mean that your tables are already up to date. # This script is safe to run even if your tables are already up to date! # Warning message(s) produced for a statement can be printed by explicitly # adding a 'SHOW WARNINGS' after the statement. set sql_mode=''; set storage_engine=MyISAM; ALTER TABLE user add File_priv enum('N','Y') COLLATE utf8_general_ci NOT NULL; # Detect whether or not we had the Grant_priv column SET @hadGrantPriv:=0; SELECT @hadGrantPriv:=1 FROM user WHERE Grant_priv LIKE '%'; ALTER TABLE user DROP max_concurrent_transactions; ALTER TABLE user DROP max_concurrent_queries; ALTER TABLE user add Grant_priv enum('N','Y') COLLATE utf8_general_ci NOT NULL,add References_priv enum('N','Y') COLLATE utf8_general_ci NOT NULL,add Index_priv enum('N','Y') COLLATE utf8_general_ci NOT NULL,add Alter_priv enum('N','Y') COLLATE utf8_general_ci NOT NULL; ALTER TABLE db add Grant_priv enum('N','Y') COLLATE utf8_general_ci NOT NULL,add References_priv enum('N','Y') COLLATE utf8_general_ci NOT NULL,add Index_priv enum('N','Y') COLLATE utf8_general_ci NOT NULL,add Alter_priv enum('N','Y') COLLATE utf8_general_ci NOT NULL; # Fix privileges for old tables UPDATE user SET Grant_priv=File_priv,References_priv=Create_priv,Index_priv=Create_priv,Alter_priv=Create_priv WHERE @hadGrantPriv = 0; UPDATE db SET References_priv=Create_priv,Index_priv=Create_priv,Alter_priv=Create_priv WHERE @hadGrantPriv = 0; # # The second alter changes ssl_type to new 4.0.2 format # Adding columns needed by GRANT .. REQUIRE (openssl) ALTER TABLE user ADD ssl_type enum('','ANY','X509', 'SPECIFIED') COLLATE utf8_general_ci NOT NULL, ADD ssl_cipher BLOB NOT NULL, ADD x509_issuer BLOB NOT NULL, ADD x509_subject BLOB NOT NULL; ALTER TABLE user MODIFY ssl_type enum('','ANY','X509', 'SPECIFIED') NOT NULL; # # tables_priv # ALTER TABLE tables_priv ADD KEY Grantor (Grantor); ALTER TABLE tables_priv MODIFY Host char(60) NOT NULL default '', MODIFY Db char(64) NOT NULL default '', MODIFY User char(80) NOT NULL default '', MODIFY Table_name char(64) NOT NULL default '', MODIFY Grantor char(77) NOT NULL default '', ENGINE=MyISAM, CONVERT TO CHARACTER SET utf8 COLLATE utf8_bin; ALTER TABLE tables_priv MODIFY Column_priv set('Select','Insert','Update','References') COLLATE utf8_general_ci DEFAULT '' NOT NULL, MODIFY Table_priv set('Select','Insert','Update','Delete','Create', 'Drop','Grant','References','Index','Alter', 'Create View','Show view','Trigger') COLLATE utf8_general_ci DEFAULT '' NOT NULL, COMMENT='Table privileges'; # # columns_priv # # # Name change of Type -> Column_priv from MySQL 3.22.12 # ALTER TABLE columns_priv CHANGE Type Column_priv set('Select','Insert','Update','References') COLLATE utf8_general_ci DEFAULT '' NOT NULL; ALTER TABLE columns_priv MODIFY Host char(60) NOT NULL default '', MODIFY Db char(64) NOT NULL default '', MODIFY User char(80) NOT NULL default '', MODIFY Table_name char(64) NOT NULL default '', MODIFY Column_name char(64) NOT NULL default '', ENGINE=MyISAM, CONVERT TO CHARACTER SET utf8 COLLATE utf8_bin, COMMENT='Column privileges'; ALTER TABLE columns_priv MODIFY Column_priv set('Select','Insert','Update','References') COLLATE utf8_general_ci DEFAULT '' NOT NULL; # # Add the new 'type' column to the func table. # ALTER TABLE func add type enum ('function','aggregate') COLLATE utf8_general_ci NOT NULL; # # Change the user and db tables to current format # # Detect whether we had Show_db_priv SET @hadShowDbPriv:=0; SELECT @hadShowDbPriv:=1 FROM user WHERE Show_db_priv LIKE '%'; ALTER TABLE user ADD Show_db_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Alter_priv, ADD Super_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Show_db_priv, ADD Create_tmp_table_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Super_priv, ADD Lock_tables_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Create_tmp_table_priv, ADD Execute_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Lock_tables_priv, ADD Repl_slave_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Execute_priv, ADD Repl_client_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Repl_slave_priv; # Convert privileges so that users have similar privileges as before UPDATE user SET Show_db_priv= Select_priv, Super_priv=Process_priv, Execute_priv=Process_priv, Create_tmp_table_priv='Y', Lock_tables_priv='Y', Repl_slave_priv=file_priv, Repl_client_priv=File_priv where user<>"" AND @hadShowDbPriv = 0; # Add fields that can be used to limit number of questions and connections # for some users. ALTER TABLE user ADD max_questions int(11) NOT NULL DEFAULT 0 AFTER x509_subject, ADD max_updates int(11) unsigned NOT NULL DEFAULT 0 AFTER max_questions, ADD max_connections int(11) unsigned NOT NULL DEFAULT 0 AFTER max_updates; # # Add Create_tmp_table_priv and Lock_tables_priv to db # ALTER TABLE db ADD Create_tmp_table_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, ADD Lock_tables_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL; alter table user change max_questions max_questions int(11) unsigned DEFAULT 0 NOT NULL; alter table db comment='Database privileges'; alter table user comment='Users and global privileges'; alter table func comment='User defined functions'; # Convert all tables to UTF-8 with binary collation # and reset all char columns to correct width ALTER TABLE user MODIFY Host char(60) NOT NULL default '', MODIFY User char(80) NOT NULL default '', ENGINE=MyISAM, CONVERT TO CHARACTER SET utf8 COLLATE utf8_bin; ALTER TABLE user MODIFY Password char(41) character set latin1 collate latin1_bin NOT NULL default '', MODIFY Select_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Insert_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Update_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Delete_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Create_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Drop_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Reload_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Shutdown_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Process_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY File_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Grant_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY References_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Index_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Alter_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Show_db_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Super_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Create_tmp_table_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Lock_tables_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Execute_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Repl_slave_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Repl_client_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY ssl_type enum('','ANY','X509', 'SPECIFIED') COLLATE utf8_general_ci DEFAULT '' NOT NULL; ALTER TABLE db MODIFY Host char(60) NOT NULL default '', MODIFY Db char(64) NOT NULL default '', MODIFY User char(80) NOT NULL default '', ENGINE=MyISAM, CONVERT TO CHARACTER SET utf8 COLLATE utf8_bin; ALTER TABLE db MODIFY Select_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Insert_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Update_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Delete_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Create_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Drop_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Grant_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY References_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Index_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Alter_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Create_tmp_table_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL, MODIFY Lock_tables_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL; ALTER TABLE func ENGINE=MyISAM, CONVERT TO CHARACTER SET utf8 COLLATE utf8_bin; ALTER TABLE func MODIFY type enum ('function','aggregate') COLLATE utf8_general_ci NOT NULL; # # Modify log tables. # SET @old_log_state = @@global.general_log; SET GLOBAL general_log = 'OFF'; ALTER TABLE general_log MODIFY event_time TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP, MODIFY user_host MEDIUMTEXT NOT NULL, MODIFY thread_id INTEGER NOT NULL, MODIFY server_id INTEGER UNSIGNED NOT NULL, MODIFY command_type VARCHAR(64) NOT NULL, MODIFY argument MEDIUMTEXT NOT NULL; ALTER TABLE general_log MODIFY thread_id BIGINT(21) UNSIGNED NOT NULL; SET GLOBAL general_log = @old_log_state; SET @old_log_state = @@global.slow_query_log; SET GLOBAL slow_query_log = 'OFF'; ALTER TABLE slow_log MODIFY start_time TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP, MODIFY user_host MEDIUMTEXT NOT NULL, MODIFY query_time TIME NOT NULL, MODIFY lock_time TIME NOT NULL, MODIFY rows_sent INTEGER NOT NULL, MODIFY rows_examined INTEGER NOT NULL, MODIFY db VARCHAR(512) NOT NULL, MODIFY last_insert_id INTEGER NOT NULL, MODIFY insert_id INTEGER NOT NULL, MODIFY server_id INTEGER UNSIGNED NOT NULL, MODIFY sql_text MEDIUMTEXT NOT NULL; ALTER TABLE slow_log ADD COLUMN thread_id INTEGER NOT NULL AFTER sql_text; ALTER TABLE slow_log MODIFY thread_id BIGINT(21) UNSIGNED NOT NULL; SET GLOBAL slow_query_log = @old_log_state; ALTER TABLE plugin MODIFY name varchar(64) COLLATE utf8_general_ci NOT NULL DEFAULT '', MODIFY dl varchar(128) COLLATE utf8_general_ci NOT NULL DEFAULT '', CONVERT TO CHARACTER SET utf8 COLLATE utf8_general_ci; # # Detect whether we had Create_view_priv # SET @hadCreateViewPriv:=0; SELECT @hadCreateViewPriv:=1 FROM user WHERE Create_view_priv LIKE '%'; # # Create VIEWs privileges (v5.0) # ALTER TABLE db ADD Create_view_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Lock_tables_priv; ALTER TABLE db MODIFY Create_view_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Lock_tables_priv; ALTER TABLE user ADD Create_view_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Repl_client_priv; ALTER TABLE user MODIFY Create_view_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Repl_client_priv; # # Show VIEWs privileges (v5.0) # ALTER TABLE db ADD Show_view_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Create_view_priv; ALTER TABLE db MODIFY Show_view_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Create_view_priv; ALTER TABLE user ADD Show_view_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Create_view_priv; ALTER TABLE user MODIFY Show_view_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Create_view_priv; # # Assign create/show view privileges to people who have create provileges # UPDATE user SET Create_view_priv=Create_priv, Show_view_priv=Create_priv where user<>"" AND @hadCreateViewPriv = 0; # # # SET @hadCreateRoutinePriv:=0; SELECT @hadCreateRoutinePriv:=1 FROM user WHERE Create_routine_priv LIKE '%'; # # Create PROCEDUREs privileges (v5.0) # ALTER TABLE db ADD Create_routine_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Show_view_priv; ALTER TABLE db MODIFY Create_routine_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Show_view_priv; ALTER TABLE user ADD Create_routine_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Show_view_priv; ALTER TABLE user MODIFY Create_routine_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Show_view_priv; # # Alter PROCEDUREs privileges (v5.0) # ALTER TABLE db ADD Alter_routine_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Create_routine_priv; ALTER TABLE db MODIFY Alter_routine_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Create_routine_priv; ALTER TABLE user ADD Alter_routine_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Create_routine_priv; ALTER TABLE user MODIFY Alter_routine_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Create_routine_priv; ALTER TABLE db ADD Execute_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Alter_routine_priv; ALTER TABLE db MODIFY Execute_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Alter_routine_priv; # # Assign create/alter routine privileges to people who have create privileges # UPDATE user SET Create_routine_priv=Create_priv, Alter_routine_priv=Alter_priv where user<>"" AND @hadCreateRoutinePriv = 0; UPDATE db SET Create_routine_priv=Create_priv, Alter_routine_priv=Alter_priv, Execute_priv=Select_priv where user<>"" AND @hadCreateRoutinePriv = 0; # # Add max_user_connections resource limit # ALTER TABLE user ADD max_user_connections int(11) unsigned DEFAULT '0' NOT NULL AFTER max_connections; # # user.Create_user_priv # SET @hadCreateUserPriv:=0; SELECT @hadCreateUserPriv:=1 FROM user WHERE Create_user_priv LIKE '%'; ALTER TABLE user ADD Create_user_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Alter_routine_priv; ALTER TABLE user MODIFY Create_user_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Alter_routine_priv; UPDATE user LEFT JOIN db USING (Host,User) SET Create_user_priv='Y' WHERE @hadCreateUserPriv = 0 AND (user.Grant_priv = 'Y' OR db.Grant_priv = 'Y'); # # procs_priv # ALTER TABLE procs_priv ENGINE=MyISAM, CONVERT TO CHARACTER SET utf8 COLLATE utf8_bin; ALTER TABLE procs_priv MODIFY Proc_priv set('Execute','Alter Routine','Grant') COLLATE utf8_general_ci DEFAULT '' NOT NULL; ALTER IGNORE TABLE procs_priv MODIFY Routine_name char(64) COLLATE utf8_general_ci DEFAULT '' NOT NULL; ALTER TABLE procs_priv ADD Routine_type enum('FUNCTION','PROCEDURE') COLLATE utf8_general_ci NOT NULL AFTER Routine_name; ALTER TABLE procs_priv MODIFY Timestamp timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP AFTER Proc_priv; # # proc # # Correct the name fields to not binary, and expand sql_data_access ALTER TABLE proc MODIFY name char(64) DEFAULT '' NOT NULL, MODIFY specific_name char(64) DEFAULT '' NOT NULL, MODIFY sql_data_access enum('CONTAINS_SQL', 'NO_SQL', 'READS_SQL_DATA', 'MODIFIES_SQL_DATA' ) DEFAULT 'CONTAINS_SQL' NOT NULL, MODIFY body longblob NOT NULL, MODIFY returns longblob NOT NULL, MODIFY sql_mode set('REAL_AS_FLOAT', 'PIPES_AS_CONCAT', 'ANSI_QUOTES', 'IGNORE_SPACE', 'NOT_USED', 'ONLY_FULL_GROUP_BY', 'NO_UNSIGNED_SUBTRACTION', 'NO_DIR_IN_CREATE', 'POSTGRESQL', 'ORACLE', 'MSSQL', 'DB2', 'MAXDB', 'NO_KEY_OPTIONS', 'NO_TABLE_OPTIONS', 'NO_FIELD_OPTIONS', 'MYSQL323', 'MYSQL40', 'ANSI', 'NO_AUTO_VALUE_ON_ZERO', 'NO_BACKSLASH_ESCAPES', 'STRICT_TRANS_TABLES', 'STRICT_ALL_TABLES', 'NO_ZERO_IN_DATE', 'NO_ZERO_DATE', 'INVALID_DATES', 'ERROR_FOR_DIVISION_BY_ZERO', 'TRADITIONAL', 'NO_AUTO_CREATE_USER', 'HIGH_NOT_PRECEDENCE', 'NO_ENGINE_SUBSTITUTION', 'PAD_CHAR_TO_FULL_LENGTH' ) DEFAULT '' NOT NULL, DEFAULT CHARACTER SET utf8; # Correct the character set and collation ALTER TABLE proc CONVERT TO CHARACTER SET utf8; # Reset some fields after the conversion ALTER TABLE proc MODIFY db char(64) collate utf8_bin DEFAULT '' NOT NULL, MODIFY definer char(77) collate utf8_bin DEFAULT '' NOT NULL, MODIFY comment char(64) collate utf8_bin DEFAULT '' NOT NULL; ALTER TABLE proc ADD character_set_client char(32) collate utf8_bin DEFAULT NULL AFTER comment; ALTER TABLE proc MODIFY character_set_client char(32) collate utf8_bin DEFAULT NULL; SELECT CASE WHEN COUNT(*) > 0 THEN CONCAT ("WARNING: NULL values of the 'character_set_client' column ('mysql.proc' table) have been updated with a default value (", @@character_set_client, "). Please verify if necessary.") ELSE NULL END AS value FROM proc WHERE character_set_client IS NULL; UPDATE proc SET character_set_client = @@character_set_client WHERE character_set_client IS NULL; ALTER TABLE proc ADD collation_connection char(32) collate utf8_bin DEFAULT NULL AFTER character_set_client; ALTER TABLE proc MODIFY collation_connection char(32) collate utf8_bin DEFAULT NULL; SELECT CASE WHEN COUNT(*) > 0 THEN CONCAT ("WARNING: NULL values of the 'collation_connection' column ('mysql.proc' table) have been updated with a default value (", @@collation_connection, "). Please verify if necessary.") ELSE NULL END AS value FROM proc WHERE collation_connection IS NULL; UPDATE proc SET collation_connection = @@collation_connection WHERE collation_connection IS NULL; ALTER TABLE proc ADD db_collation char(32) collate utf8_bin DEFAULT NULL AFTER collation_connection; ALTER TABLE proc MODIFY db_collation char(32) collate utf8_bin DEFAULT NULL; SELECT CASE WHEN COUNT(*) > 0 THEN CONCAT ("WARNING: NULL values of the 'db_collation' column ('mysql.proc' table) have been updated with default values. Please verify if necessary.") ELSE NULL END AS value FROM proc WHERE db_collation IS NULL; UPDATE proc AS p SET db_collation = ( SELECT DEFAULT_COLLATION_NAME FROM INFORMATION_SCHEMA.SCHEMATA WHERE SCHEMA_NAME = p.db) WHERE db_collation IS NULL; ALTER TABLE proc ADD body_utf8 longblob DEFAULT NULL AFTER db_collation; ALTER TABLE proc MODIFY body_utf8 longblob DEFAULT NULL; # Change comment from char(64) to text ALTER TABLE proc MODIFY comment text collate utf8_bin NOT NULL; # # EVENT privilege # SET @hadEventPriv := 0; SELECT @hadEventPriv :=1 FROM user WHERE Event_priv LIKE '%'; ALTER TABLE user add Event_priv enum('N','Y') character set utf8 DEFAULT 'N' NOT NULL AFTER Create_user_priv; ALTER TABLE user MODIFY Event_priv enum('N','Y') character set utf8 DEFAULT 'N' NOT NULL AFTER Create_user_priv; UPDATE user SET Event_priv=Super_priv WHERE @hadEventPriv = 0; ALTER TABLE db add Event_priv enum('N','Y') character set utf8 DEFAULT 'N' NOT NULL; ALTER TABLE db MODIFY Event_priv enum('N','Y') character set utf8 DEFAULT 'N' NOT NULL; # # EVENT table # ALTER TABLE event DROP PRIMARY KEY; ALTER TABLE event ADD PRIMARY KEY(db, name); # Add sql_mode column just in case. ALTER TABLE event ADD sql_mode set ('NOT_USED') AFTER on_completion; # Update list of sql_mode values. ALTER TABLE event MODIFY sql_mode set('REAL_AS_FLOAT', 'PIPES_AS_CONCAT', 'ANSI_QUOTES', 'IGNORE_SPACE', 'NOT_USED', 'ONLY_FULL_GROUP_BY', 'NO_UNSIGNED_SUBTRACTION', 'NO_DIR_IN_CREATE', 'POSTGRESQL', 'ORACLE', 'MSSQL', 'DB2', 'MAXDB', 'NO_KEY_OPTIONS', 'NO_TABLE_OPTIONS', 'NO_FIELD_OPTIONS', 'MYSQL323', 'MYSQL40', 'ANSI', 'NO_AUTO_VALUE_ON_ZERO', 'NO_BACKSLASH_ESCAPES', 'STRICT_TRANS_TABLES', 'STRICT_ALL_TABLES', 'NO_ZERO_IN_DATE', 'NO_ZERO_DATE', 'INVALID_DATES', 'ERROR_FOR_DIVISION_BY_ZERO', 'TRADITIONAL', 'NO_AUTO_CREATE_USER', 'HIGH_NOT_PRECEDENCE', 'NO_ENGINE_SUBSTITUTION', 'PAD_CHAR_TO_FULL_LENGTH' ) DEFAULT '' NOT NULL AFTER on_completion; ALTER TABLE event MODIFY name char(64) CHARACTER SET utf8 NOT NULL default ''; ALTER TABLE event MODIFY COLUMN originator INT UNSIGNED NOT NULL; ALTER TABLE event ADD COLUMN originator INT UNSIGNED NOT NULL AFTER comment; ALTER TABLE event MODIFY COLUMN status ENUM('ENABLED','DISABLED','SLAVESIDE_DISABLED') NOT NULL default 'ENABLED'; ALTER TABLE event ADD COLUMN time_zone char(64) CHARACTER SET latin1 NOT NULL DEFAULT 'SYSTEM' AFTER originator; ALTER TABLE event ADD character_set_client char(32) collate utf8_bin DEFAULT NULL AFTER time_zone; ALTER TABLE event MODIFY character_set_client char(32) collate utf8_bin DEFAULT NULL; ALTER TABLE event ADD collation_connection char(32) collate utf8_bin DEFAULT NULL AFTER character_set_client; ALTER TABLE event MODIFY collation_connection char(32) collate utf8_bin DEFAULT NULL; ALTER TABLE event ADD db_collation char(32) collate utf8_bin DEFAULT NULL AFTER collation_connection; ALTER TABLE event MODIFY db_collation char(32) collate utf8_bin DEFAULT NULL; ALTER TABLE event ADD body_utf8 longblob DEFAULT NULL AFTER db_collation; ALTER TABLE event MODIFY body_utf8 longblob DEFAULT NULL; # # TRIGGER privilege # SET @hadTriggerPriv := 0; SELECT @hadTriggerPriv :=1 FROM user WHERE Trigger_priv LIKE '%'; ALTER TABLE user ADD Trigger_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Event_priv; ALTER TABLE user MODIFY Trigger_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Event_priv; ALTER TABLE db ADD Trigger_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL; ALTER TABLE db MODIFY Trigger_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL; UPDATE user SET Trigger_priv=Super_priv WHERE @hadTriggerPriv = 0; # # user.Create_tablespace_priv # SET @hadCreateTablespacePriv := 0; SELECT @hadCreateTablespacePriv :=1 FROM user WHERE Create_tablespace_priv LIKE '%'; ALTER TABLE user ADD Create_tablespace_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Trigger_priv; ALTER TABLE user MODIFY Create_tablespace_priv enum('N','Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL AFTER Trigger_priv; UPDATE user SET Create_tablespace_priv = Super_priv WHERE @hadCreateTablespacePriv = 0; -- -- Unlike 'performance_schema', the 'mysql' database is reserved already, -- so no user procedure is supposed to be there. -- -- NOTE: until upgrade is finished, stored routines are not available, -- because system tables (e.g. mysql.proc) might be not usable. -- drop procedure if exists mysql.die; create procedure mysql.die() signal sqlstate 'HY000' set message_text='Unexpected content found in the performance_schema database.'; -- -- For broken upgrades, SIGNAL the error -- SET @cmd="call mysql.die()"; SET @str = IF(@broken_pfs > 0, @cmd, 'SET @dummy = 0'); PREPARE stmt FROM @str; EXECUTE stmt; DROP PREPARE stmt; drop procedure mysql.die; ALTER TABLE user ADD plugin char(64) DEFAULT 'mysql_native_password', ADD authentication_string TEXT; ALTER TABLE user MODIFY plugin char(64) DEFAULT 'mysql_native_password'; UPDATE user SET plugin=IF((length(password) = 41) OR (length(password) = 0), '<PASSWORD>', '') WHERE plugin = ''; UPDATE user SET plugin=IF(length(password) = 16, '<PASSWORD>', '') WHERE plugin = ''; ALTER TABLE user MODIFY authentication_string TEXT; -- establish if the field is already there. SET @hadPasswordExpired:=0; SELECT @hadPasswordExpired:=1 FROM user WHERE password_expired LIKE '%'; ALTER TABLE user ADD password_expired ENUM('N', 'Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL; UPDATE user SET password_expired = 'N' WHERE @hadPasswordExpired=0; -- need to compensate for the ALTER TABLE user .. CONVERT TO CHARACTER SET above ALTER TABLE user MODIFY password_expired ENUM('N', 'Y') COLLATE utf8_general_ci DEFAULT 'N' NOT NULL; -- Need to pre-fill mysql.proxies_priv with access for root even when upgrading from -- older versions CREATE TEMPORARY TABLE tmp_proxies_priv LIKE proxies_priv; INSERT INTO tmp_proxies_priv VALUES ('localhost', 'root', '', '', TRUE, '', now()); INSERT INTO proxies_priv SELECT * FROM tmp_proxies_priv WHERE @had_proxies_priv_table=0; DROP TABLE tmp_proxies_priv; -- Checking for any duplicate hostname and username combination are exists. -- If exits we will throw error. DROP PROCEDURE IF EXISTS mysql.count_duplicate_host_names; DELIMITER // CREATE PROCEDURE mysql.count_duplicate_host_names() BEGIN SET @duplicate_hosts=(SELECT count(*) FROM mysql.user GROUP BY user, lower(host) HAVING count(*) > 1 LIMIT 1); IF @duplicate_hosts > 1 THEN SIGNAL SQLSTATE '45000' SET MESSAGE_TEXT = 'Multiple accounts exist for @user_name, @host_name that differ only in Host lettercase; remove all except one of them'; END IF; END // DELIMITER ; CALL mysql.count_duplicate_host_names(); -- Get warnings (if any) SHOW WARNINGS; DROP PROCEDURE mysql.count_duplicate_host_names; # Convering the host name to lower case for existing users UPDATE user SET host=LOWER( host ) WHERE LOWER( host ) <> host; # # mysql.ndb_binlog_index # # Change type from BIGINT to INT ALTER TABLE ndb_binlog_index MODIFY inserts INT UNSIGNED NOT NULL, MODIFY updates INT UNSIGNED NOT NULL, MODIFY deletes INT UNSIGNED NOT NULL, MODIFY schemaops INT UNSIGNED NOT NULL; # Add new columns ALTER TABLE ndb_binlog_index ADD orig_server_id INT UNSIGNED NOT NULL, ADD orig_epoch BIGINT UNSIGNED NOT NULL, ADD gci INT UNSIGNED NOT NULL; # New primary key ALTER TABLE ndb_binlog_index DROP PRIMARY KEY, ADD PRIMARY KEY(epoch, orig_server_id, orig_epoch); # Activate the new, possible modified privilege tables # This should not be needed, but gives us some extra testing that the above # changes was correct flush privileges; ALTER TABLE slave_master_info ADD Ssl_crl TEXT CHARACTER SET utf8 COLLATE utf8_bin COMMENT 'The file used for the Certificate Revocation List (CRL)'; ALTER TABLE slave_master_info ADD Ssl_crlpath TEXT CHARACTER SET utf8 COLLATE utf8_bin COMMENT 'The path used for Certificate Revocation List (CRL) files'; ALTER TABLE slave_master_info STATS_PERSISTENT=0; ALTER TABLE slave_worker_info STATS_PERSISTENT=0; ALTER TABLE slave_relay_log_info STATS_PERSISTENT=0; SET @have_innodb= (SELECT COUNT(engine) FROM information_schema.engines WHERE engine='InnoDB' AND support != 'NO'); SET @str=IF(@have_innodb <> 0, "ALTER TABLE innodb_table_stats STATS_PERSISTENT=0", "SET @dummy = 0"); PREPARE stmt FROM @str; EXECUTE stmt; DROP PREPARE stmt; SET @str=IF(@have_innodb <> 0, "ALTER TABLE innodb_index_stats STATS_PERSISTENT=0", "SET @dummy = 0"); PREPARE stmt FROM @str; EXECUTE stmt; DROP PREPARE stmt; -- -- Check for accounts with old pre-4.1 passwords and issue a warning -- -- SCRAMBLED_PASSWORD_CHAR_LENGTH_323 = 16 SET @deprecated_pwds=(SELECT COUNT(*) FROM mysql.user WHERE LENGTH(password) = 16); -- signal the deprecation error DROP PROCEDURE IF EXISTS mysql.warn_pre41_pwd; CREATE PROCEDURE mysql.warn_pre41_pwd() SIGNAL SQLSTATE '01000' SET MESSAGE_TEXT='Pre-4.1 password hash found. It is deprecated and will be removed in a future release. Please upgrade it to a new format.'; SET @cmd='call mysql.warn_pre41_pwd()'; SET @str=IF(@deprecated_pwds > 0, @cmd, 'SET @dummy=0'); PREPARE stmt FROM @str; EXECUTE stmt; -- Get warnings (if any) SHOW WARNINGS; DROP PREPARE stmt; DROP PROCEDURE mysql.warn_pre41_pwd; -- -- Check for non-empty host table and issue a warning -- DROP PROCEDURE IF EXISTS mysql.warn_host_table_nonempty; DELIMITER // CREATE PROCEDURE mysql.warn_host_table_nonempty() BEGIN SET @have_host_table=0; SET @host_table_nonempty=0; SET @have_host_table=(SELECT COUNT(*) FROM information_schema.tables WHERE table_name LIKE 'host' AND table_schema LIKE 'mysql' AND table_type LIKE 'BASE TABLE'); IF @have_host_table > 0 THEN SET @host_table_nonempty=(SELECT COUNT(*) FROM mysql.host); END IF; IF @host_table_nonempty > 0 THEN SIGNAL SQLSTATE '01000' SET MESSAGE_TEXT='Table mysql.host is not empty. It is deprecated and will be removed in a future release.'; END IF; END // DELIMITER ; CALL mysql.warn_host_table_nonempty(); -- Get warnings (if any) SHOW WARNINGS; DROP PROCEDURE mysql.warn_host_table_nonempty; -- -- Upgrade help tables -- ALTER TABLE help_category MODIFY url TEXT NOT NULL; ALTER TABLE help_topic MODIFY url TEXT NOT NULL;
<reponame>afermon/TuBus CREATE PROCEDURE [dbo].[UPD_REQUISITO_PR] @P_PERMISO nvarchar(50), @P_PLACA nvarchar(50), @P_ESTADO nvarchar(50) AS Begin SET NOCOUNT ON; UPDATE TBL_REQUESITO SET ESTADO = @P_ESTADO WHERE PLACA = @P_PLACA AND PERMISO = @P_PERMISO END GO
alter table metaData_values modify value varchar(1024);
DROP TABLE IF EXISTS Purchase; DROP TABLE IF EXISTS Product; DROP TABLE IF EXISTS SteamAccount; CREATE TABLE SteamAccount ( steamId BINARY(16) NOT NULL, steamEmail VARCHAR(32) NOT NULL, steamName VARCHAR(32) NOT NULL, steamPhone VARCHAR(10) NOT NULL, UNIQUE(steamEmail), PRIMARY KEY (steamId) ); CREATE TABLE Product ( productSteamId BINARY(16) NOT NULL, productId BINARY(16) NOT NULL, productName VARCHAR(50) NOT NULL, productQuantity VARCHAR(255) NOT NULL, PRIMARY KEY (productId) ); CREATE TABLE Purchase ( purchaseId BINARY(16) NOT NULL, purchaseDate DATETIME(6) NOT NULL, purchaseProductId BINARY(16) NOT NULL, purchaseSteamId BINARY(16) NOT NULL, INDEX (purchaseSteamId), PRIMARY KEY (purchaseId), FOREIGN KEY (purchaseSteamId) REFERENCES SteamAccount(steamId), FOREIGN KEY (purchaseProductId) REFERENCES Product(productId) );
<reponame>ncodeitbharath/gradle CREATE TABLE QRTZ_EXCL_CALENDARS ( CALENDAR_NAME VARCHAR (200) NOT NULL , CALENDAR IMAGE NOT NULL ); CREATE TABLE QRTZ_EXCL_CRON_TRIGGERS ( TRIGGER_NAME VARCHAR (200) NOT NULL , TRIGGER_GROUP VARCHAR (200) NOT NULL , CRON_EXPRESSION VARCHAR (120) NOT NULL , TIME_ZONE_ID VARCHAR (80) ); CREATE TABLE QRTZ_EXCL_FIRED_TRIGGERS ( ENTRY_ID VARCHAR (95) NOT NULL , TRIGGER_NAME VARCHAR (200) NOT NULL , TRIGGER_GROUP VARCHAR (200) NOT NULL , IS_VOLATILE BOOLEAN NOT NULL , INSTANCE_NAME VARCHAR (200) NOT NULL , FIRED_TIME BIGINT NOT NULL , PRIORITY INTEGER NOT NULL , STATE VARCHAR (16) NOT NULL, JOB_NAME VARCHAR (200) NULL , JOB_GROUP VARCHAR (200) NULL , IS_STATEFUL BOOLEAN NULL , REQUESTS_RECOVERY BOOLEAN NULL ); CREATE TABLE QRTZ_EXCL_PAUSED_TRIGGER_GRPS ( TRIGGER_GROUP VARCHAR (200) NOT NULL ); CREATE TABLE QRTZ_EXCL_SCHEDULER_STATE ( INSTANCE_NAME VARCHAR (200) NOT NULL , LAST_CHECKIN_TIME BIGINT NOT NULL , CHECKIN_INTERVAL BIGINT NOT NULL ); CREATE TABLE QRTZ_EXCL_LOCKS ( LOCK_NAME VARCHAR (40) NOT NULL ); CREATE TABLE QRTZ_EXCL_JOB_DETAILS ( JOB_NAME VARCHAR (200) NOT NULL , JOB_GROUP VARCHAR (200) NOT NULL , DESCRIPTION VARCHAR (250) NULL , JOB_CLASS_NAME VARCHAR (250) NOT NULL , IS_DURABLE BOOLEAN NOT NULL , IS_VOLATILE BOOLEAN NOT NULL , IS_STATEFUL BOOLEAN NOT NULL , REQUESTS_RECOVERY BOOLEAN NOT NULL , JOB_DATA IMAGE NULL ); CREATE TABLE QRTZ_EXCL_JOB_LISTENERS ( JOB_NAME VARCHAR (200) NOT NULL , JOB_GROUP VARCHAR (200) NOT NULL , JOB_LISTENER VARCHAR (200) NOT NULL ); CREATE TABLE QRTZ_EXCL_SIMPLE_TRIGGERS ( TRIGGER_NAME VARCHAR (200) NOT NULL , TRIGGER_GROUP VARCHAR (200) NOT NULL , REPEAT_COUNT BIGINT NOT NULL , REPEAT_INTERVAL BIGINT NOT NULL , TIMES_TRIGGERED BIGINT NOT NULL ); CREATE TABLE QRTZ_EXCL_BLOB_TRIGGERS ( TRIGGER_NAME VARCHAR (200) NOT NULL , TRIGGER_GROUP VARCHAR (200) NOT NULL , BLOB_DATA IMAGE NULL ); CREATE TABLE QRTZ_EXCL_TRIGGER_LISTENERS ( TRIGGER_NAME VARCHAR (200) NOT NULL , TRIGGER_GROUP VARCHAR (200) NOT NULL , TRIGGER_LISTENER VARCHAR (200) NOT NULL ); CREATE TABLE QRTZ_EXCL_TRIGGERS ( TRIGGER_NAME VARCHAR (200) NOT NULL , TRIGGER_GROUP VARCHAR (200) NOT NULL , JOB_NAME VARCHAR (200) NOT NULL , JOB_GROUP VARCHAR (200) NOT NULL , IS_VOLATILE BOOLEAN NOT NULL , DESCRIPTION VARCHAR (250) NULL , NEXT_FIRE_TIME BIGINT NULL , PREV_FIRE_TIME BIGINT NULL , PRIORITY INTEGER NULL , TRIGGER_STATE VARCHAR (16) NOT NULL , TRIGGER_TYPE VARCHAR (8) NOT NULL , START_TIME BIGINT NOT NULL , END_TIME BIGINT NULL , CALENDAR_NAME VARCHAR (200) NULL , MISFIRE_INSTR SMALLINT NULL , JOB_DATA IMAGE NULL ); ALTER TABLE QRTZ_EXCL_CALENDARS ADD CONSTRAINT PK_QRTZ_EXCL_CALENDARS PRIMARY KEY ( CALENDAR_NAME ); ALTER TABLE QRTZ_EXCL_CRON_TRIGGERS ADD CONSTRAINT PK_QRTZ_EXCL_CRON_TRIGGERS PRIMARY KEY ( TRIGGER_NAME, TRIGGER_GROUP ); ALTER TABLE QRTZ_EXCL_FIRED_TRIGGERS ADD CONSTRAINT PK_QRTZ_EXCL_FIRED_TRIGGERS PRIMARY KEY ( ENTRY_ID ); ALTER TABLE QRTZ_EXCL_PAUSED_TRIGGER_GRPS ADD CONSTRAINT PK_QRTZ_EXCL_PAUSED_TRIGGER_GRPS PRIMARY KEY ( TRIGGER_GROUP ); ALTER TABLE QRTZ_EXCL_SCHEDULER_STATE ADD CONSTRAINT PK_QRTZ_EXCL_SCHEDULER_STATE PRIMARY KEY ( INSTANCE_NAME ); ALTER TABLE QRTZ_EXCL_LOCKS ADD CONSTRAINT PK_QRTZ_EXCL_LOCKS PRIMARY KEY ( LOCK_NAME ); ALTER TABLE QRTZ_EXCL_JOB_DETAILS ADD CONSTRAINT PK_QRTZ_EXCL_JOB_DETAILS PRIMARY KEY ( JOB_NAME, JOB_GROUP ); ALTER TABLE QRTZ_EXCL_JOB_LISTENERS ADD CONSTRAINT PK_QRTZ_EXCL_JOB_LISTENERS PRIMARY KEY ( JOB_NAME, JOB_GROUP, JOB_LISTENER ); ALTER TABLE QRTZ_EXCL_SIMPLE_TRIGGERS ADD CONSTRAINT PK_QRTZ_EXCL_SIMPLE_TRIGGERS PRIMARY KEY ( TRIGGER_NAME, TRIGGER_GROUP ); ALTER TABLE QRTZ_EXCL_TRIGGER_LISTENERS ADD CONSTRAINT PK_QRTZ_EXCL_TRIGGER_LISTENERS PRIMARY KEY ( TRIGGER_NAME, TRIGGER_GROUP, TRIGGER_LISTENER ); ALTER TABLE QRTZ_EXCL_TRIGGERS ADD CONSTRAINT PK_QRTZ_EXCL_TRIGGERS PRIMARY KEY ( TRIGGER_NAME, TRIGGER_GROUP ); ALTER TABLE QRTZ_EXCL_CRON_TRIGGERS ADD CONSTRAINT FK_QRTZ_EXCL_CRON_TRIGGERS_QRTZ_EXCL_TRIGGERS FOREIGN KEY ( TRIGGER_NAME, TRIGGER_GROUP ) REFERENCES QRTZ_EXCL_TRIGGERS ( TRIGGER_NAME, TRIGGER_GROUP ) ON DELETE CASCADE; ALTER TABLE QRTZ_EXCL_JOB_LISTENERS ADD CONSTRAINT FK_QRTZ_EXCL_JOB_LISTENERS_QRTZ_EXCL_JOB_DETAILS FOREIGN KEY ( JOB_NAME, JOB_GROUP ) REFERENCES QRTZ_EXCL_JOB_DETAILS ( JOB_NAME, JOB_GROUP ) ON DELETE CASCADE; ALTER TABLE QRTZ_EXCL_SIMPLE_TRIGGERS ADD CONSTRAINT FK_QRTZ_EXCL_SIMPLE_TRIGGERS_QRTZ_EXCL_TRIGGERS FOREIGN KEY ( TRIGGER_NAME, TRIGGER_GROUP ) REFERENCES QRTZ_EXCL_TRIGGERS ( TRIGGER_NAME, TRIGGER_GROUP ) ON DELETE CASCADE; ALTER TABLE QRTZ_EXCL_TRIGGER_LISTENERS ADD CONSTRAINT FK_QRTZ_EXCL_TRIGGER_LISTENERS_QRTZ_EXCL_TRIGGERS FOREIGN KEY ( TRIGGER_NAME, TRIGGER_GROUP ) REFERENCES QRTZ_EXCL_TRIGGERS ( TRIGGER_NAME, TRIGGER_GROUP ) ON DELETE CASCADE; ALTER TABLE QRTZ_EXCL_TRIGGERS ADD CONSTRAINT FK_QRTZ_EXCL_TRIGGERS_QRTZ_EXCL_JOB_DETAILS FOREIGN KEY ( JOB_NAME, JOB_GROUP ) REFERENCES QRTZ_EXCL_JOB_DETAILS ( JOB_NAME, JOB_GROUP ); INSERT INTO QRTZ_EXCL_LOCKS VALUES('TRIGGER_ACCESS'); INSERT INTO QRTZ_EXCL_LOCKS VALUES('JOB_ACCESS'); INSERT INTO QRTZ_EXCL_LOCKS VALUES('CALENDAR_ACCESS'); INSERT INTO QRTZ_EXCL_LOCKS VALUES('STATE_ACCESS'); INSERT INTO QRTZ_EXCL_LOCKS VALUES('MISFIRE_ACCESS');
CREATE TABLE `tb_udrucjftxw` ( `col_tustciiwwp` datetime(2) DEFAULT NULL, `col_xhjeuttrui` longtext CHARACTER SET utf8mb4, `col_gzwherugvm` decimal(35, 10) DEFAULT NULL, `col_fwooxfmvvs` tinytext, UNIQUE KEY `uk_kllnpcqqzt` (`col_xhjeuttrui`(30)), UNIQUE KEY `uk_omzcuexdxr` (`col_xhjeuttrui`(8),`col_gzwherugvm`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8; CREATE TABLE `tb_syxeibzqzx` ( `col_shntqukbsk` datetime DEFAULT NULL ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
-- Copyright [1999-2015] Wellcome Trust Sanger Institute and the EMBL-European Bioinformatics Institute -- Copyright [2016-2019] EMBL-European Bioinformatics Institute -- -- 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. -- Updating the schema version: UPDATE meta SET meta_value = 53 where meta_key = "schema_version"; -------------------------------------------------------------------------------------- -- -- Table structure for table 'mapping_session' -- -- overview: -- A single mapping_session is the event when mapping between two given releases -- for a particular class type ('family' or 'tree') is loaded. -- The whole event is thought to happen momentarily at 'when_mapped' (used for sorting in historical order). CREATE TABLE mapping_session ( mapping_session_id INT UNSIGNED NOT NULL AUTO_INCREMENT, type ENUM('family', 'tree'), when_mapped TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP, rel_from INT UNSIGNED, rel_to INT UNSIGNED, PRIMARY KEY ( mapping_session_id ), UNIQUE KEY ( type, rel_from, rel_to ) ); -------------------------------------------------------------------------------------- -- -- Table structure for table 'stable_id_history' -- -- overview: -- 'stable_id_history' table keeps the history of stable_id changes from one release to another. -- -- The primary key 'object' describes a set of members migrating from stable_id_from to stable_id_to. -- Their volume (related to the 'shared_size' of the new class) is reflected by the fractional 'contribution' field. -- -- Since both stable_ids are listed in the primary key, -- they are not allowed to be NULLs. We shall treat empty strings as NULLs. -- -- If stable_id_from is empty, it means these members are newcomers into the new release. -- If stable_id_to is empty, it means these previously known members are disappearing in the new release. -- If both neither stable_id_from nor stable_id_to is empty, these members are truly migrating. CREATE TABLE stable_id_history ( mapping_session_id INT UNSIGNED NOT NULL, stable_id_from VARCHAR(40) NOT NULL DEFAULT '', version_from INT UNSIGNED NULL DEFAULT NULL, stable_id_to VARCHAR(40) NOT NULL DEFAULT '', version_to INT UNSIGNED NULL DEFAULT NULL, contribution FLOAT, PRIMARY KEY ( mapping_session_id, stable_id_from, stable_id_to ) ); -------------------------------------------------------------------------------------- -- -- Table structure for table 'protein_tree_stable_id' -- -- overview: -- to allow protein trees have trackable stable_ids. -- -- semantics: -- node_id - node_id of the root of the tree -- stable_id - the main part of the stable_id ( follows the pattern: label(5).release_introduced(4).unique_id(10) ) -- version - numeric version of the stable_id (changes only when members move to/from existing trees) CREATE TABLE protein_tree_stable_id ( node_id INT(10) UNSIGNED NOT NULL, stable_id VARCHAR(40) NOT NULL, # unique stable id, e.g. 'ENSGT'.'0053'.'1234567890' version INT UNSIGNED NOT NULL, # version of the stable_id (changes only when members move to/from existing trees) PRIMARY KEY ( node_id ), UNIQUE KEY ( stable_id ) ); -- Family stable_ids will now have versions: ALTER TABLE family ADD COLUMN version INT UNSIGNED; -- Table structure for table 'constrained_element' CREATE TABLE constrained_element ( constrained_element_id bigint(20) unsigned NOT NULL, dnafrag_id int(12) unsigned NOT NULL, dnafrag_start int(12) unsigned NOT NULL, dnafrag_end int(12) unsigned NOT NULL, method_link_species_set_id int(10) unsigned NOT NULL, p_value mediumtext, taxonomic_level mediumtext, score double NOT NULL default '0', FOREIGN KEY (dnafrag_id) REFERENCES dnafrag(dnafrag_id), FOREIGN KEY (method_link_species_set_id) REFERENCES method_link_species_set(method_link_species_set_id), KEY constrained_element_id_idx (constrained_element_id), KEY mlssid_idx (method_link_species_set_id), KEY mlssid_dfId_dfStart_dfEnd_idx (method_link_species_set_id,dnafrag_id,dnafrag_start,dnafrag_end), KEY mlssid_dfId_idx (method_link_species_set_id,dnafrag_id) ) COLLATE=latin1_swedish_ci;
-- start query 93 in stream 0 using template query93.tpl SELECT ss_customer_sk, Sum(act_sales) sumsales FROM (SELECT ss_item_sk, ss_ticket_number, ss_customer_sk, CASE WHEN sr_return_quantity IS NOT NULL THEN ( ss_quantity - sr_return_quantity ) * ss_sales_price ELSE ( ss_quantity * ss_sales_price ) END act_sales FROM store_sales LEFT OUTER JOIN store_returns ON ( sr_item_sk = ss_item_sk AND sr_ticket_number = ss_ticket_number ), reason WHERE sr_reason_sk = r_reason_sk AND r_reason_desc = 'reason 38') t GROUP BY ss_customer_sk ORDER BY sumsales, ss_customer_sk LIMIT 100;
DROP TABLE IF EXISTS t_naver_n0102 CASCADE; CREATE TABLE t_naver_n0102 ( item_code varchar(6) NOT NULL , hash varchar(32) NOT NULL , date_inst timestamp DEFAULT NOW() , date_updt timestamp DEFAULT NOW() , shar_oust varchar(16) , indx_name varchar(128) , date_set varchar(8) , date_list varchar(8) , asst_clss varchar(16) , expn_rate varchar(16) , acct_perd varchar(256) , date_dstb varchar(256) , issr varchar(64) , issr_url varchar(128) , item_dscr text ); CREATE UNIQUE INDEX pk_t_naver_n0102 ON t_naver_n0102 (item_code); COMMENT ON TABLE t_naver_n0102 IS '네이버 주식기본정보'; COMMENT ON COLUMN t_naver_n0102.item_code IS '종목코드'; COMMENT ON COLUMN t_naver_n0102.hash IS 'data hash'; COMMENT ON COLUMN t_naver_n0102.date_inst IS '등록일시'; COMMENT ON COLUMN t_naver_n0102.date_updt IS '수정일시'; COMMENT ON COLUMN t_naver_n0102.shar_oust IS '상장주식수'; COMMENT ON COLUMN t_naver_n0102.indx_name IS '기초지수명'; COMMENT ON COLUMN t_naver_n0102.date_set IS '최초설정일'; COMMENT ON COLUMN t_naver_n0102.date_list IS '상장일'; COMMENT ON COLUMN t_naver_n0102.asst_clss IS '펀드형태'; COMMENT ON COLUMN t_naver_n0102.expn_rate IS '총보수'; COMMENT ON COLUMN t_naver_n0102.acct_perd IS '회계기간'; COMMENT ON COLUMN t_naver_n0102.date_dstb IS '분배금기준일'; COMMENT ON COLUMN t_naver_n0102.issr IS '자산운용사'; COMMENT ON COLUMN t_naver_n0102.issr_url IS '홈페이지'; COMMENT ON COLUMN t_naver_n0102.item_dscr IS '상품설명'; COMMIT;
UPDATE network SET label = NULL WHERE provider_network_external_id IS NOT NULL;
<gh_stars>10-100 with events as ( select * from {{ ref('stg_dbt_audit_log') }} ), aggregated as ( select {{ dbt_utils.surrogate_key([ 'event_model', 'invocation_id' ]) }} as model_deployment_id, invocation_id, event_model as model, event_schema as schema, event_target as target, event_is_full_refresh as is_full_refresh, min(case when event_name = 'model deployment started' then event_timestamp end) as deployment_started_at, min(case when event_name = 'model deployment completed' then event_timestamp end) as deployment_completed_at from events where event_name like '%model%' {{ dbt_utils.group_by(n=6) }} ) select * from aggregated
<gh_stars>1-10 /*USE cse_dict;*/ use cnotest_test; LOAD DATA LOCAL INFILE 'data/grammar.tsv' INTO TABLE grammar CHARACTER SET utf8mb4 LINES TERMINATED BY '\n'; LOAD DATA LOCAL INFILE 'data/topics.tsv' INTO TABLE topics CHARACTER SET utf8mb4 LINES TERMINATED BY '\n'; LOAD DATA LOCAL INFILE 'data/testdict.tsv' INTO TABLE words CHARACTER SET utf8mb4 LINES TERMINATED BY '\n' IGNORE 1 LINES; SHOW WARNINGS;
<filename>components/org.wso2.carbon.identity.keyrotation/src/main/resources/triggers/oldPostgreSQL.sql /* * Copyright (c) 2021, WSO2 Inc. (http://www.wso2.org) All Rights Reserved. * * WSO2 Inc. licenses this file to you 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. */ DROP TABLE IF EXISTS IDN_IDENTITY_USER_DATA_TEMP; CREATE TABLE IDN_IDENTITY_USER_DATA_TEMP ( SYNC_ID SERIAL NOT NULL, TENANT_ID INTEGER DEFAULT -1234, USER_NAME VARCHAR(255) NOT NULL, DATA_KEY VARCHAR(255) NOT NULL, DATA_VALUE VARCHAR(2048), AVAILABILITY INTEGER NOT NULL, SYNCED INTEGER DEFAULT 0, PRIMARY KEY (SYNC_ID) ); CREATE OR REPLACE FUNCTION totp_sync_insert() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_IDENTITY_USER_DATA_TEMP (TENANT_ID, USER_NAME, DATA_KEY, DATA_VALUE, AVAILABILITY) VALUES (NEW.TENANT_ID, NEW.USER_NAME, NEW.DATA_KEY, NEW.DATA_VALUE, 1); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS totp_sync_insert ON IDN_IDENTITY_USER_DATA; CREATE TRIGGER totp_sync_insert AFTER INSERT ON IDN_IDENTITY_USER_DATA FOR EACH ROW EXECUTE PROCEDURE totp_sync_insert(); CREATE OR REPLACE FUNCTION totp_sync_update() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_IDENTITY_USER_DATA_TEMP (TENANT_ID, USER_NAME, DATA_KEY, DATA_VALUE, AVAILABILITY) VALUES (NEW.TENANT_ID, NEW.USER_NAME, NEW.DATA_KEY, NEW.DATA_VALUE, 1); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS totp_sync_update ON IDN_IDENTITY_USER_DATA; CREATE TRIGGER totp_sync_update AFTER UPDATE ON IDN_IDENTITY_USER_DATA FOR EACH ROW EXECUTE PROCEDURE totp_sync_update(); CREATE OR REPLACE FUNCTION totp_sync_delete() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_IDENTITY_USER_DATA_TEMP (TENANT_ID, USER_NAME, DATA_KEY, DATA_VALUE, AVAILABILITY) VALUES (OLD.TENANT_ID, OLD.USER_NAME, OLD.DATA_KEY, OLD.DATA_VALUE, 0); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS totp_sync_delete ON IDN_IDENTITY_USER_DATA; CREATE TRIGGER totp_sync_delete AFTER DELETE ON IDN_IDENTITY_USER_DATA FOR EACH ROW EXECUTE PROCEDURE totp_sync_delete(); DROP TABLE IF EXISTS IDN_OAUTH2_AUTHORIZATION_CODE_TEMP; CREATE TABLE IDN_OAUTH2_AUTHORIZATION_CODE_TEMP ( SYNC_ID SERIAL NOT NULL, CODE_ID VARCHAR (255), AUTHORIZATION_CODE VARCHAR(2048), CONSUMER_KEY_ID INTEGER, CALLBACK_URL VARCHAR(2048), SCOPE VARCHAR(2048), AUTHZ_USER VARCHAR (100), TENANT_ID INTEGER, USER_DOMAIN VARCHAR(50), TIME_CREATED TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP, VALIDITY_PERIOD BIGINT, STATE VARCHAR (25) DEFAULT 'ACTIVE', TOKEN_ID VARCHAR(255), SUBJECT_IDENTIFIER VARCHAR(255), PKCE_CODE_CHALLENGE VARCHAR(255), PKCE_CODE_CHALLENGE_METHOD VARCHAR(128), AUTHORIZATION_CODE_HASH VARCHAR(512), IDP_ID INTEGER DEFAULT -1 NOT NULL, AVAILABILITY INTEGER NOT NULL, SYNCED INTEGER DEFAULT 0, PRIMARY KEY (SYNC_ID) ); CREATE OR REPLACE FUNCTION oauth2_code_sync_insert() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_OAUTH2_AUTHORIZATION_CODE_TEMP (CODE_ID, AUTHORIZATION_CODE, CONSUMER_KEY_ID, CALLBACK_URL, SCOPE, AUTHZ_USER, TENANT_ID, USER_DOMAIN, TIME_CREATED, VALIDITY_PERIOD, STATE, TOKEN_ID, SUBJECT_IDENTIFIER, PKCE_CODE_CHALLENGE, PKCE_CODE_CHALLENGE_METHOD, AUTHORIZATION_CODE_HASH, IDP_ID, AVAILABILITY) VALUES (NEW.CODE_ID, NEW.AUTHORIZATION_CODE, NEW.CONSUMER_KEY_ID, NEW.CALLBACK_URL, NEW.SCOPE, NEW.AUTHZ_USER, NEW.TENANT_ID, NEW.USER_DOMAIN, NEW.TIME_CREATED, NEW.VALIDITY_PERIOD, NEW.STATE, NEW.TOKEN_ID, NEW.SUBJECT_IDENTIFIER, NEW.PKCE_CODE_CHALLENGE, NEW.PKCE_CODE_CHALLENGE_METHOD, NEW.AUTHORIZATION_CODE_HASH, NEW.IDP_ID, 1); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS oauth2_code_sync_insert ON IDN_OAUTH2_AUTHORIZATION_CODE; CREATE TRIGGER oauth2_code_sync_insert AFTER INSERT ON IDN_OAUTH2_AUTHORIZATION_CODE FOR EACH ROW EXECUTE PROCEDURE oauth2_code_sync_insert(); CREATE OR REPLACE FUNCTION oauth2_code_sync_update() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_OAUTH2_AUTHORIZATION_CODE_TEMP (CODE_ID, AUTHORIZATION_CODE, CONSUMER_KEY_ID, CALLBACK_URL, SCOPE, AUTHZ_USER, TENANT_ID, USER_DOMAIN, TIME_CREATED, VALIDITY_PERIOD, STATE, TOKEN_ID, SUBJECT_IDENTIFIER, PKCE_CODE_CHALLENGE, PKCE_CODE_CHALLENGE_METHOD, AUTHORIZATION_CODE_HASH, IDP_ID, AVAILABILITY) VALUES (NEW.CODE_ID, NEW.AUTHORIZATION_CODE, NEW.CONSUMER_KEY_ID, NEW.CALLBACK_URL, NEW.SCOPE, NEW.AUTHZ_USER, NEW.TENANT_ID, NEW.USER_DOMAIN, NEW.TIME_CREATED, NEW.VALIDITY_PERIOD, NEW.STATE, NEW.TOKEN_ID, NEW.SUBJECT_IDENTIFIER, NEW.PKCE_CODE_CHALLENGE, NEW.PKCE_CODE_CHALLENGE_METHOD, NEW.AUTHORIZATION_CODE_HASH, NEW.IDP_ID, 1); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS oauth2_code_sync_update ON IDN_OAUTH2_AUTHORIZATION_CODE; CREATE TRIGGER oauth2_code_sync_update AFTER UPDATE ON IDN_OAUTH2_AUTHORIZATION_CODE FOR EACH ROW EXECUTE PROCEDURE oauth2_code_sync_update(); CREATE OR REPLACE FUNCTION oauth2_code_sync_delete() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_OAUTH2_AUTHORIZATION_CODE_TEMP (CODE_ID, AUTHORIZATION_CODE, CONSUMER_KEY_ID, CALLBACK_URL, SCOPE, AUTHZ_USER, TENANT_ID, USER_DOMAIN, TIME_CREATED, VALIDITY_PERIOD, STATE, TOKEN_ID, SUBJECT_IDENTIFIER, PKCE_CODE_CHALLENGE, PKCE_CODE_CHALLENGE_METHOD, AUTHORIZATION_CODE_HASH, IDP_ID, AVAILABILITY) VALUES (OLD.CODE_ID, OLD.AUTHORIZATION_CODE, OLD.CONSUMER_KEY_ID, OLD.CALLBACK_URL, OLD.SCOPE, OLD.AUTHZ_USER, OLD.TENANT_ID, OLD.USER_DOMAIN, OLD.TIME_CREATED, OLD.VALIDITY_PERIOD, OLD.STATE, OLD.TOKEN_ID, OLD.SUBJECT_IDENTIFIER, OLD.PKCE_CODE_CHALLENGE, OLD.PKCE_CODE_CHALLENGE_METHOD, OLD.AUTHORIZATION_CODE_HASH, OLD.IDP_ID, 0); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS oauth2_code_sync_delete ON IDN_OAUTH2_AUTHORIZATION_CODE; CREATE TRIGGER oauth2_code_sync_delete AFTER DELETE ON IDN_OAUTH2_AUTHORIZATION_CODE FOR EACH ROW EXECUTE PROCEDURE oauth2_code_sync_delete(); DROP TABLE IF EXISTS IDN_OAUTH2_ACCESS_TOKEN_TEMP; CREATE TABLE IDN_OAUTH2_ACCESS_TOKEN_TEMP ( SYNC_ID SERIAL NOT NULL, TOKEN_ID VARCHAR (255), ACCESS_TOKEN VARCHAR(2048), REFRESH_TOKEN VARCHAR(2048), CONSUMER_KEY_ID INTEGER, AUTHZ_USER VARCHAR (100), TENANT_ID INTEGER, USER_DOMAIN VARCHAR(50), USER_TYPE VARCHAR (25), GRANT_TYPE VARCHAR (50), TIME_CREATED TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP, REFRESH_TOKEN_TIME_CREATED TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP, VALIDITY_PERIOD BIGINT, REFRESH_TOKEN_VALIDITY_PERIOD BIGINT, TOKEN_SCOPE_HASH VARCHAR(32), TOKEN_STATE VARCHAR(25) DEFAULT 'ACTIVE', TOKEN_STATE_ID VARCHAR (128) DEFAULT 'NONE', SUBJECT_IDENTIFIER VARCHAR(255), ACCESS_TOKEN_HASH VARCHAR(512), REFRESH_TOKEN_HASH VARCHAR(512), IDP_ID INTEGER DEFAULT -1 NOT NULL, TOKEN_BINDING_REF VARCHAR (32) DEFAULT 'NONE', AVAILABILITY INTEGER NOT NULL, SYNCED INTEGER DEFAULT 0, PRIMARY KEY (SYNC_ID) ); CREATE OR REPLACE FUNCTION token_sync_insert() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_OAUTH2_ACCESS_TOKEN_TEMP (TOKEN_ID, ACCESS_TOKEN, REFRESH_TOKEN, CONSUMER_KEY_ID, AUTHZ_USER, TENANT_ID, USER_DOMAIN, USER_TYPE, GRANT_TYPE, TIME_CREATED, REFRESH_TOKEN_TIME_CREATED, VALIDITY_PERIOD, REFRESH_TOKEN_VALIDITY_PERIOD, TOKEN_SCOPE_HASH, TOKEN_STATE, TOKEN_STATE_ID, SUBJECT_IDENTIFIER, ACCESS_TOKEN_HASH, REFRESH_TOKEN_HASH, IDP_ID, TOKEN_BINDING_REF, AVAILABILITY) VALUES (NEW.TOKEN_ID, NEW.ACCESS_TOKEN, NEW.REFRESH_TOKEN, NEW.CONSUMER_KEY_ID, NEW.AUTHZ_USER, NEW.TENANT_ID, NEW.USER_DOMAIN, NEW.USER_TYPE, NEW.GRANT_TYPE, NEW.TIME_CREATED, NEW.REFRESH_TOKEN_TIME_CREATED, NEW.VALIDITY_PERIOD, NEW.REFRESH_TOKEN_VALIDITY_PERIOD, NEW.TOKEN_SCOPE_HASH, NEW.TOKEN_STATE, NEW.TOKEN_STATE_ID, NEW.SUBJECT_IDENTIFIER, NEW.ACCESS_TOKEN_HASH, NEW.REFRESH_TOKEN_HASH, NEW.IDP_ID, NEW.TOKEN_BINDING_REF, 1); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS token_sync_insert ON IDN_OAUTH2_ACCESS_TOKEN; CREATE TRIGGER token_sync_insert AFTER INSERT ON IDN_OAUTH2_ACCESS_TOKEN FOR EACH ROW EXECUTE PROCEDURE token_sync_insert(); CREATE OR REPLACE FUNCTION token_sync_update() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_OAUTH2_ACCESS_TOKEN_TEMP (TOKEN_ID, ACCESS_TOKEN, REFRESH_TOKEN, CONSUMER_KEY_ID, AUTHZ_USER, TENANT_ID, USER_DOMAIN, USER_TYPE, GRANT_TYPE, TIME_CREATED, REFRESH_TOKEN_TIME_CREATED, VALIDITY_PERIOD, REFRESH_TOKEN_VALIDITY_PERIOD, TOKEN_SCOPE_HASH, TOKEN_STATE, TOKEN_STATE_ID, SUBJECT_IDENTIFIER, ACCESS_TOKEN_HASH, REFRESH_TOKEN_HASH, IDP_ID, TOKEN_BINDING_REF, AVAILABILITY) VALUES (NEW.TOKEN_ID, NEW.ACCESS_TOKEN, NEW.REFRESH_TOKEN, NEW.CONSUMER_KEY_ID, NEW.AUTHZ_USER, NEW.TENANT_ID, NEW.USER_DOMAIN, NEW.USER_TYPE, NEW.GRANT_TYPE, NEW.TIME_CREATED, NEW.REFRESH_TOKEN_TIME_CREATED, NEW.VALIDITY_PERIOD, NEW.REFRESH_TOKEN_VALIDITY_PERIOD, NEW.TOKEN_SCOPE_HASH, NEW.TOKEN_STATE, NEW.TOKEN_STATE_ID, NEW.SUBJECT_IDENTIFIER, NEW.ACCESS_TOKEN_HASH, NEW.REFRESH_TOKEN_HASH, NEW.IDP_ID, NEW.TOKEN_BINDING_REF, 1); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS token_sync_update ON IDN_OAUTH2_ACCESS_TOKEN; CREATE TRIGGER token_sync_update AFTER UPDATE ON IDN_OAUTH2_ACCESS_TOKEN FOR EACH ROW EXECUTE PROCEDURE token_sync_update(); CREATE OR REPLACE FUNCTION token_sync_delete() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_OAUTH2_ACCESS_TOKEN_TEMP (TOKEN_ID, ACCESS_TOKEN, REFRESH_TOKEN, CONSUMER_KEY_ID, AUTHZ_USER, TENANT_ID, USER_DOMAIN, USER_TYPE, GRANT_TYPE, TIME_CREATED, REFRESH_TOKEN_TIME_CREATED, VALIDITY_PERIOD, REFRESH_TOKEN_VALIDITY_PERIOD, TOKEN_SCOPE_HASH, TOKEN_STATE, TOKEN_STATE_ID, SUBJECT_IDENTIFIER, ACCESS_TOKEN_HASH, REFRESH_TOKEN_HASH, IDP_ID, TOKEN_BINDING_REF, AVAILABILITY) VALUES (OLD.TOKEN_ID, OLD.ACCESS_TOKEN, OLD.REFRESH_TOKEN, OLD.CONSUMER_KEY_ID, OLD.AUTHZ_USER, OLD.TENANT_ID, OLD.USER_DOMAIN, OLD.USER_TYPE, OLD.GRANT_TYPE, OLD.TIME_CREATED, OLD.REFRESH_TOKEN_TIME_CREATED, OLD.VALIDITY_PERIOD, OLD.REFRESH_TOKEN_VALIDITY_PERIOD, OLD.TOKEN_SCOPE_HASH, OLD.TOKEN_STATE, OLD.TOKEN_STATE_ID, OLD.SUBJECT_IDENTIFIER, OLD.ACCESS_TOKEN_HASH, OLD.REFRESH_TOKEN_HASH, OLD.IDP_ID, OLD.TOKEN_BINDING_REF, 0); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS token_sync_delete ON IDN_OAUTH2_ACCESS_TOKEN; CREATE TRIGGER token_sync_delete AFTER DELETE ON IDN_OAUTH2_ACCESS_TOKEN FOR EACH ROW EXECUTE PROCEDURE token_sync_delete(); DROP TABLE IF EXISTS IDN_OAUTH2_ACCESS_TOKEN_SCOPE_TEMP; CREATE TABLE IDN_OAUTH2_ACCESS_TOKEN_SCOPE_TEMP ( SYNC_ID SERIAL NOT NULL, TOKEN_ID VARCHAR (255), TOKEN_SCOPE VARCHAR (60), TENANT_ID INTEGER DEFAULT -1, AVAILABILITY INTEGER NOT NULL, SYNCED INTEGER DEFAULT 0, PRIMARY KEY (SYNC_ID) ); CREATE OR REPLACE FUNCTION scope_sync_insert() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_OAUTH2_ACCESS_TOKEN_SCOPE_TEMP (TOKEN_ID, TOKEN_SCOPE, TENANT_ID, AVAILABILITY) VALUES (NEW.TOKEN_ID, NEW.TOKEN_SCOPE, NEW.TENANT_ID, 1); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS scope_sync_insert ON IDN_OAUTH2_ACCESS_TOKEN_SCOPE; CREATE TRIGGER scope_sync_insert AFTER INSERT ON IDN_OAUTH2_ACCESS_TOKEN_SCOPE FOR EACH ROW EXECUTE PROCEDURE scope_sync_insert(); CREATE OR REPLACE FUNCTION scope_sync_update() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_OAUTH2_ACCESS_TOKEN_SCOPE_TEMP (TOKEN_ID, TOKEN_SCOPE, TENANT_ID, AVAILABILITY) VALUES (NEW.TOKEN_ID, NEW.TOKEN_SCOPE, NEW.TENANT_ID, 1); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS scope_sync_update ON IDN_OAUTH2_ACCESS_TOKEN_SCOPE; CREATE TRIGGER scope_sync_update AFTER UPDATE ON IDN_OAUTH2_ACCESS_TOKEN_SCOPE FOR EACH ROW EXECUTE PROCEDURE scope_sync_update(); CREATE OR REPLACE FUNCTION scope_sync_delete() RETURNS trigger AS $$ BEGIN INSERT INTO IDN_OAUTH2_ACCESS_TOKEN_SCOPE_TEMP (TOKEN_ID, TOKEN_SCOPE, TENANT_ID, AVAILABILITY) VALUES (OLD.TOKEN_ID, OLD.TOKEN_SCOPE, OLD.TENANT_ID, 0); RETURN NEW; END; $$ LANGUAGE 'plpgsql'; DROP TRIGGER IF EXISTS scope_sync_delete ON IDN_OAUTH2_ACCESS_TOKEN_SCOPE; CREATE TRIGGER scope_sync_delete AFTER DELETE ON IDN_OAUTH2_ACCESS_TOKEN_SCOPE FOR EACH ROW EXECUTE PROCEDURE scope_sync_delete();
create or replace view v_report_overdue_states_count_daily as select aat.tenant_record_id , aat.state , date_format(cal.d,'%Y-%m-%d') as day , count(1) as count from calendar cal join analytics_account_transitions aat on date_format(aat.start_date, '%Y-%m-%d')=date_format(cal.d, '%Y-%m-%d') where 1=1 and aat.report_group='default' and aat.service='overdue-service' and cal.d <= now() group by 1,2,3 ;
drop table if exists t_00725_4; drop table if exists s_00725_4; create table t_00725_4(a Int64, b Int64, c String) engine = TinyLog; insert into t_00725_4 values(1,1,'a'),(2,2,'b'); create table s_00725_4(a Int64, b Int64, c String) engine = TinyLog; insert into s_00725_4 values(1,1,'a'); select t_00725_4.* from t_00725_4 all left join s_00725_4 on (s_00725_4.a = t_00725_4.a and s_00725_4.b = t_00725_4.b) where s_00725_4.a = 0 and s_00725_4.b = 0; drop table if exists t_00725_4; drop table if exists s_00725_4;
<reponame>Zhaojia2019/cubrid-testcases<gh_stars>1-10 --+ holdcas on; set names utf8; CREATE TABLE coll_test (id INTEGER, s VARCHAR(10) collate utf8_tr_cs); INSERT INTO coll_test (id, s) values (0, 'xh'); INSERT INTO coll_test (id, s) values (31, 'xi̇'); INSERT INTO coll_test (id, s) values (26, 'Xĭ'); INSERT INTO coll_test (id, s) values (21, 'xí'); INSERT INTO coll_test (id, s) values (16, 'XĪ'); INSERT INTO coll_test (id, s) values (11, 'xÎ'); INSERT INTO coll_test (id, s) values (6, 'XÍ'); INSERT INTO coll_test (id, s) values (1, 'xı'); INSERT INTO coll_test (id, s) values (32, 'Xi̇'); INSERT INTO coll_test (id, s) values (27, 'xî'); INSERT INTO coll_test (id, s) values (22, 'Xí'); INSERT INTO coll_test (id, s) values (17, 'xi'); INSERT INTO coll_test (id, s) values (12, 'XÎ'); INSERT INTO coll_test (id, s) values (7, 'xÌ'); INSERT INTO coll_test (id, s) values (2, 'xI'); INSERT INTO coll_test (id, s) values (33, 'xī'); INSERT INTO coll_test (id, s) values (28, 'Xî'); INSERT INTO coll_test (id, s) values (23, 'xì'); INSERT INTO coll_test (id, s) values (18, 'xİ'); INSERT INTO coll_test (id, s) values (13, 'xÏ'); INSERT INTO coll_test (id, s) values (8, 'XÌ'); INSERT INTO coll_test (id, s) values (3, 'Xı'); INSERT INTO coll_test (id, s) values (34, 'Xī'); INSERT INTO coll_test (id, s) values (29, 'xï'); INSERT INTO coll_test (id, s) values (24, 'Xì'); INSERT INTO coll_test (id, s) values (19, 'Xi'); INSERT INTO coll_test (id, s) values (14, 'XÏ'); INSERT INTO coll_test (id, s) values (9, 'xĬ'); INSERT INTO coll_test (id, s) values (4, 'XI'); INSERT INTO coll_test (id, s) values (35, 'xj'); INSERT INTO coll_test (id, s) values (30, 'Xï'); INSERT INTO coll_test (id, s) values (25, 'xĭ'); INSERT INTO coll_test (id, s) values (20, 'Xİ'); INSERT INTO coll_test (id, s) values (15, 'xĪ'); INSERT INTO coll_test (id, s) values (10, 'XĬ'); INSERT INTO coll_test (id, s) values (5, 'xÍ'); SELECT id, s FROM coll_test ORDER BY s; DROP TABLE coll_test; set names iso88591; commit; --+ holdcas off;
-- @testpoint:opengauss关键字sql(非保留),作为角色名 --关键字不带引号-成功 drop role if exists sql; create role sql with password '<PASSWORD>' valid until '2020-12-31'; drop role sql; --关键字带双引号-成功 drop role if exists "sql"; create role "sql" with password '<PASSWORD>' valid until '2020-12-31'; drop role "sql"; --关键字带单引号-合理报错 drop role if exists 'sql'; create role 'sql' with password '<PASSWORD>' valid until '2020-12-31'; --关键字带反引号-合理报错 drop role if exists `sql`; create role `sql` with password '<PASSWORD>' valid until '2020-12-31';
<filename>openGaussBase/testcase/KEYWORDS/Directory/Opengauss_Function_Keyword_Directory_Case0028.sql -- @testpoint: opengauss关键字directory(非保留),作为同义词对象名,部分测试点合理报错 --前置条件 drop table if exists directory_test; create table directory_test(id int,name varchar(10)); --关键字不带引号-成功 drop synonym if exists directory; create synonym directory for directory_test; insert into directory values (1,'ada'),(2, 'bob'); update directory set directory.name='cici' where directory.id=2; select * from directory; drop synonym if exists directory; --关键字带双引号-成功 drop synonym if exists "directory"; create synonym "directory" for directory_test; drop synonym if exists "directory"; --关键字带单引号-合理报错 drop synonym if exists 'directory'; create synonym 'directory' for directory_test; insert into 'directory' values (1,'ada'),(2, 'bob'); update 'directory' set 'directory'.name='cici' where 'directory'.id=2; select * from 'directory'; --关键字带反引号-合理报错 drop synonym if exists `directory`; create synonym `directory` for directory_test; insert into `directory` values (1,'ada'),(2, 'bob'); update `directory` set `directory`.name='cici' where `directory`.id=2; select * from `directory`; drop table if exists directory_test;
-- Users Control and Activity Block DROP TABLE IF EXISTS type_emails,type_roles,users,activity_log; CREATE TABLE type_roles( role_id SERIAL PRIMARY KEY, role_name VARCHAR(25) ); INSERT INTO type_roles (role_name) VALUES('Администратор'),('Модератор'),('Пользователь'); SELECT * FROM type_roles; CREATE TABLE users( user_id SERIAL PRIMARY KEY, user_nickname VARCHAR(25) UNIQUE NOT NULL, user_name VARCHAR(25), user_surname VARCHAR(25), user_patronymic VARCHAR(25), user_password VARCHAR(25) NOT NULL, user_img VARCHAR(128), user_phone VARCHAR(100), user_email VARCHAR(254) NOT NULL, -------------------------FK user_typerole_id INT REFERENCES type_roles(role_id) DEFAULT 3); INSERT INTO users (user_type_role_id,user_nickname,user_name,user_surname,user_patronymic,user_password,user_img,user_phone,user_email) VALUES (3,'BriannaWare','Althea','Ayala','Ramos','eratgfdtr32432','nisl sem','67-453-69-96','<EMAIL>'), (2,'IndigoPearson','Curran','Wilder','Roman','323214frrewq','enim non nisi. Aenean eget. In nec orci. Donec','17-629-96-46','<EMAIL>'), (2,'CadeTBeasley','Freya','Bates','Stafford','quamfsdgfreagr3241','cade1215433','+375-76-836-53-42','<EMAIL>'), (2,'StellaWFranklin','Imogene','Contreras','Talley','et32413324','musueac','+375-46-462-03-07','<EMAIL>'), (3,'IshmaelFlynn','Cade','Odonnell','Parrish','enim32433','molestiet','30-574-25-77','<EMAIL>'), (2,'AxelMclaughlin','Lisandra','Hanson','Riley','Suspendisse324','laoreet ipsum','+375-76-414-53-12','<EMAIL>'), (2,'GarrisonLane','Alvin','Clark','Knowles','@Cras4325','sociis','+375-58-801-30-57','<EMAIL>'), (3,'JanaMPate','Lana','Sheppard','Browning','porttitor5455','metus','96-136-23-27','<EMAIL>'); INSERT INTO users (user_nickname,user_name,user_surname,user_patronymic,user_password,user_img,user_phone,user_email) VALUES ('AiCGtrade','Илья','Алейчик','Дмитриевич','<PASSWORD>','C:\User\Image\ava.jpg','+375-33-334-31-56','<EMAIL>'); SELECT * FROM users ORDER BY users.user_id DESC; DROP VIEW IF EXISTS users_view; CREATE VIEW users_view AS SELECT users.user_nickname AS "Уникальное имя", users.user_name AS "Имя", users.user_surname AS "Фамилия", users.user_patronymic AS "Отчество", users.user_password AS "<PASSWORD>", users.user_img AS "Изображение", users.user_phone AS "Телефон", users.user_email AS "Эл.почта", type_roles.role_name AS "Права доступа" FROM users INNER JOIN type_roles ON users.user_type_role_id = type_roles.role_id; CREATE TABLE activity_log( log_id SERIAL PRIMARY KEY, log_user_ip CIDR, log_time TIME, log_date DATE, -------------------------FK log_user_id INT REFERENCES users(user_id) ); INSERT INTO activity_log (log_user_id,log_user_ip,log_time,log_date) VALUES ('9','127.0.0.1',CURRENT_TIME, CURRENT_DATE); SELECT user_id, users.user_nickname, users.user_email, type_roles.role_name, log_user_ip, log_time, log_date FROM activity_log INNER JOIN users ON users.user_id = activity_log.log_user_id INNER JOIN type_roles ON type_roles.role_id = users.user_type_role_id; DROP VIEW IF EXISTS activity_log_view; CREATE VIEW activity_log_view AS SELECT users.user_nickname, users.user_email, type_roles.role_name, log_user_ip, log_time, log_date FROM activity_log INNER JOIN users ON users.user_id = activity_log.log_user_id INNER JOIN type_roles ON type_roles.role_id = users.user_type_role_id; -- Management and Finances Project Block CREATE TABLE currencies( currency_id SERIAL, currency_name ); --Projects Control CREATE TABLE projects( project_id SERIAL, project_name, project_description, project_owner, project_term_delivery, project_cost_delivery, -------------------------FK project_currency_id ); -- Task Project and State Block CREATE TABLE states_tasks( state_id SERIAL, state_name ); CREATE TABLE priority_tasks( priority_id SERIAL, prioroty_name ); CREATE TABLE file_tasks( file_id SERIAL, file_to_path ); CREATE TABLE tasks( task_id SERIAL task_name, task_note, -------------------------FK task_priority_id, task_state_id, task_file_id );
pragma foreign_keys = ON; drop table if exists sessions; create table sessions ( id integer primary key autoincrement, aas_id integer, title text, date text, type text, room text ); drop table if exists abstracts; create table abstracts ( id integer primary key autoincrement, session_id integer references sessions(id), aas_id integer, title text, abstract text, counts text ); drop table if exists authors; create table authors ( id integer primary key autoincrement, abstract_id integer references abstracts(id), name text );
<gh_stars>0 SELECT AVG(POPULATION) FROM CITY WHERE DISTRICT = 'CALIFORNIA';
/* Now we'll learn three more DML commands and finish this section. But this does not mean we learned all details of DML. We just learned the really really basic things. 3. DROP -> We use to remove a table/column 4. TRUNCATE -> When we want to delete the data of a table but we don't want to delete the table. 5. RENAME -> We use it to rename a table/column */ -- Drops the first_name column ALTER TABLE students DROP COLUMN first_name; -- Drops the whole table. DROP TABLE students; -- Clear the all data from the table, but students table is still there. TRUNCATE TABLE students; -- Changes the name of students table to students_tbl ALTER TABLE students RENAME TO students_tbl; -- Changes the name of the last_name column of students table to l_name ALTER TABLE students RENAME COLUMN last_name TO l_name; /* NOTE: This query is just for showing the syntax to you. It won't work properly because we dropped our table on line 18. */
CreatE # # comment # #again -- -- again -- comment
<filename>SQL/DevSnippets/DeleteSyntax.sql delete top (1) trp -- this alias HAS to be here AND TOP number must be in () from TaskRequestParameter trp inner join TaskRequest tr on trp.TaskRequestId = tr.TaskRequestId where tr.RequestedTime < DateAdd(dd, -10, CURRENT_TIMESTAMP) --example select statement select top 10 aliasinfromsection.* --this alias does NOT HAVE to be here and not () around top param from TaskRequestParameter aliasinfromsection
<filename>databaseAnalytics.sql SELECT round(100*sum(heap_blks_hit) / (sum(heap_blks_hit) + sum(heap_blks_read)),4) AS cache_hit_rate, round(100*(sum(idx_blks_hit)) / sum(idx_blks_hit + idx_blks_read),4) AS index_hit_rate FROM pg_statio_user_tables;
--SELECT "TableroSistemaPenal_1"."Item" AS "Item", MAX("TableroSistemaPenal_1"."Descripcion") AS "TEMP(attr:Descripcion:nk)(382305174)(0)", MIN("TableroSistemaPenal_1"."Descripcion") AS "TEMP(attr:Descripcion:nk)(4241038832)(0)" FROM "TableroSistemaPenal_1" WHERE ("TableroSistemaPenal_1"."Grupo" = 'Términos de Causa') GROUP BY 1;
<reponame>JoePlant/Ampla-Sql-Scripts /* ------------------------------------------------------------------- -- Determines if there is any orphaned streams in the state database -- and creates a SQL Script to remove them -- -- Usage -- set @configDB = DB_NAME() /* to use the current database */ -- set @configDB = 'AmplaProject' /* or specify the database */ ---------------------------------------------------------------------- */ declare @configDB varchar(50) declare @stateDB_override varchar(50) set @configDB = DB_NAME() /* use the current database */ -- set @configDB = 'AmplaProject' /* or specify the config database here */ /* uncomment following line to override the default state database */ --set @stateDB_override = 'overide the state database' /*--------------------------------------------------------------------*/ declare @sql nvarchar(max) declare @stateDB varchar(50) set @stateDB = COALESCE(@stateDB_override, @configDB + 'State'); --print 'ConfigDB: ' + @configDB --print 'StateDB: ' + @stateDB IF NOT EXISTS (SELECT name FROM sys.databases WHERE name = @configDB) BEGIN print '** ERROR - Unable to find Ampla Config Database : [' + @configDB + ']' END IF NOT EXISTS (SELECT name FROM sys.databases WHERE name = @stateDB) BEGIN PRINT '** ERROR - Unable to find Ampla State Database : [' + @stateDB + ']' END IF OBJECT_ID(@configDB +'.dbo.Items', 'U') IS NULL BEGIN PRINT '** ERROR - Ampla Config Database : [' + @configDB + '] is not a valid Ampla config database.' END IF OBJECT_ID(@stateDB +'.dbo.SampleStoreSample', 'U') IS NULL BEGIN PRINT '** ERROR - Ampla State Database : [' + @stateDB + '] is not a valid Ampla State database.' END set @sql = ' select streams.StreamId, streams.ItemId, streams.PropertyName, COALESCE(samples.SampleCount, 0) as SampleCount, [' + @stateDB + '].dbo.udfTicksToDateTime(streams.StartTimeTicks) as StartTime, [' + @stateDB + '].dbo.udfTicksToDateTime(streams.EndTimeTicks) as EndTime, CASE WHEN COALESCE(samples.SampleCount,0) > 0 THEN ''DELETE FROM [' + @stateDB + '].dbo.SampleStoreSample WHERE StreamId='' + cast(streams.StreamId as varchar(10)) + CHAR(13) ELSE '''' END + ''DELETE FROM [' + @stateDB + '].dbo.SampleStoreSampleStream WHERE StreamId='' + cast(streams.StreamId as varchar(10)) as [Delete SQL] from [' + @stateDB + '].dbo.SampleStoreSampleStream streams left join ( select StreamId, count(1) as SampleCount from [' + @stateDB + '].dbo.SampleStoreSample group by StreamId ) samples on streams.StreamId = samples.StreamId where ItemId not in ( select Id from [' + @configDB + '].dbo.Items ) order by samples.SampleCount desc, streams.PropertyName' --print @sql exec sp_executesql @sql
CREATE TABLE `webourbest` ( `id` INTEGER(11) NOT NULL AUTO_INCREMENT, `title` VARCHAR(255) COLLATE latin1_swedish_ci DEFAULT NULL, `icon` VARCHAR(100) COLLATE latin1_swedish_ci DEFAULT NULL, `content` TEXT COLLATE latin1_swedish_ci, `status` VARCHAR(30) COLLATE latin1_swedish_ci DEFAULT NULL, `created_at` TIMESTAMP NULL NOT NULL, `updated_at` TIMESTAMP NULL NOT NULL, PRIMARY KEY USING BTREE (`id`) COMMENT '' )ENGINE=InnoDB AUTO_INCREMENT=5 AVG_ROW_LENGTH=4096 ROW_FORMAT=DYNAMIC CHARACTER SET 'latin1' COLLATE 'latin1_swedish_ci' COMMENT='' ; COMMIT; /* Data for the 'webourbest' table (Records 1 - 4) */ INSERT INTO `webourbest` (`id`, `title`, `icon`, `content`, `status`, `created_at`, `updated_at`) VALUES (1, 'Qualified Doctors and Nurses', 'flaticon-healthy-1', 'The doctors and nurses are standby in 24 hours for on call service.', 'Online', '2019-03-27 09:14:23', '2019-03-27 09:14:23'), (2, 'We provide modern facilities', 'flaticon-medical-1', 'Modern health facilities are available in our providers.', 'Online', '2019-03-27 09:14:45', '2019-03-27 09:14:45'), (3, 'Free Consultation for 24 Hours', 'flaticon-stethoscope', 'Our call center is 24 hours available for free consultation.', 'Online', '2019-03-27 09:15:11', '2019-03-27 09:15:11'), (4, 'Flexibility', 'flaticon-radiation', 'A flexible health services for patient and refferal.', 'Online', '2019-03-27 09:15:34', '2019-03-27 09:15:34');
<gh_stars>1-10 ------------------START------------------ Insert into EG_PARTYTYPE (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE) values (NEXTVAL('SEQ_EG_PARTYTYPE'),'Contractor',null,'Contractor',1,now(),null,now()); -------------------END------------------- ------------------START------------------ Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Roads',null,'Roads',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Footpath',null,'Footpath',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Road Cut',null,'Road Cut Restoration',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Storm Water Drain',null,'Storm Water Drain',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Electrical',null,'Electrical',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Culvert',null,'Culvert',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Subway',null,'Subway',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Grade Separator',null,'Flyovers',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Buildings',null,'Buildings',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Bridges',null,'Bridges',1,to_date('26-05-10','DD-MM-RR'),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Overbridges',null,'Overbridges',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Parks',null,'Parks',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Playfields',null,'Playfields',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Slum roads-Forming',(select id from EGW_TYPEOFWORK where code='Roads'),'Slum roads - Forming',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Slum roads-Relaying',(select id from EGW_TYPEOFWORK where code='Roads'),'Slum roads - Relaying',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Slum road-Patch Work',(select id from EGW_TYPEOFWORK where code='Roads'),'Slum roads - Patch Work',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Slum roads-Widening',(select id from EGW_TYPEOFWORK where code='Roads'),'Slum roads - Widening',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Slum roads-Reforming',(select id from EGW_TYPEOFWORK where code='Roads'),'Slum roads - Reforming',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Slum roads-Outlining',(select id from EGW_TYPEOFWORK where code='Roads'),'Slum roads - Outlining',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Slum roads-Milling',(select id from EGW_TYPEOFWORK where code='Roads'),'Slum roads - Milling',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'IRR-Forming',(select id from EGW_TYPEOFWORK where code='Roads'),'IRR - Forming',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'IRR-Relaying',(select id from EGW_TYPEOFWORK where code='Roads'),'IRR - Relaying',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'IRR-Widening',(select id from EGW_TYPEOFWORK where code='Roads'),'IRR - Widening',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'IRR-Patch Work',(select id from EGW_TYPEOFWORK where code='Roads'),'IRR - Patch Work',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'IRR-Reforming',(select id from EGW_TYPEOFWORK where code='Roads'),'IRR - Reforming',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'IRR-Outlining',(select id from EGW_TYPEOFWORK where code='Roads'),'IRR - Outlining',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'IRR-Milling',(select id from EGW_TYPEOFWORK where code='Roads'),'IRR - Milling',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'BRR - Forming',(select id from EGW_TYPEOFWORK where code='Roads'),'BRR - Forming',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'BRR-Relaying',(select id from EGW_TYPEOFWORK where code='Roads'),'BRR - Relaying',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'BRR-Widening',(select id from EGW_TYPEOFWORK where code='Roads'),'BRR - Widening',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'BRR-Patch Work',(select id from EGW_TYPEOFWORK where code='Roads'),'BRR - Patch Work',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'BRR-Reforming',(select id from EGW_TYPEOFWORK where code='Roads'),'BRR - Reforming',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'BRR-Outlining',(select id from EGW_TYPEOFWORK where code='Roads'),'BRR - Outlining',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'BRR-Milling',(select id from EGW_TYPEOFWORK where code='Roads'),'BRR - Milling',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Permanent',(select id from EGW_TYPEOFWORK where code='Road Cut'),'Permanent',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Casual Labour',(select id from EGW_TYPEOFWORK where code='Road Cut'),'Casual Labour',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Forming',(select id from EGW_TYPEOFWORK where code='Footpath'),'Forming',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Improvement',(select id from EGW_TYPEOFWORK where code='Footpath'),'Improvement',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Buildings-New',(select id from EGW_TYPEOFWORK where code='Buildings'),'Buildings-New',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Buildings-Alteration',(select id from EGW_TYPEOFWORK where code='Buildings'),'Buildings-Alteration',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Buildings-Maint ',(select id from EGW_TYPEOFWORK where code='Buildings'),'Buildings-Maintenance ',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'SWD-New',(select id from EGW_TYPEOFWORK where code='Storm Water Drain'),'SWD-New',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'SWD-Maintenance',(select id from EGW_TYPEOFWORK where code='Storm Water Drain'),'SWD-Maintenance',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Electrical-New',(select id from EGW_TYPEOFWORK where code='Electrical'),'Electrical-New',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Electrical-Maint',(select id from EGW_TYPEOFWORK where code='Electrical'),'Electrical-Maintenance',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Culvert-Box',(select id from EGW_TYPEOFWORK where code='Culvert'),'Culvert-Box',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Culvert-Slab',(select id from EGW_TYPEOFWORK where code='Culvert'),'Culvert-Slab',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Subway-New',(select id from EGW_TYPEOFWORK where code='Subway'),'Subway-New',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Subway-Maintenance',(select id from EGW_TYPEOFWORK where code='Subway'),'Subway-Maintenance',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Overbridge-New',(select id from EGW_TYPEOFWORK where code='Overbridges'),'Overbridge-New',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Overbridge-Maint',(select id from EGW_TYPEOFWORK where code='Overbridges'),'Overbridge-Maintenance',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'GradeSeparator-New',(select id from EGW_TYPEOFWORK where code='Grade Separator'),'GradeSeparator-New',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'GradeSeparator-Maint',(select id from EGW_TYPEOFWORK where code='Grade Separator'),'GradeSeparator-Maintenance',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Bridges-New',(select id from EGW_TYPEOFWORK where code='Bridges'),'Bridges-New',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); Insert into EGW_TYPEOFWORK (ID,CODE,PARENTID,DESCRIPTION,CREATEDBY,CREATEDDATE,LASTMODIFIEDBY,LASTMODIFIEDDATE,PARTYTYPEID) values (NEXTVAL('SEQ_EGW_TYPEOFWORK'),'Bridges-Maintenance',(select id from EGW_TYPEOFWORK where code='Bridges'),'Bridges-Maintenance',1,now(),null,null,(select id from EG_PARTYTYPE where code='Contractor')); -------------------END------------------- ------------------START------------------ Insert into EGW_SCHEDULECATEGORY (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE) values (NEXTVAL('SEQ_EGW_SCHEDULECATEGORY'),'BRIDGES',1,now(),'Bridges',null,null); Insert into EGW_SCHEDULECATEGORY (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE) values (NEXTVAL('SEQ_EGW_SCHEDULECATEGORY'),'BUILDINGS',1,now(),'Buildings',null,null); -------------------END------------------- ------------------START------------------ Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'Br - 1',1,now(),'Drilling holes for piles of finished diameter of 1000 mm in all types of soil, pavement, all types of rock,weathered rock,Hard rock using rotary drilling equipment for depths upto 20 m including all equipment, tools, labours, consumable, Bentonite, Casing materials and removal of all equipment,materials and debris on completion of concreting etc. complete as directed by the Engineer. ( Source :MoRTH Standard data book for analysis of rates,First revision, Page 424) NOTE : For depth beyond 20 m the rates will be : 1 ) Above 20 m up to 25 m = The rate up to 20 m plus 5 pct. of the rate up to 20 m,2 )Above 25 m up to 30 m = The rate up to 20 m plus 10 pct. of the rate up to 20 m and so on',1,now(),(select id from EG_UOM where UOM='MTR'),(select id from egw_schedulecategory where code='BRIDGES')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'Br - 2',1,now(),'Drilling holes for piles of finished diameter of 1200 mm in all types of soil, pavement, all types of rock,weathered rock,Hard rock using rotary drilling equipment for depths upto 20 m including all equipment, tools, labours, consumable, Bentonite, Casing materials and removal of all equipment,materials and debris on completion of concreting etc. complete as directed by the Engineer. ( Source :MoRTH Standard data book for analysis of rates,First revision, Page ,426 ) NOTE: For depth beyond 20 m the rates will be : 1 ) Above 20 m up to 25 m = The rate up to 20 m plus 5 pct. of the rate up to 20 m ,2 ) Above 25 m up to 30 m = The rate up to 20 m plus 10 pct. of the rate up to 20 m and so on',1,now(),(select id from EG_UOM where UOM='MTR'),(select id from egw_schedulecategory where code='BRIDGES')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'Br - 3',1,now(),'Providing vibrated Reinforced controlled Ready Mix cement concrete M35 design mix ( To be designed with the material to be used) using 20 mm ISS size HBG metal including cost and conveyance of all materials to site including cement, handling charges for the same, mixing , lncluding placing the pump in position , erecting the horizontal and vertical pipe line to the required distance and height, laying in the holes drilled , providing cover blocks, tremie concreting,laying,using tremie compacting including curing all other tools and plants employed and all other incidental charges etc., complete ( Excluding cost and fabrication charges of steel and form work) confirming to MoRTH specifications, as directed by the Engineer for PILE CONCRETE 1000 mm Dia ( Source :MoRTH Standard data book for analysis of rates,First revision, Page 345 and 346 Case II,424 and 355 )',1,now(),(select id from EG_UOM where UOM='MTR'),(select id from egw_schedulecategory where code='BRIDGES')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'Br - 4',1,now(),'Providing vibrated Reinforced controlled Ready Mix cement concrete M 40 design mix ( To be designed with the material to be used)using 20 mm ISS size HBG metal including cost and conveyance of all materials to site including cement, handling charges for the same, mixing , lncluding placing the pump in position , erecting the horizontal and vertical pipe line to the required distance and height, laying in the holes drilled , providing cover blocks, tremie concreting,laying,using tremie compacting including curing all other tools and plants employed and all other incidental charges etc., complete ( Excluding cost and fabrication charges of steel and form work) confirming to MoRTH specifications, as directed by the Engineer for PILE CONCRETE 1000 mm Dia ( Source :MoRTH Standard data book for analysis of rates,First revision, Page 482 and 483 Case II,424,355 )',1,now(),(select id from EG_UOM where UOM='MTR'),(select id from egw_schedulecategory where code='BRIDGES')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'Br - 5',1,now(),'Providing vibrated Reinforced controlled Ready Mix cement concrete M35 design mix ( To be designed with the material to be used) using 20 mm ISS size HBG metal cost and conveyance of all materials to site including cement, handling charges for the same, mixing , lncluding placing the pump in position , erecting the horizontal and vertical pipe line to the required distance and height, laying in the holes drilled , providing cover blocks, tremie concreting,laying,using tremie compacting including curing all other tools and plants employed and all other incidental charges etc., complete ( Excluding cost and fabrication charges of steel and form work) confirming to MoRTH specifications, as directed by the Engineer.for PILE CONCRETE 1200 mm Dia ( Source :MoRTH Standard data book for analysis of rates,First revision, Page 345 and 346 Case II,426 and 355 )',1,now(),(select id from EG_UOM where UOM='MTR'),(select id from egw_schedulecategory where code='BRIDGES')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'Br - 6',1,now(),'Providing vibrated Reinforced controlled Ready Mix cement concrete M 40 design mix ( To be designed with the material to be used) using 20 mm ISS size HBG metal including cost and conveyance of all materials to site including cement, handling charges for the same, mixing , lncluding placing the pump in position , erecting the horizontal and vertical pipe line to the required distance and height, laying in the holes drilled , providing cover blocks, tremie concreting,laying,using tremie compacting including curing all other tools and plants employed and all other incidental charges etc., complete ( Excluding cost and fabrication charges of steel and form work) confirming to MoRTH specifications, as directed by the Engineer.for PILE CONCRETE 1200 mm Dia. ( Source :MoRTH Standard data book for analysis of rates,First revision, Page 482 and 483 Case II, 426 and 355 )',1,now(),(select id from EG_UOM where UOM='MTR'),(select id from egw_schedulecategory where code='BRIDGES')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'Br - 7',1,now(),'Stripping of concrete at pile top of piles for the required depth to expose the pile reinforcement so as to anchor the same with pile cap reinforcement ,bending ,cleaning including labour charges, hire charges for tools and plants and all other incidental charges etc complete including cutting extra length of reinforcement if found necessary and as conforming MoRTH specification as directed by the Engineer. ( Source :MoRTH Standard data book for analysis of rates,First revision, Page 441 )',1,now(),(select id from EG_UOM where UOM='No'),(select id from egw_schedulecategory where code='BRIDGES')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'Br - 8',1,now(),'Providing all equipment,kentledge, materials, instruments and manpower and conducting Initial Pile Load Test/Routine pile load test including preparation of pile, conducting observations and submitting Report, removing all arrangement, kentledge, etc., on Completion, but excluding cost of pile, complete as per IS:2911 Part IV and MOST specifications and as directed by the Engineer.',1,now(),(select id from EG_UOM where UOM='MTR'),(select id from egw_schedulecategory where code='BRIDGES')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'Br - 9',1,now(),'Providing vibrated controlled cement concrete M 15 design mix using mixer machine ( To be designed with the material to be used) using 40 mm ISS size HBG metal including cost and conveyance of all materials to site including cement, handling charges for the same, mixing , laying , compacting , finishing smooth the surface, including vibration charges,curing concrete, all other tools and plants employed and all other incidental charges etc., complete ( Excluding cost of form work) confirming to MoRTH specifications, as directed by the Engineer. ( Source :MoRTH Standard data book for analysis of rates,First revision, Page 335,Case A)',1,now(),(select id from EG_UOM where UOM='CUM'),(select id from egw_schedulecategory where code='BRIDGES')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'Br - 10',1,now(),'Providing vibrated controlled cement concrete M 15 design mix using mixer machine ( To be designed with the material to be used) using 20 mm ISS size HBG metal including cost and conveyance of all materials to site including cement, handling charges for the same, mixing , laying , compacting , finishing smooth the surface, including vibration charges,curing concrete, all other tools and plants employed and all other incidental charges etc., complete ( Excluding cost of form work) confirming to MoRTH specifications, as directed by the Engineer.',1,now(),(select id from EG_UOM where UOM='CUM'),(select id from egw_schedulecategory where code='BRIDGES')); -------------------END------------------- ------------------START------------------ Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),2657.93,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='Br - 1'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),3801.85,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='Br - 2'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),2379.58,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='Br - 3'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),3063.51,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='Br - 4'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),3444.76,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='Br - 5'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),3847.15,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='Br - 6'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),247.5,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='Br - 7'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),2328.28,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='Br - 8'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),2689.6,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='Br - 9'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),123.2,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='Br - 10'),0); -------------------END------------------- ------------------START------------------ Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'745',1,now(),'Supplying and fixing stone ware oblique or Y junction 100mmx100mm dia. in the existing sewer line including necessary earth work excavation, refilling, ramming, clearing bedris, carting materials, etc., complete upto 2m deep for1 no. (M.D.24)',1,now(),(select id from EG_UOM where UOM='No'),(select id from egw_schedulecategory where code='BUILDINGS')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'746',1,now(),'Supplying and fixing stall urinal with 32mm dia bell mouth wastepipe, 15mm dia wheel valve and 15mm dia lead and brassconnection, etc.,complete.',1,now(),(select id from EG_UOM where UOM='No'),(select id from egw_schedulecategory where code='BUILDINGS')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'747',1,now(),'Supplying and fixing white glazed squatting urinal of 60cm lengthin C.M.1:3 ( 1 cement and 3 river sand) and pointing with cement,finishing the surface neatly, curing, etc.,complete.',1,now(),(select id from EG_UOM where UOM='No'),(select id from egw_schedulecategory where code='BUILDINGS')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'748',1,now(),'Supplying and fixing in position cast iron steps of approvedquality and make.',1,now(),(select id from EG_UOM where UOM='No'),(select id from egw_schedulecategory where code='BUILDINGS')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'749',1,now(),'Providing locking arrangements over the C.I.cover with necessaryM.S.flats as directed during execution.',1,now(),(select id from EG_UOM where UOM='No'),(select id from egw_schedulecategory where code='BUILDINGS')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'750',1,now(),'Supplying and fixing hand pump No.2 with coupling,washers and necessary accessories etc.,complete.',1,now(),(select id from EG_UOM where UOM='No'),(select id from egw_schedulecategory where code='BUILDINGS')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'751',1,now(),'Supplying and fixing hand pump No.4 and coupling,washers andnecessary materials etc.,complete.',1,now(),(select id from EG_UOM where UOM='No'),(select id from egw_schedulecategory where code='BUILDINGS')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'752',1,now(),'Sinking of Tube Well Pump No.4 with 40mm dia G.I.Pipe to a depth of 7.32m including filter point 40mm dia, 40mm dia G.M.check valve, 40mm dia Barrel nipple. 40mm dia coupling and necessary specials, including masonry pedestal in C.M.1:3 of size23x23x61cm and plastering in C.M.1:3,12mm thick,etc.,complete.',1,now(),(select id from EG_UOM where UOM='No'),(select id from egw_schedulecategory where code='BUILDINGS')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'753',1,now(),'Country wood wrought and put up(scantling) for Trusses andRafters,etc.,',1,now(),(select id from EG_UOM where UOM='CUM'),(select id from egw_schedulecategory where code='BUILDINGS')); Insert into EGW_SCHEDULEOFRATE (ID,CODE,CREATED_BY,CREATED_DATE,DESCRIPTION,MODIFIED_BY,MODIFIED_DATE,UOM_ID,SOR_CATEGORY_ID) values (NEXTVAL('SEQ_EGW_SCHEDULEOFRATE'),'754',1,now(),'Honey comb work using stock bricks 1st sort 9"x4 1/2"x3" inC.M.1:3 ( 1 cement and 3 river sand) 3/4" thick joints. Thejoints shall have 2 1/4" lap and maintaining 4 1/2" holes. The exposed surfaces and holes shall be colour washed two coats of approved colour over one coat of white washing,etc.,complete.',1,now(),(select id from EG_UOM where UOM='SQM'),(select id from egw_schedulecategory where code='BUILDINGS')); -------------------END------------------- ------------------START------------------ Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),177,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='745'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),266,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='746'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),375,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='747'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),444.4,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='748'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),31621.6,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='749'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),542,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='750'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),694.1,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='751'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),433.5,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='752'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),215.6,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='753'),0); Insert into EGW_SOR_RATE (ID,CREATED_BY,CREATED_DATE,MODIFIED_BY,MODIFIED_DATE,VALUE,STARTDATE,ENDDATE,SCHEDULEOFRATE_ID,MY_SOR_INDEX) values (NEXTVAL('SEQ_EGW_SOR_RATE'),1,now(),1,now(),3778.1,to_date('01-04-2015','DD-MM-YYYY'),null,(select id from egw_scheduleofrate where code='754'),0); -------------------END------------------- --rollback delete from EGW_TYPEOFWORK; --rollback delete from EG_PARTYTYPE where CODE='Contractor'; --rollback delete from EGW_SOR_RATE; --rollback delete from EGW_SCHEDULEOFRATE; --rollback delete from EGW_SCHEDULECATEGORY;
ALTER TABLE EMPLEADOS_COPY ADD rank varchar2(20);
CREATE TABLE `posts` ( `id` bigint(20) NOT NULL AUTO_INCREMENT, `content` varchar(255) DEFAULT NULL, `title` varchar(255) DEFAULT NULL, PRIMARY KEY (`id`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8; CREATE TABLE `comments` ( `id` bigint(20) NOT NULL AUTO_INCREMENT, `text` varchar(255) DEFAULT NULL, `post_id` bigint(20) DEFAULT NULL, PRIMARY KEY (`id`), KEY `comments_post` (`post_id`), CONSTRAINT `comments_post` FOREIGN KEY (`post_id`) REFERENCES `posts` (`id`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8; CREATE TABLE `tags` ( `id` bigint(20) NOT NULL AUTO_INCREMENT, `name` varchar(255) DEFAULT NULL, PRIMARY KEY (`id`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8; CREATE TABLE `posts_tags` ( `posts_id` bigint(20) NOT NULL, `tags_id` bigint(20) NOT NULL, KEY `posts_tags_tag` (`tags_id`), KEY `posts_tags_post` (`posts_id`), CONSTRAINT `posts_tags_tag` FOREIGN KEY (`tags_id`) REFERENCES `tags` (`id`), CONSTRAINT `posts_tags_post` FOREIGN KEY (`posts_id`) REFERENCES `posts` (`id`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
<reponame>vangav/vos_instagram<gh_stars>1-10 // Keyspace: ig_logging DROP KEYSPACE IF EXISTS ig_logging; CREATE KEYSPACE ig_logging WITH replication = { 'class': 'SimpleStrategy', 'replication_factor' : 1 }; USE ig_logging; DROP TABLE IF EXISTS daily_requests_counters; CREATE TABLE daily_requests_counters ( year_month_day_controller varchar, requests counter, ok_responses counter, bad_request_responses counter, internal_error_responses counter, run_time_milli_seconds counter, PRIMARY KEY (year_month_day_controller) ) WITH CACHING = 'ALL'; DROP TABLE IF EXISTS hourly_requests_counters; CREATE TABLE hourly_requests_counters ( year_month_day_hour_controller varchar, requests counter, ok_responses counter, bad_request_responses counter, internal_error_responses counter, run_time_milli_seconds counter, PRIMARY KEY (year_month_day_hour_controller) ) WITH CACHING = 'ALL'; DROP TABLE IF EXISTS error_logs; CREATE TABLE error_logs ( log_id uuid, log_time bigint, controller_name varchar, user_id uuid, http_status_code int, request varchar, error_response varchar, PRIMARY KEY (log_id) ) WITH CACHING = 'ALL'; DROP TABLE IF EXISTS hourly_controllers_error_logs; CREATE TABLE hourly_controllers_error_logs ( year_month_day_hour_controller varchar, log_time bigint, log_id uuid, PRIMARY KEY (year_month_day_hour_controller, log_time, log_id) ) WITH CACHING = 'ALL' AND CLUSTERING ORDER BY (log_time ASC); DROP TABLE IF EXISTS daily_users_error_logs; CREATE TABLE daily_users_error_logs ( year_month_day_user_id varchar, log_time bigint, log_id uuid, PRIMARY KEY (year_month_day_user_id, log_time, log_id) ) WITH CACHING = 'ALL' AND CLUSTERING ORDER BY (log_time ASC); DROP TABLE IF EXISTS daily_users_logs; CREATE TABLE daily_users_logs ( year_month_day_user_id varchar, log_time bigint, request_id uuid, controller_name varchar, request varchar, response_status_code varchar, response varchar, run_time_milli_seconds int, PRIMARY KEY (year_month_day_user_id, log_time, request_id) ) WITH CACHING = 'ALL' AND CLUSTERING ORDER BY (log_time ASC);
<filename>migrations/002_add_bearer_tokens.up.sql CREATE TABLE objective8.bearer_tokens ( _id SERIAL PRIMARY KEY, _created_at timestamp DEFAULT current_timestamp, bearer_name varchar NOT NULL UNIQUE, token_details json NOT NULL );
drop table test; drop table invalid;
<reponame>ednawig/tbls<filename>testdata/spanner.sql CREATE TABLE users ( user_id INT64 NOT NULL, username STRING(50) NOT NULL, password STRING(50) NOT NULL, email STRING(255) NOT NULL, created TIMESTAMP NOT NULL, updated TIMESTAMP OPTIONS (allow_commit_timestamp=true) ) PRIMARY KEY (user_id); CREATE UNIQUE INDEX users_username_idx ON users(username); CREATE UNIQUE INDEX users_email_idx ON users(email); CREATE TABLE user_options ( user_id INT64 NOT NULL, show_email BOOL NOT NULL, created TIMESTAMP NOT NULL, updated TIMESTAMP OPTIONS (allow_commit_timestamp=true) ) PRIMARY KEY (user_id), INTERLEAVE IN PARENT users ON DELETE CASCADE; CREATE TABLE posts ( user_id INT64 NOT NULL, post_id INT64 NOT NULL, title STRING(255) NOT NULL, body STRING(MAX) NOT NULL, image BYTES(MAX) NOT NULL, labels ARRAY<STRING(50)>, created TIMESTAMP NOT NULL, updated TIMESTAMP OPTIONS (allow_commit_timestamp=true) ) PRIMARY KEY (user_id, post_id), INTERLEAVE IN PARENT users ON DELETE CASCADE; CREATE UNIQUE NULL_FILTERED INDEX posts_user_id_title_idx ON posts(user_id, title); CREATE INDEX posts_user_id_idx ON posts(user_id) STORING (title); CREATE TABLE comments ( user_id int64 NOT NULL, post_id INT64 NOT NULL, comment_id INT64 NOT NULL, comment STRING(MAX) NOT NULL, created TIMESTAMP NOT NULL, updated TIMESTAMP OPTIONS (allow_commit_timestamp=true) ) PRIMARY KEY(user_id, post_id, comment_id), INTERLEAVE IN PARENT posts ON DELETE CASCADE; CREATE UNIQUE INDEX comments_post_id_user_id_idx ON comments(post_id, user_id); CREATE INDEX comments_post_id_idx ON comments(user_id, post_id, comment_id, comment DESC), INTERLEAVE IN posts; CREATE TABLE comment_stars ( user_id INT64 NOT NULL, comment_star_id INT64 NOT NULL, comment_post_id INT64 NOT NULL, comment_user_id INT64 NOT NULL, created TIMESTAMP NOT NULL, updated TIMESTAMP OPTIONS (allow_commit_timestamp=true), ) PRIMARY KEY(user_id, comment_star_id), INTERLEAVE IN PARENT users ON DELETE CASCADE; CREATE UNIQUE INDEX comment_stars_idx ON comment_stars(user_id, comment_post_id, comment_user_id); CREATE TABLE logs ( log_id INT64 NOT NULL, user_id INT64 NOT NULL, post_id INT64, comment_id INT64, comment_star_id INT64, payload STRING(MAX), created timestamp NOT NULL ) PRIMARY KEY(log_id); CREATE TABLE CamelizeTable ( CamelizeTableId INT64 NOT NULL, created TIMESTAMP NOT NULL ) PRIMARY KEY(CamelizeTableId);
-- creacion de tablas del dwh create table clientes ( nombre varchar2 (50) dni char (8) ) -- autor <NAME> -- 3era version --4ta version
<filename>Application/EdFi.Ods.Standard/Artifacts/PgSql/Structure/Ods/Changes/0130-AddSnapshotExtendedProperties.sql<gh_stars>0 -- Extended Properties [changes].[Snapshot] -- COMMENT ON TABLE changes.Snapshot IS 'Contains information about a snapshot used to create isolation from ongoing changes for API client synchronization.'; COMMENT ON COLUMN changes.Snapshot.SnapshotIdentifier IS 'The unique identifier of the snapshot.'; COMMENT ON COLUMN changes.Snapshot.SnapshotDateTime IS 'The date and time that the snapshot was initiated.';
-- Find the 5 oldest users. SELECT * FROM users ORDER BY created_at LIMIT 5; -- What day of the week do most users register on? SELECT DAYNAME(created_at) as day, COUNT(*) as total FROM users GROUP BY day ORDER BY total DESC; -- Find the users who have never posted a photo SELECT username FROM users LEFT JOIN photos ON users.id = photos.user_id WHERE image_url IS NULL; -- most likes on a single photo SELECT username, image_url, COUNT(*) as likes FROM photos LEFT JOIN likes ON photos.id = likes.photo_id LEFT JOIN users ON photos.user_id = users.id GROUP BY photos.id ORDER BY likes DESC; -- How many times does the average user post? SELECT (SELECT Count(*) FROM photos) / (SELECT Count(*) FROM users) AS avg; -- What are the top 5 most commonly used hashtags? SELECT CONCAT('#',tag_name), COUNT(*) as count FROM tags LEFT JOIN photo_tags ON tags.id = photo_tags.tag_id GROUP BY tag_name ORDER BY count DESC LIMIT 5; -- Find users who have liked every single photo on the site SELECT username, Count(*) AS num_likes FROM users INNER JOIN likes ON users.id = likes.user_id GROUP BY likes.user_id HAVING num_likes = (SELECT Count(*) FROM photos);
DROP TABLE IF EXISTS current_node_tags_tsv; CREATE EXTERNAL TABLE current_node_tags_tsv ( id BIGINT, k STRING, v STRING ) ROW FORMAT DELIMITED FIELDS TERMINATED BY '\t' LOCATION '/user/vagrant/current_node_tags_tsv'; INSERT OVERWRITE TABLE current_node_tags SELECT * FROM current_node_tags_tsv; -- DROP TABLE IF EXISTS changeset_tags_tsv; -- CREATE EXTERNAL TABLE changeset_tags_tsv ( -- id BIGINT, -- k STRING, -- v STRING' --) --ROW FORMAT DELIMITED FIELDS TERMINATED BY '\t' --LOCATION '/user/vagrant/changeset_tags_tsv'; --INSERT OVERWRITE TABLE changeset_tags SELECT * FROM changeset_tags_tsv; --DROP TABLE IF EXISTS changesets_tsv; --CREATE EXTERNAL TABLE changesets_tsv ( -- id BIGINT, -- user_id BIGINT, -- created_at TIMESTAMP, -- min_lat INTEGER, -- max_lat INTEGER, -- min_lon INTEGER, -- max_lon INTEGER, -- closed_at TIMESTAMP, -- num_changes INTEGER --) --ROW FORMAT DELIMITED FIELDS TERMINATED BY '\t' --LOCATION '/user/vagrant/changeset_tsv'; --INSERT OVERWRITE TABLE changeset SELECT * FROM changeset_tsv; DROP TABLE IF EXISTS current_nodes_tsv; CREATE EXTERNAL TABLE current_nodes_tsv ( id BIGINT, latitude DOUBLE, longitude DOUBLE, changeset_id BIGINT, visible BOOLEAN, tstamp TIMESTAMP, tile BIGINT, version BIGINT ) ROW FORMAT DELIMITED FIELDS TERMINATED BY '\t' LOCATION '/user/vagrant/current_nodes_tsv'; INSERT OVERWRITE TABLE current_nodes SELECT * FROM current_nodes_tsv; DROP TABLE IF EXISTS current_way_nodes_tsv; CREATE EXTERNAL TABLE current_way_nodes_tsv ( id BIGINT, node_id BIGINT, sequence_id BIGINT ) ROW FORMAT DELIMITED FIELDS TERMINATED BY '\t' LOCATION '/user/vagrant/current_way_nodes_tsv'; INSERT OVERWRITE TABLE current_way_nodes SELECT * FROM current_way_nodes_tsv; DROP TABLE IF EXISTS current_way_tags_tsv; CREATE EXTERNAL TABLE current_way_tags_tsv ( id BIGINT, k STRING, v STRING ) ROW FORMAT DELIMITED FIELDS TERMINATED BY '\t' LOCATION '/user/vagrant/current_way_tags_tsv'; INSERT OVERWRITE TABLE current_way_tags SELECT * FROM current_way_tags_tsv; DROP TABLE IF EXISTS current_ways_tsv; CREATE EXTERNAL TABLE current_ways_tsv ( id BIGINT, changeset_id BIGINT, tstamp TIMESTAMP, visible BOOLEAN, version BIGINT ) ROW FORMAT DELIMITED FIELDS TERMINATED BY '\t' LOCATION '/user/vagrant/current_ways_tsv'; INSERT OVERWRITE TABLE current_ways SELECT * FROM current_ways_tsv; DROP TABLE IF EXISTS current_relation_members_tsv; CREATE EXTERNAL TABLE current_relation_members_tsv ( id BIGINT, member_type TINYINT, member_id BIGINT, member_role STRING, sequence_id INTEGER ) ROW FORMAT DELIMITED FIELDS TERMINATED BY '\t' LOCATION '/user/vagrant/current_relation_members_tsv'; INSERT OVERWRITE TABLE current_relation_members SELECT * FROM current_relation_members_tsv; DROP TABLE IF EXISTS current_relation_tags_tsv; CREATE EXTERNAL TABLE current_relation_tags_tsv ( id BIGINT, k STRING, v STRING ) ROW FORMAT DELIMITED FIELDS TERMINATED BY '\t' LOCATION '/user/vagrant/current_relation_members_tsv'; INSERT OVERWRITE TABLE current_relation_tags SELECT * FROM current_relation_tags_tsv; DROP TABLE IF EXISTS current_relations_tsv; CREATE EXTERNAL TABLE current_relations_tsv ( id BIGINT, changeset_id BIGINT, tstamp TIMESTAMP, visible BOOLEAN, version BIGINT ) ROW FORMAT DELIMITED FIELDS TERMINATED BY '\t' LOCATION '/user/vagrant/current_relations_tsv'; INSERT OVERWRITE TABLE current_relations SELECT * FROM current_relations_tsv;
分类表 drop table if exists tbl_test; CREATE TABLE tbl_test ( test_id VARCHAR (3) NOT NULL, test_name VARCHAR (60) NOT NULL, test_bit BIT, test_blob BLOB, test_double DOUBLE, test_float FLOAT, test_tinyint TINYINT(3), test_int INTEGER, test_decimal DECIMAL, test_bigint BIGINT, test_datetime DATETIME, test_order VARCHAR (3), create_date DATE NOT NULL, create_time TIME NOT NULL, update_date DATE NOT NULL, update_time TIME NOT NULL, update_user_id VARCHAR (20) NOT NULL, update_screen_id VARCHAR (20) NOT NULL, PRIMARY KEY(test_id) ) default charset utf8; insert into tbl_test value ( '999', '系统管理', 1, '', 1.2, 2.3, 100, 200, 300.0, 400, 20160607202020, '', '20160607', '202020', '20160607', '202020', 'admin', 'init');
-- -- Dumping data for table `test_steps` -- LOCK TABLES `test_steps` WRITE; /*!40000 ALTER TABLE `test_steps` DISABLE KEYS */; INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (637,'Go to http://travel.testsigma.com/login',NULL,'MAJOR',1,137,NULL,94,'ACTION_TEXT',NULL,NULL,NULL,'http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,10,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:45:08','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (638,'Verify that the element Simply travel logo is displayed',NULL,'MAJOR',2,137,NULL,1079,'ACTION_TEXT',NULL,NULL,'[\"0\"]','displayed','raw','Simply travel logo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:46:13','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (639,'Verify that the element Username is displayed',NULL,'MAJOR',3,137,NULL,1079,'ACTION_TEXT',NULL,NULL,'[\"0\"]','displayed','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:46:56','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (640,'Verify that the element Password is displayed',NULL,'MAJOR',4,137,NULL,1079,'ACTION_TEXT',NULL,NULL,'[\"0\"]','displayed','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:47:49','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (641,'Verify that the element Login button is displayed',NULL,'MAJOR',5,137,NULL,1079,'ACTION_TEXT',NULL,NULL,'[\"0\"]','displayed','raw','Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:48:36','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (642,'Verify that the element Forgot password has tag name a',NULL,'MAJOR',6,137,NULL,45,'ACTION_TEXT',NULL,NULL,NULL,'a','raw','Forgot password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:54:27','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (643,'Verify that the element Signup has class name float-right',NULL,'MAJOR',7,137,NULL,46,'ACTION_TEXT',NULL,NULL,NULL,'float-right','raw','Signup',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:55:37','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (644,'Go to http://travel.testsigma.com/login',NULL,'MAJOR',1,138,NULL,94,'ACTION_TEXT',NULL,NULL,NULL,'http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,10,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:56:49','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (645,'Enter Invalid User in the Username field',NULL,'MAJOR',2,138,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"0\"]','Invalid User','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:57:21','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (646,'Enter Wrong password in the Password field',NULL,'MAJOR',3,138,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"0\"]','Wrong password','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:57:42','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (647,'Click on Login button',NULL,'MAJOR',5,138,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:58:33','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (648,'Verify that the current page URL is http://travel.testsigma.com/login',NULL,'MAJOR',4,138,NULL,34,'ACTION_TEXT',NULL,NULL,'[\"0\"]','http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:59:07','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (649,'Verify that the current page displays text User name admin Password <PASSWORD>',NULL,'MAJOR',6,138,NULL,35,'ACTION_TEXT',NULL,NULL,'[\"0\"]','User name admin Password <PASSWORD>','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 06:59:34','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (650,'Go to http://travel.testsigma.com/login',NULL,'MAJOR',1,139,NULL,94,'ACTION_TEXT',NULL,NULL,NULL,'http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,10,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 07:00:15','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (651,'Enter admin in the Username field',NULL,'MAJOR',2,139,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"0\"]','admin','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 07:00:39','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (652,'Enter 12345 in the Password field',NULL,'MAJOR',3,139,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"0\"]','12345','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 07:00:57','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (653,'Click on Login button',NULL,'MAJOR',4,139,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 07:01:12','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (654,'Verify that the current page URL is http://travel.testsigma.com/?name=admin&password=<PASSWORD>&action=',NULL,'MAJOR',5,139,NULL,34,'ACTION_TEXT',NULL,NULL,'[\"0\"]','http://travel.testsigma.com/?name=<PASSWORD>&password=<PASSWORD>&action=','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-06 07:01:36','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (655,'Navigate to http://travel.testsigma.com/login',NULL,'MAJOR',1,141,NULL,1044,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,10,NULL,NULL,650,0,NULL,NULL,NULL,'2019-12-28 14:48:42','2022-01-07 13:21:17'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (656,'Enter admin in the Username field',NULL,'MAJOR',2,141,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','admin','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,651,0,NULL,NULL,NULL,'2019-09-06 07:03:38','2022-01-07 13:21:17'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (657,'Enter 12345 in the Password field',NULL,'MAJOR',3,141,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','12345','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,652,0,NULL,NULL,NULL,'2019-09-06 07:03:38','2022-01-07 13:21:17'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (658,'Click on Login button',NULL,'MAJOR',4,141,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,653,0,NULL,NULL,NULL,'2019-09-06 07:03:38','2022-01-07 13:21:17'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (659,'Verify that the current page URL is https://travel.testsigma.com/?name=admin&password=<PASSWORD>&action=',NULL,'MAJOR',5,141,NULL,34,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','https://travel.testsigma.com/?name=admin&password=<PASSWORD>&action=','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,654,0,NULL,NULL,NULL,'2019-09-06 07:03:38','2022-01-07 13:21:17'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (679,'Click on From Location',NULL,'MAJOR',6,140,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'From Location',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:43:54','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (680,'Wait for 2 seconds',NULL,'MAJOR',7,140,NULL,27,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','2','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:44:03','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (681,'Verify that the element From Location Dropdown is displayed',NULL,'MAJOR',8,140,NULL,1079,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','From Location Dropdown',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:44:31','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (683,'Click on To Location',NULL,'MAJOR',10,140,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'To Location',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:45:54','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (684,'Verify that the element To Location Dropdown is displayed',NULL,'MAJOR',11,140,NULL,1079,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','To Location Dropdown',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:46:28','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (686,'Click on Depart date picker field',NULL,'MAJOR',13,140,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Depart Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:50:33','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (687,'Verify that the element Date Picker is displayed',NULL,'MAJOR',14,140,NULL,1079,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:51:01','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (688,'Wait until the element Today on Datepicker is visible',NULL,'MAJOR',15,140,NULL,1080,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','visible','raw','Today in Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:51:30','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (689,'Click on Today on Datepicker',NULL,'MAJOR',16,140,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Today in Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:51:45','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (690,'Click on Ok button',NULL,'MAJOR',17,140,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Ok button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:51:58','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (691,'Click on Search Flights button',NULL,'MAJOR',18,140,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Search Flights button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:52:11','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (692,'Verify that the current page displays text BO | Bo-747',NULL,'MAJOR',19,140,NULL,35,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','BO | Bo-747','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 06:52:26','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (694,'Click on To Location Dropdown List Item',NULL,'MAJOR',12,140,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'To Location Dropdown List Item',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 07:14:13','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (695,'Verify that the current page displays text \rONE WAY FLYING',NULL,'MAJOR',6,139,NULL,35,'ACTION_TEXT',NULL,NULL,'[\"0\"]','ONE WAY FLYING','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 07:15:25','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (696,'Verify that the elements with locator Multi city displays text MULTI CITY',NULL,'MAJOR',7,139,NULL,49,'ACTION_TEXT',NULL,NULL,'[\"0\"]','MULTI CITY','raw','Multi city',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 07:19:36','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (838,'Go to http://travel.testsigma.com/login',NULL,'MAJOR',1,161,NULL,10001,'ACTION_TEXT',NULL,NULL,NULL,'http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,10,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:24:37','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (839,'Verify that the current page title is Simply Travel',NULL,'MAJOR',2,161,NULL,10042,'ACTION_TEXT',NULL,NULL,'[\"0\"]','Simply Travel','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:25:58','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (840,'Enter admin in the Username field',NULL,'MAJOR',3,161,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"0\"]','admin','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:27:05','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (841,'Enter 12345 in the Password field',NULL,'MAJOR',4,161,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"0\"]','12345','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:27:18','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (842,'Tap on Login button',NULL,'MAJOR',5,161,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:59:11','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (843,'Verify that the current page URL is http://travel.testsigma.com/?name=admin&password=<PASSWORD>&action=',NULL,'MAJOR',6,161,NULL,10011,'ACTION_TEXT',NULL,NULL,'[\"0\"]','http://travel.testsigma.com/?name=admin&password=<PASSWORD>&action=','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:30:53','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (844,'Go to http://travel.testsigma.com/login',NULL,'MAJOR',1,162,NULL,10001,'ACTION_TEXT',NULL,NULL,NULL,'http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,10,NULL,NULL,838,0,NULL,NULL,NULL,'2019-09-16 11:31:20','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (846,'Enter admin in the Username field',NULL,'MAJOR',2,162,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','admin','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,840,0,NULL,NULL,NULL,'2019-12-28 15:54:36','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (847,'Enter <PASSWORD> in the Password field',NULL,'MAJOR',3,162,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','12345','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,841,0,NULL,NULL,NULL,'2019-12-28 15:54:46','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (848,'Tap on Login button',NULL,'MAJOR',4,162,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,842,0,NULL,NULL,NULL,'2019-12-28 16:56:34','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (849,'Tap on From Location',NULL,'MAJOR',6,162,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'From Location',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,843,0,NULL,NULL,NULL,'2019-12-28 15:55:49','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (851,'Wait for 2 seconds',NULL,'MAJOR',7,162,NULL,10059,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','2','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:56:45','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (852,'Go to http://travel.testsigma.com/login',NULL,'MAJOR',1,163,NULL,10001,'ACTION_TEXT',NULL,NULL,NULL,'http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,10,NULL,NULL,838,0,NULL,NULL,NULL,'2019-09-16 11:32:41','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (853,'Verify that the current page title is Simply Travel',NULL,'MAJOR',2,163,NULL,10042,'ACTION_TEXT',NULL,NULL,'[\"0\"]','Simply Travel','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,839,0,NULL,NULL,NULL,'2019-09-16 11:32:41','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (854,'Enter Invalid User in the Username field',NULL,'MAJOR',3,163,NULL,10103,'ACTION_TEXT',NULL,NULL,NULL,'Invalid User','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,840,0,NULL,NULL,NULL,'2019-09-16 11:35:02','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (855,'Enter Wrong password in the Password field',NULL,'MAJOR',4,163,NULL,10103,'ACTION_TEXT',NULL,NULL,NULL,'Wrong password','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,841,0,NULL,NULL,NULL,'2019-09-16 11:34:56','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (856,'Tap on Login',NULL,'MAJOR',5,163,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Login',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,842,0,NULL,NULL,NULL,'2019-09-16 11:32:41','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (857,'Verify that the current page displays text User name admin Password <PASSWORD>',NULL,'MAJOR',6,163,NULL,10043,'ACTION_TEXT',NULL,NULL,NULL,'User name admin Password <PASSWORD>','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,843,0,NULL,NULL,NULL,'2019-09-16 11:34:29','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (859,'Go to http://travel.testsigma.com/login',NULL,'MAJOR',1,164,NULL,10001,'ACTION_TEXT',NULL,NULL,NULL,'http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,10,NULL,NULL,852,0,NULL,NULL,NULL,'2019-09-16 11:33:02','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (860,'Verify that the current page title is Simply Travel',NULL,'MAJOR',2,164,NULL,10042,'ACTION_TEXT',NULL,NULL,'[\"0\"]','Simply Travel','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,853,0,NULL,NULL,NULL,'2019-09-16 11:33:02','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (861,'Enter admin in the Username field',NULL,'MAJOR',3,164,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"0\"]','admin','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,854,0,NULL,NULL,NULL,'2019-09-16 11:33:02','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (862,'Enter 12345 in the Password field',NULL,'MAJOR',4,164,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"0\"]','12345','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,855,0,NULL,NULL,NULL,'2019-09-16 11:33:02','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (863,'Tap on Login',NULL,'MAJOR',5,164,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Login',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,856,0,NULL,NULL,NULL,'2019-09-16 11:33:02','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (864,'Verify that the current page URL is http://travel.testsigma.com/?name=admin&password=<PASSWORD>&action=',NULL,'MAJOR',6,164,NULL,10011,'ACTION_TEXT',NULL,NULL,'[\"0\"]','http://travel.testsigma.com/?name=admin&password=<PASSWORD>&action=','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,857,0,NULL,NULL,NULL,'2019-09-16 11:33:02','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (866,'Verify that the current page displays text ONE WAY FLYING',NULL,'MAJOR',7,164,NULL,10043,'ACTION_TEXT',NULL,NULL,'[\"0\"]','ONE WAY FLYING','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:33:26','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (867,NULL,NULL,'MAJOR',1,165,161,NULL,'STEP_GROUP',NULL,NULL,'[\"0\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:36:33','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (868,'Tap on From Location',NULL,'MAJOR',2,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'From Location',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:36:48','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (869,'Tap on Los Angeles',NULL,'MAJOR',3,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Los Angeles',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:37:00','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (870,'Verify that the element Los Angeles displays text LA-US',NULL,'MAJOR',4,165,NULL,10044,'ACTION_TEXT',NULL,NULL,'[\"0\"]','LA-US','raw','Los Angeles',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:37:25','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (871,'Tap on To Location',NULL,'MAJOR',5,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'To Location',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:37:38','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (872,'Tap on London',NULL,'MAJOR',6,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'London',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:37:59','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (873,'Verify that the element To Location displays text LD-UK',NULL,'MAJOR',7,165,NULL,10044,'ACTION_TEXT',NULL,NULL,'[\"0\"]','LD-UK','raw','To Location',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:38:27','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (874,'Tap on Depart',NULL,'MAJOR',8,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Depart',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:38:40','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (875,'Tap on Today date',NULL,'MAJOR',9,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Today date',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:38:53','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (876,'Tap on OK',NULL,'MAJOR',10,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'OK',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:39:05','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (877,'Tap on Passenger',NULL,'MAJOR',11,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Passenger',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:39:18','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (878,'Tap on Adults',NULL,'MAJOR',12,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Adults',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:39:29','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (879,'Tap on Childrens',NULL,'MAJOR',13,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Childrens',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:39:42','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (880,'Tap on done',NULL,'MAJOR',14,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Done',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:39:56','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (881,'Tap on Search',NULL,'MAJOR',15,165,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Search',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:40:25','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (882,'Verify that the current page displays text LA-US to LD-UK',NULL,'MAJOR',16,165,NULL,10043,'ACTION_TEXT',NULL,NULL,'[\"0\"]','LA-US to LD-UK','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:40:53','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (883,'Go to http://travel.testsigma.com/login',NULL,'MAJOR',1,166,NULL,10001,'ACTION_TEXT',NULL,NULL,NULL,'http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,10,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:41:25','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (884,'Verify that the current page URL is http://travel.testsigma.com/login',NULL,'MAJOR',2,166,NULL,10011,'ACTION_TEXT',NULL,NULL,'[\"0\"]','http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:41:33','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (885,'Verify that the current page title is Simply Travel',NULL,'MAJOR',3,166,NULL,10042,'ACTION_TEXT',NULL,NULL,'[\"0\"]','Simply Travel','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:41:52','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (886,'Verify that the element Username is displayed',NULL,'MAJOR',4,166,NULL,10191,'ACTION_TEXT',NULL,NULL,'[\"0\"]','displayed','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:42:03','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (887,'Verify that the element Password is displayed',NULL,'MAJOR',5,166,NULL,10191,'ACTION_TEXT',NULL,NULL,'[\"0\"]','displayed','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:42:12','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (888,'Verify that the current page displays text Forgot your password?',NULL,'MAJOR',6,166,NULL,10043,'ACTION_TEXT',NULL,NULL,'[\"0\"]','Forgot your password?','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:42:27','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (889,'Verify that the element Signup displays text Signup',NULL,'MAJOR',7,166,NULL,10044,'ACTION_TEXT',NULL,NULL,'[\"0\"]','Signup','raw','Signup',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:42:45','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (890,'Launch App',NULL,'MAJOR',1,167,NULL,20001,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:50:14','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (891,'Tap on Login button',NULL,'MAJOR',3,167,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,50,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:50:25','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (892,'Tap on Email enter',NULL,'MAJOR',4,167,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Enter Email',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:50:39','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (893,'element None of the above is enabled',NULL,'MINOR',5,167,NULL,20159,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','enabled','raw','None of the above',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:50:59','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (894,'Enter <EMAIL> in the Email enter field',NULL,'MAJOR',7,167,NULL,20016,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','<EMAIL>','raw','Enter Email',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:51:21','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (895,'Tap on Next button',NULL,'MAJOR',8,167,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Next button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:51:34','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (898,'Tap on Wordpress_login_continue',NULL,'MAJOR',11,167,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Wordpress_login_continue',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:52:37','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (899,'Tap on the element Profile image using its coordinates',NULL,'MAJOR',1,169,NULL,20146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Profile image',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:53:21','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (900,'Tap on Logout',NULL,'MAJOR',2,169,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Logout from wordpress',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:53:31','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (901,NULL,NULL,'MAJOR',1,168,167,NULL,'STEP_GROUP',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:54:12','2022-01-06 23:47:04'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (902,'Tap on Reject save credentials',NULL,'MINOR',2,168,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Reject save credentials',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:54:28','2022-01-06 23:47:04'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (903,'Verify that the current page displays text sridhar473',NULL,'MINOR',3,168,NULL,20026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','sridhar473','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:54:46','2022-01-06 23:47:04'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (904,'Verify that the current page displays text shirts469298679.wordpress.com',NULL,'MINOR',4,168,NULL,20026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','shirts469298679.wordpress.com','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:55:00','2022-01-06 23:47:04'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (905,'Tap on Continue',NULL,'MINOR',5,168,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Continue',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:55:09','2022-01-06 23:47:04'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (906,'Verify that the element Plan displays text Free',NULL,'MINOR',6,168,NULL,20027,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Free','raw','Plan',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:55:34','2022-01-06 23:47:04'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (907,NULL,NULL,'MAJOR',11,168,169,NULL,'STEP_GROUP',NULL,NULL,'[\"SUCCESS\"]','Free','raw','Plan',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:55:41','2022-01-06 23:47:04'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (908,'Launch App',NULL,'MAJOR',1,170,NULL,20001,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:56:19','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (909,'Tap on Login button',NULL,'MAJOR',2,170,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:56:53','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (910,'Tap on Email enter',NULL,'MAJOR',3,170,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Enter Email',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:57:08','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (911,'element None of the above is visible',NULL,'MINOR',4,170,NULL,20159,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','visible','raw','None of the above',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:57:19','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (912,'Enter @|email| in the Enter Email field',NULL,'MAJOR',6,170,NULL,20016,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','email','parameter','Enter Email',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:57:49','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (913,'Tap on Next button',NULL,'MAJOR',7,170,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Next button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:57:59','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (914,'Tap on Wordpress_password',NULL,'MAJOR',10,170,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Wordpress_password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:58:07','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (915,'Enter @|Password| in the Wordpress_password field',NULL,'MAJOR',11,170,NULL,20016,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Password','parameter','Wordpress_password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:58:31','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (916,'Tap on the element Wordpress_login_continue using its coordinates',NULL,'MAJOR',12,170,NULL,20146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Wordpress_login_continue',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:58:47','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (917,'Verify that the element Site_title_text is present',NULL,'MAJOR',14,170,NULL,20152,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','present','raw','Site_title_text',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:58:56','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (918,NULL,NULL,'MAJOR',1,171,167,NULL,'STEP_GROUP',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:59:35','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (920,'Tap on New post icon',NULL,'MAJOR',4,171,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'New post icon',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 11:59:59','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (921,'Enter !|Number :: random number| in the New title input field',NULL,'MAJOR',8,171,NULL,20016,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Number :: random number','function','New title input',NULL,NULL,NULL,NULL,NULL,5001,'{\"arg0\": \"2000\", \"arg1\": \"200000\"}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 14:58:10','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (922,'Tap on coordinates relative to screen dimensions 50,50(% of width , % of height from top left)',NULL,'MAJOR',12,171,NULL,20139,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','50,50','raw','Blog Posts',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-29 05:24:46','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (926,NULL,NULL,'MAJOR',1,172,167,NULL,'STEP_GROUP',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 12:48:20','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (928,'Tap on the element Profile image using its coordinates',NULL,'MAJOR',4,172,NULL,20146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Profile image',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 12:48:46','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (929,'Tap on My profile',NULL,'MAJOR',5,172,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'My profile',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 12:48:57','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (930,'Tap on Firstname to enable',NULL,'MAJOR',6,172,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Firstname to enable',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 12:49:43','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (931,'Verify that the current page displays text sridhar',NULL,'MAJOR',7,172,NULL,20026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','sridhar','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 12:49:55','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (932,'Tap on Ok',NULL,'MAJOR',8,172,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Ok',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 12:50:04','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (933,'Tap on the back button',NULL,'MAJOR',9,172,NULL,20090,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Back Arrow',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 12:50:17','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (934,NULL,NULL,'MAJOR',11,172,169,NULL,'STEP_GROUP',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Back Arrow',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 12:50:23','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (935,'Launch App',NULL,'MAJOR',1,173,NULL,30001,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:04:36','2022-01-04 18:00:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (936,'Verify that the element login button is displayed',NULL,'MAJOR',2,173,NULL,30146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:04:53','2022-01-04 18:00:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (937,'Tap on login button',NULL,'MAJOR',3,173,NULL,30073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:05:10','2022-01-04 18:00:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (938,'Verify that the element Wordpress email is displayed',NULL,'MINOR',4,173,NULL,30146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','email',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:05:28','2022-01-04 18:00:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (939,'Verify that the element Wordpress next is disabled',NULL,'MINOR',5,173,NULL,30146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','disabled','raw','next',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,938,NULL,0,NULL,NULL,NULL,'2019-09-16 13:05:49','2022-01-04 18:00:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (940,'Enter !|EmailFunctions - randomEmail(length,domain)| in the Wordpress email field',NULL,'MINOR',6,173,NULL,30016,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','EmailFunctions - randomEmail(length,domain)','function','email',NULL,NULL,NULL,NULL,NULL,5,'{\"arg0\": \"5\", \"arg1\": \"wordpress.com\"}',30,NULL,938,NULL,0,NULL,NULL,NULL,'2019-09-16 13:06:33','2022-01-04 18:00:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (941,'Launch App',NULL,'MAJOR',1,174,NULL,30001,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:07:05','2022-01-07 13:58:12'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (942,'Verify that the screen orientation is Portrait',NULL,'MAJOR',2,174,NULL,30007,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:07:21','2022-01-07 13:58:12'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (943,'Verify the App org.wordpress is installed',NULL,'MAJOR',3,174,NULL,30010,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','org.wordpress','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:07:36','2022-01-07 13:58:12'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (944,'Wait until the text Log in is present on the current page',NULL,'MAJOR',4,174,NULL,30052,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Log in','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:07:56','2022-01-07 13:58:12'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (945,'Wait until the element Wordpress login button is visible',NULL,'MAJOR',5,174,NULL,30147,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','visible','raw','login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:09:12','2022-01-07 13:58:12'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (946,'Verify that the current page displays text Enter your existing site address',NULL,'MAJOR',6,174,NULL,30026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Enter your existing site address','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:09:36','2022-01-07 13:58:12'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (947,'Verify that the element Wordpress login button is displayed',NULL,'MAJOR',7,174,NULL,30146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:10:03','2022-01-07 13:58:12'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (948,NULL,NULL,'MAJOR',1,175,173,NULL,'STEP_GROUP',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:10:52','2022-01-04 19:49:27'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (949,'Verify that the element Wordpress next is enabled',NULL,'MAJOR',2,175,NULL,30146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','enabled','raw','next',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:12:01','2022-01-04 19:49:27'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (950,'Tap on Wordpress next',NULL,'MAJOR',3,175,NULL,30073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'next',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:12:10','2022-01-04 19:49:27'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (951,'Verify that the element Wordpress sendlink is displayed',NULL,'MINOR',4,175,NULL,30146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','send link',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:12:50','2022-01-04 19:49:27'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (952,'Tap on Wordpress enter your password',NULL,'MINOR',5,175,NULL,30073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'enter your password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,951,NULL,0,NULL,NULL,NULL,'2019-09-16 13:13:00','2022-01-04 19:49:27'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (953,'Enter !|Internet - password()| in the Wordpress Password field',NULL,'MINOR',6,175,NULL,30016,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Internet - password()','function','Wordpress Password',NULL,NULL,NULL,NULL,NULL,5410,'{}',30,NULL,951,NULL,0,NULL,NULL,NULL,'2019-09-16 13:13:27','2022-01-04 19:49:27'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (954,'Tap on Wordpress next login',NULL,'MINOR',7,175,NULL,30073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'next login',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,951,NULL,0,NULL,NULL,NULL,'2019-09-16 13:13:40','2022-01-04 19:49:27'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (955,'',NULL,'MINOR',8,175,NULL,NULL,'ACTION_TEXT',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'CONDITION_ELSE',951,NULL,0,NULL,NULL,NULL,'2019-09-16 13:13:42','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (956,'Verify that the current page displays text  emailed you a signup link to',NULL,'MAJOR',9,175,NULL,30026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','emailed you a signup link to','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,955,NULL,0,NULL,NULL,NULL,'2019-09-16 13:14:05','2022-01-04 19:49:27'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (969,'Launch App',NULL,'MAJOR',1,177,NULL,30001,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-09-16 13:19:26','2022-01-04 21:09:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (975,'Verify that the element Wordpress create has tag name XCUIElementTypeButton',NULL,'MINOR',2,177,NULL,30029,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','XCUIElementTypeButton','raw','create button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2019-09-17 14:36:47','2022-01-04 21:09:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (976,'Tap on Wordpress create',NULL,'MINOR',3,177,NULL,30073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'create button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,975,NULL,0,NULL,NULL,NULL,'2019-09-16 13:24:00','2022-01-04 21:09:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (977,'Verify that the element Wordpress username is displayed',NULL,'MINOR',4,177,NULL,30146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,975,NULL,0,NULL,NULL,NULL,'2019-09-16 13:24:25','2022-01-04 21:09:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (978,'Enter !|EmailFunctions - randomEmail(length,domain)| in the Wordpress Signupemail field',NULL,'MINOR',5,177,NULL,30016,'ACTION_TEXT',NULL,NULL,NULL,'EmailFunctions - randomEmail(length,domain)','function','signup email',NULL,NULL,NULL,NULL,NULL,5,'{\"arg0\": \"6\", \"arg1\": \"wordpress.com\"}',30,NULL,975,NULL,0,NULL,NULL,NULL,'2019-09-17 14:40:04','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (979,'Enter !|Name - name()| in the Wordpress username field',NULL,'MINOR',6,177,NULL,30016,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Name - name()','function','username',NULL,NULL,NULL,NULL,NULL,5101,'{}',30,NULL,975,NULL,0,NULL,NULL,NULL,'2019-09-16 13:25:21','2022-01-04 21:09:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (980,'Enter !|Internet - password()| in the Wordpress pass field',NULL,'MINOR',7,177,NULL,30016,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Internet - password()','function','password',NULL,NULL,NULL,NULL,NULL,5410,'{}',30,NULL,975,NULL,0,NULL,NULL,NULL,'2019-09-16 13:25:51','2022-01-04 21:09:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (981,'Tap on Wordpress createAccount',NULL,'MINOR',8,177,NULL,30073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'create account',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,975,NULL,0,NULL,NULL,NULL,'2019-09-16 13:26:03','2022-01-04 21:09:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (982,'Tap on Wordpress OK',NULL,'MAJOR',9,177,NULL,30073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'OK button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,975,NULL,0,NULL,NULL,NULL,'2019-09-16 13:26:21','2022-01-04 21:09:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (983,'',NULL,'MINOR',10,177,NULL,NULL,'ACTION_TEXT',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'CONDITION_ELSE',975,NULL,0,NULL,NULL,NULL,'2019-09-16 13:26:23','2021-12-20 17:07:25'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (984,'Verify the App org.wordpressBS is installed',NULL,'MAJOR',11,177,NULL,30010,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','org.wordpressBS','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,983,NULL,0,NULL,NULL,NULL,'2019-09-16 13:26:41','2022-01-04 21:09:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1115,'Navigate to http://travel.testsigma.com/login\r',NULL,'MAJOR',1,140,NULL,1044,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','http://travel.testsigma.com/login','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 14:50:13','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1116,'Enter admin in the Username field',NULL,'MAJOR',2,140,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','admin','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 14:50:38','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1117,'Enter <PASSWORD> in the Password field',NULL,'MAJOR',3,140,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','12345','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 14:50:56','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1118,'Click on Login button',NULL,'MAJOR',4,140,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 14:51:28','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1119,'',NULL,'MAJOR',1,191,141,NULL,'STEP_GROUP',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:05:24','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1120,'Click on Non Stop',NULL,'MAJOR',2,191,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Non Stop',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:31:10','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1128,'Click on Review & Continue button',NULL,'MAJOR',10,191,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Review & Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:09:51','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1129,'Enter !|PhoneNumber - cellPhone()| in the Contact Mobile Number field',NULL,'MAJOR',11,191,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','PhoneNumber - cellPhone()','function','Contact Mobile Number',NULL,NULL,NULL,NULL,NULL,5201,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:10:57','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1130,'Enter !|Internet - emailAddress()| in the Contact Email field',NULL,'MAJOR',12,191,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Internet - emailAddress()','function','Contact Email',NULL,NULL,NULL,NULL,NULL,5404,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:11:47','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1132,'Click on Flight Summary Continue',NULL,'MAJOR',14,191,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Flight Summary Continue',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:13:15','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1133,'Click on Meals Continue button',NULL,'MAJOR',15,191,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Meals Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:13:34','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1134,'Click on Wallet Continue button',NULL,'MAJOR',16,191,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Wallet Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:13:51','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1148,'Click on Book Flight button',NULL,'MAJOR',8,191,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Book Flight button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:25:32','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1149,'',NULL,'MAJOR',1,193,141,NULL,'STEP_GROUP',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1119,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1150,'Click on From Location',NULL,'MAJOR',2,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'From Location',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1120,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1152,'Click on Review & Continue button',NULL,'MAJOR',18,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Review & Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1128,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1153,'Enter !|PhoneNumber - cellPhone()| in the Contact Mobile Number field',NULL,'MAJOR',19,193,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','PhoneNumber - cellPhone()','function','Contact Mobile Number',NULL,NULL,NULL,NULL,NULL,5201,'{}',30,NULL,NULL,1129,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1154,'Enter !|Internet - emailAddress()| in the Contact Email field',NULL,'MAJOR',20,193,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Internet - emailAddress()','function','Contact Email',NULL,NULL,NULL,NULL,NULL,5404,'{}',30,NULL,NULL,1130,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1156,'Click on Flight Summary Continue',NULL,'MAJOR',22,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Flight Summary Continue',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1132,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1157,'Click on Meals Continue button',NULL,'MAJOR',23,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Meals Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1133,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1158,'Click on Wallet Continue button',NULL,'MAJOR',24,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Wallet Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1134,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1159,'Wait for 2 seconds',NULL,'MAJOR',3,193,NULL,27,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','2','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1135,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1160,'Verify that the element From City Dropdown is displayed',NULL,'MAJOR',4,193,NULL,1079,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','From City Dropdown',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1136,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1162,'Click on To City',NULL,'MAJOR',6,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'To City',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1138,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1163,'Verify that the element To Location Dropdown is displayed',NULL,'MAJOR',7,193,NULL,1079,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','To Location Dropdown',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1139,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1164,'Click on To Location Dropdown List Item',NULL,'MAJOR',8,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'To Location Dropdown List Item',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1140,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1165,'Click on Depart Datepicker',NULL,'MAJOR',9,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Depart Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1141,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1166,'Verify that the element Datepicker is displayed',NULL,'MAJOR',10,193,NULL,1079,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1142,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1167,'Wait until the element Today in Datepicker is visible',NULL,'MAJOR',11,193,NULL,1080,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','visible','raw','Today in Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1143,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1168,'Click on Today in Datepicker',NULL,'MAJOR',12,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Today in Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1144,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1169,'Click on Ok button',NULL,'MAJOR',13,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Ok button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1145,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1170,'Click on Search Flights button',NULL,'MAJOR',14,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Search Flights button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1146,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1171,'Verify that the current page displays text BO | Bo-747',NULL,'MAJOR',15,193,NULL,35,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','BO | Bo-747','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1147,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1172,'Click on Book Flight button',NULL,'MAJOR',16,193,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Book Flight button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1148,0,NULL,NULL,NULL,'2019-12-28 15:30:31','2021-12-28 17:49:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1180,'Click on Departure From',NULL,'MAJOR',3,191,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Departure From',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:32:06','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1181,'Click on More Filters',NULL,'MAJOR',4,191,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'More Filters',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:32:24','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1182,'Click on Apply',NULL,'MAJOR',5,191,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Apply',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:32:45','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1183,'Click on Sort by button',NULL,'MAJOR',6,191,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Sort by button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:33:03','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1184,'Click on Price',NULL,'MAJOR',7,191,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Price',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:33:24','2022-01-07 13:17:28'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1185,'Navigate to http://travel.testsigma.com/signup',NULL,'MAJOR',1,194,NULL,1044,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',' http://travel.testsigma.com/signup','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:35:05','2022-01-07 13:20:34'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1186,'Enter !|Name - name()| in the Full Name field',NULL,'MAJOR',2,194,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Name - name()','function','Full Name',NULL,NULL,NULL,NULL,NULL,5101,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:35:33','2022-01-07 13:20:34'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1187,'Enter !|Internet - emailAddress()| in the Email field',NULL,'MAJOR',3,194,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Internet - emailAddress()','function','Email',NULL,NULL,NULL,NULL,NULL,5404,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:36:02','2022-01-07 13:20:34'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1188,'Enter !|PhoneNumber - phoneNumber()| in the Phone No field',NULL,'MAJOR',4,194,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','PhoneNumber - phoneNumber()','function','Phone No',NULL,NULL,NULL,NULL,NULL,5202,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:36:33','2022-01-07 13:20:34'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1189,'Enter !|Address - streetName()| in the Your Address field',NULL,'MAJOR',5,194,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Address - streetName()','function','Your Address',NULL,NULL,NULL,NULL,NULL,5801,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:37:09','2022-01-07 13:20:34'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1190,'Click on Age Group',NULL,'MAJOR',6,194,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Age Group',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:38:22','2022-01-07 13:20:34'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1191,'Scroll to the element Signup Password into view',NULL,'MAJOR',7,194,NULL,1081,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','to','raw','Signup Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:38:44','2022-01-07 13:20:34'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1192,'Enter !|Internet - password()| in the Signup Password field',NULL,'MAJOR',8,194,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Internet - password()','function','Signup Password',NULL,NULL,NULL,NULL,NULL,5410,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:39:22','2022-01-07 13:20:34'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1193,'Store the value displayed in the text box Signup Password field into a variable password',NULL,'MAJOR',9,194,NULL,60,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','password','raw','Signup Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:39:57','2022-01-07 13:20:34'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1194,'Enter $|password| in the ReEnterPassword field',NULL,'MAJOR',10,194,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','password','runtime','ReEnterPassword',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:40:25','2022-01-07 13:20:34'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1195,'Click on Signup Button',NULL,'MAJOR',11,194,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Signup Button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:40:51','2022-01-07 13:20:34'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1196,'Navigate to http://travel.testsigma.com/',NULL,'MAJOR',1,195,NULL,1044,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','http://travel.testsigma.com/','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:43:13','2022-01-07 13:21:33'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1197,'Click on Login Icon',NULL,'MAJOR',2,195,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login Icon',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:43:33','2022-01-07 13:21:33'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1198,'Click on Login SImply Travel',NULL,'MAJOR',3,195,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login SImply Travel',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:43:58','2022-01-07 13:21:33'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1199,'Enter admin in the Username field',NULL,'MAJOR',4,195,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','admin','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:44:17','2022-01-07 13:21:33'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1200,'Enter <PASSWORD> in the Password field',NULL,'MAJOR',5,195,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','12345','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:44:39','2022-01-07 13:21:33'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1201,'Click on Login button',NULL,'MAJOR',6,195,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 15:45:07','2022-01-07 13:21:33'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1202,'Verify that the current page displays text ONE WAY FLYING',NULL,'MINOR',7,195,NULL,35,'ACTION_TEXT',NULL,NULL,'[]','ONE WAY FLYING','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2020-04-29 20:23:01','2022-01-07 13:21:33'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1203,'Tap on From City with text @|city|',NULL,'MAJOR',8,162,NULL,10117,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','city','parameter','From City',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:33:22','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1204,'Tap on To Location',NULL,'MAJOR',9,162,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'To Location',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:38:34','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1205,'Tap on To Location Dropdown List Item',NULL,'MAJOR',10,162,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'To Location Dropdown List Item',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:41:40','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1206,'Tap on Depart Datepicker',NULL,'MAJOR',11,162,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Depart Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:42:11','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1207,'Wait until the element Today in Datepicker is visible',NULL,'MAJOR',12,162,NULL,10192,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,'raw','Today in Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:42:47','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1208,'Tap on Today in Datepicker',NULL,'MAJOR',13,162,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Today in Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:43:21','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1209,'Tap on Ok button',NULL,'MAJOR',14,162,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Ok button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:43:55','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1210,'Tap on Search Flights button',NULL,'MAJOR',15,162,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Search Flights button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:44:24','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1211,'Verify that the current page displays text BO | Bo-747',NULL,'MAJOR',16,162,NULL,10043,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','BO | Bo-747','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:45:06','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1212,'',NULL,'MAJOR',1,196,161,NULL,'STEP_GROUP',NULL,NULL,'[\"0\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:46:14','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1213,'Tap on Non Stop',NULL,'MAJOR',2,196,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Non Stop',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:46:31','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1214,'Tap on Departure From',NULL,'MAJOR',3,196,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Departure From',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:46:55','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1215,'Tap on More Filters',NULL,'MAJOR',4,196,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'More Filters',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:47:16','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1216,'Tap on Apply',NULL,'MAJOR',5,196,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Apply',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:47:37','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1217,'Tap on Sort by button',NULL,'MAJOR',6,196,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Sort by button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:48:50','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1218,'Tap on Price',NULL,'MAJOR',7,196,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Price',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:49:25','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1219,'Tap on Book Flight button',NULL,'MAJOR',8,196,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Book Flight button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:49:46','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1220,'Scroll down to the element Review & Continue button into view',NULL,'MAJOR',9,196,NULL,10193,'ACTION_TEXT',NULL,NULL,'[\"0\"]','down to','raw','Review & Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:50:22','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1221,'Tap on Review & Continue button',NULL,'MAJOR',10,196,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Review & Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:50:46','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1222,'Enter !|PhoneNumber - cellPhone()| in the Contact Mobile Number field',NULL,'MAJOR',11,196,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"0\"]','PhoneNumber - cellPhone()','function','Contact Mobile Number',NULL,NULL,NULL,NULL,NULL,5201,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:52:36','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1223,'Enter !|Internet - emailAddress()| in the Contact Email field',NULL,'MAJOR',11,196,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"0\"]','Internet - emailAddress()','function','Contact Email',NULL,NULL,NULL,NULL,NULL,5404,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:52:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1225,'Scroll down to the element Flight Summary Continue into view',NULL,'MAJOR',12,196,NULL,10193,'ACTION_TEXT',NULL,NULL,'[\"0\"]','down to','raw','Flight Summary Continue',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:53:14','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1226,'Tap on Flight Summary Continue',NULL,'MAJOR',13,196,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Flight Summary Continue',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:53:43','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1227,'Tap on Meals Continue button',NULL,'MAJOR',14,196,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Meals Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:54:07','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1228,'Tap on Wallet Continue button',NULL,'MAJOR',15,196,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Wallet Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 16:54:42','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1229,'Wait for 30 seconds',NULL,'MAJOR',5,162,NULL,10059,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','30','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 17:14:36','2022-01-06 20:24:36'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1230,'Wait for 5 seconds',NULL,'MAJOR',5,140,NULL,27,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','5','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 17:08:59','2022-01-07 13:19:58'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1231,'',NULL,'MAJOR',1,197,161,NULL,'STEP_GROUP',NULL,NULL,'[\"0\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 17:21:39','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1232,'Tap on From Location',NULL,'MAJOR',2,197,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'From Location',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 17:21:54','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1233,'Wait for 2 seconds',NULL,'MAJOR',3,197,NULL,10059,'ACTION_TEXT',NULL,NULL,'[\"0\"]','2','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 17:22:05','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1238,'Tap on From Location',NULL,'MAJOR',2,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'From Location',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,849,0,NULL,NULL,NULL,'2019-12-28 17:41:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1239,'Wait for 2 seconds',NULL,'MAJOR',3,198,NULL,10059,'ACTION_TEXT',NULL,NULL,'[\"0\"]','2','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,851,0,NULL,NULL,NULL,'2019-12-28 17:41:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1240,'Tap on From City with text @|city|',NULL,'MAJOR',4,198,NULL,10117,'ACTION_TEXT',NULL,NULL,'[\"0\"]','city','parameter','From City',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1203,0,NULL,NULL,NULL,'2019-12-28 17:41:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1241,'Tap on To Location',NULL,'MAJOR',5,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'To Location',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1204,0,NULL,NULL,NULL,'2019-12-28 17:41:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1242,'Tap on To Location Dropdown List Item',NULL,'MAJOR',6,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'To Location Dropdown List Item',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1205,0,NULL,NULL,NULL,'2019-12-28 17:41:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1243,'Tap on Depart Datepicker',NULL,'MAJOR',7,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Depart Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1206,0,NULL,NULL,NULL,'2019-12-28 17:41:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1244,'Wait until the element Today in Datepicker is visible',NULL,'MAJOR',8,198,NULL,10192,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,'raw','Today in Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1207,0,NULL,NULL,NULL,'2019-12-28 17:41:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1245,'Tap on Today in Datepicker',NULL,'MAJOR',9,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Today in Datepicker',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1208,0,NULL,NULL,NULL,'2019-12-28 17:41:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1246,'Tap on Ok button',NULL,'MAJOR',10,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Ok button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1209,0,NULL,NULL,NULL,'2019-12-28 17:41:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1247,'Tap on Search Flights button',NULL,'MAJOR',11,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Search Flights button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1210,0,NULL,NULL,NULL,'2019-12-28 17:41:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1248,'Verify that the current page displays text BO | Bo-747',NULL,'MAJOR',12,198,NULL,10043,'ACTION_TEXT',NULL,NULL,'[\"0\"]','BO | Bo-747','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,1211,0,NULL,NULL,NULL,'2019-12-28 17:41:17','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1265,'',NULL,'MAJOR',1,198,161,NULL,'STEP_GROUP',NULL,NULL,'[\"0\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 17:41:46','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1266,'Tap on Book Flight button',NULL,'MAJOR',13,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Book Flight button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 17:45:09','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1267,'Scroll down to the element Review & Continue button into view',NULL,'MAJOR',14,198,NULL,10193,'ACTION_TEXT',NULL,NULL,'[\"0\"]','down to','raw','Review & Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 17:45:35','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1268,'Tap on Review & Continue button',NULL,'MAJOR',15,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Review & Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 17:45:57','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1269,'Enter !|PhoneNumber - cellPhone()| in the Contact Mobile Number field',NULL,'MAJOR',16,198,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"0\"]','PhoneNumber - cellPhone()','function','Contact Mobile Number',NULL,NULL,NULL,NULL,NULL,5201,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:42:14','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1270,'Enter !|Internet - emailAddress()| in the Contact Email field',NULL,'MAJOR',17,198,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"0\"]','Internet - emailAddress()','function','Contact Email',NULL,NULL,NULL,NULL,NULL,5404,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:42:56','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1271,'Scroll down to the element Flight Summary Continue into view',NULL,'MAJOR',18,198,NULL,10193,'ACTION_TEXT',NULL,NULL,'[\"0\"]','down to','raw','Flight Summary Continue',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:43:20','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1272,'Tap on Flight Summary Continue',NULL,'MAJOR',19,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Flight Summary Continue',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:43:42','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1273,'Tap on Meals Continue button',NULL,'MAJOR',20,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Meals Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:44:13','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1274,'Tap on Wallet Continue button',NULL,'MAJOR',21,198,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"0\"]',NULL,NULL,'Wallet Continue button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:44:33','2021-12-20 17:07:26'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1275,'Navigate to http://travel.testsigma.com/signup',NULL,'MAJOR',1,199,NULL,10116,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','http://travel.testsigma.com/signup','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:47:03','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1276,'Enter !|Name - name()| in the Full Name field',NULL,'MAJOR',2,199,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Name - name()','function','Full Name',NULL,NULL,NULL,NULL,NULL,5101,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:47:39','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1277,'Enter !|Internet - emailAddress()| in the Email field',NULL,'MAJOR',3,199,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Internet - emailAddress()','function','Email',NULL,NULL,NULL,NULL,NULL,5404,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:48:53','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1278,'Enter !|PhoneNumber - phoneNumber()| in the Phone No field',NULL,'MAJOR',4,199,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','PhoneNumber - phoneNumber()','function','Phone No',NULL,NULL,NULL,NULL,NULL,5202,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:49:24','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1279,'Enter !|Address - streetName()| in the Your Address field',NULL,'MAJOR',5,199,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Address - streetName()','function','Your Address',NULL,NULL,NULL,NULL,NULL,5801,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:50:02','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1280,'Tap on Age Group',NULL,'MAJOR',6,199,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Age Group',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:50:15','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1281,'Scroll to the element Signup Password into view',NULL,'MAJOR',7,199,NULL,10193,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','to','raw','Signup Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:50:40','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1282,'Enter !|Internet - password()| in the Signup Password field',NULL,'MAJOR',8,199,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Internet - password()','function','Signup Password',NULL,NULL,NULL,NULL,NULL,5410,'{}',30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:51:24','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1283,'Store the value displayed in the Signup Password field into a variable password',NULL,'MAJOR',9,199,NULL,10088,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','password','raw','Signup Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:53:01','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1284,'Enter $|password| in the ReEnterPassword field',NULL,'MAJOR',10,199,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','password','runtime','ReEnterPassword',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:53:48','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1285,'Tap on Signup Button',NULL,'MAJOR',11,199,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Signup Button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:54:45','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1286,'Navigate to http://travel.testsigma.com',NULL,'MAJOR',1,200,NULL,10116,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',' http://travel.testsigma.com','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:55:58','2021-12-29 12:44:19'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1287,'Tap on Login Icon',NULL,'MAJOR',2,200,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login Icon',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:56:34','2021-12-29 12:44:19'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1288,'Tap on Login SImply Travel',NULL,'MAJOR',3,200,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login SImply Travel',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:56:56','2021-12-29 12:44:19'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1289,'Enter admin in the Username field',NULL,'MAJOR',4,200,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','admin','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:57:54','2021-12-29 12:44:19'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1290,'Enter <PASSWORD> in the Password field',NULL,'MAJOR',5,200,NULL,10103,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','12345','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:58:14','2021-12-29 12:44:19'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1291,'Tap on Login button',NULL,'MAJOR',6,200,NULL,10026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:58:50','2021-12-29 12:44:19'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1292,'Verify that the current page displays text SEARCH FLIGHTS',NULL,'MAJOR',7,200,NULL,10043,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','SEARCH FLIGHTS','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 18:59:35','2021-12-29 12:44:19'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1294,'Tap on Plan',NULL,'MAJOR',7,168,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Plan',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 19:49:41','2022-01-06 23:47:04'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1295,'Tap on Free Wordpress',NULL,'MAJOR',8,168,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Free Wordpress',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 19:56:45','2022-01-06 23:47:04'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1296,'Tap on View Free wordpress Details',NULL,'MAJOR',9,168,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Close Free Wordpress Details',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 19:58:07','2022-01-06 23:47:04'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1297,'Tap on Back Arrow',NULL,'MAJOR',10,168,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Back Arrow',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 19:58:57','2022-01-06 23:47:04'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1298,'Tap on Confirm Logout',NULL,'MAJOR',3,169,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Confirm Logout',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-28 20:00:14','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1299,'Tap on Publish',NULL,'MAJOR',10,171,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Publish',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-29 05:21:29','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1300,'Tap on Confirm Publish',NULL,'MAJOR',11,171,NULL,20073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Confirm Publish',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-29 05:22:23','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1301,'Store text from the element New title input into variable postname',NULL,'MAJOR',9,171,NULL,20063,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','postname','raw','New title input',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-29 05:34:55','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1304,'Verify that the current page displays text $|postname|',NULL,'MAJOR',17,171,NULL,20026,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','postname','runtime',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2019-12-29 05:29:34','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1305,'',NULL,'MAJOR',1,202,141,NULL,'STEP_GROUP',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2020-04-29 18:38:09','2022-01-07 13:21:17'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1306,'Click on Round trip flying',NULL,'MAJOR',2,202,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Round trip flying',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2020-04-29 19:35:26','2022-01-07 13:21:17'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1307,'Verify that the element Return Label is displayed',NULL,'MAJOR',3,202,NULL,1079,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','Return Label',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2020-04-29 19:37:29','2022-01-07 13:21:17'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1308,'Click on Book Flight button',NULL,'MAJOR',1,203,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Book Flight button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2020-04-29 19:47:01','2022-01-06 19:48:49'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1309,'Verify that the current page URL is https://travel.testsigma.com/review',NULL,'MAJOR',2,203,NULL,34,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','https://travel.testsigma.com/review','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2020-04-29 19:47:57','2022-01-06 19:48:49'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1310,'Verify that the current page title is Simply Travel',NULL,'MAJOR',4,202,NULL,32,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Simply Travel','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2020-04-29 20:04:17','2022-01-07 13:21:17'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1311,'Verify that the current page title is Simply Travel',NULL,'MAJOR',1,204,NULL,10042,'ACTION_TEXT',NULL,NULL,'[]','Simply Travel','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2020-04-30 09:50:50','2022-01-07 13:53:51'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1312,NULL,NULL,'MAJOR',1,205,167,NULL,'STEP_GROUP',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,901,0,NULL,NULL,NULL,'2020-04-30 10:26:33','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1313,'element Reject save credentials is enabled',NULL,'MINOR',2,205,NULL,20159,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\", \"SUCCESS\"]','enabled','raw','Reject save credentials',NULL,NULL,NULL,NULL,NULL,NULL,NULL,3,'CONDITION_IF',NULL,902,0,NULL,NULL,NULL,'2020-04-30 10:26:33','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1327,'Verify that the screen orientation is Portrait',NULL,'MAJOR',1,206,NULL,20007,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2020-04-30 10:32:12','2022-01-06 23:51:08'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1328,'Launch App',NULL,'MAJOR',1,207,NULL,30001,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,941,0,NULL,NULL,NULL,'2020-04-30 11:37:52','2022-01-07 13:56:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1329,'Verify that the screen orientation is Portrait',NULL,'MAJOR',2,207,NULL,30007,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,942,0,NULL,NULL,NULL,'2020-04-30 11:37:52','2022-01-07 13:56:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1330,'Verify the App org.wordpress is installed',NULL,'MAJOR',3,207,NULL,30010,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','org.wordpress','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,943,0,NULL,NULL,NULL,'2020-04-30 11:37:52','2022-01-07 13:56:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1331,'Wait until the text Log In is present on the current page',NULL,'MAJOR',4,207,NULL,30052,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','Log In','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,944,0,NULL,NULL,NULL,'2020-04-30 11:37:52','2022-01-07 13:56:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1332,'Wait until the element Wordpress login button is visible',NULL,'MAJOR',5,207,NULL,30147,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','visible','raw','login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,945,0,NULL,NULL,NULL,'2020-04-30 11:37:52','2022-01-07 13:56:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1333,'Verify that the current page displays text Create a WordPress sitee',NULL,'MAJOR',6,207,NULL,30026,'ACTION_TEXT',NULL,NULL,'[]','Create a WordPress sitee','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,946,0,NULL,NULL,NULL,'2020-04-30 11:38:22','2022-01-07 13:56:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1334,'Verify that the element Wordpress login button is displayed',NULL,'MAJOR',7,207,NULL,30146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,947,0,NULL,NULL,NULL,'2020-04-30 11:37:52','2022-01-07 13:56:14'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1335,'Verify that the screen orientation is Portrait',NULL,'MAJOR',1,208,NULL,30007,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2020-04-30 11:39:12','2022-01-04 17:33:16'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1336,'Tap on None of the above',NULL,'MAJOR',6,167,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'None of the above',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,893,NULL,0,NULL,NULL,NULL,'2021-12-29 12:46:20','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1337,'Tap on Reject save credentials',NULL,'MAJOR',3,205,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'Reject save credentials',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,1313,NULL,0,NULL,NULL,NULL,'2021-12-29 12:47:10','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1338,'Enter apptest987 in the Wordpress_user field',NULL,'MAJOR',9,167,NULL,20016,'ACTION_TEXT',NULL,NULL,'[]','apptest987','raw','Wordpress_user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:04:03','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1339,'Enter Wordpress321# in the Wordpress_password field',NULL,'MAJOR',10,167,NULL,20016,'ACTION_TEXT',NULL,NULL,'[]','Wordpress321#','raw','Wordpress_password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:05:34','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1340,'element dashboard_discover is enabled',NULL,'MINOR',4,205,NULL,20159,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','enabled','raw','dashboard_discover',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:16:21','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1341,'Tap on dashboard_discover',NULL,'MAJOR',5,205,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'dashboard_discover',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,1340,NULL,0,NULL,NULL,NULL,'2021-12-29 17:16:36','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1343,'Tap on add_new_site',NULL,'MAJOR',6,205,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'add_new_site',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:21:00','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1345,'Tap on Skip_button',NULL,'MAJOR',9,205,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'Skip_button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:23:36','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1346,'Verify that the element site_name is displayed',NULL,'MAJOR',10,205,NULL,20152,'ACTION_TEXT',NULL,NULL,'[]','displayed','raw','site_name',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:25:29','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1347,'Tap on site_name',NULL,'MAJOR',11,205,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'site_name',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:25:43','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1348,'Enter test123 in the site_name field',NULL,'MAJOR',12,205,NULL,20016,'ACTION_TEXT',NULL,NULL,'[]','test123','raw','site_name',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:26:14','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1349,'Tap on the search',NULL,'MAJOR',13,205,NULL,20155,'ACTION_TEXT',NULL,NULL,'[]','search','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:26:58','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1351,'Tap on site_radio_button',NULL,'MAJOR',14,205,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'site_radio_button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:29:41','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1352,'Tap on create_site',NULL,'MAJOR',15,205,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'create_site',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:30:11','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1353,'Store text from the element created_site_url into variable site_url',NULL,'MAJOR',16,205,NULL,20063,'ACTION_TEXT',NULL,NULL,'[]','site_url','raw','created_site_url',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:31:11','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1354,'Tap on ok_btn',NULL,'MAJOR',17,205,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'ok_btn',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:31:41','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1355,'Verify that the element site_url_validation displays text contains $| site_url|',NULL,'MAJOR',18,205,NULL,20092,'ACTION_TEXT',NULL,NULL,'[]','site_url','runtime','site_url_validation',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 17:33:14','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1356,'Tap on coordinates relative to screen dimensions 50,50(% of width , % of height from top left)',NULL,'MAJOR',2,167,NULL,20139,'ACTION_TEXT',NULL,NULL,'[]','50,50','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 19:25:55','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1357,'element add_wordpress_site is enabled',NULL,'MINOR',7,205,NULL,20159,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','enabled','raw','add_wordpress_site',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 20:56:56','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1358,'Tap on add_wordpress_site',NULL,'MAJOR',8,205,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'add_wordpress_site',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,1357,NULL,0,NULL,NULL,NULL,'2021-12-29 20:57:08','2022-01-07 13:19:06'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1361,NULL,NULL,'MAJOR',0,209,167,NULL,'STEP_GROUP',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,901,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1362,'element Reject save credentials is enabled',NULL,'MINOR',1,209,NULL,20159,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\", \"SUCCESS\"]','enabled','raw','Reject save credentials',NULL,NULL,NULL,NULL,NULL,NULL,NULL,3,'CONDITION_IF',NULL,902,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1363,'Tap on Reject save credentials',NULL,'MAJOR',2,209,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'Reject save credentials',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,1362,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1364,'Verify that the element Wordpress_notNow is present',NULL,'MAJOR',3,209,NULL,20152,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','present','raw','Wordpress_notNow',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,903,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1365,'Verify that the element Dashboard_following displays text FOLLOWING',NULL,'MINOR',4,209,NULL,20027,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','FOLLOWING','raw','Dashboard_following',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,904,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1366,'element dashboard_discover is enabled',NULL,'MINOR',5,209,NULL,20159,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','enabled','raw','dashboard_discover',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1367,'Tap on dashboard_discover',NULL,'MAJOR',6,209,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'dashboard_discover',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,1366,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1368,'Tap on add_new_site',NULL,'MAJOR',7,209,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'add_new_site',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1369,'element add_wordpress_site is enabled',NULL,'MINOR',8,209,NULL,20159,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','enabled','raw','add_wordpress_site',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1370,'Tap on add_wordpress_site',NULL,'MAJOR',9,209,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'add_wordpress_site',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,1369,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1371,'Tap on Skip_button',NULL,'MAJOR',10,209,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'Skip_button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1372,'Verify that the element site_name is displayed',NULL,'MAJOR',11,209,NULL,20152,'ACTION_TEXT',NULL,NULL,'[]','displayed','raw','site_name',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1373,'Tap on site_name',NULL,'MAJOR',12,209,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'site_name',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1374,'Enter test123 in the site_name field',NULL,'MAJOR',13,209,NULL,20016,'ACTION_TEXT',NULL,NULL,'[]','test123','raw','site_name',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1375,'Tap on the search',NULL,'MAJOR',14,209,NULL,20155,'ACTION_TEXT',NULL,NULL,'[]','search','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1376,'Tap on site_radio_button',NULL,'MAJOR',15,209,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'site_radio_button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1377,'Tap on create_site',NULL,'MAJOR',16,209,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'create_site',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1378,'Store text from the element created_site_url into variable site_url',NULL,'MAJOR',17,209,NULL,20063,'ACTION_TEXT',NULL,NULL,'[]','site_url','raw','created_site_url',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1379,'Tap on ok_btn',NULL,'MAJOR',18,209,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'ok_btn',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1380,'Verify that the element site_url_validation displays text contains $| site_url|',NULL,'MAJOR',19,209,NULL,20092,'ACTION_TEXT',NULL,NULL,'[]','site_url','runtime','site_url_validation',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-29 21:53:42','2022-01-07 13:24:52'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1381,'Tap on Site_title_text',NULL,'MAJOR',2,172,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'Site_title_text',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-31 14:17:47','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1382,'Tap on the back button',NULL,'MAJOR',10,172,NULL,20090,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2021-12-31 14:24:33','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1383,'Tap on No_Thanks',NULL,'MAJOR',3,172,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'No_Thanks',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-01 17:16:15','2022-01-07 13:22:53'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1384,'Tap on Site_title_text',NULL,'MAJOR',2,171,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'Site_title_text',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-01 17:37:24','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1385,'Tap on No_Thanks',NULL,'MAJOR',3,171,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'No_Thanks',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-01 17:37:35','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1386,'Tap on create_a_post',NULL,'MAJOR',5,171,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'create_a_post',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-01 17:41:28','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1388,'Wait for 7 seconds',NULL,'MAJOR',13,170,NULL,20086,'ACTION_TEXT',NULL,NULL,'[]','7','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-01 18:09:08','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1389,'element blog_post is enabled',NULL,'MINOR',6,171,NULL,20159,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','enabled','raw','blog_post',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2022-01-01 18:19:06','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1390,'Tap on blog_post',NULL,'MAJOR',7,171,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'blog_post',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,1389,NULL,0,NULL,NULL,NULL,'2022-01-01 18:19:23','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1391,NULL,NULL,'MAJOR',17,170,169,NULL,'STEP_GROUP',NULL,NULL,'[]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-01 18:32:51','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1392,'Tap on None of the above',NULL,'MAJOR',5,170,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'None of the above',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,911,NULL,0,NULL,NULL,NULL,'2022-01-03 18:47:37','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1393,'Tap on Site_title_text',NULL,'MAJOR',15,170,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'Site_title_text',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-03 18:49:45','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1394,'Tap on No_Thanks',NULL,'MAJOR',16,170,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'No_Thanks',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-03 18:49:59','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1395,'element Wordpress_user is visible',NULL,'MINOR',8,170,NULL,20159,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','visible','raw','Wordpress_user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2022-01-03 19:33:48','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1396,'Enter @|Username| in the Wordpress_user field',NULL,'MAJOR',9,170,NULL,20016,'ACTION_TEXT',NULL,NULL,'[]','Username','parameter','Wordpress_user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,1395,NULL,0,NULL,NULL,NULL,'2022-01-03 19:34:13','2022-01-07 13:21:35'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1397,'Launch App',NULL,'MAJOR',0,210,NULL,30001,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-04 15:57:57','2022-01-07 14:01:43'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1398,'Verify that the element login button is displayed',NULL,'MAJOR',1,210,NULL,30146,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','displayed','raw','login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-04 15:57:57','2022-01-07 14:01:43'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1399,'Tap on login button',NULL,'MAJOR',2,210,NULL,30073,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-04 15:57:57','2022-01-07 14:01:43'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1408,'Enter @|Username| in the email field',NULL,'MAJOR',3,210,NULL,30016,'ACTION_TEXT',NULL,NULL,'[]','Username','parameter','email',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-04 15:59:11','2022-01-07 14:01:43'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1409,'Verify that the element next is enabled',NULL,'MAJOR',4,210,NULL,30146,'ACTION_TEXT',NULL,NULL,'[]','enabled','raw','next',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-04 15:59:35','2022-01-07 14:01:43'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1410,'Tap on next',NULL,'MAJOR',5,210,NULL,30073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'next',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-04 15:59:48','2022-01-07 14:01:43'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1411,'Verify that the element enter your password is present',NULL,'MAJOR',6,210,NULL,30146,'ACTION_TEXT',NULL,NULL,'[]','present','raw','enter your password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-04 16:00:13','2022-01-07 14:01:43'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1412,'Enter @|Password| in the enter your password field',NULL,'MAJOR',7,210,NULL,30016,'ACTION_TEXT',NULL,NULL,'[]','Password','parameter','enter your password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-04 16:00:33','2022-01-07 14:01:43'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1413,'Tap on next login',NULL,'MAJOR',8,210,NULL,30073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'next login',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-04 16:00:43','2022-01-07 14:01:43'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1416,'alert is visible',NULL,'MINOR',12,199,NULL,10208,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','visible','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,'CONDITION_IF',NULL,NULL,0,NULL,NULL,NULL,'2022-01-06 17:49:49','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1417,'Tap on OK button in the alert',NULL,'MAJOR',13,199,NULL,10196,'ACTION_TEXT',NULL,NULL,'[]','OK','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,1416,NULL,0,NULL,NULL,NULL,'2022-01-06 17:50:05','2022-01-07 14:09:29'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1418,'Navigate to http://travel.testsigma.com/',NULL,'MAJOR',0,211,NULL,1044,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','http://travel.testsigma.com/','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-06 21:41:08','2022-01-07 13:21:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1419,'Click on Login Icon',NULL,'MAJOR',1,211,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login Icon',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-06 21:41:08','2022-01-07 13:21:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1420,'Click on Login SImply Travel',NULL,'MAJOR',2,211,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login SImply Travel',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-06 21:41:08','2022-01-07 13:21:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1421,'Enter admin in the Username field',NULL,'MAJOR',3,211,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','admin','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-06 21:41:08','2022-01-07 13:21:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1422,'Enter 12345 in the Password field',NULL,'MAJOR',4,211,NULL,971,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]','12345','raw','Password',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-06 21:41:08','2022-01-07 13:21:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1423,'Click on Login button',NULL,'MAJOR',5,211,NULL,109,'ACTION_TEXT',NULL,NULL,'[\"SUCCESS\"]',NULL,NULL,'Login button',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-06 21:41:08','2022-01-07 13:21:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1424,'Verify that the element Username is enabled',NULL,'MINOR',6,211,NULL,1079,'ACTION_TEXT',NULL,NULL,'[]','enabled','raw','Username',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-06 21:41:08','2022-01-07 13:21:23'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1425,'Wait for 20 seconds',NULL,'MAJOR',13,171,NULL,20086,'ACTION_TEXT',NULL,NULL,'[]','20','raw',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-07 12:12:26','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1427,'Tap on Posts_search',NULL,'MAJOR',14,171,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'Posts_search',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-07 12:34:21','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1428,'Enter $| postname| in the posts_search_text field',NULL,'MAJOR',15,171,NULL,20016,'ACTION_TEXT',NULL,NULL,'[]','postname','runtime','posts_search_text',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-07 12:35:40','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1429,'Verify that the element post_name displays text $| postname|',NULL,'MAJOR',16,171,NULL,20027,'ACTION_TEXT',NULL,NULL,'[]','postname','runtime','post_name',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-07 12:37:44','2022-01-07 13:17:00'); INSERT INTO `test_steps` (`id`, `action`, `pre_requisite`, `priority`, `step_id`, `test_case_id`, `step_group_id`, `natural_text_action_id`, `type`, `kibbutz_test_data`, `kibbutz_elements`, `condition_if`, `test_data`, `test_data_type`, `element`, `attribute`, `for_loop_start_index`, `for_loop_end_index`, `for_loop_test_data_id`, `kibbutz_test_data_function`, `test_data_function_id`, `test_data_function_args`, `wait_time`, `condition_type`, `parent_id`, `copied_from`, `disabled`, `kibbutz_plugin_tdf_data`, `addon_natural_text_action_data`, `addon_action_id`, `created_date`, `updated_date`) VALUES (1430,'Tap on back_navigation',NULL,'MAJOR',18,171,NULL,20073,'ACTION_TEXT',NULL,NULL,'[]',NULL,NULL,'back_navigation',NULL,NULL,NULL,NULL,NULL,NULL,NULL,30,NULL,NULL,NULL,0,NULL,NULL,NULL,'2022-01-07 12:48:49','2022-01-07 13:17:00'); /*!40000 ALTER TABLE `test_steps` ENABLE KEYS */; UNLOCK TABLES;
<gh_stars>0 CREATE TABLE emp ( empname text PRIMARY KEY, salary integer ); CREATE TABLE emp_audit( operation char(1) NOT NULL, userid text NOT NULL, empname text NOT NULL, salary integer, stamp timestamp NOT NULL ); CREATE VIEW emp_view AS SELECT e.empname, e.salary, max(ea.stamp) AS last_updated FROM emp e LEFT JOIN emp_audit ea ON ea.empname = e.empname GROUP BY 1, 2; CREATE OR REPLACE FUNCTION update_emp_view() RETURNS TRIGGER AS $$ BEGIN -- -- Perform the required operation on emp, and create a row in emp_audit -- to reflect the change made to emp. -- IF (TG_OP = 'DELETE') THEN DELETE FROM emp WHERE empname = OLD.empname; IF NOT FOUND THEN RETURN NULL; END IF; OLD.last_updated = now(); INSERT INTO emp_audit VALUES('D', user, OLD.*); RETURN OLD; ELSIF (TG_OP = 'UPDATE') THEN UPDATE emp SET salary = NEW.salary WHERE empname = OLD.empname; IF NOT FOUND THEN RETURN NULL; END IF; NEW.last_updated = now(); INSERT INTO emp_audit VALUES('U', user, NEW.*); RETURN NEW; ELSIF (TG_OP = 'INSERT') THEN INSERT INTO emp VALUES(NEW.empname, NEW.salary); NEW.last_updated = now(); INSERT INTO emp_audit VALUES('I', user, NEW.*); RETURN NEW; END IF; END; $$ LANGUAGE plpgsql; CREATE TRIGGER emp_audit INSTEAD OF INSERT OR UPDATE OR DELETE ON emp_view FOR EACH ROW EXECUTE FUNCTION update_emp_view();
DROP DATABASE photoapi; CREATE DATABASE photoapi; \c photoapi; CREATE TABLE IF NOT EXISTS images ( id SERIAL PRIMARY KEY, img_url VARCHAR(250) NOT NULL, eventtype VARCHAR(50) NOT NULL ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/256737/pexels-photo-256737.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/794254/pexels-photo-794254.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/540522/pexels-photo-540522.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1024993/pexels-photo-1024993.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/931796/pexels-photo-931796.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1045541/pexels-photo-1045541.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/566454/pexels-photo-566454.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/265856/pexels-photo-265856.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/17834/pexels-photo.jpg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1311409/pexels-photo-1311409.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/169198/pexels-photo-169198.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/288008/pexels-photo-288008.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/752842/pexels-photo-752842.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/302051/pexels-photo-302051.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/265750/pexels-photo-265750.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/949224/pexels-photo-949224.jpeg?auto=compress&cs=tinysrgb&h=350', 'wedding' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/248797/pexels-photo-248797.jpeg', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/348523/pexels-photo-348523.jpeg', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/449627/pexels-photo-449627.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/237272/pexels-photo-237272.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/128458/pexels-photo-128458.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/17727/pexels-photo.jpg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/459252/pexels-photo-459252.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/66258/staniel-cay-swimming-pig-seagull-fish-66258.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/457878/pexels-photo-457878.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/462162/pexels-photo-462162.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/458917/pexels-photo-458917.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/634010/pexels-photo-634010.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/452738/pexels-photo-452738.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/723997/pexels-photo-723997.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/220418/pexels-photo-220418.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/634548/pexels-photo-634548.jpeg?auto=compress&cs=tinysrgb&h=350', 'beach' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1139317/pexels-photo-1139317.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/951289/pexels-photo-951289.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1184616/pexels-photo-1184616.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1184579/pexels-photo-1184579.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/935978/pexels-photo-935978.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1036626/pexels-photo-1036626.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/936024/pexels-photo-936024.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/935948/pexels-photo-935948.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/262485/pexels-photo-262485.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1371292/pexels-photo-1371292.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1152500/pexels-photo-1152500.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/355934/pexels-photo-355934.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/704767/pexels-photo-704767.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1139249/pexels-photo-1139249.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/256520/pexels-photo-256520.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1157557/pexels-photo-1157557.jpeg?auto=compress&cs=tinysrgb&h=350', 'graduation' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/843256/pexels-photo-843256.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/872756/pexels-photo-872756.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/356147/pexels-photo-356147.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/984949/pexels-photo-984949.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1066801/pexels-photo-1066801.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/935789/pexels-photo-935789.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1000445/pexels-photo-1000445.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/950780/pexels-photo-950780.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1207497/pexels-photo-1207497.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1391580/pexels-photo-1391580.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1385472/pexels-photo-1385472.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/220453/pexels-photo-220453.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/716411/pexels-photo-716411.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/999267/pexels-photo-999267.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1196274/pexels-photo-1196274.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1131575/pexels-photo-1131575.jpeg?auto=compress&cs=tinysrgb&h=350', 'poses' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/551628/pexels-photo-551628.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/160846/french-bulldog-summer-smile-joy-160846.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/825947/pexels-photo-825947.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/264206/pexels-photo-264206.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/56857/animal-cat-kitten-funny-56857.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/407082/dog-face-labrador-smile-407082.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/732456/pexels-photo-732456.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/5549/yellow-dog-pet-labrador-5549.jpg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/53813/pexels-photo-53813.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1334553/pexels-photo-1334553.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/209031/pexels-photo-209031.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1390762/pexels-photo-1390762.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/45170/kittens-cat-cat-puppy-rush-45170.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/39317/chihuahua-dog-puppy-cute-39317.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/162167/dog-cavalier-king-charles-spaniel-funny-pet-162167.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/850602/pexels-photo-850602.jpeg?auto=compress&cs=tinysrgb&h=350', 'pets' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/433527/pexels-photo-433527.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/157879/gift-jeans-fashion-pack-157879.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/206347/pexels-photo-206347.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1359294/pexels-photo-1359294.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/6203/food-sweet-cake-candles-6203.jpg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/851204/pexels-photo-851204.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/428124/pexels-photo-428124.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/226737/pexels-photo-226737.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/747782/pexels-photo-747782.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/226292/pexels-photo-226292.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/377058/pexels-photo-377058.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/35537/child-children-girl-happy.jpg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/804469/birthday-girl-party-confetti-804469.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/265987/pexels-photo-265987.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1071880/pexels-photo-1071880.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/12211/pexels-photo-12211.jpeg?auto=compress&cs=tinysrgb&h=350', 'birthdays' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/717988/pexels-photo-717988.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/280204/pexels-photo-280204.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/716658/pexels-photo-716658.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/728458/pexels-photo-728458.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1303088/pexels-photo-1303088.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/326581/pexels-photo-326581.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/688010/pexels-photo-688010.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/257910/pexels-photo-257910.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/749354/pexels-photo-749354.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/735809/pexels-photo-735809.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/281417/pexels-photo-281417.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/735423/pexels-photo-735423.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/6308/food-holiday-love-holidays.jpg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/351448/pexels-photo-351448.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/264995/pexels-photo-264995.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/259583/pexels-photo-259583.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/260470/pexels-photo-260470.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/247891/pexels-photo-247891.jpeg?auto=compress&cs=tinysrgb&h=350', 'christmas' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/6222/food-lunch-table-snack.jpg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/461198/pexels-photo-461198.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/46239/salmon-dish-food-meal-46239.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/958545/pexels-photo-958545.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/376464/pexels-photo-376464.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/2232/vegetables-italian-pizza-restaurant.jpg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/70497/pexels-photo-70497.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/106343/pexels-photo-106343.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/156114/pexels-photo-156114.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/691114/pexels-photo-691114.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/221143/pexels-photo-221143.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/162971/potatoes-french-mourning-funny-162971.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/236781/pexels-photo-236781.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/262978/pexels-photo-262978.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/533325/pexels-photo-533325.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/357743/pexels-photo-357743.jpeg?auto=compress&cs=tinysrgb&h=350', 'foods' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/2143/lights-party-dancing-music.jpg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/587741/pexels-photo-587741.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/274192/pexels-photo-274192.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/341858/pexels-photo-341858.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/787968/pexels-photo-787968.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/889545/pexels-photo-889545.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/415318/pexels-photo-415318.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1185440/pexels-photo-1185440.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/545058/pexels-photo-545058.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/358129/pexels-photo-358129.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/948199/pexels-photo-948199.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1047442/pexels-photo-1047442.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1304473/pexels-photo-1304473.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1260310/pexels-photo-1260310.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1089930/pexels-photo-1089930.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/1371178/pexels-photo-1371178.jpeg?auto=compress&cs=tinysrgb&h=350', 'parties' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/132037/pexels-photo-132037.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/414171/pexels-photo-414171.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/814499/pexels-photo-814499.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/371633/pexels-photo-371633.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/358482/pexels-photo-358482.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/210186/pexels-photo-210186.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/39811/pexels-photo-39811.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/36717/amazing-animal-beautiful-beautifull.jpg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/355423/pexels-photo-355423.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/35600/road-sun-rays-path.jpg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/247599/pexels-photo-247599.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/540518/pexels-photo-540518.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/417054/pexels-photo-417054.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/207962/pexels-photo-207962.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/51387/mount-everest-himalayas-nuptse-lhotse-51387.jpeg?auto=compress&cs=tinysrgb&h=350', 'landscape' ); INSERT INTO images (img_url, eventtype) VALUES ( 'https://images.pexels.com/photos/33688/delicate-arch-night-stars-landscape.jpg?auto=compress&cs=tinysrgb&h=350', 'landscape' );
<filename>src/main/resources/users.sql<gh_stars>0 create schema forest collate utf8_general_ci; --postgreSQL create table users ( email varchar(30) not null constraint users_pkey primary key, password varchar(80) not null, first_name varchar(15), last_name varchar(15), avatar varchar(50) default '/img/no-ava.png'::character varying ); alter table users owner to <PASSWORD>r; create table user_roles ( email varchar(30) not null, role_name varchar(15) not null, constraint user_roles_pkey primary key (email, role_name) ); create table tomcat_sessions ( session_id varchar(100) not null constraint tomcat_sessions_pkey primary key, valid_sessions char not null, max_inactive integer not null, last_access bigint not null, app_name varchar(255), session_data bytea ); create index kapp_name on tomcat_sessions (app_name);
<gh_stars>0 -- phpMyAdmin SQL Dump -- version 4.5.1 -- http://www.phpmyadmin.net -- -- Host: 127.0.0.1 -- Generation Time: Jun 19, 2018 at 08:33 AM -- Server version: 10.1.16-MariaDB -- PHP Version: 7.0.9 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: `datasoft_water_tank` -- -- -------------------------------------------------------- -- -- Table structure for table `tank_notification` -- CREATE TABLE `tank_notification` ( `device_id` int(3) NOT NULL, `notification` text NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `tank_notification` -- INSERT INTO `tank_notification` (`device_id`, `notification`) VALUES (1, 'Tank Id: 1 is Empty'), (3, 'Tank Id: 3 is Empty'); -- -------------------------------------------------------- -- -- Table structure for table `tank_status` -- CREATE TABLE `tank_status` ( `device_id` int(3) NOT NULL, `tank_status` int(1) NOT NULL, `owner` varchar(32) NOT NULL, `location` text NOT NULL, `expected_time_empty` int(3) NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- -- Dumping data for table `tank_status` -- INSERT INTO `tank_status` (`device_id`, `tank_status`, `owner`, `location`, `expected_time_empty`) VALUES (1, 0, 'Sakib', 'Rampura', 5), (2, 1, 'Real', 'Mirpur', 3), (3, 0, 'Hasan', 'Shamoli', 0), (4, 1, 'Nuha', 'Dhaka', 1), (5, 1, 'Apurba', 'Rampura', 8); /*!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>back/product-service/database/create_tables.sql USE product_service; CREATE TABLE `books` ( id INT AUTO_INCREMENT, title VARCHAR(30) NOT NULL, author VARCHAR(30) NOT NULL, stock INT NOT NULL, -- Properties PRIMARY KEY(id) ); CREATE TABLE `products` ( id INT AUTO_INCREMENT, name VARCHAR(30) NOT NULL, category VARCHAR(30) NOT NULL, price DECIMAL NOT NULL, stock INT NOT NULL, description VARCHAR(100), -- Properties PRIMARY KEY(id) );
<filename>queries/stackoverflow/q11/e73a7c26d012017b58ada7d220d2194b9471e0fc.sql SELECT COUNT(*) FROM tag as t, site as s, question as q, tag_question as tq WHERE t.site_id = s.site_id AND q.site_id = s.site_id AND tq.site_id = s.site_id AND tq.question_id = q.id AND tq.tag_id = t.id AND (s.site_name in ('stackoverflow')) AND (t.name in ('center','cloudera','core-audio','crontab','display','equality','glut','nstableview','text-editor','weblogic12c')) AND (q.view_count >= 10) AND (q.view_count <= 1000)
<gh_stars>0 CREATE DATABASE IF NOT EXISTS `wordpress` /*!40100 DEFAULT CHARACTER SET utf8 COLLATE utf8_unicode_ci */; USE `wordpress`; -- MySQL dump 10.13 Distrib 5.7.17, for macos10.12 (x86_64) -- -- Host: localhost Database: wordpress -- ------------------------------------------------------ -- Server version 5.7.20 /*!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 */; -- -- Table structure for table `wp_term_taxonomy` -- DROP TABLE IF EXISTS `wp_term_taxonomy`; /*!40101 SET @saved_cs_client = @@character_set_client */; /*!40101 SET character_set_client = utf8 */; CREATE TABLE `wp_term_taxonomy` ( `term_taxonomy_id` bigint(20) unsigned NOT NULL AUTO_INCREMENT, `term_id` bigint(20) unsigned NOT NULL DEFAULT '0', `taxonomy` varchar(32) NOT NULL DEFAULT '', `description` longtext NOT NULL, `parent` bigint(20) unsigned NOT NULL DEFAULT '0', `count` bigint(20) NOT NULL DEFAULT '0', PRIMARY KEY (`term_taxonomy_id`), UNIQUE KEY `term_id_taxonomy` (`term_id`,`taxonomy`), KEY `taxonomy` (`taxonomy`) ) ENGINE=InnoDB AUTO_INCREMENT=66 DEFAULT CHARSET=utf8; /*!40101 SET character_set_client = @saved_cs_client */; -- -- Dumping data for table `wp_term_taxonomy` -- LOCK TABLES `wp_term_taxonomy` WRITE; /*!40000 ALTER TABLE `wp_term_taxonomy` DISABLE KEYS */; INSERT INTO `wp_term_taxonomy` VALUES (1,1,'category','',0,3),(3,3,'post_format','',0,0),(16,16,'category','',0,0),(21,21,'category','',16,0),(34,34,'post_tag','',0,0),(57,57,'post_tag','',0,0),(64,64,'category','',0,0); /*!40000 ALTER TABLE `wp_term_taxonomy` 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 2018-11-12 11:34:38
<reponame>rustprooflabs/piws -- Deploy piws:007 to pg BEGIN; ALTER TABLE piws.observation_minute ADD node_unique_id TEXT NULL; ALTER TABLE piws.observation_minute DROP CONSTRAINT uq_observation_minute_datetime_sensor; ALTER TABLE piws.observation_minute ADD CONSTRAINT uq_observation_minute_datetime_sensor_with_id UNIQUE (sensor_id, calendar_id, time_id, sensor_name, node_unique_id); CREATE OR REPLACE FUNCTION piws.load_minute_observations() RETURNS boolean LANGUAGE sql SECURITY DEFINER SET search_path TO "piws, pg_temp" AS $function$ WITH obs AS ( SELECT o.observation_id FROM piws.observation o INNER JOIN public.calendar c ON o.calendar_id = c.calendar_id INNER JOIN public.time t ON o.time_id = t.time_id WHERE imported = False -- Either older than today... AND (c.datum != (NOW() AT TIME ZONE o.timezone)::DATE OR ( -- or today, but not *this* minute c.datum = (NOW() AT TIME ZONE o.timezone)::DATE AND to_char(t.timeofday + '2 minutes'::interval, 'HH24:MI') < to_char(NOW() AT TIME ZONE o.timezone, 'HH24:MI') ) ) ), obs_ds18b20_unflatten AS ( SELECT observation_id, sensor_id, calendar_id, time_id, timezone, (observation_rows->>jsonb_object_keys(observation_rows))::NUMERIC AS sensor_value, jsonb_object_keys(observation_rows) AS node_unique_id, 'ds18b20_t'::TEXT AS sensor_name FROM (SELECT o.observation_id, o.sensor_id, o.calendar_id, o.time_id, o.timezone, jsonb_array_elements(o.sensor_values -> 'ds18b20_t_uq') AS observation_rows FROM piws.observation o INNER JOIN obs a ON o.observation_id = a.observation_id WHERE o.sensor_values ->> 'ds18b20_t_uq' IS NOT NULL ) ds18b20_w_uq ), obs_detail AS ( SELECT o.sensor_id, o.calendar_id, o.time_id, o.timezone, 'dht11_h'::TEXT AS sensor_name, (o.sensor_values ->> 'dht11_h')::NUMERIC AS sensor_value, NULL AS node_unique_id FROM obs a INNER JOIN piws.observation o ON a.observation_id = o.observation_id UNION SELECT o.sensor_id, o.calendar_id, o.time_id, o.timezone, 'dht11_t'::TEXT AS sensor_name, (sensor_values ->> 'dht11_t')::NUMERIC AS sensor_value, NULL AS node_unique_id FROM obs a INNER JOIN piws.observation o ON a.observation_id = o.observation_id UNION SELECT o.sensor_id, o.calendar_id, o.time_id, o.timezone, 'ds18b20_t'::TEXT AS sensor_name, (o.sensor_values ->> 'ds18b20_t')::NUMERIC AS sensor_value, NULL AS node_unique_id FROM obs a INNER JOIN piws.observation o ON a.observation_id = o.observation_id AND (o.sensor_values ->> 'ds18b20_t')::NUMERIC != -127 -- Known bad sensor readings UNION SELECT o.sensor_id, o.calendar_id, o.time_id, o.timezone, o.sensor_name, o.sensor_value, o.node_unique_id FROM obs a INNER JOIN obs_ds18b20_unflatten o ON a.observation_id = o.observation_id AND o.sensor_value != -127 -- Known bad sensor reading ), minute_aggs AS ( SELECT o.sensor_id, o.calendar_id, to_char(t.timeofday, 'HH24:MI') AS hhmm, o.timezone, o.sensor_name, o.node_unique_id, ROUND(AVG(o.sensor_value), 2) AS sensor_value FROM obs_detail o INNER JOIN public.calendar c ON o.calendar_id = c.calendar_id INNER JOIN public.time t ON o.time_id = t.time_id GROUP BY o.sensor_id, o.calendar_id, to_char(t.timeofday, 'HH24:MI'), o.timezone, o.sensor_name, o.node_unique_id ) INSERT INTO piws.observation_minute (sensor_id, calendar_id, time_id, timezone, sensor_name, sensor_value, node_unique_id) SELECT a.sensor_id, a.calendar_id, t.time_id, a.timezone, a.sensor_name, a.sensor_value, a.node_unique_id FROM minute_aggs a INNER JOIN public.time t ON a.hhmm = to_char(t.timeofday, 'HH24:MI') AND t.second = 0 ON CONFLICT (sensor_id, calendar_id, time_id, sensor_name, node_unique_id) DO UPDATE SET sensor_value = EXCLUDED.sensor_value ; ----------------------------------------- ----------------------------------------- ----------------------------------------- WITH minute_obs AS ( SELECT DISTINCT m.sensor_id, c.calendar_id, to_char(t.timeofday, 'HH24:MI') AS hhmm FROM piws.observation_minute m INNER JOIN public.time t ON m.time_id = t.time_id INNER JOIN public.calendar c ON m.calendar_id = c.calendar_id ), not_imported AS ( -- NOW to convert this to a format matching the above SELECT o.observation_id, c.calendar_id, to_char(t.timeofday, 'HH24:MI') AS hhmm FROM piws.observation o INNER JOIN public.time t ON o.time_id = t.time_id INNER JOIN public.calendar c ON o.calendar_id = c.calendar_id WHERE imported = False ) UPDATE piws.observation AS o SET imported = True FROM not_imported n INNER JOIN minute_obs m ON m.calendar_id = n.calendar_id AND m.hhmm = n.hhmm WHERE o.observation_id = n.observation_id ; SELECT True; $function$ ; ------------------------------------------ ----------------------------------------- -- Remove the old constraint looking at just two columns ALTER TABLE piws.api_quarterhour_submitted DROP CONSTRAINT "uq_piws_api_quarterhour_submitted_end_15min_sensor_name" ; -- Add new column and updated UNIQUE index ALTER TABLE piws.api_quarterhour_submitted ADD node_unique_id TEXT NULL; ALTER TABLE piws.api_quarterhour_submitted ADD CONSTRAINT "uq_piws_api_quarterhour_submitted_end_15min_unique_sensor" UNIQUE (end_15min, sensor_name, node_unique_id) ; ----------------------------------------------- DROP VIEW piws.vquarterhoursummary; CREATE VIEW piws.vquarterhoursummary AS WITH "values" AS ( SELECT c.datum, t.hour, t.quarterhour, m.sensor_name, m.timezone, ((c.datum || ' '::text) || "right"(t.quarterhour, 5))::timestamp without time zone AS end_15min, round(avg(m.sensor_value), 2) AS sensor_value, m.node_unique_id FROM observation_minute m JOIN "time" t ON m.time_id = t.time_id JOIN calendar c ON m.calendar_id = c.calendar_id GROUP BY c.datum, t.hour, t.quarterhour, m.sensor_name, m.timezone, (((c.datum || ' '::text) || "right"(t.quarterhour, 5))::timestamp without time zone), m.node_unique_id ) SELECT v.datum, v.hour, v.quarterhour, v.sensor_name, v.node_unique_id, v.timezone, v.end_15min, v.sensor_value, CASE WHEN aqs.end_15min IS NOT NULL THEN 1 ELSE 0 END AS submitted_to_api FROM "values" v LEFT JOIN piws.api_quarterhour_submitted aqs ON v.end_15min = aqs.end_15min AND v.sensor_name = aqs.sensor_name AND COALESCE(v.node_unique_id, '') = COALESCE(aqs.node_unique_id, '') ORDER BY v.datum DESC, v.quarterhour DESC ; CREATE FUNCTION piws.mark_quarterhour_submitted( end_15min timestamp with time zone, sensor_name text, node_unique_id TEXT) RETURNS integer LANGUAGE sql SECURITY DEFINER SET search_path TO "piws, pg_temp" AS $function$ INSERT INTO piws.api_quarterhour_submitted(end_15min, sensor_name, node_unique_id) VALUES (end_15min, sensor_name, node_unique_id) RETURNING api_quarterhour_submitted_id $function$ ; COMMIT;
create table clubs(ID int(10) unsigned not null primary key auto_increment, NAME varchar(25) not null unique, RATING int(11) not null, LATITUDE decimal(19,14), LONGITUDE decimal(15,10), DESCRIPTION varchar(140), IMAGE varchar(60)); create table reviews(CLUB_ID int(10) unsigned not null,ID int(10) unsigned not null primary key auto_increment, NAME varchar(25) not null, RATING int(11) not null, DESCRIPTION varchar(140)); create table user(ID int(10) unsigned not null primary key auto_increment, USERNAME varchar(25) not null unique, EMAIL varchar(60) not null unique, PASS varchar(255), AGE int(11), GENDER varchar(10));
copy (select g.year as year, g.game_date as game_date, g.team_name as team, t.division as team_div, g.opponent_name as opponent, o.division as opponent_div, (case when g.location='@' then 'team_home' when g.location='vs.' then 'neutral' else 'missing' end) as site, g.team_score, g.opponent_score, (case when g.team_score>g.opponent_score then 1.0 when g.team_score<g.opponent_score then 0.0 when g.team_score=g.opponent_score then 0.5 end) as outcome from uscho.games g join uscho.teams t on (t.team_id,t.year)=(g.team_id,g.year) join uscho.teams o on (o.team_id,o.year)=(g.opponent_id,g.year) where TRUE --and g.year=2015 --and t.division='I' --and o.division='I' and g.team_score is not null and g.opponent_score is not null order by game_date) to '/tmp/uscho_games.csv' csv header;
<gh_stars>1-10 USE [TradeTracker] GO SET ANSI_NULLS ON GO SET QUOTED_IDENTIFIER ON GO CREATE PROCEDURE StoGetFilteredPositions @AccessKey CHAR(36) , @Skip INT = NULL , @Take INT = NULL , @Symbol VARCHAR(10) = NULL , @PositionType CHAR(1) = NULL , @OrderByField VARCHAR(25) = NULL , @OrderByDirection CHAR(1) = NULL AS /*------------------------------------------------------------------------- Name: StoGetFilteredPositions Description: Returns a filtered and paginated list of positions. Input: @AccessKey CHAR(36) @Skip INT @Take INT @PositionType CHAR(1) @OrderByField VARCHAR(25) @OrderByDirection CHAR(1) Output 1: Symbol VARCHAR(10) Quantity DECIMAL Output 2: PositionCount INT */------------------------------------------------------------------------- BEGIN --Reference names for valid Position Types DECLARE @TT_Long CHAR(1) = 'L'; DECLARE @TT_Short CHAR(1) = 'S'; --Reference names for valid Order By Fields DECLARE @OBF_Symbol VARCHAR(25) = 'Symbol'; DECLARE @OBF_Quantity VARCHAR(25) = 'Quantity'; DECLARE @OBF_Default VARCHAR(25) = @OBF_Quantity; --Reference names for valid Order By Directions DECLARE @OBD_Ascending CHAR(1) = 'A'; DECLARE @OBD_Descending CHAR(1) = 'D'; CREATE TABLE #Temp ( Symbol VARCHAR(10) , Quantity DECIMAL ); --Set pagination parameters IF @Skip IS NULL OR @Skip < 0 SET @Skip = 0; IF @Take IS NULL OR @Take < 0 SET @Skip = 25; --Set Position Type IF @PositionType IS NOT NULL BEGIN SET @PositionType = UPPER(@PositionType); SET @PositionType = CASE @PositionType WHEN @TT_Long THEN @TT_Long WHEN @TT_Short THEN @TT_Short ELSE NULL END; END; --Set Order By field IF @OrderByField IS NULL SET @OrderByField = @OBF_Default; ELSE BEGIN SET @OrderByField = UPPER(@OrderByField); SET @OrderByField = CASE @OrderByField WHEN UPPER(@OBF_Symbol) THEN @OBF_Symbol WHEN UPPER(@OBF_Quantity) THEN @OBF_Quantity ELSE @OBF_Default END; END; --Set Order By direction IF @OrderByDirection IS NULL BEGIN SET @OrderByDirection = CASE @OrderByField WHEN @OBF_Symbol THEN @OBD_Ascending WHEN @OBF_Quantity THEN @OBD_Descending ELSE @OBD_Ascending END; END; ELSE BEGIN SET @OrderByDirection = UPPER(@OrderByDirection); IF (@OrderByDirection != @OBD_Ascending AND @OrderByDirection != @OBD_Descending) BEGIN SET @OrderByDirection = CASE @OrderByField WHEN @OBF_Symbol THEN @OBD_Ascending WHEN @OBF_Quantity THEN @OBD_Descending ELSE @OBD_Ascending END; END; END; INSERT INTO #Temp ( Symbol , Quantity ) SELECT Symbol , Quantity FROM [Position] WHERE AccessKey = @AccessKey AND Symbol = CASE WHEN @Symbol IS NOT NULL THEN @Symbol ELSE Symbol END AND Quantity >= CASE @PositionType WHEN @TT_Long THEN 0 ELSE ABS(Quantity) END AND Quantity <= CASE @PositionType WHEN @TT_Short THEN 0 ELSE ABS(Quantity) END; SELECT Symbol , Quantity FROM #Temp ORDER BY CASE WHEN (@OrderByField = @OBF_Symbol AND @OrderByDirection = @OBD_Ascending) THEN Symbol END ASC, CASE WHEN (@OrderByField = @OBF_Symbol AND @OrderByDirection = @OBD_Descending) THEN Symbol END DESC, CASE WHEN (@OrderByField = @OBF_Quantity AND @OrderByDirection = @OBD_Ascending) THEN Quantity END ASC, CASE WHEN (@OrderByField = @OBF_Quantity AND @OrderByDirection = @OBD_Descending) THEN Quantity END DESC OFFSET @Skip ROWS FETCH NEXT @Take ROWS ONLY; SELECT COUNT(1) FROM #Temp; DROP TABLE #Temp; END GO
create table t (i int); alter table t add unique (i);
<filename>module-ext-datav/_sql/datav.sql /* Navicat MySQL Data Transfer Source Server : 172.16.17.32 Source Server Version : 50732 Source Host : 172.16.17.32:3306 Source Database : ry-vue Target Server Type : MYSQL Target Server Version : 50732 File Encoding : 65001 Date: 2020-12-11 16:12:00 */ SET FOREIGN_KEY_CHECKS=0; -- ---------------------------- -- Table structure for demo_book -- ---------------------------- DROP TABLE IF EXISTS `datav_chart`; CREATE TABLE `datav_chart` ( `id` int NOT NULL AUTO_INCREMENT COMMENT '主键' , `code` varchar(255) NULL COMMENT 'yyyy-MM编码' , `price` decimal(10,2) NULL COMMENT '价格' , PRIMARY KEY (`id`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; ALTER TABLE `datav_chart` ADD UNIQUE INDEX `uni_datav_chart_code` (`code`) USING BTREE ;
-- file:alter_table.sql ln:1399 expect:true ALTER TABLE check_fk_presence_2 DROP CONSTRAINT check_fk_presence_2_id_fkey
<gh_stars>0 -- Drop table if exists DROP TABLE dept_emp; -- Create new table CREATE TABLE dept_emp ( emp_no INT NOT NULL, dept_no VARCHAR NOT NULL ); -- View table columns and datatypes SELECT * FROM dept_emp;
# --- # --- !Ups alter table transaction_status add column mail_sent boolean default FALSE; alter table transaction_status alter column mail_sent set not null; # --- !Downs alter table transaction_status drop column mail_sent;
<gh_stars>0 -- phpMyAdmin SQL Dump -- version 5.0.1 -- https://www.phpmyadmin.net/ -- -- Máy chủ: 127.0.0.1 -- Thời gian đã tạo: Th3 24, 2020 lúc 02:25 PM -- Phiên bản máy phục vụ: 10.4.11-MariaDB -- Phiên bản PHP: 7.4.3 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 */; -- -- Cơ sở dữ liệu: `jtw_spring` -- -- -------------------------------------------------------- -- -- Cấu trúc bảng cho bảng `tb_role` -- CREATE TABLE `tb_role` ( `id` bigint(20) NOT NULL, `name` varchar(255) DEFAULT NULL ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -- Đang đổ dữ liệu cho bảng `tb_role` -- INSERT INTO `tb_role` (`id`, `name`) VALUES (2, 'ROLE_ADMIN'), (3, 'ROLE_MASTER'), (1, 'ROLE_USER'); -- -------------------------------------------------------- -- -- Cấu trúc bảng cho bảng `tb_user` -- CREATE TABLE `tb_user` ( `id` bigint(20) NOT NULL, `email` varchar(255) DEFAULT NULL, `password` varchar(255) DEFAULT NULL ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -- Đang đổ dữ liệu cho bảng `tb_user` -- INSERT INTO `tb_user` (`id`, `email`, `password`) VALUES (1, '<EMAIL>', <PASSWORD>'); -- -------------------------------------------------------- -- -- Cấu trúc bảng cho bảng `user_role` -- CREATE TABLE `user_role` ( `member_id` bigint(20) NOT NULL, `role_id` bigint(20) NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -- Đang đổ dữ liệu cho bảng `user_role` -- INSERT INTO `user_role` (`member_id`, `role_id`) VALUES (1, 1); -- -- Chỉ mục cho các bảng đã đổ -- -- -- Chỉ mục cho bảng `tb_role` -- ALTER TABLE `tb_role` ADD PRIMARY KEY (`id`), ADD UNIQUE KEY `UK_1ncmoedv5ta7r19y9d4oidn0y` (`name`); -- -- Chỉ mục cho bảng `tb_user` -- ALTER TABLE `tb_user` ADD PRIMARY KEY (`id`), ADD UNIQUE KEY `UK_4vih17mube9j7cqyjlfbcrk4m` (`email`); -- -- Chỉ mục cho bảng `user_role` -- ALTER TABLE `user_role` ADD PRIMARY KEY (`member_id`,`role_id`), ADD KEY `FKeayxeqvq6j9yuf6ogfgvr9u6` (`role_id`); -- -- AUTO_INCREMENT cho các bảng đã đổ -- -- -- AUTO_INCREMENT cho bảng `tb_role` -- ALTER TABLE `tb_role` MODIFY `id` bigint(20) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=4; -- -- AUTO_INCREMENT cho bảng `tb_user` -- ALTER TABLE `tb_user` MODIFY `id` bigint(20) NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=2; -- -- Các ràng buộc cho các bảng đã đổ -- -- -- Các ràng buộc cho bảng `user_role` -- ALTER TABLE `user_role` ADD CONSTRAINT `FKeayxeqvq6j9yuf6ogfgvr9u6` FOREIGN KEY (`role_id`) REFERENCES `tb_role` (`id`), ADD CONSTRAINT `FKnhigylwcoqaspcjjbrko108xy` FOREIGN KEY (`member_id`) REFERENCES `tb_user` (`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 */;
<reponame>scott-confluent/kafka-tutorials INSERT INTO customers (customer_id, first_name, last_name, email, gender, income, fico) VALUES (1,'Waylen','Tubble','<EMAIL>','Male',403646, 465); INSERT INTO customers (customer_id, first_name, last_name, email, gender, income, fico) VALUES (2,'Joell','Wilshin','<EMAIL>','Female',109825, 705); INSERT INTO customers (customer_id, first_name, last_name, email, gender, income, fico) VALUES (3,'Ilaire','Latus','<EMAIL>','Male',407964, 750); INSERT INTO offers (offer_id, offer_name, offer_url) VALUES (1,'new_savings','http://google.com.br/magnis/dis/parturient.json'); INSERT INTO offers (offer_id, offer_name, offer_url) VALUES (2,'new_checking','https://earthlink.net/in/ante.js'); INSERT INTO offers (offer_id, offer_name, offer_url) VALUES (3,'new_home_loan','https://webs.com/in/ante.jpg'); INSERT INTO offers (offer_id, offer_name, offer_url) VALUES (4,'new_auto_loan','http://squidoo.com/venenatis/non/sodales/sed/tincidunt/eu.js'); INSERT INTO offers (offer_id, offer_name, offer_url) VALUES (5,'no_offer','https://ezinearticles.com/ipsum/primis/in/faucibus/orci/luctus.html'); INSERT INTO customer_activity_stream (customer_id, activity_id, ip_address, activity_type, propensity_to_buy) VALUES (1, 1,'172.16.58.3','branch_visit',0.4); INSERT INTO customer_activity_stream (customer_id, activity_id, ip_address, activity_type, propensity_to_buy) VALUES (2, 2,'172.16.58.3','deposit',0.56); INSERT INTO customer_activity_stream (customer_id, activity_id, ip_address, activity_type, propensity_to_buy) VALUES (3, 3,'172.16.17.32','web_open',0.33); INSERT INTO customer_activity_stream (customer_id, activity_id, ip_address, activity_type, propensity_to_buy) VALUES (1, 4,'192.168.127.12','deposit',0.41); INSERT INTO customer_activity_stream (customer_id, activity_id, ip_address, activity_type, propensity_to_buy) VALUES (2, 5,'172.16.31.10','deposit',0.44); INSERT INTO customer_activity_stream (customer_id, activity_id, ip_address, activity_type, propensity_to_buy) VALUES (3, 6,'172.16.58.3','web_open',0.33); INSERT INTO customer_activity_stream (customer_id, activity_id, ip_address, activity_type, propensity_to_buy) VALUES (1, 7,'172.16.17.32','mobile_open',0.97); INSERT INTO customer_activity_stream (customer_id, activity_id, ip_address, activity_type, propensity_to_buy) VALUES (2, 8,'172.16.31.10','deposit',0.83); INSERT INTO customer_activity_stream (customer_id, activity_id, ip_address, activity_type, propensity_to_buy) VALUES (3, 9,'172.16.31.10','deposit',0.86); INSERT INTO customer_activity_stream (customer_id, activity_id, ip_address, activity_type, propensity_to_buy) VALUES (1, 10,'248.248.0.78','new_account',0.14);
#1 select l_returnflag, l_linestatus, sum(l_quantity) as sum_qty, sum(l_extendedprice) as sum_base_price, sum(l_extendedprice * (1 - l_discount)) as sum_disc_price, sum(l_extendedprice * (1 - l_discount) * (1 + l_tax)) as sum_charge, avg(l_quantity) as avg_qty, avg(l_extendedprice) as avg_price, avg(l_discount) as avg_disc, count(*) as count_order from lineitem where l_shipdate <= date_sub('1998-12-01', interval 107 day) group by l_returnflag, l_linestatus order by l_returnflag, l_linestatus; #2 select s_acctbal, s_name, n_name, p_partkey, p_mfgr, s_address, s_phone, s_comment from part, supplier, partsupp pso, nation, region where p_partkey = pso.ps_partkey and s_suppkey = pso.ps_suppkey and p_size = 6 and p_type like '%COPPER' and s_nationkey = n_nationkey and n_regionkey = r_regionkey and r_name = 'MIDDLE EAST' and pso.ps_supplycost = ( select min(psi.ps_supplycost) from partsupp psi, supplier, nation, region where pso.ps_partkey = psi.ps_partkey and s_suppkey = psi.ps_suppkey and s_nationkey = n_nationkey and n_regionkey = r_regionkey and r_name = 'MIDDLE EAST' ) order by s_acctbal desc, n_name, s_name, p_partkey LIMIT 100; #3 select l_orderkey, sum(l_extendedprice * (1 - l_discount)) as revenue, o_orderdate, o_shippriority from customer, orders, lineitem where c_mktsegment = 'HOUSEHOLD' and c_custkey = o_custkey and l_orderkey = o_orderkey and o_orderdate < '1995-03-08' and l_shipdate > '1995-03-08' group by l_orderkey, o_orderdate, o_shippriority order by revenue desc, o_orderdate LIMIT 10; #4 select o_orderpriority, count(*) as order_count from orders where o_orderdate >= date '1995-06-01' and o_orderdate < date_add( '1995-06-01', interval 3 month) and exists ( select * from lineitem where l_orderkey = o_orderkey and l_commitdate < l_receiptdate ) group by o_orderpriority order by o_orderpriority; #5 #-- using 2789106269 as a seed to the RNG #-- Edited to run in CNX. Added "+ 0" so that CNX will see that the condition as a cross table comparison rather #-- than a join to avoid the circular join error. select n_name, sum(l_extendedprice * (1 - l_discount)) as revenue from customer, orders, lineitem, supplier, nation, region where c_custkey = o_custkey and l_orderkey = o_orderkey and l_suppkey = s_suppkey and c_nationkey = s_nationkey + 0 and s_nationkey = n_nationkey and n_regionkey = r_regionkey and r_name = 'AMERICA' and o_orderdate >= '1993-01-01' and o_orderdate < date_add( '1993-01-01' , interval 1 year) group by n_name order by revenue desc; #6 select sum(l_extendedprice * l_discount) as revenue from lineitem where l_shipdate >= '1995-01-01' and l_shipdate < date_add( '1995-01-01' , interval 1 year) and l_discount between 0.06 - 0.01 and 0.06 + 0.01 and l_quantity < 24; #7 select supp_nation, cust_nation, l_year, sum(volume) as revenue from ( select n1.n_name as supp_nation, n2.n_name as cust_nation, year(l_shipdate) as l_year, l_extendedprice * (1 - l_discount) as volume from supplier, lineitem, orders, customer, nation n1, nation n2 where s_suppkey = l_suppkey and o_orderkey = l_orderkey and c_custkey = o_custkey and s_nationkey = n1.n_nationkey and c_nationkey = n2.n_nationkey and ( (n1.n_name = 'ETHIOPIA' and n2.n_name = 'JORDAN') or (n1.n_name = 'JORDAN' and n2.n_name = 'ETHIOPIA') ) and l_shipdate between date('1995-01-01') and date('1996-12-31') ) as shipping group by supp_nation, cust_nation, l_year order by supp_nation, cust_nation, l_year; #8 select o_year, sum(case when nation = 'UNITED STATES' then volume else 0 end) / sum(volume) as mkt_share from ( select year(o_orderdate) as o_year, l_extendedprice * (1 - l_discount) as volume, n2.n_name as nation from part, supplier, lineitem, orders, customer, nation n1, nation n2, region where p_partkey = l_partkey and s_suppkey = l_suppkey and l_orderkey = o_orderkey and o_custkey = c_custkey and c_nationkey = n1.n_nationkey and n1.n_regionkey = r_regionkey and r_name = 'AMERICA' and s_nationkey = n2.n_nationkey and o_orderdate between date('1995-01-01') and date ('1996-12-31') and p_type = 'LARGE PLATED COPPER' ) as all_nations group by o_year order by o_year; #9 select nation, o_year, sum(amount) as sum_profit from ( select n_name as nation, year(o_orderdate) as o_year, l_extendedprice * (1 - l_discount) - ps_supplycost * l_quantity as amount from part, supplier, lineitem, partsupp, orders, nation where s_suppkey = l_suppkey and ps_suppkey = l_suppkey and ps_partkey = l_partkey and p_partkey = l_partkey and o_orderkey = l_orderkey and s_nationkey = n_nationkey and p_name like '%gainsboro%' ) as profit group by nation, o_year order by nation, o_year desc; #10 select c_custkey, c_name, sum(l_extendedprice * (1 - l_discount)) as revenue, c_acctbal, n_name, c_address, c_phone, c_comment from customer, orders, lineitem, nation where c_custkey = o_custkey and l_orderkey = o_orderkey and o_orderdate >= '1994-12-01' and o_orderdate < date_add( '1994-12-01' , interval 3 month) and l_returnflag = 'R' and c_nationkey = n_nationkey group by c_custkey, c_name, c_acctbal, c_phone, n_name, c_address, c_comment order by revenue desc LIMIT 20; #11 select ps_partkey, sum(ps_supplycost * ps_availqty) as value from partsupp, supplier, nation where ps_suppkey = s_suppkey and s_nationkey = n_nationkey and n_name = 'PERU' group by ps_partkey having sum(ps_supplycost * ps_availqty) > ( select sum(ps_supplycost * ps_availqty) * 0.0001000000 from partsupp, supplier, nation where ps_suppkey = s_suppkey and s_nationkey = n_nationkey and n_name = 'PERU' ) order by value desc; #12 select l_shipmode, sum(case when o_orderpriority = '1-URGENT' or o_orderpriority = '2-HIGH' then 1 else 0 end) as high_line_count, sum(case when o_orderpriority <> '1-URGENT' and o_orderpriority <> '2-HIGH' then 1 else 0 end) as low_line_count from orders, lineitem where o_orderkey = l_orderkey and l_shipmode in ('REG AIR', 'RAIL') and l_commitdate < l_receiptdate and l_shipdate < l_commitdate and l_receiptdate >= '1994-01-01' and l_receiptdate < date_add( '1994-01-01' , interval 1 year) group by l_shipmode order by l_shipmode; #13 select c_count, count(*) as custdist from ( select c_custkey, count(o_orderkey) as c_count from customer left outer join orders on c_custkey = o_custkey and o_comment not like '%special%requests%' group by c_custkey ) as c_orders group by c_count order by custdist desc, c_count desc; #14 select 100.00 * sum(case when p_type like 'PROMO%' then l_extendedprice * (1 - l_discount) else 0 end) / sum(l_extendedprice * (1 - l_discount)) as promo_revenue from lineitem, part where l_partkey = p_partkey and l_shipdate >= '1995-02-01' and l_shipdate < date_add( '1995-02-01' , interval 1 month); #15 create or replace view revenue0 (supplier_no, total_revenue) as select l_suppkey, sum(l_extendedprice * (1 - l_discount)) from lineitem where l_shipdate >= '1993-03-01' and l_shipdate < date_add('1993-03-01', interval 90 day) group by l_suppkey; select s_suppkey, s_name, s_address, s_phone, total_revenue from supplier, revenue0 where s_suppkey = supplier_no and total_revenue = ( select max(total_revenue) from revenue0 ) order by s_suppkey; drop view revenue0; #16 select p_brand, p_type, p_size, count(distinct ps_suppkey) as supplier_cnt from partsupp, part where p_partkey = ps_partkey and p_brand <> 'Brand#25' and p_type not like 'MEDIUM BRUSHED%' and p_size in (1, 37, 22, 30, 12, 26, 39, 43) and ps_suppkey not in ( select s_suppkey from supplier where s_comment like '%Customer%Complaints%' ) group by p_brand, p_type, p_size order by supplier_cnt desc, p_brand, p_type, p_size; #17 #-- using 3216788137 as a seed to the RNG #-- Modified version to conform to our current 1.1 supported syntax where additional comparisons between a subquery and an outer #-- query must be against the table that is being semi-joined. select sum(l_extendedprice) / 7.0 as avg_yearly from lineitem lo, part where p_partkey = l_partkey and p_brand = 'Brand#15' and p_container = 'JUMBO PACK' and l_quantity < ( select 0.2 * avg(l_quantity) from lineitem where l_partkey = lo.l_partkey ); #18 select c_name, c_custkey, o_orderkey, o_orderdate, o_totalprice, sum(l_quantity) from customer, orders, lineitem where o_orderkey in ( select l_orderkey from lineitem group by l_orderkey having sum(l_quantity) > 314 ) and c_custkey = o_custkey and o_orderkey = l_orderkey group by c_name, c_custkey, o_orderkey, o_orderdate, o_totalprice order by o_totalprice desc, o_orderdate LIMIT 100; #19 #-- using 1856412683 as a seed to the RNG #-- Edited to run in CNX. Moved p_partkey = l_partkey join outside of the or conditions. select sum(l_extendedprice* (1 - l_discount)) as revenue from lineitem, part where p_partkey = l_partkey and (( p_brand = 'Brand#35' and p_container in ('SM CASE', 'SM BOX', 'SM PACK', 'SM PKG') and l_quantity >= 8 and l_quantity <= 8+10 and p_size between 1 and 5 and l_shipmode in ('AIR', 'AIR REG') and l_shipinstruct = 'DELIVER IN PERSON' ) or ( p_brand = 'Brand#34' and p_container in ('MED BAG', 'MED BOX', 'MED PKG', 'MED PACK') and l_quantity >= 16 and l_quantity <= 16+10 and p_size between 1 and 10 and l_shipmode in ('AIR', 'AIR REG') and l_shipinstruct = 'DELIVER IN PERSON' ) or ( p_brand = 'Brand#33' and p_container in ('LG CASE', 'LG BOX', 'LG PACK', 'LG PKG') and l_quantity >= 22 and l_quantity <= 22+10 and p_size between 1 and 15 and l_shipmode in ('AIR', 'AIR REG') and l_shipinstruct = 'DELIVER IN PERSON' )); #20 select s_name, s_address from supplier, nation where s_suppkey in ( select distinct (ps_suppkey) from partsupp, part where ps_partkey=p_partkey and p_name like 'goldenrod%' and ps_availqty > ( select 0.5 * sum(l_quantity) from lineitem where l_partkey = ps_partkey and l_suppkey = ps_suppkey and l_shipdate >= '1993-01-01' and l_shipdate < date_ADD('1993-01-01',interval 1 year) ) ) and s_nationkey = n_nationkey and n_name = 'IRAN' order by s_name; #21 select s_name, count(*) as numwait from supplier, lineitem l1, orders, nation where s_suppkey = l1.l_suppkey and o_orderkey = l1.l_orderkey and o_orderstatus = 'F' and l1.l_receiptdate > l1.l_commitdate and exists ( select * from lineitem l2 where l2.l_orderkey = l1.l_orderkey and l2.l_suppkey <> l1.l_suppkey ) and not exists ( select * from lineitem l3 where l3.l_orderkey = l1.l_orderkey and l3.l_suppkey <> l1.l_suppkey and l3.l_receiptdate > l3.l_commitdate ) and s_nationkey = n_nationkey and n_name = 'EGYPT' group by s_name order by numwait desc, s_name LIMIT 100; #22 select cntrycode, count(*) as numcust, sum(c_acctbal) as totacctbal from ( select substr(c_phone, 1, 2) as cntrycode, c_acctbal from customer where substr(c_phone, 1, 2) in ('30', '18', '15', '17', '19', '16', '27') and c_acctbal > ( select avg(c_acctbal) from customer where c_acctbal > 0.00 and substr(c_phone, 1, 2) in ('30', '18', '15', '17', '19', '16', '27') ) and not exists ( select * from orders where o_custkey = c_custkey ) ) as vip group by cntrycode order by cntrycode;
DROP TABLE IF EXISTS mdl_elp_progress_data; CREATE VIEW `mdl_elp_progress_data` AS select `gg`.`userid` AS `userid`,`gi`.`courseid` AS `courseid`,`gc`.`id` AS `categoryid`,`gci`.`idnumber` AS `category_type`,round(sum(100 * `gg`.`finalgrade` / `gi`.`grademax` * `gi`.`aggregationcoef2` * `gci`.`aggregationcoef2`),2) AS `course_contribution`,round(sum(`gg`.`finalgrade`),2) AS `category_raw`,round(sum(`gg`.`finalgrade` / `gi`.`grademax` * `gi`.`aggregationcoef2`) * (select sum(`mdl_grade_items`.`grademax`) from `mdl_grade_items` where `mdl_grade_items`.`categoryid` = `gc`.`id` and `mdl_grade_items`.`gradetype` = 1),2) AS `category_mark`,round(sum(100 * `gg`.`finalgrade` / `gi`.`grademax` * `gi`.`aggregationcoef2`),2) AS `category_percent`,(select count(`mdl_grade_items`.`id`) from `mdl_grade_items` where `mdl_grade_items`.`categoryid` = `gc`.`id` and `mdl_grade_items`.`gradetype` = 1) AS `category_items`,count(`gg`.`id`) AS `items_taken`,sum(if(`gg`.`finalgrade` >= `gi`.`gradepass`,1,0)) AS `items_passed`,if(`gci`.`gradepass` = 0,1,if(round(sum(`gg`.`finalgrade` / `gi`.`grademax` * `gi`.`aggregationcoef2`) * (select sum(`mdl_grade_items`.`grademax`) from `mdl_grade_items` where `mdl_grade_items`.`categoryid` = `gc`.`id` and `mdl_grade_items`.`gradetype` = 1),2) >= `gci`.`gradepass`,2,0)) AS `category_passed`,max(`gg`.`timemodified`) AS `lastdate` from (((`mdl_grade_categories` `gc` join `mdl_grade_items` `gci` on(`gci`.`iteminstance` = `gc`.`id` and `gci`.`itemtype` = 'category')) join `mdl_grade_items` `gi` on(`gc`.`id` = `gi`.`categoryid`)) join `mdl_grade_grades` `gg` on(`gi`.`id` = `gg`.`itemid`)) where `gg`.`finalgrade` is not null and `gci`.`idnumber` regexp '^PDV_...$' and `gi`.`gradetype` = 1 group by `gg`.`userid`,`gi`.`courseid`,`gc`.`id`;
<reponame>tharangar/k8s-webserver -- system_patches INSERT INTO `system_patches` (`issue`, `created`) VALUES ('POCOR-3714', NOW()); ALTER TABLE `system_errors` ADD `code` INT(5) NOT NULL AFTER `id`; ALTER TABLE `system_errors` ADD `request_method` VARCHAR(10) NOT NULL AFTER `error_message`; ALTER TABLE `system_errors` ADD `server_info` TEXT NOT NULL AFTER `stack_trace`; CREATE TABLE `z_3714_config_product_lists` LIKE `config_product_lists`; INSERT INTO `z_3714_config_product_lists` SELECT * FROM `config_product_lists`; Update `config_product_lists` SET `auto_login_url` = CONCAT(TRIM(TRAILING '/' FROM `auto_login_url`), '/'), `auto_logout_url` = CONCAT(TRIM(TRAILING '/' FROM `auto_logout_url`), '/') WHERE `deletable` = 0;
<reponame>llsand/orcas create table tab_mod_new ( col_add_ix_1 number(15) not null, primary key (col_add_ix_1) ); create materialized view log on tab_mod_new with primary key purge immediate asynchronous; create table tab_mod_immediate ( col_add_ix_1 number(15) not null, primary key (col_add_ix_1) ); create materialized view log on tab_mod_immediate with primary key purge immediate; create table tab_mod_asynchronous ( col_add_ix_1 number(15) not null, primary key (col_add_ix_1) ); create materialized view log on tab_mod_asynchronous with primary key purge immediate asynchronous; create table tab_mod_sw_new ( col_add_ix_1 number(15) not null, primary key (col_add_ix_1) ); create materialized view log on tab_mod_sw_new with primary key purge start with to_date('31.10.14','dd.mm.yy'); create table tab_mod_sw ( col_add_ix_1 number(15) not null, primary key (col_add_ix_1) ); create materialized view log on tab_mod_sw with primary key purge start with to_date('31.10.15','dd.mm.yy'); create table tab_mod_nsw_new ( col_add_ix_1 number(15) not null, primary key (col_add_ix_1) ); create materialized view log on tab_mod_nsw_new with primary key purge start with to_date('31.10.14','dd.mm.yy') next to_date('30.11.14','dd.mm.yy'); create table tab_mod_nsw ( col_add_ix_1 number(15) not null, primary key (col_add_ix_1) ); create materialized view log on tab_mod_nsw with primary key purge start with to_date('31.10.14','dd.mm.yy') next to_date('30.11.15','dd.mm.yy'); create table tab_mod_int_new ( col_add_ix_1 number(15) not null, primary key (col_add_ix_1) ); create materialized view log on tab_mod_int_new with primary key purge start with to_date('31.10.14','dd.mm.yy') repeat interval 3; create table tab_mod_int ( col_add_ix_1 number(15) not null, primary key (col_add_ix_1) ); create materialized view log on tab_mod_int with primary key purge start with to_date('31.10.14','dd.mm.yy') repeat interval 2;
<gh_stars>10-100 ALTER TABLE messages ADD COLUMN state VARCHAR(64); UPDATE messages SET state="pending" WHERE confirmed IS NULL; UPDATE messages SET state="confirmed" WHERE confirmed IS NOT NULL AND rejected=false; UPDATE messages SET state="rejected" WHERE confirmed IS NOT NULL AND rejected=true; ALTER TABLE messages DROP COLUMN local; ALTER TABLE messages DROP COLUMN rejected;
-- -- PostgreSQL database dump -- -- Dumped from database version 9.6.2 -- Dumped by pg_dump version 9.6.2 SET statement_timeout = 0; SET lock_timeout = 0; SET idle_in_transaction_session_timeout = 0; SET client_encoding = 'UTF8'; SET standard_conforming_strings = ON; SET check_function_bodies = FALSE; SET client_min_messages = warning; SET row_security = off; -- -- Name: plpgsql; Type: EXTENSION; Schema: -; Owner: -- CREATE EXTENSION IF NOT EXISTS plpgsql WITH SCHEMA pg_catalog; -- -- Name: EXTENSION plpgsql; Type: COMMENT; Schema: -; Owner: -- COMMENT ON EXTENSION plpgsql IS 'PL/pgSQL procedural language'; SET search_path = public, pg_catalog; -- -- Name: add(integer, integer); Type: FUNCTION; Schema: public; Owner: gilles -- CREATE FUNCTION ADD (integer, integer) RETURNS integer LANGUAGE sql IMMUTABLE STRICT AS $_$ SELECT $1 + $2; $_$; ALTER FUNCTION public.add (integer, integer) OWNER TO gilles; -- -- Name: check_password(text, text, text, text, text, text, text, text, text, text, text, text, text, text, text, text, text, text); Type: FUNCTION; Schema: public; Owner: gilles -- CREATE FUNCTION check_password (uname1 text, pass1 text, uname2 text, pass2 text, uname3 text, pass3 text, uname4 text, pass4 text, uname5 text, pass5 text, uname6 text, pass6 text, uname7 text, pass7 text, uname8 text, pass8 text, uname9 text, pass9 text) RETURNS boolean LANGUAGE plpgsql SECURITY DEFINER SET search_path TO admin, pg_temp AS $_$ DECLARE passed BOOLEAN; BEGIN SELECT (pwd = $2) INTO passed FROM pwds WHERE username = $1; RETURN passed; END; $_$; ALTER FUNCTION public.check_password (uname1 text, pass1 text, uname2 text, pass2 text, uname3 text, pass3 text, uname4 text, pass4 text, uname5 text, pass5 text, uname6 text, pass6 text, uname7 text, pass7 text, uname8 text, pass8 text, uname9 text, pass9 text) OWNER TO gilles; -- -- Name: dup(integer); Type: FUNCTION; Schema: public; Owner: gilles -- CREATE FUNCTION dup (integer, OUT f1 integer, OUT f2 text) RETURNS record LANGUAGE sql AS $_$ SELECT $1, CAST($1 AS text) || ' is text' $_$; ALTER FUNCTION public.dup (integer, OUT f1 integer, OUT f2 text) OWNER TO gilles; -- -- Name: increment(integer); Type: FUNCTION; Schema: public; Owner: gilles -- CREATE FUNCTION INCREMENT (i integer) RETURNS integer LANGUAGE plpgsql AS $$ BEGIN RETURN i + 1; END; $$; ALTER FUNCTION public.increment (i integer) OWNER TO gilles; -- -- Name: peuple_stock(integer, integer); Type: FUNCTION; Schema: public; Owner: userdb -- CREATE FUNCTION peuple_stock (annee_debut integer, annee_fin integer) RETURNS bigint LANGUAGE plpgsql AS $$ DECLARE v_annee integer; v_nombre integer; v_contenant_id integer; v_vin_id integer; compteur bigint := 0; annees integer; contenants integer; vins integer; tuples_a_generer integer; BEGIN -- vider la table de stock TRUNCATE TABLE stock; -- calculer le nombre d'annees SELECT (annee_fin - annee_debut) + 1 INTO annees; -- nombre de contenants SELECT count(*) FROM contenant INTO contenants; -- nombre de vins SELECT count(*) FROM vin INTO vins; -- calcul des combinaisons SELECT annees * contenants * vins INTO tuples_a_generer; --on boucle sur tous les millesimes: disons 1930 a 2000 -- soit 80 annees FOR v_annee IN annee_debut..annee_fin LOOP -- on boucle sur les contenants possibles FOR v_contenant_id IN 1..contenants LOOP -- idem pour l'id du vin FOR v_vin_id IN 1..vins LOOP -- on prends un nombre de bouteilles compris entre 6 et 18 SELECT round(random() * 12) + 6 INTO v_nombre; -- insertion dans la table de stock INSERT INTO stock (vin_id, contenant_id, annee, nombre) VALUES (v_vin_id, v_contenant_id, v_annee, v_nombre); IF (((compteur % 1000) = 0) OR (compteur = tuples_a_generer)) THEN raise notice 'stock : % sur % tuples generes', compteur, tuples_a_generer; END IF; compteur := compteur + 1; END LOOP; --fin boucle vin END LOOP; -- fin boucle contenant END LOOP; --fin boucle annee RETURN compteur; END; $$; ALTER FUNCTION public.peuple_stock (annee_debut integer, annee_fin integer) OWNER TO userdb; -- -- Name: peuple_vin(); Type: FUNCTION; Schema: public; Owner: userdb -- CREATE FUNCTION peuple_vin () RETURNS bigint LANGUAGE plpgsql AS $$ DECLARE v_recoltant_id integer; v_appellation_id integer; v_type_vin_id integer; recoltants integer; appellations integer; types_vins integer; tuples_a_generer integer; compteur bigint := 0; BEGIN -- vider la table de stock, qui depend de vin, puis vin DELETE FROM stock; DELETE FROM vin; -- compter le nombre de recoltants SELECT count(*) FROM recoltant INTO recoltants; -- compter le nombre d'appellations SELECT count(*) FROM appellation INTO appellations; -- compter le nombre de types de vins SELECT count(*) FROM type_vin INTO types_vins; -- calculer le nombre de combinaisons possibles SELECT (recoltants * appellations * types_vins) INTO tuples_a_generer; --on boucle sur tous les recoltants FOR v_recoltant_id IN 1..recoltants LOOP -- on boucle sur les appelations FOR v_appellation_id IN 1..appellations LOOP -- on boucle sur les types de vins FOR v_type_vin_id IN 1..types_vins LOOP -- insertion dans la table de vin INSERT INTO vin (recoltant_id, appellation_id, type_vin_id) VALUES (v_recoltant_id, v_appellation_id, v_type_vin_id); IF (((compteur % 1000) = 0) OR (compteur = tuples_a_generer)) THEN raise notice 'vins : % sur % tuples generes', compteur, tuples_a_generer; END IF; compteur := compteur + 1; END LOOP; --fin boucle type vin END LOOP; -- fin boucle appellations END LOOP; --fin boucle recoltants RETURN compteur; END; $$; ALTER FUNCTION public.peuple_vin () OWNER TO userdb; -- -- Name: trous_stock(); Type: FUNCTION; Schema: public; Owner: userdb -- CREATE FUNCTION trous_stock () RETURNS bigint LANGUAGE plpgsql AS $$ DECLARE stock_total integer; echantillon integer; vins_disponibles integer; contenants_disponibles integer; v_vin_id integer; v_contenant_id integer; v_tuples bigint := 0; annee_min integer; annee_max integer; v_annee integer; BEGIN -- on compte le nombre de tuples dans stock SELECT count(*) FROM stock INTO stock_total; raise NOTICE 'taille du stock %', stock_total; -- on calcule la taille de l'echantillon a -- supprimer de la table stock SELECT round(stock_total / 10) INTO echantillon; raise NOTICE 'taille de l''echantillon %', echantillon; -- on compte le nombre de vins disponibles SELECT count(*) FROM vin INTO vins_disponibles; raise NOTICE '% vins disponibles', vins_disponibles; -- on compte le nombre de contenants disponibles SELECT count(*) FROM contenant INTO contenants_disponibles; raise NOTICE '% contenants disponibles', contenants_disponibles; -- on recupere les bornes min/max de annees SELECT min(annee), max(annee) FROM stock INTO annee_min, annee_max; -- on fait une boucle correspondant a 1% des tuples -- de la table stock FOR v_tuples IN 1..echantillon LOOP -- selection d'identifiant, au hasard --select round(random()*contenants_disponibles) into v_contenant_id; v_contenant_id := round(random() * contenants_disponibles); --select round(random()*vins_disponibles) into v_vin_id; v_vin_id := round(random() * vins_disponibles); v_annee := round(random() * (annee_max - annee_min)) + (annee_min); -- si le tuple est deja efface, ce n'est pas grave.. DELETE FROM stock WHERE contenant_id = v_contenant_id AND vin_id = v_vin_id AND annee = v_annee; IF (((v_tuples % 100) = 0) OR (v_tuples = echantillon)) THEN raise notice 'stock : % sur % echantillon effaces', v_tuples, echantillon; END IF; END LOOP; --fin boucle v_tuples RETURN echantillon; END; $$; ALTER FUNCTION public.trous_stock () OWNER TO userdb; -- -- Name: trous_vin(); Type: FUNCTION; Schema: public; Owner: userdb -- CREATE FUNCTION trous_vin () RETURNS bigint LANGUAGE plpgsql AS $$ DECLARE vin_total integer; echantillon integer; v_vin_id integer; v_tuples bigint := 0; v_annee integer; BEGIN -- on compte le nombre de tuples dans vin SELECT count(*) FROM vin INTO vin_total; raise NOTICE '% vins disponibles', vin_total; -- on calcule la taille de l'echantillon a -- supprimer de la table vin SELECT round(vin_total / 10) INTO echantillon; raise NOTICE 'taille de l''echantillon %', echantillon; -- on fait une boucle correspondant a 10% des tuples -- de la table vin FOR v_tuples IN 1..echantillon LOOP -- selection d'identifiant, au hasard v_vin_id := round(random() * vin_total); -- si le tuple est deja efface, ce n'est pas grave.. -- TODO remplacer ce delete par un trigger on delete cascade -- voir dans druid le schema??? DELETE FROM stock WHERE vin_id = v_vin_id; DELETE FROM vin WHERE id = v_vin_id; IF (((v_tuples % 100) = 0) OR (v_tuples = echantillon)) THEN raise notice 'vin : % sur % echantillon effaces', v_tuples, echantillon; END IF; END LOOP; --fin boucle v_tuples RETURN echantillon; END; $$; ALTER FUNCTION public.trous_vin () OWNER TO userdb; SET default_tablespace = ''; SET default_with_oids = FALSE; -- -- Name: appellation; Type: TABLE; Schema: public; Owner: userdb -- CREATE TABLE appellation ( id integer NOT NULL, libelle text NOT NULL, region_id integer ) WITH ( autovacuum_enabled = off ); ALTER TABLE appellation OWNER TO userdb; -- -- Name: appellation_id_seq; Type: SEQUENCE; Schema: public; Owner: userdb -- CREATE SEQUENCE appellation_id_seq START WITH 1 INCREMENT BY 1 NO MINVALUE NO MAXVALUE CACHE 1; ALTER TABLE appellation_id_seq OWNER TO userdb; -- -- Name: appellation_id_seq; Type: SEQUENCE OWNED BY; Schema: public; Owner: userdb -- ALTER SEQUENCE appellation_id_seq OWNED BY appellation.id; -- -- Name: contenant; Type: TABLE; Schema: public; Owner: userdb -- CREATE TABLE contenant ( id integer NOT NULL, contenance real NOT NULL, libelle text ) WITH ( autovacuum_enabled = off, fillfactor = '20' ); ALTER TABLE contenant OWNER TO userdb; -- -- Name: contenant_id_seq; Type: SEQUENCE; Schema: public; Owner: userdb -- CREATE SEQUENCE contenant_id_seq START WITH 1 INCREMENT BY 1 NO MINVALUE NO MAXVALUE CACHE 1; ALTER TABLE contenant_id_seq OWNER TO userdb; -- -- Name: contenant_id_seq; Type: SEQUENCE OWNED BY; Schema: public; Owner: userdb -- ALTER SEQUENCE contenant_id_seq OWNED BY contenant.id; -- -- Name: recoltant; Type: TABLE; Schema: public; Owner: userdb -- CREATE TABLE recoltant ( id integer NOT NULL, nom text, adresse text ) WITH ( autovacuum_enabled = off ); ALTER TABLE recoltant OWNER TO userdb; -- -- Name: recoltant_id_seq; Type: SEQUENCE; Schema: public; Owner: userdb -- CREATE SEQUENCE recoltant_id_seq START WITH 1 INCREMENT BY 1 NO MINVALUE NO MAXVALUE CACHE 1; ALTER TABLE recoltant_id_seq OWNER TO userdb; -- -- Name: recoltant_id_seq; Type: SEQUENCE OWNED BY; Schema: public; Owner: userdb -- ALTER SEQUENCE recoltant_id_seq OWNED BY recoltant.id; -- -- Name: region; Type: TABLE; Schema: public; Owner: userdb -- CREATE TABLE region ( id integer NOT NULL, libelle text NOT NULL ) WITH ( autovacuum_enabled = off ); ALTER TABLE region OWNER TO userdb; -- -- Name: region_id_seq; Type: SEQUENCE; Schema: public; Owner: userdb -- CREATE SEQUENCE region_id_seq START WITH 1 INCREMENT BY 1 NO MINVALUE NO MAXVALUE CACHE 1; ALTER TABLE region_id_seq OWNER TO userdb; -- -- Name: region_id_seq; Type: SEQUENCE OWNED BY; Schema: public; Owner: userdb -- ALTER SEQUENCE region_id_seq OWNED BY region.id; -- -- Name: stock; Type: TABLE; Schema: public; Owner: userdb -- CREATE TABLE stock ( vin_id integer NOT NULL, contenant_id integer NOT NULL, annee integer NOT NULL, nombre integer NOT NULL ) WITH ( autovacuum_enabled = off ); ALTER TABLE stock OWNER TO userdb; -- -- Name: type_vin; Type: TABLE; Schema: public; Owner: userdb -- CREATE TABLE type_vin ( id integer NOT NULL, libelle text NOT NULL ) WITH ( autovacuum_enabled = off ); ALTER TABLE type_vin OWNER TO userdb; -- -- Name: type_vin_id_seq; Type: SEQUENCE; Schema: public; Owner: userdb -- CREATE SEQUENCE type_vin_id_seq START WITH 1 INCREMENT BY 1 NO MINVALUE NO MAXVALUE CACHE 1; ALTER TABLE type_vin_id_seq OWNER TO userdb; -- -- Name: type_vin_id_seq; Type: SEQUENCE OWNED BY; Schema: public; Owner: userdb -- ALTER SEQUENCE type_vin_id_seq OWNED BY type_vin.id; -- -- Name: vin; Type: TABLE; Schema: public; Owner: userdb -- CREATE TABLE vin ( id integer NOT NULL, recoltant_id integer, appellation_id integer NOT NULL, type_vin_id integer NOT NULL ) WITH ( autovacuum_enabled = off ); ALTER TABLE vin OWNER TO userdb; -- -- Name: vin_id_seq; Type: SEQUENCE; Schema: public; Owner: userdb -- CREATE SEQUENCE vin_id_seq START WITH 1 INCREMENT BY 1 NO MINVALUE NO MAXVALUE CACHE 1; ALTER TABLE vin_id_seq OWNER TO userdb; -- -- Name: vin_id_seq; Type: SEQUENCE OWNED BY; Schema: public; Owner: userdb -- ALTER SEQUENCE vin_id_seq OWNED BY vin.id; -- -- Name: appellation id; Type: DEFAULT; Schema: public; Owner: userdb -- ALTER TABLE ONLY appellation ALTER COLUMN id SET DEFAULT nextval('appellation_id_seq'::regclass); -- -- Name: contenant id; Type: DEFAULT; Schema: public; Owner: userdb -- ALTER TABLE ONLY contenant ALTER COLUMN id SET DEFAULT nextval('contenant_id_seq'::regclass); -- -- Name: recoltant id; Type: DEFAULT; Schema: public; Owner: userdb -- ALTER TABLE ONLY recoltant ALTER COLUMN id SET DEFAULT nextval('recoltant_id_seq'::regclass); -- -- Name: region id; Type: DEFAULT; Schema: public; Owner: userdb -- ALTER TABLE ONLY region ALTER COLUMN id SET DEFAULT nextval('region_id_seq'::regclass); -- -- Name: type_vin id; Type: DEFAULT; Schema: public; Owner: userdb -- ALTER TABLE ONLY type_vin ALTER COLUMN id SET DEFAULT nextval('type_vin_id_seq'::regclass); -- -- Name: vin id; Type: DEFAULT; Schema: public; Owner: userdb -- ALTER TABLE ONLY vin ALTER COLUMN id SET DEFAULT nextval('vin_id_seq'::regclass); -- -- Name: appellation appellation_libelle_key; Type: CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY appellation ADD CONSTRAINT appellation_libelle_key UNIQUE (libelle); -- -- Name: appellation appellation_pkey; Type: CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY appellation ADD CONSTRAINT appellation_pkey PRIMARY KEY (id); -- -- Name: contenant contenant_pkey; Type: CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY contenant ADD CONSTRAINT contenant_pkey PRIMARY KEY (id); -- -- Name: recoltant recoltant_pkey; Type: CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY recoltant ADD CONSTRAINT recoltant_pkey PRIMARY KEY (id); -- -- Name: region region_pkey; Type: CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY region ADD CONSTRAINT region_pkey PRIMARY KEY (id); -- -- Name: stock stock_pkey; Type: CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY stock ADD CONSTRAINT stock_pkey PRIMARY KEY (vin_id, contenant_id, annee); -- -- Name: type_vin type_vin_pkey; Type: CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY type_vin ADD CONSTRAINT type_vin_pkey PRIMARY KEY (id); -- -- Name: vin vin_pkey; Type: CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY vin ADD CONSTRAINT vin_pkey PRIMARY KEY (id); -- -- Name: appellation appellation_region_id_fkey; Type: FK CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY appellation ADD CONSTRAINT appellation_region_id_fkey FOREIGN KEY (region_id) REFERENCES region (id) ON DELETE CASCADE; -- -- Name: stock stock_contenant_id_fkey; Type: FK CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY stock ADD CONSTRAINT stock_contenant_id_fkey FOREIGN KEY (contenant_id) REFERENCES contenant (id) ON DELETE CASCADE; -- -- Name: stock stock_vin_id_fkey; Type: FK CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY stock ADD CONSTRAINT stock_vin_id_fkey FOREIGN KEY (vin_id) REFERENCES vin (id) ON DELETE CASCADE; -- -- Name: vin vin_appellation_id_fkey; Type: FK CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY vin ADD CONSTRAINT vin_appellation_id_fkey FOREIGN KEY (appellation_id) REFERENCES appellation (id) ON DELETE CASCADE; -- -- Name: vin vin_recoltant_id_fkey; Type: FK CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY vin ADD CONSTRAINT vin_recoltant_id_fkey FOREIGN KEY (recoltant_id) REFERENCES recoltant (id) ON DELETE CASCADE; -- -- Name: vin vin_type_vin_id_fkey; Type: FK CONSTRAINT; Schema: public; Owner: userdb -- ALTER TABLE ONLY vin ADD CONSTRAINT vin_type_vin_id_fkey FOREIGN KEY (type_vin_id) REFERENCES type_vin (id) ON DELETE CASCADE; -- -- PostgreSQL database dump complete --
<reponame>JamieBallisat/WorkingFolder2 SET QUOTED_IDENTIFIER ON GO SET ANSI_NULLS ON GO CREATE PROCEDURE [SQLCop].[test Forwarded Records] AS BEGIN -- Written by <NAME> -- February 25, 2012 SET NOCOUNT ON DECLARE @Output VarChar(max) SET @Output = '' If Exists(Select cmptlevel from master.dbo.sysdatabases Where dbid = db_ID() And cmptlevel > 80) Begin Create Table #Results(ProblemItem VarChar(1000)) Insert Into #Results(ProblemItem) Exec (' SELECT SCHEMA_NAME(O.Schema_Id) + ''.'' + O.name As ProblemItem FROM sys.dm_db_index_physical_stats (DB_ID(), NULL, NULL, NULL, ''DETAILED'') AS ps INNER JOIN sys.indexes AS i ON ps.OBJECT_ID = i.OBJECT_ID AND ps.index_id = i.index_id INNER JOIN sys.objects as O On i.OBJECT_ID = O.OBJECT_ID WHERE ps.forwarded_record_count > 0 Order By SCHEMA_NAME(O.Schema_Id),O.name') If Exists(Select 1 From #Results) Select @Output = @Output + ProblemItem + Char(13) + Char(10) From #Results End Else Set @Output = 'Unable to check index forwarded records when compatibility is set to 80 or below' If @Output > '' Begin Set @Output = Char(13) + Char(10) + 'For more information: ' + 'https://github.com/red-gate/SQLCop/wiki/Forwarded-records' + Char(13) + Char(10) + Char(13) + Char(10) + @Output EXEC tSQLt.Fail @Output End END; GO