hexsha stringlengths 40 40 | size int64 5 1.05M | ext stringclasses 98
values | lang stringclasses 21
values | max_stars_repo_path stringlengths 3 945 | max_stars_repo_name stringlengths 4 118 | max_stars_repo_head_hexsha stringlengths 40 78 | max_stars_repo_licenses listlengths 1 10 | max_stars_count int64 1 368k ⌀ | max_stars_repo_stars_event_min_datetime stringlengths 24 24 ⌀ | max_stars_repo_stars_event_max_datetime stringlengths 24 24 ⌀ | max_issues_repo_path stringlengths 3 945 | max_issues_repo_name stringlengths 4 118 | max_issues_repo_head_hexsha stringlengths 40 78 | max_issues_repo_licenses listlengths 1 10 | max_issues_count int64 1 134k ⌀ | max_issues_repo_issues_event_min_datetime stringlengths 24 24 ⌀ | max_issues_repo_issues_event_max_datetime stringlengths 24 24 ⌀ | max_forks_repo_path stringlengths 3 945 | max_forks_repo_name stringlengths 4 135 | max_forks_repo_head_hexsha stringlengths 40 78 | max_forks_repo_licenses listlengths 1 10 | max_forks_count int64 1 105k ⌀ | max_forks_repo_forks_event_min_datetime stringlengths 24 24 ⌀ | max_forks_repo_forks_event_max_datetime stringlengths 24 24 ⌀ | content stringlengths 5 1.05M | avg_line_length float64 1 1.03M | max_line_length int64 2 1.03M | alphanum_fraction float64 0 1 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
dbf227026adda2e4db0c41e7b2df60bc5bff8b4f | 1,090 | dart | Dart | lib/consts/selectors.dart | LeapOfFaith01/yametekudasai | 4839ff04574c97ea920b0c0ac54072b17a075fcd | [
"MIT"
] | null | null | null | lib/consts/selectors.dart | LeapOfFaith01/yametekudasai | 4839ff04574c97ea920b0c0ac54072b17a075fcd | [
"MIT"
] | null | null | null | lib/consts/selectors.dart | LeapOfFaith01/yametekudasai | 4839ff04574c97ea920b0c0ac54072b17a075fcd | [
"MIT"
] | null | null | null | class Constantes {
static const String ANITUBE_EPISODES_LIST =
'.epiContainer > .epiSubContainer > .epiItem';
static const String ANITUBE_ANIMES_CONTAINER = '.aniContainer';
static const String ANITUBE_ANIME_ITEM = '.aniItem';
static const String ANITUBE_LISTA_PAGINADA_COM_FOTO = '.listaPagAnimes > div';
static const String ANITUBE_LISTA_PAGINADA_SEM_FOTO = '.listaPagAnimes > a';
static const String ANITUBE_BASE_HOST = 'www.anitube.site';
static const String ANITUBE_DEFAULT_SCHEME = 'https';
static const String ANITUBE_LISTA_LEGENDADA_PATH =
'lista-de-animes-legendados-online';
static const String ANITUBE_LISTA_DUBLADA_PATH =
'lista-de-animes-dublados-online';
static const String ANITUBE_BUSCA_PAGINADA_COM_FOTO =
'.searchPagContainer > div';
static const String ANITUBE_BUSCA_PAGINADA_SEM_FOTO =
'.searchPagContainer > a';
static String parseId(String url) =>
url.replaceAll('https://www.anitube.site', '').replaceAll('/', '');
static const String ANITUBE_DETALHES_EPISODES_LIST =
'.pagAniListaContainer > a';
}
| 47.391304 | 80 | 0.752294 |
c131a3a1c9854478d7886418676c937c5212cd12 | 3,133 | rs | Rust | src/day6.rs | micxjo/rust-advent | d31efac11bddb6d3c30a4737526f1b2a50891cea | [
"MIT"
] | null | null | null | src/day6.rs | micxjo/rust-advent | d31efac11bddb6d3c30a4737526f1b2a50891cea | [
"MIT"
] | null | null | null | src/day6.rs | micxjo/rust-advent | d31efac11bddb6d3c30a4737526f1b2a50891cea | [
"MIT"
] | null | null | null | extern crate regex;
use std::cmp;
use std::ops::Add;
use self::regex::Regex;
pub enum Instruction {
TurnOn((usize, usize), (usize, usize)),
TurnOff((usize, usize), (usize, usize)),
Toggle((usize, usize), (usize, usize)),
}
use self::Instruction::*;
fn parse_instructions(path: &str) -> Vec<Instruction> {
use std::fs::File;
use std::io::prelude::*;
use std::io::BufReader;
let re = Regex::new(
r"(turn on |turn off |toggle )(\d+),(\d+) through (\d+),(\d+)").unwrap();
let file = File::open(path).unwrap();
let file = BufReader::new(file);
let mut instructions = Vec::new();
for line in file.lines() {
let line = line.unwrap();
let captures = re.captures(&line).unwrap();
let x1 = captures.at(2).unwrap().parse::<usize>().unwrap();
let y1 = captures.at(3).unwrap().parse::<usize>().unwrap();
let x2 = captures.at(4).unwrap().parse::<usize>().unwrap();
let y2 = captures.at(5).unwrap().parse::<usize>().unwrap();
match captures.at(1).unwrap() {
"turn on " => instructions.push(TurnOn((x1, y1), (x2, y2))),
"turn off " => instructions.push(TurnOff((x1, y1), (x2, y2))),
"toggle " => instructions.push(Toggle((x1, y1), (x2, y2))),
_ => {}
}
}
instructions
}
fn update_grid<T: Copy, F: Fn(T) -> T>(grid: &mut Vec<T>,
start: (usize, usize),
end: (usize, usize),
fun: F) {
let (x1, y1) = start;
let (x2, y2) = end;
for x in x1..x2 + 1 {
for y in y1..y2 + 1 {
let index = y * 1000 + x;
grid[index] = fun(grid[index]);
}
}
}
#[cfg_attr(rustfmt, rustfmt_skip)]
fn run_part1(instructions: &Vec<Instruction>) -> usize {
let mut grid: Vec<bool> = (0..(1000 * 1000)).map(|_| false).collect();
for instruction in instructions {
match *instruction {
TurnOn(start, end) =>
update_grid(&mut grid, start, end, |_| true),
TurnOff(start, end) =>
update_grid(&mut grid, start, end, |_| false),
Toggle(start, end) =>
update_grid(&mut grid, start, end, |b| !b)
}
}
grid.into_iter().filter(|x| *x).count()
}
#[cfg_attr(rustfmt, rustfmt_skip)]
fn run_part2(instructions: &Vec<Instruction>) -> i32 {
let mut grid: Vec<i32> = (0..(1000 * 1000)).map(|_| 0).collect();
for instruction in instructions {
match *instruction {
TurnOn(start, end) =>
update_grid(&mut grid, start, end, |x| x + 1),
TurnOff(start, end) =>
update_grid(&mut grid, start, end, |x| cmp::max(x - 1, 0)),
Toggle(start, end) =>
update_grid(&mut grid, start, end, |x| x + 2)
}
}
grid.iter().fold(0, Add::add)
}
pub fn process_file(path: &str) {
let instructions = parse_instructions(path);
println!("Part 1: {}", run_part1(&instructions));
println!("Part 2: {}", run_part2(&instructions));
}
| 32.298969 | 81 | 0.520268 |
0bc8f228248164e0fb7a531daf419989515f4643 | 5,376 | js | JavaScript | src/features/CommandsPage/commands.en.js | tribalwarshelp/dcbot.tribalwarshelp.com | 1f7cbb6f947435b21344b1479538fb34770f689f | [
"MIT"
] | null | null | null | src/features/CommandsPage/commands.en.js | tribalwarshelp/dcbot.tribalwarshelp.com | 1f7cbb6f947435b21344b1479538fb34770f689f | [
"MIT"
] | 1 | 2021-08-30T08:34:14.000Z | 2021-08-30T08:34:14.000Z | src/features/CommandsPage/commands.en.js | tribalwarshelp/dcbot.tribalwarshelp.com | 1f7cbb6f947435b21344b1479538fb34770f689f | [
"MIT"
] | null | null | null | const commandsForEveryone = [
{
command: 'tw!help',
commandSyntax: 'tw!help',
description: 'This command shows you all available commands.',
example: 'tw!help',
},
{
command: 'tw!tribe topoda',
commandSyntax:
'tw!tribe topoda [server] [page] [tribe id/tag, you can enter more than one]',
description:
'This command generates a player list from selected tribes ordered by ODA.',
example: 'tw!tribe topoda en113 1 KEKW',
},
{
command: 'tw!tribe topodd',
commandSyntax:
'tw!tribe topodd [server] [page] [tribe id/tag, you can enter more than one]',
description:
'This command generates a player list from selected tribes ordered by ODD.',
example: 'tw!tribe topodd en113 1 KEKW',
},
{
command: 'tw!tribe topods',
commandSyntax:
'tw!tribe topods [server] [page] [tribe id/tag, you can enter more than one]',
description:
'This command generates a player list from selected tribes ordered by ODS.',
example: 'tw!tribe topods en113 1 KEKW',
},
{
command: 'tw!tribe topod',
commandSyntax:
'tw!tribe topod [server] [page] [tribe id/tag, you can enter more than one]',
description:
'This command generates a player list from selected tribes ordered by OD.',
example: 'tw!tribe topod en113 1 KEKW',
},
{
command: 'tw!tribe toppoints',
commandSyntax:
'tw!tribe toppoints [server] [page] [tribe id/tag, you can enter more than one]',
description:
'This command generates a player list from selected tribes ordered by points.',
example: 'tw!tribe toppoints en113 1 KEKW',
},
];
const adminCommands = [
{
command: 'tw!addgroup',
commandSyntax: 'tw!addgroup',
description: 'This command adds a new observation group.',
example: 'tw!addgroup',
},
{
command: 'tw!groups',
commandSyntax: 'tw!addgroup',
description:
'This command shows you a list of groups created by this server.',
example: 'tw!addgroup',
},
{
command: 'tw!deletegroup',
commandSyntax: 'tw!deletegroup [group ID from tw!groups]',
description: 'This command deletes an observation group.',
example: 'tw!deletegroup 1',
},
{
command: 'tw!observe',
commandSyntax:
'tw!observe [group ID from tw!groups] [server] [tribe id/tribe tag]',
description: 'This command adds a tribe to the observation group.',
example: 'tw!observe 1 en113 KEKW',
},
{
command: 'tw!observations',
commandSyntax: 'tw!observations [group ID from tw!groups]',
description:
'This command shows a list of monitored tribes added to this group.',
example: 'tw!observations 1',
},
{
command: 'tw!deleteobservation',
commandSyntax:
'tw!deleteobservation [group ID from tw!groups] [id from tw!observations]',
description: 'This command removes a tribe from the observation group.',
example: 'tw!deleteobservation 1 1',
},
{
command: 'tw!conqueredvillages',
commandSyntax: 'tw!conqueredvillages [group ID from tw!groups]',
description:
'This command sets the channel on which notifications about conquered village will be displayed. IMPORTANT! Run this command on the channel you want to display these notifications.',
example: 'tw!conqueredvillages 1',
},
{
command: 'tw!lostvillages',
commandSyntax: 'tw!lostvillages [group ID from tw!groups]',
description:
'This command sets the channel on which notifications about lost village will be displayed. IMPORTANT! Run this command on the channel you want to display these notifications.',
example: 'tw!lostvillages 2',
},
{
command: 'tw!disableconqueredvillages',
commandSyntax: 'tw!disableconqueredvillages [group ID from tw!groups]',
description: 'This command disable notifications about conquered villages.',
example: 'tw!disableconqueredvillages 1',
},
{
command: 'tw!disablelostvillages',
commandSyntax: 'tw!disablelostvillages [group ID from tw!groups]',
description: 'This command disable notifications about lost villages.',
example: 'tw!disablelostvillages 1',
},
{
command: ' tw!showennobledbarbs',
commandSyntax: ' tw!showennobledbarbs [group ID from tw!groups]',
description:
'This command enables/disables notifications about ennobling barbarian villages.',
example: 'tw!showennobledbarbs 1',
},
{
command: ' tw!showinternals',
commandSyntax: ' tw!showinternals [group ID from tw!groups]',
description:
'This command enables/disables notifications about in-group/in-tribe conquering.',
example: 'tw!showinternals 1',
},
{
command: ' tw!changelanguage',
commandSyntax: ' tw!changelanguage [en | nl | pl]',
description: 'This command changes bot language.',
example: 'tw!changelanguage en',
},
{
command: ' tw!coordstranslation',
commandSyntax: ' tw!coordstranslation [server]',
description: 'This command enables coords translation feature.',
example: 'tw!coordstranslation pl153',
},
{
command: ' tw!disablecoordstranslation',
commandSyntax: ' tw!disablecoordstranslation',
description: 'This command disables coords translation feature.',
example: 'tw!disablecoordstranslation',
},
];
const commands = {
commandsForEveryone,
adminCommands,
};
export default commands
| 34.242038 | 188 | 0.681176 |
23b48c069de2b60fc5467bf87d90b18fe4378fc6 | 597 | swift | Swift | GankIO-MVVM/Modules/Home/Today/TodaySectionType.swift | leasual/GankIO-MVVM | 3d202672704ebff4acdb6f52bba085b69ecd2ce0 | [
"MIT"
] | 6 | 2019-07-02T09:28:47.000Z | 2021-12-29T03:46:47.000Z | GankIO-MVVM/Modules/Home/Today/TodaySectionType.swift | leasual/GankIO-MVVM | 3d202672704ebff4acdb6f52bba085b69ecd2ce0 | [
"MIT"
] | 1 | 2021-12-12T09:36:26.000Z | 2021-12-12T09:36:26.000Z | GankIO-MVVM/Modules/Home/Today/TodaySectionType.swift | leasual/GankIO-MVVM | 3d202672704ebff4acdb6f52bba085b69ecd2ce0 | [
"MIT"
] | 1 | 2021-12-29T03:46:44.000Z | 2021-12-29T03:46:44.000Z | //
// SectionType.swift
// GankIO-MVVM
//
// Created by james.li on 2019/6/22.
// Copyright © 2019 james.li. All rights reserved.
//
import Foundation
import RxDataSources
enum TodaySectionItem {
case TitleSectionItem(title: String)
case SectionItem(model: CommonFeedModel)
}
struct TodaySectionType {
var header: String
var items: [TodaySectionItem]
}
extension TodaySectionType: SectionModelType {
typealias Item = TodaySectionItem
init(original: TodaySectionType, items: [TodaySectionItem]) {
self = original
self.items = items
}
}
| 19.258065 | 65 | 0.695142 |
f578f7e440b1251de9677c712483801b616aa98e | 2,889 | sql | SQL | MAK_Files/migration_script.sql | Pyurmak64/Louis_Project_1 | fe45784a0949f6582b3e64ea9f5c988e6318aef0 | [
"MIT"
] | null | null | null | MAK_Files/migration_script.sql | Pyurmak64/Louis_Project_1 | fe45784a0949f6582b3e64ea9f5c988e6318aef0 | [
"MIT"
] | null | null | null | MAK_Files/migration_script.sql | Pyurmak64/Louis_Project_1 | fe45784a0949f6582b3e64ea9f5c988e6318aef0 | [
"MIT"
] | null | null | null | -- ----------------------------------------------------------------------------
-- MySQL Workbench Migration
-- Migrated Schemata: 20181114_ses_project_sqlite
-- Source Schemata: 20181114_ses_project
-- Created: Sat Nov 24 16:52:50 2018
-- Workbench Version: 6.3.9
-- ----------------------------------------------------------------------------
SET FOREIGN_KEY_CHECKS = 0;
-- ----------------------------------------------------------------------------
-- Schema 20181114_ses_project_sqlite
-- ----------------------------------------------------------------------------
DROP SCHEMA IF EXISTS `20181114_ses_project_sqlite` ;
CREATE SCHEMA IF NOT EXISTS `20181114_ses_project_sqlite` ;
-- ----------------------------------------------------------------------------
-- Table 20181114_ses_project_sqlite.ibm_detail
-- ----------------------------------------------------------------------------
CREATE TABLE IF NOT EXISTS `20181114_ses_project_sqlite`.`ibm_detail` (
`Udate` BIGINT(20) NULL DEFAULT NULL,
`Close` DOUBLE NULL DEFAULT NULL,
`High` DOUBLE NULL DEFAULT NULL,
`Low` DOUBLE NULL DEFAULT NULL,
`Open` DOUBLE NULL DEFAULT NULL,
`Volume` BIGINT(20) NULL DEFAULT NULL,
`Field7` DOUBLE NULL DEFAULT NULL,
`LDate` TEXT NULL DEFAULT NULL,
`LTime` DOUBLE NULL DEFAULT NULL,
`pCalcIndx` DOUBLE NULL DEFAULT NULL)
ENGINE = InnoDB
DEFAULT CHARACTER SET = utf8;
-- ----------------------------------------------------------------------------
-- Table 20181114_ses_project_sqlite.toptsymbol20150919
-- ----------------------------------------------------------------------------
CREATE TABLE IF NOT EXISTS `20181114_ses_project_sqlite`.`toptsymbol20150919` (
`StkSymbol` TEXT NULL DEFAULT NULL,
`Expiry` TEXT NULL DEFAULT NULL,
`Strike` DOUBLE NULL DEFAULT NULL,
`OptionType` TEXT NULL DEFAULT NULL)
ENGINE = InnoDB
DEFAULT CHARACTER SET = utf8;
-- ----------------------------------------------------------------------------
-- Table 20181114_ses_project_sqlite.toptsymbol20151011
-- ----------------------------------------------------------------------------
CREATE TABLE IF NOT EXISTS `20181114_ses_project_sqlite`.`toptsymbol20151011` (
`OptionSymbol` TEXT NULL DEFAULT NULL,
`Expiry` TEXT NULL DEFAULT NULL,
`Strike` BIGINT(20) NULL DEFAULT NULL,
`OptionType` TEXT NULL DEFAULT NULL,
`UnderlyingPrice` DOUBLE NULL DEFAULT NULL,
`StockSymbol` TEXT NULL DEFAULT NULL)
ENGINE = InnoDB
DEFAULT CHARACTER SET = utf8;
-- ----------------------------------------------------------------------------
-- Table 20181114_ses_project_sqlite.tstksymbol
-- ----------------------------------------------------------------------------
CREATE TABLE IF NOT EXISTS `20181114_ses_project_sqlite`.`tstksymbol` (
`ID` BIGINT(20) NULL DEFAULT NULL,
`StkSymbol` TEXT NULL DEFAULT NULL)
ENGINE = InnoDB
DEFAULT CHARACTER SET = utf8;
SET FOREIGN_KEY_CHECKS = 1;
| 43.119403 | 79 | 0.518519 |
cbaf46be60457ff4b010eb07cf128e2417055c97 | 961 | go | Go | internal/gensupport/jsonfloat_test.go | ana13-maker/google-api-go-client | f8cf700e547f4847c716c0cdf225810b5f2e008b | [
"BSD-3-Clause"
] | 1,603 | 2018-09-12T01:30:09.000Z | 2022-03-31T11:39:50.000Z | internal/gensupport/jsonfloat_test.go | ana13-maker/google-api-go-client | f8cf700e547f4847c716c0cdf225810b5f2e008b | [
"BSD-3-Clause"
] | 579 | 2018-09-18T17:41:20.000Z | 2022-03-31T21:38:37.000Z | internal/gensupport/jsonfloat_test.go | ana13-maker/google-api-go-client | f8cf700e547f4847c716c0cdf225810b5f2e008b | [
"BSD-3-Clause"
] | 586 | 2018-09-19T07:31:52.000Z | 2022-03-30T07:56:58.000Z | // Copyright 2016 Google LLC.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
package gensupport
import (
"encoding/json"
"math"
"testing"
)
func TestJSONFloat(t *testing.T) {
for _, test := range []struct {
in string
want float64
}{
{"0", 0},
{"-10", -10},
{"1e23", 1e23},
{`"Infinity"`, math.Inf(1)},
{`"-Infinity"`, math.Inf(-1)},
{`"NaN"`, math.NaN()},
} {
var f64 JSONFloat64
if err := json.Unmarshal([]byte(test.in), &f64); err != nil {
t.Fatal(err)
}
got := float64(f64)
if got != test.want && math.IsNaN(got) != math.IsNaN(test.want) {
t.Errorf("%s: got %f, want %f", test.in, got, test.want)
}
}
}
func TestJSONFloatErrors(t *testing.T) {
var f64 JSONFloat64
for _, in := range []string{"", "a", `"Inf"`, `"-Inf"`, `"nan"`, `"nana"`} {
if err := json.Unmarshal([]byte(in), &f64); err == nil {
t.Errorf("%q: got nil, want error", in)
}
}
}
| 21.840909 | 77 | 0.577523 |
3951e703f03e51dc21d434b4aa72d5bfdac68fd7 | 4,950 | html | HTML | src/app/pages/profile/profile.html | AndresERojasI/corazon-quindio | c84d8076fafa138987842faed5bbf787039af046 | [
"MIT"
] | null | null | null | src/app/pages/profile/profile.html | AndresERojasI/corazon-quindio | c84d8076fafa138987842faed5bbf787039af046 | [
"MIT"
] | null | null | null | src/app/pages/profile/profile.html | AndresERojasI/corazon-quindio | c84d8076fafa138987842faed5bbf787039af046 | [
"MIT"
] | null | null | null | <div ba-panel ba-panel-class="profile-page">
<div class="panel-content">
<div class="row">
<div class="col-md-6">
<h3 class="with-line">General Information</h3>
<div class="col-lg-4">
<div class="form-group row">
<div class="col-sm-9">
<div class="userpic">
<div class="userpic-wrapper">
<img ng-src="{{ user.picture }}">
</div>
<i class="ion-ios-close-outline" ng-if="!noPicture"></i>
</div>
</div>
</div>
</div>
<div class="col-lg-8">
<div class="form-group row clearfix">
<label for="inputFirstName" class="col-sm-3 control-label">Name</label>
<div class="col-sm-9">
<input type="text" class="form-control" id="inputFirstName" placeholder="" ng-model="user.name">
</div>
</div>
<div class="form-group row clearfix">
<label for="inputEmail3" class="col-sm-3 control-label">Email</label>
<div class="col-sm-9">
<input type="email" class="form-control" id="inputEmail3" placeholder="" ng-model="user.email">
</div>
</div>
<div class="form-group row clearfix">
<label for="inputOccupation" class="col-sm-3 control-label">Occupation</label>
<div class="col-sm-9">
<input type="text" class="form-control" id="l" placeholder="" ng-model="user.occupation">
</div>
</div>
</div>
<div class="clearfix"></div>
<h3 class="with-line">Change Password</h3>
<div class="clearfix"></div>
<div class="form-group row clearfix">
<label for="inputPassword" class="col-sm-3 control-label">Password</label>
<div class="col-sm-9">
<input type="password" class="form-control" id="inputPassword" placeholder="" ng-model="user.password">
</div>
</div>
<!--<div class="form-group row clearfix">
<label for="inputConfirmPassword" class="col-sm-3 control-label">Confirm Password</label>
<div class="col-sm-9">
<input type="password" class="form-control" id="inputConfirmPassword" placeholder="" ng-model="user.passwordConfirm">
</div>
</div>-->
<button type="button" class="btn btn-primary btn-with-icon save-profile" ng-click="updateProfile()">
<i class="ion-android-checkmark-circle"></i>Update Profile
</button>
</div>
<div class="row">
<div class="col-md-6">
<h3 class="with-line">Account Settings</h3>
<div class="form-group row clearfix">
<label class="col-sm-3 control-label">Main Goal Type</label>
<div class="col-sm-9">
<select class="form-control" ng-model="settings.goalField">
<option value="conversions">Conversions</option>
<option value="new_users">New Users</option>
<option value="users">Users</option>
</select>
</div>
</div>
<div class="form-group row clearfix">
<label for="currency" class="col-sm-3 control-label">Currency</label>
<div class="col-sm-9">
<input type="text" class="form-control" id="currency" placeholder="" ng-model="settings.currency">
</div>
</div>
<div class="form-group row clearfix">
<label for="goalrevenue" class="col-sm-3 control-label">Desired avg Cost per Goal:</label>
<div class="col-sm-9">
<input type="email" class="form-control" id="goalrevenue" placeholder="" ng-model="settings.goalRevenue">
</div>
</div>
<div class="form-group row clearfix">
<label for="goallimit" class="col-sm-3 control-label">Limit avg Cost per Goal for Budget Efficiency:</label>
<div class="col-sm-9">
<input type="email" class="form-control" id="goallimit" placeholder="" ng-model="settings.goalLimit">
</div>
</div>
<button type="button" class="btn btn-primary btn-with-icon save-profile" ng-click="updateSettings()">
<i class="ion-android-checkmark-circle"></i>Update Settings
</button>
</div>
</div>
</div>
</div>
</div>
| 43.421053 | 135 | 0.488485 |
c4c0f055a219f9bcec3a8f94d0b5c1e9826c9a8c | 342 | kts | Kotlin | samples/java-postgresql/build.gradle.kts | frankschmitt/datamaintain | 9b704d7fd2083876f1a37b7526aca8785a8d7649 | [
"Apache-2.0"
] | null | null | null | samples/java-postgresql/build.gradle.kts | frankschmitt/datamaintain | 9b704d7fd2083876f1a37b7526aca8785a8d7649 | [
"Apache-2.0"
] | null | null | null | samples/java-postgresql/build.gradle.kts | frankschmitt/datamaintain | 9b704d7fd2083876f1a37b7526aca8785a8d7649 | [
"Apache-2.0"
] | null | null | null | plugins {
id("org.jetbrains.kotlin.jvm")
id("com.sourcemuse.mongo")
maven // Needed for Jitpack
}
baseProject()
repositories {
jcenter()
}
dependencies {
implementation(project(":modules:core"))
implementation(project(":modules:driver-jdbc"))
implementation("org.postgresql:postgresql:${Versions.postgresql}")
} | 20.117647 | 70 | 0.695906 |
2a89094f37b58761e0587e930fe46852300b4fc9 | 335 | java | Java | src/main/java/com/palmelf/eoffice/dao/admin/impl/CarApplyDaoImpl.java | JesonZy/JACARRICHAN | 28f8900cc67739e1d1fc416435a8f7adea8e8c8b | [
"Apache-2.0"
] | null | null | null | src/main/java/com/palmelf/eoffice/dao/admin/impl/CarApplyDaoImpl.java | JesonZy/JACARRICHAN | 28f8900cc67739e1d1fc416435a8f7adea8e8c8b | [
"Apache-2.0"
] | null | null | null | src/main/java/com/palmelf/eoffice/dao/admin/impl/CarApplyDaoImpl.java | JesonZy/JACARRICHAN | 28f8900cc67739e1d1fc416435a8f7adea8e8c8b | [
"Apache-2.0"
] | null | null | null | package com.palmelf.eoffice.dao.admin.impl;
import com.palmelf.core.dao.impl.BaseDaoImpl;
import com.palmelf.eoffice.dao.admin.CarApplyDao;
import com.palmelf.eoffice.model.admin.CarApply;
public class CarApplyDaoImpl extends BaseDaoImpl<CarApply> implements
CarApplyDao {
public CarApplyDaoImpl() {
super(CarApply.class);
}
}
| 25.769231 | 69 | 0.802985 |
8741d9c417a1c819cc0de107c039919ae54f4c5d | 46,409 | html | HTML | src/gallery/person/francine/index.html | mikeludemann/css-art-gallery | 8d6bd3ed85b2bec8cd3acdf5fad3b97fe37e3684 | [
"MIT"
] | null | null | null | src/gallery/person/francine/index.html | mikeludemann/css-art-gallery | 8d6bd3ed85b2bec8cd3acdf5fad3b97fe37e3684 | [
"MIT"
] | null | null | null | src/gallery/person/francine/index.html | mikeludemann/css-art-gallery | 8d6bd3ed85b2bec8cd3acdf5fad3b97fe37e3684 | [
"MIT"
] | null | null | null | <!DOCTYPE html>
<html>
<head>
<title>Francine</title>
<link rel="stylesheet" href="./styles.css">
</head>
<body>
<div class="paper">
<div class="container">
<div class="tree">
<div class="leaf leaf001"></div>
<div class="leaf leaf002"></div>
<div class="leaf leaf003"></div>
<div class="leaf leaf004"></div>
<div class="leaf leaf005"></div>
<div class="leaf leaf006"></div>
<div class="leaf leaf007"></div>
<div class="leaf leaf008"></div>
<div class="leaf leaf009"></div>
<div class="leaf leaf010"></div>
<div class="leaf leaf011"></div>
<div class="leaf leaf012"></div>
<div class="leaf leaf013"></div>
<div class="leaf leaf014"></div>
<div class="leaf leaf015"></div>
<div class="leaf leaf016"></div>
<div class="leaf leaf017"></div>
<div class="leaf leaf018"></div>
<div class="leaf leaf019"></div>
<div class="leaf leaf020"></div>
<div class="leaf leaf021"></div>
<div class="leaf leaf022"></div>
<div class="leaf leaf023"></div>
<div class="leaf leaf024"></div>
<div class="leaf leaf025"></div>
<div class="leaf leaf026"></div>
<div class="leaf leaf027"></div>
<div class="leaf leaf028"></div>
<div class="leaf leaf029"></div>
<div class="leaf leaf030"></div>
<div class="leaf leaf031"></div>
<div class="leaf leaf032"></div>
<div class="leaf leaf033"></div>
<div class="leaf leaf034"></div>
<div class="leaf leaf035"></div>
<div class="leaf leaf036"></div>
<div class="leaf leaf037"></div>
<div class="leaf leaf038"></div>
<div class="leaf leaf039"></div>
<div class="leaf leaf040"></div>
<div class="leaf leaf041"></div>
<div class="leaf leaf042"></div>
<div class="leaf leaf043"></div>
<div class="leaf leaf044"></div>
<div class="leaf leaf045"></div>
<div class="leaf leaf046"></div>
<div class="leaf leaf047"></div>
<div class="leaf leaf048"></div>
<div class="leaf leaf049"></div>
<div class="leaf leaf050"></div>
<div class="leaf leaf051"></div>
<div class="leaf leaf052"></div>
<div class="leaf leaf053"></div>
<div class="leaf leaf054"></div>
<div class="leaf leaf055"></div>
<div class="leaf leaf056"></div>
<div class="leaf leaf057"></div>
<div class="leaf leaf058"></div>
<div class="leaf leaf059"></div>
<div class="leaf leaf060"></div>
<div class="leaf leaf061"></div>
<div class="leaf leaf062"></div>
<div class="leaf leaf063"></div>
<div class="leaf leaf064"></div>
<div class="leaf leaf065"></div>
<div class="leaf leaf066"></div>
<div class="leaf leaf067"></div>
<div class="leaf leaf068"></div>
<div class="leaf leaf069"></div>
<div class="leaf leaf070"></div>
<div class="leaf leaf071"></div>
<div class="leaf leaf072"></div>
<div class="leaf leaf073"></div>
<div class="leaf leaf074"></div>
<div class="leaf leaf075"></div>
<div class="leaf leaf076"></div>
<div class="leaf leaf077"></div>
<div class="leaf leaf078"></div>
<div class="leaf leaf079"></div>
<div class="leaf leaf080"></div>
<div class="leaf leaf081"></div>
<div class="leaf leaf082"></div>
<div class="leaf leaf083"></div>
<div class="leaf leaf084"></div>
<div class="leaf leaf085"></div>
<div class="leaf leaf086"></div>
<div class="leaf leaf087"></div>
<div class="leaf leaf088"></div>
<div class="leaf leaf089"></div>
<div class="leaf leaf090"></div>
<div class="leaf leaf091"></div>
<div class="leaf leaf092"></div>
<div class="leaf leaf093"></div>
<div class="leaf leaf094"></div>
<div class="leaf leaf095"></div>
<div class="leaf leaf096"></div>
<div class="leaf leaf097"></div>
<div class="leaf leaf098"></div>
<div class="leaf leaf099"></div>
<div class="leaf leaf100"></div>
</div>
<div class="square">
<div class="hairdo">
<div class="sash">
<div class="left"></div>
<div class="right"></div>
</div>
<div class="feather feather2">
<div class="featherside left">
<div class="feath feath1"></div>
<div class="feath feath2"></div>
<div class="feath feath3"></div>
<div class="feath feath4"></div>
<div class="feath feath6"></div>
<div class="feath feath7"></div>
<div class="feath feath8"></div>
<div class="feath feath10"></div>
<div class="feath feath11"></div>
<div class="feath feath12"></div>
<div class="feath feath13"></div>
<div class="feath feath14"></div>
<div class="feath feath15"></div>
<div class="feath feath16"></div>
<div class="feath feath17"></div>
<div class="feath feath18"></div>
<div class="feath feath19"></div>
<div class="feath feath21"></div>
<div class="feath feath22"></div>
<div class="feath feath23"></div>
<div class="feath feath24"></div>
<div class="feath feath25"></div>
<div class="feath feath26"></div>
<div class="feath feath27"></div>
<div class="feath feath28"></div>
<div class="feath feath29"></div>
<div class="feath feath30"></div>
<div class="feath feath31"></div>
<div class="feath feath32"></div>
<div class="feath feath33"></div>
<div class="feath feath34"></div>
<div class="feath feath35"></div>
<div class="feath feath36"></div>
<div class="feath feath37"></div>
<div class="feath feath38"></div>
<div class="feath feath39"></div>
<div class="feath feath40"></div>
<div class="feath feath41"></div>
<div class="feath feath42"></div>
<div class="feath feath43"></div>
<div class="feath feath44"></div>
<div class="feath feath45"></div>
<div class="feath feath46"></div>
<div class="feath feath47"></div>
<div class="feath feath48"></div>
<div class="feath feath49"></div>
<div class="feath feath50"></div>
</div>
<div class="featherside right">
<div class="feath feath1"></div>
<div class="feath feath2"></div>
<div class="feath feath3"></div>
<div class="feath feath4"></div>
<div class="feath feath6"></div>
<div class="feath feath7"></div>
<div class="feath feath8"></div>
<div class="feath feath10"></div>
<div class="feath feath11"></div>
<div class="feath feath12"></div>
<div class="feath feath13"></div>
<div class="feath feath14"></div>
<div class="feath feath15"></div>
<div class="feath feath16"></div>
<div class="feath feath17"></div>
<div class="feath feath18"></div>
<div class="feath feath19"></div>
<div class="feath feath21"></div>
<div class="feath feath22"></div>
<div class="feath feath23"></div>
<div class="feath feath24"></div>
<div class="feath feath25"></div>
<div class="feath feath26"></div>
<div class="feath feath27"></div>
<div class="feath feath28"></div>
<div class="feath feath29"></div>
<div class="feath feath30"></div>
<div class="feath feath31"></div>
<div class="feath feath32"></div>
<div class="feath feath33"></div>
<div class="feath feath34"></div>
<div class="feath feath35"></div>
<div class="feath feath36"></div>
<div class="feath feath37"></div>
<div class="feath feath38"></div>
<div class="feath feath39"></div>
<div class="feath feath40"></div>
<div class="feath feath41"></div>
<div class="feath feath42"></div>
<div class="feath feath43"></div>
<div class="feath feath44"></div>
<div class="feath feath45"></div>
<div class="feath feath46"></div>
<div class="feath feath47"></div>
<div class="feath feath48"></div>
<div class="feath feath49"></div>
<div class="feath feath50"></div>
</div>
</div>
<div class="curl curl8">
<div class="strand strand1"></div>
<div class="strand strand2"></div>
<div class="strand strand3"></div>
<div class="strand strand4"></div>
<div class="strand strand5"></div>
<div class="strand strand6"></div>
<div class="strand strand8"></div>
<div class="strand strand9"></div>
<div class="strand strand10"></div>
<div class="strand strand11"></div>
<div class="strand strand13"></div>
<div class="strand strand14"></div>
<div class="strand strand15"></div>
<div class="strand strand16"></div>
<div class="strand strand18"></div>
<div class="strand strand19"></div>
<div class="strand strand20"></div>
<div class="strand strand21"></div>
<div class="strand strand22"></div>
<div class="strand strand23"></div>
<div class="strand strand24"></div>
<div class="strand strand25"></div>
<div class="strand strand26"></div>
<div class="strand strand27"></div>
<div class="strand strand28"></div>
<div class="strand strand29"></div>
<div class="strand strand30"></div>
<div class="strand strand31"></div>
<div class="strand strand32"></div>
<div class="strand strand33"></div>
<div class="strand strand34"></div>
<div class="strand strand35"></div>
<div class="strand strand36"></div>
<div class="strand strand37"></div>
<div class="strand strand38"></div>
<div class="strand strand39"></div>
<div class="strand strand40"></div>
<div class="strand strand41"></div>
<div class="strand strand42"></div>
<div class="strand strand43"></div>
<div class="strand strand44"></div>
<div class="strand strand45"></div>
<div class="strand strand46"></div>
<div class="strand strand47"></div>
<div class="strand strand48"></div>
<div class="strand strand49"></div>
<div class="strand strand50"></div>
</div>
<div class="curl curl3">
<div class="strand strand1"></div>
<div class="strand strand2"></div>
<div class="strand strand3"></div>
<div class="strand strand4"></div>
<div class="strand strand6"></div>
<div class="strand strand7"></div>
<div class="strand strand8"></div>
<div class="strand strand10"></div>
<div class="strand strand11"></div>
<div class="strand strand12"></div>
<div class="strand strand13"></div>
<div class="strand strand14"></div>
<div class="strand strand15"></div>
<div class="strand strand16"></div>
<div class="strand strand17"></div>
<div class="strand strand18"></div>
<div class="strand strand19"></div>
<div class="strand strand21"></div>
<div class="strand strand22"></div>
<div class="strand strand23"></div>
<div class="strand strand24"></div>
<div class="strand strand25"></div>
<div class="strand strand26"></div>
<div class="strand strand27"></div>
<div class="strand strand28"></div>
<div class="strand strand29"></div>
<div class="strand strand30"></div>
<div class="strand strand31"></div>
<div class="strand strand32"></div>
<div class="strand strand33"></div>
<div class="strand strand34"></div>
<div class="strand strand35"></div>
<div class="strand strand36"></div>
<div class="strand strand37"></div>
<div class="strand strand38"></div>
<div class="strand strand39"></div>
<div class="strand strand40"></div>
<div class="strand strand41"></div>
<div class="strand strand42"></div>
<div class="strand strand43"></div>
<div class="strand strand44"></div>
<div class="strand strand45"></div>
<div class="strand strand46"></div>
<div class="strand strand47"></div>
<div class="strand strand48"></div>
<div class="strand strand49"></div>
<div class="strand strand50"></div>
</div>
<div class="hair rightpouf">
<div class="strand strand1"></div>
<div class="strand strand2"></div>
<div class="strand strand3"></div>
<div class="strand strand4"></div>
<div class="strand strand5"></div>
<div class="strand strand6"></div>
<div class="strand strand7"></div>
<div class="strand strand8"></div>
<div class="strand strand9"></div>
<div class="strand strand10"></div>
<div class="strand strand11"></div>
<div class="strand strand12"></div>
<div class="strand strand13"></div>
<div class="strand strand14"></div>
<div class="strand strand15"></div>
<div class="strand strand16"></div>
<div class="strand strand17"></div>
<div class="strand strand18"></div>
<div class="strand strand19"></div>
<div class="strand strand20"></div>
<div class="strand strand21"></div>
<div class="strand strand22"></div>
<div class="strand strand23"></div>
<div class="strand strand24"></div>
<div class="strand strand25"></div>
<div class="strand strand26"></div>
<div class="strand strand27"></div>
<div class="strand strand28"></div>
<div class="strand strand29"></div>
<div class="strand strand30"></div>
<div class="strand strand31"></div>
<div class="strand strand32"></div>
<div class="strand strand33"></div>
<div class="strand strand34"></div>
<div class="strand strand35"></div>
<div class="strand strand36"></div>
<div class="strand strand37"></div>
<div class="strand strand38"></div>
<div class="strand strand39"></div>
<div class="strand strand40"></div>
<div class="strand strand41"></div>
<div class="strand strand42"></div>
<div class="strand strand43"></div>
<div class="strand strand44"></div>
<div class="strand strand45"></div>
<div class="strand strand46"></div>
<div class="strand strand47"></div>
<div class="strand strand48"></div>
<div class="strand strand49"></div>
<div class="strand strand50"></div>
</div>
</div>
<!-- hairdo -->
<div class="body">
<div class="skirtback"></div>
<div class="leftarm" style="display: none;">
<div class="upperarm">
<div class="skin">
<div class="uppershadow"></div>
</div>
</div>
<div class="lowerarm">
<div class="wrinkle wrinklea"></div>
<div class="wrinkle wrinkleb"></div>
<div class="forearm">
<div class="forearmin">
<div class="wrinkle wrinkle5"></div>
<div class="wrinkle wrinkle6"></div>
<div class="wrinkle wrinkle7"></div>
</div>
</div>
<div class="hand">
<div class="wrist"></div>
<div class="thumb">
<div class="segment segment1"></div>
<div class="segment segment2"></div>
<div class="flex"></div>
</div>
<div class="finger finger4">
<div class="segment segment1"></div>
<div class="segment segment2"></div>
<div class="segment segment3"></div>
</div>
<div class="flower">
<div class="stem st1"></div>
<div class="stem st2"></div>
<div class="leaf leaf1"></div>
<div class="leaf leaf2"></div>
<div class="flowerbody f1">
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="bud"></div>
</div>
<div class="flowerbody f2">
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="petal"></div>
<div class="bud"></div>
</div>
</div>
<div class="finger finger3">
<div class="segment segment1"></div>
<div class="segment segment2"></div>
<div class="segment segment3"></div>
</div>
<div class="finger finger2">
<div class="segment segment1"></div>
<div class="segment segment2"></div>
<div class="segment segment3"></div>
</div>
<div class="palm front"></div>
<div class="finger finger1">
<div class="segment segment1"></div>
<div class="segment segment2"></div>
<div class="segment segment3"></div>
</div>
</div>
</div>
</div>
<div class="skirt">
<div class="wrinkle wrinkle26"></div>
<div class="wrinkle wrinkle25"></div>
<div class="wrinkle wrinkle22"></div>
<div class="wrinkle wrinkle20"></div>
<div class="wrinkle wrinkle24"></div>
<div class="wrinkle wrinkle21"></div>
<div class="wrinkle wrinkle23"></div>
<div class="forearmshadow"></div>
</div>
<div class="waist">
<div class="shirt">
<div class="belt">
<div class="uppershadow"></div>
<div class="wrinkle wrink1">
<div class="wrinkle wrink2"></div>
</div>
</div>
<div class="leftshirt">
<div class="leftshirtshadow"></div>
<div class="armshadow"></div>
<div class="wrinkle wrinkle9"></div>
<div class="wrinkle wrinkle10"></div>
<div class="wrinkle wrinkle11"></div>
<div class="wrinkle wrinkle12"></div>
<div class="wrinkle wrinkle13"></div>
<div class="wrinkle wrinkle14"></div>
<div class="wrinkle wrinkle15"></div>
<div class="wrinkle wrinkle16"></div>
<div class="seam left"></div>
<div class="stitches right">
<div class="stitch four"></div>
<div class="stitch three"></div>
<div class="stitch two"></div>
<div class="stitch one"></div>
</div>
</div>
<div class="rightshirt">
<div class="sideshadow"></div>
</div>
<div class="boob"></div>
</div>
</div>
<div class="rightarm">
<div class="upperarm">
<div class="skin"></div>
</div>
<div class="forearm right">
<div class="wrinkle wrinkle0"></div>
<div class="wrinkle wrinkle1"></div>
<div class="forearmin behind">
<div class="wrinkle wrinkle2"></div>
<div class="wrinkle wrinkle3"></div>
<div class="wrinkle wrinkle4"></div>
</div>
</div>
</div>
<div class="wrap right">
<div class="lace lace13"></div>
<div class="lace lace14"></div>
<div class="lace lace15"></div>
<div class="wrapinner"></div>
<div class="wrinkle wrinkc"></div>
<div class="wrinkle wrinkb"></div>
</div>
<div class="wrap left">
<div class="lace lace0"></div>
<div class="lace lace1"></div>
<div class="lace lace2"></div>
<div class="lace lace3"></div>
<div class="lace lace4"></div>
<div class="lace lace5"></div>
<div class="lace lace6"></div>
<div class="lace lace7"></div>
<div class="lace lace8"></div>
<div class="lace lace9"></div>
<div class="wrapinner wrbase"></div>
<div class="wrapinner wr1"></div>
<div class="wrapinner wr2"></div>
<div class="wrapinner wr3"></div>
<div class="wrapinner wr4"></div>
<div class="wrapinner wr5"></div>
<div class="wrinkle wrinka"></div>
<div class="wrinkle wrinkb"></div>
<div class="wrinkle wrinkc"></div>
<div class="wrinkle wrinkd"></div>
<div class="wrinkle wrinke"></div>
</div>
<div class="upperbody">
<div class="shoulders">
<div class="cleavage"></div>
<div class="armpit left"></div>
<div class="armpit right"></div>
<div class="vein vein0"></div>
<div class="vein vein1"></div>
<div class="vein vein2"></div>
<div class="vein vein3"></div>
<div class="vein vein4"></div>
<div class="mole"></div>
<div class="collarshadow"></div>
<div class="shouldershadow"></div>
<div class="trapezoid right"></div>
<div class="shoulder"></div>
</div>
</div>
<div class="metal pin">
<div class="metal midpin"></div>
</div>
<div class="neck">
<div class="inner">
<div class="neckshadow"></div>
</div>
<div class="leftneck"></div>
<div class="cord"></div>
<div class="notch"></div>
<div class="sternal left"></div>
<div class="sternal right"></div>
</div>
<div class="collarbone left"></div>
<div class="collarbone right"></div>
</div>
<!-- /body -->
<div class="hairdo front">
<div class="ear left"></div>
<div class="curl curl7">
<div class="strand strand1"></div>
<div class="strand strand2"></div>
<div class="strand strand3"></div>
<div class="strand strand4"></div>
<div class="strand strand6"></div>
<div class="strand strand7"></div>
<div class="strand strand8"></div>
<div class="strand strand10"></div>
<div class="strand strand11"></div>
<div class="strand strand12"></div>
<div class="strand strand13"></div>
<div class="strand strand14"></div>
<div class="strand strand15"></div>
<div class="strand strand16"></div>
<div class="strand strand17"></div>
<div class="strand strand18"></div>
<div class="strand strand19"></div>
<div class="strand strand21"></div>
<div class="strand strand22"></div>
<div class="strand strand23"></div>
<div class="strand strand24"></div>
<div class="strand strand25"></div>
<div class="strand strand26"></div>
<div class="strand strand27"></div>
<div class="strand strand28"></div>
<div class="strand strand29"></div>
<div class="strand strand30"></div>
<div class="strand strand31"></div>
<div class="strand strand32"></div>
<div class="strand strand33"></div>
<div class="strand strand34"></div>
<div class="strand strand35"></div>
<div class="strand strand36"></div>
<div class="strand strand37"></div>
<div class="strand strand38"></div>
<div class="strand strand39"></div>
<div class="strand strand40"></div>
<div class="strand strand41"></div>
<div class="strand strand42"></div>
<div class="strand strand43"></div>
<div class="strand strand44"></div>
<div class="strand strand45"></div>
<div class="strand strand46"></div>
<div class="strand strand47"></div>
<div class="strand strand48"></div>
<div class="strand strand49"></div>
<div class="strand strand50"></div>
</div>
<div class="hair left" style="display:none">
<div class="strand strand1"></div>
<div class="strand strand2"></div>
<div class="strand strand3"></div>
<div class="strand strand4"></div>
<div class="strand strand5"></div>
<div class="strand strand6"></div>
<div class="strand strand7"></div>
<div class="strand strand8"></div>
<div class="strand strand9"></div>
<div class="strand strand10"></div>
<div class="strand strand11"></div>
<div class="strand strand12"></div>
<div class="strand strand13"></div>
<div class="strand strand14"></div>
<div class="strand strand15"></div>
<div class="strand strand16"></div>
<div class="strand strand17"></div>
<div class="strand strand18"></div>
<div class="strand strand19"></div>
<div class="strand strand20"></div>
<div class="strand strand21"></div>
<div class="strand strand22"></div>
<div class="strand strand23"></div>
<div class="strand strand24"></div>
<div class="strand strand25"></div>
<div class="strand strand26"></div>
<div class="strand strand27"></div>
<div class="strand strand28"></div>
<div class="strand strand29"></div>
<div class="strand strand30"></div>
<div class="strand strand31"></div>
<div class="strand strand32"></div>
<div class="strand strand33"></div>
<div class="strand strand34"></div>
<div class="strand strand35"></div>
<div class="strand strand36"></div>
<div class="strand strand37"></div>
<div class="strand strand38"></div>
<div class="strand strand39"></div>
<div class="strand strand40"></div>
<div class="strand strand41"></div>
<div class="strand strand42"></div>
<div class="strand strand43"></div>
<div class="strand strand44"></div>
<div class="strand strand45"></div>
<div class="strand strand46"></div>
<div class="strand strand47"></div>
<div class="strand strand48"></div>
<div class="strand strand49"></div>
<div class="strand strand50"></div>
</div>
<div class="curl curl6">
<div class="strand strand1"></div>
<div class="strand strand2"></div>
<div class="strand strand3"></div>
<div class="strand strand4"></div>
<div class="strand strand5"></div>
<div class="strand strand6"></div>
<div class="strand strand8"></div>
<div class="strand strand9"></div>
<div class="strand strand10"></div>
<div class="strand strand11"></div>
<div class="strand strand13"></div>
<div class="strand strand14"></div>
<div class="strand strand15"></div>
<div class="strand strand16"></div>
<div class="strand strand18"></div>
<div class="strand strand19"></div>
<div class="strand strand20"></div>
<div class="strand strand21"></div>
<div class="strand strand22"></div>
<div class="strand strand23"></div>
<div class="strand strand24"></div>
<div class="strand strand25"></div>
<div class="strand strand26"></div>
<div class="strand strand27"></div>
<div class="strand strand28"></div>
<div class="strand strand29"></div>
<div class="strand strand30"></div>
<div class="strand strand31"></div>
<div class="strand strand32"></div>
<div class="strand strand33"></div>
<div class="strand strand34"></div>
<div class="strand strand35"></div>
<div class="strand strand36"></div>
<div class="strand strand37"></div>
<div class="strand strand38"></div>
<div class="strand strand39"></div>
<div class="strand strand40"></div>
<div class="strand strand41"></div>
<div class="strand strand42"></div>
<div class="strand strand43"></div>
<div class="strand strand44"></div>
<div class="strand strand45"></div>
<div class="strand strand46"></div>
<div class="strand strand47"></div>
<div class="strand strand48"></div>
<div class="strand strand49"></div>
<div class="strand strand50"></div>
</div>
<div class="hair mid">
<div class="strand strand1"></div>
<div class="strand strand2"></div>
<div class="strand strand3"></div>
<div class="strand strand4"></div>
<div class="strand strand5"></div>
<div class="strand strand6"></div>
<div class="strand strand8"></div>
<div class="strand strand9"></div>
<div class="strand strand10"></div>
<div class="strand strand11"></div>
<div class="strand strand13"></div>
<div class="strand strand14"></div>
<div class="strand strand15"></div>
<div class="strand strand16"></div>
<div class="strand strand18"></div>
<div class="strand strand19"></div>
<div class="strand strand20"></div>
<div class="strand strand21"></div>
<div class="strand strand22"></div>
<div class="strand strand23"></div>
<div class="strand strand24"></div>
<div class="strand strand25"></div>
<div class="strand strand26"></div>
<div class="strand strand27"></div>
<div class="strand strand28"></div>
<div class="strand strand29"></div>
<div class="strand strand30"></div>
<div class="strand strand31"></div>
<div class="strand strand32"></div>
<div class="strand strand33"></div>
<div class="strand strand34"></div>
<div class="strand strand35"></div>
<div class="strand strand36"></div>
<div class="strand strand37"></div>
<div class="strand strand38"></div>
<div class="strand strand39"></div>
<div class="strand strand40"></div>
<div class="strand strand41"></div>
<div class="strand strand42"></div>
<div class="strand strand43"></div>
<div class="strand strand44"></div>
<div class="strand strand45"></div>
<div class="strand strand46"></div>
<div class="strand strand47"></div>
<div class="strand strand48"></div>
<div class="strand strand49"></div>
<div class="strand strand50"></div>
</div>
<div class="hair rightback">
<div class="strand strand1"></div>
<div class="strand strand2"></div>
<div class="strand strand3"></div>
<div class="strand strand4"></div>
<div class="strand strand5"></div>
<div class="strand strand6"></div>
<div class="strand strand8"></div>
<div class="strand strand9"></div>
<div class="strand strand10"></div>
<div class="strand strand11"></div>
<div class="strand strand13"></div>
<div class="strand strand14"></div>
<div class="strand strand15"></div>
<div class="strand strand16"></div>
<div class="strand strand18"></div>
<div class="strand strand19"></div>
<div class="strand strand20"></div>
<div class="strand strand21"></div>
<div class="strand strand22"></div>
<div class="strand strand23"></div>
<div class="strand strand24"></div>
<div class="strand strand25"></div>
<div class="strand strand26"></div>
<div class="strand strand27"></div>
<div class="strand strand28"></div>
<div class="strand strand29"></div>
<div class="strand strand30"></div>
<div class="strand strand31"></div>
<div class="strand strand32"></div>
<div class="strand strand33"></div>
<div class="strand strand34"></div>
<div class="strand strand35"></div>
<div class="strand strand36"></div>
<div class="strand strand37"></div>
<div class="strand strand38"></div>
<div class="strand strand39"></div>
<div class="strand strand40"></div>
<div class="strand strand41"></div>
<div class="strand strand42"></div>
<div class="strand strand43"></div>
<div class="strand strand44"></div>
<div class="strand strand45"></div>
<div class="strand strand46"></div>
<div class="strand strand47"></div>
<div class="strand strand48"></div>
<div class="strand strand49"></div>
<div class="strand strand50"></div>
</div>
<div class="hair leftback">
<div class="strand strand1"></div>
<div class="strand strand2"></div>
<div class="strand strand3"></div>
<div class="strand strand4"></div>
<div class="strand strand5"></div>
<div class="strand strand6"></div>
<div class="strand strand8"></div>
<div class="strand strand9"></div>
<div class="strand strand10"></div>
<div class="strand strand11"></div>
<div class="strand strand13"></div>
<div class="strand strand14"></div>
<div class="strand strand15"></div>
<div class="strand strand16"></div>
<div class="strand strand18"></div>
<div class="strand strand19"></div>
<div class="strand strand20"></div>
<div class="strand strand21"></div>
<div class="strand strand22"></div>
<div class="strand strand23"></div>
<div class="strand strand24"></div>
<div class="strand strand25"></div>
<div class="strand strand26"></div>
<div class="strand strand27"></div>
<div class="strand strand28"></div>
<div class="strand strand29"></div>
<div class="strand strand30"></div>
<div class="strand strand31"></div>
<div class="strand strand32"></div>
<div class="strand strand33"></div>
<div class="strand strand34"></div>
<div class="strand strand35"></div>
<div class="strand strand36"></div>
<div class="strand strand37"></div>
<div class="strand strand38"></div>
<div class="strand strand39"></div>
<div class="strand strand40"></div>
<div class="strand strand41"></div>
<div class="strand strand42"></div>
<div class="strand strand43"></div>
<div class="strand strand44"></div>
<div class="strand strand45"></div>
<div class="strand strand46"></div>
<div class="strand strand47"></div>
<div class="strand strand48"></div>
<div class="strand strand49"></div>
<div class="strand strand50"></div>
</div>
<div class="pearlstring right long">
<div class="pearl pearl0"></div>
<div class="pearl pearl1"></div>
<div class="pearl pearl2"></div>
<div class="pearl pearl3"></div>
<div class="pearl pearl4"></div>
<div class="pearl pearl5"></div>
<div class="pearl pearl6"></div>
<div class="pearl pearl7"></div>
<div class="pearl pearl8"></div>
<div class="pearl pearl9"></div>
<div class="pearl pearl11"></div>
<div class="pearl pearl10"></div>
</div>
<div class="pearlstring right short">
<div class="pearl pearl0"></div>
<div class="pearl pearl1"></div>
<div class="pearl pearl2"></div>
<div class="pearl pearl3"></div>
<div class="pearl pearl4"></div>
<div class="pearl pearl5"></div>
<div class="pearl pearl6"></div>
<div class="pearl pearl7"></div>
<div class="pearl pearl8"></div>
</div>
<div class="pearlstring left long">
<div class="pearl pearl0"></div>
<div class="pearl pearl1"></div>
<div class="pearl pearl2"></div>
<div class="pearl pearl3"></div>
<div class="pearl pearl4"></div>
<div class="pearl pearl5"></div>
<div class="pearl pearl6"></div>
<div class="pearl pearl7"></div>
<div class="pearl pearl8"></div>
<div class="pearl pearl9"></div>
<div class="pearl pearl23"></div>
<div class="pearl pearl22"></div>
<div class="pearl pearl21"></div>
<div class="pearl pearl20"></div>
<div class="pearl pearl19"></div>
<div class="pearl pearl18"></div>
<div class="pearl pearl17"></div>
<div class="pearl pearl16"></div>
<div class="pearl pearl15"></div>
<div class="pearl pearl14"></div>
<div class="pearl pearl13"></div>
<div class="pearl pearl12"></div>
<div class="pearl pearl11"></div>
<div class="pearl pearl10"></div>
</div>
<div class="pearlstring left short">
<div class="pearl pearl0"></div>
<div class="pearl pearl1"></div>
<div class="pearl pearl2"></div>
<div class="pearl pearl3"></div>
<div class="pearl pearl4"></div>
<div class="pearl pearl5"></div>
<div class="pearl pearl6"></div>
<div class="pearl pearl7"></div>
<div class="pearl pearl8"></div>
<div class="pearl pearl9"></div>
<div class="pearl pearl23"></div>
<div class="pearl pearl22"></div>
<div class="pearl pearl21"></div>
<div class="pearl pearl20"></div>
<div class="pearl pearl19"></div>
<div class="pearl pearl18"></div>
<div class="pearl pearl17"></div>
<div class="pearl pearl16"></div>
<div class="pearl pearl15"></div>
<div class="pearl pearl14"></div>
<div class="pearl pearl13"></div>
<div class="pearl pearl12"></div>
<div class="pearl pearl11"></div>
<div class="pearl pearl10"></div>
</div>
<div class="feather feather1">
<div class="featherside left">
<div class="feath feath1"></div>
<div class="feath feath2"></div>
<div class="feath feath3"></div>
<div class="feath feath4"></div>
<div class="feath feath6"></div>
<div class="feath feath7"></div>
<div class="feath feath8"></div>
<div class="feath feath10"></div>
<div class="feath feath11"></div>
<div class="feath feath12"></div>
<div class="feath feath13"></div>
<div class="feath feath14"></div>
<div class="feath feath15"></div>
<div class="feath feath16"></div>
<div class="feath feath17"></div>
<div class="feath feath18"></div>
<div class="feath feath19"></div>
<div class="feath feath21"></div>
<div class="feath feath22"></div>
<div class="feath feath23"></div>
<div class="feath feath24"></div>
<div class="feath feath25"></div>
<div class="feath feath26"></div>
<div class="feath feath27"></div>
<div class="feath feath28"></div>
<div class="feath feath29"></div>
<div class="feath feath30"></div>
<div class="feath feath31"></div>
<div class="feath feath32"></div>
<div class="feath feath33"></div>
<div class="feath feath34"></div>
<div class="feath feath35"></div>
<div class="feath feath36"></div>
<div class="feath feath37"></div>
<div class="feath feath38"></div>
<div class="feath feath39"></div>
<div class="feath feath40"></div>
<div class="feath feath41"></div>
<div class="feath feath42"></div>
<div class="feath feath43"></div>
<div class="feath feath44"></div>
<div class="feath feath45"></div>
<div class="feath feath46"></div>
<div class="feath feath47"></div>
<div class="feath feath48"></div>
<div class="feath feath49"></div>
<div class="feath feath50"></div>
</div>
<div class="featherside right">
<div class="feath feath1"></div>
<div class="feath feath2"></div>
<div class="feath feath3"></div>
<div class="feath feath4"></div>
<div class="feath feath6"></div>
<div class="feath feath7"></div>
<div class="feath feath8"></div>
<div class="feath feath10"></div>
<div class="feath feath11"></div>
<div class="feath feath12"></div>
<div class="feath feath13"></div>
<div class="feath feath14"></div>
<div class="feath feath15"></div>
<div class="feath feath16"></div>
<div class="feath feath17"></div>
<div class="feath feath18"></div>
<div class="feath feath19"></div>
<div class="feath feath21"></div>
<div class="feath feath22"></div>
<div class="feath feath23"></div>
<div class="feath feath24"></div>
<div class="feath feath25"></div>
<div class="feath feath26"></div>
<div class="feath feath27"></div>
<div class="feath feath28"></div>
<div class="feath feath29"></div>
<div class="feath feath30"></div>
<div class="feath feath31"></div>
<div class="feath feath32"></div>
<div class="feath feath33"></div>
<div class="feath feath34"></div>
<div class="feath feath35"></div>
<div class="feath feath36"></div>
<div class="feath feath37"></div>
<div class="feath feath38"></div>
<div class="feath feath39"></div>
<div class="feath feath40"></div>
<div class="feath feath41"></div>
<div class="feath feath42"></div>
<div class="feath feath43"></div>
<div class="feath feath44"></div>
<div class="feath feath45"></div>
<div class="feath feath46"></div>
<div class="feath feath47"></div>
<div class="feath feath48"></div>
<div class="feath feath49"></div>
<div class="feath feath50"></div>
</div>
</div>
<div class="sash">
<div class="rightsash"></div>
<div class="shad s1"></div>
<div class="shad s2"></div>
<div class="shad s3"></div>
<div class="shad s4"></div>
<div class="bottom"></div>
<div class="mid"></div>
<div class="triangle t00"></div>
<div class="triangle t0">
<div class="triangle ta"></div>
</div>
<div class="triangle t1"></div>
<div class="triangle t2"></div>
<div class="triangle t4">
<div class="triangle tb"></div>
<div class="triangle tc"></div>
</div>
<div class="triangle t3"></div>
<div class="triangle t5"></div>
<div class="triangle t6"></div>
<div class="triangle t7"></div>
<div class="triangle t8"></div>
</div>
<div class="medallion left">
<div class="metal arrow one"></div>
<div class="metal arrow two"></div>
<div class="metal arrow three"></div>
<div class="metal arrow four"></div>
<div class="metal arrow five"></div>
<div class="metal back"></div>
<div class="metal middle"></div>
<div class="beads"></div>
<div class="pearlback metal">
<div class="pearl"></div>
</div>
</div>
<div class="medallion right">
<div class="metal arrow one"></div>
<div class="metal arrow two"></div>
<div class="metal arrow three"></div>
<div class="metal arrow four"></div>
<div class="metal arrow five"></div>
<div class="metal back"></div>
<div class="metal middle"></div>
<div class="beads"></div>
<div class="pearlback metal">
<div class="pearl"></div>
</div>
</div>
</div>
<div class="head">
<div class="face">
<div class="browridge"></div>
<div class="forehead"></div>
<div class="foreheadridge"></div>
<div class="noseshadow"></div>
<div class="eyebrow left">
</div>
<div class="leftarch">
</div>
<div class="eyebrow right"></div>
<div class="eye eleft">
<div class="eyelid left"></div>
<div class="eyebag left"></div>
<div class="eyeliner inner"></div>
<div class="eyeliner outer"></div>
<div class="lash bottom lash1"></div>
<div class="lash bottom lash2"></div>
<div class="lash bottom lash3"></div>
<div class="lash bottom lash4"></div>
<div class="lash bottom lash5"></div>
<div class="lash bottom lash6"></div>
<div class="eyeball">
<div class="iris"></div>
</div>
<div class="lash top lash1"></div>
<div class="lash top lash2"></div>
<div class="lash top lash3"></div>
<div class="lash top lash4"></div>
<div class="lash top lash5"></div>
<div class="lash top lash6"></div>
</div>
<div class="eye eright">
<div class="eyelid right"></div>
<div class="eyebag right"></div>
<div class="eyeliner inner"></div>
<div class="eyeliner outer"></div>
<div class="lash bottom lash1"></div>
<div class="lash bottom lash2"></div>
<div class="lash bottom lash3"></div>
<div class="lash bottom lash4"></div>
<div class="lash bottom lash5"></div>
<div class="lash bottom lash6"></div>
<div class="eyeball">
<div class="iris"></div>
</div>
<div class="lash top lash1"></div>
<div class="lash top lash2"></div>
<div class="lash top lash3"></div>
<div class="lash top lash4"></div>
<div class="lash top lash5"></div>
<div class="lash top lash6"></div>
</div>
<div class="nose">
<div class="philtrum"></div>
<div class="side"></div>
<div class="bridge"></div>
<div class="tip">
<div class="nostril"></div>
</div>
<div class="divot"></div>
</div>
<div class="smile left"></div>
<div class="smile right"></div>
<div class="mouthshadow"></div>
<div class="mouth">
<div class="toplips">
<div class="toplip left"></div>
<div class="toplip right"></div>
</div>
<div class="bottomlip">
<div class="lipbottom">
</div>
</div>
<div class="centershadow"></div>
</div>
<div class="chin"></div>
<div class="blush left"></div>
<div class="blush right"></div>
<div class="cheekbone left"></div>
<div class="cheekshine"></div>
<div class="cheekbone right"></div>
</div>
<div class="sideburn">
<div class="strand strand1"></div>
<div class="strand strand2"></div>
<div class="strand strand3"></div>
<div class="strand strand4"></div>
</div>
<div class="hairline"></div>
<div class="sidetuft">
<div class="strand strand11"></div>
<div class="strand strand10"></div>
<div class="strand strand9"></div>
<div class="strand strand8"></div>
<div class="strand strand7"></div>
<div class="strand strand6"></div>
<div class="strand strand5"></div>
<div class="strand strand4"></div>
<div class="strand strand3"></div>
<div class="strand strand2"></div>
<div class="strand strand1"></div>
</div>
<div class="tuft">
<div class="strand strand11"></div>
<div class="strand strand10"></div>
<div class="strand strand9"></div>
<div class="strand strand8"></div>
<div class="strand strand7"></div>
<div class="strand strand6"></div>
<div class="strand strand5"></div>
<div class="strand strand4"></div>
<div class="strand strand3"></div>
<div class="strand strand2"></div>
<div class="strand strand1"></div>
</div>
<div class="eyeridge"></div>
<div class="cheekridge"></div>
<div class="jawline"></div>
</div>
</div>
</div>
</div>
</body>
</html>
| 35.184989 | 49 | 0.565192 |
fca066e9cb7d3d2bac39d571f1fb0ca7b7a98b42 | 860 | swift | Swift | ProcessBar/ProcessBar/ViewController.swift | kaijendo/SwiftForEveryone | 1766ae60c84d9eaf9ebebb71863db0aa76b1298e | [
"MIT"
] | 2 | 2017-12-06T16:06:52.000Z | 2018-01-17T12:17:15.000Z | ProcessBar/ProcessBar/ViewController.swift | kaijendo/SwiftForEveryone | 1766ae60c84d9eaf9ebebb71863db0aa76b1298e | [
"MIT"
] | null | null | null | ProcessBar/ProcessBar/ViewController.swift | kaijendo/SwiftForEveryone | 1766ae60c84d9eaf9ebebb71863db0aa76b1298e | [
"MIT"
] | null | null | null | //
// ViewController.swift
// ProcessBar
//
// Created by Thuy Truong Quang on 6/20/18.
// Copyright © 2018 Thuy Truong Quang. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
@IBOutlet weak var progressBarView: ProcessBarView!
var timer: Timer!
var progressCounter:Float = 0
let duration:Float = 10.0
var progressIncrement:Float = 0
override func viewDidLoad() {
super.viewDidLoad()
progressIncrement = 1.0/duration
timer = Timer.scheduledTimer(timeInterval: 1, target: self, selector: #selector(self.showProgress), userInfo: nil, repeats: true)
}
@objc func showProgress() {
if(progressCounter > 1.0){timer.invalidate()}
progressBarView.progress = progressCounter
progressCounter = progressCounter + progressIncrement
}
}
| 26.060606 | 137 | 0.677907 |
271c9ab8dada7994c354eda9619fdae4813b9b1f | 180 | c | C | tutorial/task3/1-static/build/password.c | mtorp/wasabi | 6cff805f78185a548873b4d31d4f0560bbf27464 | [
"MIT"
] | 294 | 2018-09-03T06:57:38.000Z | 2022-03-09T10:03:52.000Z | tutorial/task3/1-static/build/password.c | mtorp/wasabi | 6cff805f78185a548873b4d31d4f0560bbf27464 | [
"MIT"
] | 26 | 2018-09-04T09:03:49.000Z | 2021-02-26T09:43:07.000Z | tutorial/task3/1-static/build/password.c | mtorp/wasabi | 6cff805f78185a548873b4d31d4f0560bbf27464 | [
"MIT"
] | 31 | 2018-09-04T10:59:26.000Z | 2022-02-18T07:39:41.000Z | #include <emscripten.h>
#include <string.h>
char password[] = "WebAssembly is awesome";
EMSCRIPTEN_KEEPALIVE
int check(char input[]) {
return strcmp(input, password) == 0;
}
| 18 | 43 | 0.705556 |
26fcd3ace5ea77ef956b70b77783ef2322ac8d6d | 9,079 | dart | Dart | engine/lib/src/game.dart | JimWuerch/factorymatics | 1fdfb8e59c47d5f1b1f206c59ce4088277d91b61 | [
"MIT"
] | null | null | null | engine/lib/src/game.dart | JimWuerch/factorymatics | 1fdfb8e59c47d5f1b1f206c59ce4088277d91b61 | [
"MIT"
] | null | null | null | engine/lib/src/game.dart | JimWuerch/factorymatics | 1fdfb8e59c47d5f1b1f206c59ce4088277d91b61 | [
"MIT"
] | null | null | null | import 'dart:math';
import 'package:engine/engine.dart';
import 'package:engine/src/player/player_service.dart';
import 'package:tuple/tuple.dart';
import 'package:uuid/uuid.dart';
import 'turn.dart';
export 'turn.dart';
class Game {
static const int availableResourceCount = 6;
static const int level1MarketSize = 4;
static const int level2MarketSize = 3;
static const int level3MarketSize = 2;
List<PlayerData> players;
String tmpName;
String gameId;
int _nextObjectId = 0;
Uuid uuidGen;
PlayerService playerService;
Map<String, Part> allParts;
Random random = Random();
ListState<ResourceType> availableResources;
List<ListState<Part>> partDecks;
// ListState<Part> level2Parts;
// ListState<Part> level3Parts;
ListState<ResourceType> well;
List<ListState<Part>> saleParts;
// ListState<Part> level2Sale;
// ListState<Part> level3Sale;
//List<Turn> gameTurns;
//int _currentTurn;
Turn currentTurn; // => _currentTurn != null ? gameTurns[_currentTurn] : null;
int _currentPlayerIndex = 0;
PlayerData get currentPlayer => players[_currentPlayerIndex];
ChangeStack changeStack;
// set true if GameController is saving the game
bool isAuthoritativeSave = false;
// this is only set for the client, it is not used or accurate for the server
bool canUndo;
Game(List<String> playerNames, this.playerService, this.gameId) {
uuidGen = Uuid();
players = <PlayerData>[];
changeStack = ChangeStack(); // we'll throw this away
for (var p in playerNames) {
var playerId = playerService != null ? playerService.getPlayer(p).playerId : p;
players.add(PlayerData(this, playerId));
}
changeStack.clear();
allParts = <String, Part>{};
_createGame();
}
String getUuid() {
return uuidGen.v4();
}
void _createGame() {
// we'll discard this changeStack
changeStack = ChangeStack();
partDecks = List<ListState<Part>>.filled(3, null);
well = ListState<ResourceType>(this, 'well');
availableResources = ListState(this, 'availableResources');
saleParts = List<ListState<Part>>.filled(3, null);
for (var i = 0; i < 3; ++i) {
saleParts[i] = ListState<Part>(this, 'lvl${i}Sale');
}
createParts(this);
// give players their starting parts
for (var player in players) {
player.buyPart(allParts[Part.startingPartId], <ResourceType>[]);
}
}
void assignStartingDecks(List<List<Part>> decks) {
for (var i = 0; i < 3; ++i) {
partDecks[i] = ListState<Part>(this, 'lvl${i}Deck', starting: decks[i]);
}
}
void _fillWell() {
for (var i = 0; i < 13; i++) {
well.add(ResourceType.heart);
well.add(ResourceType.diamond);
well.add(ResourceType.club);
well.add(ResourceType.spade);
}
}
ResourceType getFromWell() {
return well.removeAt(random.nextInt(well.length));
}
void addToWell(ResourceType resource) {
well.add(resource);
}
void refillResources() {
for (var i = availableResources.length; i < Game.availableResourceCount; i++) {
availableResources.add(getFromWell());
}
}
Part drawPart(int level) {
return partDecks[level].removeLast();
}
/// Puts [part] back on the bottom of its deck
void returnPart(Part part) {
partDecks[part.level].insert(part, 0);
}
void refillMarket() {
for (var i = saleParts[0].length; i < Game.level1MarketSize; i++) {
saleParts[0].add(drawPart(0));
}
for (var i = saleParts[1].length; i < Game.level2MarketSize; i++) {
saleParts[1].add(drawPart(1));
}
for (var i = saleParts[2].length; i < Game.level3MarketSize; i++) {
saleParts[2].add(drawPart(2));
}
}
String nextObjectId() {
var ret = _nextObjectId.toString();
_nextObjectId++;
return ret;
}
Tuple2<ValidateResponseCode, GameAction> applyAction(GameAction action) {
return currentTurn.processAction(action);
}
PlayerData getNextPlayer() {
_currentPlayerIndex = ++_currentPlayerIndex % players.length;
return currentPlayer;
}
PlayerData getPlayerFromId(String id) {
return players.firstWhere((element) => element.id == id, orElse: () => null);
}
Turn startNextTurn() {
changeStack = ChangeStack();
refillMarket();
refillResources();
changeStack.clear();
currentTurn = Turn(this, getNextPlayer());
//gameTurns.add(turn);
//_currentTurn++;
//turn.startTurn();
return currentTurn;
}
void endTurn() {
// check for game end
// if game not over, next turn
startNextTurn();
}
void createGame() {
// do one-time stuff here
_fillWell();
}
void startGame() {
_currentPlayerIndex = -1; // so we can call get next
// _currentTurn = -1;
// gameTurns = <Turn>[];
}
bool isInDeck(Part part) {
return partDecks[part.level].contains(part);
}
bool isForSale(Part part) {
return saleParts[part.level].contains(part);
}
/// Remove [part] from either the sale list or a deck.
bool removePart(Part part) {
if (isInDeck(part)) {
return partDecks[part.level].remove(part);
} else if (isForSale(part)) {
return saleParts[part.level].remove(part);
}
return false;
}
/// Returns playerIds unless non-authoritative, in which case player names are returned
List<String> getPlayerIds() {
var ret = <String>[];
for (var player in players) {
ret.add(playerService != null ? playerService.getPlayer(player.id).name : player.id);
}
return ret;
}
List<String> getPlayerNames() {
var ret = <String>[];
for (var player in players) {
ret.add(playerService.getPlayer(player.id).name);
}
return ret;
}
ResourceType acquireResource(int index) {
var ret = availableResources.removeAt(index);
availableResources.add(getFromWell());
return ret;
}
// List<String> _playerDataToStringList(List<PlayerData> players) {
// var ret = <String>[];
// for (var player in players) {
// ret.add(playerService.getPlayer(player.id).name);
// }
// }
// List<PlayerData> _playerDataFromStringList(Game game, List<String> names) {
// var ret = <PlayerData>[];
// for (var name in names) {
// ret.add(PlayerData(game, game.playerService.getPlayer(playerId)));
// }
// }
Map<String, dynamic> toJson() {
var ret = <String, dynamic>{};
ret['gameId'] = gameId;
ret['res'] = resourceListToString(availableResources.toList());
ret['s1'] = partListToString(saleParts[0].toList());
ret['s2'] = partListToString(saleParts[1].toList());
ret['s3'] = partListToString(saleParts[2].toList());
ret['cp'] = _currentPlayerIndex;
ret['players'] = players.map<Map<String, dynamic>>((e) => e.toJson()).toList();
if (!isAuthoritativeSave) {
// only the client uses this value, it's not saved/restored on the server
ret['canUndo'] = changeStack.canUndo;
}
if (currentTurn != null) {
ret['turn'] = currentTurn.toJson();
}
return ret;
}
factory Game.fromJson(List<String> players, PlayerService playerService, Map<String, dynamic> json) {
var gameId = json['gameId'] as String;
var game = Game(players, playerService, gameId);
var changeStack = ChangeStack(); // we'll discard this
game.changeStack = changeStack;
partStringToList(json['s1'] as String, (part) => game.saleParts[0].add(part), game.allParts);
partStringToList(json['s2'] as String, (part) => game.saleParts[1].add(part), game.allParts);
partStringToList(json['s3'] as String, (part) => game.saleParts[2].add(part), game.allParts);
stringToResourceListState(json['res'] as String, game.availableResources);
game._currentPlayerIndex = json['cp'] as int;
var item = json['players'] as List<dynamic>;
game.players =
item.map<PlayerData>((dynamic json) => PlayerData.fromJson(game, json as Map<String, dynamic>)).toList();
if (json.containsKey('turn')) {
game.currentTurn = Turn.fromJson(game, game.currentPlayer, json['turn'] as Map<String, dynamic>);
} else {
game.currentTurn = Turn(game, game.currentPlayer);
}
if (json.containsKey('canUndo')) {
game.canUndo = json['canUndo'] as bool;
}
// game.changeStack will be pointed at turn.changeStack, so we can clear our local copy
changeStack.clear();
return game;
}
}
String partListToString(List<Part> parts) {
var buf = StringBuffer();
for (var part in parts) {
var i = int.parse(part.id);
buf.write(i.toRadixString(16).padLeft(2, "0"));
}
return buf.toString();
}
void partStringToList(String src, void Function(Part) addFn, Map<String, Part> allParts) {
for (var i = 0; i <= src.length - 2; i += 2) {
var hex = src.substring(i, i + 2);
var partId = int.parse(hex, radix: 16).toString();
addFn(allParts[partId]);
}
}
void stringToResourceListState(String src, ListState<ResourceType> list) {
var resources = stringToResourceList(src);
for (var resource in resources) {
list.add(resource);
}
}
| 27.429003 | 113 | 0.653486 |
0638352a17864a3370d47813585e396c94f9034b | 3,223 | kt | Kotlin | app-core/src/test/kotlin/testcase/vo/auth/UserAgentParserTest.kt | FrancescoJo/spring-board-demo | 9a3860f780a1c994fcc7f2bed1525a0d73a3fa64 | [
"Beerware"
] | 3 | 2020-07-20T23:58:21.000Z | 2021-06-23T11:36:28.000Z | app-core/src/test/kotlin/testcase/vo/auth/UserAgentParserTest.kt | FrancescoJo/spring-board-demo | 9a3860f780a1c994fcc7f2bed1525a0d73a3fa64 | [
"Beerware"
] | 56 | 2020-07-15T03:18:21.000Z | 2021-07-13T11:46:06.000Z | app-core/src/test/kotlin/testcase/vo/auth/UserAgentParserTest.kt | FrancescoJo/spring-board-demo | 9a3860f780a1c994fcc7f2bed1525a0d73a3fa64 | [
"Beerware"
] | 1 | 2022-01-19T04:57:56.000Z | 2022-01-19T04:57:56.000Z | /*
* spring-message-board-demo
* Refer to LICENCE.txt for licence details.
*/
package testcase.vo.auth
import com.github.fj.board.persistence.model.auth.PlatformType
import com.github.fj.board.vo.auth.UserAgent
import com.github.fj.lib.util.getRandomAlphaNumericString
import de.skuzzle.semantic.Version
import org.hamcrest.MatcherAssert.assertThat
import org.hamcrest.Matchers.`is`
import org.junit.jupiter.params.ParameterizedTest
import org.junit.jupiter.params.provider.Arguments
import org.junit.jupiter.params.provider.MethodSource
import org.mockito.Mockito.`when`
import test.com.github.fj.board.util.HttpRequestUtils.mockLocalhostServletRequest
import test.com.github.fj.lib.util.RandomTestArgUtils.randomEnumConst
import java.util.stream.Stream
/**
* @author Francesco Jo(nimbusob@gmail.com)
* @since 17 - Jul - 2020
*/
class UserAgentParserTest {
@ParameterizedTest(name = "Empty if 'User-Agent' is: '{0}'")
@MethodSource("paramsForEmptyUserAgent")
fun `empty if User-Agent header is these`(userAgent: String) {
// given:
val mockHttpReq = mockLocalhostServletRequest()
// when:
val ua = if (userAgent == "\\0") {
null
} else {
userAgent
}
`when`(mockHttpReq.getHeader(UserAgent.HEADER_NAME)).thenReturn(ua)
// then:
val result = UserAgent.from(mockHttpReq)
// expect:
assertThat(result, `is`(UserAgent.EMPTY))
}
@ParameterizedTest(name = "User agent is '{1}' for \"'User-Agent': '{0}'\"")
@MethodSource("paramsForUserAgent")
fun `user agent is populated into model if parsable`(userAgent: String, expected: UserAgent) {
// given:
val mockHttpReq = mockLocalhostServletRequest()
// when:
`when`(mockHttpReq.getHeader(UserAgent.HEADER_NAME)).thenReturn(userAgent)
// then:
val result = UserAgent.from(mockHttpReq)
// expect:
assertThat(result, `is`(expected))
}
companion object {
@JvmStatic
@Suppress("unused")
fun paramsForEmptyUserAgent(): Stream<Arguments> {
return Stream.of(
Arguments.of("\\0"),
Arguments.of(""),
Arguments.of("asdfasdfasdf")
)
}
@JvmStatic
@Suppress("unused")
fun paramsForUserAgent(): Stream<Arguments> {
return Stream.of(
randomEnumConst(PlatformType::class.java).let {
Arguments.of(it.userAgentName, UserAgent.create(it, "", Version.ZERO))
},
randomEnumConst(PlatformType::class.java).let {
Arguments.of("${it.userAgentName}; ${Version.COMPLIANCE}", UserAgent.create(it, "", Version.COMPLIANCE))
},
randomEnumConst(PlatformType::class.java).let {
val platformVer = getRandomAlphaNumericString(16)
return@let Arguments.of(
"${it.userAgentName}; ${Version.COMPLIANCE}; $platformVer",
UserAgent.create(it, platformVer, Version.COMPLIANCE)
)
}
)
}
}
}
| 33.572917 | 124 | 0.617127 |
a9ba1c379327c5b125d0cfb924a0834c552d3af3 | 27,726 | html | HTML | crawler/pages/heuristic_2/Cinema_em_Cena/page_300.html | las33/Projeto-RI | 87376326af7886e84d059895be01e331ccf353dd | [
"MIT"
] | 1 | 2019-02-22T11:00:41.000Z | 2019-02-22T11:00:41.000Z | crawler/pages/heuristic_2/Cinema_em_Cena/page_300.html | las33/Projeto-RI | 87376326af7886e84d059895be01e331ccf353dd | [
"MIT"
] | null | null | null | crawler/pages/heuristic_2/Cinema_em_Cena/page_300.html | las33/Projeto-RI | 87376326af7886e84d059895be01e331ccf353dd | [
"MIT"
] | null | null | null | <!DOCTYPE html>
<html lang="en">
<head>
<base href="http://cinemaemcena.cartacapital.com.br/">
<meta charset="utf-8">
<meta name="google-site-verification" content="k2w1AXdP01weHYZcxN7pxm9U9xcre1eC1LGrWEmCFAo" />
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1">
<link rel="icon" href="favicon.ico" type="image/x-icon" />
<link rel="shortcut icon" href="favicon.ico" type="image/x-icon" />
<title>Carlos | Cinema em Cena - www.cinemaemcena.com.br</title>
<link href="http://cinemaemcena.cartacapital.com.br/dist/_scripts/bootstrap/css/bootstrap.min.css" rel="stylesheet">
<link href="http://cinemaemcena.cartacapital.com.br/dist/_css/yamm/yamm.css" rel="stylesheet">
<link href="http://cinemaemcena.cartacapital.com.br/dist/_css/cec.min.css" rel="stylesheet">
<link href="http://cinemaemcena.cartacapital.com.br/dist/_css/home.css" rel="stylesheet">
<link href="http://cinemaemcena.cartacapital.com.br/dist/_css/interno.css" rel="stylesheet">
<link href="http://cinemaemcena.cartacapital.com.br/dist/_css/slider.css" rel="stylesheet">
<link rel="stylesheet" href="http://cinemaemcena.cartacapital.com.br/dist/js/rateit/rateit.css" />
<link href="http://cinemaemcena.cartacapital.com.br/dist/_css/critica.css" rel="stylesheet">
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/html5shiv/3.7.3/html5shiv.min.js"></script>
<script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]-->
<meta itemprop="name" content="Carlos | Cinema em Cena - www.cinemaemcena.com.br">
<meta itemprop="description" content="Carlos | Cinema em Cena - www.cinemaemcena.com.br">
<meta itemprop="image" content="http://cinemaemcena.cartacapital.com.br/uploads/banners/../criticas_old/carlos 2010 Olivier Assayas.jpg">
<meta name="twitter:card" content="summary_large_image">
<meta name="twitter:site" content="http://www.cinemaemcena.com.br">
<meta name="twitter:title" content="Carlos | Cinema em Cena - www.cinemaemcena.com.br">
<meta name="twitter:description" content="A história de Ilich Ramirez Sanchez, revolucionário venezuelano, que fundou uma organização terrorista e invadiu uma sede da OPEC em 1975, antes de ser capturado pela polícia francesa.">
<meta name="twitter:creator" content="Pablo Villaça - Cinema em Cena">
<meta name="twitter:image:src" content="http://cinemaemcena.cartacapital.com.br/uploads/banners/../criticas_old/carlos 2010 Olivier Assayas.jpg">
<meta property="og:title" content="Carlos | Cinema em Cena - www.cinemaemcena.com.br" />
<meta property="og:type" content="article" />
<meta property="og:url" content="/" />
<meta property="og:image" content="http://cinemaemcena.cartacapital.com.br/uploads/banners/../criticas_old/carlos 2010 Olivier Assayas.jpg" />
<meta property="og:description" content="A história de Ilich Ramirez Sanchez, revolucionário venezuelano, que fundou uma organização terrorista e invadiu uma sede da OPEC em 1975, antes de ser capturado pela polícia francesa." />
<meta property="og:site_name" content="Pablo Villaça - Cinema em Cena" />
<meta property="article:section" content="Cinema em Cena" />
<meta name="robots" content="index,follow" />
<meta name="keywords" content="Cinema, Cinema em Cena, Filmes, Críticas, Pablo Villaça, Notícias, Colunas, Blogs, Reviews" />
<meta name="Googlebot" content="noarchive" />
<meta name="distribution" content="global" />
<meta name="author" content="Cinema em Cena" />
<meta name="country" content="Brazil" />
<meta name="geo.country" content="BR" />
<script async src="//pagead2.googlesyndication.com/pagead/js/adsbygoogle.js"></script>
<script async="1">
(function() {
__mtm = [ '5900c4b4a5d24633783c361a', 'cdn01.mzbcdn.net/mngr' ];
var s = document.createElement('script');
s.async = 1;
s.src = '//' + __mtm[1] + '/mtm.js';
var e = document.getElementsByTagName('script')[0];
(e.parentNode || document.body).insertBefore(s, e);
})();
</script>
</head>
<body>
<script id="barracartacapitaljs" src="http://js.cartacapital.com.br/barra.js"></script>
<div class="corner-ribbon top-right red hidden visible-lg"><a href="http://arquivo.cinemaemcena.com.br" target="_blank">20 anos</a></div>
<nav class="navbar navbar-inverse visible-xs visible-sm visible-md floating-menu">
<div class="container">
<div class="row">
<div class="navbar-header">
<button type="button" class="navbar-toggle collapsed" data-toggle="collapse" data-target="#navbar" aria-expanded="false" aria-controls="navbar">
<span class="sr-only">Exibir menu</span>
<span class="icon-bar"></span>
<span class="icon-bar"></span>
<span class="icon-bar"></span>
</button>
<a href="#"><img src="dist/_img/logo-mobile.png" /></a>
</div>
<div id="navbar" class="navbar-collapse collapse">
<ul class="nav navbar-nav">
<li><a href="http://cinemaemcena.cartacapital.com.br/critica">Críticas</a></li>
<li class="dropdown">
<a href="#" class="dropdown-toggle" data-toggle="dropdown" role="button" aria-haspopup="true" aria-expanded="false">Cinema <span class="caret"></span></a>
<ul class="dropdown-menu">
<li><a href="http://cinemaemcena.cartacapital.com.br/critica">Acessar Críticas</a></li>
<li class="dropdown-header">Crítica mais recente:</li>
<li>
<a href="http://cinemaemcena.cartacapital.com.br/critica/filme/8466/você-nunca-esteve-realmente-aqui">Você Nunca Esteve Realmente Aqui</a>
</li>
<li role="separator" class="divider"></li>
<li><a href="http://cinemaemcena.cartacapital.com.br/blog">Blogs</a></li>
<li><a href="http://cinemaemcena.cartacapital.com.br/coluna">Colunas</a></li>
<li><a href="http://cinemaemcena.cartacapital.com.br/cinemaexpresso">Cinema Expresso</a></li>
</ul>
</li>
<li><a href="http://cinemaemcena.cartacapital.com.br/noticia">Notícias</a></li>
<li class="dropdown">
<a href="#" class="dropdown-toggle" data-toggle="dropdown" role="button" aria-haspopup="true" aria-expanded="false">Casts <span class="caret"></span></a>
<ul class="dropdown-menu">
<li><a href="http://cinemaemcena.cartacapital.com.br/podcast">Podcast</a></li>
<li><a href="http://cinemaemcena.cartacapital.com.br/videocast">Videocast</a></li>
</ul>
</li>
<li><a href="http://cinemaemcena.cartacapital.com.br/blog">Blogs</a></li>
<li><a href="http://cinemaemcena.cartacapital.com.br/cec/apoio">Colabore</a></li>
<li class="dropdown">
<a href="#" class="dropdown-toggle" data-toggle="dropdown" role="button" aria-haspopup="true" aria-expanded="false">Pesquisar</a>
<ul class="dropdown-menu">
<li><form action="http://cinemaemcena.cartacapital.com.br/pesquisa/palavra">
<div class="form-group ">
<input type="text" name="q" class="form-control" placeholder="Pesquisar por...">
<button type="submit" class="btn btn-success btn-block btn-flat"> <i class="fa fa-search" aria-hidden="true"></i> Procurar</button>
</div>
</form></li>
</ul>
</li>
<li class="visible-xs"><a href="http://cinemaemcena.cartacapital.com.br/usuario/login">Acessar</a></li>
</ul>
<ul class="nav navbar-nav pull-right navbar-header hidden-xs">
<li><a href="http://cinemaemcena.cartacapital.com.br/usuario/login">Acessar</a></li>
</ul>
</div>
</div>
</div>
</nav>
<div class="container-fluid cabecalho yamm hidden-xs hidden-sm hidden-md">
<div class="container">
<div class="col-md-3 col-logo" align="center">
<a href="http://cinemaemcena.cartacapital.com.br/"><img src="dist/_img/logo.png" class="img-responsive"></a>
</div>
<div class="col-md-7 col-sm-8 col-menu">
<div class="menu-cec bordas-arredondadas navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="http://cinemaemcena.cartacapital.com.br/critica">CRÍTICAS</a></li>
<li class="yamm-fw dropdown"><a href="#" data-toggle="dropdown" class="dropdown-toggle">CINEMA <span class="caret"></span></a>
<ul class="dropdown-menu">
<li class="">
<div class="row">
<div class="col-md-4">
<a href="http://cinemaemcena.cartacapital.com.br/critica/filme/8466/você-nunca-esteve-realmente-aqui"><img src="http://cinemaemcena.cartacapital.com.br/uploads/banners/thumb_poster_20180809220112.jpg" class="img-responsive"></a>
</div>
<div class="col-md-4">
<h4>Você Nunca Esteve Realmente Aqui</h4>
<a href="http://cinemaemcena.cartacapital.com.br/critica/filme/8466/você-nunca-esteve-realmente-aqui">Lynne Ramsey subverte o gênero com a ajuda da brilhante performance de Joaquin Phoenix.</a></div>
<div class="col-md-4">
<h4>Mais cinema:</h4>
- <strong><a href="http://cinemaemcena.cartacapital.com.br/critica" class="maior">Acessar Críticas</a></strong>
<br> - <a href="http://cinemaemcena.cartacapital.com.br/blog">Blogs</a>
<br> - <a href="http://cinemaemcena.cartacapital.com.br/coluna">Colunas</a>
<br> - <a href="http://cinemaemcena.cartacapital.com.br/cinemaexpresso">Cinema Expresso</a>
</div>
</div>
</li>
</ul>
</li>
<li><a href="http://cinemaemcena.cartacapital.com.br/noticia/">NOTÍCIAS</a></li>
<li class="yamm-fw dropdown"><a href="#" data-toggle="dropdown" class="dropdown-toggle">CASTS <span class="caret"></span></a>
<ul class="dropdown-menu">
<li class="grid-demo">
<div class="row">
<div class="col-md-4">
<a href="http://cinemaemcena.cartacapital.com.br/videocast/assistir/1476/cannes-2018-dia-1">
<img src="https://i.ytimg.com/vi/-sNvGaPQNXk/mqdefault.jpg" class="img-responsive">
</a>
</div>
<div class="col-md-4">
<h4>Cannes 2018 - Dia 1</h4>
<a href="http://cinemaemcena.cartacapital.com.br/videocast/assistir/1476/cannes-2018-dia-1" class="maior">Assistir agora!</a>
</div>
<div class="col-md-3">
<h4>Mais:</h4>
- <a href="http://cinemaemcena.cartacapital.com.br/videocast" class="maior">Videocasts</a>
<br>- <a href="http://cinemaemcena.cartacapital.com.br/podcast" class="maior">Podcasts</a>
</div>
</div>
</li>
</ul>
</li>
<li><a href="http://cinemaemcena.cartacapital.com.br/blog/">BLOGS</a></li>
<li><a href="http://cinemaemcena.cartacapital.com.br/cec/apoio">COLABORE</a></li>
<li style="width:150px; position:absolute; left:50%; margin-left:60px;">
<form action="http://cinemaemcena.cartacapital.com.br/pesquisa/palavra" class="search-form">
<div class="form-group has-feedback">
<label for="search" class="sr-only">Search</label>
<input type="text" class="form-control" name="q" id="q" placeholder="Pesquisar">
<span class="glyphicon glyphicon-search form-control-feedback"></span>
</div>
</form>
</li>
</ul>
</div>
</div>
<div class="col-md-2">
<div class="bordas-arredondadas menu-logado">
Seja bem vindo(a)!<br>
<a href="http://cinemaemcena.cartacapital.com.br/usuario/login">Acessar conta</a> - <a href="http://cinemaemcena.cartacapital.com.br/usuario/registrar">Registrar</a>
</div>
</div>
</div>
</div>
<p> </p><p> </p><p> </p><p> </p><p> </p>
<p> </p>
<div class="container">
<div class="row">
<div class="col-md-12"><h1 class="vermelho"><a href="http://cinemaemcena.cartacapital.com.br/critica/">Críticas</a> <small>por Pablo Villaça</small></h1></div>
<div class="col-sm-4">
<img src="http://cinemaemcena.cartacapital.com.br/uploads/banners/../criticas_old/filmes-11047-cartazes-carlos_01.jpg" alt="Poster: Carlos" class="img-responsive" width="100%">
<br>
<table class="table table-condensed table-striped table-bordered table-shadow">
<thead>
<tr>
<th colspan="2">Datas de Estreia:</th>
<th colspan="1" align="center">Nota:</th>
</tr>
<tr>
<th width="100">Brasil</th>
<th width="100">Exterior</th>
<th width="100">Crítico</th>
</tr>
</thead>
<tbody>
<tr>
<td>Unknown</td>
<td>Unknown</td>
<td><div class="rateit" data-rateit-value="5" data-rateit-ispreset="true" data-rateit-readonly="true"></div></td>
</tr>
<tr>
<th colspan=3>Distribuidora</th>
</tr>
<tr><td colspan=3></td></tr>
</tbody>
</table>
<div class="critica-elenco">
<div class="clearfix"></div><br><h3>Direção</h3>
<a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/2024/olivier-assayas" target="_blank">Olivier Assayas</a>
<div class="clearfix"></div><br><h3>Roteiro</h3>
<a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/2024/olivier-assayas" target="_blank">Olivier Assayas</a>
, <a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/5962/dan-franck" target="_blank">Dan Franck</a>
, <a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/5963/daniel-leconte" target="_blank">Daniel Leconte</a>
<div class="clearfix"></div><br><h3>Produção</h3>
<a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/5963/daniel-leconte" target="_blank">Daniel Leconte</a>
<div class="clearfix"></div><br><h3>Fotografia</h3>
<a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/2026/yorick-le-saux" target="_blank">Yorick Le Saux</a>
, <a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/5044/denis-lenoir" target="_blank">Denis Lenoir</a>
<div class="clearfix"></div><br><h3>Montagem</h3>
<a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/5964/luc-barnier" target="_blank">Luc Barnier</a>
, <a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/2027/marion-monnier" target="_blank">Marion Monnier</a>
<div class="clearfix"></div><br><h3>Design de Produção</h3>
<a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/2028/françois-renaud-labarthe" target="_blank">François-Renaud Labarthe</a>
<div class="clearfix"></div><br><h3>Figurino</h3>
<a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/2029/jürgen-doering" target="_blank">Jürgen Doering</a>
, <a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/5967/françoise-clavel" target="_blank">Françoise Clavel</a>
<div class="clearfix"></div><br><h3>Direção de Arte</h3>
<a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/5965/cédric-henry" target="_blank">Cédric Henry</a>
, <a href="http://cinemaemcena.cartacapital.com.br/pessoa/lista/5966/bertram-strauß" target="_blank">Bertram Strauß</a>
</div>
<p> </p>
<div class="clearfix"></div>
<p> </p>
<div class="publicidade hidden-sm hidden-xs">
<h5>Publicidade</h5>
<div class="box-publicidade">
<ins class="adsbygoogle" style="display:inline-block;width:300px;height:250px" data-ad-client="ca-pub-0570572332095822" data-ad-slot="8882866470"></ins>
<script>
(adsbygoogle = window.adsbygoogle || []).push({});
</script>
</div>
</div>
<br />
<div class="publicidade hidden-sm hidden-xs">
<h5>Publicidade</h5>
<div class="box-publicidade">
<ins class="adsbygoogle" style="display:inline-block;width:300px;height:250px" data-ad-client="ca-pub-0570572332095822" data-ad-slot="1359599671"></ins>
<script>
(adsbygoogle = window.adsbygoogle || []).push({});
</script>
</div>
</div>
</div>
<div class="col-sm-8">
<h1>Carlos <br><small>Carlos</small> </h1>
<p><figure><img src="http://cinemaemcena.cartacapital.com.br/uploads/banners/../criticas_old/carlos 2010 Olivier Assayas.jpg" width="100%"><figcaption>Carlos</figcaption></figure> </p>
<div align="right">
<div class="botao-share"><a class="twitter-share-button" href="https://twitter.com/share">Tweet</a></div>
<script type="text/javascript">window.twttr=(function(d,s,id){var t,js,fjs=d.getElementsByTagName(s)[0];if(d.getElementById(id)){return}js=d.createElement(s);js.id=id;js.src="https://platform.twitter.com/widgets.js";fjs.parentNode.insertBefore(js,fjs);return window.twttr||(t={_e:[],ready:function(f){t._e.push(f)}})}(document,"script","twitter-wjs"));</script>
<div class="botao-share"><div class="g-plus" data-action="share" data-annotation="bubble"></div></div>
</div>
<div class="clearfix"></div>
<div class="critica-conteudo">
<P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><B><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Dirigido por Olivier Assayas. Com: Édgar Ramírez, Alexander Scheer, Nora von Waldstätten, Talal El-Jordi, Christoph Bach, Rodney El Haddad, Julia Hummer, Ahmad Kaabour, Razane Jamal.</SPAN></B><B style="mso-bidi-font-weight: normal"><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt"><o:p></o:p></SPAN></B></P><P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Com inacreditáveis 5 horas e meia de duração, <I style="mso-bidi-font-style: normal">Carlos </I>é um projeto ambicioso como poucos: rodado em 11 países e trazendo 250 atores e mais de três mil figurantes, o novo filme de Olivier Assayas busca traçar um retrato do terrorista Carlos, o Chacal (seu apelido jamais é mencionado pelo roteiro de Assayas e Dan Franck) desde seu início como revolucionário idealista até se transformar num mercenário impiedoso e procurado pelas autoridades de diversos países.<o:p></o:p></SPAN></P><P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Sem jamais soar entediante apesar dos 330 minutos de projeção, o longa conta com uma montagem dinâmica que chega a empregar elipses bruscas em vários momentos a fim de manter o ritmo (como no instante em que o protagonista percorre um corredor e seu caminhar é apressado pelos cortes secos). Da mesma maneira, os montadores Luc Barnier e Marion Monnier investem em transições rápidas – embora abusem dos <I style="mso-bidi-font-style: normal">fades </I>– e pisam no acelerador de forma particularmente eficaz nas várias seqüências de ação, garantindo, com isso, que o espectador permaneça sempre preso aos acontecimentos na tela.<o:p></o:p></SPAN></P><P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Conferindo peso de realidade à narrativa através da utilização de imagens de arquivo e da inclusão de letreiros que trazem os nomes dos personagens mais importantes, <I style="mso-bidi-font-style: normal">Carlos</I> conta também com um <I style="mso-bidi-font-style: normal">design </I>de produção exemplar que faz um impecável trabalho de recriação de época – uma tarefa colossal, considerando que o filme abrange um período de mais de 20 anos e uma dezena de países diferentes. Mas, mais do que isso, o longa consegue evocar com intensidade o clima de instabilidade política da década de 70, quando as ações terroristas eram tão freqüentes que, em certo instante, um atentado desastrado promovido pelos homens de Carlos acaba destruindo um avião de uma nacionalidade diferente da planejada e um outro grupo terrorista imediatamente aproveita a oportunidade para assumir a autoria da ação.<o:p></o:p></SPAN></P><P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Sem fazer concessões históricas a fim de tornar a trajetória do protagonista mais simples para o espectador, o filme mergulha o público num emaranhado de siglas e países ao estabelecer que cada governo tinha motivações particulares – e muitas vezes efêmeras – para empregar ou condenar Carlos, que é perseguido ou abraçado por nações como Síria, Líbia, Hungria, Rússia e Alemanha Oriental dependendo dos interesses imediatos de cada uma delas. Ainda assim, o longa consegue a proeza de evitar uma narrativa confusa mesmo contando uma história que envolve cinco línguas e um personagem-título que jamais permanece muito tempo no mesmo lugar. <o:p></o:p></SPAN></P><P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Dedicando-se também a desenvolver com cuidado as figuras secundárias que cercavam, apoiavam ou combatiam Carlos, o roteiro aproveita personagens como Angie (Bach) para explorar várias facetas psicológicas e morais importantes – neste caso, a crise de consciência de um revolucionário alemão que, embora apoiando a causa palestina, tem pavor de repetir os erros passados de seu pais e, com isso, faz questão de se manifestar anti-sionista, mas jamais anti-semita. Além disso, Assayas reconhece a importância de estabelecer a relevância de figuras como Weinrich (Scheer), braço direito de Carlos, e de Magdalena Kopp (Waldstätten), que viria a se tornar esposa do protagonista – e é esta abordagem abrangente do cineasta que se mostra fundamental para estabelecer um quadro amplo e incrivelmente verossímil da vida do sujeito.<o:p></o:p></SPAN></P><P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Mas é claro que, neste sentido, é mesmo a atuação de Édgar Ramírez que se estabelece como essencial para o sucesso do projeto: encarnando Carlos sem sentir necessidade de forçar na caracterização, o ator simplesmente se <I style="mso-bidi-font-style: normal">torna</I> o personagem, conferindo autenticidade a cada gesto ou inflexão da voz. Demonstrando uma dedicação típica do Método, Ramírez surge no início da projeção com o corpo musculoso apenas para exibir uma barriga imensa e flácida ao retratar o período de decadência do Chacal – algo que traz importantes implicações psicológicas para sua performance, já que a vaidade era um elemento particularmente importante da personalidade de Carlos, cujo sentimento de auto-importância o levava a se enxergar como um inimigo perseguido com obsessão pelo governo norte-americano mesmo quando já havia deixado de ser uma figura relevante há anos no cenário internacional.<o:p></o:p></SPAN></P><P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Sem jamais idealizar ou justificar as ações do personagem-título (e evitando ao máximo glamourisá-lo, embora isto às vezes se torne difícil em função da própria natureza grandiosa do sujeito), <I style="mso-bidi-font-style: normal">Carlos</I> retrata as ações terroristas do Chacal de maneira direta e brutal, fazendo questão de dar um rosto às suas vítimas – muitas delas, mulheres (incluindo gestantes) e crianças. Além disso, a própria trajetória de Carlos depõe contra suas motivações, já que não hesita em abandonar suas ideologias para se transformar num mercenário e mesmo num traficante de armas – ainda que insista numa retórica vazia que inclui palavras como “revolução”, “opressão” e “justiça”. Sua hipocrisia, aliás, torna-se ainda mais óbvia quando o auto-proclamado marxista se entrega à vaidade de dirigir carros luxuosos e de se apresentar como uma verdadeira estrela do terrorismo.<o:p></o:p></SPAN></P><P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Empregando com sabedoria suas cinco horas e meia de duração para construir e desenvolver com detalhes as situações, os personagens e a dinâmica entre estes, <I style="mso-bidi-font-style: normal">Carlos</I> deverá ser lançado comercialmente nos cinemas ao redor do mundo em uma versão reduzida que terá 2 horas e mais. Porém, depois de assistir ao corte completo do longa, confesso ter dificuldade para imaginar o que poderia ser extraído da narrativa sem prejudicar sua fluidez e sua equilibrada estrutura interna. E quando um diretor consegue criar uma obra que parece enxuta mesmo tendo 330 minutos, algo memorável acabou de acontecer.<B style="mso-bidi-font-weight: normal"><o:p></o:p></B></SPAN></P><P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><I style="mso-bidi-font-style: normal"><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Observação: esta crítica foi originalmente publicada como parte da cobertura do Festival do Rio 2010.<o:p></o:p></SPAN></I></P><P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><I style="mso-bidi-font-style: normal"><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">29 de Setembro de 2010<o:p></o:p></SPAN></I></P><P style="TEXT-ALIGN: justify; MARGIN: 0cm 0cm 10pt" class=MsoNormal><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Siga <B style="mso-bidi-font-weight: normal">Pablo Villaça</B> no twitter <B style="mso-bidi-font-weight: normal"><A href="http://www.twitter.com/pablovillaca"><FONT color=#a52a2a>clicando aqui</FONT></A></B>!<o:p></o:p></SPAN></P><P style="MARGIN: 0cm 0cm 10pt" class=MsoNormal><I style="mso-bidi-font-style: normal"><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt">Comente esta crítica em nosso fórum e troque idéias com outros leitores! <B style="mso-bidi-font-weight: normal"><A href="http://www.cinemaemcena.com.br/forum/forum_posts.asp?TID=17902"><FONT color=#a52a2a>Clique aqui</FONT></A></B>!</SPAN></I><SPAN style="LINE-HEIGHT: 115%; FONT-FAMILY: Trebuchet MS,sans-serif; FONT-SIZE: 10pt"><o:p></o:p></SPAN></P>
</div>
<div class="critica-autor">
<h3>Sobre o autor da crítica:</h3>
<img src="http://cinemaemcena.cartacapital.com.br/uploads/avatares/635549450749712904.jpg" class="img-rounded" width="80" align="left">
<p>Pablo Villaça, 18 de setembro de 1974, é um crítico cinematográfico brasileiro. É editor do site Cinema em Cena, que criou em 1997, o mais antigo site de cinema no Brasil. Trabalha analisando filmes desde 1994 e colaborou em periódicos nacionais como MovieStar, Sci-Fi News, Sci-Fi Cinema, Replicante e SET. Também é professor de Linguagem e Crítica Cinematográficas.</p>
</div>
<div class="clearfix"></div>
<div class="comentario" id="critica/filme/5983/carlos"></div>
</div>
</div>
</div>
<footer class="container-fluid">
<div class="container">
<p> </p>
<div class="row">
<div class="col-md-3">
<h3>Cinema em Cena</h3>
<ul>
<li><a href="http://cinemaemcena.cartacapital.com.br/cec/quemsomos">Quem Somos</a></li>
<li><a href="">Anuncie no CeC</a></li>
<li><a href='http://forum.cinemaemcena.com.br' target='_blank'>Fórum</a></li>
</ul>
</div>
<div class="col-md-3">
<h3>Mapa do Site</h3>
<ul>
<li><a href="http://cinemaemcena.cartacapital.com.br/critica">Críticas</a></li>
<li><a href="http://cinemaemcena.cartacapital.com.br/blog">Blogs</a></li>
<li><a href="http://cinemaemcena.cartacapital.com.br/coluna">Colunas</a></li>
<li><a href="http://cinemaemcena.cartacapital.com.br/noticia">Notícias</a></li>
<li><a href="http://cinemaemcena.cartacapital.com.br/videocast">Videocasts</a></li>
<li><a href="http://cinemaemcena.cartacapital.com.br/podcast">Podcasts</a></li>
</ul>
</div>
<div class="col-md-3">
<h3>Redes Sociais</h3>
<ul>
<li><a href="http://www.twitter.com/cinemaemcena" target="_blank">Twitter (Cinema em Cena)</a></li>
<li><a href="http://www.instagram.com/cinemaemcena" target="_blank">Instagram (Cinema em Cena)</a></li>
<li><a href="http://www.youtube.com/pablovillaca" target="_blank">Youtube (Pablo Villaça)</a></li>
<li><a href="http://www.twitter.com/pablovillaca" target="_blank">Twitter (Pablo Villaça)</a></li>
<li><a href="http://www.instagram.com/pablovillaca" target="_blank">Instagram (Pablo Villaça)</a></li>
</ul>
</div>
<div class="col-md-3" align="right"><p> </p>Todos os direitos reservados (c) 2017 ao Cinema em Cena<p> </p></div>
</div>
</div>
</footer>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.12.4/jquery.min.js"></script>
<script src="dist/_scripts/bootstrap/js/bootstrap.min.js"></script>
<script src="dist/_scripts/meiomask.min.js"></script>
<script src="dist/js/noty/packaged/jquery.noty.packaged.min.js" type="text/javascript"></script>
<script src="dist/js/rateit/jquery.rateit.min.js"></script>
<script src="dist/_scripts/cec.min.js"></script>
<script>
$(document).ready(function(){
});
</script>
</body>
</html> | 77.882022 | 9,395 | 0.735952 |
6aee18dda9b37260cdf35c807159126891b3f494 | 900 | sql | SQL | flinkx-examples/sql/elasticsearch7/es2es.sql | pick-stars/flinkx | dd3b03deb873f0a75ff1307fce7c9e2e5b518d77 | [
"ECL-2.0",
"Apache-2.0"
] | 3,101 | 2018-04-08T03:49:08.000Z | 2022-03-31T12:22:11.000Z | flinkx-examples/sql/elasticsearch7/es2es.sql | xueqianging/flinkx | a616488caa6970f178f84e65f572d6d68977edb9 | [
"ECL-2.0",
"Apache-2.0"
] | 507 | 2018-06-07T08:58:59.000Z | 2022-02-19T13:01:10.000Z | flinkx-examples/sql/elasticsearch7/es2es.sql | xueqianging/flinkx | a616488caa6970f178f84e65f572d6d68977edb9 | [
"ECL-2.0",
"Apache-2.0"
] | 1,326 | 2018-05-02T08:13:29.000Z | 2022-03-26T13:11:24.000Z | -- curl -XPOST 'localhost:9200/teachers/1' -H "Content-Type: application/json" -d '{
-- "id": "100",
-- "phone": "2345678765",
-- "qq": "7576457",
-- "wechat": "这是wechat",
-- "income": "1324.13",
-- "birthday": "2020-07-30 10:08:22",
-- "today": "2020-07-30",
-- "timecurrent": "12:08:22"
-- }'
CREATE TABLE es7_source(
id int
, phone bigint
, qq varchar
, wechat varchar
, income decimal(10,6)
, birthday timestamp
, today date
, timecurrent time )
WITH(
'connector' ='elasticsearch7-x',
'hosts' ='localhost:9200',
'index' ='mowen_target');
CREATE TABLE es7_sink(
id int
, phone bigint
, qq varchar
, wechat varchar
, income decimal(10,6)
, birthday timestamp
, today date
, timecurrent time )
WITH(
'connector' ='elasticsearch7-x'
,'hosts' ='localhost:9200',
'index' ='students_4'
);
INSERT INTO es7_sink
SELECT *
FROM es7_source;
| 19.565217 | 84 | 0.62 |
e9325343e982f36079aa6078e89223263e2f82fd | 1,164 | go | Go | internal/logstore/core/const.go | nanzm/golang-server | 8a65374dd29dcb67141397b4ba975aa5dd5c7602 | [
"MIT"
] | 1 | 2021-06-22T13:58:20.000Z | 2021-06-22T13:58:20.000Z | internal/logstore/core/const.go | nanzm/golang-server | 8a65374dd29dcb67141397b4ba975aa5dd5c7602 | [
"MIT"
] | null | null | null | internal/logstore/core/const.go | nanzm/golang-server | 8a65374dd29dcb67141397b4ba975aa5dd5c7602 | [
"MIT"
] | 1 | 2021-06-22T13:58:32.000Z | 2021-06-22T13:58:32.000Z | package core
const (
PvUvTotal = "pvUvTotal"
PvUvTrend = "pvUvTrend"
ErrorCount = "errorCount"
ErrorCountTrend = "errorCountTrend"
ApiErrorCount = "apiErrorCount"
ApiErrorTrend = "apiErrorTrend"
ApiErrorList = "apiErrorList"
ApiDuration = "apiDuration"
ApiDurationTrend = "apiDurationTrend"
ApiTopListDuration = "apiTopListDuration"
ResLoadFailTotalTrend = "resLoadFailTotalTrend"
ResLoadFailTotal = "resLoadFailTotal"
ResLoadFailList = "resLoadFailList"
ResDuration = "resDuration"
ResDurationTrend = "resDurationTrend"
PerfMetrics = "perfMetrics"
ProjectSdkVersionList = "projectSdkVersionList"
ProjectLogTypeList = "projectLogTypeList"
ProjectUrlVisitList = "projectUrlVisitList"
ProjectLogCount = "projectLogCount"
ProjectEnv = "projectEnv"
ProjectVersion = "projectVersion"
ProjectUserScreen = "projectUserScreen"
ProjectLogType = "ProjectLogType"
)
const (
TplAppId = "<APPID>"
TplFrom = "<FORM>"
TplTo = "<TO>"
TplInterval = "<INTERVAL>"
TplMD5 = "<MD5>"
TplSearchError = "<SEARCH_ERROR>"
)
| 27.069767 | 48 | 0.682131 |
78f005d7ae423832b3d0220abc190d1ec4f971c3 | 377 | dart | Dart | lib/AlertDialogs/alert.dart | gelsonmarcelo/mobileapp-todo-list | d80a39dc57246a945a7e66d21e902e29a0cea6af | [
"Unlicense"
] | null | null | null | lib/AlertDialogs/alert.dart | gelsonmarcelo/mobileapp-todo-list | d80a39dc57246a945a7e66d21e902e29a0cea6af | [
"Unlicense"
] | null | null | null | lib/AlertDialogs/alert.dart | gelsonmarcelo/mobileapp-todo-list | d80a39dc57246a945a7e66d21e902e29a0cea6af | [
"Unlicense"
] | null | null | null | import 'package:flutter/material.dart';
showAlertDialog1(BuildContext context) {
//Configura o AlertDialog
AlertDialog alerta = AlertDialog(
title: Text("Tarefa em branco"),
content: Text("Não é possível criar uma tarefa vazia."),
);
//Exibe o dialog
showDialog(
context: context,
builder: (BuildContext context) {
return alerta;
},
);
}
| 22.176471 | 60 | 0.676393 |
90c4d01531ea1ecdea423f285b40da7e3e9bac51 | 1,799 | py | Python | model_server.py | samsniderheld/Pose_Auto_Encoder | f744774ca74c015fe199a42f33088c437cecc2fe | [
"MIT"
] | null | null | null | model_server.py | samsniderheld/Pose_Auto_Encoder | f744774ca74c015fe199a42f33088c437cecc2fe | [
"MIT"
] | null | null | null | model_server.py | samsniderheld/Pose_Auto_Encoder | f744774ca74c015fe199a42f33088c437cecc2fe | [
"MIT"
] | null | null | null | from flask import Flask, current_app, request, send_file, Response
import json
import io
import base64
import numpy as np
import tensorflow as tf
from PIL import Image
import cv2
from scipy.spatial import distance
import scipy.misc
from keras.preprocessing import image
from Model.bone_variational_auto_encoder import create_variational_bone_auto_encoder
from Model.bone_auto_encoder import create_bone_auto_encoder
# encoder_model = tf.keras.models.load_model('Saved_Models/0300_encoder_model.h5')
# bone_decoder_model = tf.keras.models.load_model('Saved_Models/0300_bone_decoder_model.h5')
img_dim = 128
encoder, bone_decoder, auto_encoder = create_variational_bone_auto_encoder(
dims=img_dim, latent_dim = 128)
# encoder, bone_decoder, auto_encoder = create_bone_auto_encoder(
# dims=img_dim , latent_dim = 128)
auto_encoder.load_weights('Saved_Models/bone_auto_encoder_model.h5')
app = Flask(__name__)
@app.route('/suggest', methods=['POST'])
def suggest():
try:
data = request.form['img']
except Exception:
return jsonify(status_code='400', msg='Bad Request'), 400
b64_decoded_img = base64.b64decode(data)
byte_img = io.BytesIO(b64_decoded_img)
pil_img= Image.open(byte_img)
cv2.imwrite('test.jpg',np.array(pil_img))
pil_img = pil_img.resize((img_dim,img_dim))
np_img = image.img_to_array(pil_img)
np_img = np_img/255.
sample = np.expand_dims(np_img, axis=0)
empty_CSV = np.empty((1,52,3))
# prediction = bone_decoder_model(encoder_model(sample))
prediction = auto_encoder([sample,empty_CSV,empty_CSV])
response = {"bones": prediction[0].numpy().flatten().tolist()}
return json.dumps(response)
if __name__ == '__main__':
app.run(host='0.0.0.0', port=9000, debug=True) | 26.850746 | 92 | 0.742635 |
1c49676cef2dcceec8b58090c97701e2bc82634e | 18,700 | css | CSS | assets/production/boostrap2-full.min.css | Ayushi271/template-CVStart-Joomla | d1e27cd5e73c87594ee464d2c55cce649700ec9b | [
"MIT"
] | null | null | null | assets/production/boostrap2-full.min.css | Ayushi271/template-CVStart-Joomla | d1e27cd5e73c87594ee464d2c55cce649700ec9b | [
"MIT"
] | 2 | 2016-09-15T16:31:11.000Z | 2021-12-21T10:10:39.000Z | assets/production/boostrap2-full.min.css | Ayushi271/template-CVStart-Joomla | d1e27cd5e73c87594ee464d2c55cce649700ec9b | [
"MIT"
] | 2 | 2019-12-11T20:28:42.000Z | 2021-12-20T16:52:52.000Z | .btn.active,.btn:active,.btn:focus,.navbar .navbar-nav li a:focus,.navbar a:focus,.scroll-top .btn:focus{outline:0}body{overflow-x:hidden}body.index{padding-top:0!important;padding-left:0;padding-right:0}p{font-size:20px}p.small{font-size:16px}a,a.active,a:active,a:focus,a:hover{outline:0;color:#18bc9c}h1,h2,h3,h4,h5,h6{text-transform:uppercase;font-family:Montserrat,"Helvetica Neue",Helvetica,Arial,sans-serif;font-weight:700}hr.star-light,hr.star-primary{margin:25px auto 30px;padding:0;max-width:250px;border:0;border-top:solid 5px;text-align:center}hr.star-light:after,hr.star-primary:after{content:"\f005";display:inline-block;position:relative;top:-.8em;padding:0 .25em;font-family:FontAwesome;font-size:2em}.navbar,header .intro-text .name{text-transform:uppercase;font-family:Montserrat,"Helvetica Neue",Helvetica,Arial,sans-serif}hr.star-light{border-color:#fff}hr.star-light:after{color:#fff;background-color:#2c3e50}hr.star-primary{border-color:#2c3e50}hr.star-primary:after{color:#2c3e50;background-color:#fff}header,section.success{background:#2c3e50;color:#fff}.img-centered{margin:0 auto}header{text-align:center}header .container,header .container-fluid{padding-top:100px;padding-bottom:50px} header img{display:block;margin:0 auto 20px;width:250px;height250px} header .intro-text .name{display:block;font-size:2em;font-weight:700}header .intro-text .skills{font-size:1.25em;font-weight:300}@media(min-width:768px){header .container,header .container-fluid{padding-top:200px;padding-bottom:100px}header .intro-text .name{font-size:4.75em}header .intro-text .skills{font-size:1.75em}.navbar-fixed-top{padding:0;-webkit-transition:padding .3s;-moz-transition:padding .3s;transition:padding .3s}.navbar-fixed-top .brand{font-size:2em;padding-left:10px 0;-webkit-transition:all .3s;-moz-transition:all .3s;transition:all .3s}.navbar-fixed-top.navbar-shrink{padding:10px 0}.navbar-fixed-top.navbar-shrink .navbar-brand{font-size:1.5em}#portfolio .portfolio-item{margin:0 0 30px}section{padding:75px 0}section.first{padding-top:75px}.map{height:75%}}.navbar{font-weight:700;padding:10px 0}.navbar .navbar-nav{letter-spacing:1px}.navbar-default,.navbar-inverse{border:0}section{padding:100px 0}section h2{margin:0;font-size:3em}#portfolio .portfolio-item{right:0;margin:0 0 15px}#portfolio .portfolio-item .portfolio-link{display:block;position:relative;margin:0 auto;max-width:400px}#portfolio .portfolio-item .portfolio-link .caption{position:absolute;width:100%;height:100%;opacity:0;background:rgba(24,188,156,.9);-webkit-transition:all ease .5s;-moz-transition:all ease .5s;transition:all ease .5s}#portfolio .portfolio-item .portfolio-link .caption:hover{opacity:1}#portfolio .portfolio-item .portfolio-link .caption .caption-content{position:absolute;top:50%;width:100%;height:20px;margin-top:-12px;text-align:center;font-size:20px;color:#fff}#portfolio .portfolio-item .portfolio-link .caption .caption-content i{margin-top:-12px}#portfolio .portfolio-item .portfolio-link .caption .caption-content h3,#portfolio .portfolio-item .portfolio-link .caption .caption-content h4{margin:0}#portfolio *{z-index:2}.btn-outline{margin-top:15px;border:2px solid #fff;font-size:20px;color:#fff;background:0 0;transition:all .3s ease-in-out}.btn-outline.active,.btn-outline:active,.btn-outline:focus,.btn-outline:hover{border:2px solid #fff;color:#18bc9c;background:#fff}.floating-label-form-group{position:relative;margin-bottom:0;padding-bottom:.5em;border-bottom:1px solid #eee}.floating-label-form-group input,.floating-label-form-group textarea{z-index:1;position:relative;padding-right:0;padding-left:0;border:0;border-radius:0;font-size:1.5em;background:0 0;box-shadow:none!important;resize:none}.floating-label-form-group label{display:block;z-index:0;position:relative;top:2em;margin:0;font-size:.85em;line-height:1.764705882em;vertical-align:middle;vertical-align:baseline;opacity:0;-webkit-transition:top .3s ease,opacity .3s ease;-moz-transition:top .3s ease,opacity .3s ease;-ms-transition:top .3s ease,opacity .3s ease;transition:top .3s ease,opacity .3s ease}.btn-social,.scroll-top .btn{width:50px;height:50px;font-size:20px}.floating-label-form-group::not(:first-child){padding-left:14px;border-left:1px solid #eee}.floating-label-form-group-with-value label{top:0;opacity:1}.floating-label-form-group-with-focus label{color:#18bc9c}form .row:first-child .floating-label-form-group{border-top:1px solid #eee}footer{color:#fff}footer h3{margin-bottom:30px}footer .footer-above{padding-top:50px;background-color:#2c3e50}footer .footer-col{margin-bottom:50px}footer .footer-below{padding:25px 0;background-color:#000}.btn-social{display:inline-block;border:2px solid #fff;border-radius:100%;text-align:center;line-height:45px}.scroll-top{z-index:1049;position:fixed;right:2%;bottom:2%;width:50px;height:50px}.scroll-top .btn{border-radius:100%;line-height:28px}.portfolio-modal .modal-content{padding:100px 0;min-height:100%;border:0;border-radius:0;text-align:center;background-clip:border-box;-webkit-box-shadow:none;box-shadow:none}.portfolio-modal .modal-content h2{margin:0;font-size:3em}.portfolio-modal .modal-content img{margin-bottom:30px}.portfolio-modal .modal-content .item-details{margin:30px 0}.portfolio-modal .close-modal{position:absolute;top:25px;right:25px;width:75px;height:75px;background-color:transparent;cursor:pointer}.portfolio-modal .close-modal:hover{opacity:.3}.portfolio-modal .close-modal .lr{z-index:1051;width:1px;height:75px;margin-left:35px;background-color:#2c3e50;-webkit-transform:rotate(45deg);-ms-transform:rotate(45deg);transform:rotate(45deg)}.map{height:500px}.portfolio-modal .close-modal .lr .rl{z-index:1052;width:1px;height:75px;background-color:#2c3e50;-webkit-transform:rotate(90deg);-ms-transform:rotate(90deg);transform:rotate(90deg)}.timeline{position:relative;padding:0;list-style:none}.timeline:before{content:"";position:absolute;top:0;bottom:0;left:40px;width:2px;margin-left:-1.5px;background-color:#f1f1f1}.timeline>li{position:relative;margin-bottom:50px;min-height:50px}.timeline .timeline-body>p,.timeline .timeline-body>ul,.timeline>li:last-child{margin-bottom:0}.timeline>li:after,.timeline>li:before{content:" ";display:table}.timeline>li:after{clear:both}.timeline>li .timeline-panel{float:right;position:relative;width:100%;padding:0 20px 0 100px;text-align:left}.timeline>li .timeline-panel:before{right:auto;left:-15px;border-right-width:15px;border-left-width:0}.timeline>li .timeline-panel:after{right:auto;left:-14px;border-right-width:14px;border-left-width:0}.timeline>li .timeline-image{z-index:100;position:absolute;left:0;width:80px;height:80px;margin-left:0;border:7px solid #f1f1f1;border-radius:100%;text-align:center;color:#fff;background-color:#1212ec}.timeline>li .timeline-image h4{margin-top:12px;font-size:10px;line-height:14px}.timeline>li.timeline-inverted>.timeline-panel{float:right;padding:0 20px 0 100px;text-align:left}.timeline>li.timeline-inverted>.timeline-panel:before{right:auto;left:-15px;border-right-width:15px;border-left-width:0}.timeline>li.timeline-inverted>.timeline-panel:after{right:auto;left:-14px;border-right-width:14px;border-left-width:0}.timeline .timeline-heading h4{margin-top:0;color:inherit}.timeline .timeline-heading h4.subheading{text-transform:none}@media(min-width:768px){section{padding:75px 0}section.first{padding-top:75px}#portfolio .portfolio-item{margin:0 0 30px}header .container{padding-top:200px;padding-bottom:100px}header .intro-text .name{font-size:4.75em}header .intro-text .skills{font-size:1.75em}.navbar-fixed-top{padding:0;-webkit-transition:padding .3s;-moz-transition:padding .3s;transition:padding .3s}.navbar-fixed-top .navbar-brand{font-size:2em;-webkit-transition:all .3s;-moz-transition:all .3s;transition:all .3s}.navbar-fixed-top.navbar-shrink{padding:10px 0}.navbar-fixed-top.navbar-shrink .navbar-brand{font-size:1.5em}.timeline:before{left:50%}.timeline>li{margin-bottom:100px;min-height:100px}.timeline>li .timeline-panel{float:left;width:41%;padding:0 20px 20px 30px;text-align:right}.timeline>li .timeline-image{left:50%;width:100px;height:100px;margin-left:-50px}.timeline>li .timeline-image h4{margin-top:16px;font-size:13px;line-height:18px}.timeline>li.timeline-inverted>.timeline-panel{float:right;padding:0 30px 20px 20px;text-align:left}.map{height:75%}}@media(min-width:992px){.timeline>li .timeline-panel,.timeline>li.timeline-inverted>.timeline-panel{padding:0 20px 20px}.timeline>li{min-height:150px}.timeline>li .timeline-image{width:150px;height:150px;margin-left:-75px}.timeline>li .timeline-image h4{margin-top:30px;font-size:18px;line-height:26px}}@media(min-width:1200px){.timeline>li{min-height:170px}.timeline>li .timeline-panel{padding:0 20px 20px 100px}.timeline>li .timeline-image{width:170px;height:170px;margin-left:-85px}.timeline>li .timeline-image h4{margin-top:40px}.timeline>li.timeline-inverted>.timeline-panel{padding:0 100px 20px 20px}}.coockie_banner{left:0;text-align:center;position:fixed;bottom:0;background:#000;color:#fff;width:100%!important;padding-top:4px;padding-bottom:4px}.coockie_banner p{padding:4px} header span.sprites{display:block;margin:0 auto 20px;width:250px;height250px}.sprites {background-image: url(images/sprites.png);background-repeat: no-repeat;display: block;}.sprites-alexonbalangue {width: 250px;height: 250px;background-position: -5px -5px;}.sprites-qrcode-alexonb {width: 300px;height: 300px;background-position: -265px -5px;} .ath-viewport *{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}.ath-viewport{position:relative;z-index:2147483641;pointer-events:none;-webkit-tap-highlight-color:transparent;-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-text-size-adjust:none;-moz-text-size-adjust:none;-ms-text-size-adjust:none;-o-text-size-adjust:none;text-size-adjust:none}.ath-container,.ath-modal{pointer-events:auto!important}.ath-modal{background:rgba(0,0,0,.6)}.ath-mandatory{background:#000}.ath-container{position:absolute;z-index:2147483641;padding:.7em .6em;width:18em;background:#eee;background-size:100% auto;box-shadow:0 .2em 0 #d1d1d1;font-family:sans-serif;font-size:15px;line-height:1.5em;text-align:center}.ath-action-icon,.ath-container:before{background-position:50%;background-repeat:no-repeat;overflow:hidden}.ath-container small{font-size:.8em;line-height:1.3em;display:block;margin-top:.5em}.ath-ios.ath-phone{bottom:1.8em;left:50%;margin-left:-9em}.ath-ios6.ath-tablet{left:5em;top:1.8em}.ath-ios7.ath-tablet{left:.7em;top:1.8em}.ath-ios8.ath-tablet,.ath-ios9.ath-tablet{right:.4em;top:1.8em}.ath-android{bottom:1.8em;left:50%;margin-left:-9em}.ath-container:before{content:'';position:relative;display:block;float:right;margin:-.7em -.6em 0 .5em;background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAIQAAACECAMAAABmmnOVAAAAdVBMVEUAAAA5OTkzMzM7Ozs3NzdBQUFAQEA/Pz8+Pj5BQUFAQEA/Pz8+Pj5BQUFAQEA/Pz9BQUE+Pj4/Pz8/Pz8+Pj4/Pz8/Pz8/Pz8+Pj4/Pz8+Pj4/Pz8/Pz8/Pz8/Pz8/Pz8+Pj4/Pz8/Pz8/Pz8/Pz9AQEA/Pz+fdCaPAAAAJnRSTlMACQoNDjM4OTo7PEFCQ0RFS6ytsbS1tru8vcTFxu7x8vX19vf4+C5yomAAAAJESURBVHgBvdzLTsJAGEfxr4C2KBcVkQsIDsK8/yPaqIsPzVlyzrKrX/5p0kkXEz81L23otc9NpIbbWia2YVLqdnhlqFlhGWpSDHe1aopsSIpRb8gK0dC3G30b9rVmhWZIimTICsvQtx/FsuYOrWHoDjX3Gu31gzJxdki934WrAIOsAIOsAIOiAMPhPsJTgKGN0BVsYIVsYIVpYIVpYIVpYIVpYIVpYIVpYIVpYIVlAIVgEBRs8BRs8BRs8BRs8BRs8BRs8BRs8BRTNmgKNngKNngKNngKNngKNhiKGxgiOlZoBlaYBlaYBlaYBlaYBlaYBlaYBlaYBlZIBlBMfQMrVAMr2KAqBENSHFHhGEABhi5CV6gGUKgGUKgGUKgGUFwuqgEUvoEVsoEVpoEUpgEUggF+gKTKY+h1fxSlC7/Z+RrxOQ3fcEoAPPHZBlaYBlaYBlaYBlZYBlYIhvLBCstw7PgM7hkiWOEZWGEaWGEaWGEaIsakEAysmHkGVpxmvoEVqoEVpoEVpoEVpoEVpoEVpoEVkoEVgkFQsEFSsEFQsGEcoSvY4CnY4CnY4CnY4CnY4CnY4CnY4CnY4CnY4CnY4CnY4CnY4CnY4CnY4CnY4CnY4CnY4CnY4CnmbNAUT2c2WAo2eAo2eAo2eAo2eAo2eArNEPFACjZ4CjZ4CjZ4CjaIird/rBvFH6llNCvewdli1URWCIakSIZesUaDoFg36dKFWk9zCZDei3TtwmCj7pC22AwikiIZPEU29IpFNliKxa/hC9DFITjQPYhcAAAAAElFTkSuQmCC);background-color:rgba(255,255,255,.8);background-size:50%;width:2.7em;height:2.7em;text-align:center;color:#a33;z-index:2147483642}.ath-container.ath-icon:before{position:absolute;top:0;right:0;margin:0;float:none}.ath-mandatory .ath-container:before{display:none}.ath-container.ath-android:before{float:left;margin:-.7em .5em 0 -.6em}.ath-container.ath-android.ath-icon:before{position:absolute;right:auto;left:0;margin:0;float:none}.ath-action-icon{display:inline-block;vertical-align:middle;text-indent:-9999em}.ath-ios7 .ath-action-icon,.ath-ios8 .ath-action-icon,.ath-ios9 .ath-action-icon{width:1.6em;height:1.6em;background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAHgAAACtCAYAAAB7l7tOAAAF6UlEQVR4AezZWWxUZRiH8VcQEdxZEFFiUZBFUCIa1ABBDARDcCciYGKMqTEGww3SOcNSAwQTjOBiiIpEhRjAhRgXRC8MFxojEhAFZUGttVhaoSxlaW3n8W3yXZxm6vTrOMM5Q98n+V9MMu1pvl++uZhKuypghu49KaaTWGdZSYoVN6VD95nMpLNYZ9XNbdQR2od2k88O3Gm6Bh0t7H0p5Vwp2Ax3ajpu2tYbciFWwkTFO63DY6+JcI4USFaSyYpWp8N7SVZJKR3EinkBk9JxvZFXxhnZSjBaoWp1ZL0ES8WKYXMZp0AndORgy8WKFe5Yf1zvvSBWDEpys2LU6MjD5kmEWQlGKsJRHXlcqUSQVcItEnDEA6gAb7LhjvD9WO6yIEfICQI5A1nzGCYB1T4og5bBiFcyv2f6ujYhl4iVxwKG6qp8MK55HsqPwK0rMr9v/yEo3uCPrJstVh5KMER30Aeh31Ioq0FrHfjXw9CYghnrvYFTuqfEymFzGSwBlT4ARYr7u+K6GLmCVGvAGg2NMG0d/sgJnpScZLjXSkC5z8H3eQ72/k24Q8NfzvwFyK4qtuJSZKaubRPyE/K/Mtx+EvCHL+7uasId1t10w0scz/RzSzYzAfgKV30D3LPaG7lRkR8RK4tKKJKAMp+D7r0EfmmOe0x3m2itAc/ZxBjgAt1mXHWKPPkdb+QGSTJdrDaU5EoJ2OtzwD0WwY7KNNzbRfMFFg24WPdtGHnS221Cflgsj56hjwTs8TnY7oq7/QDhjutGicsb2AVcovsO18l6uPPNNiE/JFaGAq7Q7fY50G4LYVtz3FrdaNGyBXbIl+q24DqhyHes9EaulwR3SwtZs+ktAT/7HORliru1gnCndONFyx44Dfn7MPLYN7yR6yTJZAllJeguAT/4HOBFz8I3ZWm4E0TLFbBD7qn7EVdtHYx53R9ZN0ksrZRuErDN5+AuLIWvm+Oe1k0ULdfADrmX7idcR0/DyBXeyCdlLuMMOGCBz4F1ng+f7yFcve5e0fIFHELeiav6BAx70Rt5p0yhY3u/wR0kyarW/uX35b403PtFyzewQ75ctwtXzSkY8WqruHslSV8RscrL6TJ1bcvfWJ0/HzbtIdw/ugdFyzdwOOAq3T6fmzxwGQ3vbmO8iFioIWqYSsHMj9M/ljfuTsOdItoZBXYBfXX7cVXVwvXLm/8+fU3lcdCqdEMNGBbgUmRmfQISQKd5sGEn4VK6YtEiAXYBA3QVuA4q8hCHrDcafR1ul65jewfuovsCl7vJrNlOuEbdo6JFCuwCrtb9hqusBu56Cw4cI1y1briIWEBn3Ue0XKPuMdGiBg4H9NdV0HJ/6QZLOEPmPN0GmpfSPS5arIBdwHUtIFfoBsl/ZsgfhHCfFi2WwC5goO4AmvanbqBkzJA76tboZokWa2AXMEi3RTdAvDLkDqJFAhzB32xFD2wZsGXA0WfAlgFbBmwZsGXAlgFbBpzk04JaKb0iA9ZnF9x5SQAFtRKKIgPWZxfaeRmwAZ/BGbAB37eaG6MCbnq2Aed5czYyKirgpmcbsAHHZAZswN0Wwo7KeG1fFf2jAm56dtzOQ42yB+65mDhWFBUwUETMUiMDNmADbp/APRaTAh6I2bpGCNw1bufRZJQ1cPdF/NueHZsgDEBBGLbMGoIu4AZu5gLOZeEaYmEXeznF3jRPyEv4frgJvvJe3qTefY0AAwYMGDBgwIABAwYMGDBgwIABAwYMGDBgwIABAwYMGDBgwIABAwYMGDBgwIABAwYMGDBgwIABAwb8rwADBgwYMGDAgAEDBgwYMGDAgAEDBgwYMGDAgAEDBgz4/sz1Nia/9hizA7zgklwy3RYwYMBzBRjw4bPjxAbAAizAAtwgwAIswAIswAIMGDBgARZgARZgAS4FWIAFWIAFWIABAwYswAIswAIswIUAC7AAC7AACzBgwIAFWIAFWIAFuBBgARZgARZgAQYMGPApQ99ZCdgWtzqwATbABtgAG2DbnxNb7zbRimsMLMACrDf2wMWI/WasfQAAAABJRU5ErkJggg==);margin-top:-.3em;background-size:auto 100%}.ath-ios6 .ath-action-icon{width:1.8em;height:1.8em;background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAJAAAAB0CAQAAADAmnOnAAAAAnNCSVQICFXsRgQAAAAJcEhZcwAAWwEAAFsBAXkZiFwAAAAZdEVYdFNvZnR3YXJlAHd3dy5pbmtzY2FwZS5vcmeb7jwaAAAF4klEQVR4Ae3a/a+XdR3H8ec5HM45HDmKICoVohkZsxESRRCzcZM/2JKkdGR5MrSkleA0Pd00O4u5IVuNM2yYc6XSzCExU4oUNRPCJFdMUAhsYZpUGhscOHA4N8/WZzsL6HBxvofvdV3fa3yer//gsV3vH659KHzncBsJxUYhDzOEhCKQbORs+ip2wzgM+wvj+P9i35qAGLaHGcQSgKSTrxBLABJppZpYApCspoFYApBsZjSxBCD5OxOJJQBJG1cQSwCSLpqJJQCJ3MvgCGTinuSMCJS8LZwfgZL3FtMiUPIOcU0ESl4PLRHoRPsJtREoeRsYGYGS9yrvo6RmpbLaigWSfzOdErLs6+bLUMFA0sF1+QF1cz1UNlBYK9V5AHXyWSgEkKyiIWOgGh829Ki1lLcaxjCVK7mJRSxjBY+zgRf/u9pXcMB7jhEZAg32EUP3O6hMKOP5Iq2sZQeHMZXt5KKMgOpcY+iHVnFyjeQKlrCBdsxge5ieAVC9vzLUelI8H+A7bKIHM10H81IGGuKvDf1ggDxVTKOV1zG3/Yia1ICG+ltD32MgNTKfP2HuW0VDKkCNrjfUTOm9i6XswwrZJkaVHeh0f2fodkrtfO6jAytqrzG+rEDDfVG1x1sprZEs5RBW4PZxeT+Bbrf5hPu9arfzKaU6WjiAFbseWvoF1GW/6vYGSmkyW7Dit4xB5QHq9Br6Xx2t9GAhtp6zkoHsfNp1J9wX6H+jeR4LtJc4LxGopZZyNpN/YcG2mw9nBTSPLizgOmjKAujGgvJID3ekD7QYi7nGzkvmQtpA38Vi7iJf0TedlC7QTVjMfcY2QyvSBPpUMW/PIBfbo9pls1XpAX2EdizeznStob3OJpQO0DB2YfE21q2GtnghpAm0Gou3T9tm6BGHQppA12HRVt17eboNlydNoLHsx2JtmL801OYcQmkC/QKLtQt9ydBW3wNpA30ci7Ur3WdolUMhbaBqNhf/8qQJ9Hkszs5wjaH9XkUobaAqtmFRdoGbDb3sWMgG6DIs5852knO82RaXer+P+qyb3eWeo7ZNBrRZvm1otY2QFdBjeHIb6hTne49Put12+9ObMoDdYmfy5UkF6AK6cCCr9aM2u9IddptcOYCG+FNDB5xLKCugO7G01TndFp/xgAntdYvrfdwVLnORt3q9Vx25F27DUjbGPxr6qxMgW6Cd2N+d6wLXedA+6nKbK73Lr/pJxzusvE/wZrvX0FOOgGyBxmF/dprXutYOj6nNdS6xyYnWp/dGcaGdhr5vDWQN9E1MXrUzfcA2j2qPj/l1J1uT9iPOeh8w1O7nCGUN9HzyGZ7ndo9qp0ucanU2r1xH+wdDu5wIeQDVVx0+/kd1i697RNv8thdn+Qz4Uv9p6DeOhHyApmBfq3OBu+3Nfd7nVELZAX3Nw4ZarYG8gG7GY1dlk6/Zm3/2Rk8jlB1QvT82dNAmQjkBVf8Mj957fdrefM7ZVhPKEuidvmDob06CXIGGbsX/bZDf8KAhfdbJhLIGmuZuQ084HHIGatiLvRvrRkP6qldbBXkAzbfD0N0OhryBGqrEMOd50FC7d1hPKGugBh8ydMh5hPIGGouI1d5lj6F1vptQ9kDvcKOhN5wMlQH0QcRGnzC03yZCeQDN9G1D6xwBFQI07FI8x02GdjgB8gJqttPQcmuhYoAumzvG7YZWejrkA1TrPYYO+SVCFQO0aM4bqj0uJJQH0LluSP7PkyeQU9QOmyAvoBm+Zegpz4LKA/qYB/wE5AXUe3m81zqoRKAPOYWcuvP9dxvqcD6h7IAKkaNU3eUlHLcI9EzS5YlAi62h/zUy89QCqqKUmvgHywsJlEHnsQYxAvXVIJo5gIhnPhiBju1iNmLvLn85Ah1ZPYs5jBGo72awEzEC9dVwHqQHI9DxWoAYgSLQQKteGIESu/qhCJTYtT+PQBEoAkWgCBSBkotAEehUWwSKQBEoAkWg/BeBIlAEikARKAJFoFmealu4gVLy1Gt5dkARKAL9BzujPSurTmu/AAAAAElFTkSuQmCC);margin-bottom:.4em;background-size:100% auto}.ath-android .ath-action-icon{width:1.4em;height:1.5em;background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAADAAAAAwCAMAAABg3Am1AAAANlBMVEVmZmb///9mZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZmZW6fJrAAAAEXRSTlMAAAYHG21ub8fLz9DR8/T4+RrZ9owAAAB3SURBVHja7dNLDoAgDATQWv4gKve/rEajJOJiWLgg6WzpSyB0aHqHiNj6nL1lovb4C+hYzkSNAT7mryQFAVOeGAj4CjwEtgrWXpD/uZKtwEJApXt+Vn0flzRhgNiFZQkOXY0aADQZCOCPlsZJ46Rx0jhp3IiN2wGDHhxtldrlwQAAAABJRU5ErkJggg==);background-size:100% auto}.ath-container p{margin:0;padding:0;position:relative;z-index:2147483642;text-shadow:0 .1em 0 #fff;font-size:1.1em}.ath-ios.ath-phone:after,.ath-ios.ath-tablet:after{content:'';background:#eee;position:absolute;width:2em;height:2em;left:50%;margin-left:-1em}.ath-ios.ath-phone:after{bottom:-.9em;-webkit-transform:scaleX(.9) rotate(45deg);transform:scaleX(.9) rotate(45deg);box-shadow:.2em .2em 0 #d1d1d1}.ath-ios.ath-tablet:after{top:-.9em;-webkit-transform:scaleX(.9) rotate(45deg);transform:scaleX(.9) rotate(45deg);z-index:2147483641}.ath-application-icon{position:relative;padding:0;border:0;margin:0 auto .2em;height:6em;width:6em;z-index:2147483642}.ath-container.ath-ios .ath-application-icon{border-radius:1em;box-shadow:0 .2em .4em rgba(0,0,0,.3),inset 0 .07em 0 rgba(255,255,255,.5);margin:0 auto .4em}@media only screen and (orientation:landscape){.ath-container.ath-phone{width:24em}.ath-android.ath-phone,.ath-ios.ath-phone{margin-left:-12em}.ath-ios6:after{left:39%}.ath-ios8.ath-phone{left:auto;bottom:auto;right:.4em;top:1.8em}.ath-ios8.ath-phone:after{bottom:auto;top:-.9em;left:68%;z-index:2147483641;box-shadow:none}}
| 9,350 | 18,699 | 0.850481 |
28d4f977a8e44bcd1924e03322e53f4042189556 | 598 | rb | Ruby | spec/player_spec.rb | rachelcoulter/test_driven_dungeons | f5c340b1d56c52ddc0e081df1b3ae2c01ede8a11 | [
"MIT"
] | null | null | null | spec/player_spec.rb | rachelcoulter/test_driven_dungeons | f5c340b1d56c52ddc0e081df1b3ae2c01ede8a11 | [
"MIT"
] | null | null | null | spec/player_spec.rb | rachelcoulter/test_driven_dungeons | f5c340b1d56c52ddc0e081df1b3ae2c01ede8a11 | [
"MIT"
] | 3 | 2020-10-24T17:09:07.000Z | 2020-10-25T20:01:34.000Z | RSpec.describe Player do
it "has name" do
name = "BoBo the Fat"
player = Player.new(name: name)
expect(player.name).to eq(name)
end
it "has characters" do
player = Player.new
character1 = {new: 'thing'}
player.add_character(character1)
expect(player.characters).to eq([character1])
end
it "can add multiple characters" do
player = Player.new
character1 = {new: 'thing'}
player.add_character(character1)
character2 = {new: 'thing2'}
player.add_character(character2)
expect(player.characters).to eq([character1, character2])
end
end
| 23.92 | 61 | 0.675585 |
5641c6855fa7da67865701064cd832983cb8c692 | 931 | kt | Kotlin | app/src/main/java/com/syleiman/gingermoney/core/works/WorksManagerImpl.kt | AlShevelev/ginger-money | 91ef2b9bd5c19043104734b588940841fa6f9f4f | [
"MIT"
] | null | null | null | app/src/main/java/com/syleiman/gingermoney/core/works/WorksManagerImpl.kt | AlShevelev/ginger-money | 91ef2b9bd5c19043104734b588940841fa6f9f4f | [
"MIT"
] | null | null | null | app/src/main/java/com/syleiman/gingermoney/core/works/WorksManagerImpl.kt | AlShevelev/ginger-money | 91ef2b9bd5c19043104734b588940841fa6f9f4f | [
"MIT"
] | null | null | null | package com.syleiman.gingermoney.core.works
import androidx.work.*
import com.syleiman.gingermoney.BuildConfig
import com.syleiman.gingermoney.core.works.update_currency_rate.UpdateCurrencyRatesWorker
import java.util.concurrent.TimeUnit
import javax.inject.Inject
class WorksManagerImpl
@Inject
constructor() : WorksManager {
private companion object {
private const val WORK_NAME = "${BuildConfig.APPLICATION_ID}.UPDATE_CURRENCY_RATES"
}
override fun startCurrencyRatesUpdates() {
val updateConstraints = Constraints.Builder()
.setRequiredNetworkType(NetworkType.CONNECTED)
.build()
val updateWork = PeriodicWorkRequestBuilder<UpdateCurrencyRatesWorker>(6, TimeUnit.HOURS)
.setConstraints(updateConstraints)
.build()
WorkManager.getInstance().enqueueUniquePeriodicWork(WORK_NAME, ExistingPeriodicWorkPolicy.KEEP, updateWork)
}
} | 34.481481 | 115 | 0.75725 |
5b374a69b7311dbc4e39d56462128637b7f8434c | 5,272 | c | C | src/fs/diskman.c | d1y/xbook2 | d7ab4ad7f18cacfbdb54e197b04bf8c7026d5767 | [
"MIT"
] | null | null | null | src/fs/diskman.c | d1y/xbook2 | d7ab4ad7f18cacfbdb54e197b04bf8c7026d5767 | [
"MIT"
] | null | null | null | src/fs/diskman.c | d1y/xbook2 | d7ab4ad7f18cacfbdb54e197b04bf8c7026d5767 | [
"MIT"
] | null | null | null | #include <xbook/list.h>
#include <xbook/diskman.h>
#include <xbook/memalloc.h>
#include <string.h>
#include <stdio.h>
LIST_HEAD(disk_list_head);
static int next_disk_solt = 0;
static int disk_solt_cache[DISK_MAN_SOLT_NR];
#define IS_BAD_SOLT(solt) \
(solt < 0 || solt >= DISK_MAN_SOLT_NR)
#define SOLT_TO_HANDLE(solt) disk_solt_cache[solt]
DEFINE_MUTEX_LOCK(disk_manager_mutex);
/* 磁盘管理器,对磁盘的操作都封装在里面 */
disk_manager_t diskman;
int disk_manager_probe_device(device_type_t type)
{
devent_t *p = NULL;
devent_t devent;
disk_info_t *disk;
do {
if (sys_scandev(p, type, &devent))
break;
disk = mem_alloc(sizeof(disk_info_t));
if (disk == NULL)
return -1;
disk->devent = devent;
disk->handle = -1;
atomic_set(&disk->ref, 0);
/* 设置虚拟磁盘名字 */
mutex_lock(&disk_manager_mutex);
sprintf(disk->virname, "disk%d", next_disk_solt);
disk->solt = next_disk_solt++;
list_add_tail(&disk->list, &disk_list_head);
mutex_unlock(&disk_manager_mutex);
p = &devent;
} while (1);
return 0;
}
void disk_info_print()
{
mutex_lock(&disk_manager_mutex);
disk_info_t *disk;
list_for_each_owner (disk, &disk_list_head, list) {
infoprint("[diskman]: probe device:%s -> vir:%s type:%d\n",
disk->devent.de_name, disk->virname, disk->devent.de_type);
}
mutex_unlock(&disk_manager_mutex);
}
int disk_info_find(char *name)
{
mutex_lock(&disk_manager_mutex);
disk_info_t *disk;
list_for_each_owner (disk, &disk_list_head, list) {
if (!strcmp(disk->virname, name) || !strcmp(disk->devent.de_name, name)) {
mutex_unlock(&disk_manager_mutex);
return disk->solt;
}
}
mutex_unlock(&disk_manager_mutex);
return -1;
}
disk_info_t *disk_info_find_info(char *name)
{
mutex_lock(&disk_manager_mutex);
disk_info_t *disk;
list_for_each_owner (disk, &disk_list_head, list) {
if (!strcmp(disk->virname, name)) {
mutex_unlock(&disk_manager_mutex);
return disk;
}
}
mutex_unlock(&disk_manager_mutex);
return NULL;
}
static int disk_manager_open(int solt)
{
if (IS_BAD_SOLT(solt))
return -1;
mutex_lock(&disk_manager_mutex);
disk_info_t *disk;
list_for_each_owner (disk, &disk_list_head, list) {
if (disk->solt == solt) {
if (atomic_get(&disk->ref) == 0) {
disk->handle = device_open(disk->devent.de_name, 0);
if (disk->handle < 0) {
mutex_unlock(&disk_manager_mutex);
return -1;
}
disk_solt_cache[solt] = disk->handle;
}
atomic_inc(&disk->ref);
mutex_unlock(&disk_manager_mutex);
return 0;
}
}
mutex_unlock(&disk_manager_mutex);
return -1;
}
static int disk_manager_close(int solt)
{
if (IS_BAD_SOLT(solt))
return -1;
mutex_lock(&disk_manager_mutex);
disk_info_t *disk;
list_for_each_owner (disk, &disk_list_head, list) {
if (disk->solt == solt) {
if (atomic_get(&disk->ref) == 1) {
if (device_close(disk->handle) != 0) {
mutex_unlock(&disk_manager_mutex);
return -1;
}
int i;
for (i = 0; i < DISK_MAN_SOLT_NR; i++) {
if (disk_solt_cache[i] == disk->handle) {
disk_solt_cache[i] = -1;
break;
}
}
disk->handle = -1;
} else if (atomic_get(&disk->ref) == 0) {
dbgprint("[diskman]: close device %d without open!\n", solt);
mutex_unlock(&disk_manager_mutex);
return -1;
}
atomic_dec(&disk->ref);
mutex_unlock(&disk_manager_mutex);
return 0;
}
}
mutex_unlock(&disk_manager_mutex);
return -1;
}
static int disk_manager_read(int solt, off_t off, void *buffer, size_t size)
{
if (IS_BAD_SOLT(solt))
return -1;
if (device_read(SOLT_TO_HANDLE(solt), buffer, size, off) < 0)
return -1;
return 0;
}
static int disk_manager_write(int solt, off_t off, void *buffer, size_t size)
{
if (IS_BAD_SOLT(solt))
return -1;
if (device_write(SOLT_TO_HANDLE(solt), buffer, size, off) < 0)
return -1;
return 0;
}
static int disk_manager_ioctl(int solt, unsigned int cmd, unsigned long arg)
{
if (IS_BAD_SOLT(solt))
return -1;
if (device_devctl(SOLT_TO_HANDLE(solt), cmd, arg) < 0)
return -1;
return 0;
}
int disk_manager_init()
{
if (disk_manager_probe_device(DEVICE_TYPE_DISK) < 0)
return -1;
if (disk_manager_probe_device(DEVICE_TYPE_VIRTUAL_DISK) < 0)
return -1;
int i;
for (i = 0; i < DISK_MAN_SOLT_NR; i++)
disk_solt_cache[i] = -1;
disk_info_print();
diskman.open = disk_manager_open;
diskman.close = disk_manager_close;
diskman.read = disk_manager_read;
diskman.write = disk_manager_write;
diskman.ioctl = disk_manager_ioctl;
return 0;
}
| 27.747368 | 82 | 0.584788 |
4011c72be9bddc9c49ed49dccc0a299fd499c079 | 2,077 | py | Python | model-optimizer/mo/front/caffe/extractors/batchnorm.py | tdp2110/dldt | 87f321c5365ed813e849ea0ed987354ef2c39743 | [
"Apache-2.0"
] | null | null | null | model-optimizer/mo/front/caffe/extractors/batchnorm.py | tdp2110/dldt | 87f321c5365ed813e849ea0ed987354ef2c39743 | [
"Apache-2.0"
] | null | null | null | model-optimizer/mo/front/caffe/extractors/batchnorm.py | tdp2110/dldt | 87f321c5365ed813e849ea0ed987354ef2c39743 | [
"Apache-2.0"
] | null | null | null | """
Copyright (c) 2018-2019 Intel Corporation
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.
"""
import numpy as np
from mo.front.caffe.extractors.utils import embed_input
from mo.front.common.partial_infer.elemental import copy_shape_infer
def batch_norm_ext(pb_layer, pb_model):
"""
Extracts properties of the BatchNorm layer.
In case of scale, scale is merged into mean and variance
Args:
pb_layer: proto layer, contains own properties of the layer, i.e epsilon
pb_model: caffemodel layer, contains blobs with 0: mean, 1: variance, (opt)2: scale
Returns:
attrs object with type, partial inference function and mean/variance properties.
"""
assert pb_layer, 'Protobuf layer can not be empty'
param = pb_layer.batch_norm_param
attrs = {
'op': 'BatchNormalization',
'type': 'BatchNormalization',
'eps': param.eps,
'infer': copy_shape_infer
}
if not pb_model:
return attrs
blobs = pb_model.blobs
assert len(blobs) >= 2, 'BatchNorm accepts not less then two input blobs'
mean = np.array(blobs[0].data)
variance = np.array(blobs[1].data)
if len(blobs) == 3:
scale = blobs[2].data[0]
if scale != 0:
scale = 1.0 / scale
mean *= scale
variance *= scale
embed_input(attrs, 1, 'gamma', np.ones(mean.shape), 'gamma')
embed_input(attrs, 2, 'beta', np.zeros(variance.shape), 'beta')
embed_input(attrs, 3, 'mean', mean, 'biases')
embed_input(attrs, 4, 'variance', variance, 'weights')
return attrs
| 32.453125 | 91 | 0.682715 |
28e79ba39c84f200063e01b5bf32b0f7398b5eb8 | 189 | sql | SQL | gcp-test/tests/gcp_compute_url_map/test-get-query.sql | xanonid/steampipe-plugin-gcp | f0e6a76233c367d227e4b80f142035f174ff4e46 | [
"Apache-2.0"
] | 10 | 2021-01-21T19:06:58.000Z | 2022-03-14T06:25:51.000Z | gcp-test/tests/gcp_compute_url_map/test-get-query.sql | Leectan/steampipe-plugin-gcp | c000c1e234fd53e2c52243a44f64d0856bf6f60f | [
"Apache-2.0"
] | 191 | 2021-01-22T07:14:32.000Z | 2022-03-30T15:44:33.000Z | gcp-test/tests/gcp_compute_url_map/test-get-query.sql | Leectan/steampipe-plugin-gcp | c000c1e234fd53e2c52243a44f64d0856bf6f60f | [
"Apache-2.0"
] | 6 | 2021-05-04T21:29:31.000Z | 2021-11-11T20:21:03.000Z | select name, default_service, description, kind, self_link, location, project, location_type, tests, path_matchers, host_rules
from gcp.gcp_compute_url_map
where name = '{{ resourceName }}' | 63 | 126 | 0.804233 |
70aad6df5310b4620c17edd76b25bfa34811c31f | 94 | go | Go | config.go | egeback/playdownloader | 40f7eed9a6205ca766280d66fd378b67b3e21e16 | [
"MIT"
] | null | null | null | config.go | egeback/playdownloader | 40f7eed9a6205ca766280d66fd378b67b3e21e16 | [
"MIT"
] | null | null | null | config.go | egeback/playdownloader | 40f7eed9a6205ca766280d66fd378b67b3e21e16 | [
"MIT"
] | null | null | null | package playdownloader
//Config ...
func Config() string {
return "playdownloader config"
}
| 13.428571 | 31 | 0.734043 |
f06575457e1d8d7cde3e2e0fc17dca4086ab2b11 | 1,809 | js | JavaScript | www/js/index.js | rbravo/instaround | c89fe54678fc7738235c4cca444ddbddb22376a8 | [
"Apache-2.0"
] | null | null | null | www/js/index.js | rbravo/instaround | c89fe54678fc7738235c4cca444ddbddb22376a8 | [
"Apache-2.0"
] | null | null | null | www/js/index.js | rbravo/instaround | c89fe54678fc7738235c4cca444ddbddb22376a8 | [
"Apache-2.0"
] | null | null | null | /*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF 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.
*/
var app = {
initialize: function() {
this.bind();
},
bind: function() {
document.addEventListener('deviceready', this.deviceready, false);
},
deviceready: function() {
// This is an event handler function, which means the scope is the event.
// So, we must explicitly called `app.report()` instead of `this.report()`.
app.report('deviceready');
},
report: function(id) {
// Report the event in the console
console.log("Report: " + id);
// Toggle the state from "pending" to "complete" for the reported ID.
// Accomplished by adding .hide to the pending element and removing
// .hide from the complete element.
document.querySelector('#' + id + ' .pending').className += ' hide';
var completeElem = document.querySelector('#' + id + ' .complete');
completeElem.className = completeElem.className.split('hide').join('');
}
};
| 42.069767 | 84 | 0.656716 |
12e502d1b81f72ba71ffb9d7a7c74a682191bcd0 | 3,767 | html | HTML | components/form/demo/input.html | ian-cuc/dd_ant_doc | cecb7ff87afed847b845047535af2debd3fb80d1 | [
"MIT"
] | null | null | null | components/form/demo/input.html | ian-cuc/dd_ant_doc | cecb7ff87afed847b845047535af2debd3fb80d1 | [
"MIT"
] | null | null | null | components/form/demo/input.html | ian-cuc/dd_ant_doc | cecb7ff87afed847b845047535af2debd3fb80d1 | [
"MIT"
] | null | null | null | <div class="code-box" id="demo-input">
<div class="code-box-demo">
<div id="components-form-demo-input"></div>
<script>mountNode = document.getElementById('components-form-demo-input');</script>
<script>(function(){"use strict";
var _antd = require("antd");
var InputGroup = _antd.Input.Group;
ReactDOM.render(React.createElement(
_antd.Row,
null,
React.createElement(
InputGroup,
null,
React.createElement(
_antd.Col,
{ span: "6" },
React.createElement(_antd.Input, { id: "largeInput", size: "large", placeholder: "大尺寸" })
),
React.createElement(
_antd.Col,
{ span: "6" },
React.createElement(_antd.Input, { id: "defaultInput", placeholder: "默认尺寸" })
),
React.createElement(
_antd.Col,
{ span: "6" },
React.createElement(_antd.Input, { id: "smallInput", placeholder: "小尺寸", size: "small" })
)
)
), mountNode);})()</script><div class="highlight"><pre><code class="javascript"><span class="hljs-keyword">import</span> { Row, Col, Input } <span class="hljs-keyword">from</span> <span class="hljs-string">'antd'</span>;
<span class="hljs-keyword">const</span> InputGroup = Input.Group;
ReactDOM.render(
<span class="xml"><span class="hljs-tag"><<span class="hljs-title">Row</span>></span>
<span class="hljs-tag"><<span class="hljs-title">InputGroup</span>></span>
<span class="hljs-tag"><<span class="hljs-title">Col</span> <span class="hljs-attribute">span</span>=<span class="hljs-value">"6"</span>></span>
<span class="hljs-tag"><<span class="hljs-title">Input</span> <span class="hljs-attribute">id</span>=<span class="hljs-value">"largeInput"</span> <span class="hljs-attribute">size</span>=<span class="hljs-value">"large"</span> <span class="hljs-attribute">placeholder</span>=<span class="hljs-value">"大尺寸"</span> /></span>
<span class="hljs-tag"></<span class="hljs-title">Col</span>></span>
<span class="hljs-tag"><<span class="hljs-title">Col</span> <span class="hljs-attribute">span</span>=<span class="hljs-value">"6"</span>></span>
<span class="hljs-tag"><<span class="hljs-title">Input</span> <span class="hljs-attribute">id</span>=<span class="hljs-value">"defaultInput"</span> <span class="hljs-attribute">placeholder</span>=<span class="hljs-value">"默认尺寸"</span> /></span>
<span class="hljs-tag"></<span class="hljs-title">Col</span>></span>
<span class="hljs-tag"><<span class="hljs-title">Col</span> <span class="hljs-attribute">span</span>=<span class="hljs-value">"6"</span>></span>
<span class="hljs-tag"><<span class="hljs-title">Input</span> <span class="hljs-attribute">id</span>=<span class="hljs-value">"smallInput"</span> <span class="hljs-attribute">placeholder</span>=<span class="hljs-value">"小尺寸"</span> <span class="hljs-attribute">size</span>=<span class="hljs-value">"small"</span> /></span>
<span class="hljs-tag"></<span class="hljs-title">Col</span>></span>
<span class="hljs-tag"></<span class="hljs-title">InputGroup</span>></span>
<span class="hljs-tag"></<span class="hljs-title">Row</span>></span>
, mountNode);</span></code></pre></div>
</div>
<div class="code-box-meta markdown">
<div class="code-box-title">
<a href="#demo-input">Input 输入框</a>
</div>
<p>我们为 <code><Input /></code> 输入框定义了三种尺寸(大、默认、小),具体使用详见 <a href="/components/form/#input">API</a>。</p>
<p>注意: 在表单里面,我们只使用<strong>大尺寸</strong>, 即高度为 <strong>32px</strong>,作为唯一的尺寸。</p>
<span class="collapse anticon anticon-circle-o-right" unselectable="none" style="-webkit-user-select: none;-moz-user-select: none;-ms-user-select: none;user-select: none;"></span>
</div>
</div> | 62.783333 | 336 | 0.651447 |
910dbd6b3695ffd8dddec30377e5f980cf5a944c | 650 | swift | Swift | shop_ke/HeaderReusableView.swift | emperorStorm/shop_ke | 318bcb3ad63cf0b86e664e94f9a578b4cc18a618 | [
"Apache-2.0"
] | null | null | null | shop_ke/HeaderReusableView.swift | emperorStorm/shop_ke | 318bcb3ad63cf0b86e664e94f9a578b4cc18a618 | [
"Apache-2.0"
] | null | null | null | shop_ke/HeaderReusableView.swift | emperorStorm/shop_ke | 318bcb3ad63cf0b86e664e94f9a578b4cc18a618 | [
"Apache-2.0"
] | null | null | null | //
// HeaderReusableView.swift
// shop_ke
//
// Created by mac on 16/3/16.
// Copyright © 2016年 peraytech. All rights reserved.
//
import UIKit
//创建一个分组头视图view
class HeaderReusableView: UICollectionReusableView {
var headerLb:UILabel!
override init(frame: CGRect) {
super.init(frame: frame)
headerLb=UILabel()
headerLb.frame=CGRectMake(10, 0, 262, 20)
headerLb.textColor = UIColor.blueColor()
headerLb.textAlignment = NSTextAlignment.Center
self.addSubview(headerLb)
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
| 25 | 59 | 0.669231 |
6d02bf9331e364a02e08e4ecb56bcca96d029cd3 | 3,876 | lua | Lua | barebones/initfs/lua/scripts/states/common/display.lua | dlannan/ljos | 7c278f603700e021ec4d69564eff57fce486a115 | [
"Unlicense",
"MIT"
] | 60 | 2020-10-15T07:50:59.000Z | 2022-03-03T01:14:30.000Z | barebones/lua/lua/scripts/states/common/display.lua | dlannan/ljos | 7c278f603700e021ec4d69564eff57fce486a115 | [
"Unlicense",
"MIT"
] | 1 | 2020-11-22T21:59:43.000Z | 2020-11-29T01:22:47.000Z | barebones/lua/lua/scripts/states/common/display.lua | dlannan/ljos | 7c278f603700e021ec4d69564eff57fce486a115 | [
"Unlicense",
"MIT"
] | 3 | 2020-11-11T12:17:43.000Z | 2020-12-09T05:58:05.000Z | ------------------------------------------------------------------------------------------------------------
-- State - Display
--
-- Decription: Setup the display for the device
-- Includes SDL initialisation
-- Includes EGL initialisation
-- Inlcudes Shader initialisation
------------------------------------------------------------------------------------------------------------
require("scripts/platform/wm")
require("shaders/base")
------------------------------------------------------------------------------------------------------------
local SDisplay = NewState()
------------------------------------------------------------------------------------------------------------
SDisplay.wm = nil
SDisplay.eglinfo = nil
-- Some reasonable defaults.
SDisplay.WINwidth = 640
SDisplay.WINheight = 480
SDisplay.WINFullscreen = 0
SDisplay.initComplete = false
SDisplay.runApp = true
------------------------------------------------------------------------------------------------------------
function SDisplay:Init(wwidth, wheight, fs)
SDisplay.WINwidth = wwidth
SDisplay.WINheight = wheight
SDisplay.WINFullscreen = fs
self.initComplete = true
end
------------------------------------------------------------------------------------------------------------
function SDisplay:Begin()
-- Assert that we have valid width and heights (simple protection)
assert(self.initComplete == true, "Init function not called.")
self.wm = InitSDL(SDisplay.WINwidth, SDisplay.WINheight, SDisplay.WINFullscreen)
self.eglInfo = InitEGL(self.wm)
self.runApp = self.wm:update()
gl.glClearColor ( 0.0, 0.0, 0.0, 0.0 )
end
------------------------------------------------------------------------------------------------------------
function SDisplay:Update(mx, my, buttons)
-- This actually generates/gets mouse position and buttons.
-- Push them into SDisplay
self.runApp = self.wm:update()
end
------------------------------------------------------------------------------------------------------------
function SDisplay:PreRender()
-- No need for clear when BG is being written
-- TODO: Make this an optional call (no real need for it)
gl.glClear( bit.bor(gl.GL_COLOR_BUFFER_BIT, gl.GL_DEPTH_BUFFER_BIT ) )
end
------------------------------------------------------------------------------------------------------------
function SDisplay:Flip()
egl.eglSwapBuffers( self.eglInfo.dpy, self.eglInfo.surf )
end
------------------------------------------------------------------------------------------------------------
function SDisplay:Finish()
egl.eglDestroyContext( self.eglInfo.dpy, self.eglInfo.ctx )
egl.eglDestroySurface( self.eglInfo.dpy, self.eglInfo.surf )
egl.eglTerminate( self.eglInfo.dpy )
self.wm:exit()
end
------------------------------------------------------------------------------------------------------------
function SDisplay:GetMouseButtons()
return self.wm.MouseButton
end
------------------------------------------------------------------------------------------------------------
function SDisplay:GetMouseMove()
return self.wm.MouseMove
end
------------------------------------------------------------------------------------------------------------
function SDisplay:GetKeyDown()
return self.wm.KeyDown
end
------------------------------------------------------------------------------------------------------------
function SDisplay:GetRunApp()
self.runApp = self.wm:update()
return self.runApp
end
------------------------------------------------------------------------------------------------------------
return SDisplay
------------------------------------------------------------------------------------------------------------
| 31.770492 | 109 | 0.383127 |
9bef4cd453f4f5ff03ab1eea00122d3aa836d48f | 190 | js | JavaScript | src/modules/productBatch/index.js | Bee-Reign/server-beereign | e8f06d958a33461458f4c5aec1d1f5132f7d4370 | [
"MIT"
] | null | null | null | src/modules/productBatch/index.js | Bee-Reign/server-beereign | e8f06d958a33461458f4c5aec1d1f5132f7d4370 | [
"MIT"
] | null | null | null | src/modules/productBatch/index.js | Bee-Reign/server-beereign | e8f06d958a33461458f4c5aec1d1f5132f7d4370 | [
"MIT"
] | null | null | null | const productBatchRouter = require('./productBatchRouter');
const ProductBatchService = require('./productBatchService');
module.exports = {
productBatchRouter,
ProductBatchService,
};
| 23.75 | 61 | 0.778947 |
da54dec99a7c68ea52de8e0a24edcefabbe9da3f | 1,156 | kt | Kotlin | src/bindings/jna/kotlin/src/test/kotlin/org/libelektra/key/UtilTest.kt | mandoway/libelektra | f1b341bbe3cf3ae75df4920282c80dd6ad1c679b | [
"BSD-3-Clause"
] | null | null | null | src/bindings/jna/kotlin/src/test/kotlin/org/libelektra/key/UtilTest.kt | mandoway/libelektra | f1b341bbe3cf3ae75df4920282c80dd6ad1c679b | [
"BSD-3-Clause"
] | null | null | null | src/bindings/jna/kotlin/src/test/kotlin/org/libelektra/key/UtilTest.kt | mandoway/libelektra | f1b341bbe3cf3ae75df4920282c80dd6ad1c679b | [
"BSD-3-Clause"
] | null | null | null | package org.libelektra.key
import org.junit.Test
import org.libelektra.Key
import org.libelektra.keyExt.forEachKeyName
import org.libelektra.keyExt.keyOf
import org.libelektra.keyExt.orNull
import kotlin.test.assertEquals
class UtilTest {
@Test
fun `keyOf with name and value, returns correct key`() {
val key = keyOf("/test", "1234")
assertEquals(key.name, "/test")
assertEquals(key.string, "1234")
}
@Test
fun `keyOf with name and value and meta keys, returns correct key including meta keys`() {
val key = keyOf(
"/test", "1234",
keyOf("/meta1", "value1"),
keyOf("/meta2", "value2")
)
assertEquals(key.getMeta("/meta1").orNull()!!.string, "value1")
assertEquals(key.getMeta("/meta2").orNull()!!.string, "value2")
}
@Test
fun `forEachKeyName iterates correctly`() {
val key = Key.create("/foo/bar/some/thing")
val keyNames = mutableListOf<String>()
key.forEachKeyName {
keyNames.add(it)
}
assertEquals(listOf("\u0001", "foo", "bar", "some", "thing"), keyNames)
}
}
| 26.272727 | 94 | 0.608997 |
f37deaccb8bce5dc5696f1c93813ff24ec207e87 | 159 | sql | SQL | MobileCan.Database/scripts/20190111850-ceate-comoany-info.sql | robaElshazly/MobileCan | 88ecff172357e64bc9e351fd8d5f4108fb019121 | [
"MIT"
] | null | null | null | MobileCan.Database/scripts/20190111850-ceate-comoany-info.sql | robaElshazly/MobileCan | 88ecff172357e64bc9e351fd8d5f4108fb019121 | [
"MIT"
] | 2 | 2019-01-11T02:16:36.000Z | 2019-01-26T03:41:39.000Z | MobileCan.Database/scripts/20190111850-ceate-comoany-info.sql | robaElshazly/MobileCan | 88ecff172357e64bc9e351fd8d5f4108fb019121 | [
"MIT"
] | 1 | 2019-02-07T12:40:03.000Z | 2019-02-07T12:40:03.000Z | create table CompanyInfo(
Id int identity(1,1) Primary key,
Name nvarchar(200),
[Address] nvarchar(200),
[WorkingHours] nvarchar(max),
[Phone] nvarchar(10)
) | 22.714286 | 33 | 0.742138 |
0b9fa6b8eac70139650145aa00e7cb7eb8455c1b | 5,911 | py | Python | srfnef/tools/doc_gen/doc_generator.py | twj2417/srf | 63365cfd75199d70eea2273214a4fa580a9fdf2a | [
"Apache-2.0"
] | null | null | null | srfnef/tools/doc_gen/doc_generator.py | twj2417/srf | 63365cfd75199d70eea2273214a4fa580a9fdf2a | [
"Apache-2.0"
] | null | null | null | srfnef/tools/doc_gen/doc_generator.py | twj2417/srf | 63365cfd75199d70eea2273214a4fa580a9fdf2a | [
"Apache-2.0"
] | null | null | null | # encoding: utf-8
'''
@author: Minghao Guo
@contact: mh.guo0111@gmail.com
@software: basenef
@file: doc_generator.py
@date: 4/13/2019
@desc:
'''
import os
import sys
import time
from getpass import getuser
import matplotlib
import numpy as np
import json
from srfnef import Image, MlemFull
matplotlib.use('Agg')
author = getuser()
def title_block_gen():
timestamp = time.time()
datetime = time.strftime("%Y-%m-%d %H:%M:%S", time.localtime(int(timestamp)))
title_block = f'''
# NEF AutoDoc {datetime}
- Author: {author}
- Generation time: {datetime}
- Operation system: {sys.platform}
- OS language: {os.environ['LANG']}
- Duration: 0.0 sec
- Total errors: 0
- Total warning: 0
- Description:
'''
return title_block
def _text_gen_as_table(dct: dict = {}):
out_text = ['|key|values|\n|:---|:---|\n']
for key, val in dct.items():
if key == 'data':
out_text.append(f"| {key} | Ignored |\n")
elif not isinstance(val, dict):
if isinstance(val, str) and len(val) > 30:
out_text.append(f"| {key} | Ignored |\n")
else:
out_text.append(f"| {key} | {val} |\n")
else:
out_text.append(f"| {key} | {'Ignored'} |\n")
return out_text
def json_block_gen(dct: dict = {}):
if isinstance(dct, str):
dct = json.loads(dct)
dct['image_config']['size'] = np.round(dct['image_config']['size'], decimals = 3).tolist()
if dct['emap'] is not None:
dct['emap']['size'] = np.round(dct['emap']['size'], decimals = 3).tolist()
json_str = json.dumps(dct, indent = 4)
out_text = "## RECON JSON\n"
out_text += "```javascript\n"
out_text += json_str + '\n'
out_text += "```\n"
return out_text
def image_block_gen(img: Image, path: str):
print('Generating text blocks...')
from matplotlib import pyplot as plt
vmax = np.percentile(img.data, 99.99)
midind = [int(img.shape[i] / 2) for i in range(3)]
plt.figure(figsize = (30, 10))
plt.subplot(231)
plt.imshow(img.data[midind[0], :, :], vmax = vmax)
plt.subplot(232)
plt.imshow(img.data[:, midind[1], :].transpose(), vmax = vmax)
plt.subplot(233)
plt.imshow(img.data[:, :, midind[2]].transpose(), vmax = vmax)
plt.subplot(234)
plt.plot(img.data[midind[0], midind[1], :])
plt.subplot(235)
plt.plot(img.data[midind[0], :, midind[2]])
plt.subplot(236)
plt.plot(img.data[:, midind[1], midind[2]])
timestamp = time.time()
datetime_str = time.strftime("%Y-%m-%d-%H-%M-%S", time.localtime(int(timestamp)))
plt.savefig(path + f'/out_img{datetime_str}.png')
out_text = f'\n'
return out_text
def statistic_block_gen(dct: dict = {}):
out_text = []
key_set = set()
for name, sub_dct in dct.items():
for key, val in sub_dct.items():
if isinstance(val, str) and len(val) < 30:
key_set.add(key)
col_names = ['|name ', '|:---']
for key in key_set:
col_names[0] += '|' + key + ''
else:
col_names[0] += '|\n'
for _ in key_set:
col_names[1] += '|:---'
else:
col_names[1] += '|\n'
out_text += col_names
for name, sub_dct in dct.items():
row = '| ' + name + ' '
for key in key_set:
if key in sub_dct:
row += '|' + str(sub_dct[key]) + ''
else:
row += '|-'
else:
row += '|\n'
out_text += [row]
return out_text
def metric_block_gen(mask: np.ndarray, img: Image):
from srfnef import image_metric as metric
dct = {}
# contrast hot
dct.update(
contrast_hot = {str(ind_): float(val_) for ind_, val_ in metric.contrast_hot(mask, img)})
dct.update(
contrast_cold = {str(ind_): float(val_) for ind_, val_ in metric.contrast_cold(mask, img)})
dct.update(contrast_noise_ratio1 = metric.cnr1(mask, img))
dct.update(contrast_noise_ratio2 = metric.cnr2(mask, img))
dct.update(contrast_recovery_coefficiency1 = metric.crc1(mask, img))
dct.update(contrast_recovery_coefficiency2 = metric.crc2(mask, img))
dct.update(standard_error = metric.standard_error(mask, img))
dct.update(normalized_standard_error = metric.nsd(mask, img))
dct.update(standard_deviation = metric.sd(mask, img))
dct.update(background_visibility = metric.bg_visibility(mask, img))
dct.update(noise1 = metric.noise1(mask, img))
dct.update(noise2 = metric.noise2(mask, img))
dct.update(signal_noise_ratio1 = metric.snr1(mask, img))
dct.update(signal_noise_ratio2 = metric.snr2(mask, img))
dct.update(positive_deviation = metric.pos_dev(mask, img))
for ind, val in dct.items():
if not isinstance(val, dict):
dct[ind] = float(val)
json_str = json.dumps(dct, indent = 4)
out_text = "## IMAGE METRIC JSON\n"
out_text += "```javascript\n"
out_text += json_str + '\n'
out_text += "```\n"
return out_text
def doc_gen(mlem_obj: MlemFull, img: Image, path: str, filename: str = None,
mask: np.ndarray = None):
timestamp = time.time()
datetime_str = time.strftime("%Y-%m-%d-%H-%M-%S", time.localtime(int(timestamp)))
if filename is None:
filename = 'doc_gen-' + datetime_str + '.md'
out_text = title_block_gen()
out_text += image_block_gen(img, path)
out_text += json_block_gen(mlem_obj.asdict(recurse = True))
if mask is not None:
if isinstance(mask, str):
mask = np.load(mask)
out_text += metric_block_gen(mask, img)
# out_text += statistic_block_gen(dct)
with open(filename, 'w') as fout:
fout.writelines(out_text)
# print('Converting MD to PDF...')
# import pypandoc
# print(filename)
# pypandoc.convert_file(filename, 'pdf', outputfile = filename + '.pdf')
return filename
| 31.110526 | 99 | 0.607511 |
958c72ce2885e35b21d8dec077c0706d139be187 | 186 | swift | Swift | CodeSnippets/outlet_collection.swift | watanabetoshinori/SwiftCodeSnippets | 9d6928df5f4546a3b9e5960d993d952755bc82e7 | [
"MIT"
] | null | null | null | CodeSnippets/outlet_collection.swift | watanabetoshinori/SwiftCodeSnippets | 9d6928df5f4546a3b9e5960d993d952755bc82e7 | [
"MIT"
] | null | null | null | CodeSnippets/outlet_collection.swift | watanabetoshinori/SwiftCodeSnippets | 9d6928df5f4546a3b9e5960d993d952755bc82e7 | [
"MIT"
] | 1 | 2018-11-30T07:35:36.000Z | 2018-11-30T07:35:36.000Z | ---
title: "Swift IBOutlet Collection"
summary: "Connect an outlet collection to control objects."
completion-scope: ClassImplementation
---
@IBOutlet var <#name#>: [<#T##UIControl#>]!
| 23.25 | 59 | 0.725806 |
2030b3803e4c270414bfab91f6f841fc48eb5a87 | 786 | swift | Swift | Aletheia/Sources/ExtensionsUI/Extension+UIScrollView.swift | 5SMNOONMS5/Aletheia | bb600ccdfc42c0f064f516c25c42ddffe9edfc50 | [
"MIT"
] | 2 | 2019-04-21T08:19:06.000Z | 2020-02-13T10:21:50.000Z | Aletheia/Sources/ExtensionsUI/Extension+UIScrollView.swift | 5SMNOONMS5/Aletheia | bb600ccdfc42c0f064f516c25c42ddffe9edfc50 | [
"MIT"
] | null | null | null | Aletheia/Sources/ExtensionsUI/Extension+UIScrollView.swift | 5SMNOONMS5/Aletheia | bb600ccdfc42c0f064f516c25c42ddffe9edfc50 | [
"MIT"
] | null | null | null | //
// Extension+UIScrollView.swift
// Aletheia
//
// Created by stephen on 2019/6/27.
// Copyright © 2019 stephenchen. All rights reserved.
//
#if os(iOS)
import UIKit
extension AletheiaWrapper where Base: UIScrollView {
/// Update contentSize height while scroll view did finish layout all subviews
public func updateContentViewHeight() {
base.contentSize.height = base.subviews.sorted(by: { $0.frame.maxY < $1.frame.maxY }).last?.frame.maxY ?? base.contentSize.height
}
/// Update contentSize Width while scroll view did finish layout all subviews
public func updateContentViewWidth() {
base.contentSize.width = base.subviews.sorted(by: { $0.frame.maxX < $1.frame.maxX }).last?.frame.maxX ?? base.contentSize.width
}
}
#endif
| 29.111111 | 137 | 0.697201 |
3da78a530c527f7142af5b0c889e371ee2c35730 | 4,437 | kt | Kotlin | sentry-android-core/src/test/java/io/sentry/android/core/SentryAndroidTest.kt | audkar/sentry-java | d1029084e146b5ff02b1359e8bdf0a7252ebf2e5 | [
"MIT"
] | null | null | null | sentry-android-core/src/test/java/io/sentry/android/core/SentryAndroidTest.kt | audkar/sentry-java | d1029084e146b5ff02b1359e8bdf0a7252ebf2e5 | [
"MIT"
] | null | null | null | sentry-android-core/src/test/java/io/sentry/android/core/SentryAndroidTest.kt | audkar/sentry-java | d1029084e146b5ff02b1359e8bdf0a7252ebf2e5 | [
"MIT"
] | null | null | null | package io.sentry.android.core
import android.os.Bundle
import androidx.test.core.app.ApplicationProvider
import androidx.test.ext.junit.runners.AndroidJUnit4
import com.nhaarman.mockitokotlin2.any
import com.nhaarman.mockitokotlin2.eq
import com.nhaarman.mockitokotlin2.mock
import com.nhaarman.mockitokotlin2.never
import com.nhaarman.mockitokotlin2.verify
import io.sentry.ILogger
import io.sentry.Sentry
import io.sentry.SentryLevel
import io.sentry.SentryLevel.DEBUG
import io.sentry.SentryLevel.FATAL
import io.sentry.android.fragment.FragmentLifecycleIntegration
import io.sentry.android.timber.SentryTimberIntegration
import org.junit.runner.RunWith
import kotlin.test.BeforeTest
import kotlin.test.Test
import kotlin.test.assertEquals
import kotlin.test.assertFalse
import kotlin.test.assertNotNull
import kotlin.test.assertTrue
@RunWith(AndroidJUnit4::class)
class SentryAndroidTest {
class Fixture {
fun initSut(
autoInit: Boolean = false,
logger: ILogger? = null,
options: Sentry.OptionsConfiguration<SentryAndroidOptions>? = null
) {
val metadata = Bundle().apply {
putString(ManifestMetadataReader.DSN, "https://key@sentry.io/123")
putBoolean(ManifestMetadataReader.AUTO_INIT, autoInit)
}
val mockContext = ContextUtilsTest.mockMetaData(metaData = metadata)
when {
logger != null -> SentryAndroid.init(mockContext, logger)
options != null -> SentryAndroid.init(mockContext, options)
else -> SentryAndroid.init(mockContext)
}
}
}
private val fixture = Fixture()
@BeforeTest
fun `set up`() {
Sentry.close()
AppStartState.getInstance().resetInstance()
}
@Test
fun `when auto-init is disabled and user calls init manually, SDK initializes`() {
assertFalse(Sentry.isEnabled())
fixture.initSut()
assertTrue(Sentry.isEnabled())
}
@Test
fun `when auto-init is disabled and user calls init manually with a logger, SDK initializes`() {
assertFalse(Sentry.isEnabled())
fixture.initSut(logger = mock())
assertTrue(Sentry.isEnabled())
}
@Test
fun `when auto-init is disabled and user calls init manually with configuration handler, options should be set`() {
assertFalse(Sentry.isEnabled())
var refOptions: SentryAndroidOptions? = null
fixture.initSut {
it.anrTimeoutIntervalMillis = 3000
refOptions = it
}
assertEquals(3000, refOptions!!.anrTimeoutIntervalMillis)
assertTrue(Sentry.isEnabled())
}
@Test
fun `init won't throw exception`() {
val logger = mock<ILogger>()
fixture.initSut(autoInit = true, logger = logger)
verify(logger, never()).log(eq(SentryLevel.FATAL), any<String>(), any())
}
@Test
fun `set app start if provider is disabled`() {
fixture.initSut(autoInit = true)
// done by ActivityLifecycleIntegration so forcing it here
AppStartState.getInstance().setAppStartEnd()
AppStartState.getInstance().setColdStart(true)
assertNotNull(AppStartState.getInstance().appStartInterval)
}
@Test
fun `deduplicates fragment and timber integrations`() {
var refOptions: SentryAndroidOptions? = null
fixture.initSut(autoInit = true) {
it.addIntegration(
FragmentLifecycleIntegration(ApplicationProvider.getApplicationContext())
)
it.addIntegration(
SentryTimberIntegration(minEventLevel = FATAL, minBreadcrumbLevel = DEBUG)
)
refOptions = it
}
assertEquals(refOptions!!.integrations.filterIsInstance<SentryTimberIntegration>().size, 1)
val timberIntegration =
refOptions!!.integrations.find { it is SentryTimberIntegration } as SentryTimberIntegration
assertEquals(timberIntegration.minEventLevel, FATAL)
assertEquals(timberIntegration.minBreadcrumbLevel, DEBUG)
// fragment integration is not auto-installed in the test, since the context is not Application
// but we just verify here that the single integration is preserved
assertEquals(refOptions!!.integrations.filterIsInstance<FragmentLifecycleIntegration>().size, 1)
}
}
| 32.866667 | 119 | 0.68064 |
fb8b4945c163b5b4bc34c2ef1f1748020f8db4c3 | 640 | h | C | include/generic/bits/limits.h | LynnKirby/zeno | fb78f85a308b584448b637552a9fd0d131349041 | [
"CC0-1.0"
] | null | null | null | include/generic/bits/limits.h | LynnKirby/zeno | fb78f85a308b584448b637552a9fd0d131349041 | [
"CC0-1.0"
] | null | null | null | include/generic/bits/limits.h | LynnKirby/zeno | fb78f85a308b584448b637552a9fd0d131349041 | [
"CC0-1.0"
] | null | null | null | /*
* SPDX-License-Identifier: CC0-1.0
* bits/limits.h private header - private limits.h definitions
*/
#ifndef _BITS_LIMITS_H
#define _BITS_LIMITS_H
#define _LIBC_BOOL_WIDTH 8
#define _LIBC_CHAR_WIDTH 8
#define _LIBC_SHRT_WIDTH 16
#define _LIBC_INT_WIDTH 32
#ifdef __LONG_WIDTH__
#define _LIBC_LONG_WIDTH __LONG_WIDTH__
#elif __LONG_MAX__ == 0x7fffffff
#define _LIBC_LONG_WIDTH 32
#elif __LONG_MAX__ == 0x7fffffffffffffff
#define _LIBC_LONG_WIDTH 64
#else
#error "Could not determine LONG_WIDTH."
#endif
#define _LIBC_LLONG_WIDTH 64
#if '\0' - 1 > 0
#define _LIBC_CHAR_UNSIGNED 1
#else
#define _LIBC_CHAR_UNSIGNED 0
#endif
#endif
| 19.393939 | 62 | 0.79375 |
40821c78040fb6de1f35a1b39f28b161b1d20c44 | 13,478 | py | Python | src/PBGWraps/Kernel/KernelModule.py | as1m0n/spheral | 4d72822f56aca76d70724c543d389d15ff6ca48e | [
"BSD-Source-Code",
"BSD-3-Clause-LBNL",
"FSFAP"
] | 19 | 2020-10-21T01:49:17.000Z | 2022-03-15T12:29:17.000Z | src/PBGWraps/Kernel/KernelModule.py | markguozhiming/spheral | bbb982102e61edb8a1d00cf780bfa571835e1b61 | [
"BSD-Source-Code",
"BSD-3-Clause-LBNL",
"FSFAP"
] | 41 | 2020-09-28T23:14:27.000Z | 2022-03-28T17:01:33.000Z | src/PBGWraps/Kernel/KernelModule.py | markguozhiming/spheral | bbb982102e61edb8a1d00cf780bfa571835e1b61 | [
"BSD-Source-Code",
"BSD-3-Clause-LBNL",
"FSFAP"
] | 5 | 2020-11-03T16:14:26.000Z | 2022-01-03T19:07:24.000Z | from pybindgen import *
from PBGutils import *
#-------------------------------------------------------------------------------
# The class to handle wrapping this module.
#-------------------------------------------------------------------------------
class Kernel:
#---------------------------------------------------------------------------
# Add the types to the given module.
#---------------------------------------------------------------------------
def __init__(self, mod, srcdir, topsrcdir, dims):
self.dims = dims
# Includes.
mod.add_include('"%s/KernelTypes.hh"' % srcdir)
# Namespace.
space = mod.add_cpp_namespace("Spheral")
# Expose types.
self.types = ("BSpline", "W4Spline", "Gaussian", "SuperGaussian", "PiGaussian",
"Hat", "Sinc", "NSincPolynomial", "NBSpline", "QuarticSpline",
"QuinticSpline", "Table", "WendlandC2", "WendlandC4", "WendlandC6", "ExpInv")
for type in self.types:
for ndim in self.dims:
dim = "%id" % ndim
name = type + "Kernel" + dim
exec('self.%(name)s = addObject(space, "%(name)s", allow_subclassing=True)' % {"name" : name})
return
#---------------------------------------------------------------------------
# Add the types to the given module.
#---------------------------------------------------------------------------
def generateBindings(self, mod):
for ndim in self.dims:
dim = "%id" % ndim
# Generic Kernel types.
for type in ("BSpline", "W4Spline", "SuperGaussian", "WendlandC2", "WendlandC4", "WendlandC6", "QuarticSpline", "QuinticSpline", "ExpInv"):
name = type + "Kernel" + dim
exec("self.generateDefaultKernelBindings(self.%s, %i)" % (name, ndim))
# Now some specialized bindings for kernels.
exec("""
self.generateGaussianKernelBindings(self.GaussianKernel%(dim)s, %(ndim)i)
self.generatePiGaussianKernelBindings(self.PiGaussianKernel%(dim)s, %(ndim)i)
self.generateHatKernelBindings(self.HatKernel%(dim)s, %(ndim)i)
self.generateSincKernelBindings(self.SincKernel%(dim)s, %(ndim)i)
self.generateNSincPolynomialKernelBindings(self.NSincPolynomialKernel%(dim)s, %(ndim)i)
self.generateNBSplineKernelBindings(self.NBSplineKernel%(dim)s, %(ndim)i)
self.generateTableKernelBindings(self.TableKernel%(dim)s, %(ndim)i)
""" % {"dim" : dim, "ndim" : ndim})
return
#---------------------------------------------------------------------------
# The new sub modules (namespaces) introduced.
#---------------------------------------------------------------------------
def newSubModules(self):
return ["KernelSpace"]
#---------------------------------------------------------------------------
# Default (kernels with just the default constructor).
#---------------------------------------------------------------------------
def generateDefaultKernelBindings(self, x, ndim):
x.add_constructor([])
self.generateGenericKernelBindings(x, ndim)
return
#---------------------------------------------------------------------------
# Gaussian
#---------------------------------------------------------------------------
def generateGaussianKernelBindings(self, x, ndim):
x.add_constructor([param("double", "extent")])
self.generateGenericKernelBindings(x, ndim)
return
#---------------------------------------------------------------------------
# PiGaussian
#---------------------------------------------------------------------------
def generatePiGaussianKernelBindings(self, x, ndim):
x.add_constructor([])
x.add_constructor([param("double", "K")])
x.add_instance_attribute("K", "double", getter="getK", setter="setK")
self.generateGenericKernelBindings(x, ndim)
return
#---------------------------------------------------------------------------
# Hat
#---------------------------------------------------------------------------
def generateHatKernelBindings(self, x, ndim):
x.add_constructor([param("double", "eta0"), param("double", "W0")])
x.add_instance_attribute("eta0", "double", getter="eta0", is_const=True)
x.add_instance_attribute("W0", "double", getter="W0", is_const=True)
self.generateGenericKernelBindings(x, ndim)
return
#---------------------------------------------------------------------------
# Sinc
#---------------------------------------------------------------------------
def generateSincKernelBindings(self, x, ndim):
x.add_constructor([param("double", "extent")])
self.generateGenericKernelBindings(x, ndim)
return
#---------------------------------------------------------------------------
# NSincPolynomial
#---------------------------------------------------------------------------
def generateNSincPolynomialKernelBindings(self, x, ndim):
x.add_constructor([param("int", "order")])
self.generateGenericKernelBindings(x, ndim)
return
#---------------------------------------------------------------------------
# NBSpline
#---------------------------------------------------------------------------
def generateNBSplineKernelBindings(self, x, ndim):
x.add_constructor([param("int", "order")])
x.add_method("factorial", "int", [param("int", "n")], is_const=True)
x.add_method("binomialCoefficient", "int", [param("int", "n"), param("int", "m")], is_const=True)
x.add_method("oneSidedPowerFunction", "double", [param("double", "s"), param("int", "exponent")], is_const=True)
x.add_instance_attribute("order", "int", getter="order", setter="setOrder")
self.generateGenericKernelBindings(x, ndim)
return
#---------------------------------------------------------------------------
# TableKernel
#---------------------------------------------------------------------------
def generateTableKernelBindings(self, x, ndim):
bsplinekernel = "Spheral::BSplineKernel%id" % ndim
w4splinekernel = "Spheral::W4SplineKernel%id" % ndim
gaussiankernel = "Spheral::GaussianKernel%id" % ndim
supergaussiankernel = "Spheral::SuperGaussianKernel%id" % ndim
pigaussiankernel = "Spheral::PiGaussianKernel%id" % ndim
hatkernel = "Spheral::HatKernel%id" % ndim
sinckernel = "Spheral::SincKernel%id" % ndim
nsincpolynomialkernel = "Spheral::NSincPolynomialKernel%id" % ndim
quarticsplinekernel = "Spheral::QuarticSplineKernel%id" % ndim
quinticsplinekernel = "Spheral::QuinticSplineKernel%id" % ndim
nbsplinekernel = "Spheral::NBSplineKernel%id" % ndim
wendlandc2kernel = "Spheral::WendlandC2Kernel%id" % ndim
wendlandc4kernel = "Spheral::WendlandC4Kernel%id" % ndim
wendlandc6kernel = "Spheral::WendlandC6Kernel%id" % ndim
# Constructors.
for W in (bsplinekernel, w4splinekernel, gaussiankernel, supergaussiankernel, pigaussiankernel,
hatkernel, sinckernel, nsincpolynomialkernel, quarticsplinekernel, quinticsplinekernel, nbsplinekernel,
wendlandc2kernel,wendlandc4kernel,wendlandc6kernel):
x.add_constructor([constrefparam(W, "kernel"),
param("int", "numPoints", default_value="1000"),
param("double", "hmult", default_value="1.0")])
#x.add_method("augment", None, [constrefparam(W, "W")])
# Methods.
x.add_method("kernelAndGradValue", "pair_double_double", [param("double", "etaMagnitude"), param("double", "Hdet")], is_const=True)
x.add_method("kernelAndGradValues", None, [constrefparam("vector_of_double", "etaMagnitudes"),
constrefparam("vector_of_double", "Hdets"),
refparam("vector_of_double", "kernelValues"),
refparam("vector_of_double", "gradValues"),], is_const=True)
x.add_method("equivalentNodesPerSmoothingScale", "double", [param("double", "Wsum")], is_const=True)
x.add_method("equivalentWsum", "double", [param("double", "nPerh")], is_const=True)
x.add_method("f1", "double", [param("double", "etaMagnitude")], is_const=True)
x.add_method("f2", "double", [param("double", "etaMagnitude")], is_const=True)
x.add_method("gradf1", "double", [param("double", "etaMagnitude")], is_const=True)
x.add_method("gradf2", "double", [param("double", "etaMagnitude")], is_const=True)
x.add_method("f1Andf2", None, [param("double", "etaMagnitude"),
refparam("double", "f1"),
refparam("double", "f2"),
refparam("double", "gradf1"),
refparam("double", "gradf2")], is_const=True)
x.add_method("lowerBound", "int", [param("double", "etaMagnitude")], is_const=True)
x.add_method("valid", "bool", [], is_const=True, is_virtual=True)
# Attributes.
x.add_instance_attribute("nperhValues", "vector_of_double", getter="nperhValues", is_const=True)
x.add_instance_attribute("WsumValues", "vector_of_double", getter="WsumValues", is_const=True)
x.add_instance_attribute("numPoints", "int", getter="numPoints", is_const=True)
x.add_instance_attribute("stepSize", "double", getter="stepSize", is_const=True)
x.add_instance_attribute("stepSizeInv", "double", getter="stepSizeInv", is_const=True)
# Generic methods.
self.generateGenericKernelBindings(x, ndim)
#---------------------------------------------------------------------------
# Add generic Kernel methods.
#---------------------------------------------------------------------------
def generateGenericKernelBindings(self, x, ndim):
# Objects.
vector = "Vector%id" % ndim
symtensor = "SymTensor%id" % ndim
# Methods.
x.add_method("operator()", "double", [param("double", "etaMagnitude"), param("double", "Hdet")], is_const=True, custom_name = "__call__")
x.add_method("operator()", "double", [constrefparam(vector, "eta"), param("double", "Hdet")], is_const=True, custom_name="__call__")
x.add_method("operator()", "double", [param("double", "etaMagnitude"), param(symtensor, "H")], is_const=True, custom_name="__call__")
x.add_method("operator()", "double", [constrefparam(vector, "eta"), param(symtensor, "H")], is_const=True, custom_name="__call__")
x.add_method("grad", "double", [param("double", "etaMagnitude"), param("double", "Hdet")], is_const=True)
x.add_method("grad", "double", [constrefparam(vector, "eta"), param("double", "Hdet")], is_const=True)
x.add_method("grad", "double", [param("double", "etaMagnitude"), param(symtensor, "H")], is_const=True)
x.add_method("grad", "double", [constrefparam(vector, "eta"), param(symtensor, "H")], is_const=True)
x.add_method("grad2", "double", [param("double", "etaMagnitude"), param("double", "Hdet")], is_const=True)
x.add_method("grad2", "double", [constrefparam(vector, "eta"), param("double", "Hdet")], is_const=True)
x.add_method("grad2", "double", [param("double", "etaMagnitude"), param(symtensor, "H")], is_const=True)
x.add_method("grad2", "double", [constrefparam(vector, "eta"), param(symtensor, "H")], is_const=True)
x.add_method("gradh", "double", [param("double", "etaMagnitude"), param("double", "Hdet")], is_const=True)
x.add_method("gradh", "double", [constrefparam(vector, "eta"), param("double", "Hdet")], is_const=True)
x.add_method("gradh", "double", [param("double", "etaMagnitude"), param(symtensor, "H")], is_const=True)
x.add_method("gradh", "double", [constrefparam(vector, "eta"), param(symtensor, "H")], is_const=True)
x.add_method("kernelValue", "double", [param("double", "etaMagnitude"), param("double", "etaMagnitude")], is_const=True)
x.add_method("gradValue", "double", [param("double", "etaMagnitude"), param("double", "etaMagnitude")], is_const=True)
x.add_method("grad2Value", "double", [param("double", "etaMagnitude"), param("double", "etaMagnitude")], is_const=True)
x.add_method("gradhValue", "double", [param("double", "etaMagnitude"), param("double", "etaMagnitude")], is_const=True)
x.add_method("valid", "bool", [], is_const=True, is_virtual=True)
x.add_method("setVolumeNormalization", None, [param("double", "value")], visibility="protected")
x.add_method("setKernelExtent", None, [param("double", "value")], visibility="protected")
x.add_method("setInflectionPoint", None, [param("double", "value")], visibility="protected")
# Attributes.
x.add_instance_attribute("volumeNormalization", "double", getter="volumeNormalization", is_const=True)
x.add_instance_attribute("kernelExtent", "double", getter="kernelExtent", is_const=True)
x.add_instance_attribute("inflectionPoint", "double", getter="inflectionPoint", is_const=True)
return
| 57.110169 | 151 | 0.53361 |
92d51ff19a452c2029756105d09ad9a2eaceff7b | 308 | h | C | include/handleError.h | Daniel1993/tcpSocketLib | 39cefa9ca810aed723624ef4591218b5c7d7298e | [
"MIT"
] | 1 | 2021-04-01T15:09:16.000Z | 2021-04-01T15:09:16.000Z | include/handleError.h | Daniel1993/tcpSocketLib | 39cefa9ca810aed723624ef4591218b5c7d7298e | [
"MIT"
] | null | null | null | include/handleError.h | Daniel1993/tcpSocketLib | 39cefa9ca810aed723624ef4591218b5c7d7298e | [
"MIT"
] | null | null | null | #ifndef HANDLE_ERROR_H_GUARD_
#define HANDLE_ERROR_H_GUARD_
#include <stdio.h>
#define TSL_ADD_ERROR(...) \
tsl_err_flag = 1; sprintf(tsl_last_error_msg, __VA_ARGS__) \
\
//
extern __thread int tsl_err_flag;
extern __thread char tsl_last_error_msg[1024];
#endif /* HANDLE_ERROR_H_GUARD_ */ | 22 | 63 | 0.746753 |
8743221baa14a8f01e274d0169a352b9a5fb727f | 323 | htm | HTML | MariGold.HtmlParser.Tests/Html/mediaprintstyle.htm | SSgumS/MariGold.HtmlParser | bab921fcd262d28292b9e96e832e438075e2e521 | [
"MIT"
] | 7 | 2019-08-21T05:45:45.000Z | 2022-03-02T03:18:53.000Z | MariGold.HtmlParser.Tests/Html/mediaprintstyle.htm | SSgumS/MariGold.HtmlParser | bab921fcd262d28292b9e96e832e438075e2e521 | [
"MIT"
] | 2 | 2018-07-18T09:15:00.000Z | 2020-04-02T02:53:44.000Z | MariGold.HtmlParser.Tests/Html/mediaprintstyle.htm | SSgumS/MariGold.HtmlParser | bab921fcd262d28292b9e96e832e438075e2e521 | [
"MIT"
] | 1 | 2021-06-10T09:48:45.000Z | 2021-06-10T09:48:45.000Z | <html>
<head>
<style type="text/css">
h3 {
color: #f90;
}
@media print {
pre {
overflow-x: auto;
}
h3 {
color: #111;
}
}
</style>
</head>
<body><h3>Set your site filter</h3></body>
</html> | 16.15 | 42 | 0.346749 |
44ba472678a2dbb1a2d89ebf957d01a2fd8a95e8 | 690 | asm | Assembly | data/types/names.asm | opiter09/ASM-Machina | 75d8e457b3e82cc7a99b8e70ada643ab02863ada | [
"CC0-1.0"
] | 1 | 2022-02-15T00:19:44.000Z | 2022-02-15T00:19:44.000Z | data/types/names.asm | opiter09/ASM-Machina | 75d8e457b3e82cc7a99b8e70ada643ab02863ada | [
"CC0-1.0"
] | null | null | null | data/types/names.asm | opiter09/ASM-Machina | 75d8e457b3e82cc7a99b8e70ada643ab02863ada | [
"CC0-1.0"
] | null | null | null | TypeNames:
table_width 2, TypeNames
dw .Sound
dw .Fighting
dw .Flying
dw .Poison
dw .Ground
dw .Rock
dw .Bird
dw .Bug
dw .Ghost
REPT FIRE - GHOST - 1
dw .Normal
ENDR
dw .Fire
dw .Water
dw .Grass
dw .Electric
dw .Psychic
dw .Ice
dw .Dragon
assert_table_length NUM_TYPES
.Sound: db "SOUND@"
.Fighting: db "FIGHTING@"
.Flying: db "FLYING@"
.Poison: db "POISON@"
.Fire: db "FIRE@"
.Water: db "WATER@"
.Grass: db "GRASS@"
.Electric: db "ELECTRIC@"
.Psychic: db "PSYCHIC@"
.Ice: db "ICE@"
.Ground: db "GROUND@"
.Rock: db "ROCK@"
.Bird: db "BIRD@"
.Bug: db "BUG@"
.Ghost: db "GHOST@"
.Dragon: db "DRAGON@"
.Normal db "NORMAL@"
| 15.333333 | 30 | 0.604348 |
2a067fc0388c9a35445ed4983269cb4d8ccb543a | 834 | java | Java | src/main/java/event/PTThreadEvent.java | nouredd2/marsara | cc1e19212a6374c72a72625849e017429030c3b7 | [
"MIT"
] | 1 | 2021-09-19T10:15:47.000Z | 2021-09-19T10:15:47.000Z | src/main/java/event/PTThreadEvent.java | nouredd2/marsara | cc1e19212a6374c72a72625849e017429030c3b7 | [
"MIT"
] | null | null | null | src/main/java/event/PTThreadEvent.java | nouredd2/marsara | cc1e19212a6374c72a72625849e017429030c3b7 | [
"MIT"
] | null | null | null | package event;
public class PTThreadEvent extends PTEvent {
private final int m_thread_num_; //! The vent's thread number
/**
* Constructor with event id, name, and thread number
*
* @param m_event_id_ The id of the event
* @param m_name_ The name of the event
* @param m_thread_num_ The thread number for this event
*/
public PTThreadEvent(int m_event_id_, String m_name_, int m_thread_num_) {
super(m_event_id_, m_name_, PTEventType.PT_THREAD);
this.m_thread_num_ = m_thread_num_;
}
public int getThreadNum() {
return m_thread_num_;
}
@Override
public String toString() {
return "Thread event {" +
"event id: " + getId() +
", thread number:" + m_thread_num_ +
'}';
}
}
| 27.8 | 78 | 0.600719 |
0cd683f42ed8ac8bf6cea58dd624e3cd947b496d | 2,472 | kt | Kotlin | app/src/main/java/uk/nhs/nhsx/covid19/android/app/settings/myarea/MyAreaActivity.kt | coderus-ltd/covid-19-app-android-ag-public | b74358684b9dbc0174890db896b93b0f7c6660a4 | [
"MIT"
] | null | null | null | app/src/main/java/uk/nhs/nhsx/covid19/android/app/settings/myarea/MyAreaActivity.kt | coderus-ltd/covid-19-app-android-ag-public | b74358684b9dbc0174890db896b93b0f7c6660a4 | [
"MIT"
] | null | null | null | app/src/main/java/uk/nhs/nhsx/covid19/android/app/settings/myarea/MyAreaActivity.kt | coderus-ltd/covid-19-app-android-ag-public | b74358684b9dbc0174890db896b93b0f7c6660a4 | [
"MIT"
] | null | null | null | package uk.nhs.nhsx.covid19.android.app.settings.myarea
import android.os.Bundle
import android.view.Menu
import android.view.MenuItem
import androidx.activity.viewModels
import androidx.lifecycle.observe
import kotlinx.android.synthetic.main.activity_my_area.localAuthorityOption
import kotlinx.android.synthetic.main.activity_my_area.postCodeDistrictOption
import kotlinx.android.synthetic.main.view_toolbar_primary.toolbar
import uk.nhs.nhsx.covid19.android.app.R
import uk.nhs.nhsx.covid19.android.app.about.EditPostalDistrictActivity
import uk.nhs.nhsx.covid19.android.app.appComponent
import uk.nhs.nhsx.covid19.android.app.common.BaseActivity
import uk.nhs.nhsx.covid19.android.app.common.ViewModelFactory
import uk.nhs.nhsx.covid19.android.app.settings.myarea.MyAreaViewModel.ViewState
import uk.nhs.nhsx.covid19.android.app.util.viewutils.dpToPx
import uk.nhs.nhsx.covid19.android.app.util.viewutils.setNavigateUpToolbar
import javax.inject.Inject
class MyAreaActivity : BaseActivity(R.layout.activity_my_area) {
@Inject
lateinit var factory: ViewModelFactory<MyAreaViewModel>
private val viewModel: MyAreaViewModel by viewModels { factory }
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
appComponent.inject(this)
setNavigateUpToolbar(toolbar, R.string.settings_my_area_title, upIndicator = R.drawable.ic_arrow_back_white)
toolbar.setPaddingRelative(toolbar.paddingStart, toolbar.paddingTop, 12.dpToPx.toInt(), toolbar.paddingBottom)
viewModel.viewState.observe(this) {
renderViewState(it)
}
}
override fun onResume() {
super.onResume()
viewModel.onResume()
}
private fun renderViewState(viewState: ViewState) {
if (viewState.postCode != null) {
postCodeDistrictOption.subtitle = viewState.postCode
}
if (viewState.localAuthority != null) {
localAuthorityOption.subtitle = viewState.localAuthority
}
}
override fun onCreateOptionsMenu(menu: Menu?): Boolean {
menuInflater.inflate(R.menu.menu_edit, menu)
return true
}
override fun onOptionsItemSelected(item: MenuItem): Boolean {
return when (item.itemId) {
R.id.menuEditAction -> {
EditPostalDistrictActivity.start(this)
true
}
else -> super.onOptionsItemSelected(item)
}
}
}
| 36.352941 | 118 | 0.735032 |
bd1002376da05bc0e9194cb4a3da46af70693286 | 11,685 | dart | Dart | lib/src/pages/order/pages/details_orders_page.dart | hongvinhmobile/project_college_ec | 9957cbad56d371fba741d12bb791ff3d3ca6d651 | [
"MIT"
] | 9 | 2021-04-18T09:00:07.000Z | 2021-10-31T15:14:18.000Z | lib/src/pages/order/pages/details_orders_page.dart | lambiengcode/project_college_ec | 9957cbad56d371fba741d12bb791ff3d3ca6d651 | [
"MIT"
] | null | null | null | lib/src/pages/order/pages/details_orders_page.dart | lambiengcode/project_college_ec | 9957cbad56d371fba741d12bb791ff3d3ca6d651 | [
"MIT"
] | 2 | 2021-04-18T09:00:02.000Z | 2022-02-03T13:34:59.000Z | import 'package:van_transport/src/common/style.dart';
import 'package:van_transport/src/pages/merchant/controllers/order_merchant_controller.dart';
import 'package:van_transport/src/pages/order/controllers/order_controller.dart';
import 'package:van_transport/src/pages/order/widgets/cart_card.dart';
import 'package:flutter/material.dart';
import 'package:flutter_icons/flutter_icons.dart';
import 'package:flutter_neumorphic/flutter_neumorphic.dart';
import 'package:get/get.dart';
import 'package:van_transport/src/pages/order/widgets/drawer_address.dart';
import 'package:van_transport/src/pages/sub_transport/controllers/sub_transport_controller.dart';
import 'package:van_transport/src/services/string_service.dart';
class DetailsOrdersPage extends StatefulWidget {
final String comeFrome;
final String pageName;
final data;
DetailsOrdersPage(
{@required this.data, @required this.comeFrome, @required this.pageName});
@override
State<StatefulWidget> createState() => _DetailsOrdersPageState();
}
class _DetailsOrdersPageState extends State<DetailsOrdersPage> {
final _scaffoldKey = GlobalKey<ScaffoldState>();
final orderController = Get.put(OrderController());
final orderMerchantController = Get.put(OrderMerchantController());
final subTransportController = Get.put(SubTransportController());
@override
void initState() {
super.initState();
print(widget.comeFrome);
// print(widget.data);
// print(widget.data['canReceive']);
// print(widget.data['canDelete']);
}
@override
Widget build(BuildContext context) {
return Scaffold(
resizeToAvoidBottomInset: false,
key: _scaffoldKey,
endDrawer: Container(
width: width * .75,
child: Drawer(child: DrawerAddress(data: widget.data)),
),
appBar: AppBar(
backgroundColor: mCL,
elevation: .0,
centerTitle: true,
leadingWidth: 62.0,
leading: IconButton(
onPressed: () => Get.back(),
icon: Icon(
Feather.arrow_left,
color: colorTitle,
size: width / 15.0,
),
),
title: Text(
'detailsOrders'.trArgs(),
style: TextStyle(
color: colorTitle,
fontSize: width / 20.0,
fontWeight: FontWeight.bold,
fontFamily: 'Lato',
),
),
actions: [
IconButton(
onPressed: () => _scaffoldKey.currentState.openEndDrawer(),
icon: Icon(
Feather.map,
color: colorPrimary,
size: width / 16.5,
),
),
SizedBox(width: 4.0),
],
),
body: Container(
color: mCL,
child: Column(
children: [
Expanded(
child: Container(
margin: EdgeInsets.only(top: 16.0),
decoration: BoxDecoration(
borderRadius: BorderRadius.vertical(
top: Radius.circular(50.0),
),
color: mCM.withOpacity(.85),
),
child: Column(
children: [
Expanded(
child:
NotificationListener<OverscrollIndicatorNotification>(
onNotification: (overscroll) {
overscroll.disallowGlow();
return true;
},
child: ListView.builder(
padding: EdgeInsets.only(
left: 12.5,
right: 12.5,
top: 16.0,
),
physics: ClampingScrollPhysics(),
itemCount: widget.data['isMerchantSend']
? widget.data['FK_Product'][0]['products'].length
: widget.data['FK_Product'].length,
itemBuilder: (context, index) {
return CartCard(
name: StringService().formatString(
24,
widget.data['isMerchantSend']
? widget.data['FK_Product'][0]['products']
[index]['name']
: widget.data['FK_Product'][index]['name'],
),
urlToString: widget.data['isMerchantSend']
? widget.data['FK_Product'][0]['products']
[index]['image']
: widget.data['FK_Product'][index]['image']
[0],
price: widget.data['isMerchantSend']
? widget.data['FK_Product'][0]['products']
[index]['price']
: widget.data['prices'],
);
},
),
),
),
Container(
padding: EdgeInsets.fromLTRB(24.0, 16.0, 24.0, 16.0),
child: Row(
mainAxisAlignment: MainAxisAlignment.spaceAround,
children: [
_buildPriceText(context, 'product'.trArgs(),
'${widget.data['isMerchantSend'] ? widget.data['FK_Product'][0]['products'].length : widget.data['FK_Product'].length}'),
_buildPriceText(
context,
'subTotal'.trArgs(),
StringService().formatPrice(
double.tryParse(widget.data['prices'])
.round()
.toString()) +
' đ',
),
],
),
),
],
),
),
),
_buildBottomCheckout(context),
],
),
),
);
}
Widget _buildPriceText(context, title, value) {
return RichText(
text: TextSpan(
children: [
TextSpan(
text: title,
style: TextStyle(
color: colorDarkGrey.withOpacity(.6),
fontSize: width / 28.0,
fontFamily: 'Lato',
fontWeight: FontWeight.w400,
),
),
TextSpan(
text: ':\t',
style: TextStyle(
color: colorDarkGrey.withOpacity(.6),
fontSize: width / 28.0,
fontFamily: 'Lato',
fontWeight: FontWeight.w400,
),
),
TextSpan(
text: value,
style: TextStyle(
color: colorBlack,
fontSize: width / 24.0,
fontFamily: 'Lato',
fontWeight: FontWeight.w600,
),
),
],
),
);
}
Widget _buildBottomCheckout(context) {
return Container(
color: mCM,
child: Neumorphic(
padding: EdgeInsets.fromLTRB(32.0, 32.0, 24.0, 32.0),
style: NeumorphicStyle(
shape: NeumorphicShape.convex,
boxShape: NeumorphicBoxShape.roundRect(
BorderRadius.vertical(
top: Radius.circular(30.0),
),
),
depth: -20.0,
intensity: .6,
color: mCH.withOpacity(.12),
),
child: Row(
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: [
Text(
StringService().formatPrice(double.tryParse(widget.data['prices'])
.round()
.toString()) +
' đ',
style: TextStyle(
color: colorBlack,
fontSize: width / 22.0,
fontFamily: 'Lato',
fontWeight: FontWeight.w600,
wordSpacing: 1.2,
letterSpacing: 1.2,
),
),
NeumorphicButton(
onPressed: () {
if (widget.data['canReceive']) {
if (widget.comeFrome == 'USER') {
orderController.acceptReceiveOrder(widget.data['_id']);
}
} else if (widget.data['canDelete']) {
if (widget.comeFrome == 'USER') {
orderController.cancelOrder(widget.data['_id']);
} else if (widget.comeFrome == 'MERCHANT') {
orderMerchantController.cancelOrder(widget.data['_id']);
} else {
subTransportController.cancelOrder(widget.data['_id']);
}
}
},
duration: Duration(milliseconds: 200),
style: NeumorphicStyle(
shape: NeumorphicShape.convex,
boxShape: NeumorphicBoxShape.roundRect(
BorderRadius.circular(16.0),
),
depth: 5.0,
intensity: 1,
color:
widget.pageName == 'CANCEL' || widget.pageName == 'RECEIVE'
? colorDarkGrey
: widget.comeFrome == 'USER'
? !widget.data['canReceive'] &&
!widget.data['canDelete']
? colorDarkGrey
: widget.data['canReceive']
? colorPrimary
: colorHigh
: widget.data['canDelete']
? colorHigh
: colorDarkGrey,
),
padding: EdgeInsets.symmetric(
vertical: 16.0,
horizontal: 32.0,
),
child: Row(
mainAxisAlignment: MainAxisAlignment.center,
children: [
Text(
widget.pageName == 'CANCEL'
? 'Bị huỷ'
: widget.pageName == 'RECEIVE'
? 'Đã nhận hàng'
: widget.comeFrome == 'USER'
? !widget.data['canReceive'] &&
!widget.data['canDelete']
? 'Đang giao hàng'
: widget.data['canReceive']
? 'Nhận đơn hàng'
: 'Huỷ đơn hàng'
: widget.data['canDelete']
? 'Huỷ đơn hàng'
: 'Đang giao hàng',
style: TextStyle(
color: !widget.data['canReceive'] &&
!widget.data['canDelete']
? mCM
: mC,
fontSize: width / 26.0,
fontFamily: 'Lato',
fontWeight: FontWeight.w600,
),
),
],
),
),
],
),
),
);
}
}
| 37.332268 | 151 | 0.429012 |
cfbb3f733036f4bf5ca9ba7a45b552f612dbe90e | 683 | swift | Swift | DrawingBoard/Brushes/PencilBrush.swift | geekecuador/Pizarras-Ecuador | ade19da32f68b856602f3c9315ec6ae0ea7afe4f | [
"MIT"
] | 139 | 2015-03-19T10:44:26.000Z | 2021-11-23T23:50:25.000Z | DrawingBoard/Brushes/PencilBrush.swift | andypan1314/DrawingBoard | 8aa686d802593febafa591e60519eda625fc399a | [
"MIT"
] | 5 | 2015-06-21T20:02:38.000Z | 2018-03-22T13:55:52.000Z | DrawingBoard/Brushes/PencilBrush.swift | andypan1314/DrawingBoard | 8aa686d802593febafa591e60519eda625fc399a | [
"MIT"
] | 53 | 2015-04-15T09:36:16.000Z | 2021-10-05T21:14:13.000Z | //
// PencilBrush.swift
// DrawingBoard
//
// Created by 张奥 on 15/3/18.
// Copyright (c) 2015年 zhangao. All rights reserved.
//
import UIKit
class PencilBrush: BaseBrush {
override func drawInContext(context: CGContextRef) {
if let lastPoint = self.lastPoint {
CGContextMoveToPoint(context, lastPoint.x, lastPoint.y)
CGContextAddLineToPoint(context, endPoint.x, endPoint.y)
} else {
CGContextMoveToPoint(context, beginPoint.x, beginPoint.y)
CGContextAddLineToPoint(context, endPoint.x, endPoint.y)
}
}
override func supportedContinuousDrawing() -> Bool {
return true
}
}
| 25.296296 | 69 | 0.644217 |
ce723fd4135cd6d2e2b9b94680b8f8d92521fec9 | 334 | swift | Swift | Error.swift | Tonku/Merchant-guide-to-the-galaxy-Swift | 9eaf4404807735738698979b6b0ca85deda54a38 | [
"MIT"
] | 1 | 2016-06-07T09:00:47.000Z | 2016-06-07T09:00:47.000Z | Error.swift | Tonku/Merchant-guide-to-the-galaxy-Swift | 9eaf4404807735738698979b6b0ca85deda54a38 | [
"MIT"
] | null | null | null | Error.swift | Tonku/Merchant-guide-to-the-galaxy-Swift | 9eaf4404807735738698979b6b0ca85deda54a38 | [
"MIT"
] | null | null | null | //
// Errors.swift
// galaxy
//
// Created by Tony Thomas on 02/05/16.
// Copyright © 2016 Tony Thomas. All rights reserved.
//
import Foundation
/**
The error typs
*/
enum Error : ErrorType{
case InvalidGalaxyNumber
case InvalidRomanNumber
case InvalidArabicNumber
case InvalidGalaxyToRomanConversion
}
| 15.904762 | 54 | 0.694611 |
86bbadbb7ea8557b875511b21ec1a7a08d806a14 | 1,785 | rs | Rust | gtk4/src/subclass/scale.rs | zecakeh/gtk4-rs | e7fc677142343ac0cafcdddb67dc7d69c5b504a3 | [
"MIT-0",
"MIT"
] | null | null | null | gtk4/src/subclass/scale.rs | zecakeh/gtk4-rs | e7fc677142343ac0cafcdddb67dc7d69c5b504a3 | [
"MIT-0",
"MIT"
] | null | null | null | gtk4/src/subclass/scale.rs | zecakeh/gtk4-rs | e7fc677142343ac0cafcdddb67dc7d69c5b504a3 | [
"MIT-0",
"MIT"
] | null | null | null | // Take a look at the license at the top of the repository in the LICENSE file.
use glib::subclass::prelude::*;
use glib::translate::*;
use glib::Cast;
use super::range::RangeImpl;
use crate::{Range, Scale};
pub trait ScaleImpl: ScaleImplExt + RangeImpl {
fn get_layout_offsets(&self, scale: &Self::Type) -> (i32, i32) {
self.parent_get_layout_offsets(scale)
}
}
pub trait ScaleImplExt: ObjectSubclass {
fn parent_get_layout_offsets(&self, scale: &Self::Type) -> (i32, i32);
}
impl<T: ScaleImpl> ScaleImplExt for T {
fn parent_get_layout_offsets(&self, scale: &Self::Type) -> (i32, i32) {
unsafe {
let data = T::type_data();
let parent_class = data.as_ref().get_parent_class() as *mut ffi::GtkScaleClass;
let mut x = 0;
let mut y = 0;
if let Some(f) = (*parent_class).get_layout_offsets {
f(
scale.unsafe_cast_ref::<Scale>().to_glib_none().0,
&mut x,
&mut y,
);
}
(x, y)
}
}
}
unsafe impl<T: ScaleImpl> IsSubclassable<T> for Scale {
fn override_vfuncs(class: &mut glib::Class<Self>) {
<Range as IsSubclassable<T>>::override_vfuncs(class);
let klass = class.as_mut();
klass.get_layout_offsets = Some(scale_get_layout_offsets::<T>);
}
}
unsafe extern "C" fn scale_get_layout_offsets<T: ScaleImpl>(
ptr: *mut ffi::GtkScale,
x_ptr: *mut libc::c_int,
y_ptr: *mut libc::c_int,
) {
let instance = &*(ptr as *mut T::Instance);
let imp = instance.get_impl();
let wrap: Borrowed<Scale> = from_glib_borrow(ptr);
let (x, y) = imp.get_layout_offsets(wrap.unsafe_cast_ref());
*x_ptr = x;
*y_ptr = y;
}
| 29.262295 | 91 | 0.592717 |
b26bb3f880bfeea0e3ea0d92cd830a0a05438ce3 | 1,439 | sql | SQL | db_library/compound_statements/fix_load_pending.sql | adrianmahjour/db2-samples | ff984aec81c5c08ce28443d896c0818cfae4f789 | [
"Apache-2.0"
] | 54 | 2019-08-02T13:15:07.000Z | 2022-03-21T17:36:48.000Z | db_library/compound_statements/fix_load_pending.sql | junsulee75/db2-samples | d9ee03101cad1f9167eebc1609b4151559124017 | [
"Apache-2.0"
] | 13 | 2019-07-26T13:51:16.000Z | 2022-03-25T21:43:52.000Z | db_library/compound_statements/fix_load_pending.sql | junsulee75/db2-samples | d9ee03101cad1f9167eebc1609b4151559124017 | [
"Apache-2.0"
] | 75 | 2019-07-20T04:53:24.000Z | 2022-03-23T20:56:55.000Z | --# Copyright IBM Corp. All Rights Reserved.
--# SPDX-License-Identifier: Apache-2.0
/*
* For all tables in LOAD PENDING state, TERMINATE their outstanding LOAD command
*
* Note that this code also skips past any tables that are currently being LOADed to avoid getting a lock wait on the call to ADMIN_GET_TAB_INFO
*/
BEGIN
FOR C AS cur CURSOR WITH HOLD FOR
WITH L AS (
SELECT
*
FROM
TABLE(MON_GET_UTILITY(-2))
WHERE
OBJECT_TYPE = 'TABLE'
AND UTILITY_TYPE = 'LOAD'
AND UTILITY_DETAIL NOT LIKE '%ONLINE LOAD%'
)
SELECT
'LOAD FROM (VALUES 1) OF CURSOR TERMINATE INTO "' || T.TABSCHEMA || '"."' || T.TABNAME || '"' AS CMD
, T.TABSCHEMA
, T.TABNAME
FROM
SYSCAT.TABLES T
, TABLE(ADMIN_GET_TAB_INFO( T.TABSCHEMA, T.TABNAME)) AS I
WHERE
T.TABSCHEMA = I.TABSCHEMA
AND T.TABNAME = I.TABNAME
AND ( T.TABSCHEMA, T.TABNAME ) NOT IN (SELECT OBJECT_SCHEMA, OBJECT_NAME FROM L)
AND T.TABSCHEMA <> 'SYSIBM' -- exclude synopsis tables
AND I.LOAD_STATUS = 'PENDING'
GROUP BY
T.TABSCHEMA
, T.TABNAME
ORDER BY
T.TABSCHEMA
, T.TABNAME
WITH UR
DO
CALL ADMIN_CMD( C.CMD ) ;
COMMIT;
END FOR;
END | 31.282609 | 144 | 0.548297 |
91a50d14d99e2d5bedbd7be1e20bb03ad0c7f169 | 785 | tab | SQL | CZ-9x9-CMR/2-8-ES-10STATES-60CMR15.tab | bidlom/Mendel2019-ES | 24632a8582e2b18bd8367ecb599c9d4b58e7d7da | [
"BSD-3-Clause"
] | null | null | null | CZ-9x9-CMR/2-8-ES-10STATES-60CMR15.tab | bidlom/Mendel2019-ES | 24632a8582e2b18bd8367ecb599c9d4b58e7d7da | [
"BSD-3-Clause"
] | null | null | null | CZ-9x9-CMR/2-8-ES-10STATES-60CMR15.tab | bidlom/Mendel2019-ES | 24632a8582e2b18bd8367ecb599c9d4b58e7d7da | [
"BSD-3-Clause"
] | null | null | null | 2 10
0 0 0 0 9 6
0 0 0 2 0 1
0 0 0 3 0 1
0 0 0 4 0 1
0 0 0 4 1 1
0 0 1 0 0 9
0 0 1 1 0 9
0 0 1 1 9 9
0 0 1 3 0 9
0 0 4 2 1 1
0 0 6 0 4 4
0 0 6 0 9 4
0 0 9 2 2 4
0 0 9 2 4 4
0 1 1 2 1 2
0 2 0 0 2 2
0 2 0 0 3 2
0 2 0 0 6 2
0 3 6 0 0 9
0 4 3 0 0 9
0 6 0 0 0 3
0 6 0 0 2 2
0 6 0 0 6 2
0 9 0 0 0 6
0 9 3 0 0 4
0 9 6 0 0 4
1 0 0 1 1 2
1 0 0 1 9 2
1 0 4 3 3 1
1 0 7 3 4 4
1 0 9 1 0 7
1 0 9 1 2 4
1 0 9 1 4 4
1 0 9 1 7 4
1 1 4 3 0 3
2 0 9 3 0 7
2 0 9 3 4 1
2 1 3 9 3 5
2 1 4 3 3 3
2 1 5 3 3 3
2 2 9 3 3 3
2 3 2 9 3 5
2 3 4 0 3 3
2 3 5 3 3 3
2 3 9 0 3 3
2 5 3 6 3 2
3 0 3 1 3 1
3 0 3 3 4 1
3 3 0 0 0 3
3 4 0 0 0 3
4 0 3 1 3 1
6 0 4 2 1 1
6 0 9 6 4 1
6 3 0 0 0 3
6 4 0 0 0 3
7 0 4 0 0 3
7 0 9 1 9 3
9 0 0 0 0 4
9 0 0 4 1 9
9 0 2 1 9 1
9 0 4 0 0 3
9 0 4 1 1 1
9 0 4 1 3 1
9 0 7 1 9 3
9 0 9 3 0 3
| 11.716418 | 11 | 0.500637 |
0286e3cc5e963d8600a0dcdc2db4941bf629c672 | 260 | sql | SQL | SQL/Database/Files/move_tempdb.sql | vanwinkelseppe/useful-scripts | 0dcecf7e4bab5fd900d69b51fe701a533a2e93cd | [
"Unlicense"
] | null | null | null | SQL/Database/Files/move_tempdb.sql | vanwinkelseppe/useful-scripts | 0dcecf7e4bab5fd900d69b51fe701a533a2e93cd | [
"Unlicense"
] | null | null | null | SQL/Database/Files/move_tempdb.sql | vanwinkelseppe/useful-scripts | 0dcecf7e4bab5fd900d69b51fe701a533a2e93cd | [
"Unlicense"
] | null | null | null | USE master;
GO
ALTER DATABASE tempdb
MODIFY FILE (NAME = tempdev, FILENAME = 'new_path\os_file_name.mdf');
GO
ALTER DATABASE tempdb
MODIFY FILE (NAME = templog, FILENAME = 'new_path\os_file_name.ldf');
GO
-------------
-- RESTART --
------------- | 23.636364 | 71 | 0.630769 |
9bd62a8d2a80d9d759838ba9b396801a5bff655b | 1,495 | js | JavaScript | public/js/script.js | AlejandroEstarlich/pontioDescarga | bca127641001735c6a0f1ea2ea0bd4bcb85a32bc | [
"MIT"
] | null | null | null | public/js/script.js | AlejandroEstarlich/pontioDescarga | bca127641001735c6a0f1ea2ea0bd4bcb85a32bc | [
"MIT"
] | null | null | null | public/js/script.js | AlejandroEstarlich/pontioDescarga | bca127641001735c6a0f1ea2ea0bd4bcb85a32bc | [
"MIT"
] | null | null | null | function calculo(){
var potenciaInstalada = $('#potencia_instalada');
var pagoMensual = $('#pago_mensual').val();
var potenciaContratada = $('#potencia_contratada').val();
var numeroPaneles = $('#numero_paneles');
var superficieNecesaria = $('#superficie_necesaria');
var ahorroAnual = $('#ahorro_anual');
var co2Evitado = $('#co2_evitado');
var arbolesPlantados = $('#arboles_plantados');
var alphaZona = 1422;
// Fórmula alpha Potencia Instalada
var totalPotenciaInstalada = parseFloat((((pagoMensual-((potenciaContratada)*3.2876))/0.11))/(alphaZona/12));
potenciaInstalada.val(parseFloat(totalPotenciaInstalada).toFixed(2));
// Fórmula alpha Número Paneles
var totalNumeroPaneles = parseInt((totalPotenciaInstalada*1000)/330);
numeroPaneles.val(totalNumeroPaneles);
// Fórmula Alpha Superficie necesaria
superficieNecesaria.val(totalNumeroPaneles*2);
// Fórmula Alpha Ahorro Anual
var totalAhorroAnual = parseFloat((totalPotenciaInstalada*1000)*(1.7/96));
ahorroAnual.val(parseFloat(totalAhorroAnual).toFixed(2));
// Fórmula Alpha CO2 evitado
var totalCo2Evitado = parseFloat(((totalPotenciaInstalada*alphaZona)*0.11*(0.4))+((totalPotenciaInstalada*alphaZona)*0.11*(0.6)));
co2Evitado.val(parseFloat(totalCo2Evitado).toFixed(4));
// Fórmula Alpha Árboles Plantados
arbolesPlantados.val(parseInt(totalCo2Evitado/5.9));
console.log(potenciaInstalada.val());
console.log(pagoMensual);
console.log(totalPotenciaInstalada);
console.log(potenciaContratada);
} | 36.463415 | 131 | 0.763211 |
1318365a4a8d1f36f4d26e8d41f8948b4f0c01b2 | 5,192 | c | C | uboot/u-boot-2011.12/arch/arm/cpu/armv7/am33xx/emif4.c | spartan263/vizio_oss | 74270002d874391148119b48882db6816e7deedc | [
"Linux-OpenIB"
] | 4 | 2016-07-01T04:50:02.000Z | 2021-11-14T21:29:42.000Z | uboot/u-boot-2011.12/arch/arm/cpu/armv7/am33xx/emif4.c | spartan263/vizio_oss | 74270002d874391148119b48882db6816e7deedc | [
"Linux-OpenIB"
] | null | null | null | uboot/u-boot-2011.12/arch/arm/cpu/armv7/am33xx/emif4.c | spartan263/vizio_oss | 74270002d874391148119b48882db6816e7deedc | [
"Linux-OpenIB"
] | null | null | null | /*
* emif4.c
*
* AM33XX emif4 configuration file
*
* Copyright (C) 2011, Texas Instruments, Incorporated - http://www.ti.com/
*
* 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; either version 2 of
* the License, or (at your option) any later version.
*
* 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.
*/
#include <common.h>
#include <asm/arch/cpu.h>
#include <asm/arch/ddr_defs.h>
#include <asm/arch/hardware.h>
#include <asm/arch/clock.h>
#include <asm/io.h>
DECLARE_GLOBAL_DATA_PTR;
struct ddr_regs *ddrregs = (struct ddr_regs *)DDR_PHY_BASE_ADDR;
struct vtp_reg *vtpreg = (struct vtp_reg *)VTP0_CTRL_ADDR;
struct ddr_ctrl *ddrctrl = (struct ddr_ctrl *)DDR_CTRL_ADDR;
int dram_init(void)
{
/* dram_init must store complete ramsize in gd->ram_size */
gd->ram_size = get_ram_size(
(void *)CONFIG_SYS_SDRAM_BASE,
CONFIG_MAX_RAM_BANK_SIZE);
return 0;
}
void dram_init_banksize(void)
{
gd->bd->bi_dram[0].start = CONFIG_SYS_SDRAM_BASE;
gd->bd->bi_dram[0].size = gd->ram_size;
}
#ifdef CONFIG_AM335X_CONFIG_DDR
static void data_macro_config(int dataMacroNum)
{
struct ddr_data data;
data.datardsratio0 = ((DDR2_RD_DQS<<30)|(DDR2_RD_DQS<<20)
|(DDR2_RD_DQS<<10)|(DDR2_RD_DQS<<0));
data.datardsratio1 = DDR2_RD_DQS>>2;
data.datawdsratio0 = ((DDR2_WR_DQS<<30)|(DDR2_WR_DQS<<20)
|(DDR2_WR_DQS<<10)|(DDR2_WR_DQS<<0));
data.datawdsratio1 = DDR2_WR_DQS>>2;
data.datawiratio0 = ((DDR2_PHY_WRLVL<<30)|(DDR2_PHY_WRLVL<<20)
|(DDR2_PHY_WRLVL<<10)|(DDR2_PHY_WRLVL<<0));
data.datawiratio1 = DDR2_PHY_WRLVL>>2;
data.datagiratio0 = ((DDR2_PHY_GATELVL<<30)|(DDR2_PHY_GATELVL<<20)
|(DDR2_PHY_GATELVL<<10)|(DDR2_PHY_GATELVL<<0));
data.datagiratio1 = DDR2_PHY_GATELVL>>2;
data.datafwsratio0 = ((DDR2_PHY_FIFO_WE<<30)|(DDR2_PHY_FIFO_WE<<20)
|(DDR2_PHY_FIFO_WE<<10)|(DDR2_PHY_FIFO_WE<<0));
data.datafwsratio1 = DDR2_PHY_FIFO_WE>>2;
data.datawrsratio0 = ((DDR2_PHY_WR_DATA<<30)|(DDR2_PHY_WR_DATA<<20)
|(DDR2_PHY_WR_DATA<<10)|(DDR2_PHY_WR_DATA<<0));
data.datawrsratio1 = DDR2_PHY_WR_DATA>>2;
data.datadldiff0 = PHY_DLL_LOCK_DIFF;
config_ddr_data(dataMacroNum, &data);
}
static void cmd_macro_config(void)
{
struct cmd_control cmd;
cmd.cmd0csratio = DDR2_RATIO;
cmd.cmd0csforce = CMD_FORCE;
cmd.cmd0csdelay = CMD_DELAY;
cmd.cmd0dldiff = DDR2_DLL_LOCK_DIFF;
cmd.cmd0iclkout = DDR2_INVERT_CLKOUT;
cmd.cmd1csratio = DDR2_RATIO;
cmd.cmd1csforce = CMD_FORCE;
cmd.cmd1csdelay = CMD_DELAY;
cmd.cmd1dldiff = DDR2_DLL_LOCK_DIFF;
cmd.cmd1iclkout = DDR2_INVERT_CLKOUT;
cmd.cmd2csratio = DDR2_RATIO;
cmd.cmd2csforce = CMD_FORCE;
cmd.cmd2csdelay = CMD_DELAY;
cmd.cmd2dldiff = DDR2_DLL_LOCK_DIFF;
cmd.cmd2iclkout = DDR2_INVERT_CLKOUT;
config_cmd_ctrl(&cmd);
}
static void config_vtp(void)
{
writel(readl(&vtpreg->vtp0ctrlreg) | VTP_CTRL_ENABLE,
&vtpreg->vtp0ctrlreg);
writel(readl(&vtpreg->vtp0ctrlreg) & (~VTP_CTRL_START_EN),
&vtpreg->vtp0ctrlreg);
writel(readl(&vtpreg->vtp0ctrlreg) | VTP_CTRL_START_EN,
&vtpreg->vtp0ctrlreg);
/* Poll for READY */
while ((readl(&vtpreg->vtp0ctrlreg) & VTP_CTRL_READY) !=
VTP_CTRL_READY)
;
}
static void config_emif_ddr2(void)
{
int i;
int ret;
struct sdram_config cfg;
struct sdram_timing tmg;
struct ddr_phy_control phyc;
/*Program EMIF0 CFG Registers*/
phyc.reg = EMIF_READ_LATENCY;
phyc.reg_sh = EMIF_READ_LATENCY;
phyc.reg2 = EMIF_READ_LATENCY;
tmg.time1 = EMIF_TIM1;
tmg.time1_sh = EMIF_TIM1;
tmg.time2 = EMIF_TIM2;
tmg.time2_sh = EMIF_TIM2;
tmg.time3 = EMIF_TIM3;
tmg.time3_sh = EMIF_TIM3;
cfg.sdrcr = EMIF_SDCFG;
cfg.sdrcr2 = EMIF_SDCFG;
cfg.refresh = 0x00004650;
cfg.refresh_sh = 0x00004650;
/* Program EMIF instance */
ret = config_ddr_phy(&phyc);
if (ret < 0)
printf("Couldn't configure phyc\n");
ret = config_sdram(&cfg);
if (ret < 0)
printf("Couldn't configure SDRAM\n");
ret = set_sdram_timings(&tmg);
if (ret < 0)
printf("Couldn't configure timings\n");
/* Delay */
for (i = 0; i < 5000; i++)
;
cfg.refresh = EMIF_SDREF;
cfg.refresh_sh = EMIF_SDREF;
cfg.sdrcr = EMIF_SDCFG;
cfg.sdrcr2 = EMIF_SDCFG;
ret = config_sdram(&cfg);
if (ret < 0)
printf("Couldn't configure SDRAM\n");
}
void config_ddr(void)
{
int data_macro_0 = 0;
int data_macro_1 = 1;
struct ddr_ioctrl ioctrl;
enable_emif_clocks();
config_vtp();
cmd_macro_config();
data_macro_config(data_macro_0);
data_macro_config(data_macro_1);
writel(PHY_RANK0_DELAY, &ddrregs->dt0rdelays0);
writel(PHY_RANK0_DELAY, &ddrregs->dt1rdelays0);
ioctrl.cmd1ctl = DDR_IOCTRL_VALUE;
ioctrl.cmd2ctl = DDR_IOCTRL_VALUE;
ioctrl.cmd3ctl = DDR_IOCTRL_VALUE;
ioctrl.data1ctl = DDR_IOCTRL_VALUE;
ioctrl.data2ctl = DDR_IOCTRL_VALUE;
config_io_ctrl(&ioctrl);
writel(readl(&ddrctrl->ddrioctrl) & 0xefffffff, &ddrctrl->ddrioctrl);
writel(readl(&ddrctrl->ddrckectrl) | 0x00000001, &ddrctrl->ddrckectrl);
config_emif_ddr2();
}
#endif
| 25.70297 | 75 | 0.735747 |
43581d7bece9e508ac95c1246475d541a935d3fa | 325 | swift | Swift | FiveCalls/FiveCalls/NotificationNames.swift | skeptycal/ios | 943c3953025337c9be334f421f1d83eb7ce6c10b | [
"MIT"
] | 143 | 2017-01-30T22:55:17.000Z | 2021-11-08T13:02:36.000Z | FiveCalls/FiveCalls/NotificationNames.swift | skeptycal/ios | 943c3953025337c9be334f421f1d83eb7ce6c10b | [
"MIT"
] | 274 | 2017-02-02T02:11:46.000Z | 2022-01-25T00:47:52.000Z | FiveCalls/FiveCalls/NotificationNames.swift | skeptycal/ios | 943c3953025337c9be334f421f1d83eb7ce6c10b | [
"MIT"
] | 68 | 2017-01-31T03:39:37.000Z | 2022-02-07T14:47:57.000Z | //
// NotificationNames.swift
// FiveCalls
//
// Created by Christopher Brandow on 2/1/17.
// Copyright © 2017 5calls. All rights reserved.
//
import Foundation
extension Notification.Name {
static let locationChanged = Notification.Name("locationChanged")
static let callMade = Notification.Name("callMade")
}
| 21.666667 | 69 | 0.729231 |
77555fe2318a9259b87d1d5196b7492b759406d7 | 18,634 | kt | Kotlin | openrndr-ktessellation/src/commonMain/kotlin/Render.kt | reinvdwoerd/openrndr | 83d7ce4b53b205b54a0cbcae57f60c7a6280d34d | [
"BSD-2-Clause-FreeBSD"
] | null | null | null | openrndr-ktessellation/src/commonMain/kotlin/Render.kt | reinvdwoerd/openrndr | 83d7ce4b53b205b54a0cbcae57f60c7a6280d34d | [
"BSD-2-Clause-FreeBSD"
] | null | null | null | openrndr-ktessellation/src/commonMain/kotlin/Render.kt | reinvdwoerd/openrndr | 83d7ce4b53b205b54a0cbcae57f60c7a6280d34d | [
"BSD-2-Clause-FreeBSD"
] | null | null | null | package org.openrndr.ktessellation
internal object Render {
private const val USE_OPTIMIZED_CODE_PATH = false
private val renderFan = RenderFan()
private val renderStrip = RenderStrip()
private val renderTriangle = RenderTriangle()
/************************ Strips and Fans decomposition */ /* __gl_renderMesh( tess, mesh ) takes a mesh and breaks it into triangle
* fans, strips, and separate triangles. A substantial effort is made
* to use as few rendering primitives as possible (ie. to make the fans
* and strips as large as possible).
*
* The rendering output is provided as callbacks (see the api).
*/
fun __gl_renderMesh(
tess: GLUtessellatorImpl,
mesh: GLUmesh
) {
var f: GLUface
/* Make a list of separate triangles so we can render them all at once */tess.lonelyTriList = null
f = mesh.fHead.next!!
while (f !== mesh.fHead) {
f.marked = false
f = f.next!!
}
f = mesh.fHead.next!!
while (f !== mesh.fHead) {
/* We examine all faces in an arbitrary order. Whenever we find
* an unprocessed face F, we output a group of faces including F
* whose size is maximum.
*/
if (f.inside && !f.marked) {
RenderMaximumFaceGroup(tess, f)
require(f.marked)
}
f = f.next!!
}
if (tess.lonelyTriList != null) {
RenderLonelyTriangles(tess, tess.lonelyTriList)
tess.lonelyTriList = null
}
}
fun RenderMaximumFaceGroup(
tess: GLUtessellatorImpl,
fOrig: GLUface
) {
/* We want to find the largest triangle fan or strip of unmarked faces
* which includes the given face fOrig. There are 3 possible fans
* passing through fOrig (one centered at each vertex), and 3 possible
* strips (one for each CCW permutation of the vertices). Our strategy
* is to try all of these, and take the primitive which uses the most
* triangles (a greedy approach).
*/
val e: GLUhalfEdge = fOrig.anEdge!!
var max = FaceCount()
var newFace: FaceCount
max.size = 1
max.eStart = e
max.render = renderTriangle
if (!tess.flagBoundary) {
newFace = MaximumFan(e)
if (newFace.size > max.size) {
max = newFace
}
newFace = MaximumFan(e.Lnext!!)
if (newFace.size > max.size) {
max = newFace
}
newFace = MaximumFan(e.Onext!!.Sym!!)
if (newFace.size > max.size) {
max = newFace
}
newFace = MaximumStrip(e)
if (newFace.size > max.size) {
max = newFace
}
newFace = MaximumStrip(e.Lnext!!)
if (newFace.size > max.size) {
max = newFace
}
newFace = MaximumStrip(e.Onext!!.Sym!!)
if (newFace.size > max.size) {
max = newFace
}
}
max.render!!.render(tess, max.eStart!!, max.size)
}
/* Macros which keep track of faces we have marked temporarily, and allow
* us to backtrack when necessary. With triangle fans, this is not
* really necessary, since the only awkward case is a loop of triangles
* around a single origin vertex. However with strips the situation is
* more complicated, and we need a general tracking method like the
* one here.
*/
private fun Marked(f: GLUface): Boolean {
return !f.inside || f.marked
}
private fun AddToTrail(
f: GLUface,
t: GLUface?
): GLUface {
f.trail = t
f.marked = true
return f
}
private fun FreeTrail(t: GLUface?) {
var t: GLUface? = t
if (true) {
while (t != null) {
t.marked = false
t = t.trail
}
} else {
/* absorb trailing semicolon */
}
}
private fun MaximumFan(eOrig: GLUhalfEdge): FaceCount {
/* eOrig.Lface is the face we want to render. We want to find the size
* of a maximal fan around eOrig.Org. To do this we just walk around
* the origin vertex as far as possible in both directions.
*/
val newFace = FaceCount(0, null, renderFan)
var trail: GLUface? = null
var e: GLUhalfEdge
e = eOrig
while (!Marked(e.Lface!!)) {
trail = AddToTrail(e.Lface!!, trail)
++newFace.size
e = e.Onext!!
}
e = eOrig
while (!Marked(e.Sym!!.Lface!!)) {
trail = AddToTrail(e.Sym!!.Lface!!, trail)
++newFace.size
e = e.Sym!!.Lnext!!
}
newFace.eStart = e
FreeTrail(trail)
return newFace
}
private fun IsEven(n: Long): Boolean {
return n and 0x1L == 0L
}
private fun MaximumStrip(eOrig: GLUhalfEdge): FaceCount {
/* Here we are looking for a maximal strip that contains the vertices
* eOrig.Org, eOrig.Dst, eOrig.Lnext.Dst (in that order or the
* reverse, such that all triangles are oriented CCW).
*
* Again we walk forward and backward as far as possible. However for
* strips there is a twist: to get CCW orientations, there must be
* an *even* number of triangles in the strip on one side of eOrig.
* We walk the strip starting on a side with an even number of triangles;
* if both side have an odd number, we are forced to shorten one side.
*/
val newFace = FaceCount(0, null, renderStrip)
var headSize: Long = 0
var tailSize: Long = 0
var trail: GLUface? = null
var e: GLUhalfEdge
val eTail: GLUhalfEdge
val eHead: GLUhalfEdge
e = eOrig
while (!Marked(e.Lface!!)) {
trail = AddToTrail(e.Lface!!, trail)
++tailSize
e = e.Lnext!!.Sym!!
if (Marked(e.Lface!!)) break
trail = AddToTrail(e.Lface!!, trail)
++tailSize
e = e.Onext!!
}
eTail = e
e = eOrig
while (!Marked(e.Sym!!.Lface!!)) {
trail = AddToTrail(e.Sym!!.Lface!!, trail)
++headSize
e = e.Sym!!.Lnext!!
if (Marked(e.Sym!!.Lface!!)) break
trail = AddToTrail(e.Sym!!.Lface!!, trail)
++headSize
e = e.Sym!!.Onext!!.Sym!!
}
eHead = e
newFace.size = tailSize + headSize
if (IsEven(tailSize)) {
newFace.eStart = eTail.Sym
} else if (IsEven(headSize)) {
newFace.eStart = eHead
} else {
/* Both sides have odd length, we must shorten one of them. In fact,
* we must start from eHead to guarantee inclusion of eOrig.Lface.
*/
--newFace.size
newFace.eStart = eHead.Onext
}
/*LINTED*/FreeTrail(trail)
return newFace
}
fun RenderLonelyTriangles(
tess: GLUtessellatorImpl,
f: GLUface?
) {
/* Now we render all the separate triangles which could not be
* grouped into a triangle fan or strip.
*/
var f: GLUface? = f
var e: GLUhalfEdge
var newState: Int
var edgeState = -1 /* force edge state output for first vertex */
tess.callBeginOrBeginData(GLConstants.GL_TRIANGLES)
while (f != null) {
/* Loop once for each edge (there will always be 3 edges) */
e = f.anEdge!!
do {
if (tess.flagBoundary) {
/* Set the "edge state" to true just before we output the
* first vertex of each edge on the polygon boundary.
*/
newState = if (!e.Sym!!.Lface!!.inside) 1 else 0
if (edgeState != newState) {
edgeState = newState
tess.callEdgeFlagOrEdgeFlagData(edgeState != 0)
}
}
tess.callVertexOrVertexData(e.Org!!.data)
e = e.Lnext!!
} while (e !== f.anEdge)
f = f.trail
}
tess.callEndOrEndData()
}
/************************ Boundary contour decomposition */ /* __gl_renderBoundary( tess, mesh ) takes a mesh, and outputs one
* contour for each face marked "inside". The rendering output is
* provided as callbacks (see the api).
*/
fun __gl_renderBoundary(
tess: GLUtessellatorImpl,
mesh: GLUmesh
) {
var f: GLUface
var e: GLUhalfEdge
f = mesh.fHead.next!!
while (f !== mesh.fHead) {
if (f.inside) {
tess.callBeginOrBeginData(GLConstants.GL_LINE_LOOP)
e = f.anEdge!!
do {
tess.callVertexOrVertexData(e.Org!!.data)
e = e.Lnext!!
} while (e !== f.anEdge)
tess.callEndOrEndData()
}
f = f.next!!
}
}
/************************ Quick-and-dirty decomposition */
private const val SIGN_INCONSISTENT = 2
fun ComputeNormal(tess: GLUtessellatorImpl, norm: DoubleArray, check: Boolean): Int /*
* If check==false, we compute the polygon normal and place it in norm[].
* If check==true, we check that each triangle in the fan from v0 has a
* consistent orientation with respect to norm[]. If triangles are
* consistently oriented CCW, return 1; if CW, return -1; if all triangles
* are degenerate return 0; otherwise (no consistent orientation) return
* SIGN_INCONSISTENT.
*/ {
val v: Array<CachedVertex> = tess.cache as Array<CachedVertex>
// CachedVertex vn = v0 + tess.cacheCount;
val vn: Int = tess.cacheCount
// CachedVertex vc;
var vc: Int
var dot: Double
var xc: Double
var yc: Double
var zc: Double
var xp: Double
var yp: Double
var zp: Double
val n = DoubleArray(3)
var sign = 0
/* Find the polygon normal. It is important to get a reasonable
* normal even when the polygon is self-intersecting (eg. a bowtie).
* Otherwise, the computed normal could be very tiny, but perpendicular
* to the true plane of the polygon due to numerical noise. Then all
* the triangles would appear to be degenerate and we would incorrectly
* decompose the polygon as a fan (or simply not render it at all).
*
* We use a sum-of-triangles normal algorithm rather than the more
* efficient sum-of-trapezoids method (used in CheckOrientation()
* in normal.c). This lets us explicitly reverse the signed area
* of some triangles to get a reasonable normal in the self-intersecting
* case.
*/if (!check) {
norm[2] = 0.0
norm[1] = norm[2]
norm[0] = norm[1]
}
vc = 1
xc = v[vc].coords.get(0) - v[0].coords.get(0)
yc = v[vc].coords.get(1) - v[0].coords.get(1)
zc = v[vc].coords.get(2) - v[0].coords.get(2)
while (++vc < vn) {
xp = xc
yp = yc
zp = zc
xc = v[vc].coords.get(0) - v[0].coords.get(0)
yc = v[vc].coords.get(1) - v[0].coords.get(1)
zc = v[vc].coords.get(2) - v[0].coords.get(2)
/* Compute (vp - v0) cross (vc - v0) */n[0] = yp * zc - zp * yc
n[1] = zp * xc - xp * zc
n[2] = xp * yc - yp * xc
dot = n[0] * norm[0] + n[1] * norm[1] + n[2] * norm[2]
if (!check) {
/* Reverse the contribution of back-facing triangles to get
* a reasonable normal for self-intersecting polygons (see above)
*/
if (dot >= 0) {
norm[0] += n[0]
norm[1] += n[1]
norm[2] += n[2]
} else {
norm[0] -= n[0]
norm[1] -= n[1]
norm[2] -= n[2]
}
} else if (dot != 0.0) {
/* Check the new orientation for consistency with previous triangles */
sign = if (dot > 0) {
if (sign < 0) return SIGN_INCONSISTENT
1
} else {
if (sign > 0) return SIGN_INCONSISTENT
-1
}
}
}
return sign
}
/* __gl_renderCache( tess ) takes a single contour and tries to render it
* as a triangle fan. This handles convex polygons, as well as some
* non-convex polygons if we get lucky.
*
* Returns true if the polygon was successfully rendered. The rendering
* output is provided as callbacks (see the api).
*/
fun __gl_renderCache(tess: GLUtessellatorImpl): Boolean {
val v: Array<CachedVertex> = tess.cache as Array<CachedVertex>
// CachedVertex vn = v0 + tess.cacheCount;
val vn: Int = tess.cacheCount
// CachedVertex vc;
var vc: Int
val norm = DoubleArray(3)
val sign: Int
if (tess.cacheCount < 3) {
/* Degenerate contour -- no output */
return true
}
norm[0] = tess.normal.get(0)
norm[1] = tess.normal.get(1)
norm[2] = tess.normal.get(2)
if (norm[0] == 0.0 && norm[1] == 0.0 && norm[2] == 0.0) {
ComputeNormal(tess, norm, false)
}
sign = ComputeNormal(tess, norm, true)
if (sign == SIGN_INCONSISTENT) {
/* Fan triangles did not have a consistent orientation */
return false
}
if (sign == 0) {
/* All triangles were degenerate */
return true
}
return if (!USE_OPTIMIZED_CODE_PATH) {
false
} else {
/* Make sure we do the right thing for each winding rule */
when (tess.windingRule) {
GLU.GLU_TESS_WINDING_ODD, GLU.GLU_TESS_WINDING_NONZERO -> {}
GLU.GLU_TESS_WINDING_POSITIVE -> if (sign < 0) return true
GLU.GLU_TESS_WINDING_NEGATIVE -> if (sign > 0) return true
GLU.GLU_TESS_WINDING_ABS_GEQ_TWO -> return true
}
tess.callBeginOrBeginData(if (tess.boundaryOnly) GLConstants.GL_LINE_LOOP else if (tess.cacheCount > 3) GLConstants.GL_TRIANGLE_FAN else GLConstants.GL_TRIANGLES)
tess.callVertexOrVertexData(v[0].data)
if (sign > 0) {
vc = 1
while (vc < vn) {
tess.callVertexOrVertexData(v[vc].data)
++vc
}
} else {
vc = vn - 1
while (vc > 0) {
tess.callVertexOrVertexData(v[vc].data)
--vc
}
}
tess.callEndOrEndData()
true
}
}
/* This structure remembers the information we need about a primitive
* to be able to render it later, once we have determined which
* primitive is able to use the most triangles.
*/
private class FaceCount {
constructor() {}
constructor(size: Long, eStart: GLUhalfEdge?, render: renderCallBack) {
this.size = size
this.eStart = eStart
this.render = render
}
var size /* number of triangles used */: Long = 0
var eStart /* edge where this primitive starts */: GLUhalfEdge? = null
var render: renderCallBack? = null
}
private interface renderCallBack {
fun render(
tess: GLUtessellatorImpl,
e: GLUhalfEdge,
size: Long
)
}
private class RenderTriangle : renderCallBack {
override fun render(
tess: GLUtessellatorImpl,
e: GLUhalfEdge,
size: Long
) {
/* Just add the triangle to a triangle list, so we can render all
* the separate triangles at once.
*/
require(size == 1L)
tess.lonelyTriList = AddToTrail(e.Lface!!, tess.lonelyTriList!!)
}
}
private class RenderFan : renderCallBack {
override fun render(
tess: GLUtessellatorImpl,
e: GLUhalfEdge,
size: Long
) {
/* Render as many CCW triangles as possible in a fan starting from
* edge "e". The fan *should* contain exactly "size" triangles
* (otherwise we've goofed up somewhere).
*/
var e: GLUhalfEdge = e
var size = size
tess.callBeginOrBeginData(GLConstants.GL_TRIANGLE_FAN)
tess.callVertexOrVertexData(e.Org!!.data)
tess.callVertexOrVertexData(e.Sym!!.Org!!.data)
while (!Marked(e.Lface!!)) {
e.Lface!!.marked = true
--size
e = e.Onext!!
tess.callVertexOrVertexData(e.Sym!!.Org!!.data)
}
require(size == 0L)
tess.callEndOrEndData()
}
}
private class RenderStrip : renderCallBack {
override fun render(
tess: GLUtessellatorImpl,
e: GLUhalfEdge,
size: Long
) {
/* Render as many CCW triangles as possible in a strip starting from
* edge "e". The strip *should* contain exactly "size" triangles
* (otherwise we've goofed up somewhere).
*/
var e: GLUhalfEdge = e
var size = size
tess.callBeginOrBeginData(GLConstants.GL_TRIANGLE_STRIP)
tess.callVertexOrVertexData(e.Org!!.data)
tess.callVertexOrVertexData(e.Sym!!.Org!!.data)
while (!Marked(e.Lface!!)) {
e.Lface!!.marked = true
--size
e = e.Lnext!!.Sym!!
tess.callVertexOrVertexData(e.Org!!.data)
if (Marked(e.Lface!!)) break
e.Lface!!.marked = true
--size
e = e.Onext!!
tess.callVertexOrVertexData(e.Sym!!.Org!!.data)
}
require(size == 0L)
tess.callEndOrEndData()
}
}
}
| 36.042553 | 174 | 0.525008 |
5e3dc344756c7ea5f98e9d9c273bfb8bd13f0c93 | 8,299 | swift | Swift | Waller/Waller/WalletFunctions/MMSlidingButton.swift | vinzaceto/madeInChain | ce09030a12e990ee17b48a1b90e8eff6ab51e16c | [
"Apache-2.0"
] | 5 | 2018-04-10T21:27:40.000Z | 2019-07-29T13:01:52.000Z | Waller/Waller/WalletFunctions/MMSlidingButton.swift | vinzaceto/madeInChain | ce09030a12e990ee17b48a1b90e8eff6ab51e16c | [
"Apache-2.0"
] | null | null | null | Waller/Waller/WalletFunctions/MMSlidingButton.swift | vinzaceto/madeInChain | ce09030a12e990ee17b48a1b90e8eff6ab51e16c | [
"Apache-2.0"
] | null | null | null | //
// MMSlidingButton.swift
// Waller
//
// Created by Vincenzo Aceto on 16/02/2018.
// Copyright © 2018 madeinchain. All rights reserved.
//
import Foundation
import UIKit
protocol SlideButtonDelegate{
func buttonStatus(unlocked: Bool, sender:MMSlidingButton)
}
@IBDesignable class MMSlidingButton: UIView{
var delegate: SlideButtonDelegate?
@IBInspectable var dragPointWidth: CGFloat = 70 {
didSet{
setStyle()
}
}
@IBInspectable var dragPointColor: UIColor = UIColor.darkGray {
didSet{
setStyle()
}
}
@IBInspectable var buttonColor: UIColor = UIColor.gray {
didSet{
setStyle()
}
}
@IBInspectable var buttonText: String = "UNLOCK" {
didSet{
setStyle()
}
}
@IBInspectable var imageName: UIImage = UIImage() {
didSet{
setStyle()
}
}
@IBInspectable var buttonTextColor: UIColor = UIColor.white {
didSet{
setStyle()
}
}
@IBInspectable var dragPointTextColor: UIColor = UIColor.white {
didSet{
setStyle()
}
}
@IBInspectable var buttonUnlockedTextColor: UIColor = UIColor.white {
didSet{
setStyle()
}
}
@IBInspectable var buttonCornerRadius: CGFloat = 30 {
didSet{
setStyle()
}
}
@IBInspectable var buttonUnlockedText: String = "UNLOCKED"
@IBInspectable var buttonUnlockedColor: UIColor = UIColor.black
var buttonFont = UIFont.boldSystemFont(ofSize: 17)
var dragPoint = UIView()
var buttonLabel = UILabel()
var dragPointButtonLabel = UILabel()
var imageView = UIImageView()
var unlocked = false
var layoutSet = false
override init (frame : CGRect) {
super.init(frame : frame)
}
required init(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)!
}
override func layoutSubviews() {
if !layoutSet{
self.setUpButton()
self.layoutSet = true
}
}
func setStyle(){
self.buttonLabel.text = self.buttonText
self.dragPointButtonLabel.text = self.buttonText
self.dragPoint.frame.size.width = self.dragPointWidth
self.dragPoint.backgroundColor = self.dragPointColor
self.backgroundColor = self.buttonColor
self.imageView.image = imageName
self.buttonLabel.textColor = self.buttonTextColor
self.dragPointButtonLabel.textColor = self.dragPointTextColor
self.dragPoint.layer.cornerRadius = buttonCornerRadius
self.layer.cornerRadius = buttonCornerRadius
}
func setUpButton(){
self.backgroundColor = self.buttonColor
self.dragPoint = UIView(frame: CGRect(x: dragPointWidth - self.frame.size.width, y: 0, width: self.frame.size.width, height: self.frame.size.height))
self.dragPoint.backgroundColor = dragPointColor
self.dragPoint.layer.cornerRadius = buttonCornerRadius
self.addSubview(self.dragPoint)
if !self.buttonText.isEmpty{
self.buttonLabel = UILabel(frame: CGRect(x: 0, y: 0, width: self.frame.size.width, height: self.frame.size.height))
self.buttonLabel.textAlignment = .center
self.buttonLabel.text = buttonText
self.buttonLabel.textColor = UIColor.white
self.buttonLabel.font = self.buttonFont
self.buttonLabel.textColor = self.buttonTextColor
self.addSubview(self.buttonLabel)
self.dragPointButtonLabel = UILabel(frame: CGRect(x: 0, y: 0, width: self.frame.size.width, height: self.frame.size.height))
self.dragPointButtonLabel.textAlignment = .center
self.dragPointButtonLabel.text = buttonText
self.dragPointButtonLabel.textColor = UIColor.white
self.dragPointButtonLabel.font = self.buttonFont
self.dragPointButtonLabel.textColor = self.dragPointTextColor
self.dragPoint.addSubview(self.dragPointButtonLabel)
}
self.bringSubview(toFront: self.dragPoint)
if self.imageName != UIImage(){
self.imageView = UIImageView(frame: CGRect(x: self.frame.size.width - dragPointWidth, y: 0, width: self.dragPointWidth, height: self.frame.size.height))
self.imageView.contentMode = .center
self.imageView.image = self.imageName
self.dragPoint.addSubview(self.imageView)
}
self.layer.masksToBounds = true
// start detecting pan gesture
let panGestureRecognizer = UIPanGestureRecognizer(target: self, action: #selector(self.panDetected(sender:)))
panGestureRecognizer.minimumNumberOfTouches = 1
self.dragPoint.addGestureRecognizer(panGestureRecognizer)
}
@objc func panDetected(sender: UIPanGestureRecognizer){
var translatedPoint = sender.translation(in: self)
translatedPoint = CGPoint(x: translatedPoint.x, y: self.frame.size.height / 2)
sender.view?.frame.origin.x = (dragPointWidth - self.frame.size.width) + translatedPoint.x
if sender.state == .ended{
let velocityX = sender.velocity(in: self).x * 0.2
var finalX = translatedPoint.x + velocityX
if finalX < 0{
finalX = 0
}else if finalX + self.dragPointWidth > (self.frame.size.width - 60){
unlocked = true
self.unlock()
}
let animationDuration:Double = abs(Double(velocityX) * 0.0002) + 0.2
UIView.transition(with: self, duration: animationDuration, options: UIViewAnimationOptions.curveEaseOut, animations: {
}, completion: { (Status) in
if Status{
self.animationFinished()
}
})
}
}
func animationFinished(){
if !unlocked{
self.reset()
}
}
//lock button animation (SUCCESS)
func unlock(){
UIView.transition(with: self, duration: 0.2, options: .curveEaseOut, animations: {
self.dragPoint.frame = CGRect(x: self.frame.size.width - self.dragPoint.frame.size.width, y: 0, width: self.dragPoint.frame.size.width, height: self.dragPoint.frame.size.height)
}) { (Status) in
if Status{
self.dragPointButtonLabel.text = self.buttonUnlockedText
self.imageView.isHidden = true
self.dragPoint.backgroundColor = self.buttonUnlockedColor
self.dragPointButtonLabel.textColor = self.buttonUnlockedTextColor
guard let _ = self.delegate?.buttonStatus(unlocked: true, sender: self)
else {
return
}
}
}
}
//reset button animation (RESET)
func reset(){
UIView.transition(with: self, duration: 0.2, options: .curveEaseOut, animations: {
self.dragPoint.frame = CGRect(x: self.dragPointWidth - self.frame.size.width, y: 0, width: self.dragPoint.frame.size.width, height: self.dragPoint.frame.size.height)
}) { (Status) in
if Status{
self.dragPointButtonLabel.text = self.buttonText
self.imageView.isHidden = false
self.dragPoint.backgroundColor = self.dragPointColor
self.dragPointButtonLabel.textColor = self.dragPointTextColor
self.unlocked = false
guard let _ = self.delegate?.buttonStatus(unlocked: false, sender: self)
else {
return
}
}
}
}
}
| 36.559471 | 189 | 0.573925 |
3b94c0532e18991e3b3d8dea71a060ccfd943c8d | 1,284 | h | C | src/afm-db.h | tonyho/app-framework-main | cdcf4b4caa5d02a626c2e7075126e395a72f58a0 | [
"Apache-2.0"
] | null | null | null | src/afm-db.h | tonyho/app-framework-main | cdcf4b4caa5d02a626c2e7075126e395a72f58a0 | [
"Apache-2.0"
] | null | null | null | src/afm-db.h | tonyho/app-framework-main | cdcf4b4caa5d02a626c2e7075126e395a72f58a0 | [
"Apache-2.0"
] | null | null | null | /*
Copyright 2015, 2016 IoT.bzh
author: José Bollo <jose.bollo@iot.bzh>
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.
*/
struct afm_db;
extern struct afm_db *afm_db_create();
extern void afm_db_addref(struct afm_db *afdb);
extern void afm_db_unref(struct afm_db *afdb);
extern int afm_db_add_root(struct afm_db *afdb, const char *path);
extern int afm_db_add_application(struct afm_db *afdb, const char *path);
extern int afm_db_update_applications(struct afm_db *afdb);
extern int afm_db_ensure_applications(struct afm_db *afdb);
extern struct json_object *afm_db_application_list(struct afm_db *afdb);
extern struct json_object *afm_db_get_application(struct afm_db *afdb, const char *id);
extern struct json_object *afm_db_get_application_public(struct afm_db *afdb, const char *id);
| 36.685714 | 94 | 0.792056 |
7157ad78942b9c3a7437618da2cd9c7f743f8c69 | 301 | ts | TypeScript | src/app/models/enums/shiftday.enums.ts | datmaAtmanEuler/VietGoal2 | e5eea52ca401ed963e95dcd592a4e2750c4fff95 | [
"MIT"
] | null | null | null | src/app/models/enums/shiftday.enums.ts | datmaAtmanEuler/VietGoal2 | e5eea52ca401ed963e95dcd592a4e2750c4fff95 | [
"MIT"
] | 6 | 2021-09-02T06:13:54.000Z | 2022-03-02T07:16:56.000Z | src/app/models/enums/shiftday.enums.ts | datmaAtmanEuler/VietGoal2 | e5eea52ca401ed963e95dcd592a4e2750c4fff95 | [
"MIT"
] | null | null | null | export enum ShiftDay {
'MORNING' = 1,
'AFTERNOON' = 2,
'EVENING' = 3
}
export function ShiftDayToList(): ShiftDay[] {
return [ShiftDay.MORNING, ShiftDay.AFTERNOON, ShiftDay.EVENING];
}
export function ShiftDayToListName(): string[] {
return ['MORNING', 'AFTERNOON', 'EVENING'];
} | 23.153846 | 68 | 0.664452 |
a9ccbdb14efc71a1eb9b650fccbaa86baa2f8151 | 47,940 | html | HTML | datafiles/CaseAnalysis/2010/2010_I_23.html | athityakumar/harvey | 3102656e4adeb939217e9eb5b85e002a2fc84136 | [
"MIT"
] | 2 | 2019-02-08T22:24:41.000Z | 2022-02-16T11:59:52.000Z | datafiles/CaseAnalysis/2010/2010_I_23.html | athityakumar/harvey | 3102656e4adeb939217e9eb5b85e002a2fc84136 | [
"MIT"
] | 11 | 2019-02-05T11:53:05.000Z | 2019-03-05T15:57:19.000Z | datafiles/CaseAnalysis/2010/2010_I_23.html | athityakumar/harvey | 3102656e4adeb939217e9eb5b85e002a2fc84136 | [
"MIT"
] | 3 | 2019-03-02T15:09:35.000Z | 2022-01-25T07:01:03.000Z | <!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01//EN" "http://www.w3.org/TR/html4/strict.dtd"><html xmlns="http://www.w3.org/1999/xhtml" class="pinned"><head><meta http-equiv="Content-Type" content="text/html; charset=UTF-8" /><title>Indowind Energy Limited v Wescare (India) Limited and Another | Westlaw India</title><!--
Copyright 2010 Thomson Reuters Global Resources AG. All Rights Reserved.
Proprietary and Confidential information of TRGR.
Disclosure, Use or Reproduction without the written authorization of TRGR is prohibited.
--><meta content="text/html; charset=UTF-8" http-equiv="Content-Type" /><meta content="en-gb" http-equiv="Content-Language" /><link type="image/x-icon" rel="shortcut icon" href="/wlin/favicon.ico" /><link type="text/css" rel="stylesheet" href="/wlin/css/base.css?14-3-11" /><link type="text/css" rel="stylesheet" href="/wlin/css/token-input-india.css?14-3-11" /><link type="text/css" rel="stylesheet" href="/wlin/css/minimal.css?14-3-11" /><link type="text/css" rel="stylesheet" href="/wlin/css/jquery.selectBox.css?14-3-11" /><link type="text/css" rel="stylesheet" href="/wlin/css/jquery-ui.css?14-3-11" /><style media="screen, print" type="text/css">
@import "/wlin/css/advanced.css?14-3-11";
</style>
<!--[if lte IE 6]>
<link href="/wlin/css/ie.css?14-3-11" type="text/css" rel="stylesheet"><script type="text/javascript">
try {document.execCommand("BackgroundImageCache", false, true);}
catch(e) {}
</script>
<![endif]-->
<!--[if IE 7]>
<link href="/wlin/css/ie7.css?14-3-11" type="text/css" rel="stylesheet">
<![endif]-->
<!--[if IE 8]>
<link href="/wlin/css/ie8.css?14-3-11" type="text/css" rel="stylesheet">
<![endif]-->
<script type="text/javascript" src="/wlin/js/jquery.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/jquery.dimensions.pack.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/jquery.cookie.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/jquery.dimensions.pack.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/rspace/jqueryui.js">//</script><script type="text/javascript" src="/wlin/js/jsTree/jquery.jstree.js">//</script><script type="text/javascript" src="/wlin/js/jqueryforms/jquery.forms.js">//</script><script type="text/javascript" src="/wlin/js/blockUI/jquery.blockUI.js">//</script><script type="text/javascript" src="/wlin/js/jquerycookie/jquery.cookie.js">//</script><script type="text/javascript" src="/wlin/js/jquery.scrollTo/jquery.scrollTo-min.1.4.2.js">//</script><link type="text/css" rel="stylesheet" href="/wlin/css/jqueryui/jquery-ui.css" /><link href="/wlin/css/rspace/rspace.css" type="text/css" rel="stylesheet" /><link href="/wlin/css/rspace/rspace.growl.css" type="text/css" rel="stylesheet" /><script type="text/javascript" src="/wlin/js/jquery-ui.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/jquery.icheck.min.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/jquery.selectBox.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/jqmodal.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/classes/UpdateNoteProcessor-bk.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/classes/InlineImageProcessor.js?14-3-11">//</script><script type="text/javascript">
var brand="wlin";
var iip = new InlineImageProcessor("TABULAR OR GRAPHIC MATERIAL SET FORTH AT THIS POINT IS NOT DISPLAYABLE");
$(window).load(iip.init);
jQuery.curCSS = jQuery.css;
</script>
<!--[if IE 7]>
<script type="text/javascript" src="/wlin/js/ie7.js?14-3-11">//</script>
<![endif]-->
<link type="text/css" rel="stylesheet" href="/wlin/css/document.css?14-3-11" /><link type="text/css" rel="stylesheet" href="/wlin/css/document-plus.css?14-3-11" /><script type="text/javascript" src="/wlin/js/general.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/jquery.icheck.min.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/timeout.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/jquery.timers-1.2.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/jquery.selectBox.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/classes/FootnoteViewer.js?14-3-11">//</script><script type="text/javascript" src="/wlin/js/classes/InlineDocLoader.js?14-3-11">//</script><link type="text/css" rel="stylesheet" href="/wlin/css/jqueryui/jquery-ui.css" /><!--[if lte IE 7]><link type="text/css" rel="stylesheet" href="/wlin/css/rspace/ie67.css"><![endif]--><script type="text/javascript" src="/wlin/js/maf.js">//</script><script type="text/javascript" src="/maf/wlin/app/folders/scripts/rspace_params_constants.js?no-context=true">//</script><script type="text/javascript" src="/wlin/js/rspace/btree.js">//</script><script type="text/javascript" src="/wlin/js/rspace/rspace.growl.js">//</script><script type="text/javascript" src="/wlin/js/rspace/rspace.js">//</script><script type="text/javascript" src="/wlin/js/rspace/rspace_init.js">//</script><script type="text/javascript" src="/wlin/js/rspace/search_results.js">//</script><script type="text/javascript" src="/wlin/js/lazyload-min.js">//</script><script type="text/javascript" src="/wlin/js/rspace/doc_view.js">//</script><script type="text/javascript">
var isRSActions = true;
</script><script type="text/javascript" src="/wlin/js/rspace/doc_view_init.js">//</script><script type="text/javascript" src="/wlin/js/document.js?14-3-11">//</script>
<!--[if IE 7]>
<script type="text/javascript" src="/wlin/js/ie7.js?14-3-11">//</script>
<![endif]-->
<style type="text/css">.jstree ul, .jstree li { display:block; margin:0 0 0 0; padding:0 0 0 0; list-style-type:none; } .jstree li { display:block; min-height:18px; line-height:18px; white-space:nowrap; margin-left:18px; } .jstree-rtl li { margin-left:0; margin-right:18px; } .jstree > ul > li { margin-left:0px; } .jstree-rtl > ul > li { margin-right:0px; } .jstree ins { display:inline-block; text-decoration:none; width:18px; height:18px; margin:0 0 0 0; padding:0; } .jstree a { display:inline-block; line-height:16px; height:16px; color:black; white-space:nowrap; text-decoration:none; padding:1px 2px; margin:0; } .jstree a:focus { outline: none; } .jstree a > ins { height:16px; width:16px; } .jstree a > .jstree-icon { margin-right:3px; } .jstree-rtl a > .jstree-icon { margin-left:3px; margin-right:0; } li.jstree-open > ul { display:block; } li.jstree-closed > ul { display:none; } </style><style type="text/css">#vakata-dragged { display:block; margin:0 0 0 0; padding:4px 4px 4px 24px; position:absolute; top:-2000px; line-height:16px; z-index:10000; } </style><style type="text/css">#vakata-dragged ins { display:block; text-decoration:none; width:16px; height:16px; margin:0 0 0 0; padding:0; position:absolute; top:4px; left:4px; } #vakata-dragged .jstree-ok { background:green; } #vakata-dragged .jstree-invalid { background:red; } #jstree-marker { padding:0; margin:0; line-height:12px; font-size:1px; overflow:hidden; height:12px; width:8px; position:absolute; top:-30px; z-index:10000; background-repeat:no-repeat; display:none; background-color:silver; } </style><style type="text/css">#vakata-contextmenu { display:none; position:absolute; margin:0; padding:0; min-width:180px; background:#ebebeb; border:1px solid silver; z-index:10000; *width:180px; } #vakata-contextmenu ul { min-width:180px; *width:180px; } #vakata-contextmenu ul, #vakata-contextmenu li { margin:0; padding:0; list-style-type:none; display:block; } #vakata-contextmenu li { line-height:20px; min-height:20px; position:relative; padding:0px; } #vakata-contextmenu li a { padding:1px 6px; line-height:17px; display:block; text-decoration:none; margin:1px 1px 0 1px; } #vakata-contextmenu li ins { float:left; width:16px; height:16px; text-decoration:none; margin-right:2px; } #vakata-contextmenu li a:hover, #vakata-contextmenu li.vakata-hover > a { background:gray; color:white; } #vakata-contextmenu li ul { display:none; position:absolute; top:-2px; left:100%; background:#ebebeb; border:1px solid gray; } #vakata-contextmenu .right { right:100%; left:auto; } #vakata-contextmenu .bottom { bottom:-1px; top:auto; } #vakata-contextmenu li.vakata-separator { min-height:0; height:1px; line-height:1px; font-size:1px; overflow:hidden; margin:0 2px; background:silver; /* border-top:1px solid #fefefe; */ padding:0; } </style><style type="text/css">.jstree .ui-icon { overflow:visible; } .jstree a { padding:0 2px; }</style></head><body class="pinned"><script type="text/javascript">
if(wluk.doc!=null){
wluk.doc.setPinState();
}
</script><div class="hide"><a accesskey="s" href="#container" title="Skip Navigation">Skip Navigation</a></div><div id="mainNav"><p class="bold">Let us know what you think about the new Westlaw India. <a href="mailto:feedback@westlawindia.com">Site Feedback</a></p><div id="globNav"><ul id="navLinksAthens"><li id="navWli"><a href="/maf/wlin/api/sourceLink/signon" class="externalLink" title="International Materials - This link will open in a new window">International Materials</a></li><li id="navTools"><a class="navMenuLink" id="toolsLink" href="/maf/wlin/app/preferences?crumb-action=reset&crumb-label=Services,%20Settings%20%26%20Tools">Settings & Tools</a><ul class="navMenu" id="toolsMenu" style="display: none;"><li><a href="/maf/wlin/app/authentication/clientid/change?crumb-action=reset&crumb-label=Change%20Client%20ID&linktype=menuitem&context=4651">Change Client ID</a></li><li><a href="/maf/wlin/app/preferences/change?crumb-action=reset&crumb-label=Options%20%26%20Preferences&linktype=menuitem&context=4651">Options</a></li></ul></li><li id="navHelp"><a href="/maf/wlin/app/help?docguid=I0ade985e000001259243de65c2f671e0&crumb-label=Westlaw%20India%20Help&crumb-action=reset&linktype=menuitem&context=4651" accesskey="h" title="Help | access key: h">Help</a></li><li class="lastLink" id="navSignoff"><a id="signoffLink" href="/maf/wlin/app/authentication/signoff?" accesskey="l" title="Log Out | access key: l">Log Out</a></li></ul></div><ul class="wlin" id="serviceTabs"><li><a href="/maf/wlin/app/tocectory?sttype=stdtemplate&stnew=true" accesskey="1" title="Home | access key: 1" id="tabHome">Home</a></li><li><a href="/maf/wlin/app/tocectory?sttype=stdtemplate&stnew=true&ao=o.IC0236E00251211DE8352005056C00008&ndd=1&linktype=tab&context=4651" accesskey="2" title="Cases | access key: 2" id="tabCases" class="selected">Cases</a></li><li><a href="/maf/wlin/app/tocectory?sttype=stdtemplate&stnew=true&ao=o.IC057C470251211DE80C6005056C00008&ndd=2&linktype=tab&context=4651" accesskey="3" title="Legislation | access key: 3" id="tabLegislation">Legislation</a></li><li><a href="/maf/wlin/app/tocectory?sttype=stdtemplate&stnew=true&ao=o.IF5851F70BC5111E0BDDCF06BF48BF15F&ndd=2&linktype=tab&context=4651" accesskey="4" title="Journals | access key: 4" id="tabJournals">Journals</a></li><li><a href="/maf/wlin/app/tocectory?sttype=stdtemplate&stnew=true&ao=o.I6E0509FF62C94CA89C4072C7C69A53E0&ndd=2&linktype=tab&context=4651" accesskey="5" title="Forms & Reports | access key: 5" id="tabFR">Forms & Reports</a></li><li><a href="/maf/wlin/app/tocectory?sttype=stdtemplate&stnew=true&ao=o.IC0E35E01251211DE8352005056C00008&ndd=2&linktype=tab&context=4651" accesskey="6" title="Current Awareness | access key: 6" id="tabCA">Current Awareness</a></li><li><a href="/maf/wlin/app/tocectory?sttype=stdtemplate&stnew=true&ao=o.I591A72C0609611DEB19400123FC97614&ndd=2&linktype=tab&context=4651" accesskey="7" title="UK Materials | access key: 7" id="tabUKMaterials">UK Materials</a></li><li><a href="/maf/wlin/app/tocectory?sttype=stdtemplate&stnew=true&ao=o.ICBD2DB1CD4F04329BB3D6FED02A00000&ndd=2&linktype=tab&context=4651" accesskey="8" title="EU Materials | access key: 8" id="tabEUMaterials">EU Materials</a></li></ul></div><div id="container"><div id="sectionTitleSplit"><h1>Cases</h1><ul id="docDeliveryLinks"><li></li><li><a rel="print" class="deliveryLink" href="/maf/wlin/app/delivery/document?docguid=I88A886C0585311DFA269C2ECD8A7251D&srguid=&crumb-action=append&crumb-label=Delivery Options&context=4651&altview=&title=&title=&deliveryTarget=print"><img title="Print" alt="print icon" src="/wlin/images/iconPrint.gif" /></a> <a title="Print" rel="print" class="deliveryLink" href="/maf/wlin/app/delivery/document?docguid=I88A886C0585311DFA269C2ECD8A7251D&srguid=&crumb-action=append&crumb-label=Delivery Options&context=4651&altview=&title=&deliveryTarget=print">Print</a></li><li><a rel="save" class="deliveryLink" href="/maf/wlin/app/delivery/document?docguid=I88A886C0585311DFA269C2ECD8A7251D&srguid=&crumb-action=append&crumb-label=Delivery Options&context=4651&altview=&deliveryTarget=save&deliveryFormat="><img title="Save" alt="save icon" src="/wlin/images/iconSave.gif" /></a> <a title="Save" rel="save" class="deliveryLink" href="/maf/wlin/app/delivery/document?docguid=I88A886C0585311DFA269C2ECD8A7251D&srguid=&crumb-action=append&crumb-label=Delivery Options&context=4651&altview=&deliveryTarget=save&deliveryFormat=">Save</a></li><li><a rel="email" class="deliveryLink" href="/maf/wlin/app/delivery/document?docguid=I88A886C0585311DFA269C2ECD8A7251D&srguid=&crumb-action=append&crumb-label=Delivery Options&context=4651&altview=&deliveryTarget=email&deliveryFormat="><img title="E-mail" alt="email icon" src="/wlin/images/iconEmail.gif" /></a> <a title="E-mail" rel="email" class="deliveryLink" href="/maf/wlin/app/delivery/document?docguid=I88A886C0585311DFA269C2ECD8A7251D&srguid=&crumb-action=append&crumb-label=Delivery Options&context=4651&altview=&deliveryTarget=email&deliveryFormat=">E-mail</a></li></ul></div><script type="text/javascript">
var facetsCrumbPost = {};
</script><p id="crumbNav"><a href="/maf/wlin/api/tocectory?tocguid=IBFFAD760251211DEB932005056C00008&ndd=2&stnew=true&context=1">Home</a>
>
<a href="/maf/wlin/api/tocectory?tocguid=IC0236E00251211DE8352005056C00008&ndd=1&sttype=stdtemplate&stnew=true&context=2">Cases</a>
>
<a href="/maf/wlin/api/tocectory?tocguid=I6FDFDCD04A2D11DF96C1A49DA6EE4E28&ndd=2&sttype=stdtemplate&context=3">Supreme Court Judgments</a>
>
<a href="/maf/wlin/api/tocectory?tocguid=IBCEA94E04A3011DF96C1A49DA6EE4E28&ndd=2&sttype=stdtemplate&context=4">Full Text Judgments</a>
>
<a href="/maf/wlin/api/tocectory?tocguid=IEE2DDC024A3111DF96C1A49DA6EE4E28&ndd=1&sttype=stdtemplate&context=4509">By Year: 2010</a>
>
<a href="/maf/wlin/api/tocectory?tocguid=I2F2892224A3E11DF96C1A49DA6EE4E28&ndd=1&sttype=stdtemplate&context=4650">I</a>
>
<span class="currentCrumb">Document</span></p></div><div id="docContainer"><div class="growlContainer" style="display: none;"><div class="growl success"><span class="growlContent">Success!</span></div></div><div id="relInfoWrapper"><div id="docRelatedInfo" style="height: 569px;"><h1>Documents on Westlaw India</h1><p><a href="/maf/wlin/app/document?&src=ri&docguid=I88A886C1585311DFA269C2ECD8A7251D&refer=%2Fmaf%2Fwlin%2Fapp%2Fdocument%3Fdocguid%3DI88A886C0585311DFA269C2ECD8A7251D%26src%3Dtoce%26crumb-action%3Dappend%26context%3D4650&crumb-action=append&context=4651" class="">2010 Indlaw SC 323</a></p><p title="Document Currently Selected" class="selected">Case Analysis</p><p class="subSelected"><a href="#bench">Bench</a></p><p class="subSelected"><a href="#wherereported">Where Reported</a></p><p class="subSelected"><a href="#casedigest">Case Digest</a></p><p class="subSelected"><a href="#history">Appellate History</a></p><p class="subSelected"><a href="#casescited">All Cases Cited</a></p><p class="subSelected"><a href="#casesciting">Cases Citing this Case</a></p><p class="subSelected"><a href="#legiscited">Legislation Cited</a></p></div><div id="recDoc" style="left: 270px; top: 222px; display: none;"><h2>Recent Documents</h2><ol><li class="recDocCases">Indore Municipal Corporation And Another v Dr. Hemalata And Others - <a href="/maf/wlin/app/document?src=toce&docguid=IDEAE9F1079BD11DF953FAA3C23710BE0&crumb-action=append&context=4645">2010 Indlaw SC 447</a></li><li class="recDocCases">Indore Municipal Corporation And Another v Dr. Hemalata And Others - <a href="/maf/wlin/app/document?src=toce&docguid=IDEAE780079BD11DF953FAA3C23710BE0&crumb-action=append&context=4640">Case Analysis</a></li><li class="recDocCases">Indore Development Authority v Mangal Amusement (P) Limited - <a href="/maf/wlin/app/document?src=toce&docguid=I096EE370320D11DF845E90185C180F0D&crumb-action=append&context=4635">2010 Indlaw SC 184</a></li><li class="recDocCases">Indore Development Authority v Mangal Amusement (P) Limited - <a href="/maf/wlin/app/document?src=toce&docguid=I096EBC60320D11DF845E90185C180F0D&crumb-action=append&context=4630">Case Analysis</a></li><li class="recDocCases">Rameshwar Dayal and others v Indian Railway Construction Company Limited and others - <a href="/maf/wlin/app/document?src=toce&docguid=IF919F8B0C05B11DF8A13988ECCD6C640&crumb-action=append&context=4625">2010 Indlaw SC 719</a></li><li class="recDocCases">Rameshwar Dayal and others v Indian Railway Construction Company Limited and others - <a href="/maf/wlin/app/document?src=toce&docguid=IF919D1A1C05B11DF8A13988ECCD6C640&crumb-action=append&context=4620">Case Analysis</a></li><li class="recDocCases">Indian Oil Corporation Limited v Commissioner of Central Excise, Vadodara - <a href="/maf/wlin/app/document?src=toce&docguid=I49CA6E70E15411DF872DA985E55587A5&crumb-action=append&context=4615">2010 Indlaw SC 880</a></li><li class="recDocCases">Indian Oil Corporation Limited v Commissioner of Central Excise, Vadodara - <a href="/maf/wlin/app/document?src=toce&docguid=I49CA4761E15411DF872DA985E55587A5&crumb-action=append&context=4610">Case Analysis</a></li><li class="recDocCases">Moumita Poddar v Indian Oil Corporation Limited and another - <a href="/maf/wlin/app/document?src=toce&docguid=I57EB05D1A4CF11DFB785F7FDF415238E&crumb-action=append&context=4605">2010 Indlaw SC 591</a></li><li class="recDocCases">Moumita Poddar v Indian Oil Corporation Limited and another - <a href="/maf/wlin/app/document?src=toce&docguid=I57EB05D0A4CF11DFB785F7FDF415238E&crumb-action=append&context=4600">Case Analysis</a></li><li class="recDocCases">Indian Institute of Technology, Kanpur v Raja Ram Verma and others - <a href="/maf/wlin/app/document?src=toce&docguid=I0B58B6011D0511E0B5D3A1F8B1FD29B1&crumb-action=append&context=4595">2010 Indlaw SC 1106</a></li></ol></div></div><div id="docHeader"><p id="docNavigation"><span title="Pin" class="on rspaceBarWrap" id="viewLinks"> <span id="fontSizeControls"><span id="fontUp"><img src="/maf/static/images/document/fontUp.png" title="Increase Font Size" /></span><span id="fontDown"><img src="/maf/static/images/document/fontDown.png" title="Reduce Font Size" /></span></span><span class="groupInner"><strong id="pinType">Scroll: </strong><span id="docPin" title="Scroll document text only (fixed navigation)">Document</span><span id="pinSeperator"><span class="inner"> | </span></span><span id="pagePin" title="Scroll entire page" class="active">Page</span></span></span><span id="recDocLink"><!----><a href="#"><img id="recDocIcon" src="/wlin/images/document/recDocOpen.gif" alt="recent documents icon" title="Recent Documents" /></a></span> </p></div><div id="docBody" style="height: 549px;"><p><strong>FOR EDUCATIONAL USE ONLY</strong></p><div class="docContent" style="font-size: 12.8px;"><h1 class="center">Indowind Energy Limited v Wescare (India) Limited and Another</h1><p class="center">Supreme Court of India</p><p class="center">27 April 2010</p><h2 class="center">Case Analysis</h2><div class="locatorSection"><h3 id="bench">Bench</h3><p>R.V. Raveendran, K.S. Panicker Radhakrishnan</p></div><div class="locatorSection"><h3 id="wherereported">Where Reported</h3><p>2010 Indlaw SC 323; (2010) 5 SCC 306; AIR 2010 SC 1793; 2010 (3) AWC 3233; [2011] 164 Comp Cas 261; 2010 (4) CompLJ 442; JT 2010 (4) SC 619; 2010 (6) MLJ(SC) 317; 2010 (3) RCR(Civil) 759; 2010(4) SCALE 395; [2010] 5 S.C.R. 284; 2010 (2) WLN(SC) 72</p></div><div class="locatorSection"><h3 id="casedigest">Case Digest</h3><p><strong>Subject:</strong> Arbitration & ADR; Contract & Commercial</p><p><strong>Summary:</strong> Arbitration & ADR - Contract & Commercial - Arbitration and Conciliation Act, 1996, ss. 9 and 11 - Existence of arbitration agreement - Agreement of sale was entered into between first respondent and second respondent - Second respondent is one of the promoters of appellant - Certain disputes arose between first respondent on the one hand and second respondent and appellant on the other, in respect of the said agreement - First respondent filed petitions u/s. 9 of the Act against second respondent and appellant - Thereafter, first respondent filed a petition u/s. 11(6) of the Act against second respondent and appellant for appointment of a arbitrator to arbitrate upon the disputes between them in respect of agreement - Second respondent resisted the said petition alleging that as the agreement did not contemplate any transaction between first respondent and itself, there was no cause of action nor any arbitrable dispute between them - Appellant resisted the petition on the ground that it was not a party to the agreement - HC allowed the said application and appointed a sole arbitrator - Hence, present appeal - (A) Whether an arbitration clause found in a document (agreement) between two parties, could be considered as a binding arbitration agreement on a person who is not a signatory to the agreement? - Held, a provision for arbitration to constitute an arbitration agreement for the purpose of s. 7 of the Act should satisfy two conditions: (i) it should be between the parties to the dispute; and (ii) it should relate to or be applicable to the dispute - In the absence of any document signed by the parties as contemplated u/s. 7(4)(a), and in the absence of existence of an arbitration agreement as contemplated in clauses (b) or (c) of s. 7(4) and in the absence of a contract which incorporates the arbitration agreement by reference as contemplated under sub-section (5) of s. 7, the inescapable conclusion is that appellant is not a party to the arbitration agreement - In the absence of an arbitration agreement between first respondent and appellant, no claim against appellant or no dispute with appellant can be the subject-matter of reference to an arbitrator - (B) Whether a company could be said to be a party to a contract containing an arbitration agreement, even though it did not sign the agreement containing an arbitration clause, with reference to its subsequent conduct? - Held, an arbitration agreement can come into existence only in the manner contemplated under section 7 - It will not be sufficient for the petitioner in an application u/s. 11 of the Act to show that there existed an oral contract between the parties, or that appellant had transacted with first respondent, or first respondent had performed certain acts with reference to appellant, as proof of arbitration agreement - Therefore, the mere fact that second respondent described appellant as its nominee or as a company promoted by it or that the agreement was purportedly entered by second respondent on behalf of appellant, will not make appellant a party in the absence of a ratification, approval, adoption or confirmation of the agreement by appellant - Order of HC appointing an arbitrator in regard to the claims of first respondent against appellant set aside - Appointment of Arbitrator in so far as second respondent is concerned, is not disturbed - Appeal allowed.</p></div><div class="locatorSection"><h3 id="history">Appellate History</h3><p>Madras High Court<br /><strong>Wescare India Limited, Chennai v (1) Subuthi Finance Limited, Chennai; (2) Indowind Energy Limited, Chennai</strong><br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I896890104A2911DFA3A9EEC3E9E254BC">2008 Indlaw MAD 4510, 2010 (4) CompLJ 456, 2008 (4) CTC 561, 2008 (7) MLJ 1</a></p><p>Supreme Court of India<br /><strong>Indowind Energy Limited v Wescare (India) Limited and Another</strong><br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I88A886C0585311DFA269C2ECD8A7251D">2010 Indlaw SC 323, (2010) 5 SCC 306, AIR 2010 SC 1793, 2010 (3) AWC 3233, [2011] 164 Comp Cas 261, 2010 (4) CompLJ 442, JT 2010 (4) SC 619, 2010 (6) MLJ(SC) 317, 2010 (3) RCR(Civil) 759, 2010(4) SCALE 395, [2010] 5 S.C.R. 284, 2010 (2) WLN(SC) 72</a></p></div><div class="locatorSection"><h3 id="casescited">All Cases Cited</h3><p><strong>Relied On</strong></p><p>FISSER v International Bank<br />1960 (282) F.2d 231</p><p>J.J.Ryan & Sons, Inc. v Rhone Poulene Textile, S.A.<br />(863) F.2d 315</p><p><strong>Referred</strong></p><p><img src="/wlin/images/iconConstBench.gif" title="Constitutional Bench - 5 Judges" /> Economic Transport Organization v Charan Spinning Mills (P) Limited and Another<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I0F25C6E01D9911DF8132AB6870FA9745">2010 Indlaw SC 122, 2010 ACJ 2288, 2010 (3) ALD(SC) 58, 2010 (3) AWC 2551, 2010 (4) Bom.C.R. 599, 2010 (1) CCC 433, 2010 (2) CTC 295, JT 2010 (2) SC 271, 2010 (3) MLJ(SC) 1347, 2010 (2) RCR(Civil) 232, 2010(2) SCALE 427, [2010] 2 S.C.R. 887, 2010 (2) UC 1046</a></p><p>Yogi Agarwal v Inspiration Clothes and U and Others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I08210AF1006E11DFBEF1C9F02835E615">2008 Indlaw SC 1935, (2009) 1 SCC 372, AIR 2009 SC 1098, 2009 (1) AWC 1002, 2010 (4) CompLJ 428, JT 2009 (1) SC 440, 2009 (2) MLJ(SC) 1096, 2009 (2) MPLJ 517, 2008(16) SCALE 221, [2008] 16 S.C.R. 895</a></p><p>National Insurance Co. Ltd. v M/S. Boghara Polyfab Pvt. Ltd.<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I07EE8942006E11DFBEF1C9F02835E615">2008 Indlaw SC 1506, (2009) 1 SCC 267, AIR 2009 SC 170, 2008 (4) AWC 4133, 2009 (4) Bom.C.R. 891, 2008 (4) CTC 854, JT 2008 (10) SC 448, 2008 (8) MLJ(SC) 568, 2008 (152) PLR 709, 2009 (1) RCR(Civil) 109, 2008(12) SCALE 654, [2008] 13 S.C.R. 638</a></p><p><img src="/wlin/images/iconConstBench.gif" title="Constitutional Bench - 6 Judges" /> S.B.P. and Company v Patel Engineering Limited and Anr<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I7D7F46E1006E11DFBEF1C9F02835E615">2005 Indlaw SC 696, (2005) 8 SCC 618, AIR 2006 SC 450, 2006 (1) ALD(SC) 10, 2005 (3) ARBLR 285, 2006 (1) AWC 538, 2006 (1) Bom.C.R. 585, [2005] 128 Comp Cas 465, 2006 (2) CompLJ 7, 2006 (3) G.L.R. 2097, 2006 (1) JhrCR(SC) 190, JT 2005 (9) SC 219, 2006 (1) MLJ(SC) 1, 2005 (4) RCR(Civil) 747, 2006 (2) RLW 1386, 2005(9) SCALE 1, [2005] Supp4 S.C.R. 688</a></p></div><div class="locatorSection"><h3 id="casesciting">Cases Citing this Case</h3><p>IVRCL Limited v Gujarat State Petroleum Corporation Limited and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I8FD879E08CA911E7B8F6F775CD1D36B8">2017 Indlaw GUJ 2221</a></p><p>Starlight Bruchem Limited (Formally Known as Narang Distillery) v State of U. P., through Principal Secretary, Department of Excise and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IC658CFD05FE811E7BE888B98A5C26065">2017 Indlaw ALL 281</a></p><p>Sudhir Gopi v Indira Gandhi National Open University and another<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I7E291E9045E911E7A4EEBF6F20A7D8ED">2017 Indlaw DEL 1505</a></p><p>Banas Sands TTC JV v P. K. S. S. Infrastructure Private Limited and another<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IF16EBA703A0611E7B786F4952BD7A6C2">2017 Indlaw DEL 1249</a></p><p>Adhunik Power and Natural Resources Limited v Central Coalfields Limited, through its Chairman Cum Managing Director and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IBAC0C6D03FA111E7A3A896D42CD99195">2017 Indlaw JHKD 255</a></p><p>Exide Technologies v Exide Industries Limited and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I22655430752311E6BDD5E690987FD12A">2016 Indlaw DEL 3330</a></p><p>JIL - Aquafil (JV), Kolkata v Rajasthan Urban Infrastructure Development Project and another<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ID665310078D211E6BA02F2538A25D0C4">2016 Indlaw RAJ 514</a></p><p>Aryan Associates v Solutions 4 Energy Private Limited<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IFA8FFE31057611E7887BF70247C8F73F">2016 Indlaw GUJ 1884</a></p><p>Esteem Projects Private Limited, Represented by its Director Gurinder Singh S/o Gurcharan Singh, Delhi v Indian Oil Corporation Limited, Assam and another<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I801C0EC07D7B11E5A8E0CC2D2D0555BB">2015 Indlaw GUW 161, AIR 2015 GAU 173, 2015 (6) GauLR 8</a></p><p>Apollo Group Incorporation and others v K. K. Modi Investment and Financial Services Private Limited and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IE80F7F80647111E5906E88B4B1751376">2015 Indlaw DEL 3668, 2015 (222) DLT 338</a></p><p>Power Grid Corporation of (India) Limited v RPG Transmission Limited<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I1C0CF830B60211E5846B89C50334FA84">2015 Indlaw DEL 5525, 2015 (221) DLT 388</a></p><p>Sanjay Gambhir and others v Beekman Helix India Consulting Private Limited<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IC22D81B0087B11E5BA1F8F3D990DE8D3">2015 Indlaw DEL 786</a></p><p>VLS Finance Limited v BMS IT Institute Private Limited and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IE389F760647111E5906E88B4B1751376">2015 Indlaw DEL 3676, 2015 (220) DLT 113</a></p><p>Oil and Natural Gas Corporation Limited, New Delhi and Mumbai v Jindal Drilling and Industries Limited, Mumbai<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I79154170F7CD11E499CA9A8801563A0C">2015 Indlaw MUM 453</a></p><p>Manakamna Food Processing Private Limited and another v State of West Bengal and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I9AA65D00C51411E59589974372959295">2015 Indlaw CAL 1363</a></p><p>Karnataka Neeravari Nigam Limited, Bangalore, Reported by its Company Secretary v Sharan D. Bandi and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IC3B84010A1EE11E7B216BC3271BE980A">2015 Indlaw KAR 9566, 2015 (4) KarLJ 98</a></p><p>Rajesh Aiyar S/o Late Manohar Aiyar and another v Sathya Reddy S/o Late Venkata Swamappa and another<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I387C85D0216011E594D9CD8457CF39E9">2015 Indlaw KAR 3614, 2015 (2) CLT 225, 2015 (2) KarLJ 458</a></p><p>Demerara Distilleries Private Limited and others v Demerara Distilleries Limited<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I7B0E2E30B8F611E4806DAC5CBE2EF49F">2014 Indlaw SC 925, 2015 (1) AWC 207, 2015 (2) CompLJ 39, 2015 (1) RCR(Civil) 425</a></p><p>Aurora Properties and Investments and another v Bombay Slum Redevelopment Corporation Limited and another<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IB65284304ED111E4812893F1A4748A47">2014 Indlaw MUM 1190, 2015(2) ALL MR 333</a></p><p>Brajesh Sharma v Banco Construction<br />2014 Indlaw MPLJ 137</p><p>Brajesh Sharma v Banco Construction<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IEEF34AF0C7D911E4ABEFC13741262AF7">2014 Indlaw MP 1163, 2014 (3) JabLJ 272</a></p><p>Rakesh S. Kathotia and another v Milton Global Limited and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I45818C40029811E4A954BCC7131261AB">2014 Indlaw MUM 678, 2014 (4) Bom.C.R. 512</a></p><p>Synergy Ispat Private Limited v Orissa Manganese and Minerals Limited<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IDBA6B610E18611E3AE71DB8FB7AAA4E1">2014 Indlaw CAL 344, 2014 (2) CalLT 590</a></p><p>Kajal Sarkar v Secretary, Department of Science and Technology and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IB259A780C13E11E3A4C5B3A606129D2E">2014 Indlaw ALL 1318, 2014 (4) ADJ 387, 2014 (6) AWC 5523</a></p><p>NAS Aviation Services India Private Limited, Mumbai v Kingfisher Airlines Limited, Mumbai<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ID59DE450C47111E3935A999B49A0DE36">2014 Indlaw MUM 351</a></p><p>M. T. Hartati and others v GBLT Ship Management Jakarta and another<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I96652DB0986C11E399899FFF3C389D71">2014 Indlaw MUM 139, 2014(3) ALL MR 857, 2014 (2) Bom.C.R. 854</a></p><p>Bharat Heavy Electrical Limited v Ashutosh Engineering Industries and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I847755B0E68C11E3A155E4498F53FB1A">2014 Indlaw DEL 1684, 2014 (2) ILR(Del) 1128</a></p><p>Calvin Properties and Housing, Mumbai v Green Fields Co-operative Housing, Mumbai and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I23085500559A11E3AC2F9F1D2C9E1128">2013 Indlaw MUM 1047, 2014 (2) Bom.C.R. 398</a></p><p>Parekh Holdings v Mohamed Yusuf Trust and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I2FA6CC31359011E38965D177638428E4">2013 Indlaw MUM 852, 2014 (2) Bom.C.R. 188</a></p><p>Housing Development and infrastructure Limited, Mumbai v Mumbai International Airport Private Limited, Mumbai and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IA14C8BD057F111E3A6BBC944793E06BC">2013 Indlaw MUM 1056</a></p><p>Lufeng Shipping Company Limited, China v M. V. Rainbow Ace, Gujarat and another<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I7C4C8230E60511E2A698E7B906DC5120">2013 Indlaw MUM 536, 2013 (7) Bom.C.R. 700</a></p><p>Rainbow Ace Shipping and another v M. V. Rainbow Ace and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I8C93AEF0BB9B11E2A784F3E0CD07DA96">2013 Indlaw MUM 384, 2013 (7) Bom.C.R. 762</a></p><p>Power Grid Corporation of India Limited v Siemens Limited<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I9EF2C700FE9111E2BAD1D3F5153FC498">2013 Indlaw DEL 1903, 2013 (201) DLT 313</a></p><p>Intertoll Ics Cecons. O and M CO. Private Limited v National Highways Authority of India<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IDEFE3940720211E29D76906F7C0C38E5">2013 Indlaw DEL 235, 2013 (197) DLT 473, 2013 (2) ILR(Del) 1018</a></p><p>Lets Engineering and Technology Services Private Limited v Manoj Das<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IA0E2DA4063DD11E2B127C6C87E7F10BE">2013 Indlaw DEL 54, 2013 (198) DLT 630</a></p><p>Sahyadri Earthmovers and others v Sahyadri Earthmovers and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I725950E0BFC711E3BDA4E3072B70C6B7">2012 Indlaw MUM 1425, 2013 (2) MahLJ 303</a></p><p>Ineos Commercial Services UK Limited v Essar Oil Limited and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I590ADD30229211E28F0BB424CD2714F3">2012 Indlaw GUJ 895</a></p><p>JSW Ispat Steel Limited v Jeumont Electric and another<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IAD0912401E8611E2AD6990FC4454EEA2">2012 Indlaw MUM 784, 2013(7) ALL MR 833, 2013 (1) Bom.C.R. 879</a></p><p>Peter Caddy v Cheiryan Abraham<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I0625D300EDF811E196AECD1A90D348AD">2012 Indlaw KAR 860</a></p><p>Shivhare Road Lines v HPCL and Mittal Energy Limited and another<br />2012 Indlaw MPLJ 41</p><p>Universal Tractor Holding Lic v Escorts Limited<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I0B1961C0EA7A11E48FE4CB694DB25E24">2012 Indlaw DEL 4569, 2013 (3) CompLJ 69, 2012 (192) DLT 273</a></p><p>Ultra Home Constructions Private Limited v Choice Hotels International Inc and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I58E894B06BBB11E2B346E71337FD8B8E">2012 Indlaw DEL 3584, 2012 (194) DLT 143</a></p><p>Inder Mohan Singh and others v Tripat Singh and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IA8B783007F8E11E483E1BF16995B03D4">2011 Indlaw DEL 3332</a></p><p>Great Pacific Navigation (Holdings) Corporation Limited v M. V. Tongli Yantai<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ICDD2C1605FEF11E2A77E9ED522F3C058">2011 Indlaw MUM 1329</a></p><p>Prima Buildwell Private Limited and others v Lost City Developments Llc and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I4B44DEA0A86711E4A7DA81B55D45C5E1">2011 Indlaw DEL 3385, 2011 (183) DLT 237</a></p><p>Anil Sachar &Anr. v M/S. Shree Nath Spinners P.Ltd.
& Ors. Etc.<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I6BA386C0BD0511E090C3B5E6D233D741">2011 Indlaw SC 468, (2011) 13 SCC 148, AIR 2011 SC 2751, 2011 ALL MR (Cri) 2664, 2011 (3) BC 508, [2011] 165 Comp Cas 178, 2011 (3) CompLJ 654, 2011 CRLJ 4611, 2011 (3) JCC (NI) 186, JT 2011 (8) SC 586, 2011 (3) Law Herald (P&H) 2513, 2012 (2) MLJ(Crl) 377, 2011 (2) OLR 693, 2011 (3) RCR(Criminal) 698, 2011 (4) RLW 3442</a></p><p>Delhi-Gurgaon Super Connectivity Limited v Government (National Capital Territory of Delhi) and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I92591412C1CE11E0AB94D14C98DB7FCF">2011 Indlaw DEL 1464</a></p><p>Picasso Digital Media Private Limited A Company v Arun Srivastava, Chairman Vas Group and another<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ID89D9A30968C11E0B55AA5A7F28F3F97">2011 Indlaw ALL 447, 2011 (6) ADJ 575</a></p><p>Shin-Etsu Chemical Company Limited and others v Vindhya Telelinks Limited and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I1C4DC250679D11E18D3CD9B3384D0BAC">2011 Indlaw MP 301, AIR 2012 MP 122, 2012(1) M.P.H.T. 433, 2012 (1) MPLJ 649</a></p><p>Shin-Etsu Chemical Company Limited and others v Vindhya Telelinks Limited and others<br />2011 Indlaw MPLJ 277</p><p>Rajeev Maheshwari and others v Indu Kocher and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I506105E0D24F11E0A280CB271B4C119E">2011 Indlaw CAL 511</a></p><p>Pankaj Aluminium Industries Private Limited v Bharat Aluminium Company Limited<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IBBCCD4006C6311E0AD0BF5ADF5E22FFB">2011 Indlaw DEL 674, [2011] 166 Comp Cas 64</a></p><p>Y. T. Entertainment Limited v Nasreen Azam Khan and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IC9CAF5A05BD811E0A8A2B13CC3EA7E3F">2011 Indlaw MUM 271</a></p><p>Rakesh Jain v Wellwon Builders (India) Private Limited<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I21B95A80540511E095479E88EE6D8E24">2011 Indlaw ALL 154, 2011 (3) ADJ 534, 2011 (85) ALR 406</a></p><p>Cadre Estate Private Limited v Salochna Goyal and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IEEF40E60152511E082618EA9E65C7D0E">2010 Indlaw DEL 3037</a></p><p>Hemant B. Prasad and another v Perfect Solutions represented by its proprietor<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ICF7E01B0E3BD11DF96BEFF5BDF052FF0">2010 Indlaw AP 310, 2011 (1) ALD 734, 2010 (5) ALT 387</a></p><p>Starlinger and Company Ges.M.B.H v Raj Kumar Lohia and others<br /><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=IBF016AA08AE111DF8DCBFA8273E70F63">2010 Indlaw ALL 1054, 2010 (7) ADJ 579, 2010 (82) ALR 18, 2010 (6) AWC 6114</a></p></div><div class="locatorSection"><h3 id="legiscited">Legislation Cited</h3><p><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I077A6AB0006E11DFA9B79C2097992CEB">Arbitration and Conciliation Act, 1996</a></p><p><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ID525C8B0006E11DFA4EBE2B05DA89DDC">Arbitration and Conciliation Act, 1996 s. 7(4)(b)</a></p><p><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ID525C8B0006E11DFA4EBE2B05DA89DDC">Arbitration and Conciliation Act, 1996 s. 7(4)(c)</a></p><p><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ID525C8B0006E11DFA4EBE2B05DA89DDC">Arbitration and Conciliation Act, 1996 s. 7(5)</a></p><p><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ID525C8B0006E11DFA4EBE2B05DA89DDC">Arbitration and Conciliation Act, 1996 s. 7</a></p><p><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ID5274F50006E11DFA4EBE2B05DA89DDC">Arbitration and Conciliation Act, 1996 s. 9</a></p><p><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ID5250560006E11DFA4EBE2B05DA89DDC">Arbitration and Conciliation Act, 1996 s. 11(6)</a></p><p><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=ID5250560006E11DFA4EBE2B05DA89DDC">Arbitration and Conciliation Act, 1996 s. 11</a></p><p><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I013B4BB1006E11DFA9B79C2097992CEB">Companies Act, 1956</a></p><p><a href="/maf/wlin/app/document?src=doc&linktype=ref&&context=4651&crumb-action=replace&docguid=I01420270006E11DFA9B79C2097992CEB">Indian Stamp Act, 1899</a></p></div><p class="small center">© 2015 Thomson Reuters South Asia Private Limited</p><p id="disclaimer" class="small center">This database contains editorial enhancements that are not a part of the original material. The database may also have mistakes or omissions. Users are requested to verify the contents with the relevant original text(s) such as, the certified copy of the judgment, Government Gazettes, etc. Thomson Reuters bears no liability whatsoever for the adequacy, accuracy, satisfactory quality or suitability of the content.</p></div><div id="docFooter"><div id="docBottomLeft"><div id="docBottomRight"><!----></div></div><div id="footer"><a title="Thomson Reuters - This link will open in a new window" class="externalLink" href="http://www.thomsonreuters.com/">Thomson Reuters homepage</a><p class="bold">Customer support 1800 266 0288</p><p class="small">© 2018 Thomson Reuters South Asia Private Limited</p></div></div></div></div><div id="researchSpaceHiddenForm"><form id="docValues"><input id="document_title" name="document_title" value="Indowind Energy Limited v Wescare (India) Limited and Another - Supreme Court of India, 27 April 2010 | Case Analysis" type="hidden" /><input id="novus_document_id" name="novus_document_id" value="I88A886C0585311DFA269C2ECD8A7251D" type="hidden" /><input id="document_court" name="document_court" value="Supreme Court of India" type="hidden" /><input name="citation" value="Case Analysis" type="hidden" /><input id="date_of_hearing" name="date_of_hearing" value="27 April 2010 " type="hidden" /><input id="currentFolderInput" name="destinationFolderId" value="" type="hidden" /><input id="document_content_type" name="document_content_type" value="Cases" type="hidden" /></form></div><script type="text/javascript">
if(wluk.doc!=null){
wluk.doc.loadFontSizeFromPref('12.8px');
};
</script><div id="jstree-marker" style="display: none;"></div><div id="vakata-contextmenu"></div></body></html> | 773.225806 | 25,094 | 0.756362 |
4efc1b689535066d3f217afcb2afdd822188ee9e | 1,242 | swift | Swift | Sources/Controllers/Stream/Calculators/CellSizeCalculator.swift | turlodales/ello-ios | 55cb128f2785b5896094d5171c65a40dc0304d5f | [
"MIT"
] | 811 | 2016-06-02T20:12:08.000Z | 2022-03-30T03:32:03.000Z | Sources/Controllers/Stream/Calculators/CellSizeCalculator.swift | turlodales/ello-ios | 55cb128f2785b5896094d5171c65a40dc0304d5f | [
"MIT"
] | 258 | 2016-06-03T14:24:32.000Z | 2022-02-24T12:17:21.000Z | Sources/Controllers/Stream/Calculators/CellSizeCalculator.swift | turlodales/ello-ios | 55cb128f2785b5896094d5171c65a40dc0304d5f | [
"MIT"
] | 113 | 2016-06-02T20:17:44.000Z | 2022-02-10T16:20:38.000Z | ////
/// CellSizeCalculator.swift
//
class CellSizeCalculator: NSObject {
var cellItem: StreamCellItem
var width: CGFloat
var columnCount: Int
private var completion: Block!
init(item: StreamCellItem, width: CGFloat, columnCount: Int) {
self.cellItem = item
self.width = width
self.columnCount = columnCount
super.init()
}
func begin(completion: @escaping Block) {
self.completion = completion
process()
}
func finish() {
completion()
}
func process() {
fatalError("subclass \(type(of: self)) should implement process()")
}
func assignCellHeight(all columnHeight: CGFloat) {
cellItem.calculatedCellHeights.oneColumn = columnHeight
cellItem.calculatedCellHeights.multiColumn = columnHeight
finish()
}
func assignCellHeight(
one oneColumnHeight: CGFloat,
multi multiColumnHeight: CGFloat,
web webColumnHeight: CGFloat? = nil
) {
cellItem.calculatedCellHeights.oneColumn = oneColumnHeight
cellItem.calculatedCellHeights.multiColumn = multiColumnHeight
cellItem.calculatedCellHeights.webContent = webColumnHeight
finish()
}
}
| 25.875 | 75 | 0.6562 |
98b55e1a3cea22f67f87be2d6f459b8cd14af869 | 2,487 | html | HTML | bits/Kammanirodhasutta.html | minowani/minowani.github.io | 4a473ca417f9eb41dd678643fb016e7dbd8e4696 | [
"MIT"
] | null | null | null | bits/Kammanirodhasutta.html | minowani/minowani.github.io | 4a473ca417f9eb41dd678643fb016e7dbd8e4696 | [
"MIT"
] | 1 | 2016-12-20T07:52:19.000Z | 2016-12-20T07:54:51.000Z | bits/Kammanirodhasutta.html | minowani/minowani.github.io | 4a473ca417f9eb41dd678643fb016e7dbd8e4696 | [
"MIT"
] | null | null | null | <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN"
"http://www.w3.org/TR/html4/strict.dtd">
<html lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<meta name="description" content="Minowani's Writings on Dhamma" >
<meta name="author" content="Minowani">
<meta name="keywords" content="Buddha, Dhamma, Sutta, Nikaya, Paticcasamuppada, Buddhism">
<meta name="robots" content="index,follow">
<link href="../main.css" rel="stylesheet">
<title>Kammanirodhasutta</title>
</head>
<body>
<h1 class="maintitle">Minowani's Writings</h1>
<h3 class="subtitle">On Dhamma</h3>
<p>
<a href="../index.html">Home</a> >> <strong>Kammanirodhasutta</strong>
</p>
<p class="s-loc">
SAṂYUTTA NIKĀYA<br>
35 Saḷāyatana Saṃyutta<br>
146 Kammanirodhasutta
</p>
<p>“I shall point out, monks, new and old action, cessation of action, the way leading to cessation of action. So listen and pay attention thoroughly, I shall speak.</p>
<p>And which, monks, old action?</p>
<p>Eye, monks, is to be seen as old action, arranged, intended, to be felt…. Tongue, monks, is to be seen as old action, arranged, intended, to be felt…. Intellect, monks, is to be seen as old action, arranged, intended, to be felt. This is called, monks, old action.</p>
<p>And which, monks, new action?</p>
<p>Now which, monks, action one does at present by body, speech, intellect. This is called, monks, new action.</p>
<p>And which, monks, cessation of action?</p>
<p>Now who, monks, touches emancipation by cessation of action-by-body, action-by-speech, action-by-intellect. This is called, monks, cessation of action.</p>
<p>And which, monks, the way leading to cessation of action?</p>
<p>This very Noble Eightfold Path viz. Right View, Right Attitude, Right Speech, Right Doing, Right Livelihood, Right Effort, Right Recollection, Right Concentration. This is called, monks, the way leading to cessation of action.</p>
<p>Thus now, monks, taught, by me, is old action, taught is new action, taught is cessation of action, taught is the way leading to cessation of action.</p>
<p>Now what, monks, should be done by a teacher for the welfare of disciples, with empathy, out of empathy, so is done by me for you. These, monks, are roots of trees, these are empty places. Contemplate, monks, don’t be negligent, don’t become remorseful afterwards. This is our instruction to you.”</p>
</body>
</html> | 45.218182 | 304 | 0.727784 |
3e8b04d3fb89e05df63db00cd732b270327375d3 | 306,711 | sql | SQL | SQL Project (Entrega 1)/HABProject.sql | Marioblancocid/HABProject | 50bf95fbc18605d6355b14975c3aeaa9aa20d2cc | [
"MIT"
] | null | null | null | SQL Project (Entrega 1)/HABProject.sql | Marioblancocid/HABProject | 50bf95fbc18605d6355b14975c3aeaa9aa20d2cc | [
"MIT"
] | 3 | 2021-10-06T19:43:42.000Z | 2022-02-27T07:57:58.000Z | SQL Project (Entrega 1)/HABProject.sql | Marioblancocid/HABProject | 50bf95fbc18605d6355b14975c3aeaa9aa20d2cc | [
"MIT"
] | null | null | null | create database HABProject;
use HABProject;
create table users (
id int primary key auto_increment,
first_name varchar(255) not null,
second_name varchar(255) not null,
user_password varchar(255) not null,
user_img varchar(255) not null,
birth_date date not null,
adress varchar(255) not null,
city varchar(255) not null,
province varchar(255) not null,
country varchar(255) not null,
sex enum('Male', 'Female', 'Other'),
tel varchar(50) not null,
email varchar(255) not null,
user_status varchar(255) not null,
interests varchar(255) not null,
creation_date datetime not null,
last_modification datetime
);
create table meetings (
id int primary key auto_increment,
title varchar(255) not null,
online_meeting boolean default false,
meeting_date datetime not null,
adress varchar(255) not null,
city varchar(255) not null,
province varchar(255) not null,
country varchar(255) not null,
min_users int not null,
max_users int not null,
sex enum('Male', 'Female', 'Other'),
commentary varchar(255) not null,
duration_minutes int not null,
lang_level enum('beginner', 'intermediate', 'senior', 'expert'),
id_user_host int,
constraint FK_meetings_users_host foreign key (id_user_host) references users(id),
creation_date datetime not null,
last_modification datetime
);
create table languages (
id int primary key auto_increment,
lang_name varchar(255) not null,
`iso_639-1` char(2) not null
);
create table users_languages (
id_users int,
constraint FK_users_languages foreign key (id_users) references users(id),
id_languages int,
constraint FK_languages_users foreign key (id_languages) references languages(id),
primary key (id_users, id_languages)
);
create table languages_meetings (
id_languages int,
constraint FK_languages_meetings foreign key (id_languages) references languages(id),
id_meetings int,
constraint FK_meetings_languages foreign key (id_meetings) references meetings(id),
primary key (id_languages, id_meetings)
);
create table users_meetings (
id_users int,
constraint FK_users_meetings foreign key (id_users) references users(id),
id_meetings int,
constraint FK_meetings_users foreign key (id_meetings) references meetings(id),
primary key (id_users, id_meetings)
);
create table ratings (
id int primary key auto_increment,
stars int not null,
commentary varchar(255) not null,
id_users int,
constraint FK_ratings_users foreign key (id_users) references users(id),
id_meetings int,
constraint FK_ratings_meetings foreign key (id_meetings) references meetings(id),
creation_date datetime not null,
last_modification datetime
);
-- 500 USER INSERTS --
INSERT INTO `users` (`id`,`first_name`,`second_name`,`user_password`,`user_img`,`birth_date`,`adress`,`city`,`province`,`country`,`sex`,`tel`,`email`,`user_status`,`interests`,`creation_date`,`last_modification`) VALUES (1,"Zelenia","Stafford","NcA05nNt1Pw","/img/user_avatar_1.jpg","2001-08-13","Ap #355-7998 Congue, Avenue","Teruel","Aragón","Madagascar","Male","0732568304","neque.non.quam@musProin.co.uk","ac","Cooking, Plants, Sports","2020-12-08 20:28:42","2020-04-09 07:32:19"),(2,"Autumn","Wilkerson","VoD65nSr1Qk","/img/user_avatar_2.jpg","2000-05-15","5669 Imperdiet Road","Málaga","AN","Israel","Male","0706932554","sit.amet.massa@faucibus.co.uk","Suspendisse eleifend. Cras","Videogames, Basketball, Cooking","2020-04-19 04:30:02","2020-04-04 00:09:34"),(3,"Nero","Bentley","LqU55uZx6Lu","/img/user_avatar_3.jpg","1999-07-03","Ap #881-7707 Sagittis Road","Cáceres","EX","Guadeloupe","Female","0738135969","molestie@tristique.edu","odio. Etiam ligula tortor, dictum","Videogames, Science, Cooking","2020-05-30 05:50:32","2020-04-03 05:39:04"),(4,"Kenneth","Horton","KoK98xYv8Hm","/img/user_avatar_4.jpg","1994-10-24","2819 Luctus Street","Burgos","CL","United States","Female","0468581050","pede.et@erat.edu","mauris sapien, cursus in, hendrerit consectetuer, cursus","Football, Traveling, TVSeries","2020-06-14 10:30:14","2020-04-12 18:16:34"),(5,"Luke","Barron","BwP12sZw8Ws","/img/user_avatar_5.jpg","1996-08-21","Ap #310-1896 Ut, Rd.","Melilla","Melilla","Kenya","Male","0160350807","fringilla.Donec@orciUtsemper.com","gravida nunc sed pede. Cum sociis natoque penatibus et magnis","Plants, Cooking, Sports","2021-02-27 00:43:17","2020-04-07 21:47:49"),(6,"Lewis","Briggs","HqS09hMg7Tr","/img/user_avatar_6.jpg","1998-04-20","7246 Dui Avenue","Badajoz","Extremadura","Colombia","Male","0352644291","et@enimnonnisi.co.uk","mauris","Science, Traveling, TVSeries","2020-06-23 09:42:17","2020-04-15 19:17:50"),(7,"Thane","Barrera","RsT46zXb6Uh","/img/user_avatar_7.jpg","1997-08-09","232-5481 Duis Avenue","Bilbo","PV","Norway","Female","0164051398","malesuada.vel.venenatis@uterat.com","orci luctus et ultrices posuere cubilia Curae;","Cooking, Football, Traveling","2020-02-22 08:09:40","2020-04-05 10:32:16"),(8,"Yuli","Anderson","WrV83jVz3Sb","/img/user_avatar_8.jpg","1994-07-07","P.O. Box 748, 7197 Pharetra. Rd.","Ciudad Real","CM","Paraguay","Female","0666545629","Aenean@rhoncusNullam.co.uk","Donec consectetuer mauris id sapien. Cras dolor","Football, Plants, Science","2020-10-07 18:29:09","2020-04-04 03:36:36"),(9,"Fitzgerald","Rollins","YgM52uGu6Ng","/img/user_avatar_9.jpg","1994-09-11","196-9160 Ut Avenue","Barcelona","Catalunya","Uzbekistan","Male","0534681973","facilisis@eu.edu","pharetra. Nam ac nulla. In tincidunt congue turpis.","Sports, Basketball, Plants","2020-12-16 19:45:20","2020-04-04 16:17:27"),(10,"Francesca","Conner","AjS36yUi9Tb","/img/user_avatar_10.jpg","2000-07-12","8590 Euismod Street","Salamanca","Castilla y León","Côte D'Ivoire (Ivory Coast)","Male","0418910759","hendrerit@Duismi.co.uk","ullamcorper.","TVSeries, Traveling, Basketball","2021-04-16 04:24:40","2020-04-09 03:38:49"),(11,"Walker","Austin","XqR75cAq7Pr","/img/user_avatar_11.jpg","1994-10-04","Ap #237-9630 Tellus. Street","Cáceres","Extremadura","Swaziland","Female","0505174792","Donec@gravida.org","quam vel sapien imperdiet ornare. In faucibus. Morbi","Plants, Science, Football","2020-09-14 18:03:48","2020-04-01 10:28:02"),(12,"Lenore","Rodriguez","WkE84aYd5Vg","/img/user_avatar_12.jpg","1999-01-23","P.O. Box 862, 5324 Iaculis St.","Lugo","Galicia","Benin","Female","0760412529","Duis@Duisacarcu.net","commodo ipsum. Suspendisse","Science, Football, Videogames","2020-06-07 11:15:09","2020-04-06 17:53:27"),(13,"Ishmael","Faulkner","BcP91dNt4Iz","/img/user_avatar_13.jpg","1998-05-08","P.O. Box 306, 1269 Sed Street","Las Palmas","Canarias","Belize","Male","0664316374","tristique@Crassed.org","velit. Cras lorem lorem, luctus ut,","Cooking, Plants, Science","2021-04-09 22:53:43","2020-04-01 20:12:24"),(14,"Shay","Buck","PzB92nRv2Ez","/img/user_avatar_14.jpg","1996-10-13","6954 Lectus St.","Ciudad Real","Castilla - La Mancha","Bahamas","Male","0587537576","in@egetnisi.org","Aliquam adipiscing lobortis risus. In mi","Basketball, Cooking, Videogames","2020-05-02 16:01:32","2020-04-03 08:21:11"),(15,"Hyacinth","Clay","CzM82uNt1Po","/img/user_avatar_15.jpg","1995-05-26","Ap #187-6546 Rutrum St.","Palencia","Castilla y León","Cook Islands","Female","0279541082","ligula.eu.enim@dignissim.net","mollis.","Basketball, Plants, TVSeries","2021-03-19 20:30:27","2020-04-06 21:49:25"),(16,"Colin","Flores","XjP65mUx3Xe","/img/user_avatar_16.jpg","1999-11-30","Ap #988-2313 Quam Ave","Murcia","MU","Turks and Caicos Islands","Female","0116256971","hendrerit@nibhenim.org","ultrices, mauris ipsum porta elit, a feugiat","Sports, Science, Football","2020-08-30 06:00:11","2020-04-04 07:51:58"),(17,"Brittany","Howard","QuF75dWu1Vx","/img/user_avatar_17.jpg","1999-03-14","7733 Amet, Road","Santander","CA","Kenya","Male","0177372493","Vivamus.nibh@sit.net","quis diam luctus lobortis. Class aptent","Cooking, Sports, Traveling","2020-07-17 21:15:43","2020-04-07 14:29:20"),(18,"Wynne","Luna","JhJ52lCo2Xc","/img/user_avatar_18.jpg","1999-07-28","P.O. Box 826, 4700 Integer Av.","Palma de Mallorca","BA","Libya","Male","0677681182","pellentesque.eget@justo.net","Suspendisse non leo. Vivamus nibh","TVSeries, Plants, Basketball","2020-06-05 23:55:02","2020-04-11 14:16:14"),(19,"Melodie","Compton","EnL63kGh1Wu","/img/user_avatar_19.jpg","1996-05-02","362-5404 Lacus. Avenue","Santa Coloma de Gramenet","Catalunya","China","Female","0630869660","mus@lectusNullam.ca","at, velit. Cras","Sports, Basketball, Plants","2020-11-08 19:15:56","2020-04-03 12:06:22"),(20,"Slade","Powell","DyL00cTq2Eu","/img/user_avatar_20.jpg","1999-04-02","6755 Elit, St.","Santander","Cantabria","Viet Nam","Female","0335942657","blandit.congue.In@Inmi.ca","Curae; Phasellus ornare. Fusce mollis. Duis sit amet","Plants, Videogames, Cooking","2020-09-21 06:37:39","2020-04-10 23:47:33"),(21,"Hayfa","Cervantes","ZvD20uKc7Bb","/img/user_avatar_21.jpg","1998-04-08","P.O. Box 558, 501 Rhoncus. Street","Zaragoza","AR","Bhutan","Male","0748134191","vel@sociis.ca","sit amet, faucibus ut, nulla. Cras eu","Football, Plants, Cooking","2021-01-17 04:07:29","2020-04-13 17:52:38"),(22,"Tanisha","Page","ZnV74eVp2Se","/img/user_avatar_22.jpg","1996-03-10","Ap #998-2853 Mi Avenue","Murcia","MU","Lithuania","Male","0458743133","arcu.Nunc@liberoest.org","sollicitudin orci sem eget massa.","Traveling, Football, Sports","2021-02-21 12:10:29","2020-04-04 10:27:10"),(23,"Asher","Bartlett","EtX99eZv7Mg","/img/user_avatar_23.jpg","1995-06-14","Ap #385-4309 Ultrices Avenue","Santander","Cantabria","Tonga","Female","0454691635","sem.Nulla@facilisisloremtristique.org","dolor dolor, tempus non, lacinia","Plants, Football, Sports","2020-04-09 02:19:02","2020-04-07 22:32:23"),(24,"Amelia","Flores","JyQ98zQu8Qs","/img/user_avatar_24.jpg","2000-10-17","8023 Ac Street","Melilla","ME","Kazakhstan","Female","0616019076","commodo@incursus.com","eleifend nec, malesuada ut, sem. Nulla interdum. Curabitur","Basketball, Sports, Football","2020-03-02 14:04:34","2020-04-06 20:49:18"),(25,"Ahmed","Melendez","OnP81pVl5Ye","/img/user_avatar_25.jpg","1996-08-18","2890 Ipsum. Avenue","Teruel","Aragón","Guernsey","Male","0992112783","id.blandit.at@mi.ca","ut aliquam iaculis, lacus pede sagittis augue, eu tempor","Cooking, TVSeries, Plants","2021-03-26 12:47:56","2020-04-09 15:35:54"),(26,"Hedy","Petersen","ToW92cEn3Jm","/img/user_avatar_26.jpg","1995-01-02","157-1917 Enim, Rd.","Logroño","La Rioja","Bahrain","Male","0715032727","Donec.elementum.lorem@tellusNunclectus.org","In at pede. Cras vulputate velit eu sem. Pellentesque ut","Science, Cooking, Sports","2020-08-19 23:43:04","2020-04-10 11:09:52"),(27,"Harrison","Joseph","NiG77nCg3Jf","/img/user_avatar_27.jpg","1998-03-05","Ap #110-9586 Nec Ave","Las Palmas","CN","Sudan","Female","0946542523","consectetuer.adipiscing@posuerevulputate.org","tortor, dictum eu, placerat eget,","Sports, Cooking, TVSeries","2020-03-26 14:36:19","2020-04-04 13:13:04"),(28,"Xena","Whitehead","JfY77wYt4Xg","/img/user_avatar_28.jpg","2000-01-10","9140 Diam St.","Mataró","Catalunya","Mozambique","Female","0306984055","vehicula.et@egetmetuseu.edu","egestas rhoncus. Proin nisl sem, consequat nec, mollis","Science, Cooking, Videogames","2020-03-11 07:40:33","2020-04-08 00:15:20"),(29,"Brianna","Woodward","SoB01bOe7Wp","/img/user_avatar_29.jpg","1995-02-24","6302 Eu Street","Logroño","La Rioja","Macedonia","Male","0155240565","Nulla@lobortis.com","dignissim pharetra. Nam ac nulla. In","Sports, TVSeries, Cooking","2020-11-23 08:29:42","2020-04-08 14:21:52"),(30,"Kalia","Guzman","PlV46nFb0Ti","/img/user_avatar_30.jpg","1994-11-30","5251 In Road","Ourense","GA","Korea, North","Male","0452964916","non.vestibulum.nec@orciUt.org","nunc ac mattis ornare,","Videogames, Plants, Cooking","2020-12-08 06:47:27","2020-04-09 17:43:41"),(31,"Maya","Harper","DmB14zWm8Yc","/img/user_avatar_31.jpg","1998-05-31","Ap #586-9762 Sit Av.","Granada","Andalucía","Nepal","Female","0362971920","luctus.aliquet@enimcondimentum.ca","vel quam dignissim pharetra. Nam ac nulla. In tincidunt","Sports, Cooking, Science","2020-12-05 07:47:34","2020-04-01 21:12:17"),(32,"Audrey","Sloan","KqL10tNw8Im","/img/user_avatar_32.jpg","1996-10-02","721-8152 Sed Rd.","Móstoles","Madrid","Ecuador","Female","0241381898","et.ultrices.posuere@Integer.co.uk","urna. Nullam lobortis quam a felis ullamcorper viverra. Maecenas","Videogames, Cooking, Science","2020-07-22 00:29:43","2020-04-09 03:46:41"),(33,"Ursula","Brewer","YoQ69dYt6Iu","/img/user_avatar_33.jpg","1994-12-03","213 Lorem Rd.","Logroño","La Rioja","Algeria","Male","0822427894","odio.a@ligula.co.uk","adipiscing ligula. Aenean gravida nunc sed pede.","Plants, Basketball, TVSeries","2020-05-17 16:20:19","2020-04-13 13:26:22"),(34,"Lane","Zimmerman","SaI34bUo9Ve","/img/user_avatar_34.jpg","1996-10-04","Ap #610-9994 Porttitor Av.","Alacant","CV","Vanuatu","Male","0332086311","nec.cursus@erat.ca","interdum feugiat. Sed nec metus facilisis lorem tristique","Basketball, Plants, Sports","2020-08-12 03:45:52","2020-04-06 00:53:37"),(35,"Shaeleigh","Ellison","KdV50mQk9Bx","/img/user_avatar_35.jpg","1998-02-18","3576 In Avenue","Logroño","LR","Martinique","Female","0171608047","quis@natoque.com","sodales. Mauris blandit enim consequat purus. Maecenas libero","Plants, TVSeries, Basketball","2020-02-09 19:51:45","2020-04-10 00:11:49"),(36,"Colorado","Bishop","SjX60cUp7Aa","/img/user_avatar_36.jpg","1994-05-27","P.O. Box 359, 8059 Et Street","Cádiz","AN","Cayman Islands","Female","0234306031","iaculis@sagittisfelis.ca","Integer aliquam adipiscing lacus. Ut","Sports, Traveling, Plants","2020-12-30 21:26:53","2020-04-04 06:14:15"),(37,"Vivien","Holder","GkI91tCg0Vi","/img/user_avatar_37.jpg","2001-03-08","P.O. Box 795, 4025 Mauris Street","Las Palmas","CN","Congo (Brazzaville)","Male","0226096127","et.netus.et@nonhendreritid.co.uk","vel quam dignissim pharetra. Nam","Traveling, Science, Cooking","2020-07-12 00:40:29","2020-04-11 12:47:44"),(38,"Tanya","Glass","DbJ87lQd6Oh","/img/user_avatar_38.jpg","1994-08-24","6609 Nec Ave","Reus","CA","Somalia","Male","0785842686","justo.faucibus.lectus@lacus.org","malesuada fames","Football, Traveling, Science","2020-09-11 08:23:53","2020-04-03 16:22:26"),(39,"Donna","Tyson","WaL73uVi9Tu","/img/user_avatar_39.jpg","1994-04-27","9069 Quis St.","A Coruña","Galicia","Macao","Female","0985031812","Pellentesque@tinciduntpedeac.net","porta","TVSeries, Plants, Cooking","2020-11-24 05:53:59","2020-04-15 13:35:18"),(40,"Kyra","Yates","TwF68xVw5Pp","/img/user_avatar_40.jpg","1998-03-01","Ap #989-6927 Non, Road","Córdoba","AN","Macao","Female","0706317028","a.felis@estvitaesodales.com","sit amet metus. Aliquam erat","TVSeries, Basketball, Football","2020-05-08 16:22:18","2020-04-01 20:32:23"),(41,"Jane","Chan","BhY31uZw3Aw","/img/user_avatar_41.jpg","2002-04-02","6248 Morbi Street","Logroño","LR","Armenia","Male","0945940485","elit.pede.malesuada@vitaealiquet.ca","sed,","Videogames, Traveling, Cooking","2021-02-05 23:30:30","2020-04-08 17:24:53"),(42,"Shaeleigh","Weiss","FjY99uHo9Gn","/img/user_avatar_42.jpg","2001-06-26","P.O. Box 180, 1783 A Ave","Badajoz","Extremadura","Syria","Male","0842726505","lectus.ante@Pellentesqueultricies.ca","Mauris quis turpis vitae purus","Traveling, Cooking, TVSeries","2020-05-25 17:48:43","2020-04-10 01:56:12"),(43,"Price","Gallegos","GeG26mGn5Gc","/img/user_avatar_43.jpg","1996-07-07","P.O. Box 430, 3533 In St.","Cuenca","Castilla - La Mancha","Congo, the Democratic Republic of the","Female","0475934777","elit.pharetra.ut@erat.org","sed orci lobortis augue scelerisque mollis.","Football, Science, Cooking","2020-11-20 16:50:59","2020-04-06 22:48:29"),(44,"Caesar","Hebert","QjM33sYa4Xj","/img/user_avatar_44.jpg","2001-03-13","P.O. Box 199, 236 Egestas Ave","Palma de Mallorca","BA","Pitcairn Islands","Female","0586586653","ad.litora.torquent@at.edu","velit eget laoreet posuere, enim nisl elementum","Football, Basketball, Traveling","2021-03-02 08:02:36","2020-04-08 02:33:34"),(45,"Veronica","Simmons","ByL83vNm0Nm","/img/user_avatar_45.jpg","1997-09-08","9459 Dignissim Street","Palma de Mallorca","Illes Balears","Jordan","Male","0860877802","lacinia.vitae.sodales@est.ca","aliquet.","Sports, Football, Basketball","2020-04-17 12:31:27","2020-04-03 21:28:57"),(46,"Mollie","Buckner","TjC74tTz1Ri","/img/user_avatar_46.jpg","1998-08-25","P.O. Box 112, 8696 Amet Rd.","Logroño","LR","Ecuador","Male","0343583900","tincidunt.adipiscing.Mauris@mauris.co.uk","ultrices. Duis volutpat nunc sit amet metus. Aliquam erat volutpat.","Science, TVSeries, Traveling","2020-10-14 17:03:52","2020-04-10 01:29:23"),(47,"Cain","Love","IsJ64mPe1Es","/img/user_avatar_47.jpg","2000-10-15","Ap #658-3568 Posuere Street","Murcia","Murcia","Pitcairn Islands","Female","0470799969","dui@euduiCum.edu","ultrices iaculis odio. Nam interdum enim","Videogames, Football, Sports","2020-09-13 22:04:44","2020-04-03 22:25:58"),(48,"Ori","English","IpM52gXq6Ud","/img/user_avatar_48.jpg","1997-08-13","3342 Augue, Rd.","Valéncia","CV","Micronesia","Female","0707224426","dolor.sit@mattisvelit.co.uk","ante bibendum","Football, Plants, Science","2020-01-12 05:10:10","2020-04-04 02:56:50"),(49,"Kane","Phelps","BsH42mQg4Co","/img/user_avatar_49.jpg","1999-02-15","270-7941 Faucibus Av.","Ciudad Real","CM","Syria","Male","0740626194","lobortis.tellus@Maecenasmi.net","lobortis quam a felis ullamcorper viverra. Maecenas","Football, Science, TVSeries","2020-06-22 16:28:14","2020-04-01 08:35:27"),(50,"Kalia","Hill","MjI78dYn8Uo","/img/user_avatar_50.jpg","1999-01-25","1463 Libero. Rd.","Gijón","Principado de Asturias","Madagascar","Male","0134130853","metus@Praesent.org","Suspendisse non leo. Vivamus nibh dolor, nonummy","Cooking, Science, Traveling","2020-05-12 08:58:42","2020-04-14 20:10:38"),(51,"Tamekah","Meadows","IrN74oIa0Lo","/img/user_avatar_51.jpg","2001-03-16","253-1129 Fermentum Road","Gijón","Principado de Asturias","Suriname","Female","0779683321","tempor@eu.co.uk","malesuada. Integer id magna et ipsum cursus vestibulum. Mauris","Cooking, Plants, Videogames","2020-12-28 17:12:42","2020-04-01 19:02:30"),(52,"Dominique","Shepard","InK07oSl8Fi","/img/user_avatar_52.jpg","1999-07-11","P.O. Box 469, 3515 Vel St.","Ciudad Real","Castilla - La Mancha","Iran","Female","0840764586","quam.vel.sapien@justo.org","aliquam adipiscing lacus.","Science, Cooking, Traveling","2020-12-17 12:14:47","2020-04-09 02:01:21"),(53,"Jackson","Hanson","GeR44nHl1Kc","/img/user_avatar_53.jpg","1995-05-14","P.O. Box 902, 854 Habitant St.","Barcelona","CA","Ireland","Male","0409925688","lorem.luctus.ut@orcitincidunt.ca","mi felis, adipiscing fringilla, porttitor vulputate,","TVSeries, Videogames, Football","2020-02-14 02:00:41","2020-04-08 02:40:12"),(54,"Kessie","Rodriquez","DxC97xVk3Ce","/img/user_avatar_54.jpg","2001-07-28","6545 Elementum St.","L'Hospitalet de Llobregat","CA","Laos","Male","0193309579","dictum@aliquetProin.com","mauris ipsum porta elit, a feugiat tellus lorem","Football, Basketball, Science","2021-03-13 15:09:50","2020-04-02 08:25:14"),(55,"Walker","Navarro","LvL21fLe2Ig","/img/user_avatar_55.jpg","1997-10-20","Ap #335-735 Pulvinar Street","Cuenca","Castilla - La Mancha","Samoa","Female","0452062430","Nunc@tristique.net","lorem","Videogames, Basketball, Science","2020-06-04 06:40:30","2020-04-04 02:37:03"),(56,"Daryl","Snyder","UmM69xTh0Nv","/img/user_avatar_56.jpg","2001-10-09","P.O. Box 775, 5103 In Rd.","Ceuta","CE","Benin","Female","0824114315","Quisque.imperdiet.erat@quismassa.com","egestas. Sed pharetra, felis eget","Sports, Basketball, Videogames","2020-05-06 15:39:10","2020-04-10 18:59:58"),(57,"Ocean","Raymond","BaZ75vFj2Nv","/img/user_avatar_57.jpg","1994-08-07","P.O. Box 671, 6857 Pellentesque Ave","Baracaldo","PV","Dominica","Male","0311907725","Donec.porttitor.tellus@arcu.net","diam. Sed diam lorem, auctor quis, tristique ac, eleifend","TVSeries, Basketball, Videogames","2020-12-24 08:13:54","2020-04-12 10:24:13"),(58,"Yvonne","Berg","RjU78dZv3Fn","/img/user_avatar_58.jpg","1999-05-21","7184 Egestas St.","Santander","Cantabria","Barbados","Male","0998433672","metus@eget.co.uk","in magna. Phasellus dolor","TVSeries, Sports, Cooking","2020-02-03 10:52:49","2020-04-01 19:12:51"),(59,"Brennan","Glover","YpA46lUo8Qu","/img/user_avatar_59.jpg","2002-01-02","Ap #774-5964 Elit, St.","Valéncia","CV","Finland","Female","0406383090","malesuada@lectusconvallis.co.uk","ut ipsum ac mi","Sports, Videogames, Science","2020-08-01 02:58:07","2020-04-13 20:56:59"),(60,"Mason","Wolf","LsK93mIx2Cf","/img/user_avatar_60.jpg","1997-10-23","632 Facilisis. Road","Sabadell","Catalunya","Guam","Female","0542223405","et.rutrum@Duis.co.uk","Nam ac nulla. In","Sports, Plants, Cooking","2020-06-16 11:35:13","2020-04-15 09:28:56"),(61,"Kathleen","Valencia","GlK22yZr0As","/img/user_avatar_61.jpg","1997-07-24","P.O. Box 652, 2008 Orci. Avenue","Valéncia","Comunitat Valenciana","Belize","Male","0812437176","a@feliseget.edu","lectus sit amet luctus vulputate,","Football, TVSeries, Traveling","2020-06-16 01:00:23","2020-04-08 09:33:58"),(62,"Shelley","Cooley","YfR62oGw5Ug","/img/user_avatar_62.jpg","1997-07-21","Ap #443-1271 Egestas. St.","Melilla","Melilla","Lesotho","Male","0831272715","Mauris@ornareInfaucibus.ca","nulla. Integer urna. Vivamus","Plants, Science, Basketball","2020-07-05 22:10:42","2020-04-12 16:02:55"),(63,"Adam","Tyler","ZsJ36mIk0Vh","/img/user_avatar_63.jpg","2000-08-07","3587 Nibh. St.","Ceuta","Ceuta","Saint Barthélemy","Female","0442685085","enim.Nunc@natoque.net","ut quam vel sapien imperdiet ornare. In faucibus. Morbi","Plants, Basketball, Football","2020-06-15 08:02:11","2020-04-06 04:56:03"),(64,"Jesse","Barker","FzS63sKl8Tr","/img/user_avatar_64.jpg","2000-07-13","P.O. Box 475, 7552 Vulputate Road","Santander","Cantabria","Barbados","Female","0772838230","Proin.vel.arcu@atliberoMorbi.com","et pede. Nunc","Cooking, Science, Traveling","2020-10-12 20:30:36","2020-04-08 17:32:45"),(65,"Ivana","Herman","AqC85zXy1Xm","/img/user_avatar_65.jpg","2002-02-05","P.O. Box 441, 6700 Etiam Ave","Pamplona","Navarra","Gambia","Male","0804348898","aptent@felis.co.uk","accumsan convallis, ante lectus convallis est, vitae sodales","Sports, Videogames, TVSeries","2021-01-09 10:37:05","2020-04-05 17:25:34"),(66,"Kay","Tyler","QqF44tDx4Hj","/img/user_avatar_66.jpg","1998-02-01","5640 Phasellus Av.","Cáceres","Extremadura","Mexico","Male","0874396931","vulputate@Sed.co.uk","ultrices. Vivamus rhoncus. Donec est. Nunc ullamcorper, velit in aliquet","Traveling, Science, Sports","2020-06-13 00:24:04","2020-04-12 23:02:35"),(67,"Bryar","Patrick","DkM83cIu4Pv","/img/user_avatar_67.jpg","1997-04-14","P.O. Box 106, 5505 Aliquam Road","Málaga","Andalucía","Central African Republic","Female","0434823911","Vivamus.nibh.dolor@habitantmorbi.net","rhoncus id, mollis nec, cursus a, enim. Suspendisse aliquet, sem","Science, TVSeries, Traveling","2020-06-19 21:28:04","2020-04-13 12:10:20"),(68,"Chaim","Stewart","YiW33oSw8Oy","/img/user_avatar_68.jpg","2001-12-22","579-6431 Amet Rd.","Cádiz","Andalucía","Maldives","Female","0212292348","lacinia.Sed.congue@enimcondimentumeget.org","non, luctus sit amet, faucibus ut, nulla. Cras eu","Sports, TVSeries, Plants","2020-02-19 04:38:15","2020-04-04 20:59:06"),(69,"Macy","Grant","XpA73eKe9Qh","/img/user_avatar_69.jpg","1999-08-18","P.O. Box 781, 4813 Nec Avenue","Cáceres","Extremadura","Bulgaria","Male","0280431885","id.enim.Curabitur@vulputatenisi.org","velit. Quisque varius. Nam porttitor scelerisque neque. Nullam nisl.","Football, Videogames, Cooking","2020-10-11 16:00:02","2020-04-02 21:04:21"),(70,"Freya","Dodson","DzS11rPl6Ur","/img/user_avatar_70.jpg","2001-05-30","6849 Scelerisque Ave","Bilbo","Euskadi","Saudi Arabia","Male","0205325070","Pellentesque@nequesed.edu","vitae, aliquet nec, imperdiet nec, leo. Morbi neque tellus, imperdiet","Traveling, Football, TVSeries","2020-02-23 07:33:43","2020-04-11 20:20:56"),(71,"Ariana","Eaton","HiS64rUb7Yr","/img/user_avatar_71.jpg","1994-12-19","P.O. Box 624, 1567 Curabitur Rd.","Ávila","CL","Indonesia","Female","0731079201","diam.Pellentesque@dictumProin.com","urna suscipit nonummy.","Basketball, Cooking, TVSeries","2020-06-26 02:54:45","2020-04-06 17:58:50"),(72,"Eagan","Sykes","SmR63hCm3Hn","/img/user_avatar_72.jpg","2002-02-26","Ap #170-5946 Mauris St.","Teruel","Aragón","Qatar","Female","0591146411","eget@Aliquamadipiscinglobortis.org","elit. Etiam laoreet, libero","Plants, Sports, Traveling","2021-02-13 22:09:50","2020-04-11 01:18:49"),(73,"Karyn","Carver","NpE61jWi1Hb","/img/user_avatar_73.jpg","1995-09-21","579-8137 Posuere St.","Las Palmas","Canarias","Belarus","Male","0515139868","hendrerit.id.ante@neque.ca","imperdiet ullamcorper. Duis","Science, Traveling, Basketball","2020-02-18 07:54:52","2020-04-03 21:20:57"),(74,"Charles","Carpenter","AyC54aQy4Wo","/img/user_avatar_74.jpg","2000-03-05","Ap #523-7382 Donec Street","Elx","CV","Indonesia","Male","0200270863","magna.et@facilisiSed.com","orci, consectetuer euismod est arcu ac","Cooking, TVSeries, Basketball","2020-11-01 06:56:54","2020-04-11 03:43:43"),(75,"Quon","Garner","IfI63gCo9Xk","/img/user_avatar_75.jpg","1995-06-12","985 Cras Road","Gijón","AS","Albania","Female","0300504139","Mauris.non.dui@necleo.org","orci. Ut semper pretium neque. Morbi quis urna. Nunc","Basketball, Traveling, Cooking","2020-06-23 13:36:58","2020-04-03 11:12:24"),(76,"John","Rodriguez","IrT15tPr3Zh","/img/user_avatar_76.jpg","1999-08-13","P.O. Box 386, 5390 Nascetur Rd.","Cartagena","MU","Bhutan","Female","0381401661","non.quam@Sedeueros.edu","Sed pharetra, felis eget varius ultrices, mauris ipsum porta elit,","TVSeries, Videogames, Plants","2020-04-18 22:36:39","2020-04-15 00:42:22"),(77,"Aileen","Aguirre","AhR27fMc7Aq","/img/user_avatar_77.jpg","2001-06-23","P.O. Box 203, 5279 Porttitor Ave","Ceuta","CE","Korea, South","Male","0373972294","sed@laciniamattis.org","Aliquam adipiscing lobortis risus. In mi pede, nonummy ut, molestie","Basketball, Traveling, Plants","2020-10-06 07:40:03","2020-04-15 09:58:25"),(78,"Rose","Santiago","FhR19yGv9Yg","/img/user_avatar_78.jpg","2000-08-18","P.O. Box 924, 3508 Eleifend, Av.","Donosti","PV","Czech Republic","Male","0626432475","odio.Phasellus@Crassedleo.co.uk","ullamcorper, velit in","Plants, Cooking, Basketball","2020-01-11 07:02:54","2020-04-13 15:16:54"),(79,"Kalia","Petersen","ElG07yVk7Hj","/img/user_avatar_79.jpg","1996-12-15","Ap #554-6396 Dignissim St.","Las Palmas","CN","Thailand","Female","0442241780","elit@Donecelementum.ca","Mauris","Videogames, Basketball, Football","2020-11-11 18:52:36","2020-04-04 20:10:25"),(80,"Kelly","Mcdowell","ZfD01tTf9Mf","/img/user_avatar_80.jpg","1995-08-02","P.O. Box 562, 9653 Per St.","Getafe","Madrid","Laos","Female","0314514326","est.ac@luctusutpellentesque.net","ut odio vel est tempor bibendum.","Football, Basketball, Sports","2020-04-07 22:51:26","2020-04-04 05:05:02"),(81,"Jacob","Bush","YxD80wTr3Gw","/img/user_avatar_81.jpg","1998-03-29","Ap #753-2072 Sed Street","Badajoz","EX","Guinea","Male","0203777335","amet.risus.Donec@et.ca","euismod ac, fermentum vel, mauris.","Videogames, Cooking, Football","2021-01-09 16:33:20","2020-04-09 10:31:43"),(82,"Raja","Hahn","BkW36iFj1Fj","/img/user_avatar_82.jpg","2000-07-06","691-5829 Condimentum. Avenue","Guadalajara","CM","Bangladesh","Male","0582578394","sociis.natoque@elit.com","id, mollis nec,","Sports, TVSeries, Cooking","2020-10-14 16:42:21","2020-04-03 05:57:56"),(83,"Sydnee","Stephens","EcS84lDx8Im","/img/user_avatar_83.jpg","1999-11-05","2482 In St.","Gasteiz","PV","Bangladesh","Female","0254981956","non@diamluctuslobortis.edu","eu dolor egestas rhoncus. Proin nisl","Traveling, TVSeries, Science","2020-05-27 10:31:56","2020-04-06 01:46:12"),(84,"Aurora","Sweet","IaC43iQm8Ju","/img/user_avatar_84.jpg","1999-12-09","7354 A, Avenue","Gijón","AS","Holy See (Vatican City State)","Female","0851145171","tempus@ornareplacerat.org","vitae velit egestas lacinia. Sed congue, elit sed consequat auctor,","Basketball, Science, Sports","2020-04-09 19:23:24","2020-04-02 04:14:27"),(85,"Harper","Raymond","OjQ62sBc7Yu","/img/user_avatar_85.jpg","2001-08-22","614-4512 Tempus Avenue","Ceuta","CE","Rwanda","Male","0889446137","dapibus.ligula@Donec.co.uk","Vestibulum ante ipsum primis in faucibus orci","Videogames, Cooking, TVSeries","2020-09-21 21:48:10","2020-04-02 05:39:55"),(86,"Conan","Guerrero","YnW48jWr6Gm","/img/user_avatar_86.jpg","1998-06-01","2452 At St.","Badajoz","EX","Poland","Male","0927331131","Cras.interdum@nibhdolornonummy.com","facilisi.","Basketball, Cooking, TVSeries","2021-03-31 11:50:33","2020-04-13 02:14:22"),(87,"Guy","Avila","RvG83iRi4Qp","/img/user_avatar_87.jpg","1997-10-20","7992 Mauris, St.","Albacete","Castilla - La Mancha","Luxembourg","Female","0946448375","nunc@Suspendissealiquet.com","at augue id ante dictum cursus. Nunc","Sports, Science, Football","2020-05-22 03:11:18","2020-04-10 18:40:40"),(88,"Maggy","Hines","RiE93aXp6Jm","/img/user_avatar_88.jpg","1997-12-19","P.O. Box 706, 2203 Feugiat Rd.","Logroño","LR","Ghana","Female","0628727770","quis@natoquepenatibus.org","ut dolor dapibus gravida. Aliquam tincidunt, nunc","Sports, Basketball, Traveling","2020-07-15 08:05:40","2020-04-04 13:48:08"),(89,"Petra","Christensen","EuD05uMu4Rq","/img/user_avatar_89.jpg","1999-02-20","2138 Sapien Rd.","Palma de Mallorca","BA","Singapore","Male","0509365368","egestas.rhoncus@duiFusce.com","urna convallis","Basketball, Football, Cooking","2020-03-30 19:56:33","2020-04-09 19:40:09"),(90,"Graham","Wood","VxV44cAn3Ze","/img/user_avatar_90.jpg","2000-04-29","P.O. Box 813, 8940 Ut Avenue","Ceuta","Ceuta","Morocco","Male","0250622596","imperdiet.nec@et.ca","Phasellus in","Science, Basketball, TVSeries","2020-07-22 01:05:30","2020-04-11 01:17:34"),(91,"Hashim","Patrick","RgA14gKh6Is","/img/user_avatar_91.jpg","2001-08-18","1133 Nunc St.","Badalona","CA","Barbados","Female","0480143211","est.vitae@risusvarius.com","purus, in molestie tortor","Basketball, Videogames, Cooking","2020-10-28 03:43:27","2020-04-04 04:44:26"),(92,"Chava","Ashley","UaQ71dSb5Qc","/img/user_avatar_92.jpg","1999-07-12","P.O. Box 484, 9121 Nulla. St.","Santander","CA","Kenya","Female","0818614016","vel.nisl.Quisque@Aenean.org","Duis cursus, diam at pretium aliquet, metus urna convallis erat,","TVSeries, Traveling, Science","2020-01-20 01:13:23","2020-04-04 16:33:44"),(93,"Shea","Ware","GaE90vPz3Lc","/img/user_avatar_93.jpg","1997-01-02","P.O. Box 583, 4241 Ut St.","Logroño","LR","Curaçao","Male","0924028937","arcu@mollis.com","Cum sociis natoque penatibus","Sports, Videogames, Traveling","2020-01-22 12:21:32","2020-04-08 05:28:01"),(94,"Fitzgerald","Hewitt","ApY58zLq9Wk","/img/user_avatar_94.jpg","2001-01-17","4699 In Road","Gijón","Principado de Asturias","Cape Verde","Male","0794242351","ac.ipsum.Phasellus@ornarelectusjusto.co.uk","amet massa. Quisque porttitor eros nec tellus.","Cooking, Basketball, Science","2020-02-27 14:25:42","2020-04-07 03:46:55"),(95,"Francis","Good","CyR20jZk3Cn","/img/user_avatar_95.jpg","1996-12-24","Ap #753-9829 Facilisi. Avenue","Teruel","Aragón","Portugal","Female","0535740558","convallis.ante@cursus.edu","leo","Traveling, Science, TVSeries","2020-12-22 03:12:49","2020-04-10 06:33:34"),(96,"Garrett","Osborn","OjY35qRl5Xa","/img/user_avatar_96.jpg","1996-08-30","Ap #396-4604 Risus, Avenue","Lugo","GA","Rwanda","Female","0457056961","at.egestas@dolorFuscefeugiat.ca","urna. Nunc quis arcu vel quam dignissim pharetra. Nam ac","Plants, Cooking, Traveling","2020-05-12 04:03:25","2020-04-08 09:43:44"),(97,"Tiger","Rodriquez","EuV26yUg4Ay","/img/user_avatar_97.jpg","1995-05-08","8829 Egestas St.","Teruel","AR","United States","Male","0717582151","malesuada.vel.convallis@quis.net","luctus. Curabitur egestas nunc sed libero. Proin","Cooking, Traveling, Sports","2020-08-10 10:30:49","2020-04-12 13:34:28"),(98,"Ferris","Gamble","ArO74oWh7Hy","/img/user_avatar_98.jpg","1999-07-26","P.O. Box 471, 7039 Aliquam Avenue","Cáceres","EX","Nicaragua","Male","0387273710","ornare@Sed.ca","feugiat metus sit amet","Traveling, Basketball, Sports","2020-12-02 05:05:55","2020-04-10 02:02:37"),(99,"Knox","Mueller","QqQ65mXr9Sy","/img/user_avatar_99.jpg","1997-11-03","Ap #144-4208 Fermentum St.","Logroño","LR","Togo","Female","0260842780","lorem@massalobortis.net","sapien molestie orci tincidunt adipiscing. Mauris molestie","Sports, Football, Plants","2020-04-06 11:39:31","2020-04-13 12:09:43"),(100,"Ezekiel","Dillon","TlW43gQl1Oc","/img/user_avatar_100.jpg","2001-02-18","5748 Arcu Av.","Santander","CA","Western Sahara","Female","0558977928","nulla.Cras@Fusce.com","nec urna suscipit nonummy. Fusce","Cooking, Science, Traveling","2020-08-19 04:19:56","2020-04-01 09:18:16");
INSERT INTO `users` (`id`,`first_name`,`second_name`,`user_password`,`user_img`,`birth_date`,`adress`,`city`,`province`,`country`,`sex`,`tel`,`email`,`user_status`,`interests`,`creation_date`,`last_modification`) VALUES (101,"Yuli","Daugherty","JbU31gKj2Or","/img/user_avatar_101.jpg","1995-07-12","9706 Sem Road","Oviedo","Principado de Asturias","Canada","Male","0226719219","senectus.et.netus@sollicitudincommodo.edu","mi enim, condimentum eget, volutpat","TVSeries, Traveling, Sports","2020-11-09 21:46:39","2020-04-04 20:42:02"),(102,"Alec","Kirkland","MkR09fLk0Tr","/img/user_avatar_102.jpg","1999-07-30","P.O. Box 771, 3310 Elementum Ave","Santander","CA","Bermuda","Male","0209327838","tristique.senectus@risusat.org","hendrerit a, arcu. Sed","TVSeries, Plants, Cooking","2020-04-21 17:39:56","2020-04-02 02:14:18"),(103,"Jolie","Hartman","LoT67bYo7Ju","/img/user_avatar_103.jpg","1996-03-25","334-2330 Cursus St.","Alcalá de Henares","Madrid","Bouvet Island","Female","0509406841","diam.at@commodoipsumSuspendisse.org","eget metus.","Sports, Basketball, Cooking","2020-07-19 12:05:47","2020-04-02 21:30:13"),(104,"Isaac","Cobb","RqI23jEk7Nk","/img/user_avatar_104.jpg","1996-06-08","Ap #635-7584 Ornare Road","Pamplona","Navarra","India","Female","0470025416","Nunc.mauris@non.org","lacus pede sagittis","Plants, Basketball, Sports","2021-04-02 01:38:55","2020-04-03 05:25:44"),(105,"Aiko","Allen","PbC76qWr5Zj","/img/user_avatar_105.jpg","2002-01-24","Ap #758-1019 Auctor Road","Badajoz","EX","Anguilla","Male","0548451099","ac.ipsum.Phasellus@tincidunttempusrisus.org","Vivamus nisi. Mauris nulla.","Traveling, Sports, TVSeries","2020-09-30 06:34:24","2020-04-02 07:35:04"),(106,"Zelda","Jensen","JkF37bBe7Gz","/img/user_avatar_106.jpg","1997-09-16","P.O. Box 137, 5706 Fringilla Rd.","Logroño","La Rioja","Laos","Male","0615599652","Nullam.lobortis@Nuncsedorci.ca","torquent per conubia nostra, per inceptos hymenaeos. Mauris ut","Traveling, Basketball, Cooking","2020-04-02 10:06:38","2020-04-14 14:50:05"),(107,"Joel","Underwood","AnD31xEa1Cj","/img/user_avatar_107.jpg","1996-12-22","6650 Vitae, Rd.","Girona","CA","Belarus","Female","0308723808","eu@ornare.co.uk","Sed dictum. Proin eget odio. Aliquam vulputate ullamcorper magna. Sed","Traveling, Cooking, Plants","2021-04-18 02:02:30","2020-04-14 09:46:51"),(108,"Tamekah","Sharpe","SgG27dZy6Wm","/img/user_avatar_108.jpg","1998-07-11","P.O. Box 701, 9774 Tempor Road","A Coruña","Galicia","Aruba","Female","0905419466","ultrices.posuere@elit.ca","facilisis. Suspendisse commodo tincidunt nibh. Phasellus nulla. Integer vulputate,","Football, Cooking, TVSeries","2020-01-22 10:12:48","2020-04-06 09:53:50"),(109,"Ulla","Rowland","KdB31qKp8Dj","/img/user_avatar_109.jpg","2001-06-30","Ap #122-1092 Ipsum Road","Melilla","Melilla","Sint Maarten","Male","0330245205","Curabitur@Aliquam.net","montes,","Football, Basketball, Traveling","2021-03-07 07:39:51","2020-04-15 16:44:21"),(110,"Ella","Lewis","DzV40cJz8Ag","/img/user_avatar_110.jpg","1996-06-24","530-2671 Consequat Road","Logroño","LR","Israel","Male","0912899610","Nullam@morbi.net","faucibus lectus, a sollicitudin","TVSeries, Basketball, Plants","2020-11-04 01:50:47","2020-04-04 02:24:42"),(111,"Jemima","Hodges","LxX47uVk8Yn","/img/user_avatar_111.jpg","2001-03-15","8361 Nisl. Rd.","Lleida","CA","Guinea","Female","0753361501","Donec.dignissim@Nuncuterat.co.uk","sed sem egestas blandit. Nam","Science, Cooking, Videogames","2021-02-24 17:55:17","2020-04-07 17:37:39"),(112,"Wanda","Potts","WnJ47xZm4Ht","/img/user_avatar_112.jpg","1997-05-14","1391 Eget Road","Logroño","LR","Syria","Female","0263599143","dapibus.gravida.Aliquam@consequatlectussit.net","nisl. Maecenas malesuada fringilla est. Mauris eu turpis. Nulla aliquet.","Videogames, Sports, Traveling","2020-09-10 15:39:56","2020-04-05 05:05:54"),(113,"Kirby","Wilcox","BuD58oMp8Oc","/img/user_avatar_113.jpg","1994-05-15","2255 Proin St.","Palma de Mallorca","BA","Nauru","Male","0608057146","Integer.tincidunt@Donecnibh.net","habitant morbi","Traveling, Sports, Football","2020-12-13 22:37:26","2020-04-13 13:32:48"),(114,"Mufutau","Harrison","RcX88pJy1Yu","/img/user_avatar_114.jpg","1995-04-26","895-6360 Fringilla Street","Ceuta","Ceuta","Kenya","Male","0898044703","pede.ac.urna@aliquet.co.uk","sodales. Mauris","Football, Sports, Plants","2020-11-10 15:49:57","2020-04-11 15:57:00"),(115,"Jerome","Sampson","PiL58nNg6Ny","/img/user_avatar_115.jpg","1999-01-15","700-9778 Semper Av.","Cáceres","Extremadura","China","Female","0716955594","varius.et@sociisnatoque.com","fringilla mi lacinia mattis. Integer","Cooking, Basketball, Videogames","2020-07-05 22:29:15","2020-04-11 14:44:53"),(116,"Jermaine","Mcdaniel","UwD76hKe9Bz","/img/user_avatar_116.jpg","1998-05-18","Ap #278-3074 Magna. Street","Elx","CV","Gibraltar","Female","0253904127","luctus.ipsum@fermentumrisus.co.uk","massa. Suspendisse eleifend.","Cooking, Traveling, Videogames","2020-05-22 10:36:31","2020-04-09 10:31:18"),(117,"Madeline","Poole","BuY97hRv3Pv","/img/user_avatar_117.jpg","2001-10-15","7530 Ligula St.","Soria","Castilla y León","Iran","Male","0377366180","ultrices@consectetuer.co.uk","Aliquam nisl. Nulla eu","Science, Football, TVSeries","2020-06-28 01:45:06","2020-04-15 04:14:22"),(118,"Sylvester","Montoya","JnC56zVo2Qi","/img/user_avatar_118.jpg","1999-04-06","544-2137 Suspendisse Avenue","Móstoles","Madrid","Turks and Caicos Islands","Male","0774071473","sagittis.felis@temporaugue.co.uk","at, nisi. Cum sociis natoque","TVSeries, Traveling, Science","2020-05-25 10:35:42","2020-04-07 03:02:35"),(119,"Raven","Adkins","OlJ46kSg9Vb","/img/user_avatar_119.jpg","2000-11-18","4342 Augue Rd.","Salamanca","Castilla y León","Romania","Female","0797381401","scelerisque.lorem.ipsum@faucibusorci.net","urna suscipit nonummy.","Plants, Football, Basketball","2020-08-25 23:55:05","2020-04-10 09:08:38"),(120,"Heather","Conner","OpT76mNj6Bl","/img/user_avatar_120.jpg","1996-10-25","P.O. Box 724, 8394 Tincidunt Street","Ceuta","Ceuta","Zimbabwe","Female","0217594963","nascetur.ridiculus@imperdietnecleo.ca","Suspendisse sagittis. Nullam vitae diam. Proin dolor. Nulla semper","Traveling, Cooking, Plants","2021-02-07 13:46:48","2020-04-15 04:17:39"),(121,"Sydney","Herman","VwU50vEn9Na","/img/user_avatar_121.jpg","1995-04-18","P.O. Box 460, 7905 Imperdiet Av.","Castelló","Comunitat Valenciana","Curaçao","Male","0633363919","magna.tellus.faucibus@erat.edu","Donec fringilla. Donec feugiat metus sit amet ante. Vivamus non","Videogames, Science, Plants","2020-12-30 05:34:34","2020-04-03 21:44:41"),(122,"Jerry","Olson","OzE18mOx2Qd","/img/user_avatar_122.jpg","1995-09-12","P.O. Box 582, 4819 Ut Rd.","Ciudad Real","CM","Sint Maarten","Male","0649070203","gravida@egetmagnaSuspendisse.com","dolor, tempus non,","Sports, Basketball, Football","2020-04-29 09:00:01","2020-04-09 21:59:50"),(123,"Aidan","Espinoza","SdR46rOv6Xc","/img/user_avatar_123.jpg","1995-04-07","Ap #710-5601 Tempor, St.","Lugo","GA","Falkland Islands","Female","0953087373","nunc.ac@ac.com","dictum eleifend, nunc risus varius orci, in","TVSeries, Cooking, Basketball","2020-02-03 06:45:00","2020-04-11 14:14:22"),(124,"Bernard","Barron","UkP75vHa6Wc","/img/user_avatar_124.jpg","2001-08-24","379-7405 Tellus Ave","Badajoz","EX","Curaçao","Female","0943222408","nec@quisurna.com","sed, facilisis vitae, orci. Phasellus dapibus quam quis","Basketball, Cooking, Videogames","2020-05-10 07:33:54","2020-04-05 11:29:10"),(125,"Rooney","Douglas","VhB79hQo7Vn","/img/user_avatar_125.jpg","1995-09-10","1722 Tincidunt Road","San Cristóbal de la Laguna","CN","Norfolk Island","Male","0394694932","volutpat.Nulla.facilisis@Aenean.ca","eu","TVSeries, Traveling, Cooking","2020-02-22 09:00:50","2020-04-07 00:07:38"),(126,"Patrick","Conrad","JqV70bMh6Ws","/img/user_avatar_126.jpg","2002-01-20","Ap #466-7792 Nulla Ave","Córdoba","AN","Nauru","Male","0409928650","nisi@acmattissemper.edu","lectus.","Plants, Sports, Science","2020-01-01 11:17:42","2020-04-14 16:37:22"),(127,"Reed","Dudley","FvC36wFl2Xz","/img/user_avatar_127.jpg","1994-10-19","5895 Et Av.","Albacete","Castilla - La Mancha","Lesotho","Female","0534970685","ornare.lectus.justo@vel.net","non lorem vitae odio sagittis semper. Nam","Cooking, Science, Sports","2021-03-23 15:27:09","2020-04-09 05:51:32"),(128,"Rowan","Juarez","ImN84gQb5Yl","/img/user_avatar_128.jpg","1998-08-23","6124 Eleifend, Av.","Cáceres","EX","Djibouti","Female","0308932218","sociis@fermentum.edu","ligula elit, pretium et,","Basketball, Traveling, Cooking","2021-02-26 00:39:46","2020-04-09 11:53:03"),(129,"Alfreda","Riddle","KxH16sRv4Bg","/img/user_avatar_129.jpg","2001-10-23","572-7767 Morbi Avenue","A Coruña","GA","Papua New Guinea","Male","0163766113","primis.in@magnis.ca","sapien, cursus in, hendrerit consectetuer, cursus et,","Traveling, Science, Plants","2020-01-30 03:36:00","2020-04-14 01:24:59"),(130,"Alika","Dudley","CkA41tOw3Wr","/img/user_avatar_130.jpg","1999-11-07","P.O. Box 591, 4416 Diam. Rd.","Palencia","CL","Serbia","Male","0827723513","arcu.Sed@Proin.ca","libero. Proin sed turpis nec mauris blandit mattis.","Football, Basketball, Videogames","2020-12-23 09:18:09","2020-04-04 00:05:32"),(131,"Victoria","Gonzales","BfT42jNd6Hu","/img/user_avatar_131.jpg","1994-11-23","P.O. Box 141, 9058 At Rd.","Algeciras","AN","Solomon Islands","Female","0694855411","nec.urna.suscipit@egetipsumSuspendisse.co.uk","at arcu. Vestibulum ante ipsum","Football, Science, Traveling","2020-11-14 00:05:33","2020-04-11 01:26:36"),(132,"Gretchen","Doyle","PeI69oZk2Oh","/img/user_avatar_132.jpg","2000-07-20","7210 Convallis Rd.","Lleida","CA","Bahamas","Female","0256574888","sapien@aliquamadipiscinglacus.com","magna. Nam ligula elit, pretium et, rutrum non,","Videogames, Science, Traveling","2020-07-16 22:34:05","2020-04-07 16:22:38"),(133,"Kane","Valdez","IfZ88dOj5Jm","/img/user_avatar_133.jpg","1994-12-07","617 Aliquet Rd.","Gasteiz","Euskadi","El Salvador","Male","0328407476","dictum.sapien.Aenean@sapien.org","feugiat metus sit amet ante. Vivamus non","Plants, Cooking, Videogames","2020-06-02 10:43:11","2020-04-04 15:36:15"),(134,"Sydnee","Riggs","GjZ74iUj9Cc","/img/user_avatar_134.jpg","1999-08-27","Ap #693-5527 Arcu. Av.","Gijón","AS","Ethiopia","Male","0795798079","ac.urna.Ut@elit.ca","suscipit, est ac facilisis facilisis, magna tellus","Plants, Science, Videogames","2020-04-10 07:26:34","2020-04-10 19:02:09"),(135,"Charity","Burns","RzV19dMk1Mf","/img/user_avatar_135.jpg","1997-10-08","5536 Pellentesque, St.","Bilbo","Euskadi","South Sudan","Female","0268109057","lacus.Etiam.bibendum@ipsumdolorsit.net","Mauris ut quam vel sapien","TVSeries, Cooking, Basketball","2020-04-19 12:14:54","2020-04-15 00:03:09"),(136,"Denton","Hull","YfR15oPl0Th","/img/user_avatar_136.jpg","1996-03-14","Ap #994-3026 Fusce Road","Oviedo","Principado de Asturias","Myanmar","Female","0584358440","In@consectetuer.co.uk","lacus. Ut nec urna et arcu imperdiet ullamcorper. Duis","Sports, Basketball, Cooking","2020-10-01 02:31:25","2020-04-08 03:57:29"),(137,"Adrian","Mcbride","NpO62iVh1Xf","/img/user_avatar_137.jpg","1999-06-17","3730 Mattis St.","Castelló","Comunitat Valenciana","Hungary","Male","0312826105","arcu.Sed@dictum.edu","vitae odio sagittis semper. Nam tempor diam dictum sapien. Aenean","Sports, TVSeries, Basketball","2020-08-12 20:42:45","2020-04-15 14:46:02"),(138,"Eliana","Warren","SpP66wXf4Rs","/img/user_avatar_138.jpg","2000-10-05","P.O. Box 514, 2189 Iaculis Avenue","Santa Cruz de Tenerife","CN","Guadeloupe","Male","0805145286","Donec.feugiat@elementumpurus.ca","Sed nec metus facilisis lorem tristique","Traveling, Sports, Cooking","2020-01-24 12:17:06","2020-04-06 13:56:06"),(139,"David","Frazier","KjW83wNz1Xs","/img/user_avatar_139.jpg","1999-08-14","P.O. Box 326, 8637 Nec Av.","L'Hospitalet de Llobregat","CA","Iraq","Female","0993137639","Proin.dolor@convallisdolorQuisque.co.uk","dolor sit amet, consectetuer adipiscing elit. Etiam laoreet, libero","TVSeries, Plants, Traveling","2021-01-15 17:29:01","2020-04-12 22:09:51"),(140,"Bree","Rosario","JbJ10fXi1Ku","/img/user_avatar_140.jpg","1996-03-25","5238 Dolor. Rd.","Cádiz","Andalucía","Thailand","Female","0278871020","Quisque.tincidunt.pede@lobortis.ca","laoreet lectus","Science, Cooking, Videogames","2020-05-08 19:40:24","2020-04-11 15:07:33"),(141,"Abel","Cole","TcC32eTq5Kk","/img/user_avatar_141.jpg","2002-03-15","270-317 Imperdiet St.","Pontevedra","Galicia","Belgium","Male","0881421493","cursus@Curabiturvel.org","egestas. Aliquam nec enim. Nunc ut","Videogames, Basketball, Cooking","2020-07-08 11:47:16","2020-04-10 16:14:18"),(142,"Dillon","Woodward","IkV34lTk9Il","/img/user_avatar_142.jpg","1995-07-15","Ap #173-7248 Suspendisse Rd.","Alcorcón","Madrid","Åland Islands","Male","0998632206","Fusce@pedeultrices.org","magnis dis parturient montes, nascetur ridiculus mus.","TVSeries, Science, Cooking","2021-03-06 16:28:11","2020-04-03 02:52:30"),(143,"Kylan","French","KtR29zNx8Yu","/img/user_avatar_143.jpg","1996-10-13","Ap #204-9010 Tincidunt Rd.","Santander","CA","Uganda","Female","0801481235","Nulla.semper@rutrumurna.ca","malesuada fames ac turpis","TVSeries, Sports, Videogames","2020-12-21 06:21:26","2020-04-01 05:40:38"),(144,"Alan","Cochran","TpB40wXz4Rf","/img/user_avatar_144.jpg","1996-07-08","P.O. Box 683, 4052 Proin St.","Madrid","Madrid","Brunei","Female","0330958059","ullamcorper.magna.Sed@ridiculusmus.edu","natoque penatibus et magnis dis parturient montes,","Science, Football, Videogames","2020-02-01 22:22:07","2020-04-13 11:01:19"),(145,"Doris","Frederick","DfF19zPg3Mw","/img/user_avatar_145.jpg","1999-09-28","Ap #546-4762 Gravida St.","Huesca","Aragón","Iran","Male","0825474778","odio.a@sem.ca","sed pede nec ante blandit","Football, TVSeries, Basketball","2020-01-19 19:10:11","2020-04-13 21:46:01"),(146,"Alika","Ball","PlL23aHg1Zz","/img/user_avatar_146.jpg","1998-02-12","1168 Vitae St.","Pamplona","NA","Bonaire, Sint Eustatius and Saba","Male","0254617547","nisi.Cum@vel.org","sodales","Football, Science, Traveling","2020-10-04 22:18:20","2020-04-05 00:01:11"),(147,"Isaac","Bennett","SmH68yGq8Ht","/img/user_avatar_147.jpg","1997-02-08","1507 Nonummy Road","Gijón","Principado de Asturias","Cape Verde","Female","0462144639","porttitor.interdum.Sed@temporeratneque.ca","Vivamus sit amet risus. Donec","TVSeries, Videogames, Cooking","2020-12-30 10:20:25","2020-04-11 09:56:43"),(148,"Lance","Rojas","DbJ39uXz9Mu","/img/user_avatar_148.jpg","1998-11-13","973-3671 Aliquam St.","Santander","CA","Luxembourg","Female","0325075116","egestas@Crasloremlorem.org","aliquet. Phasellus fermentum convallis ligula.","Videogames, Sports, TVSeries","2020-01-26 03:27:19","2020-04-10 06:45:28"),(149,"Nevada","Clay","FeP64fVt6Ij","/img/user_avatar_149.jpg","2000-03-10","Ap #100-4455 Eu, Rd.","León","Castilla y León","Viet Nam","Male","0728361699","consectetuer@ligula.net","egestas nunc sed libero. Proin sed turpis nec mauris","Cooking, Videogames, Plants","2020-11-30 00:46:16","2020-04-05 05:22:05"),(150,"Brody","Bradshaw","SiG53lZn2Ek","/img/user_avatar_150.jpg","1998-09-26","8408 Sit Avenue","Cáceres","Extremadura","Croatia","Male","0839370984","nulla.at@velitCras.ca","nec quam. Curabitur vel","Basketball, Sports, Traveling","2020-05-12 21:46:44","2020-04-11 17:01:37"),(151,"Aiko","Casey","IvG85dGb8Hp","/img/user_avatar_151.jpg","1999-06-13","792-6981 Aliquam Ave","Bilbo","Euskadi","Cambodia","Female","0297058257","Praesent.interdum@nislelementum.ca","Vivamus nibh dolor, nonummy ac, feugiat non, lobortis quis,","TVSeries, Basketball, Traveling","2021-02-23 02:17:57","2020-04-10 13:03:12"),(152,"Carissa","Barker","EmD08bLn5Nb","/img/user_avatar_152.jpg","1994-09-02","8193 Volutpat. Road","Lugo","GA","Vanuatu","Female","0439566695","aliquet.diam.Sed@utquam.co.uk","quis arcu","Football, Cooking, Traveling","2020-12-20 03:19:00","2020-04-03 02:17:42"),(153,"Kai","Kirk","ZtJ45xQc1Hw","/img/user_avatar_153.jpg","1998-09-06","792 Donec Av.","Donosti","Euskadi","Norway","Male","0824449356","ullamcorper@fermentum.co.uk","ligula. Aenean gravida nunc sed","Traveling, Videogames, Sports","2021-02-14 06:01:45","2020-04-06 08:29:16"),(154,"Alfreda","Walsh","JzM38kPx5Jr","/img/user_avatar_154.jpg","1998-01-04","Ap #467-2559 Nec Ave","Melilla","ME","Italy","Male","0379172397","augue.porttitor@Crasvehiculaaliquet.com","ipsum primis in faucibus orci luctus et","Science, Cooking, Basketball","2020-10-04 22:53:16","2020-04-12 20:32:41"),(155,"Orson","Cleveland","SsZ86pHr6Cw","/img/user_avatar_155.jpg","1995-04-08","9045 Volutpat Ave","Tarrasa","Catalunya","Côte D'Ivoire (Ivory Coast)","Female","0393965108","eget@sitamet.com","arcu et pede. Nunc","Basketball, Sports, Football","2021-04-02 17:28:05","2020-04-14 22:14:19"),(156,"Price","Zimmerman","QdC28dFo8Ii","/img/user_avatar_156.jpg","2001-01-16","5546 Nisi Road","Cáceres","EX","Cyprus","Female","0184346085","Mauris@uterosnon.edu","consectetuer ipsum","Cooking, TVSeries, Science","2020-06-30 01:56:37","2020-04-08 12:48:51"),(157,"Alyssa","Caldwell","HwG21oQi8Ep","/img/user_avatar_157.jpg","1995-11-02","Ap #499-3555 Ipsum Av.","Parla","Madrid","Pakistan","Male","0442980331","Integer.vulputate@non.org","egestas. Sed pharetra, felis eget varius ultrices, mauris ipsum","Videogames, Traveling, Football","2020-11-01 14:29:09","2020-04-13 11:46:56"),(158,"Griffith","Wade","AkY18xCe4Xs","/img/user_avatar_158.jpg","2001-07-28","Ap #151-1642 Mollis Road","Santa Cruz de Tenerife","CN","Netherlands","Male","0520364892","iaculis.lacus.pede@magnaCras.edu","Sed eu eros. Nam consequat dolor","Football, Plants, TVSeries","2020-03-09 15:29:09","2020-04-05 06:31:06"),(159,"Irma","Hanson","LsA62oQb0Ib","/img/user_avatar_159.jpg","2001-03-18","363-553 Odio. Rd.","Zaragoza","AR","Togo","Female","0651328787","risus.odio.auctor@mus.com","varius ultrices, mauris ipsum porta elit,","Plants, TVSeries, Traveling","2020-06-16 12:02:03","2020-04-04 16:53:15"),(160,"Yoko","Goff","KtI44yQs3Us","/img/user_avatar_160.jpg","1998-02-06","2260 Non Ave","Logroño","LR","Thailand","Female","0441505348","purus.in@vitaepurusgravida.net","odio. Nam interdum","Videogames, Plants, Science","2020-05-27 06:23:30","2020-04-06 15:29:16"),(161,"Mona","Alvarado","QsT90fHu4Lz","/img/user_avatar_161.jpg","1998-05-15","Ap #713-8712 Praesent Rd.","Ceuta","CE","Guinea-Bissau","Male","0365397122","lacus.Nulla.tincidunt@musProinvel.com","Aliquam ornare, libero at auctor","Science, Cooking, Traveling","2021-03-17 22:25:58","2020-04-07 07:43:58"),(162,"Claire","Parrish","PgC69zMv8Ls","/img/user_avatar_162.jpg","2002-03-29","784-9335 Ipsum Street","Pontevedra","GA","Pakistan","Male","0648026069","conubia@cursus.org","dignissim tempor arcu. Vestibulum ut eros non enim commodo","TVSeries, Football, Basketball","2020-03-20 14:21:50","2020-04-03 10:24:54"),(163,"Ahmed","Case","JaK57pVn1Ro","/img/user_avatar_163.jpg","2002-01-03","P.O. Box 121, 6256 Luctus Rd.","Palma de Mallorca","BA","Nicaragua","Female","0324427131","quam@nectempus.com","per conubia","Traveling, Plants, Sports","2021-03-15 20:14:45","2020-04-12 12:24:14"),(164,"Walker","Rivas","LnM75kPb5Gh","/img/user_avatar_164.jpg","2001-08-24","5902 Consectetuer, Road","Melilla","Melilla","Argentina","Female","0881813553","magna.a.neque@estNunc.co.uk","eros.","Basketball, TVSeries, Science","2020-07-22 19:10:12","2020-04-04 08:39:26"),(165,"Kelly","Hurley","LiF29rNh3Vi","/img/user_avatar_165.jpg","1997-07-14","Ap #478-2761 Commodo Road","Teruel","AR","Côte D'Ivoire (Ivory Coast)","Male","0939699506","placerat.Cras.dictum@auctor.org","risus a ultricies adipiscing, enim","TVSeries, Science, Traveling","2020-04-13 02:44:52","2020-04-06 02:11:46"),(166,"Clarke","Mejia","AsG61kIi1Ne","/img/user_avatar_166.jpg","1999-04-09","P.O. Box 294, 690 Sed Av.","Zaragoza","AR","Moldova","Male","0148054559","mi@aliquameros.com","orci lacus vestibulum lorem, sit amet ultricies sem magna nec","Videogames, Science, Plants","2020-05-03 18:57:13","2020-04-15 13:09:44"),(167,"Karyn","Petersen","RtE03qHj7De","/img/user_avatar_167.jpg","1996-03-06","P.O. Box 306, 9873 Tellus Street","Albacete","Castilla - La Mancha","Falkland Islands","Female","0466371233","odio.auctor@tincidunttempus.net","sagittis. Duis gravida. Praesent eu nulla at sem molestie","Cooking, Football, TVSeries","2020-08-02 13:23:09","2020-04-08 06:38:50"),(168,"Florence","Bradley","JvA85tOw4Hw","/img/user_avatar_168.jpg","1996-12-18","427-6326 At Street","Logroño","LR","Namibia","Female","0707824465","purus.Maecenas@accumsan.co.uk","id, erat. Etiam vestibulum massa rutrum magna. Cras","Plants, Sports, Cooking","2020-07-14 06:35:17","2020-04-04 21:39:47"),(169,"Matthew","Cannon","DrC16zRs8Af","/img/user_avatar_169.jpg","2000-05-30","3951 Donec Rd.","San Cristóbal de la Laguna","Canarias","Myanmar","Male","0480107318","gravida.nunc@inmagna.ca","pede. Nunc sed","Sports, TVSeries, Cooking","2020-04-12 23:01:10","2020-04-02 19:22:27"),(170,"Paki","Juarez","FgU54vGk2St","/img/user_avatar_170.jpg","2002-01-18","113-4898 Et Ave","Pamplona","NA","Nepal","Male","0698239917","ut@enimEtiamgravida.edu","ipsum","Cooking, Videogames, Science","2020-05-12 12:36:03","2020-04-12 18:22:56"),(171,"Stephanie","Houston","YxU21gMa3Og","/img/user_avatar_171.jpg","1999-01-12","P.O. Box 626, 2679 Nulla Avenue","Gijón","Principado de Asturias","Virgin Islands, British","Female","0325130475","non.quam@mattisCraseget.org","egestas. Aliquam fringilla cursus purus. Nullam","Traveling, Cooking, Plants","2020-08-03 06:56:54","2020-04-02 16:28:04"),(172,"Yuli","Merritt","JdV17mCf2Ec","/img/user_avatar_172.jpg","1995-02-08","P.O. Box 126, 3971 Metus Rd.","Córdoba","AN","Djibouti","Female","0312351957","est@vitaesemper.co.uk","Aenean gravida nunc sed pede. Cum","Science, Basketball, Plants","2020-06-05 17:49:58","2020-04-02 21:38:44"),(173,"Keefe","Watts","ZfT25gCf9Gc","/img/user_avatar_173.jpg","1998-10-18","942-1779 Mauris Road","Zaragoza","Aragón","Bermuda","Male","0759380632","malesuada@acipsum.com","vel, mauris. Integer sem elit, pharetra ut,","Basketball, Videogames, Science","2020-12-06 13:57:48","2020-04-15 20:34:39"),(174,"Eric","Dickson","IvI77fGd8Gf","/img/user_avatar_174.jpg","1998-08-12","2004 Sit Ave","Zamora","Castilla y León","Nauru","Male","0267532232","Duis@faucibusorci.co.uk","risus. Quisque libero lacus,","Basketball, Cooking, Football","2020-01-24 19:05:27","2020-04-12 09:05:00"),(175,"Felicia","Rowland","TfU22xXa7Qv","/img/user_avatar_175.jpg","1995-08-04","P.O. Box 484, 9713 Sed St.","Ávila","Castilla y León","Saint Barthélemy","Female","0317097378","Donec.non.justo@aliquetliberoInteger.edu","aliquet magna a neque. Nullam ut","Basketball, Videogames, Sports","2020-11-09 05:10:39","2020-04-04 19:16:04"),(176,"Audra","Dickson","HjK96jBv8Cp","/img/user_avatar_176.jpg","1994-08-02","P.O. Box 601, 3590 Pede. Av.","Huelva","AN","New Caledonia","Female","0241961520","non@insodaleselit.net","imperdiet non, vestibulum nec, euismod","Plants, TVSeries, Traveling","2020-04-26 12:34:00","2020-04-10 02:56:15"),(177,"Geraldine","Pate","RqX27nGp9Ff","/img/user_avatar_177.jpg","1997-08-04","P.O. Box 895, 4758 Felis Street","Logroño","LR","Brunei","Male","0328511208","enim.Etiam.imperdiet@Sed.org","sem. Nulla interdum. Curabitur dictum. Phasellus in felis. Nulla","Sports, TVSeries, Basketball","2021-02-12 04:09:51","2020-04-13 06:11:54"),(178,"Armando","Ramos","CuM57aSm6Gz","/img/user_avatar_178.jpg","1994-11-01","681-2139 Duis St.","Teruel","Aragón","Saint Kitts and Nevis","Male","0602534057","vel@turpis.edu","mauris eu elit. Nulla facilisi. Sed neque.","Football, Science, Traveling","2021-03-19 20:15:45","2020-04-08 02:52:27"),(179,"Lev","Mason","FjN27wYg0Uc","/img/user_avatar_179.jpg","1997-08-01","3542 Arcu. St.","Burgos","CL","Ukraine","Female","0829994193","eleifend@non.org","ut lacus. Nulla tincidunt, neque vitae semper","Videogames, Plants, Science","2020-07-20 02:19:40","2020-04-14 12:02:37"),(180,"Teagan","Hardin","NgF15tPh1Sx","/img/user_avatar_180.jpg","1998-01-17","P.O. Box 727, 5379 Nulla St.","Badalona","CA","Ireland","Female","0906884216","diam.Proin.dolor@ametrisusDonec.edu","diam at pretium aliquet, metus","Science, Basketball, Cooking","2020-08-26 15:29:33","2020-04-15 03:13:05"),(181,"Jordan","Key","EbS65aCm3Nl","/img/user_avatar_181.jpg","1995-01-08","P.O. Box 666, 3596 Ipsum St.","Cartagena","Murcia","Uruguay","Male","0132031513","vulputate.lacus.Cras@Nullatemporaugue.ca","dictum sapien. Aenean massa. Integer","Basketball, Traveling, Cooking","2020-02-04 08:50:30","2020-04-08 11:25:26"),(182,"Quinn","Dillon","DlE53hEa2Ny","/img/user_avatar_182.jpg","1995-04-25","4003 Orci Av.","Badajoz","EX","South Africa","Male","0890681636","enim@lacus.ca","orci, in consequat enim diam vel arcu. Curabitur ut","Traveling, Science, Cooking","2020-10-13 13:31:11","2020-04-15 00:54:34"),(183,"Alvin","Miller","SqL45nBc8Un","/img/user_avatar_183.jpg","1997-03-16","1051 Et Rd.","Badajoz","EX","Malaysia","Female","0567324134","pharetra.felis.eget@blandit.net","tincidunt congue turpis.","Science, Plants, Videogames","2020-10-21 18:53:19","2020-04-12 10:00:06"),(184,"Ignatius","Rivers","GkW93rCc5Wu","/img/user_avatar_184.jpg","2001-11-29","P.O. Box 883, 8871 Et Road","Logroño","La Rioja","Cocos (Keeling) Islands","Female","0481893563","magna@Donecdignissim.co.uk","Aenean","Plants, Football, TVSeries","2020-09-28 16:07:00","2020-04-13 02:04:50"),(185,"Nichole","Pugh","DpX12jGw2Li","/img/user_avatar_185.jpg","2000-05-31","Ap #457-4133 Quis, St.","Badajoz","Extremadura","Faroe Islands","Male","0313435621","arcu@QuisquevariusNam.edu","ut, pharetra sed, hendrerit a, arcu. Sed et","Science, TVSeries, Football","2020-10-07 17:30:09","2020-04-02 18:36:10"),(186,"Marvin","Hobbs","McY84nOh4Er","/img/user_avatar_186.jpg","1999-02-02","7629 Gravida St.","Ceuta","Ceuta","Thailand","Male","0371537418","nonummy@Loremipsumdolor.com","In at pede. Cras","Sports, Traveling, Plants","2020-12-18 21:48:32","2020-04-07 10:59:37"),(187,"Clayton","Curtis","EqG98yTg5Sh","/img/user_avatar_187.jpg","1994-07-26","Ap #285-8289 Vulputate Road","Castelló","CV","Senegal","Female","0712503767","lectus@quamdignissim.edu","sit amet, consectetuer","Traveling, Cooking, Sports","2020-01-14 21:12:46","2020-04-15 13:12:21"),(188,"Nathaniel","Pittman","WeE48bGi9Fc","/img/user_avatar_188.jpg","2001-04-12","Ap #449-9970 Urna Avenue","Logroño","La Rioja","Greece","Female","0539539932","purus@Donecconsectetuermauris.ca","nibh dolor, nonummy ac,","Basketball, Traveling, Plants","2020-12-25 18:06:21","2020-04-10 12:17:08"),(189,"Carly","Kennedy","UnK13jQs8Jm","/img/user_avatar_189.jpg","1997-03-04","629-1562 Est Rd.","Cartagena","MU","Serbia","Male","0204584084","hendrerit.id.ante@quismassa.co.uk","In condimentum. Donec at arcu. Vestibulum ante","Basketball, Sports, Plants","2020-12-30 06:56:51","2020-04-02 16:07:38"),(190,"Kylynn","Mills","KlV86qHu2Ti","/img/user_avatar_190.jpg","1996-12-07","905 Nulla Road","Vigo","GA","Guatemala","Male","0921010351","dui.augue@Inmi.edu","auctor odio a purus. Duis elementum, dui quis accumsan convallis,","Cooking, TVSeries, Traveling","2020-11-27 23:27:51","2020-04-13 14:07:30"),(191,"Chava","William","TfJ35yNc7Yh","/img/user_avatar_191.jpg","1997-08-13","5540 Cubilia Street","Cartagena","Murcia","Monaco","Female","0106525397","mollis.Phasellus.libero@risus.co.uk","at, libero. Morbi accumsan laoreet ipsum. Curabitur","Videogames, Plants, Cooking","2020-07-15 04:05:27","2020-04-14 14:45:58"),(192,"Lewis","Webster","RfK83vGu6Qb","/img/user_avatar_192.jpg","2000-08-25","Ap #281-5994 Sed St.","Palencia","Castilla y León","Holy See (Vatican City State)","Female","0624553442","id.magna@vitaesemper.com","per conubia nostra, per inceptos","Videogames, Cooking, Football","2021-02-15 03:44:43","2020-04-07 03:56:05"),(193,"Robert","Hickman","ErB10yAx8Hp","/img/user_avatar_193.jpg","1996-10-16","967-9510 Bibendum Street","Logroño","La Rioja","Israel","Male","0730307584","hendrerit.neque.In@ut.net","dolor.","Sports, Science, Plants","2021-02-04 09:07:55","2020-04-13 19:48:47"),(194,"Zachary","Kim","YiP72fWq8Eu","/img/user_avatar_194.jpg","1999-07-05","5738 Tempor Rd.","Badajoz","EX","Palestine, State of","Male","0769139685","mauris.Integer@aliquetmagnaa.edu","Fusce fermentum fermentum","Cooking, Basketball, Traveling","2020-07-20 05:41:29","2020-04-13 16:45:52"),(195,"Yvonne","Holcomb","BnO65oNy6Ty","/img/user_avatar_195.jpg","1997-07-23","P.O. Box 248, 7084 Dui. Rd.","Alcorcón","MA","Italy","Female","0367864961","enim@diamatpretium.ca","ipsum","Science, TVSeries, Videogames","2020-02-28 22:45:50","2020-04-11 22:04:32"),(196,"Hedwig","Melendez","EkH38eJl5Zi","/img/user_avatar_196.jpg","1995-03-28","Ap #960-6914 Dictum Rd.","Tarrasa","Catalunya","Croatia","Female","0981907931","eu.odio.tristique@vulputatenisi.co.uk","Curae; Phasellus ornare. Fusce","Basketball, TVSeries, Science","2020-08-18 22:34:14","2020-04-12 15:26:21"),(197,"Leo","Schultz","PvE75uWt3Yb","/img/user_avatar_197.jpg","1997-12-12","362 Orci, Rd.","Palma de Mallorca","Illes Balears","Fiji","Male","0986702945","mattis.Integer@Pellentesquetincidunttempus.net","eu, euismod ac,","TVSeries, Basketball, Football","2020-04-25 12:12:31","2020-04-11 19:02:24"),(198,"Derek","Alston","AmJ63lLm4Bx","/img/user_avatar_198.jpg","1999-01-07","503-6078 Aliquet Road","Torrejón de Ardoz","Madrid","Macedonia","Male","0114017892","posuere@CuraePhasellus.edu","Integer tincidunt aliquam arcu.","Videogames, Science, Basketball","2020-07-30 09:57:06","2020-04-08 17:20:28"),(199,"Tallulah","Conley","SpF46aZp7Hs","/img/user_avatar_199.jpg","1998-07-25","416-8379 Tellus. Road","Segovia","CL","Seychelles","Female","0940442712","Donec@mipedenonummy.com","nonummy ac, feugiat non, lobortis quis, pede. Suspendisse dui.","Traveling, Plants, Cooking","2021-02-01 21:19:54","2020-04-08 15:33:38"),(200,"Marsden","Osborne","UbI12dQn6Zb","/img/user_avatar_200.jpg","1997-06-09","200-3232 Ornare, Rd.","Palma de Mallorca","BA","Comoros","Female","0257653478","arcu.Morbi@hendrerit.ca","mollis.","Videogames, Traveling, Basketball","2020-02-06 02:05:53","2020-04-10 23:25:07");
INSERT INTO `users` (`id`,`first_name`,`second_name`,`user_password`,`user_img`,`birth_date`,`adress`,`city`,`province`,`country`,`sex`,`tel`,`email`,`user_status`,`interests`,`creation_date`,`last_modification`) VALUES (201,"Simon","Robinson","SqU04nOk3Bx","/img/user_avatar_201.jpg","1994-12-12","Ap #280-6864 Nunc Road","Logroño","La Rioja","Albania","Male","0172201926","arcu@MaurisnullaInteger.com","Nunc sed","Plants, Cooking, Science","2020-07-31 17:24:04","2020-04-07 13:11:29"),(202,"Maisie","Serrano","ObN66uRo0Ra","/img/user_avatar_202.jpg","1997-10-29","Ap #213-8006 Accumsan Rd.","Melilla","ME","Mali","Male","0614391973","non.magna.Nam@risusDonec.edu","mi pede, nonummy ut, molestie in,","Basketball, Cooking, Videogames","2020-06-13 18:30:30","2020-04-14 10:38:29"),(203,"Farrah","Wagner","TbS96mSe8Nj","/img/user_avatar_203.jpg","2001-01-13","835-1062 Sed Av.","Palencia","CL","Equatorial Guinea","Female","0755983489","Nullam@magnaDuisdignissim.edu","erat. Etiam vestibulum massa rutrum magna.","Science, Sports, Traveling","2020-07-04 23:46:59","2020-04-14 22:19:36"),(204,"Stone","Harrison","DnL30qLy2Nr","/img/user_avatar_204.jpg","1997-04-10","1895 Pharetra Av.","Santander","Cantabria","Sao Tome and Principe","Female","0938510502","parturient.montes.nascetur@Vivamusnon.org","interdum. Curabitur dictum. Phasellus","TVSeries, Traveling, Football","2021-03-16 23:24:26","2020-04-13 01:08:26"),(205,"Merrill","Bell","GsN77xAf7Xd","/img/user_avatar_205.jpg","2002-02-18","P.O. Box 648, 9240 Nec Ave","Ceuta","CE","Argentina","Male","0313118051","mi.pede@ligulaeu.com","ut,","Videogames, Plants, Basketball","2020-04-07 16:16:44","2020-04-02 02:40:52"),(206,"Chancellor","Simmons","CiU92hOo0Ir","/img/user_avatar_206.jpg","2000-07-14","Ap #263-8315 Dolor Avenue","Torrevieja","CV","Gibraltar","Male","0888926877","sed@quisurna.net","pellentesque, tellus sem mollis dui,","Basketball, Cooking, Science","2020-11-03 22:24:57","2020-04-02 14:17:55"),(207,"Melyssa","Baxter","UyW92xZq5Fp","/img/user_avatar_207.jpg","1997-08-14","Ap #492-799 Tempor, Ave","San Cristóbal de la Laguna","Canarias","Iraq","Female","0725846795","sapien@pedeCrasvulputate.edu","Nulla facilisis. Suspendisse commodo","Science, Basketball, Football","2021-03-13 13:58:07","2020-04-07 19:28:19"),(208,"Curran","Mcleod","LbP05oQk0Ys","/img/user_avatar_208.jpg","1995-04-22","5987 Ligula. Rd.","Ceuta","CE","Åland Islands","Female","0800722067","accumsan.neque@vel.org","Integer tincidunt aliquam arcu. Aliquam ultrices","Basketball, TVSeries, Traveling","2021-04-14 04:55:25","2020-04-15 07:05:12"),(209,"Hadassah","Frederick","JnH50rBu3Jr","/img/user_avatar_209.jpg","1995-11-23","Ap #873-877 Mi, Rd.","Santander","Cantabria","Guinea","Male","0348683421","Pellentesque@ametultriciessem.ca","nostra, per","Football, Basketball, Science","2021-01-21 22:45:13","2020-04-07 08:02:34"),(210,"Addison","Carroll","YkY02lBh7Ws","/img/user_avatar_210.jpg","1997-01-27","8090 Proin St.","Toledo","CM","Liberia","Male","0524475138","ac.facilisis@Integer.ca","odio vel est tempor bibendum. Donec felis orci,","Football, Sports, Plants","2020-12-10 20:41:30","2020-04-09 15:11:51"),(211,"Aurelia","Brock","XkV01lIv4Bm","/img/user_avatar_211.jpg","1995-02-01","P.O. Box 148, 520 Vel Road","Las Palmas","CN","Laos","Female","0437316798","pretium.neque@accumsanconvallisante.org","inceptos hymenaeos. Mauris ut quam","Science, Traveling, TVSeries","2020-04-21 06:45:03","2020-04-13 11:04:01"),(212,"Sandra","Drake","EiE75kYm7Pl","/img/user_avatar_212.jpg","1995-09-18","9714 Velit St.","Albacete","Castilla - La Mancha","Norway","Female","0611995430","felis@Craseget.net","Etiam bibendum fermentum metus. Aenean sed pede nec ante","TVSeries, Plants, Science","2020-03-12 15:51:56","2020-04-15 22:35:21"),(213,"Ruth","Hurst","SpI58jQx5Kt","/img/user_avatar_213.jpg","1999-07-04","398-4222 Nunc Rd.","Huesca","AR","Curaçao","Male","0486639804","varius.Nam.porttitor@etpedeNunc.com","aliquet lobortis,","Basketball, Traveling, Science","2020-12-20 18:44:34","2020-04-05 14:17:16"),(214,"Austin","Rush","YbC49lOm3Qj","/img/user_avatar_214.jpg","1998-12-21","435 Suspendisse Avenue","Huelva","Andalucía","Morocco","Male","0791145262","id@sitametante.net","et ultrices","Basketball, Traveling, Videogames","2020-08-23 17:24:05","2020-04-05 11:52:56"),(215,"Igor","Edwards","EpN43lVf6Nl","/img/user_avatar_215.jpg","2000-05-07","P.O. Box 681, 2866 Cursus. Av.","Albacete","Castilla - La Mancha","Finland","Female","0968523089","dui@malesuadaaugueut.edu","molestie sodales. Mauris blandit enim","Science, Basketball, Sports","2021-04-14 12:44:20","2020-04-09 05:03:40"),(216,"Nathan","Mercado","AuE42kJt5Pq","/img/user_avatar_216.jpg","1997-09-24","385-7995 Fames Avenue","Pamplona","NA","Russian Federation","Female","0968294686","vel.faucibus@tortordictum.com","semper tellus id nunc interdum feugiat.","Plants, Sports, Basketball","2020-04-16 20:39:10","2020-04-14 16:49:30"),(217,"Victoria","Robertson","TmT55xBg0Ck","/img/user_avatar_217.jpg","1997-09-11","Ap #322-9628 Penatibus Ave","Ceuta","CE","Gambia","Male","0833403708","Mauris.quis@Nunc.edu","Nullam velit dui, semper","Basketball, Cooking, Videogames","2020-04-26 18:03:39","2020-04-15 17:13:44"),(218,"Gareth","Pollard","XyR77yNu7Ue","/img/user_avatar_218.jpg","2001-09-23","Ap #818-5359 Elit, Rd.","Lleida","Catalunya","Suriname","Male","0195909133","auctor.quis.tristique@a.com","arcu eu odio tristique pharetra. Quisque","Basketball, Sports, Plants","2021-03-16 20:39:33","2020-04-07 02:02:49"),(219,"Rebekah","Sweeney","LyQ79cOa4Zc","/img/user_avatar_219.jpg","1994-11-12","P.O. Box 850, 2449 Sem Avenue","Parla","Madrid","New Caledonia","Female","0754603199","a@lectus.net","vehicula et, rutrum eu, ultrices sit amet, risus. Donec","Sports, Cooking, Science","2020-02-11 07:44:23","2020-04-07 04:39:31"),(220,"Ruth","Richardson","HqG02pYn8Go","/img/user_avatar_220.jpg","1997-06-12","P.O. Box 301, 7132 Magna Avenue","Palma de Mallorca","BA","Samoa","Female","0604290530","volutpat.nunc@consectetueradipiscingelit.edu","interdum feugiat. Sed nec metus","TVSeries, Cooking, Plants","2020-12-24 05:38:21","2020-04-14 12:33:48"),(221,"Cassidy","Puckett","GhX65lMa8Xk","/img/user_avatar_221.jpg","2001-08-28","P.O. Box 921, 9928 Curabitur St.","Santander","Cantabria","Bulgaria","Male","0692485417","lacinia@cursus.net","commodo auctor velit. Aliquam nisl. Nulla eu neque pellentesque","TVSeries, Football, Traveling","2020-06-03 18:15:08","2020-04-03 02:01:11"),(222,"Adrienne","Underwood","ClH49iPv5Cn","/img/user_avatar_222.jpg","1995-01-06","P.O. Box 709, 7377 Lorem Road","Melilla","Melilla","Azerbaijan","Male","0847711222","lacus.varius.et@nec.co.uk","felis purus ac tellus. Suspendisse sed dolor. Fusce mi","Cooking, Traveling, Videogames","2020-11-16 17:12:24","2020-04-05 18:42:01"),(223,"Olympia","Griffin","CuV60pWc3Mi","/img/user_avatar_223.jpg","1995-05-20","Ap #944-6264 Eu Rd.","Las Palmas","Canarias","Sri Lanka","Female","0790600684","amet@pede.org","et pede. Nunc sed orci lobortis augue","Plants, Science, Sports","2020-04-29 07:53:20","2020-04-14 23:22:19"),(224,"Reuben","Preston","NqG44mHu7Hn","/img/user_avatar_224.jpg","1999-03-31","279-9269 Eget St.","Cuenca","Castilla - La Mancha","Antarctica","Female","0371613071","Nunc.mauris.Morbi@Etiam.com","egestas. Duis ac arcu. Nunc mauris. Morbi non sapien molestie","TVSeries, Videogames, Football","2020-07-10 07:51:14","2020-04-10 10:17:14"),(225,"Jemima","Carey","NbP61jWf9Sp","/img/user_avatar_225.jpg","1998-10-06","P.O. Box 789, 6600 Arcu. Street","Almería","Andalucía","Timor-Leste","Male","0654186155","erat@eu.edu","ante blandit viverra. Donec tempus, lorem fringilla","Cooking, Science, Basketball","2020-04-27 05:00:35","2020-04-11 11:51:59"),(226,"Carlos","Neal","UeZ48zGm8Ra","/img/user_avatar_226.jpg","1995-01-06","P.O. Box 430, 9104 Magna. Av.","Zamora","CL","Kenya","Male","0240567777","imperdiet@justoPraesent.org","elit,","Cooking, Videogames, Plants","2020-04-24 05:00:20","2020-04-15 07:18:50"),(227,"Jelani","Pickett","BeM96fXz1Zk","/img/user_avatar_227.jpg","1999-08-04","6914 Non Av.","Oviedo","AS","Portugal","Female","0127002484","sit.amet@Etiamligula.co.uk","dolor elit, pellentesque","Cooking, Science, Traveling","2020-04-09 13:56:33","2020-04-15 00:47:07"),(228,"Jayme","Mccarthy","YyB55bLc5Cc","/img/user_avatar_228.jpg","1994-08-05","P.O. Box 298, 2696 Suspendisse St.","Jaén","Andalucía","Pitcairn Islands","Female","0977309022","Etiam.imperdiet@Etiamgravidamolestie.ca","consectetuer rhoncus. Nullam velit dui, semper et,","Sports, Science, Plants","2020-06-21 15:36:34","2020-04-05 14:10:43"),(229,"Randall","Pickett","RqD04gOf8Ga","/img/user_avatar_229.jpg","2000-12-07","5518 Turpis. Avenue","Ceuta","Ceuta","Puerto Rico","Male","0517174454","amet@velitQuisque.net","at lacus. Quisque purus sapien, gravida","Science, Football, Videogames","2020-06-02 11:04:00","2020-04-02 14:33:33"),(230,"Lewis","Weaver","RaU97tBj7Rd","/img/user_avatar_230.jpg","1997-12-05","Ap #710-5704 Arcu. Av.","Cartagena","Murcia","Ecuador","Male","0172977994","nunc.risus@pedemalesuada.org","enim. Etiam gravida molestie arcu. Sed eu nibh","Traveling, Videogames, Science","2021-02-09 22:51:48","2020-04-04 00:21:31"),(231,"Chase","Jones","CdX75xLv9Ri","/img/user_avatar_231.jpg","1996-08-22","P.O. Box 625, 1191 Arcu. Rd.","Logroño","LR","Switzerland","Female","0584702330","Nulla@loremeget.net","tellus sem mollis dui, in sodales elit","TVSeries, Videogames, Cooking","2020-11-20 04:46:14","2020-04-10 05:18:44"),(232,"Scott","Manning","KnS69yOb7Hs","/img/user_avatar_232.jpg","1994-05-08","9386 Integer St.","Melilla","Melilla","Iran","Female","0580322107","mattis@MorbimetusVivamus.com","rutrum magna.","Videogames, Science, TVSeries","2020-02-01 18:06:37","2020-04-04 23:24:47"),(233,"Katelyn","Park","TxJ00vGp9Ac","/img/user_avatar_233.jpg","2000-09-01","2520 Fermentum Rd.","Granada","Andalucía","Palau","Male","0121272237","fermentum.vel@iaculisneceleifend.ca","Nunc","Sports, Plants, Basketball","2020-01-24 02:00:35","2020-04-09 02:34:48"),(234,"Tyrone","Mays","PeP52pXl5Rw","/img/user_avatar_234.jpg","1996-06-11","322-7172 Dui. St.","Gijón","AS","Antigua and Barbuda","Male","0476495196","ante.ipsum@tristiquenequevenenatis.ca","cursus","Cooking, Sports, Basketball","2020-12-28 20:17:23","2020-04-14 22:41:31"),(235,"Kaseem","Travis","GuA40yZb7Mb","/img/user_avatar_235.jpg","2001-12-27","P.O. Box 968, 8419 Enim. Road","León","CL","Spain","Female","0938133759","sem.magna.nec@pretiumaliquet.org","et, commodo","Science, Sports, Football","2020-09-03 08:06:44","2020-04-04 19:47:41"),(236,"Renee","Randolph","CxK65bLu6Ln","/img/user_avatar_236.jpg","2001-12-12","6179 At, Rd.","Cáceres","Extremadura","Togo","Female","0273868558","neque.pellentesque.massa@ipsumsodalespurus.com","semper tellus id nunc interdum feugiat.","Basketball, Traveling, Plants","2020-03-18 08:05:45","2020-04-05 00:16:10"),(237,"Jonas","Hayes","YmH24eBw1Vu","/img/user_avatar_237.jpg","1996-06-07","7264 Amet St.","Alacant","CV","Sweden","Male","0321762319","Nulla@facilisisSuspendisse.ca","mollis non, cursus non,","Science, Football, TVSeries","2020-09-01 05:56:56","2020-04-11 15:27:57"),(238,"Julian","Cole","DcC97eIl5Gs","/img/user_avatar_238.jpg","1997-07-28","Ap #223-2611 Sed Av.","Castelló","Comunitat Valenciana","Czech Republic","Male","0532310522","auctor@CuraePhasellus.com","vel arcu eu odio tristique pharetra.","Videogames, Cooking, Sports","2020-02-27 16:40:21","2020-04-14 05:44:06"),(239,"Jayme","Owens","NnX96bTz5Et","/img/user_avatar_239.jpg","1998-06-17","796-8700 Risus. Rd.","Melilla","ME","Tuvalu","Female","0721935715","eget.dictum.placerat@justofaucibuslectus.org","vel pede blandit congue. In scelerisque","Science, Basketball, Cooking","2021-03-12 08:20:27","2020-04-14 08:52:09"),(240,"Henry","Barton","BeF58iIc7Mp","/img/user_avatar_240.jpg","1994-11-24","P.O. Box 686, 6846 Elit Rd.","San Cristóbal de la Laguna","CN","Turks and Caicos Islands","Female","0818926036","ligula.Donec.luctus@elitpharetra.net","fringilla mi lacinia mattis. Integer eu lacus. Quisque","Traveling, Basketball, TVSeries","2020-06-19 11:08:05","2020-04-10 12:46:34"),(241,"Ishmael","Wilkins","LrU51sQw6Ik","/img/user_avatar_241.jpg","1998-07-15","1046 Nibh. Rd.","Zaragoza","AR","Jersey","Male","0433973643","vulputate.velit.eu@utaliquam.org","mauris sit amet lorem semper auctor. Mauris","TVSeries, Basketball, Science","2020-10-02 02:09:14","2020-04-12 08:57:17"),(242,"Keegan","David","InF94qHy3Pu","/img/user_avatar_242.jpg","2001-03-10","P.O. Box 616, 1876 At Rd.","Oviedo","Principado de Asturias","Puerto Rico","Male","0917746818","ornare.libero.at@Donecsollicitudinadipiscing.co.uk","Aliquam nisl. Nulla eu","Cooking, Football, Basketball","2020-12-01 16:28:30","2020-04-01 19:31:00"),(243,"Robin","Stephens","IwS64mZb7Ku","/img/user_avatar_243.jpg","2001-07-05","Ap #712-6032 Sapien. St.","Cáceres","Extremadura","Romania","Female","0226389723","gravida@Sedegetlacus.com","amet orci. Ut sagittis lobortis","Plants, Videogames, Traveling","2020-01-08 10:50:55","2020-04-09 08:54:23"),(244,"Zachary","Bennett","GdP06vYd2Qq","/img/user_avatar_244.jpg","1995-03-01","Ap #456-2691 Dui, Rd.","Ceuta","CE","Honduras","Female","0474181873","ad.litora@ridiculusmus.com","nunc id enim. Curabitur massa. Vestibulum","TVSeries, Basketball, Traveling","2020-05-21 05:27:55","2020-04-14 17:07:33"),(245,"Tanisha","Lancaster","MiB98aFz0Fx","/img/user_avatar_245.jpg","1998-05-18","275-9833 Neque Av.","Cádiz","Andalucía","Mayotte","Male","0137801980","convallis.dolor.Quisque@aliquameuaccumsan.co.uk","mi lorem, vehicula et, rutrum eu, ultrices sit","Videogames, Sports, Basketball","2020-07-29 00:06:34","2020-04-01 11:29:31"),(246,"Dominic","Hahn","PkP38mNd6Sv","/img/user_avatar_246.jpg","2001-12-30","3057 Est, Av.","Lugo","GA","Tanzania","Male","0824217834","cubilia@dapibus.co.uk","sodales nisi magna sed dui. Fusce","Cooking, Science, Basketball","2020-08-17 10:54:49","2020-04-04 20:21:22"),(247,"Zachery","Chambers","ZrU19cDo3Qu","/img/user_avatar_247.jpg","1997-08-21","P.O. Box 968, 6104 Interdum Avenue","A Coruña","GA","Montserrat","Female","0559691782","eleifend@nequevitae.com","hendrerit","Plants, Traveling, Football","2020-04-02 22:04:03","2020-04-04 08:01:45"),(248,"Meghan","Harper","VeI26jAh4Ts","/img/user_avatar_248.jpg","2002-01-20","405-8261 Elit Av.","Ceuta","CE","Luxembourg","Female","0711659193","cursus.et.magna@torquent.edu","Donec","TVSeries, Plants, Football","2020-11-20 16:43:34","2020-04-06 04:28:08"),(249,"Dexter","Robinson","OaV94wSi7Qm","/img/user_avatar_249.jpg","1997-09-11","Ap #108-5155 Non, Road","Murcia","Murcia","Central African Republic","Male","0967270051","nunc.risus.varius@dignissim.co.uk","dictum augue malesuada malesuada. Integer id magna","Plants, TVSeries, Cooking","2020-12-25 02:44:38","2020-04-05 08:25:27"),(250,"Amanda","Nash","BrG41oWb0Qr","/img/user_avatar_250.jpg","1996-04-12","P.O. Box 760, 4750 Neque Ave","Santa Cruz de Tenerife","CN","Russian Federation","Male","0369587274","orci@Vivamusnisi.net","nec urna suscipit nonummy. Fusce fermentum fermentum arcu. Vestibulum","Plants, Cooking, TVSeries","2020-03-16 00:17:32","2020-04-09 06:55:20"),(251,"Cairo","Mccarthy","VkY48yRj2Ps","/img/user_avatar_251.jpg","1996-12-05","163-6335 In Rd.","Badajoz","EX","Nicaragua","Female","0793698628","Proin.vel.nisl@urnaNuncquis.org","sit amet massa. Quisque porttitor eros nec tellus.","Science, Plants, Cooking","2020-01-18 16:50:16","2020-04-14 02:25:44"),(252,"Sean","Haley","KnH91dYl0Fr","/img/user_avatar_252.jpg","2000-07-18","Ap #691-390 Proin St.","Cartagena","MU","Puerto Rico","Female","0681555563","quis.lectus@mauris.co.uk","Etiam bibendum fermentum metus. Aenean sed pede nec ante blandit","Traveling, Cooking, TVSeries","2020-10-21 14:45:49","2020-04-11 22:51:42"),(253,"Rana","Moody","OdX53jMm3Nx","/img/user_avatar_253.jpg","2001-04-19","1100 Lacinia St.","Melilla","Melilla","Cocos (Keeling) Islands","Male","0721763453","feugiat@pede.net","iaculis odio. Nam interdum enim","Basketball, Football, Traveling","2020-05-24 15:48:12","2020-04-12 13:34:34"),(254,"Nicholas","Burton","InX96aWq2Qm","/img/user_avatar_254.jpg","1996-01-22","P.O. Box 639, 9402 Mauris. Street","Burgos","Castilla y León","Philippines","Male","0570392496","arcu.vel@fermentumrisus.com","Sed congue, elit sed consequat auctor,","Football, Sports, Science","2020-08-02 15:21:37","2020-04-15 23:35:05"),(255,"John","Harvey","VzU47qRu3Bh","/img/user_avatar_255.jpg","2001-12-06","908-1190 Metus Av.","Mataró","CA","Aruba","Female","0467373133","Phasellus.ornare@pedeCum.co.uk","vel nisl. Quisque","Science, Basketball, Plants","2021-04-07 06:48:48","2020-04-14 10:41:41"),(256,"Felix","Buckley","VgS50dDm6Zv","/img/user_avatar_256.jpg","1995-04-02","Ap #967-694 Integer Road","Cartagena","Murcia","Bhutan","Female","0394872892","sit.amet.luctus@duinec.co.uk","eget laoreet posuere, enim","Science, Traveling, Sports","2020-03-06 17:44:12","2020-04-09 08:04:01"),(257,"Gary","Davidson","DaX38xJb2Rb","/img/user_avatar_257.jpg","1997-05-01","P.O. Box 678, 6018 Ullamcorper. Ave","Cáceres","EX","Tokelau","Male","0986625466","Nullam@adipiscingelit.ca","Phasellus in felis. Nulla tempor augue ac","Football, Cooking, Plants","2020-02-18 12:20:22","2020-04-14 12:10:26"),(258,"Norman","Wilkins","GhX86yLg9Lh","/img/user_avatar_258.jpg","1998-10-06","Ap #679-3231 Ante Ave","Ceuta","Ceuta","Lithuania","Male","0140765259","pede@scelerisquescelerisque.co.uk","Praesent interdum ligula eu enim. Etiam","TVSeries, Plants, Traveling","2020-12-28 16:43:55","2020-04-10 20:25:18"),(259,"Judith","Terrell","UpU21gEw0Xf","/img/user_avatar_259.jpg","1997-05-03","Ap #106-6031 Consectetuer Street","Santander","CA","Belgium","Female","0166675401","vitae.velit.egestas@eleifendvitaeerat.net","In mi pede, nonummy ut, molestie in, tempus","Basketball, Sports, Plants","2020-06-10 21:38:06","2020-04-05 07:30:17"),(260,"Tamekah","Cotton","UbC15bDe5Sg","/img/user_avatar_260.jpg","2001-09-24","Ap #688-3838 Cursus St.","Oviedo","AS","Swaziland","Female","0525844089","viverra.Maecenas@nisi.edu","eu arcu. Morbi sit","Cooking, Videogames, Traveling","2020-01-19 20:39:26","2020-04-14 01:38:18"),(261,"Nayda","Wyatt","GsU21oUw9Ka","/img/user_avatar_261.jpg","1998-04-11","P.O. Box 398, 1331 Magna. Road","Pamplona","NA","Jordan","Male","0135570285","Nulla.interdum.Curabitur@sociisnatoque.ca","diam eu dolor egestas rhoncus. Proin nisl sem, consequat nec,","Sports, Traveling, Basketball","2021-01-25 10:42:44","2020-04-03 04:28:36"),(262,"Abel","Newton","TmV55kDn2Hd","/img/user_avatar_262.jpg","1994-06-06","698-9446 Justo Road","Salamanca","Castilla y León","Jersey","Male","0616445779","Quisque@dictumplacerataugue.ca","Etiam laoreet, libero et tristique","Sports, TVSeries, Plants","2020-08-20 15:19:59","2020-04-01 08:25:03"),(263,"Russell","Atkins","OfJ97xBy3By","/img/user_avatar_263.jpg","1996-04-14","7392 Facilisis Av.","Ciudad Real","CM","Kenya","Female","0616827760","luctus.vulputate@sed.edu","convallis","Videogames, Plants, Basketball","2020-04-05 17:20:34","2020-04-09 18:48:39"),(264,"Judah","Vaughan","MfL91mTk8Ps","/img/user_avatar_264.jpg","1999-04-23","6224 Natoque Street","Cáceres","Extremadura","Holy See (Vatican City State)","Female","0516861572","ac.feugiat@loremtristique.co.uk","euismod enim. Etiam","Basketball, Science, Sports","2020-11-07 09:02:36","2020-04-08 07:06:39"),(265,"Zeus","Cook","RqQ87xAd6Yp","/img/user_avatar_265.jpg","2000-11-01","P.O. Box 525, 6600 Vulputate Rd.","Melilla","Melilla","Saint Vincent and The Grenadines","Male","0690236318","magna.Suspendisse@ipsumac.co.uk","elementum, lorem ut aliquam iaculis, lacus","Science, Cooking, Traveling","2020-09-07 20:16:53","2020-04-01 04:11:10"),(266,"Cailin","Hyde","UtM89hJv2Pt","/img/user_avatar_266.jpg","2001-05-02","Ap #913-1106 Sed Ave","Badajoz","EX","Japan","Male","0523008932","pede@egestasadui.co.uk","turpis egestas. Fusce aliquet magna a neque. Nullam ut","Basketball, Science, Videogames","2020-05-24 08:35:25","2020-04-02 04:55:00"),(267,"Vincent","Glass","FbR51aXy7Kn","/img/user_avatar_267.jpg","1994-11-10","4130 Justo Road","Melilla","ME","Finland","Female","0250923024","Etiam.bibendum.fermentum@velit.net","mollis","Science, Football, Basketball","2020-10-07 02:36:41","2020-04-03 23:44:41"),(268,"Vivien","Solomon","EmJ12gSl1Ci","/img/user_avatar_268.jpg","1996-01-11","Ap #528-8639 Ligula. Road","Palma de Mallorca","BA","Iraq","Female","0537298387","Sed.et@augueid.ca","Nunc mauris elit, dictum eu, eleifend nec,","Basketball, Sports, Cooking","2021-02-17 07:40:44","2020-04-09 01:02:32"),(269,"Anika","Higgins","UdZ27rKy5Ky","/img/user_avatar_269.jpg","2001-09-11","Ap #288-1704 Sed Ave","Ciudad Real","Castilla - La Mancha","New Zealand","Male","0857402607","vitae.semper.egestas@blandit.co.uk","leo, in","Basketball, TVSeries, Plants","2020-08-20 22:45:28","2020-04-03 21:33:44"),(270,"Vaughan","Harrison","NbK79pBm8Kp","/img/user_avatar_270.jpg","2000-10-31","P.O. Box 999, 2143 Enim, Road","Tarrasa","Catalunya","Costa Rica","Male","0737943785","enim@sociisnatoquepenatibus.co.uk","mi fringilla mi lacinia mattis. Integer eu","Traveling, Basketball, Plants","2020-01-31 03:27:18","2020-04-14 04:47:36"),(271,"Jorden","Woodward","GaX64mUn4Sy","/img/user_avatar_271.jpg","1996-03-07","338-561 Ornare, Road","Logroño","La Rioja","British Indian Ocean Territory","Female","0804996912","non.enim@consectetueradipiscingelit.net","mattis semper, dui lectus","Traveling, Videogames, Cooking","2020-11-15 18:53:50","2020-04-12 07:33:35"),(272,"Aladdin","Jennings","MuW65tFy8Jz","/img/user_avatar_272.jpg","2002-03-14","7238 Pharetra Ave","Oviedo","Principado de Asturias","Guadeloupe","Female","0606546036","Suspendisse.non.leo@Suspendisse.com","aliquam","TVSeries, Sports, Cooking","2021-02-22 11:21:50","2020-04-01 22:51:11"),(273,"Shad","Beasley","KhZ91wKy2Fm","/img/user_avatar_273.jpg","1997-06-24","3221 Dolor. Road","A Coruña","GA","Sao Tome and Principe","Male","0390709727","tincidunt.neque@vestibulumMauris.org","luctus lobortis.","Football, Basketball, Plants","2020-09-30 05:07:04","2020-04-10 23:56:32"),(274,"Alvin","Heath","VpY13xEu5Lj","/img/user_avatar_274.jpg","2000-09-07","Ap #981-7508 Posuere, Rd.","A Coruña","GA","New Zealand","Male","0784986272","tempor@a.com","nonummy ac, feugiat non, lobortis quis, pede. Suspendisse","Science, Sports, Plants","2020-05-25 06:34:16","2020-04-08 00:45:19"),(275,"Hoyt","Christian","JmO06qEk4Ad","/img/user_avatar_275.jpg","2000-06-30","P.O. Box 721, 8625 Eu Road","Pontevedra","GA","El Salvador","Female","0384070082","tellus.Phasellus@Maecenasmalesuada.ca","elementum,","Plants, Videogames, TVSeries","2020-01-13 08:50:57","2020-04-12 16:04:07"),(276,"Libby","Zimmerman","ApU48rNz9Pv","/img/user_avatar_276.jpg","2000-08-28","356-5023 Ridiculus Ave","Ávila","Castilla y León","Bulgaria","Female","0456182463","malesuada@dapibus.com","dapibus gravida. Aliquam tincidunt, nunc ac mattis ornare, lectus","Basketball, Traveling, Videogames","2020-11-05 14:54:35","2020-04-13 10:05:34"),(277,"Nomlanga","Olsen","VgE27dJk0Sd","/img/user_avatar_277.jpg","1995-04-22","6233 Aliquet Ave","Zaragoza","AR","Malta","Male","0988966228","ullamcorper@elit.com","quis massa. Mauris vestibulum, neque sed dictum eleifend, nunc risus","Videogames, Science, Football","2020-03-17 01:58:49","2020-04-13 06:39:10"),(278,"Rajah","Albert","IyI45kOp9Jw","/img/user_avatar_278.jpg","1998-04-01","P.O. Box 323, 3354 Fusce Road","Ceuta","CE","United Arab Emirates","Male","0441235232","tincidunt@mi.ca","Curae;","Football, Traveling, TVSeries","2021-03-05 23:53:01","2020-04-06 01:47:35"),(279,"Tanek","Kirkland","ZuG81gDi9Uz","/img/user_avatar_279.jpg","1999-07-08","Ap #535-9965 Eu St.","Ciudad Real","Castilla - La Mancha","Serbia","Female","0623619129","at@arcu.com","Mauris","Plants, TVSeries, Sports","2020-01-11 14:07:28","2020-04-05 08:11:47"),(280,"Eugenia","Moss","LsG16eEr4Vh","/img/user_avatar_280.jpg","1995-06-05","Ap #960-5952 Consequat Rd.","Palma de Mallorca","Illes Balears","Myanmar","Female","0669835929","Quisque.fringilla.euismod@antedictum.ca","at, libero.","Plants, Sports, Football","2021-01-09 04:11:16","2020-04-09 11:48:03"),(281,"Keefe","Gonzalez","LkH65vEy7Xp","/img/user_avatar_281.jpg","1997-01-19","665-5222 Tristique Road","Zaragoza","Aragón","Sri Lanka","Male","0166551837","augue.ac@Aliquamadipiscinglobortis.org","interdum. Curabitur dictum. Phasellus in felis. Nulla tempor augue ac","Basketball, Sports, Traveling","2020-01-26 13:45:29","2020-04-05 15:02:06"),(282,"Alexander","Campos","GuC67kXi0Gv","/img/user_avatar_282.jpg","1996-11-22","563-6581 Pellentesque St.","Pamplona","Navarra","Eritrea","Male","0634953613","aliquet.Phasellus@arcu.org","lorem ipsum sodales purus, in molestie tortor","TVSeries, Traveling, Cooking","2021-02-16 13:18:12","2020-04-12 17:46:14"),(283,"Belle","Wolfe","PqX25qEb9Ww","/img/user_avatar_283.jpg","2000-09-16","P.O. Box 888, 1073 Luctus Rd.","Donosti","PV","Ecuador","Female","0670637340","lacinia.Sed.congue@ridiculusmusAenean.edu","at pretium aliquet, metus","Plants, Cooking, Basketball","2020-07-22 22:15:17","2020-04-09 15:06:05"),(284,"Ima","Hoffman","PmL06tOa4Re","/img/user_avatar_284.jpg","1998-12-18","Ap #777-3607 Adipiscing Av.","Sevilla","AN","Christmas Island","Female","0910676687","nec.orci.Donec@loremtristique.ca","accumsan laoreet ipsum.","Science, Basketball, TVSeries","2020-09-05 23:31:27","2020-04-11 19:04:43"),(285,"Erin","Holder","JkC82sZv8Ba","/img/user_avatar_285.jpg","1994-07-27","692-9102 In, Avenue","Melilla","ME","Saint Lucia","Male","0417442088","ut@Donec.ca","a, arcu. Sed et libero. Proin mi.","Sports, Plants, Traveling","2021-03-20 15:19:21","2020-04-10 23:58:58"),(286,"Maris","Wynn","TbN14mGz4Py","/img/user_avatar_286.jpg","2001-12-10","Ap #874-2795 Ut, Rd.","Madrid","MA","Israel","Male","0732318777","metus.vitae@posuere.co.uk","sem. Nulla interdum. Curabitur dictum. Phasellus in felis. Nulla","Basketball, Science, TVSeries","2020-10-25 06:09:19","2020-04-12 19:55:25"),(287,"Eric","Carter","TgN75nPd0Vg","/img/user_avatar_287.jpg","1995-08-08","Ap #795-3714 Suspendisse Road","Girona","Catalunya","Afghanistan","Female","0576357839","arcu.Sed@loremtristiquealiquet.co.uk","Donec egestas. Aliquam nec enim. Nunc ut","Football, Basketball, TVSeries","2020-11-05 10:56:37","2020-04-04 03:15:01"),(288,"Moses","Lynn","BbB92vLx8Vn","/img/user_avatar_288.jpg","1999-03-30","698-5063 Curabitur Ave","Santander","Cantabria","Uzbekistan","Female","0319971696","eleifend@Nulla.ca","erat. Sed nunc est, mollis non, cursus non, egestas","Science, Sports, Plants","2020-02-23 15:35:36","2020-04-15 15:20:41"),(289,"Alma","Meyer","ErH84kRr5Bl","/img/user_avatar_289.jpg","1996-10-27","Ap #902-2242 Euismod Avenue","Melilla","ME","New Zealand","Male","0871798092","erat.vel@ad.ca","eget odio.","Cooking, Videogames, TVSeries","2020-06-25 16:28:44","2020-04-09 22:36:54"),(290,"Kellie","Rodriquez","DoB95vIu7Fd","/img/user_avatar_290.jpg","1995-08-28","Ap #101-4383 Imperdiet St.","Gasteiz","PV","Senegal","Male","0771871781","nec.malesuada@cursus.org","interdum.","Sports, Traveling, TVSeries","2020-10-22 01:09:00","2020-04-08 09:58:59"),(291,"Aspen","Barnett","FeR10uWe8Ku","/img/user_avatar_291.jpg","1995-07-10","Ap #818-5284 Ligula Rd.","Huesca","Aragón","Viet Nam","Female","0655911294","purus.Maecenas@ametmassaQuisque.ca","suscipit nonummy. Fusce fermentum fermentum arcu. Vestibulum ante ipsum","Basketball, Science, Football","2020-06-17 05:02:06","2020-04-07 17:13:54"),(292,"Janna","Leach","ZsO17gCt8Gg","/img/user_avatar_292.jpg","1995-02-19","Ap #489-4709 Ligula. St.","Torrevieja","CV","India","Female","0376939048","et.euismod.et@eudui.co.uk","felis ullamcorper viverra. Maecenas iaculis aliquet diam. Sed","Plants, Cooking, Traveling","2021-04-16 22:01:46","2020-04-05 19:56:47"),(293,"Chava","Frank","BeT60pHu2Wp","/img/user_avatar_293.jpg","1998-04-16","2982 Nulla Street","A Coruña","Galicia","Montserrat","Male","0554409211","volutpat.Nulla@Namligulaelit.edu","ornare tortor at risus. Nunc ac sem ut dolor","TVSeries, Football, Traveling","2020-08-29 03:35:25","2020-04-08 02:31:25"),(294,"Tucker","Mendez","SpL68tPe7Lb","/img/user_avatar_294.jpg","1997-07-02","P.O. Box 730, 7039 Tincidunt Street","Logroño","LR","Seychelles","Male","0552877299","lacinia.vitae.sodales@Aeneanegestashendrerit.org","magnis dis parturient montes, nascetur ridiculus","TVSeries, Science, Football","2020-08-07 15:27:26","2020-04-03 19:35:22"),(295,"Anthony","Reynolds","GtF56dPa1Lj","/img/user_avatar_295.jpg","1997-08-14","7050 Aliquam Road","Logroño","La Rioja","Jordan","Female","0451460524","eget@Ut.edu","magna, malesuada vel, convallis in, cursus et, eros. Proin ultrices.","Basketball, Science, Videogames","2020-06-27 20:29:00","2020-04-07 12:53:23"),(296,"Seth","Pruitt","UcD08zCs2Dl","/img/user_avatar_296.jpg","1996-06-17","Ap #685-705 Ultrices Ave","Pamplona","NA","Hong Kong","Female","0477107590","Nulla.aliquet.Proin@est.net","sapien molestie orci tincidunt","Sports, Traveling, Science","2020-03-25 04:42:11","2020-04-07 18:01:21"),(297,"Aline","Sellers","BkT98zVx6Lj","/img/user_avatar_297.jpg","1998-08-19","P.O. Box 350, 9816 Odio Street","Ourense","GA","Niger","Male","0908792495","Nunc@ullamcorperviverraMaecenas.org","quis diam. Pellentesque habitant morbi","Sports, Science, Basketball","2020-06-16 13:57:58","2020-04-02 10:06:28"),(298,"Mikayla","Montgomery","TaG55dGz0Um","/img/user_avatar_298.jpg","1995-08-16","246-4851 Donec Road","Zaragoza","AR","Liberia","Male","0379197965","eu@mus.co.uk","arcu iaculis","Football, Cooking, Sports","2020-12-16 14:45:40","2020-04-14 06:43:59"),(299,"Shay","Arnold","JxH43xXz6Cy","/img/user_avatar_299.jpg","2001-12-20","9171 Nulla Avenue","Dos Hermanas","AN","Åland Islands","Female","0257672534","tellus@egestasDuisac.edu","tellus. Phasellus elit pede, malesuada vel, venenatis vel, faucibus","Sports, Videogames, Traveling","2020-05-12 16:42:08","2020-04-12 18:57:47"),(300,"Brynne","King","FxD62aRy8Xc","/img/user_avatar_300.jpg","1998-02-23","P.O. Box 594, 2300 Dolor Av.","Cartagena","MU","Malta","Female","0685974906","elit.fermentum@mi.edu","amet","Cooking, TVSeries, Videogames","2021-01-05 09:48:17","2020-04-01 10:41:14");
INSERT INTO `users` (`id`,`first_name`,`second_name`,`user_password`,`user_img`,`birth_date`,`adress`,`city`,`province`,`country`,`sex`,`tel`,`email`,`user_status`,`interests`,`creation_date`,`last_modification`) VALUES (301,"Jessica","Santana","KcK33wNn4Lg","/img/user_avatar_301.jpg","1995-02-07","4554 Mi, Ave","Melilla","Melilla","Aruba","Male","0216015947","ac.mi@nonante.net","vitae nibh. Donec est mauris,","Football, Traveling, Cooking","2020-03-29 00:29:59","2020-04-03 07:39:25"),(302,"Scott","Dunlap","BmY51xGo9Wa","/img/user_avatar_302.jpg","2002-03-04","282-984 Dui. Av.","Telde","CN","Taiwan","Male","0150693289","vitae.sodales.nisi@Sedmalesuadaaugue.net","neque non","Basketball, Cooking, Plants","2020-12-02 01:41:23","2020-04-07 07:04:01"),(303,"Ori","Bailey","UgH03xFx3Xx","/img/user_avatar_303.jpg","2002-02-15","946-7108 Eget Road","Melilla","ME","Ukraine","Female","0307713510","pellentesque.a@libero.org","id, ante. Nunc mauris sapien, cursus","Plants, TVSeries, Cooking","2021-01-18 02:49:02","2020-04-06 09:35:07"),(304,"Hasad","Walls","GoM87iUl8Ip","/img/user_avatar_304.jpg","1994-04-27","7017 Risus. Av.","Santander","CA","Australia","Female","0232332400","pretium.et.rutrum@Morbineque.com","amet, dapibus id, blandit at, nisi. Cum sociis","Plants, Basketball, TVSeries","2020-01-14 10:20:55","2020-04-02 15:59:50"),(305,"Wang","Burch","SxH73eNb0Ur","/img/user_avatar_305.jpg","1995-12-02","893-4853 Donec Rd.","Melilla","ME","Gibraltar","Male","0474271512","velit.eget.laoreet@risusodio.ca","dui. Cum sociis natoque penatibus et magnis dis parturient montes,","Videogames, Basketball, Sports","2020-12-29 14:52:10","2020-04-03 13:38:37"),(306,"Benjamin","Fernandez","ZuV43mYh8Os","/img/user_avatar_306.jpg","1995-03-05","P.O. Box 537, 8539 Lobortis St.","Dos Hermanas","AN","Turks and Caicos Islands","Male","0930100486","risus.varius.orci@risusDonec.com","enim, sit","Videogames, Basketball, Science","2020-08-03 19:45:44","2020-04-08 01:13:15"),(307,"Matthew","Nicholson","HsK96lEe7Tz","/img/user_avatar_307.jpg","2000-11-22","P.O. Box 413, 1406 Consectetuer Ave","Huesca","AR","Tajikistan","Female","0511567978","Mauris.magna.Duis@aliquetdiamSed.edu","auctor velit. Aliquam nisl. Nulla eu neque pellentesque massa","Football, Traveling, Science","2021-01-09 10:15:51","2020-04-08 00:30:12"),(308,"Maryam","Avery","SsH14rZh2Sp","/img/user_avatar_308.jpg","1998-11-12","583 Malesuada Ave","Zaragoza","Aragón","Dominican Republic","Female","0108840310","Maecenas.libero@acipsumPhasellus.com","enim non nisi. Aenean eget metus. In nec orci. Donec","Basketball, Videogames, Sports","2020-12-19 10:49:18","2020-04-03 17:36:48"),(309,"Brenden","Finley","LbH71mWv2Qn","/img/user_avatar_309.jpg","2001-01-04","Ap #896-5759 Duis Av.","Soria","Castilla y León","Maldives","Male","0706032838","magna@feugiat.com","adipiscing ligula.","Plants, Videogames, Basketball","2020-06-15 21:37:46","2020-04-12 03:54:09"),(310,"Jade","Knowles","JsY28tJo4Zz","/img/user_avatar_310.jpg","1997-05-23","Ap #124-8891 Metus Avenue","Logroño","La Rioja","Barbados","Male","0485037790","luctus.felis@luctusvulputatenisi.co.uk","per inceptos hymenaeos. Mauris ut quam vel sapien","Traveling, Science, Plants","2021-03-13 08:17:53","2020-04-08 11:34:03"),(311,"Joshua","Kline","KmR92wLc9Xl","/img/user_avatar_311.jpg","2001-10-01","P.O. Box 255, 4921 Non Street","Logroño","LR","Kazakhstan","Female","0518194556","diam.Sed.diam@sagittis.ca","ut","Basketball, Sports, Football","2020-08-18 08:17:44","2020-04-05 07:48:47"),(312,"Britanni","Yates","AxJ51jVn7Dn","/img/user_avatar_312.jpg","1995-02-05","P.O. Box 534, 7601 Ornare, Avenue","Toledo","Castilla - La Mancha","Kazakhstan","Female","0269578758","auctor@lobortis.com","in faucibus orci luctus","Basketball, Cooking, Videogames","2020-02-03 11:40:47","2020-04-01 08:25:54"),(313,"Austin","Espinoza","OfV48yNv5Bo","/img/user_avatar_313.jpg","2001-06-21","5744 Metus Rd.","Mataró","Catalunya","Hungary","Male","0536494194","dapibus.id@Integersemelit.com","arcu vel quam dignissim pharetra. Nam","Videogames, Science, Plants","2020-07-03 08:04:33","2020-04-02 18:13:50"),(314,"Basia","Rodriguez","FuN40pPu6Wq","/img/user_avatar_314.jpg","1995-05-03","417-2907 Ipsum. Avenue","Santander","Cantabria","Denmark","Male","0187006540","a.tortor@faucibus.ca","mauris elit, dictum eu,","Science, Football, Sports","2020-05-30 20:46:14","2020-04-03 09:45:03"),(315,"Justina","Thomas","VhC40vMo3Eu","/img/user_avatar_315.jpg","1998-12-04","3812 Augue Ave","Logroño","LR","Lesotho","Female","0167681487","adipiscing.elit.Etiam@velvenenatisvel.net","at lacus. Quisque purus sapien, gravida non, sollicitudin a,","Traveling, Videogames, Basketball","2021-03-31 16:23:13","2020-04-15 07:55:52"),(316,"Dorian","Riley","KcL19oKj8Cb","/img/user_avatar_316.jpg","1999-03-19","104-9208 Gravida Road","Bilbo","Euskadi","American Samoa","Female","0961148387","in@metus.ca","quis","Plants, Science, Cooking","2021-04-06 08:13:54","2020-04-04 04:00:12"),(317,"Lewis","Alvarado","RsS66tTn8Ei","/img/user_avatar_317.jpg","1996-10-25","1341 Vulputate, Ave","Melilla","ME","Bhutan","Male","0395062415","eu.euismod.ac@non.com","sodales nisi","TVSeries, Sports, Science","2021-03-11 03:45:17","2020-04-10 05:08:09"),(318,"Rooney","Mcbride","MuU50uMb3Lf","/img/user_avatar_318.jpg","1998-09-20","P.O. Box 963, 2626 Dolor. Street","Oviedo","AS","Japan","Male","0472573662","sagittis.Nullam@dolor.edu","Nunc ac sem ut dolor dapibus gravida. Aliquam tincidunt,","Cooking, Videogames, Traveling","2020-03-27 12:45:20","2020-04-13 07:55:23"),(319,"Haviva","Gill","MvG63fQq8Ui","/img/user_avatar_319.jpg","1995-11-10","331-1295 Id Street","Melilla","ME","Holy See (Vatican City State)","Female","0602058197","Suspendisse.commodo.tincidunt@molestiearcu.ca","malesuada vel, convallis in, cursus et, eros. Proin","Science, Cooking, Traveling","2021-01-08 23:33:46","2020-04-13 20:47:45"),(320,"Burke","Mclean","JlI91aOe9Ef","/img/user_avatar_320.jpg","1997-09-18","335-6080 Lacus, Av.","Badajoz","Extremadura","Cyprus","Female","0604648797","lobortis.ultrices.Vivamus@atvelitCras.ca","aliquam iaculis, lacus pede sagittis","Basketball, Videogames, Football","2020-04-29 18:56:55","2020-04-08 03:05:22"),(321,"Quinlan","Watson","FnS76cWj5Fy","/img/user_avatar_321.jpg","2000-04-11","9369 Ante. Street","Ciudad Real","Castilla - La Mancha","Rwanda","Male","0246724606","Nullam.feugiat.placerat@sapienmolestieorci.ca","penatibus et magnis dis parturient montes,","Basketball, Science, Traveling","2020-12-03 14:19:19","2020-04-02 02:51:06"),(322,"Callie","Horn","UjH40dUj4Fz","/img/user_avatar_322.jpg","2000-11-14","1540 Ut, Avenue","Melilla","ME","Cameroon","Male","0183098681","Donec.tempus.lorem@risusquisdiam.edu","mauris ut mi.","Plants, Basketball, Videogames","2021-03-03 07:32:28","2020-04-08 17:10:38"),(323,"Kirsten","Nunez","BvA94kSj0Gf","/img/user_avatar_323.jpg","1998-08-14","996-5202 Sed Road","Huelva","Andalucía","Brunei","Female","0459393816","adipiscing.elit@penatibuset.net","sit","Basketball, Sports, Cooking","2020-12-29 09:53:19","2020-04-01 09:50:53"),(324,"Quinn","Deleon","SuS40tNj7Bl","/img/user_avatar_324.jpg","1995-09-13","600-1854 Dignissim. Avenue","Palma de Mallorca","Illes Balears","Antigua and Barbuda","Female","0191699533","Mauris.ut.quam@adipiscingligula.ca","Mauris vestibulum, neque sed dictum eleifend, nunc risus","Cooking, Football, Science","2020-05-27 22:09:01","2020-04-04 21:56:51"),(325,"Sybil","Figueroa","YvX03iVf3Hz","/img/user_avatar_325.jpg","1997-06-11","P.O. Box 215, 2799 Ac, Av.","Pamplona","Navarra","Bouvet Island","Male","0754789609","consectetuer@portaelita.com","Nulla dignissim. Maecenas ornare egestas ligula. Nullam feugiat","Football, Plants, Cooking","2020-09-13 07:46:50","2020-04-04 06:46:22"),(326,"Hyatt","Lee","WkT58dTe8Tj","/img/user_avatar_326.jpg","1998-08-25","6610 Mauris Road","Murcia","MU","Argentina","Male","0411519433","justo@variusorciin.edu","arcu imperdiet ullamcorper. Duis at lacus.","Traveling, Videogames, TVSeries","2020-12-12 10:59:40","2020-04-10 12:03:13"),(327,"Kirk","Ramos","OoZ64oFk7Wv","/img/user_avatar_327.jpg","1997-09-09","863-9219 Malesuada St.","Alacant","CV","Angola","Female","0667743243","lectus.ante@lobortisClassaptent.org","dolor. Quisque tincidunt pede ac urna. Ut tincidunt vehicula risus.","Football, Cooking, Basketball","2021-02-10 05:43:52","2020-04-11 23:21:10"),(328,"Sigourney","Monroe","AcN23fIj2Qt","/img/user_avatar_328.jpg","2000-04-27","Ap #855-2976 Ornare, Road","Murcia","MU","Uruguay","Female","0467280670","vehicula@disparturientmontes.edu","Nullam enim. Sed nulla ante,","Cooking, Sports, Traveling","2020-10-27 14:00:03","2020-04-12 13:48:22"),(329,"Myra","Guy","BjK61sQr6Bu","/img/user_avatar_329.jpg","2000-03-11","P.O. Box 538, 977 Ac Rd.","Valéncia","Comunitat Valenciana","Saint Barthélemy","Male","0719140812","id@diam.net","lorem ipsum","Videogames, Plants, Sports","2021-03-18 10:53:35","2020-04-03 20:38:45"),(330,"Quinn","Lopez","EiF54gPz8Es","/img/user_avatar_330.jpg","2001-12-05","4749 Nunc St.","Melilla","Melilla","Spain","Male","0279801158","a.magna@aliquam.ca","Proin mi. Aliquam gravida mauris ut mi.","Football, Sports, Traveling","2020-01-15 04:11:06","2020-04-07 02:09:50"),(331,"Preston","Whitaker","YiL52uPj6Vn","/img/user_avatar_331.jpg","1994-07-15","Ap #337-7534 Augue Av.","Zaragoza","AR","Nicaragua","Female","0208185119","montes.nascetur.ridiculus@adipiscingenim.edu","Quisque porttitor","Videogames, Basketball, Sports","2020-04-29 18:31:43","2020-04-07 23:03:48"),(332,"Kyla","Myers","AaP40yNf5Kf","/img/user_avatar_332.jpg","1996-06-01","Ap #572-2602 Justo St.","Ceuta","Ceuta","Nepal","Female","0304736281","Quisque@ipsum.edu","at, nisi. Cum sociis natoque penatibus et","Basketball, Videogames, Cooking","2020-06-27 22:35:37","2020-04-03 01:21:27"),(333,"Rafael","Rios","TjN32kFr7Of","/img/user_avatar_333.jpg","1997-10-13","6535 Egestas. St.","Zaragoza","Aragón","South Georgia and The South Sandwich Islands","Male","0850313254","Nullam.enim@est.org","molestie","Sports, Science, Basketball","2021-02-16 10:09:33","2020-04-02 10:45:32"),(334,"Haley","Hansen","XpV12yDf8Gz","/img/user_avatar_334.jpg","1998-07-04","Ap #392-2290 Aliquet Rd.","Zaragoza","Aragón","Mozambique","Male","0601509867","turpis@ornare.org","Aliquam gravida mauris ut mi. Duis risus odio,","Basketball, Sports, Videogames","2021-03-15 19:57:22","2020-04-11 08:27:09"),(335,"Diana","Klein","AsP06hGq6Yn","/img/user_avatar_335.jpg","1998-05-11","8743 Etiam Rd.","Soria","Castilla y León","Vanuatu","Female","0397997472","Integer.urna@Morbiaccumsanlaoreet.ca","sociis natoque penatibus et magnis dis parturient montes, nascetur ridiculus","Science, Football, Basketball","2021-03-28 09:25:29","2020-04-06 17:23:35"),(336,"Sloane","Myers","LnW21jIy6Gj","/img/user_avatar_336.jpg","1997-05-27","187-1508 Quam Avenue","Segovia","Castilla y León","French Guiana","Female","0408610457","turpis.egestas.Aliquam@Maecenas.edu","dolor sit amet, consectetuer adipiscing elit. Aliquam","Science, Football, Cooking","2021-03-22 13:55:59","2020-04-09 19:51:10"),(337,"Brennan","Castaneda","OjR60cVo8Ho","/img/user_avatar_337.jpg","1998-03-15","319-9840 Adipiscing Street","Telde","Canarias","Cayman Islands","Male","0741056680","nulla.vulputate@bibendumDonecfelis.org","sed dolor. Fusce mi lorem, vehicula et, rutrum","Science, Videogames, Basketball","2020-11-20 15:17:12","2020-04-13 22:29:24"),(338,"Adam","Reid","YwS97wJk5Dq","/img/user_avatar_338.jpg","1996-12-30","P.O. Box 649, 3633 Ullamcorper St.","Murcia","Murcia","Cook Islands","Male","0733412697","morbi@orciconsectetuereuismod.net","adipiscing ligula. Aenean gravida nunc sed pede.","Sports, Videogames, Plants","2021-03-31 17:27:10","2020-04-07 18:05:32"),(339,"Petra","Abbott","NoE60dZe6Ou","/img/user_avatar_339.jpg","1995-08-19","Ap #706-2981 Amet Rd.","Tarrasa","Catalunya","Indonesia","Female","0115626626","tellus@nuncrisusvarius.com","aliquet nec, imperdiet nec, leo.","Traveling, Science, TVSeries","2020-05-17 07:03:54","2020-04-13 14:01:06"),(340,"September","Torres","DdW33kGv8Sy","/img/user_avatar_340.jpg","1994-05-11","2526 Euismod Road","Logroño","La Rioja","Greenland","Female","0622788291","a@pretiumaliquetmetus.com","nibh dolor, nonummy ac, feugiat non, lobortis quis, pede.","Sports, Football, Basketball","2020-04-07 15:50:47","2020-04-05 15:36:37"),(341,"Darius","Dale","HdC90tGv2Of","/img/user_avatar_341.jpg","2000-05-31","5273 Penatibus Road","Palencia","CL","Svalbard and Jan Mayen Islands","Male","0642411534","sed.dolor.Fusce@congueInscelerisque.com","Nam tempor diam dictum sapien. Aenean massa. Integer","Videogames, Sports, Plants","2021-02-24 16:29:52","2020-04-05 20:12:55"),(342,"Channing","Klein","IgE36yAr2Lr","/img/user_avatar_342.jpg","1995-11-30","Ap #484-5245 Euismod Ave","Castelló","CV","Bouvet Island","Male","0745392246","feugiat@mauris.org","lectus ante dictum","Plants, Traveling, Sports","2020-11-03 14:46:48","2020-04-02 23:17:30"),(343,"Lester","Young","GjG76pKg8Ji","/img/user_avatar_343.jpg","1997-02-11","P.O. Box 477, 3484 Interdum Rd.","Gijón","Principado de Asturias","Mexico","Female","0977490948","sollicitudin@aliquameuaccumsan.co.uk","amet","Cooking, Plants, Basketball","2020-01-04 19:25:14","2020-04-13 13:58:44"),(344,"Alvin","Wall","ZyG39cOt8Wg","/img/user_avatar_344.jpg","1999-11-30","P.O. Box 957, 651 Sem Rd.","Guadalajara","CM","Saint Lucia","Female","0503104607","ullamcorper@neque.edu","nibh dolor,","TVSeries, Cooking, Sports","2021-02-21 14:54:09","2020-04-15 14:21:57"),(345,"Hunter","Erickson","MhE57fSi0Wb","/img/user_avatar_345.jpg","2000-05-29","P.O. Box 153, 4970 Dui, Av.","Marbella","Andalucía","Nigeria","Male","0852192120","ut.erat@tempusnonlacinia.edu","adipiscing elit. Etiam laoreet, libero et","Cooking, Traveling, Science","2020-02-08 05:44:41","2020-04-14 20:11:30"),(346,"Blaine","Eaton","UgN18mXf1Jb","/img/user_avatar_346.jpg","1998-01-06","945-1264 Sem Street","Ourense","GA","Maldives","Male","0898095813","sit.amet@atvelit.co.uk","non lorem vitae odio sagittis semper. Nam tempor diam","TVSeries, Basketball, Videogames","2020-05-13 20:39:46","2020-04-10 16:27:30"),(347,"Bruno","Browning","UgI28bWj2Sk","/img/user_avatar_347.jpg","1995-10-20","Ap #379-9952 Dolor Road","San Cristóbal de la Laguna","CN","Netherlands","Female","0106639658","parturient@purusactellus.ca","semper et, lacinia","Traveling, TVSeries, Football","2020-05-05 17:11:23","2020-04-04 06:55:30"),(348,"Declan","Delacruz","WzM71oSc6Wn","/img/user_avatar_348.jpg","1997-09-29","P.O. Box 750, 4104 Donec St.","Palma de Mallorca","BA","Morocco","Female","0324934235","Ut.semper.pretium@ipsumdolor.com","amet","Basketball, Football, Plants","2020-11-11 02:48:26","2020-04-15 14:33:43"),(349,"Wyoming","Hancock","WeZ10sZs7Ge","/img/user_avatar_349.jpg","1996-11-03","7968 Phasellus St.","Gijón","Principado de Asturias","Kuwait","Male","0408201673","dictum@Donec.edu","nisi sem semper erat, in","Football, Science, TVSeries","2020-02-26 21:57:24","2020-04-12 06:26:46"),(350,"Dylan","Luna","UiA67wIt7Sz","/img/user_avatar_350.jpg","2002-02-17","Ap #936-815 Auctor, St.","Cuenca","CM","Italy","Male","0273730030","egestas.a.scelerisque@egestasFuscealiquet.edu","venenatis","Science, Traveling, Videogames","2020-07-10 23:19:16","2020-04-03 05:36:46"),(351,"Hedley","Sawyer","KiG64bRh7Wz","/img/user_avatar_351.jpg","1999-06-18","4446 Mauris Av.","Huesca","Aragón","United Arab Emirates","Female","0479142682","Lorem@consequatauctornunc.co.uk","leo,","Sports, Plants, Cooking","2020-10-27 12:22:36","2020-04-02 02:20:52"),(352,"Wyatt","Crawford","MwW44nEl9Ed","/img/user_avatar_352.jpg","1997-02-02","6529 Et, St.","Jerez de la Frontera","AN","Palau","Female","0511416010","Nunc@Donec.ca","pulvinar arcu et pede. Nunc sed orci lobortis augue scelerisque","Science, TVSeries, Videogames","2020-08-26 03:16:33","2020-04-13 03:12:12"),(353,"Karyn","Roberts","SiR07rXe8Jc","/img/user_avatar_353.jpg","2001-05-23","P.O. Box 736, 3244 Mi Ave","Teruel","Aragón","Guyana","Male","0931565608","malesuada@magna.co.uk","id nunc interdum","Sports, Football, Videogames","2021-02-15 02:45:36","2020-04-06 21:29:36"),(354,"Ralph","Curtis","ClF39pAv5Gg","/img/user_avatar_354.jpg","1997-08-02","P.O. Box 638, 3784 Proin Av.","Oviedo","Principado de Asturias","Papua New Guinea","Male","0130116595","Praesent.luctus@atortor.ca","ornare, lectus ante dictum mi, ac","Basketball, Sports, Cooking","2020-11-21 03:45:37","2020-04-05 19:30:19"),(355,"Rhiannon","Beasley","VuB54qSy9Sk","/img/user_avatar_355.jpg","1996-06-28","P.O. Box 671, 2916 Cum Rd.","Córdoba","AN","Slovakia","Female","0381218538","Praesent.luctus.Curabitur@semper.net","vehicula. Pellentesque tincidunt tempus risus. Donec egestas. Duis ac","TVSeries, Videogames, Basketball","2020-11-15 23:01:28","2020-04-07 06:24:38"),(356,"Mercedes","Macias","QvG52xFp2Ua","/img/user_avatar_356.jpg","1997-05-21","7667 Blandit Rd.","Palma de Mallorca","BA","Uzbekistan","Female","0490552587","mi@velit.net","eleifend vitae, erat. Vivamus","Science, Traveling, Sports","2020-05-16 20:21:24","2020-04-10 18:20:16"),(357,"Christopher","Colon","EvA78nZo3Kz","/img/user_avatar_357.jpg","1999-03-23","Ap #949-7300 Mauris Road","Santander","Cantabria","Sri Lanka","Male","0767710314","dolor.tempus.non@mi.co.uk","vel,","Basketball, Science, Plants","2021-01-25 10:24:08","2020-04-01 18:51:41"),(358,"Marvin","Dejesus","HqU22dGv6Ia","/img/user_avatar_358.jpg","1994-04-29","P.O. Box 422, 3091 Sagittis. Rd.","Teruel","Aragón","Korea, South","Male","0880110847","pede.Cras.vulputate@fermentumfermentumarcu.ca","diam nunc, ullamcorper eu, euismod ac,","Cooking, Science, Football","2021-01-29 16:04:29","2020-04-08 09:38:38"),(359,"Sydney","Rojas","MxJ32zJl8Mr","/img/user_avatar_359.jpg","1998-10-08","742-3472 Phasellus Rd.","Telde","CN","Mexico","Female","0198997988","Mauris@Nunc.edu","ac orci. Ut semper pretium","Sports, Traveling, Cooking","2020-02-28 22:07:43","2020-04-14 18:58:29"),(360,"Gemma","Blake","TxT82sJb6Wc","/img/user_avatar_360.jpg","1997-04-09","7732 Interdum. Road","Cartagena","MU","Maldives","Female","0539370691","accumsan.sed.facilisis@vel.co.uk","tincidunt adipiscing. Mauris molestie pharetra nibh. Aliquam ornare, libero at","Basketball, Cooking, TVSeries","2020-05-25 10:23:28","2020-04-13 14:22:54"),(361,"Deborah","Lowery","CzO81oBa2Ak","/img/user_avatar_361.jpg","1998-02-06","P.O. Box 219, 5472 Eget Street","Elx","CV","Svalbard and Jan Mayen Islands","Male","0907232386","Ut@Quisque.edu","orci. Donec nibh.","Plants, Videogames, Football","2020-03-27 08:27:35","2020-04-05 05:08:40"),(362,"Brooke","Ware","VyW69yTo0Wz","/img/user_avatar_362.jpg","1995-04-30","P.O. Box 726, 2924 Phasellus St.","Murcia","Murcia","Singapore","Male","0865990747","Aliquam.ornare@laoreet.ca","ligula eu enim. Etiam imperdiet","Videogames, Basketball, Plants","2020-11-10 12:00:21","2020-04-02 15:21:27"),(363,"Sigourney","Haney","SyO88wFg4Cm","/img/user_avatar_363.jpg","2000-08-29","253-4707 Vulputate, Rd.","Palma de Mallorca","BA","Niue","Female","0533359760","semper.tellus@liberoIntegerin.com","Nullam velit dui, semper et, lacinia vitae,","Videogames, TVSeries, Basketball","2020-03-20 07:18:21","2020-04-07 09:31:48"),(364,"Harriet","Mercer","QrK12gEj3Vy","/img/user_avatar_364.jpg","2001-10-09","8534 Sit Rd.","Albacete","CM","Ukraine","Female","0980436441","nonummy.Fusce.fermentum@loremeu.org","adipiscing non, luctus sit amet,","Videogames, Football, Traveling","2020-12-03 10:46:21","2020-04-05 13:58:24"),(365,"Bo","Herrera","WqV45sWp1Zl","/img/user_avatar_365.jpg","2001-11-22","P.O. Box 313, 5211 Cras Road","Cartagena","Murcia","Namibia","Male","0277886640","enim.commodo@ullamcorper.com","nulla ante, iaculis nec, eleifend","Cooking, Videogames, Plants","2021-01-11 12:18:33","2020-04-15 10:42:11"),(366,"Illiana","Pearson","RmM01aWa0Nu","/img/user_avatar_366.jpg","1998-09-05","P.O. Box 253, 5601 Vestibulum Street","Jaén","Andalucía","Iceland","Male","0775602632","non.dapibus.rutrum@quis.ca","tincidunt vehicula","Videogames, TVSeries, Basketball","2020-03-10 12:46:15","2020-04-10 18:39:52"),(367,"Melissa","Mayo","MzY09gFo6Yh","/img/user_avatar_367.jpg","1994-12-10","P.O. Box 378, 9492 Egestas. Ave","Cáceres","EX","Djibouti","Female","0924266724","risus.Nunc.ac@nulla.co.uk","lacus, varius et, euismod et, commodo at, libero. Morbi","TVSeries, Traveling, Sports","2020-01-13 06:11:21","2020-04-10 11:33:00"),(368,"Bruce","Meyer","GhG84tRf3Uz","/img/user_avatar_368.jpg","1996-11-09","P.O. Box 361, 8341 Vel Street","Almería","Andalucía","American Samoa","Female","0716261838","mollis.non@montesnasceturridiculus.net","lacus","Videogames, Sports, Traveling","2021-01-10 12:05:18","2020-04-03 11:45:22"),(369,"Kylan","Palmer","BwL23sJu2Be","/img/user_avatar_369.jpg","2000-12-19","204-2464 Etiam Ave","Torrejón de Ardoz","MA","United Arab Emirates","Male","0117640471","aliquet.molestie.tellus@rhoncus.co.uk","cursus in, hendrerit consectetuer, cursus et,","Basketball, Plants, Football","2020-06-25 19:11:20","2020-04-09 10:13:11"),(370,"Benedict","Mccullough","UdR06bTy5Zo","/img/user_avatar_370.jpg","2001-10-16","349-3095 Augue St.","Melilla","Melilla","Saint Lucia","Male","0955677123","ullamcorper.Duis.at@incursuset.ca","sem eget massa. Suspendisse eleifend. Cras sed leo. Cras vehicula","Basketball, TVSeries, Science","2020-08-01 18:56:18","2020-04-10 15:25:03"),(371,"Hadley","Mccoy","CqH16gRe0Zo","/img/user_avatar_371.jpg","1997-12-30","934-6310 Amet, Street","Tarrasa","Catalunya","Kiribati","Female","0262004324","quis.diam.Pellentesque@malesuadafringillaest.net","sodales purus, in molestie tortor nibh sit","Basketball, Science, Football","2020-12-21 17:11:44","2020-04-07 23:27:32"),(372,"Cally","Gilliam","YsQ70iUb2Ya","/img/user_avatar_372.jpg","1996-06-21","Ap #934-5046 Pellentesque Street","Pamplona","Navarra","Christmas Island","Female","0728552182","lacinia@enimEtiamgravida.edu","lacus pede sagittis augue, eu tempor erat neque non quam.","Football, Traveling, TVSeries","2020-04-19 20:59:48","2020-04-07 03:44:04"),(373,"Alfreda","Harrell","IkW17nMz1Uz","/img/user_avatar_373.jpg","2001-06-17","P.O. Box 444, 7470 Lacinia Street","Torrevieja","Comunitat Valenciana","Uganda","Male","0330880224","Aliquam.ultrices.iaculis@tempus.co.uk","risus quis diam luctus lobortis. Class aptent taciti sociosqu","Cooking, Videogames, Basketball","2020-05-25 09:07:17","2020-04-07 10:36:36"),(374,"Damian","Sullivan","NuB09oWn0Dr","/img/user_avatar_374.jpg","1996-10-04","3825 Tellus, St.","Ceuta","Ceuta","Nepal","Male","0664090723","vitae@eueleifendnec.ca","nunc sed","Plants, Cooking, TVSeries","2020-08-25 02:59:12","2020-04-05 23:16:49"),(375,"Derek","Terry","WoK73bRq1Xh","/img/user_avatar_375.jpg","1995-09-20","3767 Enim Street","Fuenlabrada","Madrid","Malaysia","Female","0986426775","Etiam@sitamet.net","vehicula","Sports, Science, Traveling","2020-01-09 03:33:24","2020-04-11 04:54:25"),(376,"Azalia","Hart","MnS80gYf2Eh","/img/user_avatar_376.jpg","2001-03-02","535-8043 Orci Avenue","Huesca","Aragón","Brazil","Female","0583938356","dui.Cras@sociis.net","faucibus leo, in lobortis tellus justo sit amet nulla. Donec","Football, Basketball, Cooking","2021-03-08 20:00:54","2020-04-07 03:30:38"),(377,"Lesley","Burgess","XdA07mQm5Po","/img/user_avatar_377.jpg","1998-12-29","Ap #290-899 Cras Avenue","Las Palmas","Canarias","Bangladesh","Male","0432682131","Proin.ultrices.Duis@porttitor.com","scelerisque neque. Nullam nisl. Maecenas malesuada fringilla est.","Cooking, Sports, Football","2020-11-08 11:17:51","2020-04-06 18:39:28"),(378,"Quincy","York","RwU70kGk9Wf","/img/user_avatar_378.jpg","1998-07-30","Ap #140-3591 Netus Rd.","Gasteiz","Euskadi","Ukraine","Male","0777313116","magnis@Suspendissenon.co.uk","velit. Cras lorem lorem, luctus","Sports, Videogames, Football","2021-03-07 13:15:15","2020-04-02 00:55:51"),(379,"Geraldine","Watkins","YyS76dGa6Nf","/img/user_avatar_379.jpg","1998-10-19","363-9389 At Ave","Melilla","Melilla","Antarctica","Female","0649797007","semper.egestas.urna@ac.ca","Vestibulum ut eros non enim commodo","Videogames, Traveling, Sports","2021-04-08 07:14:42","2020-04-15 10:22:26"),(380,"Hayden","Kidd","GjM75iUr3Iy","/img/user_avatar_380.jpg","2001-04-29","Ap #502-9211 Interdum Street","Torrevieja","CV","Spain","Female","0814704984","eget.metus.eu@ac.com","neque. Sed eget lacus. Mauris non dui nec urna","TVSeries, Sports, Traveling","2020-06-08 04:39:09","2020-04-13 04:13:50"),(381,"Harding","Hayden","RzZ65aFa9Bs","/img/user_avatar_381.jpg","1999-08-14","819-9584 Tempor, St.","Valéncia","Comunitat Valenciana","Bahamas","Male","0667242405","lacinia@Utsagittis.com","orci, consectetuer euismod est","Sports, Basketball, Videogames","2020-06-29 21:06:02","2020-04-06 04:41:18"),(382,"Daniel","Mayer","MzQ32lIm6Az","/img/user_avatar_382.jpg","1996-10-01","8091 Sit Av.","Santa Cruz de Tenerife","CN","Madagascar","Male","0204593324","laoreet.posuere.enim@nonluctus.ca","orci. Phasellus dapibus","Science, Basketball, TVSeries","2021-04-05 12:56:21","2020-04-11 08:48:34"),(383,"Megan","Leblanc","OpE98pUd5Ys","/img/user_avatar_383.jpg","1995-11-18","7991 Sagittis St.","Zaragoza","AR","Andorra","Female","0999282336","nec.malesuada@vitaemauris.net","lectus pede,","Football, Plants, TVSeries","2020-03-09 18:15:18","2020-04-10 19:23:43"),(384,"Hayfa","Bonner","PfH12jVm2Fw","/img/user_avatar_384.jpg","1995-08-17","P.O. Box 256, 2193 Iaculis Street","Palma de Mallorca","Illes Balears","Ukraine","Female","0270376328","arcu@idmollisnec.com","lobortis. Class aptent taciti sociosqu ad litora torquent","Science, Traveling, Basketball","2020-02-21 06:54:01","2020-04-14 02:09:17"),(385,"Dorian","Richard","IcG23oWm2Ii","/img/user_avatar_385.jpg","2001-11-18","Ap #298-1264 Parturient St.","Barcelona","CA","Somalia","Male","0863137957","dolor.dapibus.gravida@egestasurnajusto.co.uk","tellus. Suspendisse sed dolor. Fusce mi lorem, vehicula et, rutrum","Plants, Basketball, Cooking","2020-07-15 21:33:08","2020-04-05 18:34:25"),(386,"Oren","Morgan","KmN62yRa4Zg","/img/user_avatar_386.jpg","1998-05-16","P.O. Box 262, 8236 Hendrerit Ave","Palma de Mallorca","Illes Balears","Albania","Male","0115264573","In.nec@feugiatSednec.co.uk","Fusce","Videogames, Sports, Plants","2020-07-30 15:22:36","2020-04-10 08:59:20"),(387,"Hyacinth","Nielsen","YvJ20gAe7Cr","/img/user_avatar_387.jpg","1997-03-29","233-2688 Et Road","Melilla","Melilla","Brunei","Female","0816858903","mus.Proin@Loremipsumdolor.com","urna, nec luctus felis purus ac tellus. Suspendisse sed","Cooking, Plants, Videogames","2021-03-17 16:30:25","2020-04-06 22:07:48"),(388,"Juliet","Stewart","FwU77nPr6Sd","/img/user_avatar_388.jpg","1997-06-02","757-2168 Nullam Avenue","San Cristóbal de la Laguna","Canarias","Libya","Female","0739066481","convallis.dolor@nulla.org","Aliquam gravida mauris ut mi. Duis risus odio, auctor vitae,","Plants, Sports, Football","2020-11-20 09:45:33","2020-04-15 09:15:40"),(389,"Shellie","Riggs","GeU99mSp5Qw","/img/user_avatar_389.jpg","1995-08-08","Ap #985-6491 Arcu Road","Logroño","La Rioja","Dominica","Male","0928441288","montes.nascetur.ridiculus@dolornonummy.org","vestibulum massa rutrum magna. Cras convallis convallis","Cooking, Basketball, Plants","2020-07-28 09:17:57","2020-04-01 17:05:50"),(390,"Lara","Patel","FtI96hWn4Xd","/img/user_avatar_390.jpg","1996-10-28","6618 Non, Rd.","Dos Hermanas","AN","Qatar","Male","0234723543","dolor@venenatislacusEtiam.net","In condimentum. Donec at arcu. Vestibulum ante","Sports, Football, Videogames","2020-11-22 21:05:01","2020-04-12 01:11:28"),(391,"Hedda","Lynn","CgA47oEj0Xs","/img/user_avatar_391.jpg","1996-08-09","819-3045 Velit. Road","Badajoz","EX","Sint Maarten","Female","0163981039","semper.rutrum.Fusce@blanditviverra.org","neque non quam. Pellentesque habitant morbi","Plants, Football, Cooking","2020-03-05 19:18:53","2020-04-06 19:35:07"),(392,"Ina","Guzman","SlB07gId2Xo","/img/user_avatar_392.jpg","1998-05-04","4775 Iaculis, Rd.","Zaragoza","AR","Guatemala","Female","0820433484","Phasellus.in.felis@quamvel.co.uk","quam quis diam. Pellentesque habitant morbi tristique","Sports, Football, Traveling","2021-03-18 07:43:54","2020-04-05 07:33:29"),(393,"Kelly","Cunningham","NmF58hIi2Gv","/img/user_avatar_393.jpg","2001-04-22","8435 Mollis Rd.","Badajoz","Extremadura","Uganda","Male","0113486272","dignissim@temporloremeget.org","sapien. Nunc pulvinar arcu et pede. Nunc sed","Traveling, Videogames, Football","2020-11-22 18:53:05","2020-04-14 15:51:00"),(394,"Blythe","Colon","MqP62hKj2Dg","/img/user_avatar_394.jpg","2001-07-18","859-9020 Enim. Rd.","Badajoz","Extremadura","Poland","Male","0189123350","malesuada@ridiculusmus.net","sapien.","Videogames, TVSeries, Basketball","2021-02-17 22:38:50","2020-04-11 14:34:59"),(395,"Winifred","Hardy","CqN03jXc5Dk","/img/user_avatar_395.jpg","1998-02-21","P.O. Box 736, 2308 Risus. Ave","Valéncia","Comunitat Valenciana","Poland","Female","0485220816","lectus.pede.ultrices@Sedeget.org","senectus et netus et malesuada fames ac turpis egestas. Aliquam","TVSeries, Science, Traveling","2021-02-22 19:13:29","2020-04-13 05:56:25"),(396,"Declan","Byers","EkK35uQt7Fw","/img/user_avatar_396.jpg","1997-03-05","4353 Donec St.","Leganés","Madrid","Tanzania","Female","0969694812","Class.aptent.taciti@dictumauguemalesuada.net","vestibulum nec, euismod in, dolor. Fusce feugiat. Lorem ipsum","Football, Cooking, Plants","2020-11-19 03:24:06","2020-04-07 12:24:28"),(397,"Aidan","Crosby","VdI84iYx2Bu","/img/user_avatar_397.jpg","2002-01-16","983-9860 Massa. Rd.","Palma de Mallorca","Illes Balears","Barbados","Male","0884496349","vitae@vehiculaet.co.uk","elit, a feugiat tellus lorem eu metus. In lorem.","Cooking, Plants, TVSeries","2021-01-22 21:39:03","2020-04-02 01:00:33"),(398,"Zachary","Head","ApY46fBr7Ch","/img/user_avatar_398.jpg","1994-08-10","7084 Vivamus St.","Salamanca","CL","Albania","Male","0413392984","Fusce.mollis@Aliquam.ca","risus quis diam luctus lobortis. Class aptent","Plants, Videogames, Traveling","2020-09-27 18:52:00","2020-04-08 23:36:15"),(399,"Armando","Donovan","SsT64zEy3Ad","/img/user_avatar_399.jpg","1995-08-13","P.O. Box 232, 3044 Ante, Road","Baracaldo","Euskadi","Qatar","Female","0972016474","odio@vitaediamProin.net","velit in aliquet lobortis, nisi nibh","Science, Plants, Videogames","2020-09-15 13:02:41","2020-04-01 02:07:35"),(400,"Iola","Burch","MqL91bBy2Ll","/img/user_avatar_400.jpg","1996-06-08","4172 Eleifend St.","A Coruña","GA","Kuwait","Female","0731450885","felis.orci.adipiscing@eget.ca","facilisis,","Videogames, TVSeries, Basketball","2020-11-29 04:25:04","2020-04-11 08:29:54");
INSERT INTO `users` (`id`,`first_name`,`second_name`,`user_password`,`user_img`,`birth_date`,`adress`,`city`,`province`,`country`,`sex`,`tel`,`email`,`user_status`,`interests`,`creation_date`,`last_modification`) VALUES (401,"India","Meyers","HfF35dZj6Le","/img/user_avatar_401.jpg","1995-11-04","P.O. Box 550, 9943 Malesuada Avenue","Oviedo","Principado de Asturias","Guatemala","Male","0186095830","nulla.Cras.eu@Suspendisse.edu","et ipsum cursus vestibulum. Mauris magna. Duis dignissim tempor arcu.","Plants, Football, Sports","2020-09-03 02:56:14","2020-04-02 16:32:09"),(402,"Ulla","Gilmore","FeZ88tJu5Es","/img/user_avatar_402.jpg","2000-09-02","Ap #575-9266 Porta Av.","Parla","MA","Belgium","Male","0426411191","Fusce.mi.lorem@Vivamus.net","lacus. Etiam bibendum fermentum metus. Aenean sed pede nec","Traveling, Videogames, Plants","2020-02-20 05:45:11","2020-04-10 22:37:03"),(403,"Camille","Glover","YeE41tYm8Hd","/img/user_avatar_403.jpg","1996-10-10","P.O. Box 712, 7736 Eu St.","Algeciras","Andalucía","San Marino","Female","0856988244","eros.turpis@atvelit.ca","et netus et","TVSeries, Traveling, Videogames","2020-08-14 20:19:35","2020-04-14 20:55:35"),(404,"Kristen","Barton","SoS02oUm1Py","/img/user_avatar_404.jpg","1995-08-09","Ap #172-3575 Adipiscing Av.","Gasteiz","PV","Cambodia","Female","0917018912","amet.risus.Donec@hendrerit.org","a ultricies adipiscing, enim","Basketball, TVSeries, Science","2021-01-26 11:29:10","2020-04-01 13:30:34"),(405,"Kyra","Riley","PvQ47pZs7Tx","/img/user_avatar_405.jpg","2000-07-17","899-7504 Varius Rd.","Huesca","AR","Sudan","Male","0445913673","in.cursus@ultricies.org","eu nulla at sem molestie sodales. Mauris blandit enim","Cooking, Basketball, Football","2021-02-13 14:16:00","2020-04-15 11:42:49"),(406,"Desirae","Ball","FoC01wVx4Hk","/img/user_avatar_406.jpg","1999-05-13","2014 Augue Rd.","Alcorcón","MA","Guinea","Male","0341472751","Suspendisse@Nam.org","Phasellus libero mauris, aliquam eu, accumsan sed,","TVSeries, Plants, Traveling","2020-10-01 16:19:18","2020-04-07 00:41:30"),(407,"Caleb","Odonnell","ZnS89vGq8At","/img/user_avatar_407.jpg","1997-09-27","Ap #776-1090 Id, Street","Córdoba","Andalucía","Antarctica","Female","0815151542","Duis.elementum.dui@vitae.com","amet risus. Donec","TVSeries, Football, Science","2020-04-12 08:58:40","2020-04-10 10:46:39"),(408,"Juliet","Stanton","YyK96hYa2Zi","/img/user_avatar_408.jpg","1994-05-29","213-7041 Dui Rd.","Palma de Mallorca","Illes Balears","United Kingdom (Great Britain)","Female","0370958364","diam.lorem.auctor@duiCras.net","Aenean eget magna. Suspendisse tristique","Plants, Traveling, Basketball","2021-03-11 23:11:21","2020-04-15 11:30:17"),(409,"Jessica","David","FxB40kOd3Iv","/img/user_avatar_409.jpg","2000-05-14","611-3087 Quis, St.","Parla","MA","Martinique","Male","0341525508","Donec@erategetipsum.edu","In lorem. Donec elementum,","Videogames, Football, Science","2021-04-06 01:41:59","2020-04-04 06:29:30"),(410,"Otto","Giles","DyM07eAm6Ud","/img/user_avatar_410.jpg","2000-06-29","P.O. Box 589, 6622 Molestie Avenue","Melilla","ME","Pitcairn Islands","Male","0415716052","fringilla.porttitor@enim.co.uk","fringilla est.","Football, Videogames, Plants","2020-12-10 16:25:49","2020-04-07 09:56:59"),(411,"Frances","Gilliam","GpD57sNp6Dt","/img/user_avatar_411.jpg","1999-04-21","Ap #825-6138 Nam Av.","Palma de Mallorca","Illes Balears","Mexico","Female","0230700464","Aliquam.adipiscing.lobortis@Suspendisse.org","Vivamus sit amet risus. Donec egestas. Aliquam","Science, Videogames, Traveling","2020-03-06 21:57:52","2020-04-10 21:07:14"),(412,"Keely","Mayer","AhI68mNr8Bm","/img/user_avatar_412.jpg","2001-11-23","8211 Nunc. Rd.","Zaragoza","Aragón","Saint Martin","Female","0715097247","rhoncus@velit.org","lacus. Mauris non dui nec urna suscipit nonummy. Fusce fermentum","Videogames, Sports, TVSeries","2021-03-19 02:35:56","2020-04-14 16:07:44"),(413,"Shelby","Snider","BkV97sNo9Il","/img/user_avatar_413.jpg","2000-11-15","P.O. Box 218, 5539 Ultricies Av.","Cáceres","EX","Tajikistan","Male","0714670750","Proin@variusNamporttitor.org","libero. Proin sed turpis nec","TVSeries, Plants, Science","2020-07-30 22:24:02","2020-04-11 03:45:18"),(414,"Murphy","Jacobson","XiV92jUy2Fq","/img/user_avatar_414.jpg","1994-08-17","P.O. Box 121, 1874 Ut, Rd.","Teruel","Aragón","Afghanistan","Male","0951163725","Cras.dolor@et.org","cursus et, magna. Praesent interdum ligula","Plants, Cooking, TVSeries","2020-12-26 05:41:23","2020-04-08 06:39:45"),(415,"Tanisha","Puckett","GiQ66bVm3Fq","/img/user_avatar_415.jpg","2001-10-21","P.O. Box 415, 7161 Nec Street","Santander","CA","Kazakhstan","Female","0550339791","pellentesque.eget.dictum@urnaVivamusmolestie.edu","dictum. Phasellus in felis. Nulla tempor augue ac ipsum.","Traveling, Cooking, TVSeries","2020-11-26 08:40:31","2020-04-01 04:26:07"),(416,"Venus","Hodges","BtE71rAt0Jn","/img/user_avatar_416.jpg","2001-10-15","292 Consectetuer St.","Torrevieja","CV","Honduras","Female","0706727583","tristique.senectus.et@montesnasceturridiculus.org","convallis ligula. Donec luctus aliquet odio. Etiam ligula tortor,","Football, Plants, Videogames","2020-04-19 13:13:17","2020-04-04 02:43:22"),(417,"Lacy","Watkins","WrD37iZs8Xg","/img/user_avatar_417.jpg","2001-12-12","547-4617 Commodo Road","Ceuta","CE","Norfolk Island","Male","0203655448","eleifend@Curabituregestas.com","egestas nunc sed libero. Proin sed","Football, Basketball, Science","2021-02-03 19:58:06","2020-04-09 21:25:08"),(418,"Hannah","Crosby","PaO27fHn2Cz","/img/user_avatar_418.jpg","1997-11-19","5496 Rutrum. Road","Bilbo","Euskadi","Bolivia","Male","0361445469","ornare.In.faucibus@massa.edu","Donec porttitor tellus non magna.","Cooking, Science, TVSeries","2020-03-11 20:18:39","2020-04-04 12:06:43"),(419,"Allistair","Sweet","CnU67xOi0Bz","/img/user_avatar_419.jpg","1998-12-14","P.O. Box 667, 5255 Dictum St.","Torrevieja","Comunitat Valenciana","Somalia","Female","0876432836","eget.volutpat@Morbiquis.com","bibendum fermentum metus. Aenean sed pede nec","TVSeries, Traveling, Cooking","2020-12-23 05:31:57","2020-04-13 19:06:45"),(420,"Abbot","Riggs","SoW14uQr7Cm","/img/user_avatar_420.jpg","1997-08-30","1410 Convallis Rd.","Sabadell","CA","Virgin Islands, British","Female","0278139651","non@venenatis.com","ut nisi a odio semper cursus. Integer mollis.","Traveling, Sports, TVSeries","2020-10-31 10:50:15","2020-04-08 15:30:16"),(421,"Clarke","Lindsey","RgG34aMu3Ce","/img/user_avatar_421.jpg","1994-06-19","P.O. Box 147, 4943 Orci, St.","Ceuta","Ceuta","Libya","Male","0620219586","quam.vel.sapien@Fuscealiquamenim.org","tempor erat neque non quam. Pellentesque habitant morbi tristique senectus","Basketball, Videogames, Cooking","2021-03-24 00:57:24","2020-04-02 07:45:09"),(422,"Nomlanga","Holmes","WeV79iNn9Aw","/img/user_avatar_422.jpg","1994-10-03","P.O. Box 866, 4615 Venenatis St.","Segovia","CL","Antarctica","Male","0869085792","eu.tellus.eu@pretiumneque.ca","aliquet odio. Etiam ligula tortor,","TVSeries, Traveling, Videogames","2020-04-27 10:57:47","2020-04-14 17:23:32"),(423,"Judah","Cannon","TpO60dBg8Wn","/img/user_avatar_423.jpg","1999-09-30","7490 Aliquam, Ave","Cáceres","EX","Curaçao","Female","0611453592","metus.Aliquam.erat@felisadipiscing.edu","et, rutrum eu, ultrices sit amet, risus. Donec","Plants, Videogames, Sports","2021-03-06 15:56:19","2020-04-03 23:18:48"),(424,"Quinn","Ratliff","UpV85iNc8Px","/img/user_avatar_424.jpg","1995-01-12","943-5756 Libero. Rd.","Dos Hermanas","Andalucía","Luxembourg","Female","0527863191","diam.luctus.lobortis@dolordapibus.ca","a, magna. Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","Science, Basketball, Plants","2020-01-31 22:35:11","2020-04-01 18:58:30"),(425,"Robert","Wilson","BlC89sEu4Ek","/img/user_avatar_425.jpg","1996-07-21","4611 Nunc St.","Santander","Cantabria","Micronesia","Male","0810573861","vulputate@semutcursus.net","lorem ut aliquam iaculis, lacus","Science, Sports, Traveling","2020-08-31 17:05:19","2020-04-06 14:10:36"),(426,"Luke","Mcgee","BfL25jGw5Yu","/img/user_avatar_426.jpg","1997-08-02","Ap #780-1044 Aliquam Rd.","Oviedo","AS","Western Sahara","Male","0310467290","lacus.Aliquam@Nullatemporaugue.ca","est","Science, Plants, Sports","2021-03-10 02:28:51","2020-04-15 12:25:12"),(427,"Norman","Franks","OzL23pHk9Ze","/img/user_avatar_427.jpg","1997-02-07","5275 Dolor Rd.","Cáceres","EX","Tunisia","Female","0359185692","diam.luctus.lobortis@VivamusrhoncusDonec.edu","neque et nunc.","Basketball, Science, Cooking","2020-05-06 02:04:16","2020-04-14 20:49:38"),(428,"Velma","Sosa","XaE95eUj8Nq","/img/user_avatar_428.jpg","1996-09-18","Ap #951-6353 Dui St.","Gijón","Principado de Asturias","United States","Female","0778180032","eget@nuncest.edu","ipsum nunc id enim. Curabitur massa. Vestibulum accumsan neque","Videogames, Football, TVSeries","2020-05-04 00:42:29","2020-04-15 05:19:04"),(429,"Hashim","Quinn","FeD48eCv1Is","/img/user_avatar_429.jpg","2001-09-19","P.O. Box 479, 210 Nam Avenue","Pamplona","Navarra","Heard Island and Mcdonald Islands","Male","0175205982","Proin.non.massa@faucibusorci.org","risus. Donec egestas. Duis ac","Traveling, Cooking, Football","2020-11-07 16:38:19","2020-04-10 21:40:08"),(430,"Joy","Atkinson","HtH64tIm9Gr","/img/user_avatar_430.jpg","2000-10-05","1670 Sed, St.","Oviedo","Principado de Asturias","Mexico","Male","0638837619","conubia.nostra@nonloremvitae.co.uk","netus et malesuada fames ac","Cooking, Science, Plants","2020-05-23 00:38:03","2020-04-04 20:53:17"),(431,"Tanek","Briggs","NgI21jWm9Ta","/img/user_avatar_431.jpg","2000-11-19","P.O. Box 322, 7223 Eget Av.","Girona","Catalunya","Botswana","Female","0753357347","ullamcorper.eu.euismod@laoreetlectus.co.uk","rutrum non, hendrerit id, ante. Nunc mauris","Plants, Sports, TVSeries","2021-04-06 14:07:28","2020-04-10 12:33:56"),(432,"Aretha","Garcia","IyT97nRz9Bo","/img/user_avatar_432.jpg","1995-12-25","Ap #974-2826 Accumsan Road","Córdoba","AN","Saint Pierre and Miquelon","Female","0666597705","sodales.nisi@iaculislacuspede.com","aliquet. Proin velit. Sed malesuada","Traveling, Football, Plants","2020-04-29 09:48:38","2020-04-03 07:32:43"),(433,"Reuben","Mcpherson","LgV92lQu2Yp","/img/user_avatar_433.jpg","1994-08-19","489-2507 Eleifend Rd.","Cartagena","Murcia","Belgium","Male","0162686487","eget@malesuadavel.co.uk","enim diam","Football, Traveling, Sports","2020-07-10 10:37:49","2020-04-08 12:12:35"),(434,"Jameson","Lane","IxK47aWa9Qr","/img/user_avatar_434.jpg","1998-12-02","274-8891 Curae; Av.","Pamplona","Navarra","Tonga","Male","0563962922","et.malesuada.fames@Suspendissetristiqueneque.org","Lorem ipsum dolor sit amet, consectetuer adipiscing","TVSeries, Videogames, Plants","2020-07-02 16:24:53","2020-04-10 15:48:31"),(435,"Raja","Barnett","WcQ92xJe3Ph","/img/user_avatar_435.jpg","2000-12-09","Ap #482-1915 Enim. Avenue","Santander","Cantabria","Saudi Arabia","Female","0120827839","vitae.nibh.Donec@magnaSuspendissetristique.co.uk","massa rutrum","Cooking, Sports, Basketball","2020-11-29 21:37:41","2020-04-02 14:59:12"),(436,"Nayda","Harrell","GvH05eKc6Yt","/img/user_avatar_436.jpg","1998-05-04","P.O. Box 451, 1044 Aliquam Rd.","Zaragoza","AR","Sudan","Female","0565052382","est@antedictumcursus.ca","Nunc","Basketball, TVSeries, Traveling","2020-01-19 14:42:13","2020-04-15 03:32:23"),(437,"Mohammad","Dillard","HlT18bGm7It","/img/user_avatar_437.jpg","1996-07-17","9447 Sagittis Rd.","Badajoz","Extremadura","United States Minor Outlying Islands","Male","0156842332","dui.Cum@sollicitudincommodoipsum.org","nunc, ullamcorper eu, euismod ac, fermentum vel,","Science, TVSeries, Football","2020-10-02 00:20:30","2020-04-12 17:49:22"),(438,"Cora","Lawrence","BtJ98lQq1Ja","/img/user_avatar_438.jpg","2001-04-01","P.O. Box 869, 5061 At, Av.","Palma de Mallorca","BA","Norfolk Island","Male","0629961116","tincidunt@Morbi.co.uk","metus eu erat semper rutrum. Fusce dolor","Football, Videogames, Basketball","2020-09-16 01:19:19","2020-04-13 13:34:02"),(439,"Lane","Osborn","DaY04rFe9Qh","/img/user_avatar_439.jpg","2000-05-15","P.O. Box 371, 1714 Hendrerit Ave","Palencia","Castilla y León","Sri Lanka","Female","0309730918","eget@tristique.edu","risus. Morbi metus. Vivamus euismod","Cooking, TVSeries, Plants","2021-01-27 18:38:32","2020-04-04 17:12:05"),(440,"Merritt","Petty","MeL80yCy0Vp","/img/user_avatar_440.jpg","2000-01-23","P.O. Box 432, 8101 Ac Ave","Santa Cruz de Tenerife","CN","Bangladesh","Female","0802091651","cursus.a@adipiscing.net","Quisque nonummy ipsum","Plants, TVSeries, Traveling","2020-06-24 03:57:34","2020-04-02 19:45:15"),(441,"Noelle","Santana","PpF17pEl9Qi","/img/user_avatar_441.jpg","1998-11-30","P.O. Box 670, 4674 Ut, Av.","Logroño","La Rioja","Pakistan","Male","0767815546","nec.tempus@nequeet.org","turpis. Aliquam adipiscing lobortis risus.","Science, Traveling, Basketball","2020-08-18 04:51:17","2020-04-02 04:05:33"),(442,"Laura","Dominguez","QgF29bCq7Kv","/img/user_avatar_442.jpg","1995-10-14","614-2100 Magna. St.","Sabadell","Catalunya","Virgin Islands, British","Male","0419090680","aliquet.nec@Donecnibh.net","eget laoreet posuere, enim nisl elementum purus, accumsan interdum","Science, Sports, Basketball","2020-05-19 07:06:48","2020-04-12 04:14:43"),(443,"Keiko","Foster","XyD73iAe9Wt","/img/user_avatar_443.jpg","1994-11-30","P.O. Box 893, 2308 Mauris Rd.","Las Palmas","CN","Singapore","Female","0885526612","In.at@tellus.com","feugiat","Football, Basketball, TVSeries","2020-01-18 05:47:16","2020-04-12 19:57:39"),(444,"Joy","Figueroa","RpN36bVk4Tw","/img/user_avatar_444.jpg","1994-05-10","P.O. Box 876, 1909 Orci Road","Leganés","Madrid","Aruba","Female","0769303821","amet.diam@estconguea.org","suscipit, est","TVSeries, Science, Football","2020-04-26 23:09:49","2020-04-08 09:54:01"),(445,"Amela","Miranda","NuH92cMr2Mo","/img/user_avatar_445.jpg","1998-09-20","P.O. Box 422, 9237 Egestas. Street","Gasteiz","PV","Guyana","Male","0562623145","lectus@tortor.ca","Duis ac","Football, TVSeries, Sports","2020-12-13 12:02:48","2020-04-07 23:33:03"),(446,"Ina","Wilkins","WwJ63pBr9Ih","/img/user_avatar_446.jpg","1998-06-08","8321 Aliquet Street","Palma de Mallorca","Illes Balears","Kazakhstan","Male","0510568162","euismod.in.dolor@inceptoshymenaeos.ca","vulputate, lacus.","Sports, Traveling, Football","2020-06-28 07:57:04","2020-04-03 20:54:37"),(447,"Quinn","Hart","LxG13hQe0Mm","/img/user_avatar_447.jpg","1998-04-03","879-9106 Vivamus St.","Teruel","Aragón","Uganda","Female","0755213107","magnis@sem.net","ullamcorper,","Videogames, Sports, Science","2020-10-19 01:05:20","2020-04-01 09:55:35"),(448,"Anastasia","Goff","CfY16sWt6Ao","/img/user_avatar_448.jpg","1998-01-16","597 Cubilia Rd.","Pamplona","NA","Cape Verde","Female","0788958802","elit.erat@fermentumfermentum.net","eleifend.","Football, Plants, Basketball","2020-08-05 06:09:17","2020-04-08 18:55:23"),(449,"Bevis","Pacheco","YmC73gQa0Uj","/img/user_avatar_449.jpg","2000-01-24","962-9918 Nisi Avenue","Santander","Cantabria","Reunion","Male","0247011027","ipsum.Curabitur@sollicitudina.ca","luctus sit","Science, Cooking, Football","2021-02-19 13:19:29","2020-04-14 22:47:05"),(450,"Vincent","Ellison","EsE33wHf5Lg","/img/user_avatar_450.jpg","1995-12-24","P.O. Box 257, 5918 Id Avenue","Ceuta","Ceuta","Curaçao","Male","0544937771","natoque.penatibus.et@pedenec.edu","odio. Aliquam vulputate ullamcorper magna. Sed eu eros. Nam","Basketball, Sports, Cooking","2020-10-17 07:36:24","2020-04-01 10:54:36"),(451,"Talon","Frederick","VwW62aCc0Bi","/img/user_avatar_451.jpg","1994-11-08","1183 Sem Road","Zaragoza","Aragón","Seychelles","Female","0826660581","sit.amet.ultricies@magnisdisparturient.org","laoreet posuere, enim nisl","Cooking, Science, Videogames","2021-04-06 16:57:38","2020-04-05 21:28:24"),(452,"Kadeem","Murray","CxV88qHg7Ll","/img/user_avatar_452.jpg","2000-07-28","Ap #388-2151 Mauris St.","Toledo","CM","Romania","Female","0291318882","vestibulum.lorem@enimdiam.com","enim commodo hendrerit. Donec porttitor tellus non magna. Nam ligula","TVSeries, Football, Plants","2020-10-13 20:44:20","2020-04-08 23:12:44"),(453,"Claudia","Phelps","YvU35wQj9Pz","/img/user_avatar_453.jpg","1996-06-10","291-426 Amet St.","Leganés","Madrid","French Polynesia","Male","0962658637","Proin.mi@Curabituregestasnunc.net","Nulla interdum. Curabitur dictum. Phasellus in felis. Nulla","Science, Football, Sports","2020-09-21 10:56:24","2020-04-03 04:17:25"),(454,"Noel","Page","PnP55iWc3Es","/img/user_avatar_454.jpg","1998-02-07","P.O. Box 703, 3289 Dui. St.","Santander","CA","Andorra","Male","0484713232","dolor.Fusce@Nunclaoreet.net","auctor","Football, Sports, TVSeries","2020-02-23 01:52:18","2020-04-02 20:11:03"),(455,"Christian","Abbott","RxF01yJg5Mu","/img/user_avatar_455.jpg","2001-09-15","P.O. Box 747, 2631 Nec St.","Santander","CA","Monaco","Female","0355352611","nec.enim.Nunc@Nullafacilisi.co.uk","amet, consectetuer","Videogames, TVSeries, Sports","2020-09-30 13:53:26","2020-04-10 17:04:48"),(456,"Chase","Myers","QgO55uNd0Cz","/img/user_avatar_456.jpg","1995-05-02","621-3764 Nullam Rd.","Badajoz","EX","Brunei","Female","0288463054","Vestibulum.ante.ipsum@lorem.co.uk","arcu. Vestibulum","Cooking, Basketball, Plants","2020-04-12 00:52:14","2020-04-05 11:18:28"),(457,"Ciara","Wolfe","EoR50dWy2Ft","/img/user_avatar_457.jpg","2001-12-19","P.O. Box 320, 7606 Dolor. Road","Logroño","La Rioja","Samoa","Male","0957420497","gravida@ametorciUt.com","nonummy. Fusce fermentum fermentum arcu. Vestibulum","Basketball, Videogames, Football","2021-03-18 12:26:53","2020-04-11 18:48:21"),(458,"Owen","Lamb","JsC32lBy0Ei","/img/user_avatar_458.jpg","1996-07-27","Ap #143-4652 Malesuada Road","Murcia","Murcia","Pitcairn Islands","Male","0864849134","tellus.imperdiet@commodoauctorvelit.ca","sagittis. Duis gravida. Praesent eu nulla at","Sports, TVSeries, Traveling","2020-03-14 14:50:21","2020-04-10 22:03:49"),(459,"Kamal","Head","IpH14pBv6Tr","/img/user_avatar_459.jpg","1994-12-20","696-6736 Viverra. Ave","Pontevedra","Galicia","Norfolk Island","Female","0612066314","aliquet@sit.co.uk","semper tellus id nunc","Plants, TVSeries, Cooking","2021-04-09 20:42:11","2020-04-02 02:02:09"),(460,"Kennan","Parks","ZhW38nXi3Qt","/img/user_avatar_460.jpg","1999-02-22","1137 Ipsum. St.","Madrid","MA","Jersey","Female","0841713618","ligula@vestibulumneque.edu","et nunc. Quisque ornare tortor at risus. Nunc ac","Videogames, TVSeries, Sports","2020-02-27 14:46:54","2020-04-02 05:36:59"),(461,"Pamela","Holland","NkF65rUi2Dt","/img/user_avatar_461.jpg","2001-03-31","P.O. Box 945, 9237 Dolor Avenue","Ceuta","Ceuta","Wallis and Futuna","Male","0399402599","scelerisque.neque.sed@et.net","tempus mauris erat eget","Science, Traveling, TVSeries","2020-05-30 09:08:10","2020-04-06 05:27:04"),(462,"Amaya","Vang","EdA66eFk8Sg","/img/user_avatar_462.jpg","2000-04-27","8655 Hendrerit Rd.","Elx","CV","Macedonia","Male","0868600776","augue.Sed.molestie@dictum.co.uk","at, iaculis quis, pede. Praesent eu dui. Cum","Science, Sports, TVSeries","2020-05-27 10:02:42","2020-04-05 01:16:17"),(463,"Maia","Castillo","HqR19dOe3Ok","/img/user_avatar_463.jpg","2001-04-06","809-3521 Ipsum St.","Gijón","AS","Tonga","Female","0912726346","sit.amet.metus@tincidunt.co.uk","sodales nisi magna sed dui. Fusce aliquam,","TVSeries, Traveling, Sports","2020-04-21 11:56:31","2020-04-07 20:49:04"),(464,"Guy","Parrish","XgV19bQc4Bg","/img/user_avatar_464.jpg","1996-06-15","119-7500 Turpis. Street","León","Castilla y León","Samoa","Female","0683215755","dolor.Fusce.feugiat@libero.net","cubilia Curae; Donec tincidunt. Donec vitae erat vel pede","Football, Videogames, Science","2020-11-14 23:42:59","2020-04-10 22:39:16"),(465,"Philip","Carver","MjP04kId0Ew","/img/user_avatar_465.jpg","1996-06-04","P.O. Box 990, 7514 Nunc Ave","Santa Coloma de Gramenet","Catalunya","Uzbekistan","Male","0582746191","et.magnis@egettincidunt.org","cursus in, hendrerit","Videogames, Science, Cooking","2020-01-26 08:14:48","2020-04-08 19:28:33"),(466,"Dennis","Stokes","SxQ66kRu5Fo","/img/user_avatar_466.jpg","2002-03-29","Ap #602-6806 Nisl Rd.","Alacant","CV","Paraguay","Male","0164231883","at.arcu@lectusquismassa.edu","Sed pharetra, felis eget varius ultrices, mauris ipsum","Science, Cooking, Videogames","2020-03-13 20:42:38","2020-04-09 16:20:25"),(467,"Nicholas","Dyer","QtM77bXb5Fu","/img/user_avatar_467.jpg","1996-08-28","Ap #581-4399 Tellus Rd.","Palma de Mallorca","Illes Balears","Serbia","Female","0923802820","enim.Mauris@acfacilisis.net","interdum ligula eu enim.","Plants, TVSeries, Football","2020-03-07 13:40:25","2020-04-10 06:54:17"),(468,"Hilda","Newton","VrA40zHz5Dv","/img/user_avatar_468.jpg","2001-11-26","1598 Ornare. Av.","Madrid","MA","French Southern Territories","Female","0517374646","tempus.lorem.fringilla@vitae.org","lacinia. Sed congue, elit sed","Videogames, Basketball, Traveling","2020-06-11 09:40:11","2020-04-02 12:29:45"),(469,"Rachel","Bass","NgR93iWj4Cu","/img/user_avatar_469.jpg","1995-11-12","2242 Eu Rd.","Melilla","Melilla","Pakistan","Male","0197129977","Lorem.ipsum@non.com","Nulla eget metus eu erat","Football, Plants, Basketball","2020-04-16 04:52:40","2020-04-15 20:42:38"),(470,"Bruce","Sanford","ExV40mFm3Yr","/img/user_avatar_470.jpg","1997-06-28","Ap #329-8694 Magna, St.","Logroño","La Rioja","Sierra Leone","Male","0991968259","interdum.ligula.eu@Craseget.net","Proin sed turpis","Sports, Traveling, Videogames","2020-08-10 22:49:47","2020-04-12 20:32:29"),(471,"Leandra","Quinn","DbV69aNb9Nq","/img/user_avatar_471.jpg","1997-09-13","Ap #615-313 Dui, St.","Badajoz","EX","Spain","Female","0544263666","pede.Cum.sociis@et.net","lectus quis massa. Mauris vestibulum, neque sed dictum eleifend,","Plants, Basketball, Traveling","2020-11-01 18:17:09","2020-04-05 01:25:33"),(472,"Isadora","Compton","LbO72eGw6Vx","/img/user_avatar_472.jpg","2000-01-23","Ap #107-3872 Lorem St.","Teruel","AR","Seychelles","Female","0566411803","eleifend@Nulla.co.uk","lacus. Nulla tincidunt,","TVSeries, Traveling, Basketball","2020-05-04 11:26:43","2020-04-02 12:50:12"),(473,"Kasper","Cobb","DfE98eAd5Nj","/img/user_avatar_473.jpg","1994-07-26","128-1998 Lacus. Rd.","Telde","Canarias","Palestine, State of","Male","0847603292","dictum.placerat@nasceturridiculusmus.ca","Duis cursus, diam at pretium aliquet, metus urna","Traveling, Sports, Videogames","2021-02-22 21:05:07","2020-04-07 10:04:28"),(474,"Fiona","Brennan","YaH89gCv3Km","/img/user_avatar_474.jpg","2001-02-25","9484 Consectetuer Av.","Almería","AN","Guyana","Male","0850168915","iaculis.quis@erat.net","ornare egestas ligula. Nullam feugiat","Football, Plants, TVSeries","2020-05-28 10:14:17","2020-04-05 07:58:58"),(475,"Gabriel","Collier","BiX72lFv9Fb","/img/user_avatar_475.jpg","1995-03-02","970 Nulla Av.","Leganés","MA","Tunisia","Female","0754302006","eget.massa.Suspendisse@dapibusligula.org","Cum","Football, Basketball, Traveling","2020-01-02 21:52:51","2020-04-12 20:31:15"),(476,"Laurel","Anthony","IrA22yPd2Cw","/img/user_avatar_476.jpg","1996-02-06","Ap #825-9437 Sed Ave","Bilbo","Euskadi","Reunion","Female","0827293330","lorem.Donec@tristique.ca","Duis at lacus. Quisque purus","Videogames, Sports, TVSeries","2020-10-19 20:03:25","2020-04-04 21:37:13"),(477,"Levi","Hamilton","FaH88lTz5Ea","/img/user_avatar_477.jpg","1996-09-03","2396 Cum Av.","Gijón","Principado de Asturias","Macao","Male","0677241905","taciti.sociosqu.ad@Aeneaneget.net","erat, eget tincidunt dui augue eu","TVSeries, Science, Sports","2020-04-28 19:16:48","2020-04-01 05:30:49"),(478,"Aileen","Ratliff","LgQ70nEh5Pm","/img/user_avatar_478.jpg","1994-07-04","Ap #115-6168 Rutrum Rd.","Getafe","Madrid","Palestine, State of","Male","0702019874","vitae.mauris@at.edu","dictum eu, placerat eget,","TVSeries, Plants, Football","2020-06-19 01:30:09","2020-04-06 15:19:37"),(479,"Nathan","Graves","HaS37fKh2Zs","/img/user_avatar_479.jpg","1996-12-03","8139 Praesent Rd.","Palma de Mallorca","Illes Balears","United Arab Emirates","Female","0760874902","Cras.sed.leo@nunc.org","nonummy. Fusce fermentum fermentum arcu.","Videogames, Basketball, Science","2020-05-29 10:38:13","2020-04-14 21:42:24"),(480,"Keegan","Kirby","QcK98nTm6Sn","/img/user_avatar_480.jpg","1998-10-07","Ap #896-6152 Aliquet Ave","Ourense","Galicia","Niger","Female","0630100353","eleifend@sitamet.org","in consectetuer","Plants, Videogames, Science","2020-07-11 10:24:01","2020-04-06 21:44:16"),(481,"Maris","Powell","SnS47fVk4Tf","/img/user_avatar_481.jpg","1998-03-04","2727 Interdum. St.","Parla","MA","Syria","Male","0644363258","Fusce.dolor.quam@acorciUt.net","ornare sagittis felis. Donec tempor, est ac mattis semper,","TVSeries, Videogames, Traveling","2020-05-08 07:01:51","2020-04-01 21:23:55"),(482,"Renee","Juarez","QtY80qVp5Vx","/img/user_avatar_482.jpg","1995-09-28","Ap #707-5299 A Av.","Tarragona","CA","Honduras","Male","0205290811","sem.magna.nec@feugiatLoremipsum.co.uk","justo nec","TVSeries, Videogames, Sports","2020-05-03 06:07:11","2020-04-15 21:37:21"),(483,"Angela","Blankenship","GyD91xGn9Ry","/img/user_avatar_483.jpg","1998-07-19","433-8599 Quam. St.","Melilla","ME","Mongolia","Female","0985613908","a.scelerisque.sed@nequeNullam.com","mollis nec, cursus","Football, TVSeries, Sports","2020-01-03 12:26:21","2020-04-03 03:40:10"),(484,"Uriah","Brady","PfG59oFz5Ew","/img/user_avatar_484.jpg","1995-04-16","P.O. Box 776, 7731 Vivamus Rd.","Alacant","CV","Mozambique","Female","0518752589","ridiculus.mus.Aenean@arcu.ca","ipsum primis in faucibus orci luctus et","TVSeries, Science, Football","2020-07-11 08:06:12","2020-04-09 23:53:58"),(485,"Amos","Prince","OeT43jRf5Uj","/img/user_avatar_485.jpg","1999-12-31","Ap #411-8841 Dui. Ave","Santander","CA","New Zealand","Male","0942320909","posuere@nonmassanon.co.uk","fermentum","Traveling, TVSeries, Football","2020-12-01 08:28:42","2020-04-06 20:38:25"),(486,"Willow","Rocha","VfE98oHw1Ak","/img/user_avatar_486.jpg","1996-05-18","P.O. Box 119, 5199 Lobortis, Street","Guadalajara","CM","Palestine, State of","Male","0947843891","vel.sapien@auctor.org","taciti sociosqu ad litora torquent per","Science, Basketball, Plants","2020-04-12 22:48:30","2020-04-10 00:12:06"),(487,"Rylee","Wright","ZwW39lXh1Mb","/img/user_avatar_487.jpg","1998-07-19","Ap #810-9113 Aliquet. Ave","Logroño","La Rioja","Lithuania","Female","0879800621","sociis.natoque@Mauris.org","magna. Sed eu eros. Nam","Traveling, Science, Basketball","2020-10-07 07:16:45","2020-04-07 22:14:00"),(488,"Kiona","Kelly","UoX44xXd9Mz","/img/user_avatar_488.jpg","2000-04-23","8350 Torquent Av.","Santa Cruz de Tenerife","CN","Tuvalu","Female","0302557899","diam@turpis.edu","egestas blandit. Nam nulla","Plants, Cooking, TVSeries","2020-09-13 03:16:55","2020-04-12 15:43:03"),(489,"David","Melendez","JcD93pMz5Kj","/img/user_avatar_489.jpg","1996-04-11","300-1002 Erat Street","Badalona","CA","Ethiopia","Male","0449208490","eu@Nuncac.co.uk","diam lorem,","Basketball, Plants, Cooking","2021-01-13 13:52:49","2020-04-15 05:50:37"),(490,"Elmo","Conway","LcI30jKm2Du","/img/user_avatar_490.jpg","1997-12-14","898-2642 Magnis Rd.","Dos Hermanas","AN","Indonesia","Male","0472999429","Maecenas@laoreetipsumCurabitur.edu","egestas. Duis ac arcu. Nunc mauris. Morbi","TVSeries, Videogames, Science","2020-07-10 01:01:41","2020-04-14 12:26:35"),(491,"Hadley","Curry","WtQ02xWn9Ie","/img/user_avatar_491.jpg","1996-03-12","553-9363 Tincidunt Avenue","Cádiz","Andalucía","Saint Kitts and Nevis","Female","0211166675","Quisque.libero.lacus@ac.ca","euismod ac, fermentum vel, mauris. Integer sem elit, pharetra","Sports, Videogames, TVSeries","2020-04-21 01:29:09","2020-04-11 05:35:22"),(492,"Germane","Cabrera","FwI23pJt6Vv","/img/user_avatar_492.jpg","1998-11-04","820-1460 Nulla. Ave","Murcia","MU","Spain","Female","0742716936","dictum.eu.placerat@lobortismauris.net","id risus quis diam luctus lobortis.","Science, Plants, Videogames","2020-09-20 05:20:04","2020-04-05 02:25:32"),(493,"Otto","Mercer","LhN96sCo4Ww","/img/user_avatar_493.jpg","1998-04-08","9813 Nec, Street","Córdoba","Andalucía","Zambia","Male","0633971211","convallis@risus.com","tempor diam dictum sapien. Aenean massa. Integer","Basketball, Plants, Science","2021-02-09 19:25:33","2020-04-07 20:07:00"),(494,"Magee","Walter","IfV27tUr8Rh","/img/user_avatar_494.jpg","2000-05-09","2761 Turpis St.","Salamanca","CL","Guernsey","Male","0788335199","amet@pellentesquemassalobortis.net","id","TVSeries, Sports, Basketball","2021-01-08 01:11:09","2020-04-04 14:34:32"),(495,"Tashya","Fitzgerald","CsN63dYb4Dv","/img/user_avatar_495.jpg","1995-09-06","Ap #896-5471 Aptent Rd.","Logroño","LR","Pakistan","Female","0735462330","enim.nec.tempus@tempusscelerisquelorem.com","montes, nascetur ridiculus mus. Donec dignissim magna a","Sports, Cooking, Football","2021-03-09 06:11:13","2020-04-05 18:23:31"),(496,"Sheila","Lang","GlD38bSs4Jy","/img/user_avatar_496.jpg","1995-01-19","P.O. Box 957, 1978 Orci. Rd.","Cuenca","CM","French Southern Territories","Female","0308449703","lorem@litoratorquentper.org","elementum, lorem","Football, Traveling, TVSeries","2020-10-20 10:41:37","2020-04-08 04:07:10"),(497,"Felix","Campbell","WnX33gKs8Pf","/img/user_avatar_497.jpg","2000-04-07","458-4861 Aliquam Street","Alacant","Comunitat Valenciana","Guinea-Bissau","Male","0639109044","metus.sit.amet@blandit.co.uk","diam. Duis mi enim, condimentum","Traveling, Videogames, Plants","2020-02-18 03:32:13","2020-04-05 02:35:37"),(498,"Victor","Benjamin","IbV07hOj1Yq","/img/user_avatar_498.jpg","1995-02-26","6110 Tincidunt Av.","Lugo","GA","Swaziland","Male","0611029257","et@vehicula.com","pharetra ut,","Football, Science, Videogames","2020-01-25 07:44:45","2020-04-12 10:31:50"),(499,"Preston","Reynolds","XtC80yIs3Xj","/img/user_avatar_499.jpg","1997-10-30","P.O. Box 221, 5222 Elit, Rd.","Murcia","MU","Italy","Female","0666881014","massa@mi.co.uk","nulla magna, malesuada vel,","Plants, Videogames, Football","2021-02-13 23:08:44","2020-04-10 21:08:28"),(500,"Guinevere","Shields","JtU51gJl0Xh","/img/user_avatar_500.jpg","1997-09-05","5098 Magna. Ave","Palencia","CL","Aruba","Female","0953336449","turpis.vitae.purus@Praesentinterdumligula.com","felis. Nulla tempor","Basketball, Videogames, Football","2020-06-26 18:02:34","2020-04-08 20:09:37");
-- 135 MOST FAMOUS LANGUAGES INSERTS --
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(1, 'English', 'en');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(2, 'Afar', 'aa');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(3, 'Abkhazian', 'ab');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(4, 'Afrikaans', 'af');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(5, 'Amharic', 'am');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(6, 'Arabic', 'ar');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(7, 'Assamese', 'as');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(8, 'Aymara', 'ay');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(9, 'Azerbaijani', 'az');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(10, 'Bashkir', 'ba');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(11, 'Belarusian', 'be');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(12, 'Bulgarian', 'bg');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(13, 'Bihari', 'bh');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(14, 'Bislama', 'bi');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(15, 'Bengali/Bangla', 'bn');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(16, 'Tibetan', 'bo');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(17, 'Breton', 'br');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(18, 'Catalan', 'ca');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(19, 'Corsican', 'co');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(20, 'Czech', 'cs');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(21, 'Welsh', 'cy');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(22, 'Danish', 'da');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(23, 'German', 'de');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(24, 'Bhutani', 'dz');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(25, 'Greek', 'el');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(26, 'Esperanto', 'eo');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(27, 'Spanish', 'es');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(28, 'Estonian', 'et');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(29, 'Basque', 'eu');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(30, 'Persian', 'fa');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(31, 'Finnish', 'fi');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(32, 'Fiji', 'fj');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(33, 'Faeroese', 'fo');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(34, 'French', 'fr');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(35, 'Frisian', 'fy');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(36, 'Irish', 'ga');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(37, 'Scots/Gaelic', 'gd');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(38, 'Galician', 'gl');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(39, 'Guarani', 'gn');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(40, 'Gujarati', 'gu');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(41, 'Hausa', 'ha');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(42, 'Hindi', 'hi');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(43, 'Croatian', 'hr');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(44, 'Hungarian', 'hu');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(45, 'Armenian', 'hy');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(46, 'Interlingua', 'ia');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(47, 'Interlingue', 'ie');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(48, 'Inupiak', 'ik');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(49, 'Indonesian', 'in');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(50, 'Icelandic', 'is');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(51, 'Italian', 'it');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(52, 'Hebrew', 'iw');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(53, 'Japanese', 'ja');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(54, 'Yiddish', 'ji');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(55, 'Javanese', 'jw');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(56, 'Georgian', 'ka');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(57, 'Kazakh', 'kk');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(58, 'Greenlandic', 'kl');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(59, 'Cambodian', 'km');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(60, 'Kannada', 'kn');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(61, 'Korean', 'ko');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(62, 'Kashmiri', 'ks');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(63, 'Kurdish', 'ku');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(64, 'Kirghiz', 'ky');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(65, 'Latin', 'la');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(66, 'Lingala', 'ln');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(67, 'Laothian', 'lo');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(68, 'Lithuanian', 'lt');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(69, 'Latvian/Lettish', 'lv');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(70, 'Malagasy', 'mg');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(71, 'Maori', 'mi');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(72, 'Macedonian', 'mk');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(73, 'Malayalam', 'ml');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(74, 'Mongolian', 'mn');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(75, 'Moldavian', 'mo');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(76, 'Marathi', 'mr');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(77, 'Malay', 'ms');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(78, 'Maltese', 'mt');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(79, 'Burmese', 'my');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(80, 'Nauru', 'na');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(81, 'Nepali', 'ne');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(82, 'Dutch', 'nl');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(83, 'Norwegian', 'no');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(84, 'Occitan', 'oc');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(85, '(Afan)/Oromoor/Oriya', 'om');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(86, 'Punjabi', 'pa');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(87, 'Polish', 'pl');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(88, 'Pashto/Pushto', 'ps');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(89, 'Portuguese', 'pt');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(90, 'Quechua', 'qu');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(91, 'Rhaeto-Romance', 'rm');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(92, 'Kirundi', 'rn');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(93, 'Romanian', 'ro');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(94, 'Russian', 'ru');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(95, 'Kinyarwanda', 'rw');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(96, 'Sanskrit', 'sa');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(97, 'Sindhi', 'sd');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(98, 'Sangro', 'sg');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(99, 'Serbo-Croatian', 'sh');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(100, 'Singhalese', 'si');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(101, 'Slovak', 'sk');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(102, 'Slovenian', 'sl');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(103, 'Samoan', 'sm');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(104, 'Shona', 'sn');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(105, 'Somali', 'so');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(106, 'Albanian', 'sq');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(107, 'Serbian', 'sr');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(108, 'Siswati', 'ss');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(109, 'Sesotho', 'st');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(110, 'Sundanese', 'su');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(111, 'Swedish', 'sv');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(112, 'Swahili', 'sw');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(113, 'Tamil', 'ta');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(114, 'Telugu', 'te');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(115, 'Tajik', 'tg');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(116, 'Thai', 'th');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(117, 'Tigrinya', 'ti');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(118, 'Turkmen', 'tk');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(119, 'Tagalog', 'tl');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(120, 'Setswana', 'tn');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(121, 'Tonga', 'to');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(122, 'Turkish', 'tr');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(123, 'Tsonga', 'ts');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(124, 'Tatar', 'tt');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(125, 'Twi', 'tw');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(126, 'Ukrainian', 'uk');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(127, 'Urdu', 'ur');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(128, 'Uzbek', 'uz');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(129, 'Vietnamese', 'vi');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(130, 'Volapuk', 'vo');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(131, 'Wolof', 'wo');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(132, 'Xhosa', 'xh');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(133, 'Yoruba', 'yo');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(134, 'Chinese', 'zh');
INSERT INTO `languages` (`id`, `lang_name`, `iso_639-1`) VALUES(135, 'Zulu', 'zu');
-- 300 MEETING INPUTS --
INSERT INTO `meetings` (`id`,`title`,`online_meeting`,`meeting_date`,`adress`,`city`,`province`,`country`,`min_users`,`max_users`,`sex`,`commentary`,`duration_minutes`,`lang_level`,`id_user_host`,`creation_date`,`last_modification`) VALUES (1,"Lorem","0","2020-03-30 20:26:00","4183 Non, Avenue","Pamplona","NA","Botswana",1,5,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","10","senior",349,"2020-08-04","2020-05-03 23:58:44"),(2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2019-08-15 02:38:10","P.O. Box 454, 2960 Cursus, St.","Logroño","LR","Oman",1,2,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","20","senior",329,"2021-03-18","2020-02-11 01:09:45"),(3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-07-09 09:55:05","P.O. Box 854, 6030 Turpis. Road","Málaga","AN","Swaziland",1,4,"Male","Lorem","30","beginner",27,"2020-05-05","2020-01-21 16:37:02"),(4,"Lorem ipsum dolor sit amet, consectetuer","0","2020-11-22 06:16:48","5449 Ipsum. St.","Gasteiz","Euskadi","Serbia",1,5,"Female","Lorem","50","beginner",394,"2020-07-07","2020-04-26 06:16:34"),(5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-04-18 13:14:09","508-7384 Pede Street","Badajoz","EX","Bulgaria",1,10,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","40","intermediate",369,"2020-09-04","2019-07-04 23:47:06"),(6,"Lorem ipsum dolor sit","0","2021-06-02 05:13:57","907-5919 Sapien. Rd.","Murcia","MU","Kazakhstan",1,6,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","20","senior",413,"2020-08-05","2021-02-26 02:51:39"),(7,"Lorem ipsum dolor sit amet,","0","2019-09-07 18:44:06","Ap #569-4322 Porttitor Street","Murcia","Murcia","Djibouti",1,5,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","20","expert",188,"2020-04-01","2021-03-18 03:01:49"),(8,"Lorem ipsum dolor sit amet,","0","2020-11-28 06:59:51","276-7791 Ac Avenue","Huesca","Aragón","Austria",1,1,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","40","expert",210,"2021-02-23","2020-06-08 01:31:53"),(9,"Lorem","0","2020-06-27 07:09:08","8303 Neque St.","Palma de Mallorca","Illes Balears","Angola",1,7,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","40","beginner",102,"2020-03-20","2019-06-02 02:48:54"),(10,"Lorem ipsum dolor sit amet, consectetuer","0","2020-09-11 15:34:00","5128 Sodales Road","Gijón","Principado de Asturias","Kuwait",1,4,"Female","Lorem ipsum dolor","40","senior",342,"2020-10-10","2020-10-01 07:06:33"),(11,"Lorem ipsum dolor sit","0","2019-07-01 02:24:42","759-2547 Tellus. St.","Logroño","La Rioja","Sudan",1,6,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing","30","beginner",243,"2021-02-09","2019-06-06 05:20:22"),(12,"Lorem ipsum dolor sit amet, consectetuer","0","2020-02-19 00:17:57","Ap #550-1884 Gravida Street","Palma de Mallorca","BA","Micronesia",1,7,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","20","intermediate",25,"2020-07-07","2021-01-03 01:49:38"),(13,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2021-06-22 01:53:28","3808 Eu Ave","Jerez de la Frontera","Andalucía","Brazil",1,10,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","50","senior",278,"2021-03-20","2020-02-09 10:22:01"),(14,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2021-05-16 05:31:37","Ap #529-8962 Odio, St.","Logroño","LR","Taiwan",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","40","intermediate",409,"2021-02-04","2020-01-08 07:20:24"),(15,"Lorem ipsum","0","2021-06-14 15:52:41","443-1872 In Ave","Gijón","Principado de Asturias","Ukraine",1,7,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","30","expert",493,"2021-02-16","2019-09-14 23:13:57"),(16,"Lorem ipsum dolor","0","2020-07-06 19:20:01","9695 Ac Road","Pamplona","Navarra","Kyrgyzstan",1,6,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","60","expert",112,"2020-06-17","2019-12-19 08:45:20"),(17,"Lorem ipsum dolor sit amet, consectetuer","0","2019-09-08 08:17:50","699-2198 Mattis. St.","Cáceres","EX","Niger",1,10,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","10","senior",499,"2021-01-16","2019-10-13 15:36:25"),(18,"Lorem ipsum dolor sit amet, consectetuer","0","2020-05-04 10:46:55","788-6674 Nec Ave","Ceuta","Ceuta","Tanzania",1,10,"Female","Lorem ipsum","60","expert",194,"2020-05-31","2020-10-18 02:53:37"),(19,"Lorem","0","2020-12-16 00:00:27","6803 Auctor, Rd.","Segovia","CL","Cameroon",1,3,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","20","intermediate",390,"2020-10-15","2021-04-04 14:21:28"),(20,"Lorem ipsum dolor sit amet, consectetuer","0","2021-01-17 23:18:06","5592 Nec Road","Ceuta","Ceuta","Malaysia",1,8,"Female","Lorem ipsum dolor","40","expert",156,"2020-09-05","2020-03-29 21:54:35"),(21,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-02-23 00:28:20","Ap #693-140 Malesuada Road","Murcia","MU","Wallis and Futuna",1,4,"Female","Lorem ipsum dolor sit amet,","20","expert",134,"2020-08-10","2020-05-31 15:11:34"),(22,"Lorem","0","2020-11-01 21:37:02","P.O. Box 410, 7000 Nisi Av.","Murcia","Murcia","Russian Federation",1,1,"Female","Lorem ipsum","40","expert",109,"2020-04-29","2021-03-26 02:56:08"),(23,"Lorem ipsum dolor sit amet,","0","2019-07-12 03:18:16","5105 Consectetuer, Street","Logroño","La Rioja","Maldives",1,8,"Male","Lorem","30","expert",116,"2021-01-10","2021-01-25 12:02:06"),(24,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-11-09 15:44:28","504-9283 Ultricies Rd.","Lleida","Catalunya","Iceland",1,5,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","10","senior",232,"2020-03-28","2020-08-24 13:48:34"),(25,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2019-12-15 14:46:49","P.O. Box 324, 2335 Curae; Road","Ávila","Castilla y León","Mali",1,7,"Female","Lorem ipsum","30","expert",259,"2021-03-29","2020-04-08 11:36:46"),(26,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2021-07-01 22:10:46","P.O. Box 977, 9870 Massa. Ave","Huesca","AR","Bahrain",1,5,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","20","intermediate",61,"2020-12-12","2020-04-30 03:29:22"),(27,"Lorem ipsum dolor sit amet,","0","2019-12-11 17:16:50","591-9210 Donec Ave","Donosti","PV","Monaco",1,10,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","60","expert",262,"2020-03-15","2020-11-29 10:50:04"),(28,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2021-05-22 00:02:50","8992 Dis Av.","Palma de Mallorca","Illes Balears","Pakistan",1,1,"Female","Lorem","40","intermediate",245,"2021-03-14","2019-11-18 00:21:32"),(29,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2021-02-24 19:07:46","2283 Cursus Rd.","Jerez de la Frontera","Andalucía","Anguilla",1,2,"Female","Lorem ipsum","60","expert",63,"2020-01-31","2021-04-04 19:13:43"),(30,"Lorem ipsum","0","2020-08-22 23:30:16","P.O. Box 748, 7366 At Av.","Torrevieja","Comunitat Valenciana","Viet Nam",1,7,"Female","Lorem ipsum dolor sit amet, consectetuer","10","beginner",402,"2020-10-30","2019-07-11 21:07:02"),(31,"Lorem ipsum","0","2019-04-07 22:31:49","8523 Eu, St.","Ceuta","CE","Austria",1,10,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","60","intermediate",276,"2020-09-21","2020-07-13 12:36:22"),(32,"Lorem ipsum","0","2019-06-02 22:18:35","Ap #971-4193 Auctor. Road","Santander","Cantabria","Peru",1,10,"Female","Lorem ipsum dolor sit","10","beginner",231,"2021-02-17","2019-11-08 08:17:37"),(33,"Lorem ipsum dolor sit amet,","0","2020-11-01 18:48:06","P.O. Box 641, 6474 Habitant St.","Oviedo","AS","India",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","20","expert",340,"2021-03-02","2019-08-21 04:09:37"),(34,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2021-01-12 22:49:17","P.O. Box 762, 2712 Non St.","Alcalá de Henares","MA","Åland Islands",1,10,"Male","Lorem","60","expert",281,"2020-07-13","2020-11-23 18:01:46"),(35,"Lorem","0","2021-06-30 05:40:38","P.O. Box 244, 2914 Vel Ave","Lugo","Galicia","South Georgia and The South Sandwich Islands",1,4,"Male","Lorem ipsum","50","expert",139,"2020-07-25","2019-12-10 05:16:33"),(36,"Lorem","0","2021-07-02 07:10:37","Ap #436-7273 Felis, St.","Gijón","AS","Romania",1,7,"Female","Lorem ipsum dolor sit amet, consectetuer","10","intermediate",279,"2020-07-16","2020-03-11 00:07:27"),(37,"Lorem","0","2019-11-06 12:42:50","297-5397 Facilisis Avenue","Granada","Andalucía","Bosnia and Herzegovina",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","50","senior",218,"2020-07-22","2021-03-22 13:21:32"),(38,"Lorem ipsum dolor sit amet, consectetuer","0","2020-03-13 11:04:47","Ap #180-1752 Enim Street","Málaga","AN","Argentina",1,10,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","20","expert",352,"2020-07-31","2020-10-08 16:58:49"),(39,"Lorem","0","2020-07-07 19:32:29","P.O. Box 717, 9678 Vel Rd.","Cartagena","Murcia","Korea, South",1,5,"Male","Lorem ipsum dolor","50","expert",17,"2020-05-17","2020-02-04 04:34:51"),(40,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-06-18 03:33:07","1823 Neque. St.","Palma de Mallorca","BA","Croatia",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","30","senior",441,"2021-01-05","2020-10-03 01:43:26"),(41,"Lorem ipsum dolor sit amet,","0","2020-05-16 16:58:17","P.O. Box 510, 8098 Molestie Ave","Logroño","LR","Costa Rica",1,5,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","40","beginner",233,"2020-06-03","2020-08-23 02:13:18"),(42,"Lorem ipsum dolor sit","0","2019-07-01 23:37:03","687-2710 Ut Street","Getafe","MA","Viet Nam",1,5,"Male","Lorem","60","intermediate",273,"2021-01-27","2020-01-15 18:49:24"),(43,"Lorem","0","2019-06-18 20:25:37","P.O. Box 137, 7511 Amet St.","Málaga","Andalucía","Montenegro",1,8,"Male","Lorem ipsum dolor sit amet,","20","expert",108,"2021-02-16","2020-01-20 14:15:16"),(44,"Lorem ipsum dolor sit amet,","0","2020-12-27 08:29:30","1086 Elit Ave","Logroño","La Rioja","South Sudan",1,4,"Male","Lorem ipsum dolor sit amet, consectetuer","10","beginner",264,"2020-10-12","2020-10-17 13:16:06"),(45,"Lorem ipsum dolor","0","2021-02-04 12:20:21","P.O. Box 892, 7322 Erat. St.","Logroño","La Rioja","Barbados",1,5,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","40","beginner",465,"2020-10-14","2019-07-06 17:18:18"),(46,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-11-28 07:06:09","Ap #222-2873 In Rd.","Melilla","ME","Egypt",1,8,"Female","Lorem ipsum dolor","50","senior",114,"2020-01-14","2021-03-18 22:36:46"),(47,"Lorem","0","2020-04-07 13:10:18","Ap #464-5309 Mus. Avenue","Pamplona","NA","Jamaica",1,9,"Male","Lorem","40","senior",452,"2020-05-14","2021-02-17 05:17:03"),(48,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2021-05-19 17:13:06","8477 Lacus Avenue","Gijón","Principado de Asturias","Tonga",1,2,"Female","Lorem ipsum dolor sit","10","senior",212,"2020-12-31","2020-01-14 21:51:23"),(49,"Lorem ipsum dolor sit amet, consectetuer","0","2021-05-01 03:58:30","4516 Mauris Ave","Telde","Canarias","Monaco",1,4,"Male","Lorem ipsum","50","expert",494,"2020-10-12","2020-10-18 07:22:35"),(50,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-12-11 01:30:29","8891 Donec Rd.","Logroño","LR","Jordan",1,5,"Male","Lorem ipsum dolor sit","20","expert",358,"2020-07-11","2021-04-10 14:17:28"),(51,"Lorem ipsum dolor sit amet,","0","2020-11-20 10:32:17","346-6995 Lacus, Rd.","Palma de Mallorca","Illes Balears","Russian Federation",1,10,"Male","Lorem ipsum dolor sit","50","senior",223,"2020-04-06","2020-05-09 08:04:18"),(52,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-09-21 10:23:12","760-1019 Iaculis Street","Sabadell","Catalunya","Mongolia",1,4,"Male","Lorem","50","expert",391,"2020-05-27","2020-03-13 07:13:38"),(53,"Lorem ipsum dolor sit amet,","0","2019-12-22 02:26:33","874-9131 Amet Av.","Valladolid","Castilla y León","Denmark",1,8,"Female","Lorem ipsum dolor","60","expert",342,"2020-04-17","2020-04-30 10:31:24"),(54,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-01-29 04:12:03","6062 Eu St.","Zaragoza","Aragón","Kuwait",1,3,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","60","expert",183,"2020-10-31","2020-08-19 17:08:17"),(55,"Lorem","0","2020-09-05 04:43:52","Ap #870-7987 Ullamcorper Rd.","Pamplona","Navarra","Russian Federation",1,7,"Female","Lorem ipsum dolor","10","expert",482,"2021-01-13","2019-12-31 16:57:41"),(56,"Lorem ipsum dolor sit amet,","0","2019-08-14 22:58:56","P.O. Box 526, 4032 Ligula Rd.","Santa Cruz de Tenerife","CN","Martinique",1,1,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","10","senior",365,"2020-12-30","2020-05-18 17:04:34"),(57,"Lorem ipsum dolor sit","0","2019-04-05 13:13:02","832 Semper St.","Pontevedra","GA","Pitcairn Islands",1,9,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","60","expert",206,"2020-04-30","2020-03-26 00:31:43"),(58,"Lorem ipsum dolor sit amet,","0","2021-04-08 10:37:44","P.O. Box 137, 3056 Vestibulum Rd.","Oviedo","Principado de Asturias","United Kingdom (Great Britain)",1,1,"Female","Lorem ipsum dolor","30","beginner",148,"2020-10-26","2021-02-21 13:27:31"),(59,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2021-05-02 11:03:36","Ap #580-4542 Magna. St.","Santander","CA","India",1,2,"Female","Lorem ipsum dolor","20","intermediate",303,"2021-04-10","2020-06-30 01:32:11"),(60,"Lorem ipsum dolor sit amet,","0","2019-11-05 03:18:48","P.O. Box 560, 5710 Vitae St.","Teruel","AR","Jersey",1,10,"Male","Lorem ipsum dolor sit amet, consectetuer","20","senior",216,"2020-11-26","2020-08-10 02:10:42"),(61,"Lorem ipsum","0","2021-01-08 05:09:27","P.O. Box 604, 6393 Metus Avenue","Santander","Cantabria","Zambia",1,1,"Female","Lorem ipsum","30","beginner",80,"2020-06-06","2019-10-02 11:22:32"),(62,"Lorem ipsum dolor","0","2020-05-19 12:26:38","411-1659 Tristique Av.","Oviedo","Principado de Asturias","Grenada",1,2,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","10","senior",447,"2021-01-21","2020-05-12 22:42:40"),(63,"Lorem","0","2020-12-17 08:26:23","Ap #575-9934 At, Av.","Santa Cruz de Tenerife","Canarias","Wallis and Futuna",1,2,"Female","Lorem ipsum","30","intermediate",363,"2020-11-20","2020-07-08 01:59:00"),(64,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2021-01-31 11:29:52","271-2980 Torquent Av.","Mataró","Catalunya","Solomon Islands",1,4,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","10","senior",117,"2020-03-14","2020-09-22 10:26:16"),(65,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2021-02-08 09:26:14","Ap #910-2932 Ut Ave","Ceuta","CE","Bulgaria",1,10,"Female","Lorem ipsum","20","beginner",170,"2021-03-16","2019-05-04 20:13:43"),(66,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2020-08-10 15:20:13","452-2180 Sapien. Street","Valéncia","Comunitat Valenciana","Burkina Faso",1,9,"Male","Lorem ipsum dolor sit amet,","30","beginner",18,"2021-01-13","2019-12-19 13:26:15"),(67,"Lorem ipsum dolor","0","2020-09-16 21:44:55","P.O. Box 806, 4458 Eget Avenue","Segovia","CL","Argentina",1,1,"Male","Lorem ipsum dolor sit amet,","50","senior",27,"2021-01-11","2019-04-27 01:15:04"),(68,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2021-01-23 09:35:01","769-5533 Justo. Av.","Huesca","AR","Uzbekistan",1,8,"Female","Lorem ipsum dolor sit","50","intermediate",202,"2021-04-17","2019-07-16 20:18:54"),(69,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2021-01-29 01:40:00","P.O. Box 173, 939 Commodo Rd.","Teruel","Aragón","Cambodia",1,8,"Male","Lorem","60","expert",387,"2020-10-13","2020-06-24 18:50:21"),(70,"Lorem","0","2019-06-02 13:35:45","7503 Eu Ave","Zaragoza","Aragón","Cyprus",1,1,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","10","beginner",125,"2020-01-24","2019-12-24 01:46:39"),(71,"Lorem ipsum dolor sit amet, consectetuer","0","2020-01-12 08:50:31","P.O. Box 167, 8430 Ultricies Rd.","Santa Cruz de Tenerife","CN","Australia",1,1,"Male","Lorem ipsum dolor sit","50","senior",257,"2020-05-07","2020-05-03 13:28:21"),(72,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-04-10 23:23:32","Ap #571-5578 Diam Street","Logroño","La Rioja","Heard Island and Mcdonald Islands",1,4,"Female","Lorem ipsum","50","beginner",161,"2020-12-24","2020-06-29 09:46:53"),(73,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2019-10-04 20:14:51","8099 Consectetuer St.","Salamanca","Castilla y León","Bulgaria",1,2,"Female","Lorem ipsum dolor sit amet, consectetuer","40","senior",474,"2020-01-22","2019-12-16 03:29:08"),(74,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2021-05-07 14:03:41","Ap #540-2844 Malesuada Avenue","Valéncia","Comunitat Valenciana","Hong Kong",1,7,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","10","beginner",216,"2020-09-03","2020-01-26 23:45:44"),(75,"Lorem ipsum dolor sit","0","2020-02-02 18:50:54","8294 Sagittis St.","Badajoz","EX","Micronesia",1,6,"Male","Lorem ipsum dolor sit amet,","30","intermediate",271,"2020-09-30","2021-01-12 20:43:23"),(76,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2021-04-20 08:17:46","P.O. Box 965, 8239 Tincidunt Avenue","Logroño","La Rioja","Niue",1,3,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","50","beginner",447,"2020-02-08","2019-08-02 19:09:11"),(77,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2019-09-27 10:34:49","P.O. Box 532, 7201 Mauris Rd.","Palencia","Castilla y León","South Africa",1,4,"Male","Lorem ipsum dolor sit amet, consectetuer","60","beginner",262,"2020-02-11","2020-11-11 03:13:00"),(78,"Lorem ipsum dolor sit amet,","0","2020-08-31 12:36:00","P.O. Box 154, 6785 Imperdiet Rd.","Gasteiz","PV","Egypt",1,5,"Female","Lorem","40","expert",483,"2020-12-28","2021-03-15 19:04:33"),(79,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-02-21 15:28:58","8042 Neque. Street","Gijón","Principado de Asturias","Saudi Arabia",1,6,"Female","Lorem ipsum","60","beginner",496,"2020-07-24","2021-04-15 06:06:35"),(80,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2019-06-25 19:06:13","P.O. Box 954, 8595 Nec, Rd.","Valéncia","Comunitat Valenciana","Syria",1,1,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","30","beginner",78,"2021-03-07","2020-12-31 07:20:57"),(81,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-07-22 04:13:12","784-2338 Ullamcorper. Rd.","Ceuta","CE","Brunei",1,4,"Female","Lorem ipsum","10","intermediate",286,"2020-08-08","2020-08-25 13:55:47"),(82,"Lorem ipsum dolor sit amet,","0","2021-03-08 07:25:39","7905 Eu, Av.","Oviedo","AS","Martinique",1,4,"Female","Lorem","20","intermediate",40,"2020-08-25","2020-12-06 08:47:40"),(83,"Lorem ipsum","0","2020-09-01 15:41:22","678-9730 Ipsum Av.","Córdoba","Andalucía","New Zealand",1,2,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","10","senior",432,"2020-11-16","2019-04-09 15:17:01"),(84,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2020-11-13 11:21:37","1450 Ullamcorper St.","Santa Cruz de Tenerife","Canarias","Syria",1,2,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","60","beginner",162,"2020-07-05","2020-05-22 01:13:17"),(85,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-05-02 05:12:23","8596 Natoque Avenue","Pamplona","Navarra","South Georgia and The South Sandwich Islands",1,2,"Female","Lorem","50","expert",85,"2020-01-20","2021-01-18 15:28:27"),(86,"Lorem ipsum dolor sit","0","2019-06-26 17:32:32","6571 Dictum. Road","Gasteiz","Euskadi","Greece",1,2,"Male","Lorem ipsum","30","intermediate",385,"2020-10-10","2019-05-19 10:29:50"),(87,"Lorem ipsum dolor","0","2021-07-07 20:20:22","5572 Vulputate, Street","Pamplona","Navarra","Suriname",1,7,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","30","expert",498,"2020-04-19","2019-09-24 11:13:57"),(88,"Lorem ipsum dolor sit amet,","0","2019-09-18 00:08:26","P.O. Box 462, 1841 Congue Street","Albacete","CM","Oman",1,1,"Male","Lorem ipsum dolor sit","50","beginner",309,"2021-01-25","2020-03-23 17:19:18"),(89,"Lorem ipsum dolor sit amet, consectetuer","0","2021-03-24 22:33:50","P.O. Box 185, 582 Orci St.","Huesca","Aragón","Qatar",1,8,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","50","senior",164,"2020-05-09","2020-04-15 21:40:44"),(90,"Lorem ipsum dolor sit amet, consectetuer","0","2020-07-12 19:31:31","7541 Id, St.","Castelló","Comunitat Valenciana","Comoros",1,9,"Female","Lorem ipsum dolor sit amet, consectetuer","30","intermediate",197,"2020-02-08","2020-07-12 01:51:27"),(91,"Lorem ipsum dolor sit amet, consectetuer","0","2021-02-23 01:19:19","1827 Id Avenue","Santander","Cantabria","Chad",1,10,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","60","beginner",221,"2021-03-22","2019-07-02 10:52:17"),(92,"Lorem ipsum","0","2019-11-27 14:14:33","P.O. Box 124, 2614 Natoque Street","Melilla","ME","Nauru",1,2,"Female","Lorem ipsum dolor sit","10","beginner",153,"2020-12-21","2020-08-24 13:43:59"),(93,"Lorem ipsum dolor sit","0","2020-06-06 15:30:47","7742 Lacus, Rd.","Pamplona","Navarra","Tonga",1,7,"Female","Lorem ipsum dolor sit","20","intermediate",27,"2021-01-22","2020-07-22 05:02:02"),(94,"Lorem ipsum dolor sit amet, consectetuer","0","2021-07-04 05:01:49","2401 Aliquam Avenue","San Cristóbal de la Laguna","CN","Saint Martin",1,4,"Female","Lorem ipsum","60","senior",42,"2020-03-31","2020-01-20 00:30:15"),(95,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-08-22 15:57:44","7473 Nunc. Road","Soria","Castilla y León","Panama",1,7,"Female","Lorem ipsum dolor sit amet, consectetuer","20","intermediate",297,"2021-01-12","2019-07-22 15:37:25"),(96,"Lorem ipsum dolor sit","0","2021-05-30 02:47:09","P.O. Box 722, 8234 Enim, Rd.","Ceuta","CE","Rwanda",1,10,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","40","expert",472,"2020-12-15","2020-06-16 06:14:31"),(97,"Lorem","0","2019-06-29 10:51:26","8976 Sed St.","Gijón","AS","Estonia",1,7,"Male","Lorem ipsum dolor","20","beginner",116,"2021-04-09","2020-05-28 02:47:52"),(98,"Lorem ipsum dolor sit amet, consectetuer","0","2019-04-20 16:53:51","Ap #854-3756 Sem. Street","Alcalá de Henares","MA","Mali",1,3,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing","30","expert",76,"2020-12-19","2019-09-20 23:18:28"),(99,"Lorem ipsum dolor","0","2019-08-12 12:03:57","P.O. Box 699, 906 Eu, Avenue","Zaragoza","Aragón","Sri Lanka",1,6,"Male","Lorem ipsum dolor sit","20","expert",44,"2021-03-01","2021-03-19 07:53:34"),(100,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2019-11-21 19:22:25","6114 Libero St.","Murcia","Murcia","Kiribati",1,1,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","40","intermediate",119,"2021-03-13","2021-01-21 14:06:26");
INSERT INTO `meetings` (`id`,`title`,`online_meeting`,`meeting_date`,`adress`,`city`,`province`,`country`,`min_users`,`max_users`,`sex`,`commentary`,`duration_minutes`,`lang_level`,`id_user_host`,`creation_date`,`last_modification`) VALUES (101,"Lorem ipsum dolor sit amet, consectetuer","0","2019-11-02 04:24:07","885-5907 Ut Rd.","Marbella","Andalucía","Guernsey",1,1,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","20","expert",245,"2020-04-14","2020-05-10 13:10:24"),(102,"Lorem ipsum dolor","0","2019-09-16 12:16:39","1542 Dui St.","Zaragoza","Aragón","Guatemala",1,3,"Male","Lorem ipsum dolor","50","senior",64,"2020-11-29","2020-07-25 20:32:16"),(103,"Lorem ipsum dolor sit amet, consectetuer","0","2020-10-13 01:09:59","P.O. Box 938, 6166 Gravida. Ave","Soria","Castilla y León","Guinea",1,7,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","30","expert",99,"2021-02-13","2020-11-12 14:18:03"),(104,"Lorem ipsum","0","2021-04-23 03:17:17","Ap #877-1751 Dapibus Road","Alcobendas","MA","Hungary",1,9,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","10","senior",177,"2020-09-18","2020-06-22 10:27:41"),(105,"Lorem","0","2019-06-19 18:37:21","867-8510 Lobortis Street","Melilla","ME","Burkina Faso",1,1,"Female","Lorem ipsum dolor sit amet,","10","expert",218,"2020-02-10","2021-01-14 19:54:51"),(106,"Lorem ipsum dolor sit amet,","0","2020-06-05 15:04:48","475-5971 Aenean Ave","San Cristóbal de la Laguna","CN","Moldova",1,1,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","30","expert",375,"2020-01-16","2020-06-04 22:16:10"),(107,"Lorem ipsum dolor sit amet, consectetuer","0","2019-06-21 05:08:16","P.O. Box 390, 5915 Cubilia Rd.","Palma de Mallorca","BA","Taiwan",1,9,"Female","Lorem","20","expert",122,"2020-09-18","2019-06-08 16:19:26"),(108,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-07-22 18:02:08","605-5318 Luctus Avenue","Ceuta","Ceuta","Comoros",1,4,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","20","senior",247,"2020-09-19","2020-01-08 11:35:09"),(109,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-01-20 14:15:02","4355 Duis Ave","Santander","Cantabria","Mexico",1,2,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","50","senior",153,"2020-12-20","2021-03-29 21:36:16"),(110,"Lorem ipsum dolor sit amet,","0","2021-05-21 21:45:16","8664 Vitae St.","Telde","Canarias","Fiji",1,8,"Male","Lorem","10","senior",257,"2020-08-12","2019-04-03 08:38:32"),(111,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-11-25 12:27:45","P.O. Box 799, 1615 Penatibus Street","Alcalá de Henares","MA","New Caledonia",1,2,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","60","intermediate",330,"2020-07-22","2020-12-20 07:13:24"),(112,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-11-02 10:41:41","P.O. Box 478, 4095 Sociis Avenue","Melilla","ME","Saint Pierre and Miquelon",1,10,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","10","expert",395,"2020-04-10","2020-01-03 18:10:38"),(113,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-01-14 02:50:41","251-122 Torquent Ave","Gijón","AS","Malta",1,3,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","10","intermediate",72,"2020-12-23","2021-01-18 09:40:25"),(114,"Lorem ipsum dolor","0","2019-07-26 10:28:15","6236 Cum Rd.","Ceuta","CE","Belarus",1,3,"Female","Lorem","60","senior",182,"2020-06-22","2019-06-14 09:04:31"),(115,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2021-05-22 08:06:12","359-5513 Sed Rd.","Pamplona","NA","Congo, the Democratic Republic of the",1,6,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","40","expert",278,"2020-04-18","2021-02-13 21:43:06"),(116,"Lorem ipsum","0","2019-04-18 05:54:13","P.O. Box 921, 7386 Per St.","Melilla","ME","Bosnia and Herzegovina",1,8,"Male","Lorem ipsum dolor sit amet, consectetuer","20","senior",183,"2021-04-18","2019-08-26 09:54:54"),(117,"Lorem ipsum dolor","0","2019-04-13 18:43:32","3261 Id Avenue","Badalona","CA","Turks and Caicos Islands",1,3,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","60","intermediate",406,"2020-10-05","2020-01-11 17:18:08"),(118,"Lorem ipsum dolor sit amet,","0","2020-11-11 04:57:56","P.O. Box 862, 8331 Dictum Ave","Cuenca","CM","Morocco",1,3,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","30","beginner",166,"2021-01-25","2020-02-11 04:47:11"),(119,"Lorem ipsum","0","2019-11-20 12:10:58","357-5287 Aliquam Rd.","Gijón","AS","Greenland",1,4,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","60","senior",325,"2020-01-25","2019-11-14 05:58:46"),(120,"Lorem","0","2020-07-07 08:55:55","8482 Mi Ave","Palma de Mallorca","Illes Balears","Mayotte",1,1,"Male","Lorem ipsum dolor","50","beginner",424,"2020-01-17","2019-05-26 05:10:12"),(121,"Lorem ipsum dolor sit amet,","0","2020-06-11 07:54:06","Ap #916-5997 Mi Avenue","Bilbo","PV","American Samoa",1,6,"Male","Lorem ipsum dolor sit amet,","30","expert",333,"2020-06-15","2020-11-04 12:40:43"),(122,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2021-06-16 07:57:08","Ap #897-946 Non Ave","Soria","CL","Taiwan",1,5,"Male","Lorem ipsum dolor","10","expert",236,"2020-06-02","2020-09-15 12:47:24"),(123,"Lorem ipsum dolor sit amet,","0","2021-03-31 20:30:44","442 Vivamus Rd.","Baracaldo","Euskadi","Anguilla",1,3,"Male","Lorem ipsum dolor","30","intermediate",37,"2020-03-07","2020-12-26 16:27:27"),(124,"Lorem ipsum dolor sit amet,","0","2019-04-11 01:42:55","Ap #506-5129 Ut, Road","Palma de Mallorca","Illes Balears","Saint Barthélemy",1,3,"Male","Lorem ipsum","30","expert",99,"2020-11-04","2021-03-28 15:06:18"),(125,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-10-20 01:33:52","547-1015 Libero Rd.","A Coruña","GA","Syria",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","50","senior",7,"2020-02-17","2021-03-14 10:40:06"),(126,"Lorem ipsum dolor sit","0","2019-06-08 06:00:32","1596 Vivamus Rd.","Lugo","Galicia","South Africa",1,3,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","30","senior",145,"2020-01-23","2021-01-07 23:54:17"),(127,"Lorem ipsum dolor sit","0","2020-09-11 19:21:28","2296 Risus. Ave","San Cristóbal de la Laguna","Canarias","Madagascar",1,6,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","10","intermediate",262,"2020-03-05","2019-05-25 14:29:04"),(128,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2019-05-16 11:58:27","5473 Integer Av.","Vigo","GA","French Southern Territories",1,4,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","30","expert",445,"2020-06-14","2020-09-04 20:57:33"),(129,"Lorem ipsum dolor sit amet,","0","2019-08-08 21:50:15","P.O. Box 768, 414 Vitae Avenue","Salamanca","CL","Timor-Leste",1,9,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing","20","intermediate",240,"2020-07-30","2019-04-23 18:48:13"),(130,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-06-11 16:12:37","Ap #307-9385 Gravida Avenue","Guadalajara","CM","Mauritius",1,5,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","40","expert",264,"2020-11-01","2019-06-29 03:09:27"),(131,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-01-17 20:10:49","Ap #832-764 Quis Rd.","Palma de Mallorca","Illes Balears","Antarctica",1,5,"Female","Lorem ipsum dolor sit","40","senior",305,"2020-07-07","2020-02-22 07:23:29"),(132,"Lorem ipsum dolor sit","0","2020-05-19 21:50:46","P.O. Box 172, 7123 Phasellus St.","Palma de Mallorca","Illes Balears","Czech Republic",1,1,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","20","senior",425,"2021-01-03","2019-05-25 23:23:34"),(133,"Lorem ipsum dolor sit","0","2021-02-16 18:58:41","Ap #701-7401 Phasellus Avenue","Madrid","Madrid","South Sudan",1,8,"Female","Lorem ipsum","40","expert",478,"2020-01-26","2020-09-14 14:38:32"),(134,"Lorem ipsum","0","2021-03-22 18:55:15","P.O. Box 989, 5282 Proin St.","Sabadell","CA","Guernsey",1,4,"Male","Lorem ipsum dolor sit amet, consectetuer","60","intermediate",454,"2020-02-19","2021-03-15 07:52:41"),(135,"Lorem","0","2019-06-14 01:16:24","P.O. Box 426, 6342 Mauris, St.","Santa Coloma de Gramenet","Catalunya","New Caledonia",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","40","expert",68,"2020-10-01","2019-05-07 19:21:46"),(136,"Lorem ipsum dolor sit amet, consectetuer","0","2020-05-14 05:32:46","P.O. Box 766, 7666 Nisl. Rd.","Cartagena","Murcia","Colombia",1,6,"Female","Lorem ipsum dolor sit","60","senior",21,"2020-10-08","2020-01-31 02:23:58"),(137,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-09-06 20:57:36","930-8879 Dolor Av.","Palma de Mallorca","BA","Guernsey",1,6,"Female","Lorem ipsum dolor sit amet, consectetuer","40","beginner",104,"2021-03-28","2021-02-27 12:55:11"),(138,"Lorem ipsum dolor sit amet,","0","2019-07-26 18:39:03","Ap #299-7390 Nam St.","Castelló","Comunitat Valenciana","Finland",1,5,"Female","Lorem ipsum dolor sit","10","expert",181,"2021-01-27","2019-08-28 11:49:50"),(139,"Lorem ipsum dolor sit amet, consectetuer","0","2020-10-13 17:42:10","2147 Nibh Ave","Pamplona","Navarra","India",1,6,"Female","Lorem ipsum dolor sit amet,","60","beginner",152,"2021-01-01","2021-03-01 14:57:11"),(140,"Lorem","0","2019-09-25 15:57:44","201-2765 Enim. Street","Murcia","MU","Central African Republic",1,8,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing","30","expert",103,"2021-04-06","2019-07-05 13:51:20"),(141,"Lorem ipsum dolor","0","2021-01-29 17:17:35","P.O. Box 592, 3234 Nisi. Avenue","Melilla","Melilla","Antarctica",1,8,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing","60","intermediate",429,"2020-04-26","2020-06-25 06:10:41"),(142,"Lorem ipsum","0","2020-08-14 01:35:20","Ap #582-3636 Tellus Rd.","Melilla","Melilla","United States Minor Outlying Islands",1,2,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","40","beginner",12,"2021-03-04","2020-07-27 21:29:12"),(143,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-11-13 02:54:09","Ap #475-8011 Eget Road","Oviedo","Principado de Asturias","Djibouti",1,2,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","10","expert",226,"2020-12-17","2019-07-26 17:26:58"),(144,"Lorem ipsum dolor sit amet, consectetuer","0","2020-09-10 21:17:26","P.O. Box 407, 769 Hendrerit. Rd.","Málaga","AN","Cook Islands",1,2,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","30","expert",200,"2020-03-27","2021-03-11 11:32:01"),(145,"Lorem ipsum dolor","0","2020-06-17 03:13:01","7980 Mi Rd.","Murcia","Murcia","Bouvet Island",1,10,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","60","expert",13,"2020-01-09","2019-04-01 22:49:35"),(146,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-10-04 13:56:07","Ap #761-4262 Rhoncus St.","Castelló","CV","Anguilla",1,4,"Male","Lorem ipsum dolor","60","expert",303,"2020-02-10","2020-03-22 07:47:47"),(147,"Lorem ipsum dolor","0","2019-06-20 09:57:42","Ap #566-5047 Integer St.","Santa Cruz de Tenerife","CN","Senegal",1,10,"Female","Lorem ipsum","30","beginner",457,"2021-01-20","2020-04-17 22:02:07"),(148,"Lorem ipsum dolor sit","0","2020-12-13 03:54:12","271-7049 Vivamus Street","San Cristóbal de la Laguna","CN","Liberia",1,9,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","40","beginner",366,"2020-07-21","2019-04-09 19:59:16"),(149,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2019-08-05 23:39:45","127 Elit, Rd.","Vigo","Galicia","Portugal",1,1,"Female","Lorem ipsum dolor sit amet,","10","beginner",68,"2020-12-25","2019-07-25 00:59:55"),(150,"Lorem ipsum dolor sit","0","2019-11-16 01:53:52","671-1298 Nulla St.","Huesca","Aragón","Senegal",1,6,"Male","Lorem ipsum dolor sit amet,","50","intermediate",32,"2020-07-10","2019-11-11 06:03:41"),(151,"Lorem ipsum dolor sit amet, consectetuer","0","2020-09-25 04:47:16","P.O. Box 766, 3723 Velit. Ave","Toledo","CM","Eritrea",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","20","intermediate",340,"2020-12-30","2019-11-07 17:49:54"),(152,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-05-15 17:01:31","788-5361 Imperdiet Road","Teruel","AR","Bangladesh",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","60","expert",448,"2020-05-18","2020-02-29 08:37:26"),(153,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2021-05-01 04:18:41","190-5675 Nam St.","Telde","Canarias","Italy",1,3,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","30","beginner",432,"2020-05-15","2021-01-20 17:49:03"),(154,"Lorem ipsum dolor sit amet, consectetuer","0","2019-05-11 13:54:59","P.O. Box 572, 5393 Consequat Ave","Pontevedra","Galicia","Thailand",1,5,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","40","senior",259,"2020-01-01","2019-08-18 05:38:29"),(155,"Lorem ipsum dolor sit amet,","0","2021-06-30 17:47:17","858-3273 Curabitur Road","Santa Cruz de Tenerife","CN","Lesotho",1,6,"Female","Lorem ipsum","60","intermediate",415,"2021-01-01","2020-09-02 08:25:44"),(156,"Lorem ipsum dolor sit amet, consectetuer","0","2020-03-17 22:46:13","Ap #451-8735 Purus Av.","Pontevedra","Galicia","Turkmenistan",1,1,"Male","Lorem","30","intermediate",313,"2021-03-12","2021-04-11 15:25:53"),(157,"Lorem ipsum dolor sit","0","2020-05-13 06:45:43","Ap #565-6743 Arcu. Rd.","Valladolid","CL","Kiribati",1,10,"Male","Lorem","10","intermediate",274,"2020-03-04","2020-02-22 21:12:12"),(158,"Lorem ipsum dolor sit amet, consectetuer","0","2019-04-13 19:43:01","Ap #853-1003 Imperdiet Rd.","Melilla","ME","Ukraine",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","30","expert",425,"2021-01-13","2020-07-07 09:11:16"),(159,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-01-09 02:19:14","P.O. Box 929, 2292 Sagittis. St.","Soria","Castilla y León","Costa Rica",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","40","beginner",452,"2020-07-19","2021-03-25 00:32:37"),(160,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-08-02 23:51:11","8579 Lorem Rd.","Santander","Cantabria","Antigua and Barbuda",1,3,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","10","intermediate",226,"2020-02-24","2019-04-25 19:42:41"),(161,"Lorem ipsum dolor","0","2019-08-02 20:37:50","P.O. Box 813, 5964 Mauris Av.","Oviedo","AS","Oman",1,8,"Female","Lorem ipsum","30","expert",150,"2021-01-20","2021-01-05 08:51:31"),(162,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2019-11-24 23:37:41","1952 Tellus St.","Oviedo","Principado de Asturias","Gibraltar",1,10,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","10","beginner",180,"2020-04-29","2020-09-22 02:01:21"),(163,"Lorem ipsum dolor sit","0","2021-01-05 09:08:48","767-1052 Ridiculus Street","Zaragoza","AR","Bosnia and Herzegovina",1,1,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","60","intermediate",435,"2021-01-17","2020-09-28 23:40:09"),(164,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-08-25 15:34:32","Ap #804-5075 Et Avenue","Vigo","GA","Cuba",1,6,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","50","expert",368,"2020-05-11","2020-12-31 09:54:06"),(165,"Lorem ipsum dolor sit amet, consectetuer","0","2021-04-24 06:49:11","773-8578 Consequat, St.","Pamplona","NA","Jordan",1,8,"Female","Lorem ipsum","50","senior",396,"2020-05-29","2020-06-11 12:25:01"),(166,"Lorem ipsum","0","2020-04-10 07:44:05","P.O. Box 610, 6045 Libero. Avenue","Alcobendas","MA","Cook Islands",1,7,"Male","Lorem ipsum dolor sit amet, consectetuer","30","senior",269,"2021-02-13","2020-06-26 06:14:41"),(167,"Lorem ipsum dolor sit amet, consectetuer","0","2020-07-02 01:37:25","6005 Et Rd.","Murcia","Murcia","Cape Verde",1,9,"Female","Lorem ipsum dolor","40","intermediate",320,"2021-02-04","2019-05-17 08:31:13"),(168,"Lorem ipsum dolor sit amet, consectetuer","0","2021-04-27 06:50:19","P.O. Box 800, 7427 Vel St.","A Coruña","Galicia","Jordan",1,9,"Female","Lorem","30","senior",36,"2021-02-25","2019-09-27 05:49:30"),(169,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-08-29 17:47:05","244-7311 Turpis Street","Logroño","LR","Macedonia",1,8,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","30","intermediate",278,"2021-01-28","2019-09-30 00:59:52"),(170,"Lorem","0","2019-09-05 10:52:11","6188 Ligula. Rd.","Badajoz","Extremadura","Hungary",1,10,"Male","Lorem ipsum dolor sit amet, consectetuer","30","intermediate",251,"2021-04-07","2019-11-24 03:19:15"),(171,"Lorem ipsum dolor","0","2020-01-03 05:33:53","P.O. Box 984, 4948 Iaculis St.","Santander","CA","Iraq",1,4,"Female","Lorem ipsum dolor","60","senior",470,"2020-05-29","2021-01-24 05:48:07"),(172,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-12-01 04:53:54","5706 Nibh Rd.","Albacete","Castilla - La Mancha","Kiribati",1,6,"Male","Lorem","40","expert",185,"2020-12-23","2021-02-18 09:04:25"),(173,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-03-12 06:27:09","Ap #939-8585 Fusce Rd.","Ceuta","Ceuta","Saint Pierre and Miquelon",1,8,"Male","Lorem ipsum","50","beginner",27,"2021-01-19","2019-04-20 23:45:39"),(174,"Lorem","0","2019-11-09 23:57:38","2906 Blandit Street","Pamplona","NA","Uzbekistan",1,1,"Male","Lorem ipsum dolor sit amet,","20","intermediate",30,"2021-02-05","2020-01-07 11:30:06"),(175,"Lorem ipsum","0","2020-06-06 01:32:33","491-5685 Pede. St.","Santa Coloma de Gramenet","Catalunya","Colombia",1,2,"Male","Lorem ipsum","30","expert",41,"2020-08-23","2020-06-01 10:03:37"),(176,"Lorem ipsum dolor","0","2019-12-30 02:30:42","709-1797 Nunc St.","Melilla","ME","Saint Kitts and Nevis",1,4,"Male","Lorem ipsum dolor sit","60","beginner",182,"2020-10-13","2020-02-15 21:41:23"),(177,"Lorem ipsum dolor","0","2019-05-22 04:23:21","922-6151 Arcu. Avenue","Valladolid","CL","Dominican Republic",1,6,"Male","Lorem ipsum dolor sit amet,","60","intermediate",48,"2020-08-21","2020-10-04 10:28:12"),(178,"Lorem ipsum dolor","0","2019-12-25 03:02:08","P.O. Box 684, 2838 Scelerisque Rd.","Cuenca","Castilla - La Mancha","Serbia",1,8,"Female","Lorem ipsum dolor","60","expert",38,"2021-02-04","2020-03-05 01:50:16"),(179,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-05-17 02:58:19","395-8972 Nunc Road","Melilla","Melilla","Saint Martin",1,6,"Female","Lorem","10","senior",393,"2020-03-08","2020-07-13 09:18:33"),(180,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2021-03-20 06:15:53","P.O. Box 320, 5006 Et Rd.","Castelló","CV","Bhutan",1,6,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing","20","senior",398,"2020-08-15","2020-02-28 21:08:32"),(181,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2021-03-05 03:47:31","179-5754 Diam. Road","Santander","CA","Malaysia",1,2,"Male","Lorem ipsum dolor sit amet, consectetuer","50","beginner",378,"2020-09-03","2019-11-28 00:19:59"),(182,"Lorem ipsum dolor","0","2021-01-10 02:03:01","Ap #288-3090 Pharetra Ave","Lleida","Catalunya","Côte D'Ivoire (Ivory Coast)",1,4,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","30","intermediate",418,"2021-02-18","2020-08-26 23:51:08"),(183,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-11-20 03:24:39","147-9683 Quisque St.","Logroño","LR","Russian Federation",1,2,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","50","senior",299,"2021-01-21","2020-08-06 13:55:09"),(184,"Lorem","0","2020-05-06 04:15:20","762-8964 Lobortis St.","Jerez de la Frontera","AN","Sweden",1,6,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","60","expert",435,"2020-06-28","2019-07-06 01:51:52"),(185,"Lorem ipsum dolor sit amet,","0","2019-05-02 22:28:51","518-2991 Ante. St.","Palma de Mallorca","Illes Balears","Tuvalu",1,7,"Male","Lorem ipsum dolor sit","10","beginner",393,"2021-02-03","2020-11-25 17:51:54"),(186,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-07-01 06:36:07","Ap #940-8432 Amet Rd.","Ávila","Castilla y León","United Kingdom (Great Britain)",1,5,"Male","Lorem ipsum dolor","60","beginner",188,"2020-10-28","2020-12-25 21:49:32"),(187,"Lorem","0","2020-12-10 09:57:52","309-7535 Maecenas Rd.","Valéncia","Comunitat Valenciana","American Samoa",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","50","expert",342,"2020-09-21","2019-05-12 06:20:00"),(188,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-02-01 01:24:06","221-9520 Sed St.","Melilla","Melilla","Svalbard and Jan Mayen Islands",1,9,"Male","Lorem","10","beginner",369,"2020-09-08","2019-09-28 06:29:37"),(189,"Lorem ipsum dolor sit amet,","0","2021-01-22 20:09:46","3542 Ac, St.","Melilla","ME","Nicaragua",1,1,"Female","Lorem","50","expert",426,"2020-03-17","2021-02-08 21:27:34"),(190,"Lorem ipsum dolor sit","0","2019-11-18 04:56:37","984-2557 Aliquet Av.","Gijón","Principado de Asturias","Barbados",1,5,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","60","beginner",278,"2020-04-14","2021-01-21 21:42:34"),(191,"Lorem","0","2020-08-04 07:49:45","P.O. Box 206, 4948 Vivamus Rd.","Murcia","MU","Trinidad and Tobago",1,10,"Male","Lorem ipsum dolor sit amet,","30","intermediate",483,"2020-02-11","2020-12-14 22:38:38"),(192,"Lorem ipsum dolor","0","2019-06-29 08:47:06","P.O. Box 278, 9419 Eget, St.","Baracaldo","Euskadi","Bosnia and Herzegovina",1,5,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","20","expert",441,"2020-03-03","2019-05-28 01:03:58"),(193,"Lorem","0","2020-03-29 01:25:30","P.O. Box 770, 568 Nisl Ave","Zamora","CL","Uruguay",1,1,"Male","Lorem ipsum","40","senior",363,"2020-03-31","2019-11-11 14:46:25"),(194,"Lorem ipsum","0","2020-03-14 05:08:07","P.O. Box 378, 3046 Amet, St.","Mataró","CA","Guadeloupe",1,10,"Female","Lorem ipsum dolor sit amet,","30","intermediate",430,"2020-01-18","2020-05-27 14:39:05"),(195,"Lorem","0","2021-01-17 11:57:19","Ap #636-5570 Per Av.","Santander","Cantabria","Antarctica",1,10,"Male","Lorem","50","beginner",190,"2021-02-28","2019-12-15 10:34:00"),(196,"Lorem ipsum dolor","0","2020-12-02 12:33:22","P.O. Box 329, 4426 Urna. Street","Marbella","AN","Antarctica",1,7,"Male","Lorem ipsum dolor sit amet, consectetuer","10","senior",27,"2020-07-09","2019-05-25 15:06:39"),(197,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2020-09-28 03:07:55","Ap #451-2628 Faucibus Ave","Melilla","Melilla","Finland",1,10,"Male","Lorem ipsum dolor sit","50","beginner",51,"2020-04-08","2020-12-13 15:21:26"),(198,"Lorem ipsum dolor sit amet,","0","2019-06-01 00:52:24","1261 Nec, Road","A Coruña","Galicia","Saint Martin",1,5,"Female","Lorem ipsum","40","beginner",166,"2020-03-04","2020-10-27 09:46:11"),(199,"Lorem ipsum dolor sit","0","2020-12-09 08:11:08","P.O. Box 421, 4248 Cras Rd.","Telde","CN","New Zealand",1,5,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","20","senior",84,"2020-12-21","2020-11-29 19:16:21"),(200,"Lorem ipsum dolor sit","0","2020-09-06 16:55:29","P.O. Box 334, 9814 Velit Street","Lugo","GA","Czech Republic",1,9,"Male","Lorem ipsum dolor sit","60","senior",191,"2021-04-17","2020-01-22 03:15:54");
INSERT INTO `meetings` (`id`,`title`,`online_meeting`,`meeting_date`,`adress`,`city`,`province`,`country`,`min_users`,`max_users`,`sex`,`commentary`,`duration_minutes`,`lang_level`,`id_user_host`,`creation_date`,`last_modification`) VALUES (201,"Lorem ipsum dolor sit amet,","0","2020-07-03 12:07:46","Ap #742-5119 Dignissim Ave","Santander","Cantabria","Dominica",1,2,"Female","Lorem ipsum dolor sit","40","intermediate",353,"2020-11-11","2021-02-10 12:46:48"),(202,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-08-19 17:52:37","9596 Urna Avenue","Soria","CL","Kazakhstan",1,1,"Male","Lorem ipsum dolor sit","20","intermediate",358,"2020-08-07","2020-08-03 15:24:33"),(203,"Lorem ipsum dolor","0","2020-07-09 03:27:14","Ap #923-1883 Hendrerit. Ave","Sabadell","CA","Gambia",1,3,"Male","Lorem ipsum dolor","50","senior",303,"2020-09-09","2020-06-06 03:10:06"),(204,"Lorem","0","2020-04-18 14:40:35","2633 Nonummy. Av.","Santander","CA","Chad",1,9,"Male","Lorem ipsum dolor sit amet,","30","intermediate",226,"2020-04-03","2020-08-05 05:48:46"),(205,"Lorem ipsum dolor sit amet, consectetuer","0","2019-05-11 02:48:41","Ap #562-8011 Vivamus Rd.","Soria","CL","Namibia",1,2,"Male","Lorem ipsum dolor sit amet, consectetuer","50","senior",319,"2020-03-13","2019-12-10 06:04:03"),(206,"Lorem ipsum dolor sit amet,","0","2019-11-24 08:23:41","1496 Aliquam Rd.","Ceuta","CE","India",1,1,"Female","Lorem","60","expert",464,"2020-02-20","2021-02-25 01:02:31"),(207,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-03-10 11:29:32","Ap #680-7562 Nunc Avenue","Alacant","CV","Fiji",1,8,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","50","intermediate",85,"2020-12-15","2019-12-22 13:44:57"),(208,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2019-07-27 20:46:41","Ap #636-9458 Orci, Av.","Cartagena","Murcia","Mayotte",1,8,"Male","Lorem","30","intermediate",5,"2020-05-10","2020-05-27 17:34:37"),(209,"Lorem ipsum dolor sit","0","2019-05-30 07:57:42","P.O. Box 466, 6144 Est. Avenue","Logroño","LR","Micronesia",1,5,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing","60","beginner",304,"2021-04-03","2019-04-06 11:15:34"),(210,"Lorem ipsum dolor sit amet,","0","2019-04-11 06:31:18","P.O. Box 119, 6547 Et Av.","Ceuta","Ceuta","Bouvet Island",1,3,"Female","Lorem ipsum dolor","10","beginner",48,"2020-02-17","2019-05-18 01:13:09"),(211,"Lorem ipsum","0","2019-06-22 07:11:01","3790 Malesuada Av.","Teruel","Aragón","Italy",1,3,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","50","beginner",166,"2020-03-12","2020-04-09 00:09:25"),(212,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2021-04-17 10:35:27","Ap #618-6424 Integer Av.","Santander","Cantabria","Korea, South",1,5,"Male","Lorem ipsum dolor","10","senior",94,"2020-01-30","2019-05-17 07:46:36"),(213,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-09-14 10:12:46","6906 Duis St.","Pamplona","NA","Saint Kitts and Nevis",1,8,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","20","intermediate",152,"2020-01-15","2019-05-11 05:10:20"),(214,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-12-10 21:38:29","Ap #214-515 Curabitur Avenue","Palma de Mallorca","Illes Balears","Cape Verde",1,10,"Female","Lorem ipsum dolor sit amet,","50","intermediate",448,"2020-11-23","2019-07-07 15:49:36"),(215,"Lorem ipsum dolor sit amet,","0","2020-02-15 11:23:21","5619 Sapien, Av.","Oviedo","AS","Estonia",1,5,"Male","Lorem ipsum dolor sit","50","expert",186,"2020-09-10","2019-09-29 18:01:38"),(216,"Lorem ipsum dolor","0","2019-11-06 03:36:41","7761 Mauris Road","Valéncia","CV","Palestine, State of",1,10,"Female","Lorem ipsum dolor sit","40","beginner",23,"2020-09-16","2020-12-10 08:35:01"),(217,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2021-02-12 17:40:03","6176 Vulputate, Ave","Pamplona","Navarra","Senegal",1,3,"Male","Lorem","30","intermediate",86,"2020-11-12","2019-11-29 01:59:23"),(218,"Lorem ipsum dolor sit amet, consectetuer","0","2019-07-11 09:42:06","Ap #904-634 Nulla St.","Melilla","Melilla","Turks and Caicos Islands",1,1,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","50","expert",138,"2020-02-12","2021-04-05 21:18:10"),(219,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2020-06-11 03:17:48","P.O. Box 764, 6899 Varius. St.","Ceuta","Ceuta","Honduras",1,8,"Female","Lorem ipsum dolor sit amet,","30","senior",420,"2020-01-31","2019-06-21 16:26:43"),(220,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2021-06-22 16:14:23","508-6342 Pretium Street","Melilla","ME","Mali",1,4,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing","30","expert",347,"2021-02-13","2021-04-12 22:52:10"),(221,"Lorem ipsum","0","2019-10-08 23:44:58","1700 Eget St.","Oviedo","Principado de Asturias","Micronesia",1,10,"Female","Lorem","40","expert",49,"2020-03-05","2020-03-30 11:30:29"),(222,"Lorem ipsum","0","2019-04-16 17:35:59","Ap #404-1107 Quis Av.","Pamplona","Navarra","Faroe Islands",1,7,"Male","Lorem ipsum dolor","60","beginner",83,"2021-03-13","2020-06-01 22:23:47"),(223,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-09-28 04:58:34","Ap #851-1341 Risus St.","León","Castilla y León","New Caledonia",1,1,"Male","Lorem ipsum dolor sit amet,","10","beginner",291,"2020-03-07","2019-12-06 13:47:34"),(224,"Lorem","0","2021-04-12 09:36:37","1851 Massa. Rd.","Cáceres","EX","Syria",1,7,"Male","Lorem","50","intermediate",84,"2020-12-10","2020-05-10 06:39:50"),(225,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2021-02-25 01:03:46","5267 Non, Road","Gasteiz","PV","Kazakhstan",1,2,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","60","beginner",116,"2020-12-27","2020-09-01 16:44:05"),(226,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-08-06 17:43:41","353-6623 Ligula. Av.","Alacant","CV","Kenya",1,8,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","30","expert",262,"2020-03-24","2021-03-26 17:59:16"),(227,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2019-11-15 22:45:30","149-9683 Donec Street","Logroño","LR","Zimbabwe",1,8,"Male","Lorem ipsum dolor sit amet, consectetuer","20","expert",261,"2020-08-02","2020-11-05 11:23:01"),(228,"Lorem","0","2021-02-02 05:45:09","6416 Morbi Rd.","San Cristóbal de la Laguna","Canarias","Bahamas",1,8,"Female","Lorem ipsum dolor","10","intermediate",216,"2020-05-19","2020-07-06 01:52:16"),(229,"Lorem ipsum dolor","0","2020-12-28 20:28:18","Ap #395-2262 Et Street","Palma de Mallorca","Illes Balears","Congo, the Democratic Republic of the",1,9,"Male","Lorem","40","expert",20,"2021-01-18","2019-11-02 03:13:29"),(230,"Lorem ipsum dolor sit amet,","0","2021-01-30 01:08:20","Ap #679-9466 Faucibus St.","Murcia","MU","Zambia",1,4,"Female","Lorem ipsum dolor","60","senior",384,"2020-05-18","2020-02-24 16:25:25"),(231,"Lorem ipsum dolor sit amet, consectetuer","0","2020-06-05 09:59:39","P.O. Box 566, 426 Et Ave","Cáceres","Extremadura","Myanmar",1,1,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","50","expert",357,"2020-04-07","2020-03-31 17:58:31"),(232,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2021-02-18 03:04:03","597-6783 Magna. Rd.","Santander","CA","Slovakia",1,2,"Male","Lorem ipsum dolor","10","intermediate",106,"2020-06-08","2020-04-29 06:50:24"),(233,"Lorem ipsum dolor","0","2020-09-09 23:19:42","182-1311 Sed Rd.","Reus","Catalunya","Uruguay",1,5,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","20","expert",233,"2020-08-31","2020-04-03 09:12:12"),(234,"Lorem ipsum dolor sit","0","2021-06-14 20:24:41","Ap #592-7986 Ut Street","San Cristóbal de la Laguna","Canarias","Cuba",1,2,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","20","expert",260,"2020-05-07","2020-11-15 07:05:51"),(235,"Lorem ipsum dolor sit amet, consectetuer","0","2019-04-08 07:19:52","Ap #256-1143 Orci Road","Alcorcón","MA","Korea, South",1,2,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","50","expert",263,"2020-07-22","2020-04-29 11:59:22"),(236,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2021-05-07 23:24:37","Ap #427-8325 Donec St.","San Cristóbal de la Laguna","CN","Wallis and Futuna",1,4,"Female","Lorem","50","intermediate",387,"2020-06-29","2020-04-15 06:57:33"),(237,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-09-23 05:10:14","P.O. Box 817, 5622 Egestas. Road","Fuenlabrada","MA","Guinea",1,4,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","10","expert",427,"2020-06-03","2019-07-04 19:48:43"),(238,"Lorem ipsum dolor sit amet, consectetuer","0","2019-08-11 03:37:12","Ap #266-5606 Ullamcorper, Av.","San Cristóbal de la Laguna","Canarias","Heard Island and Mcdonald Islands",1,5,"Female","Lorem ipsum dolor sit amet, consectetuer","60","senior",376,"2020-07-11","2020-12-10 13:51:28"),(239,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2020-11-23 22:49:39","P.O. Box 148, 5784 Magna Avenue","Badajoz","EX","Serbia",1,7,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","10","beginner",308,"2020-02-28","2020-08-26 02:12:13"),(240,"Lorem ipsum dolor sit amet,","0","2019-04-24 06:17:34","824-7709 Praesent Road","Logroño","La Rioja","Ghana",1,8,"Female","Lorem ipsum","10","beginner",499,"2020-11-26","2020-07-02 19:12:46"),(241,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2021-01-10 18:20:57","P.O. Box 504, 9538 Cursus. Ave","Santander","Cantabria","France",1,5,"Male","Lorem ipsum dolor sit","40","intermediate",175,"2020-05-17","2021-03-03 14:19:12"),(242,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2021-02-05 12:28:34","8270 Diam Avenue","Guadalajara","CM","Saint Pierre and Miquelon",1,7,"Male","Lorem ipsum dolor","10","intermediate",60,"2020-01-19","2019-04-07 19:06:24"),(243,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2021-04-12 06:45:07","P.O. Box 213, 6201 Fermentum Rd.","Ceuta","Ceuta","Australia",1,8,"Female","Lorem","30","senior",14,"2020-12-25","2021-02-12 20:04:01"),(244,"Lorem ipsum","0","2019-08-26 15:33:28","1134 Ac, Rd.","Santa Cruz de Tenerife","CN","Ethiopia",1,9,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","60","senior",143,"2020-10-15","2020-01-13 18:30:52"),(245,"Lorem ipsum","0","2019-09-09 23:29:28","3140 Mi, Street","Melilla","ME","Andorra",1,5,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","30","expert",164,"2020-02-25","2020-03-03 06:47:30"),(246,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2019-05-16 21:25:01","P.O. Box 676, 4111 Tortor Rd.","Guadalajara","CM","Lithuania",1,3,"Female","Lorem ipsum dolor sit","60","intermediate",411,"2020-12-04","2019-05-09 14:33:14"),(247,"Lorem ipsum dolor","0","2019-10-30 15:46:41","Ap #291-7765 Felis, Rd.","Elx","CV","Senegal",1,6,"Male","Lorem ipsum dolor","50","intermediate",404,"2021-01-30","2020-09-09 18:00:44"),(248,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2019-08-20 13:10:50","2491 Suspendisse Road","Donosti","PV","Spain",1,9,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","60","senior",214,"2021-02-22","2019-05-04 19:54:05"),(249,"Lorem ipsum dolor sit","0","2019-05-31 01:51:43","P.O. Box 970, 8256 Nunc Ave","Torrejón de Ardoz","Madrid","Spain",1,7,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","30","intermediate",111,"2020-04-20","2020-09-12 12:32:34"),(250,"Lorem ipsum dolor","0","2020-10-18 21:58:32","P.O. Box 565, 5739 Facilisis St.","Burgos","CL","Croatia",1,6,"Female","Lorem ipsum dolor sit amet, consectetuer","50","expert",231,"2020-02-25","2020-03-01 23:35:33"),(251,"Lorem ipsum dolor sit amet, consectetuer","0","2021-05-09 22:53:54","485-7672 Adipiscing Rd.","Segovia","Castilla y León","Turkey",1,9,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","50","beginner",132,"2020-10-12","2019-12-11 11:22:21"),(252,"Lorem ipsum","0","2021-02-13 16:57:10","530 Lectus Road","Sevilla","Andalucía","Niue",1,7,"Male","Lorem ipsum dolor sit amet,","40","senior",344,"2021-04-10","2020-01-18 04:55:04"),(253,"Lorem ipsum dolor","0","2021-01-07 01:17:43","746-4170 Natoque Ave","Melilla","Melilla","Wallis and Futuna",1,7,"Female","Lorem ipsum dolor sit amet,","60","intermediate",471,"2020-08-11","2019-05-19 07:54:49"),(254,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-09-01 10:30:53","Ap #501-5219 Nulla Rd.","Huesca","AR","United States",1,4,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","30","intermediate",314,"2020-01-12","2019-05-27 18:13:14"),(255,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2019-04-09 16:48:03","7035 Commodo Rd.","Baracaldo","PV","Trinidad and Tobago",1,5,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","10","beginner",488,"2020-08-21","2019-10-20 15:22:26"),(256,"Lorem ipsum dolor","0","2020-09-06 03:29:07","P.O. Box 180, 1197 Dictum Rd.","Oviedo","Principado de Asturias","Marshall Islands",1,4,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","20","intermediate",464,"2020-02-04","2019-12-20 19:55:10"),(257,"Lorem","0","2021-06-27 09:10:15","766-8381 Mauris Rd.","Pamplona","NA","Faroe Islands",1,9,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","20","beginner",318,"2020-02-05","2019-06-27 07:45:45"),(258,"Lorem ipsum dolor sit amet,","0","2019-09-02 19:05:37","P.O. Box 379, 9415 Penatibus St.","Gijón","AS","Costa Rica",1,1,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","50","expert",469,"2020-09-07","2019-07-22 23:04:35"),(259,"Lorem ipsum dolor sit amet,","0","2019-05-29 04:23:52","P.O. Box 820, 8258 Sed Rd.","Granada","Andalucía","Kiribati",1,6,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","30","intermediate",380,"2021-01-26","2020-10-01 19:45:07"),(260,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2019-05-04 06:22:04","397-3414 Quis St.","A Coruña","GA","Martinique",1,9,"Female","Lorem ipsum","60","senior",462,"2020-06-03","2020-01-11 15:09:02"),(261,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2019-05-29 20:48:48","8097 Taciti Ave","L'Hospitalet de Llobregat","Catalunya","Paraguay",1,1,"Male","Lorem ipsum dolor","60","senior",440,"2020-06-14","2020-08-18 04:28:51"),(262,"Lorem ipsum dolor sit","0","2019-05-17 01:46:26","P.O. Box 943, 1367 Eros St.","León","CL","Faroe Islands",1,8,"Female","Lorem ipsum dolor sit","30","expert",185,"2020-08-30","2020-06-04 17:35:00"),(263,"Lorem ipsum","0","2019-04-26 07:51:24","4271 Condimentum. Avenue","Baracaldo","Euskadi","Australia",1,1,"Female","Lorem ipsum dolor sit amet, consectetuer","20","intermediate",302,"2020-05-25","2020-07-17 10:16:21"),(264,"Lorem","0","2020-07-19 08:14:22","P.O. Box 753, 1840 Neque. Street","Cáceres","EX","Lesotho",1,2,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","60","senior",242,"2021-02-02","2021-01-11 05:42:11"),(265,"Lorem ipsum dolor sit amet,","0","2021-01-07 17:33:35","P.O. Box 861, 6514 Vivamus St.","Torrevieja","Comunitat Valenciana","Mayotte",1,5,"Female","Lorem ipsum","40","intermediate",258,"2020-09-30","2021-04-13 08:13:00"),(266,"Lorem ipsum dolor","0","2021-05-10 19:46:23","P.O. Box 121, 8001 Elit, St.","Lleida","Catalunya","Singapore",1,3,"Female","Lorem","10","expert",277,"2020-05-07","2020-07-03 23:50:14"),(267,"Lorem ipsum","0","2021-02-02 01:30:43","Ap #388-6234 Laoreet Ave","Logroño","LR","Svalbard and Jan Mayen Islands",1,10,"Female","Lorem ipsum dolor sit","40","senior",230,"2021-03-21","2020-01-21 19:00:20"),(268,"Lorem ipsum dolor sit","0","2020-07-20 08:21:29","666-3537 Quam. Road","Pamplona","Navarra","Netherlands",1,3,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","50","beginner",224,"2020-04-09","2020-12-19 16:40:52"),(269,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-07-19 19:19:22","P.O. Box 329, 9766 Quisque Avenue","Huesca","Aragón","Pakistan",1,6,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","40","intermediate",474,"2020-10-06","2020-09-10 01:31:21"),(270,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-01-17 15:41:56","325-7384 Velit. St.","Oviedo","Principado de Asturias","Tajikistan",1,4,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","50","intermediate",303,"2021-04-04","2019-05-01 20:24:01"),(271,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-05-13 23:33:48","295-7578 Vitae, Road","Logroño","LR","Monaco",1,10,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","20","senior",466,"2020-01-23","2020-02-19 11:41:09"),(272,"Lorem ipsum dolor sit","0","2021-07-10 07:46:20","1175 Aliquam Road","Melilla","Melilla","Venezuela",1,7,"Male","Lorem ipsum","10","senior",331,"2020-08-25","2019-11-16 07:11:24"),(273,"Lorem","0","2020-08-24 04:18:09","P.O. Box 295, 5361 Lorem Avenue","Pamplona","Navarra","Hong Kong",1,5,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing","10","beginner",350,"2020-03-30","2020-11-11 00:57:53"),(274,"Lorem ipsum dolor sit amet, consectetuer","0","2020-09-16 22:24:27","Ap #805-2981 Nulla Rd.","Ceuta","CE","Antigua and Barbuda",1,5,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","40","beginner",61,"2021-04-06","2019-05-09 16:47:16"),(275,"Lorem","0","2019-05-03 11:04:49","447 Vel Rd.","Pamplona","NA","Virgin Islands, United States",1,6,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","60","beginner",227,"2020-06-13","2019-12-12 18:13:18"),(276,"Lorem ipsum","0","2020-07-17 21:06:17","666-7141 Fusce St.","Melilla","Melilla","Tunisia",1,10,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing","60","beginner",134,"2020-04-05","2020-12-30 16:40:30"),(277,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-11-25 03:30:16","201-1784 Donec St.","Gijón","AS","Mali",1,9,"Male","Lorem ipsum","40","expert",93,"2021-01-14","2019-08-09 00:20:40"),(278,"Lorem ipsum dolor sit amet,","0","2019-07-22 14:09:46","2418 Enim. St.","Cartagena","MU","Madagascar",1,5,"Female","Lorem ipsum dolor","20","senior",157,"2020-10-06","2020-04-21 18:05:47"),(279,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2020-08-26 22:36:42","9309 Sagittis Ave","Sevilla","AN","Libya",1,9,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","60","expert",126,"2021-02-24","2021-01-09 16:08:25"),(280,"Lorem ipsum","0","2020-11-24 15:10:59","3560 Consectetuer St.","Gasteiz","PV","Sudan",1,6,"Female","Lorem ipsum dolor sit amet, consectetuer","20","expert",408,"2020-06-23","2019-07-22 22:43:13"),(281,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2020-01-11 12:11:34","Ap #428-8101 Mauris Rd.","Barcelona","Catalunya","Tonga",1,8,"Male","Lorem ipsum dolor sit amet, consectetuer","10","expert",452,"2020-09-25","2020-07-17 07:27:00"),(282,"Lorem ipsum dolor sit","0","2019-08-13 07:53:48","P.O. Box 115, 5372 Felis. Street","Huesca","AR","Monaco",1,9,"Female","Lorem ipsum dolor sit amet, consectetuer","60","expert",234,"2021-03-07","2020-04-15 00:02:58"),(283,"Lorem ipsum","0","2020-04-29 11:36:42","2853 Feugiat Avenue","Murcia","MU","Gambia",1,3,"Female","Lorem ipsum dolor","10","expert",32,"2021-02-08","2019-08-25 10:40:06"),(284,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2019-12-20 18:01:45","9593 Adipiscing Rd.","Donosti","Euskadi","Gibraltar",1,1,"Female","Lorem ipsum dolor sit","20","senior",6,"2020-08-03","2019-12-08 10:59:39"),(285,"Lorem ipsum dolor sit amet,","0","2020-01-26 19:33:21","9920 A, St.","Toledo","Castilla - La Mancha","Ecuador",1,1,"Female","Lorem ipsum dolor","50","intermediate",262,"2020-06-25","2019-08-25 13:53:46"),(286,"Lorem ipsum dolor sit","0","2020-01-29 04:24:04","P.O. Box 340, 8467 Ullamcorper. Av.","Melilla","ME","Montenegro",1,5,"Male","Lorem ipsum dolor","30","beginner",295,"2020-09-27","2020-09-27 01:13:41"),(287,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-09-15 10:03:19","4919 A, Ave","Ceuta","Ceuta","Turkey",1,3,"Male","Lorem ipsum dolor sit","60","senior",396,"2020-09-20","2021-01-14 05:20:47"),(288,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2020-03-24 08:29:19","P.O. Box 222, 3028 Ac Ave","Algeciras","AN","Kuwait",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","40","beginner",364,"2020-01-26","2020-10-11 15:05:19"),(289,"Lorem","0","2019-11-24 21:44:43","3196 Torquent Road","Oviedo","AS","Kenya",1,10,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","60","beginner",191,"2021-03-17","2020-08-31 20:01:18"),(290,"Lorem ipsum","0","2020-06-14 02:44:56","996-1671 Metus St.","Ceuta","Ceuta","Saint Martin",1,9,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","30","expert",312,"2021-01-09","2021-03-12 09:08:09"),(291,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","0","2020-07-07 00:34:13","376-5151 Ac Road","Santander","CA","Kyrgyzstan",1,8,"Female","Lorem ipsum dolor sit amet, consectetuer","20","beginner",158,"2021-04-04","2020-08-09 04:11:03"),(292,"Lorem","0","2020-10-29 05:10:05","P.O. Box 915, 538 Elit. Rd.","Cartagena","MU","Chad",1,6,"Male","Lorem ipsum dolor sit amet,","10","senior",117,"2020-11-15","2020-07-23 23:51:42"),(293,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed","0","2019-08-12 04:11:08","P.O. Box 452, 4116 Consequat Street","Cartagena","Murcia","Costa Rica",1,5,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","60","beginner",314,"2020-10-26","2020-07-23 17:41:20"),(294,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2020-05-09 00:39:45","2916 Eleifend. Road","Cáceres","EX","Marshall Islands",1,5,"Female","Lorem ipsum dolor sit","60","expert",90,"2020-09-11","2020-11-11 03:52:18"),(295,"Lorem ipsum","0","2021-05-12 16:34:47","607-5716 Pharetra, Street","Huesca","Aragón","Algeria",1,7,"Male","Lorem ipsum dolor sit amet,","60","beginner",264,"2021-03-13","2020-02-29 13:26:43"),(296,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","0","2019-06-25 23:24:54","1620 Erat Road","Santander","Cantabria","Madagascar",1,3,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","60","intermediate",96,"2020-03-19","2020-06-24 20:12:16"),(297,"Lorem ipsum dolor","0","2021-05-04 09:38:47","3068 Massa St.","Torrejón de Ardoz","MA","Togo",1,2,"Female","Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur","60","intermediate",278,"2020-01-14","2020-09-19 20:00:51"),(298,"Lorem ipsum dolor sit amet, consectetuer adipiscing","0","2021-01-12 00:56:25","9580 In Rd.","Zaragoza","Aragón","Venezuela",1,2,"Female","Lorem ipsum dolor sit amet, consectetuer","40","intermediate",101,"2020-09-02","2019-09-24 00:30:54"),(299,"Lorem ipsum dolor sit","0","2021-03-22 03:45:25","5213 Amet Rd.","Logroño","La Rioja","United States",1,4,"Male","Lorem ipsum dolor sit amet, consectetuer adipiscing elit.","30","intermediate",96,"2020-09-02","2020-07-23 15:14:13"),(300,"Lorem ipsum dolor sit","0","2019-04-17 18:52:43","548-427 Montes, Ave","Telde","Canarias","Cocos (Keeling) Islands",1,8,"Female","Lorem ipsum dolor sit amet,","10","senior",398,"2021-03-20","2021-03-16 01:15:33");
-- 500 USER-LANGUAGES INPUTS --
INSERT INTO `users_languages` (`id_users`,`id_languages`) VALUES (378,100),(468,129),(135,26),(340,131),(266,45),(226,48),(182,63),(452,23),(153,98),(352,31),(235,90),(197,78),(80,70),(329,107),(85,132),(232,119),(143,125),(67,20),(81,39),(8,127),(207,108),(223,85),(8,104),(269,7),(325,76),(301,113),(365,68),(253,26),(317,67),(137,53),(48,126),(378,103),(415,97),(40,47),(458,45),(273,60),(378,85),(484,14),(49,128),(214,111),(454,76),(252,13),(138,49),(12,9),(473,43),(260,3),(340,118),(277,5),(123,130),(393,27),(414,11),(101,8),(285,61),(56,105),(192,82),(221,70),(15,67),(113,8),(88,85),(236,102),(323,39),(223,102),(383,122),(273,128),(137,72),(241,83),(28,10),(94,32),(341,39),(432,122),(270,36),(50,36),(348,57),(327,14),(157,129),(387,93),(446,94),(337,8),(280,22),(341,75),(248,73),(354,121),(286,44),(372,57),(127,133),(108,86),(179,104),(232,36),(278,69),(374,87),(5,12),(163,48),(405,41),(163,102),(209,32),(275,126),(339,91),(124,78),(278,22),(246,130);
INSERT INTO `users_languages` (`id_users`,`id_languages`) VALUES (182,102),(2,13),(260,38),(494,20),(373,29),(132,28),(161,3),(207,11),(446,16),(380,21),(97,48),(185,26),(481,18),(108,58),(17,39),(487,88),(374,63),(348,93),(347,7),(490,62),(46,12),(383,30),(395,19),(482,26),(46,104),(161,102),(247,124),(326,90),(172,32),(400,24),(337,89),(475,39),(1,21),(491,106),(150,133),(289,117),(63,83),(467,134),(24,10),(118,100),(411,36),(174,97),(342,55),(17,19),(47,26),(424,65),(199,84),(474,88),(428,47),(293,19),(153,9),(179,31),(219,45),(297,107),(497,72),(150,103),(350,85),(439,8),(311,124),(136,114),(34,93),(65,103),(206,59),(487,15),(215,108),(178,95),(96,21),(70,17),(204,2),(156,59),(166,9),(412,49),(39,63),(412,109),(188,129),(364,121),(79,42),(6,30),(94,104),(338,74),(223,108),(119,31),(379,105),(365,83),(281,98),(282,127),(63,101),(11,74),(299,106),(209,69),(75,115),(333,119),(199,117),(161,131),(104,60),(418,84),(418,43),(144,63),(319,27),(105,83);
INSERT INTO `users_languages` (`id_users`,`id_languages`) VALUES (374,112),(115,54),(132,87),(416,91),(251,116),(465,90),(348,68),(440,60),(284,88),(1,73),(211,110),(410,78),(9,8),(335,106),(84,119),(130,103),(184,32),(314,54),(134,94),(80,16),(88,126),(287,73),(205,80),(12,125),(151,35),(457,29),(175,89),(325,130),(211,71),(160,106),(423,19),(442,15),(407,104),(441,53),(393,62),(487,82),(269,84),(50,112),(386,128),(360,101),(389,82),(381,44),(164,8),(147,67),(485,125),(4,119),(34,18),(350,64),(381,98),(97,94),(180,67),(124,100),(196,86),(3,125),(349,61),(163,43),(337,80),(136,4),(124,83),(26,95),(44,34),(230,93),(256,121),(359,44),(43,73),(290,134),(194,78),(372,16),(42,135),(120,75),(419,25),(381,28),(67,6),(141,110),(392,66),(151,76),(201,53),(380,61),(78,122),(160,69),(349,41),(467,36),(134,14),(334,98),(13,4),(354,78),(336,64),(220,75),(2,40),(221,14),(140,101),(293,93),(411,15),(453,44),(397,49),(499,45),(161,118),(381,23),(29,29),(176,124);
INSERT INTO `users_languages` (`id_users`,`id_languages`) VALUES (451,19),(22,77),(483,61),(352,12),(257,46),(253,107),(73,19),(471,3),(147,112),(471,48),(484,49),(247,34),(444,12),(220,73),(457,26),(200,41),(146,58),(29,70),(369,100),(29,110),(45,61),(229,101),(159,8),(423,8),(156,56),(298,124),(87,41),(52,65),(130,14),(419,77),(28,135),(387,53),(96,35),(424,95),(214,42),(288,91),(183,2),(404,88),(37,109),(62,53),(339,132),(178,8),(284,10),(435,29),(140,91),(28,40),(54,56),(163,95),(196,15),(144,100),(117,51),(444,73),(279,45),(277,118),(35,13),(338,103),(449,114),(150,24),(191,83),(282,63),(115,129),(52,92),(95,38),(63,47),(430,77),(421,33),(304,74),(12,46),(296,118),(141,44),(284,54),(189,127),(26,101),(414,30),(297,16),(156,3),(145,61),(84,53),(437,81),(172,89),(492,64),(379,10),(381,41),(232,30),(170,102),(2,135),(75,2),(394,5),(208,84),(92,18),(225,10),(163,120),(496,43),(179,11),(315,41),(364,118),(294,111),(89,101),(231,130),(380,57);
INSERT INTO `users_languages` (`id_users`,`id_languages`) VALUES (312,85),(104,43),(64,63),(499,5),(85,24),(347,119),(469,92),(138,125),(370,50),(399,35),(393,132),(33,45),(297,22),(283,82),(63,88),(86,22),(453,129),(369,80),(470,60),(219,66),(303,92),(419,64),(304,69),(455,120),(344,63),(496,55),(103,80),(404,130),(383,90),(53,51),(294,84),(31,59),(277,8),(301,93),(280,125),(13,43),(102,90),(415,99),(312,78),(143,13),(30,9),(27,29),(256,77),(46,43),(397,37),(177,51),(392,48),(77,85),(295,46),(181,45),(399,102),(23,109),(400,16),(208,67),(359,28),(227,129),(438,8),(321,84),(360,75),(5,58),(37,103),(244,125),(69,34),(465,51),(82,64),(463,72),(274,30),(483,108),(28,36),(413,116),(329,40),(77,39),(353,121),(55,11),(335,135),(285,58),(256,31),(460,96),(233,70),(415,10),(401,46),(127,45),(255,19),(149,5),(454,135),(398,130),(11,123),(100,77),(318,62),(213,125),(328,22),(305,132),(375,112),(260,5),(143,8),(23,59),(20,2),(88,25),(54,88),(191,119);
-- 500 LANGUAGES-MEETINGS INPUTS --
INSERT INTO `languages_meetings` (`id_languages`,`id_meetings`) VALUES (124,158),(135,299),(90,223),(45,173),(97,32),(105,250),(38,114),(53,277),(130,207),(120,99),(98,277),(86,272),(31,12),(81,251),(61,265),(42,106),(110,132),(123,232),(7,13),(43,48),(42,243),(32,9),(63,3),(3,219),(132,145),(74,156),(21,80),(24,66),(35,287),(40,252),(110,56),(65,74),(133,237),(127,286),(133,95),(60,14),(127,218),(113,57),(14,41),(100,190),(28,270),(120,258),(87,158),(28,19),(12,158),(131,201),(103,293),(44,294),(94,91),(96,289),(42,201),(68,43),(73,12),(84,192),(91,109),(58,200),(5,177),(67,221),(38,218),(37,173),(16,286),(1,90),(115,3),(54,158),(79,96),(78,177),(61,178),(93,21),(125,234),(54,3),(71,294),(94,294),(13,221),(50,17),(74,16),(8,166),(135,163),(111,99),(69,37),(96,67),(1,151),(32,272),(11,110),(129,174),(67,7),(106,276),(32,297),(48,129),(33,158),(68,228),(28,262),(26,70),(42,119),(55,186),(32,14),(114,10),(52,228),(78,225),(70,50),(34,292);
INSERT INTO `languages_meetings` (`id_languages`,`id_meetings`) VALUES (113,221),(126,149),(29,284),(68,161),(45,63),(26,179),(127,115),(12,192),(33,76),(118,227),(127,63),(106,250),(121,244),(114,278),(87,76),(21,176),(72,188),(36,184),(25,103),(29,273),(85,104),(11,22),(90,196),(128,198),(9,26),(97,200),(40,80),(21,69),(88,294),(80,219),(117,118),(75,199),(46,65),(104,210),(134,29),(107,125),(109,193),(102,104),(135,10),(77,225),(40,197),(51,222),(127,8),(97,138),(125,12),(3,191),(109,217),(100,297),(126,146),(121,66),(40,299),(52,119),(51,63),(53,136),(130,238),(6,93),(76,253),(6,80),(7,80),(100,112),(22,234),(70,20),(26,289),(50,275),(74,154),(46,244),(120,261),(49,83),(120,245),(104,92),(116,117),(83,99),(42,260),(120,297),(13,34),(28,254),(108,293),(133,49),(85,297),(75,232),(98,256),(129,28),(55,94),(76,137),(53,238),(118,40),(53,87),(127,132),(117,162),(107,256),(29,246),(91,90),(102,76),(120,137),(68,85),(67,75),(64,148),(84,151),(86,155),(11,254);
INSERT INTO `languages_meetings` (`id_languages`,`id_meetings`) VALUES (80,225),(124,185),(89,261),(34,285),(108,166),(74,116),(102,63),(121,237),(134,80),(65,149),(46,273),(68,147),(76,11),(78,266),(101,83),(124,28),(57,39),(98,136),(56,215),(118,53),(5,37),(88,211),(94,266),(101,71),(85,195),(73,222),(47,112),(99,125),(130,277),(8,45),(75,112),(111,145),(27,3),(23,252),(96,181),(120,102),(34,231),(17,211),(43,117),(29,230),(86,24),(96,194),(49,84),(135,30),(28,83),(78,29),(31,56),(43,254),(128,150),(52,144),(1,59),(129,61),(133,273),(12,33),(129,254),(49,256),(58,244),(65,72),(109,134),(79,231),(114,145),(32,38),(54,267),(3,6),(107,196),(102,155),(51,300),(24,249),(13,8),(19,263),(75,118),(114,200),(26,204),(72,183),(34,128),(115,73),(69,81),(125,173),(6,189),(109,127),(95,179),(40,205),(66,287),(26,96),(48,130),(119,70),(110,262),(38,89),(58,27),(28,288),(8,43),(95,131),(81,300),(15,187),(69,117),(93,204),(101,267),(35,250),(130,93),(17,136);
INSERT INTO `languages_meetings` (`id_languages`,`id_meetings`) VALUES (26,36),(69,74),(25,197),(132,23),(125,272),(15,2),(2,229),(81,40),(8,209),(58,169),(2,24),(52,56),(125,108),(20,163),(30,161),(89,200),(91,115),(36,148),(28,106),(77,268),(90,85),(110,128),(96,272),(72,276),(5,131),(71,164),(49,267),(56,261),(129,33),(56,79),(43,243),(110,140),(25,13),(12,144),(102,175),(9,14),(37,299),(60,249),(104,26),(49,206),(48,65),(57,5),(115,100),(47,88),(56,207),(44,2),(135,193),(89,144),(88,208),(118,232),(74,242),(135,79),(2,160),(44,142),(5,286),(107,117),(83,131),(3,141),(128,237),(78,135),(69,87),(86,226),(82,140),(106,11),(35,49),(12,147),(18,221),(116,137),(59,152),(68,138),(99,103),(9,170),(72,36),(21,74),(119,135),(130,191),(96,290),(125,156),(99,11),(22,279),(48,60),(44,40),(3,287),(63,193),(132,147),(64,271),(46,99),(78,151),(30,217),(123,199),(23,36),(45,237),(36,57),(46,2),(102,187),(17,154),(116,285),(15,100),(51,246),(20,94);
INSERT INTO `languages_meetings` (`id_languages`,`id_meetings`) VALUES (17,282),(127,92),(102,235),(5,3),(68,244),(51,143),(33,185),(37,53),(76,181),(61,80),(116,251),(99,107),(6,191),(101,115),(18,74),(23,206),(51,130),(80,263),(23,134),(123,10),(96,27),(44,110),(55,254),(11,229),(114,279),(33,51),(129,115),(47,185),(41,51),(58,48),(10,134),(125,262),(97,76),(61,255),(62,165),(75,176),(7,151),(65,38),(108,141),(85,43),(30,81),(100,41),(62,144),(24,100),(48,136),(124,171),(85,284),(35,130),(105,277),(82,223),(100,247),(121,207),(90,3),(124,37),(107,250),(55,233),(92,33),(128,274),(25,251),(35,187),(89,292),(117,92),(19,43),(17,14),(68,70),(37,17),(18,259),(40,101),(100,74),(25,45),(73,231),(35,106),(53,179),(67,121),(90,181),(39,210),(43,88),(12,32),(32,265),(35,51),(77,105),(126,40),(15,198),(3,238),(69,126),(42,135),(38,214),(58,105),(86,157),(60,173),(132,65),(89,80),(61,210),(133,211),(89,85),(125,216),(123,273),(49,254),(3,183),(79,257);
-- 500 USERS-MEETINGS INPUTS --
INSERT INTO `users_meetings` (`id_users`,`id_meetings`) VALUES (390,17),(93,27),(182,129),(38,225),(387,137),(14,267),(146,225),(357,245),(201,203),(440,24),(83,126),(486,287),(457,117),(268,37),(252,211),(488,130),(125,240),(218,210),(292,247),(54,83),(80,99),(18,86),(227,144),(94,4),(352,260),(390,117),(369,41),(447,38),(479,274),(395,43),(300,98),(481,293),(324,86),(8,182),(426,196),(443,111),(64,28),(180,119),(307,91),(96,78),(360,159),(433,3),(1,121),(390,279),(260,214),(119,165),(243,56),(314,176),(368,34),(116,214),(330,81),(245,229),(115,159),(81,179),(281,181),(312,76),(262,115),(352,30),(488,59),(39,266),(420,19),(51,108),(293,256),(317,225),(187,93),(448,40),(129,198),(39,138),(60,99),(224,97),(66,218),(385,71),(122,269),(86,91),(423,214),(27,173),(60,48),(440,172),(400,89),(57,185),(67,58),(396,234),(439,241),(162,121),(219,50),(210,53),(87,130),(150,34),(151,182),(485,180),(160,275),(101,221),(36,176),(74,68),(469,74),(140,90),(215,32),(202,106),(397,267),(125,225);
INSERT INTO `users_meetings` (`id_users`,`id_meetings`) VALUES (360,218),(26,51),(468,118),(110,199),(65,250),(285,221),(288,68),(177,35),(371,251),(150,32),(422,221),(30,197),(256,152),(101,61),(202,277),(89,211),(484,293),(316,273),(339,189),(99,75),(69,210),(431,244),(380,193),(16,263),(71,241),(168,173),(360,178),(130,159),(175,122),(119,263),(281,266),(65,246),(378,260),(51,144),(131,299),(87,85),(77,154),(81,167),(8,113),(425,138),(201,56),(105,92),(376,117),(305,97),(58,211),(107,11),(458,258),(353,158),(427,175),(54,198),(6,163),(140,165),(424,45),(77,162),(284,109),(256,203),(477,34),(231,56),(94,31),(399,40),(64,15),(441,180),(38,99),(185,62),(435,111),(459,124),(235,208),(90,264),(24,287),(105,138),(53,88),(42,121),(209,294),(294,199),(126,151),(316,58),(435,246),(230,292),(86,243),(266,159),(68,88),(418,146),(120,276),(187,73),(69,24),(312,188),(258,242),(424,179),(105,63),(416,148),(436,180),(237,236),(11,297),(144,58),(112,197),(313,178),(6,23),(229,118),(330,289),(216,209);
INSERT INTO `users_meetings` (`id_users`,`id_meetings`) VALUES (300,233),(67,264),(495,58),(301,294),(401,214),(230,252),(150,132),(211,272),(71,68),(99,95),(405,76),(414,58),(338,299),(467,261),(197,122),(453,245),(490,30),(120,182),(128,88),(133,205),(98,107),(399,181),(135,73),(430,241),(69,41),(384,156),(45,106),(316,205),(28,89),(329,209),(136,8),(116,149),(202,23),(261,106),(405,37),(493,231),(344,191),(467,40),(373,262),(101,168),(247,222),(137,15),(402,71),(120,267),(49,195),(404,157),(168,226),(284,148),(138,10),(339,142),(475,270),(45,49),(237,176),(495,116),(480,145),(451,184),(437,125),(146,270),(259,27),(348,264),(136,200),(36,256),(486,2),(243,20),(277,233),(86,112),(20,235),(232,78),(144,145),(382,150),(188,262),(183,223),(493,274),(500,258),(126,14),(381,79),(146,145),(336,58),(73,165),(252,123),(164,245),(274,69),(95,134),(441,215),(89,300),(46,35),(351,50),(202,291),(46,127),(147,146),(491,12),(480,276),(333,268),(493,291),(118,269),(99,11),(313,100),(205,192),(342,228),(185,263);
INSERT INTO `users_meetings` (`id_users`,`id_meetings`) VALUES (153,292),(155,227),(363,26),(268,203),(431,61),(397,207),(334,114),(428,37),(271,194),(15,213),(253,197),(54,37),(360,209),(93,110),(91,39),(63,10),(93,205),(84,221),(412,106),(355,140),(299,50),(408,118),(490,60),(262,33),(231,70),(205,60),(313,33),(63,79),(38,46),(289,238),(224,194),(435,190),(244,72),(464,38),(285,158),(369,208),(312,207),(448,215),(497,109),(361,60),(247,31),(497,37),(54,9),(31,215),(365,108),(115,269),(146,154),(288,274),(5,295),(482,45),(84,197),(141,249),(10,218),(500,272),(27,131),(483,29),(233,131),(85,165),(369,23),(62,172),(500,137),(121,251),(121,143),(9,90),(213,164),(51,157),(385,148),(465,174),(134,232),(90,175),(202,15),(250,264),(73,231),(30,159),(225,98),(375,211),(420,89),(146,49),(168,126),(337,95),(250,206),(420,246),(303,216),(67,118),(472,286),(463,69),(257,134),(195,47),(21,90),(130,40),(376,187),(80,148),(185,295),(432,201),(423,230),(275,240),(460,73),(199,30),(260,253),(25,149);
INSERT INTO `users_meetings` (`id_users`,`id_meetings`) VALUES (169,29),(476,141),(133,170),(116,133),(483,13),(131,203),(47,190),(442,166),(102,261),(144,163),(125,265),(215,62),(497,147),(286,283),(400,49),(183,148),(394,1),(322,238),(253,113),(257,53),(426,244),(138,113),(217,185),(112,297),(298,223),(29,139),(457,159),(104,251),(332,189),(311,185),(155,276),(308,135),(119,46),(244,253),(139,75),(358,109),(331,262),(233,259),(82,234),(211,81),(89,84),(465,157),(495,285),(20,261),(491,89),(451,10),(15,102),(239,54),(137,228),(352,51),(161,249),(254,123),(269,82),(147,206),(182,266),(250,39),(458,207),(224,186),(175,241),(327,258),(452,166),(430,193),(311,182),(270,260),(130,255),(63,98),(424,123),(292,35),(218,122),(165,278),(400,237),(453,75),(153,262),(458,198),(223,239),(300,32),(146,297),(63,111),(325,279),(222,263),(85,37),(475,116),(90,98),(352,74),(177,195),(255,271),(486,142),(331,295),(101,257),(353,270),(162,203),(116,66),(164,155),(79,213),(160,9),(97,210),(399,135),(5,133),(94,66),(225,280);
-- 500 RATINGS INPUT --
INSERT INTO `ratings` (`id`,`stars`,`commentary`,`id_users`,`id_meetings`,`creation_date`,`last_modification`) VALUES (1,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",476,254,"2020-03-15","2020-04-10 07:30:05"),(2,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",96,37,"2020-01-19","2020-04-16 04:09:54"),(3,4,"Lorem ipsum dolor sit",275,30,"2020-03-30","2020-04-01 17:29:40"),(4,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",102,16,"2020-01-08","2020-04-02 05:37:38"),(5,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",246,205,"2020-01-14","2020-04-07 07:38:50"),(6,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",16,92,"2020-04-15","2020-04-03 10:31:13"),(7,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",380,185,"2020-02-18","2020-04-08 05:22:36"),(8,1,"Lorem",139,281,"2020-02-21","2020-04-02 02:52:11"),(9,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",403,59,"2020-02-16","2020-04-02 16:09:36"),(10,5,"Lorem ipsum dolor sit",481,276,"2020-03-16","2020-04-01 07:27:43"),(11,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",67,113,"2020-01-19","2020-04-01 22:45:06"),(12,2,"Lorem ipsum dolor sit amet, consectetuer",117,157,"2020-04-02","2020-04-10 13:12:35"),(13,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing",182,159,"2020-04-09","2020-04-10 09:54:48"),(14,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",173,294,"2020-04-06","2020-04-03 01:05:44"),(15,4,"Lorem ipsum",240,85,"2020-01-20","2020-04-16 00:57:11"),(16,2,"Lorem ipsum",479,195,"2020-01-08","2020-04-14 22:47:12"),(17,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",392,27,"2020-01-28","2020-04-05 11:39:47"),(18,3,"Lorem ipsum dolor sit amet, consectetuer",453,263,"2020-01-29","2020-04-13 10:02:57"),(19,1,"Lorem ipsum",195,88,"2020-02-12","2020-04-11 12:19:08"),(20,4,"Lorem ipsum dolor sit amet,",127,67,"2020-02-12","2020-04-06 13:14:10"),(21,5,"Lorem ipsum",18,7,"2020-04-08","2020-04-12 12:54:35"),(22,2,"Lorem ipsum",314,204,"2020-03-17","2020-04-06 11:06:30"),(23,3,"Lorem ipsum",405,45,"2020-01-30","2020-04-01 00:37:17"),(24,1,"Lorem ipsum dolor sit amet, consectetuer",334,182,"2020-03-09","2020-04-06 13:57:39"),(25,4,"Lorem ipsum",304,15,"2020-02-29","2020-04-02 07:35:03"),(26,4,"Lorem ipsum",269,51,"2020-01-27","2020-04-01 03:30:58"),(27,2,"Lorem ipsum dolor sit",92,166,"2020-03-21","2020-04-05 02:36:59"),(28,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",375,6,"2020-03-07","2020-04-06 22:32:31"),(29,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",4,100,"2020-04-07","2020-04-09 14:01:52"),(30,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",7,154,"2020-01-14","2020-04-03 22:44:06"),(31,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",357,9,"2020-03-13","2020-04-04 16:03:51"),(32,3,"Lorem",377,38,"2020-01-22","2020-04-16 01:24:14"),(33,3,"Lorem ipsum dolor",316,288,"2020-02-09","2020-04-15 13:29:44"),(34,2,"Lorem ipsum dolor",382,11,"2020-03-31","2020-04-04 02:50:09"),(35,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",23,167,"2020-03-07","2020-04-13 07:32:05"),(36,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",369,215,"2020-02-08","2020-04-01 06:12:29"),(37,2,"Lorem ipsum dolor sit amet, consectetuer",480,289,"2020-03-29","2020-04-03 08:09:33"),(38,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",459,238,"2020-04-10","2020-04-10 03:22:24"),(39,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",276,208,"2020-03-18","2020-04-13 23:17:05"),(40,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",95,167,"2020-04-04","2020-04-14 21:03:08"),(41,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",386,8,"2020-01-01","2020-04-03 18:53:25"),(42,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",317,54,"2020-01-26","2020-04-08 14:47:49"),(43,1,"Lorem ipsum dolor sit",24,170,"2020-01-31","2020-04-01 21:06:05"),(44,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",209,83,"2020-02-12","2020-04-04 05:46:32"),(45,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",316,85,"2020-04-09","2020-04-07 02:50:30"),(46,5,"Lorem ipsum",276,27,"2020-02-24","2020-04-10 06:59:11"),(47,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",216,188,"2020-02-12","2020-04-13 19:07:48"),(48,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",323,132,"2020-01-04","2020-04-02 23:01:53"),(49,5,"Lorem",93,26,"2020-03-18","2020-04-07 14:45:04"),(50,3,"Lorem ipsum",211,78,"2020-02-02","2020-04-12 08:09:10"),(51,5,"Lorem ipsum dolor sit",236,167,"2020-01-31","2020-04-14 12:40:21"),(52,4,"Lorem ipsum",360,157,"2020-04-07","2020-04-03 21:33:32"),(53,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",106,71,"2020-01-11","2020-04-02 01:59:47"),(54,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing",403,61,"2020-03-10","2020-04-04 07:01:35"),(55,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",6,245,"2020-02-21","2020-04-12 02:18:16"),(56,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",165,117,"2020-02-24","2020-04-05 09:56:09"),(57,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",9,55,"2020-02-14","2020-04-04 14:27:34"),(58,2,"Lorem ipsum dolor sit",429,48,"2020-02-12","2020-04-07 15:29:55"),(59,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",314,268,"2020-01-22","2020-04-09 11:40:04"),(60,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",63,281,"2020-03-30","2020-04-06 11:44:54"),(61,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",50,242,"2020-01-01","2020-04-11 02:05:52"),(62,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",318,260,"2020-04-12","2020-04-10 09:14:57"),(63,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",155,206,"2020-03-03","2020-04-09 15:34:10"),(64,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",64,71,"2020-04-15","2020-04-13 23:41:36"),(65,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",409,165,"2020-03-12","2020-04-16 11:25:19"),(66,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",393,139,"2020-01-11","2020-04-07 15:33:04"),(67,3,"Lorem ipsum dolor",178,2,"2020-04-10","2020-04-15 16:36:55"),(68,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",198,254,"2020-03-12","2020-04-10 13:21:01"),(69,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",310,98,"2020-03-01","2020-04-04 13:51:24"),(70,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",409,159,"2020-03-16","2020-04-10 23:36:01"),(71,4,"Lorem ipsum dolor sit",181,159,"2020-04-08","2020-04-08 01:21:01"),(72,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",206,47,"2020-03-27","2020-04-10 02:16:23"),(73,1,"Lorem ipsum",136,150,"2020-01-28","2020-04-13 06:16:50"),(74,5,"Lorem ipsum dolor sit amet, consectetuer",138,50,"2020-03-06","2020-04-14 01:00:15"),(75,3,"Lorem ipsum",222,170,"2020-01-22","2020-04-02 01:53:29"),(76,3,"Lorem ipsum dolor sit",285,125,"2020-02-08","2020-04-02 23:08:00"),(77,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",279,88,"2020-03-30","2020-04-02 22:33:31"),(78,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",183,124,"2020-01-23","2020-04-05 23:56:27"),(79,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing",372,106,"2020-02-18","2020-04-11 02:21:43"),(80,4,"Lorem ipsum",234,37,"2020-01-26","2020-04-03 03:54:54"),(81,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",316,8,"2020-03-03","2020-04-01 05:58:37"),(82,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",207,295,"2020-03-10","2020-04-01 19:35:32"),(83,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",349,293,"2020-02-23","2020-04-05 12:31:42"),(84,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",445,12,"2020-01-19","2020-04-10 13:07:24"),(85,4,"Lorem ipsum dolor sit amet, consectetuer",197,262,"2020-02-20","2020-04-13 01:16:30"),(86,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",434,47,"2020-01-18","2020-04-05 01:10:08"),(87,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",36,136,"2020-01-28","2020-04-06 15:43:14"),(88,2,"Lorem ipsum dolor",424,63,"2020-02-06","2020-04-05 11:40:24"),(89,3,"Lorem ipsum dolor",214,60,"2020-03-14","2020-04-13 05:22:17"),(90,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",98,285,"2020-01-11","2020-04-16 04:05:50"),(91,1,"Lorem ipsum dolor sit",103,245,"2020-03-21","2020-04-05 13:58:35"),(92,5,"Lorem ipsum dolor sit amet, consectetuer",116,155,"2020-01-14","2020-04-01 10:24:15"),(93,2,"Lorem ipsum dolor sit amet, consectetuer",372,22,"2020-02-25","2020-04-10 02:55:23"),(94,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",158,126,"2020-02-11","2020-04-09 21:38:32"),(95,5,"Lorem ipsum dolor sit amet,",479,152,"2020-02-22","2020-04-01 10:24:06"),(96,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",118,146,"2020-04-13","2020-04-14 08:22:20"),(97,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",121,161,"2020-03-23","2020-04-16 18:50:33"),(98,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",451,210,"2020-03-01","2020-04-05 12:41:15"),(99,3,"Lorem ipsum dolor sit amet, consectetuer",91,211,"2020-04-06","2020-04-12 00:29:51"),(100,3,"Lorem",423,39,"2020-02-11","2020-04-08 18:36:46");
INSERT INTO `ratings` (`id`,`stars`,`commentary`,`id_users`,`id_meetings`,`creation_date`,`last_modification`) VALUES (101,3,"Lorem ipsum dolor",446,177,"2020-02-20","2020-04-10 23:14:38"),(102,1,"Lorem ipsum dolor",349,125,"2020-04-15","2020-04-15 22:36:35"),(103,3,"Lorem ipsum dolor sit",122,33,"2020-04-13","2020-04-08 03:51:06"),(104,4,"Lorem ipsum dolor",177,49,"2020-04-10","2020-04-05 07:55:21"),(105,3,"Lorem ipsum",234,283,"2020-03-12","2020-04-10 23:38:38"),(106,3,"Lorem ipsum dolor",37,82,"2020-04-03","2020-04-07 07:08:47"),(107,4,"Lorem",477,236,"2020-02-18","2020-04-06 03:49:51"),(108,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",442,204,"2020-03-22","2020-04-04 07:29:32"),(109,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",79,239,"2020-02-18","2020-04-10 08:01:14"),(110,5,"Lorem",39,113,"2020-04-10","2020-04-08 06:50:53"),(111,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing",290,142,"2020-01-30","2020-04-02 08:19:41"),(112,1,"Lorem ipsum",53,20,"2020-04-06","2020-04-13 20:14:00"),(113,2,"Lorem ipsum dolor",191,199,"2020-01-08","2020-04-09 04:04:34"),(114,1,"Lorem ipsum dolor sit amet, consectetuer",481,129,"2020-01-05","2020-04-13 15:10:03"),(115,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",119,148,"2020-02-21","2020-04-02 05:37:19"),(116,5,"Lorem ipsum",281,235,"2020-02-14","2020-04-06 07:45:25"),(117,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",80,271,"2020-02-05","2020-04-13 01:10:30"),(118,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",129,121,"2020-01-10","2020-04-16 15:39:59"),(119,2,"Lorem",236,280,"2020-02-09","2020-04-08 03:12:03"),(120,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",377,44,"2020-02-01","2020-04-15 11:13:42"),(121,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",478,102,"2020-01-18","2020-04-07 18:09:47"),(122,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",281,225,"2020-02-26","2020-04-09 21:41:44"),(123,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",182,198,"2020-04-11","2020-04-11 10:02:32"),(124,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",37,68,"2020-03-24","2020-04-04 08:02:32"),(125,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",317,81,"2020-03-16","2020-04-11 20:16:50"),(126,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",388,39,"2020-02-16","2020-04-02 11:36:54"),(127,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",444,33,"2020-01-09","2020-04-16 00:02:41"),(128,3,"Lorem ipsum dolor sit amet,",264,152,"2020-01-04","2020-04-05 23:19:33"),(129,2,"Lorem ipsum",105,65,"2020-01-15","2020-04-06 15:41:30"),(130,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",127,60,"2020-01-26","2020-04-10 20:08:28"),(131,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing",213,130,"2020-01-23","2020-04-04 01:09:12"),(132,3,"Lorem ipsum",215,69,"2020-03-03","2020-04-15 13:28:04"),(133,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",416,82,"2020-03-03","2020-04-15 15:10:05"),(134,5,"Lorem ipsum dolor sit amet, consectetuer",404,96,"2020-04-04","2020-04-12 21:08:48"),(135,3,"Lorem ipsum",297,168,"2020-01-20","2020-04-05 19:33:45"),(136,3,"Lorem ipsum dolor sit amet,",27,50,"2020-03-31","2020-04-12 06:17:32"),(137,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",347,139,"2020-04-08","2020-04-11 13:33:09"),(138,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",337,32,"2020-01-02","2020-04-10 20:54:36"),(139,5,"Lorem",36,279,"2020-01-22","2020-04-09 12:25:13"),(140,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",282,227,"2020-04-04","2020-04-10 09:16:27"),(141,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",288,252,"2020-02-12","2020-04-05 02:07:38"),(142,2,"Lorem ipsum dolor",182,36,"2020-04-15","2020-04-16 15:20:11"),(143,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",363,41,"2020-04-05","2020-04-01 00:26:53"),(144,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",431,187,"2020-03-21","2020-04-03 00:35:30"),(145,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",236,169,"2020-03-20","2020-04-16 18:26:07"),(146,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",417,199,"2020-02-07","2020-04-15 10:39:10"),(147,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",16,166,"2020-03-14","2020-04-02 08:26:47"),(148,1,"Lorem",405,202,"2020-02-28","2020-04-14 04:50:32"),(149,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing",209,215,"2020-01-20","2020-04-13 19:15:19"),(150,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",339,45,"2020-03-02","2020-04-09 13:34:58"),(151,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",158,226,"2020-03-31","2020-04-03 22:43:47"),(152,5,"Lorem ipsum dolor",482,265,"2020-03-21","2020-04-02 23:04:28"),(153,2,"Lorem ipsum dolor",477,284,"2020-03-17","2020-04-07 11:37:45"),(154,3,"Lorem",399,122,"2020-03-19","2020-04-08 01:38:13"),(155,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing",123,18,"2020-03-09","2020-04-13 09:26:58"),(156,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",371,180,"2020-02-06","2020-04-03 00:38:12"),(157,4,"Lorem ipsum",493,254,"2020-03-27","2020-04-01 12:04:27"),(158,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",162,56,"2020-02-06","2020-04-08 21:40:24"),(159,2,"Lorem ipsum",129,66,"2020-02-22","2020-04-10 22:43:57"),(160,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",338,241,"2020-02-12","2020-04-02 01:15:21"),(161,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",354,193,"2020-02-04","2020-04-11 10:30:03"),(162,3,"Lorem ipsum dolor sit",74,262,"2020-03-26","2020-04-08 21:26:26"),(163,1,"Lorem ipsum dolor",467,100,"2020-02-29","2020-04-03 15:15:24"),(164,2,"Lorem",487,231,"2020-01-29","2020-04-12 02:15:07"),(165,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",202,168,"2020-04-15","2020-04-05 14:01:21"),(166,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing",179,210,"2020-01-30","2020-04-10 09:06:18"),(167,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing",456,261,"2020-02-24","2020-04-12 20:54:26"),(168,3,"Lorem ipsum dolor",148,129,"2020-01-23","2020-04-16 21:33:02"),(169,5,"Lorem ipsum dolor sit",103,277,"2020-03-14","2020-04-09 18:31:59"),(170,2,"Lorem ipsum dolor sit amet,",61,123,"2020-01-19","2020-04-10 04:20:58"),(171,4,"Lorem ipsum",75,109,"2020-02-13","2020-04-14 01:30:12"),(172,1,"Lorem ipsum dolor",96,40,"2020-01-09","2020-04-10 19:38:08"),(173,3,"Lorem",219,177,"2020-04-05","2020-04-12 09:28:06"),(174,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",1,224,"2020-01-26","2020-04-09 22:00:22"),(175,2,"Lorem",10,242,"2020-01-23","2020-04-08 19:48:04"),(176,3,"Lorem ipsum dolor sit",114,222,"2020-02-12","2020-04-11 10:22:04"),(177,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",362,60,"2020-02-15","2020-04-09 04:01:35"),(178,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing",493,173,"2020-02-02","2020-04-10 13:33:59"),(179,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",11,248,"2020-03-15","2020-04-11 04:31:46"),(180,2,"Lorem ipsum dolor sit amet, consectetuer",452,13,"2020-04-07","2020-04-02 10:55:00"),(181,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing",342,92,"2020-04-13","2020-04-11 15:37:10"),(182,4,"Lorem ipsum dolor",352,75,"2020-01-05","2020-04-15 16:50:07"),(183,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",188,3,"2020-03-15","2020-04-10 03:19:10"),(184,3,"Lorem",121,175,"2020-01-17","2020-04-13 03:31:04"),(185,3,"Lorem ipsum",303,130,"2020-02-20","2020-04-04 18:10:03"),(186,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",464,175,"2020-03-19","2020-04-07 06:34:33"),(187,5,"Lorem ipsum",49,228,"2020-02-29","2020-04-03 03:10:42"),(188,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",453,14,"2020-01-20","2020-04-07 04:27:40"),(189,4,"Lorem ipsum dolor sit amet, consectetuer",166,204,"2020-04-06","2020-04-11 11:09:15"),(190,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",73,270,"2020-01-27","2020-04-11 11:20:01"),(191,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing",40,25,"2020-01-30","2020-04-10 02:21:32"),(192,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",99,169,"2020-03-24","2020-04-04 08:28:38"),(193,4,"Lorem ipsum dolor sit amet, consectetuer",77,114,"2020-04-12","2020-04-03 01:37:13"),(194,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",82,229,"2020-04-05","2020-04-03 21:38:25"),(195,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",173,280,"2020-01-30","2020-04-14 12:33:51"),(196,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",385,137,"2020-01-17","2020-04-13 16:17:43"),(197,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",497,20,"2020-01-22","2020-04-06 14:26:39"),(198,1,"Lorem ipsum dolor sit",77,84,"2020-01-10","2020-04-08 19:22:08"),(199,5,"Lorem ipsum dolor",360,289,"2020-01-07","2020-04-09 00:56:35"),(200,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",125,230,"2020-04-12","2020-04-06 23:55:06");
INSERT INTO `ratings` (`id`,`stars`,`commentary`,`id_users`,`id_meetings`,`creation_date`,`last_modification`) VALUES (201,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",459,142,"2020-01-26","2020-04-03 01:37:30"),(202,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",426,181,"2020-01-13","2020-04-13 20:36:47"),(203,4,"Lorem ipsum dolor",247,281,"2020-02-08","2020-04-12 23:23:14"),(204,3,"Lorem ipsum",112,171,"2020-04-15","2020-04-01 17:03:54"),(205,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",362,191,"2020-02-21","2020-04-01 02:27:36"),(206,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",374,75,"2020-04-09","2020-04-05 07:55:13"),(207,3,"Lorem ipsum dolor sit amet,",239,140,"2020-03-03","2020-04-16 21:55:53"),(208,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing",305,21,"2020-01-08","2020-04-14 04:56:09"),(209,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",365,133,"2020-03-22","2020-04-14 01:43:07"),(210,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",452,229,"2020-04-12","2020-04-03 11:25:00"),(211,5,"Lorem ipsum dolor sit amet, consectetuer",329,229,"2020-02-28","2020-04-07 14:33:31"),(212,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",156,93,"2020-01-23","2020-04-08 19:34:30"),(213,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",40,88,"2020-02-24","2020-04-10 18:14:07"),(214,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",78,170,"2020-03-25","2020-04-01 05:23:19"),(215,2,"Lorem ipsum dolor sit amet,",493,217,"2020-02-28","2020-04-08 18:52:23"),(216,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",481,283,"2020-01-27","2020-04-05 21:11:54"),(217,3,"Lorem",169,10,"2020-04-12","2020-04-13 06:07:20"),(218,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",208,291,"2020-02-20","2020-04-12 16:33:49"),(219,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",348,218,"2020-02-27","2020-04-15 10:33:25"),(220,3,"Lorem ipsum",64,233,"2020-01-16","2020-04-07 06:58:24"),(221,4,"Lorem",468,77,"2020-04-07","2020-04-03 08:42:42"),(222,3,"Lorem ipsum dolor sit",14,96,"2020-01-10","2020-04-01 19:01:53"),(223,4,"Lorem",425,154,"2020-04-04","2020-04-16 09:08:58"),(224,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",113,181,"2020-01-15","2020-04-12 17:56:48"),(225,5,"Lorem ipsum dolor sit amet,",422,278,"2020-02-01","2020-04-10 03:16:57"),(226,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing",119,172,"2020-01-23","2020-04-14 21:03:35"),(227,3,"Lorem ipsum dolor",111,33,"2020-02-20","2020-04-15 07:42:57"),(228,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",372,249,"2020-01-27","2020-04-08 12:31:43"),(229,1,"Lorem ipsum dolor sit amet,",50,268,"2020-02-15","2020-04-12 23:12:11"),(230,2,"Lorem ipsum dolor sit amet,",412,66,"2020-04-01","2020-04-03 19:46:56"),(231,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",320,219,"2020-01-22","2020-04-02 23:29:22"),(232,5,"Lorem ipsum dolor sit",181,177,"2020-02-25","2020-04-14 19:23:06"),(233,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",304,223,"2020-04-06","2020-04-02 11:49:18"),(234,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",130,106,"2020-01-16","2020-04-08 17:51:35"),(235,5,"Lorem ipsum",399,213,"2020-04-08","2020-04-11 15:36:24"),(236,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",488,121,"2020-01-13","2020-04-01 23:21:31"),(237,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",100,17,"2020-03-07","2020-04-16 05:40:33"),(238,5,"Lorem ipsum dolor",365,256,"2020-01-18","2020-04-08 02:16:23"),(239,1,"Lorem ipsum dolor sit amet, consectetuer",257,190,"2020-04-14","2020-04-09 15:02:00"),(240,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",347,157,"2020-01-25","2020-04-16 11:28:19"),(241,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing",1,112,"2020-03-01","2020-04-03 17:48:39"),(242,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",255,144,"2020-02-03","2020-04-01 12:17:01"),(243,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing",176,230,"2020-02-20","2020-04-03 18:59:52"),(244,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",219,53,"2020-03-18","2020-04-16 12:22:12"),(245,1,"Lorem ipsum dolor sit amet,",123,108,"2020-03-13","2020-04-11 01:09:53"),(246,1,"Lorem ipsum dolor sit amet,",141,170,"2020-03-08","2020-04-07 09:48:05"),(247,2,"Lorem ipsum dolor sit amet, consectetuer",278,58,"2020-03-03","2020-04-03 03:49:23"),(248,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",63,56,"2020-02-13","2020-04-16 17:55:08"),(249,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",416,299,"2020-02-17","2020-04-14 16:56:18"),(250,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",262,42,"2020-04-08","2020-04-03 07:52:49"),(251,4,"Lorem ipsum",488,156,"2020-01-19","2020-04-06 07:34:40"),(252,3,"Lorem",321,153,"2020-03-11","2020-04-08 17:44:11"),(253,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",319,203,"2020-02-14","2020-04-03 00:33:39"),(254,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",287,17,"2020-03-21","2020-04-11 20:52:05"),(255,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",60,207,"2020-04-15","2020-04-02 08:40:36"),(256,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing",167,212,"2020-03-28","2020-04-12 17:44:57"),(257,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",45,102,"2020-04-05","2020-04-07 04:37:15"),(258,1,"Lorem ipsum",299,226,"2020-04-03","2020-04-13 12:22:09"),(259,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",71,75,"2020-03-12","2020-04-15 22:02:17"),(260,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",286,279,"2020-02-23","2020-04-02 10:43:24"),(261,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing",160,6,"2020-03-29","2020-04-04 15:21:15"),(262,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",295,78,"2020-02-07","2020-04-08 08:19:11"),(263,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",77,135,"2020-01-27","2020-04-02 20:23:24"),(264,5,"Lorem ipsum dolor sit amet, consectetuer",156,264,"2020-03-09","2020-04-16 16:09:56"),(265,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",222,86,"2020-01-15","2020-04-11 00:34:45"),(266,5,"Lorem ipsum dolor sit amet,",306,98,"2020-03-12","2020-04-02 02:17:30"),(267,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",136,6,"2020-03-13","2020-04-08 16:18:23"),(268,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",263,283,"2020-02-21","2020-04-15 05:56:28"),(269,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",353,224,"2020-01-06","2020-04-06 05:03:40"),(270,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",4,29,"2020-01-26","2020-04-05 15:11:44"),(271,2,"Lorem ipsum dolor sit",284,74,"2020-01-01","2020-04-05 13:35:53"),(272,2,"Lorem ipsum dolor sit amet,",98,296,"2020-02-05","2020-04-14 22:36:04"),(273,2,"Lorem ipsum",440,134,"2020-03-31","2020-04-11 23:37:40"),(274,5,"Lorem",364,178,"2020-01-07","2020-04-15 05:43:33"),(275,3,"Lorem ipsum",190,253,"2020-04-03","2020-04-12 03:03:10"),(276,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",246,237,"2020-01-30","2020-04-06 02:31:41"),(277,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",124,60,"2020-01-07","2020-04-14 16:17:32"),(278,4,"Lorem ipsum dolor sit",232,161,"2020-01-11","2020-04-12 02:50:32"),(279,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",482,224,"2020-02-20","2020-04-10 21:39:27"),(280,4,"Lorem ipsum dolor",433,2,"2020-01-17","2020-04-04 17:54:06"),(281,3,"Lorem ipsum dolor sit amet, consectetuer",113,289,"2020-02-11","2020-04-14 05:33:49"),(282,4,"Lorem",385,295,"2020-02-19","2020-04-06 20:42:26"),(283,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",448,128,"2020-02-06","2020-04-06 07:07:36"),(284,4,"Lorem ipsum dolor sit",74,165,"2020-04-15","2020-04-02 12:16:33"),(285,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",368,133,"2020-04-04","2020-04-01 19:03:35"),(286,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",435,222,"2020-03-24","2020-04-15 07:53:30"),(287,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",310,64,"2020-03-22","2020-04-14 14:08:09"),(288,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",53,39,"2020-01-08","2020-04-11 11:46:58"),(289,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",488,135,"2020-01-12","2020-04-15 07:55:01"),(290,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",407,46,"2020-03-01","2020-04-06 18:15:42"),(291,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing",412,219,"2020-01-23","2020-04-05 08:46:15"),(292,5,"Lorem ipsum dolor sit",211,187,"2020-02-20","2020-04-16 18:59:58"),(293,3,"Lorem ipsum dolor sit amet,",130,186,"2020-03-05","2020-04-14 08:33:04"),(294,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",410,174,"2020-03-17","2020-04-06 01:48:32"),(295,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",34,123,"2020-02-06","2020-04-14 13:02:27"),(296,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",291,120,"2020-03-28","2020-04-12 18:09:28"),(297,4,"Lorem ipsum dolor sit amet,",201,219,"2020-01-02","2020-04-08 07:17:31"),(298,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",465,145,"2020-04-10","2020-04-04 15:47:57"),(299,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",337,41,"2020-01-20","2020-04-12 17:10:20"),(300,1,"Lorem",256,30,"2020-03-14","2020-04-11 13:39:22");
INSERT INTO `ratings` (`id`,`stars`,`commentary`,`id_users`,`id_meetings`,`creation_date`,`last_modification`) VALUES (301,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",343,123,"2020-01-12","2020-04-09 06:03:28"),(302,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing",79,127,"2020-02-05","2020-04-08 15:58:05"),(303,4,"Lorem ipsum dolor sit amet, consectetuer",281,136,"2020-04-03","2020-04-09 23:17:59"),(304,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",412,244,"2020-04-04","2020-04-10 11:00:57"),(305,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",194,232,"2020-01-17","2020-04-01 00:59:03"),(306,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",287,241,"2020-03-14","2020-04-06 22:00:22"),(307,1,"Lorem ipsum dolor sit amet, consectetuer",75,69,"2020-01-08","2020-04-15 02:03:04"),(308,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing",457,253,"2020-03-08","2020-04-01 13:58:58"),(309,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing",321,86,"2020-03-25","2020-04-07 18:02:15"),(310,3,"Lorem ipsum dolor sit",60,243,"2020-03-16","2020-04-15 01:20:06"),(311,4,"Lorem ipsum dolor sit amet, consectetuer",134,173,"2020-02-18","2020-04-16 03:08:34"),(312,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",122,235,"2020-01-07","2020-04-08 17:07:24"),(313,5,"Lorem",339,293,"2020-04-05","2020-04-16 05:27:26"),(314,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",424,167,"2020-04-04","2020-04-02 16:47:19"),(315,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",339,243,"2020-04-14","2020-04-12 13:20:48"),(316,5,"Lorem ipsum",104,170,"2020-01-07","2020-04-16 23:49:59"),(317,4,"Lorem ipsum dolor sit",52,184,"2020-04-11","2020-04-14 13:35:19"),(318,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",475,138,"2020-01-13","2020-04-01 01:13:52"),(319,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",483,156,"2020-01-09","2020-04-02 16:13:50"),(320,2,"Lorem ipsum dolor sit amet,",362,140,"2020-01-23","2020-04-01 15:06:16"),(321,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",300,77,"2020-04-14","2020-04-01 15:22:28"),(322,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",17,277,"2020-01-16","2020-04-01 08:32:08"),(323,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",329,59,"2020-03-17","2020-04-16 04:08:26"),(324,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",272,143,"2020-02-23","2020-04-10 06:59:57"),(325,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",45,255,"2020-03-31","2020-04-02 21:26:16"),(326,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",298,19,"2020-02-15","2020-04-07 13:51:14"),(327,1,"Lorem ipsum dolor sit",352,274,"2020-01-28","2020-04-05 23:44:59"),(328,2,"Lorem",284,295,"2020-03-03","2020-04-14 07:40:06"),(329,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",453,18,"2020-01-31","2020-04-03 08:00:33"),(330,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",336,104,"2020-01-25","2020-04-04 00:53:35"),(331,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",369,110,"2020-02-08","2020-04-05 18:23:39"),(332,5,"Lorem ipsum",323,35,"2020-04-15","2020-04-05 07:08:43"),(333,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",32,208,"2020-03-17","2020-04-02 01:19:26"),(334,1,"Lorem ipsum dolor sit",243,25,"2020-01-02","2020-04-04 18:13:23"),(335,4,"Lorem",130,226,"2020-03-10","2020-04-02 11:18:34"),(336,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",429,95,"2020-03-14","2020-04-12 20:40:04"),(337,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing",262,55,"2020-02-29","2020-04-14 15:50:53"),(338,2,"Lorem ipsum dolor",338,38,"2020-01-20","2020-04-11 22:41:00"),(339,3,"Lorem ipsum dolor",295,143,"2020-03-06","2020-04-08 05:10:43"),(340,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",114,197,"2020-03-16","2020-04-08 04:07:28"),(341,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",267,199,"2020-02-09","2020-04-01 00:13:28"),(342,5,"Lorem ipsum dolor",373,218,"2020-04-08","2020-04-01 01:46:35"),(343,2,"Lorem ipsum",251,220,"2020-02-02","2020-04-09 07:44:57"),(344,2,"Lorem ipsum",69,65,"2020-03-11","2020-04-08 17:50:53"),(345,2,"Lorem ipsum",36,244,"2020-03-15","2020-04-06 04:37:09"),(346,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",336,248,"2020-01-11","2020-04-14 03:10:36"),(347,5,"Lorem ipsum dolor sit amet, consectetuer",198,261,"2020-01-09","2020-04-10 11:27:01"),(348,3,"Lorem ipsum dolor sit amet,",245,47,"2020-01-26","2020-04-02 19:42:03"),(349,1,"Lorem",147,83,"2020-01-21","2020-04-08 07:30:47"),(350,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",350,248,"2020-01-18","2020-04-15 01:09:30"),(351,1,"Lorem ipsum dolor sit",358,216,"2020-03-14","2020-04-02 17:01:38"),(352,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",297,278,"2020-02-16","2020-04-09 08:23:45"),(353,2,"Lorem ipsum dolor",449,295,"2020-04-05","2020-04-05 05:55:29"),(354,1,"Lorem ipsum dolor sit amet,",187,163,"2020-02-11","2020-04-07 10:59:35"),(355,1,"Lorem ipsum dolor sit",340,111,"2020-02-15","2020-04-06 20:50:58"),(356,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",414,106,"2020-02-11","2020-04-13 05:34:38"),(357,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",345,154,"2020-02-06","2020-04-13 19:15:23"),(358,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",408,66,"2020-02-14","2020-04-07 04:39:22"),(359,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",110,70,"2020-04-06","2020-04-05 17:51:41"),(360,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",117,161,"2020-02-14","2020-04-06 00:23:30"),(361,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",390,166,"2020-03-31","2020-04-02 06:32:24"),(362,4,"Lorem",174,4,"2020-03-13","2020-04-08 20:08:59"),(363,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",108,29,"2020-02-13","2020-04-05 19:53:32"),(364,3,"Lorem",233,69,"2020-02-03","2020-04-02 14:25:18"),(365,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing",399,52,"2020-03-09","2020-04-07 02:04:10"),(366,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",17,277,"2020-03-03","2020-04-03 22:14:10"),(367,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",393,65,"2020-04-03","2020-04-10 08:47:48"),(368,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",68,298,"2020-02-04","2020-04-12 02:58:21"),(369,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",359,169,"2020-01-07","2020-04-02 01:18:02"),(370,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing",283,242,"2020-02-08","2020-04-08 05:04:01"),(371,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",352,250,"2020-01-11","2020-04-04 09:41:48"),(372,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",433,197,"2020-02-23","2020-04-12 06:36:59"),(373,3,"Lorem ipsum dolor sit amet,",76,113,"2020-01-20","2020-04-15 15:44:27"),(374,1,"Lorem ipsum dolor",290,6,"2020-01-08","2020-04-10 05:56:24"),(375,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing",481,105,"2020-01-26","2020-04-14 09:33:41"),(376,1,"Lorem ipsum dolor",430,158,"2020-02-09","2020-04-13 03:58:33"),(377,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",160,78,"2020-02-20","2020-04-16 13:58:16"),(378,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",194,212,"2020-02-07","2020-04-06 20:29:07"),(379,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",319,256,"2020-02-05","2020-04-16 17:08:35"),(380,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",399,58,"2020-01-29","2020-04-13 11:31:18"),(381,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",368,274,"2020-01-26","2020-04-05 11:52:00"),(382,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",178,163,"2020-01-11","2020-04-12 22:12:14"),(383,1,"Lorem ipsum dolor sit amet, consectetuer",244,132,"2020-03-06","2020-04-16 07:49:22"),(384,5,"Lorem ipsum dolor",250,14,"2020-01-21","2020-04-11 17:10:39"),(385,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",279,120,"2020-03-07","2020-04-11 12:31:18"),(386,1,"Lorem ipsum dolor sit amet,",341,174,"2020-02-09","2020-04-09 04:03:21"),(387,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing",293,78,"2020-04-02","2020-04-04 22:06:18"),(388,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",151,280,"2020-02-21","2020-04-05 00:09:44"),(389,3,"Lorem ipsum dolor",372,203,"2020-01-22","2020-04-16 22:50:03"),(390,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",429,97,"2020-03-05","2020-04-12 01:09:43"),(391,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",25,273,"2020-03-13","2020-04-04 14:34:56"),(392,1,"Lorem ipsum",101,126,"2020-03-25","2020-04-13 17:49:16"),(393,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",257,81,"2020-04-13","2020-04-06 06:53:59"),(394,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",499,211,"2020-01-26","2020-04-06 16:35:11"),(395,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",176,57,"2020-02-27","2020-04-16 08:09:09"),(396,4,"Lorem",495,22,"2020-04-04","2020-04-10 01:31:16"),(397,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",249,52,"2020-01-11","2020-04-13 16:28:11"),(398,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",377,193,"2020-02-29","2020-04-09 01:28:24"),(399,2,"Lorem ipsum dolor sit amet,",203,39,"2020-03-05","2020-04-14 21:35:10"),(400,1,"Lorem ipsum dolor",237,60,"2020-02-18","2020-04-16 16:13:29");
INSERT INTO `ratings` (`id`,`stars`,`commentary`,`id_users`,`id_meetings`,`creation_date`,`last_modification`) VALUES (401,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",39,123,"2020-03-05","2020-04-12 11:35:56"),(402,3,"Lorem ipsum dolor sit",475,89,"2020-01-30","2020-04-01 03:46:58"),(403,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",297,22,"2020-01-02","2020-04-08 15:59:12"),(404,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",453,13,"2020-01-19","2020-04-02 15:49:41"),(405,3,"Lorem ipsum",88,104,"2020-03-17","2020-04-11 14:44:43"),(406,3,"Lorem ipsum dolor sit amet,",116,160,"2020-02-06","2020-04-08 21:04:20"),(407,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",425,151,"2020-03-12","2020-04-13 21:05:48"),(408,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",344,186,"2020-03-12","2020-04-01 21:23:22"),(409,3,"Lorem ipsum dolor sit amet,",360,22,"2020-01-25","2020-04-02 06:07:30"),(410,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",175,180,"2020-03-09","2020-04-07 13:39:49"),(411,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",409,60,"2020-03-06","2020-04-06 20:51:43"),(412,4,"Lorem ipsum dolor",21,271,"2020-03-24","2020-04-11 08:07:57"),(413,4,"Lorem ipsum dolor sit amet, consectetuer",470,62,"2020-03-17","2020-04-13 11:10:52"),(414,1,"Lorem",205,291,"2020-03-11","2020-04-12 04:03:55"),(415,3,"Lorem ipsum dolor sit amet, consectetuer",147,101,"2020-03-14","2020-04-15 00:04:55"),(416,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",167,241,"2020-02-03","2020-04-12 05:00:04"),(417,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",87,299,"2020-02-09","2020-04-10 11:25:21"),(418,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",452,47,"2020-01-14","2020-04-14 19:14:48"),(419,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing",320,109,"2020-02-04","2020-04-03 07:57:57"),(420,1,"Lorem ipsum",225,184,"2020-03-12","2020-04-11 21:30:31"),(421,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",218,211,"2020-03-21","2020-04-06 08:45:37"),(422,5,"Lorem ipsum dolor sit",51,181,"2020-02-17","2020-04-05 02:48:23"),(423,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",436,3,"2020-02-05","2020-04-15 22:00:36"),(424,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",354,115,"2020-04-15","2020-04-16 02:48:16"),(425,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",336,219,"2020-03-15","2020-04-15 21:20:34"),(426,5,"Lorem ipsum dolor sit amet,",88,255,"2020-03-21","2020-04-08 11:45:08"),(427,2,"Lorem ipsum",299,277,"2020-03-02","2020-04-05 13:49:32"),(428,4,"Lorem ipsum dolor",208,204,"2020-04-07","2020-04-03 20:08:53"),(429,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",106,41,"2020-02-11","2020-04-07 03:28:49"),(430,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing",167,202,"2020-04-12","2020-04-11 15:47:40"),(431,1,"Lorem ipsum dolor sit",345,126,"2020-01-31","2020-04-11 06:43:24"),(432,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",172,119,"2020-04-06","2020-04-06 03:58:10"),(433,4,"Lorem ipsum dolor sit",50,197,"2020-01-17","2020-04-06 03:54:51"),(434,3,"Lorem ipsum dolor",255,174,"2020-03-26","2020-04-07 05:57:05"),(435,3,"Lorem ipsum dolor sit amet,",72,41,"2020-02-06","2020-04-02 06:32:40"),(436,1,"Lorem ipsum dolor sit amet, consectetuer",152,173,"2020-03-05","2020-04-03 07:26:46"),(437,5,"Lorem ipsum dolor",102,237,"2020-03-25","2020-04-01 08:07:20"),(438,3,"Lorem",441,191,"2020-01-02","2020-04-09 00:45:50"),(439,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",354,219,"2020-02-22","2020-04-12 10:23:49"),(440,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",330,173,"2020-02-16","2020-04-02 05:31:34"),(441,5,"Lorem ipsum",360,236,"2020-01-26","2020-04-12 03:10:09"),(442,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",173,112,"2020-01-30","2020-04-07 21:11:59"),(443,5,"Lorem ipsum dolor sit",241,62,"2020-03-05","2020-04-01 20:43:10"),(444,2,"Lorem",35,241,"2020-02-24","2020-04-14 11:28:42"),(445,2,"Lorem ipsum dolor sit amet, consectetuer",160,203,"2020-01-30","2020-04-11 07:37:15"),(446,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing",264,126,"2020-04-08","2020-04-04 18:40:50"),(447,5,"Lorem ipsum dolor",139,95,"2020-02-05","2020-04-08 13:16:33"),(448,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",441,86,"2020-03-02","2020-04-11 22:33:12"),(449,1,"Lorem ipsum dolor",38,129,"2020-02-02","2020-04-11 10:10:20"),(450,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",491,279,"2020-03-30","2020-04-09 16:54:18"),(451,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",148,295,"2020-03-24","2020-04-02 10:11:32"),(452,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",52,47,"2020-03-13","2020-04-04 03:51:27"),(453,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",181,280,"2020-04-06","2020-04-10 11:08:36"),(454,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",430,89,"2020-03-11","2020-04-06 01:27:22"),(455,5,"Lorem ipsum",37,23,"2020-01-30","2020-04-07 10:10:41"),(456,3,"Lorem",486,81,"2020-04-07","2020-04-15 19:31:06"),(457,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",18,299,"2020-01-31","2020-04-10 22:29:41"),(458,1,"Lorem ipsum dolor sit",458,282,"2020-02-23","2020-04-15 01:24:13"),(459,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",395,132,"2020-03-12","2020-04-09 04:50:44"),(460,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",247,98,"2020-01-15","2020-04-01 12:34:00"),(461,2,"Lorem ipsum dolor",432,103,"2020-03-21","2020-04-04 11:27:11"),(462,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",495,197,"2020-01-15","2020-04-02 22:24:17"),(463,4,"Lorem ipsum",499,297,"2020-02-24","2020-04-16 14:24:05"),(464,5,"Lorem ipsum dolor sit amet, consectetuer",334,275,"2020-01-22","2020-04-13 21:21:57"),(465,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",445,181,"2020-03-13","2020-04-07 04:01:28"),(466,3,"Lorem",326,193,"2020-01-01","2020-04-12 11:08:56"),(467,5,"Lorem ipsum dolor sit amet,",286,12,"2020-03-16","2020-04-14 00:22:53"),(468,5,"Lorem ipsum",465,267,"2020-03-25","2020-04-04 01:28:49"),(469,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",441,254,"2020-03-28","2020-04-03 10:51:39"),(470,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",487,187,"2020-03-03","2020-04-06 09:57:06"),(471,1,"Lorem ipsum dolor sit amet, consectetuer",500,170,"2020-02-02","2020-04-07 01:07:40"),(472,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",111,135,"2020-01-14","2020-04-16 10:12:55"),(473,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",232,192,"2020-01-01","2020-04-14 02:45:24"),(474,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",43,215,"2020-02-24","2020-04-12 13:54:54"),(475,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",259,36,"2020-03-28","2020-04-02 17:41:36"),(476,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",213,244,"2020-01-13","2020-04-15 20:50:13"),(477,1,"Lorem ipsum",161,134,"2020-02-14","2020-04-09 14:20:13"),(478,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",158,202,"2020-02-01","2020-04-13 06:51:03"),(479,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",79,216,"2020-01-02","2020-04-05 06:04:22"),(480,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit.",319,247,"2020-03-08","2020-04-05 23:51:08"),(481,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing",1,4,"2020-01-14","2020-04-03 21:07:56"),(482,3,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",252,171,"2020-02-17","2020-04-07 23:41:12"),(483,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing",164,13,"2020-03-20","2020-04-10 16:58:03"),(484,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer",330,278,"2020-01-07","2020-04-14 21:59:25"),(485,5,"Lorem ipsum dolor sit",327,100,"2020-03-07","2020-04-12 07:03:52"),(486,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing lacus.",483,135,"2020-02-12","2020-04-09 20:18:50"),(487,1,"Lorem ipsum dolor sit amet,",421,39,"2020-01-02","2020-04-03 07:22:22"),(488,2,"Lorem ipsum dolor sit",283,32,"2020-02-06","2020-04-06 01:37:43"),(489,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",151,236,"2020-03-16","2020-04-04 13:13:32"),(490,5,"Lorem",217,76,"2020-03-04","2020-04-02 05:40:52"),(491,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",365,285,"2020-01-24","2020-04-13 12:56:12"),(492,1,"Lorem ipsum dolor sit amet, consectetuer",69,157,"2020-03-10","2020-04-05 22:56:32"),(493,1,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor.",468,87,"2020-03-28","2020-04-05 22:43:45"),(494,1,"Lorem",176,80,"2020-01-23","2020-04-16 09:22:21"),(495,1,"Lorem ipsum",91,5,"2020-01-05","2020-04-03 12:58:29"),(496,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur",145,202,"2020-01-24","2020-04-01 01:08:44"),(497,3,"Lorem",342,237,"2020-03-06","2020-04-06 05:54:40"),(498,4,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed",161,39,"2020-02-13","2020-04-01 02:56:12"),(499,2,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam",194,114,"2020-02-08","2020-04-04 09:16:49"),(500,5,"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Curabitur sed tortor. Integer aliquam adipiscing",295,32,"2020-01-06","2020-04-10 01:20:19");
| 1,170.652672 | 30,634 | 0.699789 |
df971090c0029245cdfe340a8d084560e4154f86 | 1,328 | ts | TypeScript | src/main.ts | andbet39/Angular2Sensor | 60e2d9592e39e7e6c38e3b8b886db9b9cd0e722d | [
"MIT"
] | null | null | null | src/main.ts | andbet39/Angular2Sensor | 60e2d9592e39e7e6c38e3b8b886db9b9cd0e722d | [
"MIT"
] | null | null | null | src/main.ts | andbet39/Angular2Sensor | 60e2d9592e39e7e6c38e3b8b886db9b9cd0e722d | [
"MIT"
] | null | null | null | import 'jquery';
require("font-awesome-webpack");
import 'bootstrap-loader';
import 'socket.io-client';
import 'd3';
import 'nvd3';
import {provide, enableProdMode} from 'angular2/core';
import {bootstrap, ELEMENT_PROBE_PROVIDERS} from 'angular2/platform/browser';
import {ROUTER_PROVIDERS, LocationStrategy, HashLocationStrategy} from 'angular2/router';
import {HTTP_PROVIDERS} from 'angular2/http';
import {SensorService} from "./app/sensor/sensor.service";
import {SensorDataService} from './app/sensordata/sensordata.service';
import {AuthService} from './app/services/auth.service';
const ENV_PROVIDERS = [];
require('./assets/css/main.css');
if ('production' === process.env.ENV) {
enableProdMode();
} else {
ENV_PROVIDERS.push(ELEMENT_PROBE_PROVIDERS);
}
import {App} from './app/app';
document.addEventListener('DOMContentLoaded', function main() {
bootstrap(App, [
...ENV_PROVIDERS,
...HTTP_PROVIDERS,
...ROUTER_PROVIDERS,
SensorService,
SensorDataService,
AuthService,
provide(LocationStrategy, { useClass: HashLocationStrategy })
])
.catch(err => console.error(err));
});
// For vendors for example jQuery, Lodash, angular2-jwt just import them anywhere in your app
// Also see custom_typings.d.ts as you also need to do `typings install x` where `x` is your module
| 28.255319 | 99 | 0.733434 |
e94018f8f1c67f54a7134e2489570e7f87dc6ca9 | 3,874 | go | Go | CryptoVote/CryptoNote1/one_time_key.go | mottla/CryptoVote | be1d52e673d316b74f28a406a836fb7c685a5be3 | [
"MIT"
] | 1 | 2019-02-21T02:57:04.000Z | 2019-02-21T02:57:04.000Z | CryptoVote/CryptoNote1/one_time_key.go | mottla/CryptoVote | be1d52e673d316b74f28a406a836fb7c685a5be3 | [
"MIT"
] | 1 | 2018-05-25T14:16:27.000Z | 2018-05-25T14:16:27.000Z | CryptoVote/CryptoNote1/one_time_key.go | mottla/CryptoVote | be1d52e673d316b74f28a406a836fb7c685a5be3 | [
"MIT"
] | null | null | null | // Copyright (c) 2018-2019 by mottla
// Use of this source code is governed by an MIT
// license that can be found in the LICENSE file.
package CryptoNote1
import (
"math/big"
"hash"
"crypto/elliptic"
//"crypto/ecdsa"
"github.com/CryptoVote/CryptoVote/CryptoNote1/edwards"
)
//takes an elliptic Curve and a public key pair (A,B) as input
//returns a One-Time-Public-Stealth-Key P=Hs(rA)G+BG and R=rA
//where r is a random integer < Curve.N
//only the possessor of the (A;B) corresponding private-keys is able to reconstruct
//the private-key corresponding too P
func GenerateOneTimePK(pkP publicKeyPair, hasher hash.Hash, Curve elliptic.Curve) (Px, Py, Rx, Ry *big.Int) {
if Curve == nil {
Curve = defaultCurve
}
if hasher == nil {
hasher = defaultHasher
} else if hasher.Size() != 32 {
panic("only hashes with outputsize of 32 bytes allowed!", )
}
hasher.Reset()
r := RandFieldElement(Curve)
// X1,y1 = Hs(rA)G
Px, Py = Curve.ScalarMult(pkP.Ax, pkP.Ay, r.Bytes())
re := hasher.Sum(append(Px.Bytes()[:], Py.Bytes()[:]...))
ra := new(big.Int).SetBytes(re[:])
ra.Mod(ra, Curve.Params().N)
Px, Py = Curve.ScalarBaseMult(ra.Bytes())
//+BG
Px, Py = Curve.Add(Px, Py, pkP.Bx, pkP.By)
Rx, Ry = Curve.ScalarBaseMult(r.Bytes())
return
}
//takes an elliptic Curve and a public key pair (A,B) as input
//returns a One-Time-Public-Stealth-Key P=Hs(rA)G and R=rA
//where r is a random integer < Curve.N
//only the possessor of the (A) corresponding private-keys is able to reconstruct
//the private-key corresponding too P
func GenerateOneTime_VOTE(key *edwards.PublicKey, hasher hash.Hash, Curve elliptic.Curve) (P, R edwards.PublicKey) {
if Curve == nil {
Curve = defaultCurve
}
if hasher == nil {
hasher = defaultHasher
} else if hasher.Size() != 32 {
panic("only hashes with outputsize of 32 bytes allowed!", )
}
hasher.Reset()
r := RandFieldElement(Curve)
// X1,y1 = Hs(rA)G
Px, Py := Curve.ScalarMult(key.X, key.Y, r.Bytes())
re := hasher.Sum(append(Px.Bytes()[:], Py.Bytes()[:]...))
ra := new(big.Int).SetBytes(re[:])
ra.Mod(ra, Curve.Params().N)
Px, Py = Curve.ScalarBaseMult(ra.Bytes())
P = edwards.PublicKey{X: Px, Y: Py}
Rx, Ry := Curve.ScalarBaseMult(r.Bytes())
R = edwards.PublicKey{X: Rx, Y: Ry}
return
}
//let the user u check, if he is the owner of a given Public-Stealth-Key P and shared secret R
//returns the corresponding private key that allows signing the given Stealth-Key if he is the owner
//returns nil if he does not own the Stealth-Key
func VerifyOneTime_VOTE(valKey *edwards.PrivateKey, P, R edwards.PublicKey, hasher hash.Hash, Curve elliptic.Curve) (success bool) {
//TODO check concurrency here.. this method is not threadsecure
if Curve == nil {
Curve = defaultCurve
}
if hasher == nil {
hasher = defaultHasher
} else if hasher.Size() != 32 {
panic("only hashes with outputsize of 32 bytes allowed!", )
}
hasher.Reset()
px, py := Curve.ScalarMult(R.X, R.Y, valKey.GetD().Bytes())
re := hasher.Sum(append(px.Bytes()[:], py.Bytes()[:]...))
x := new(big.Int).SetBytes(re[:])
px, py = Curve.ScalarBaseMult(x.Bytes())
if px.Cmp(P.X) == 0 && py.Cmp(P.Y) == 0 {
return true
}
return false
}
//let the user u check, if he is the owner of a given Public-Stealth-Key P and shared secret R
//returns the corresponding private key that allows signing the given Stealth-Key if he is the owner
//returns nil if he does not own the Stealth-Key
func (u *user) VerifyOneTimePK(Px, Py, Rx, Ry *big.Int, hasher hash.Hash, Curve elliptic.Curve) (success bool, x *big.Int) {
hasher.Reset()
px, py := Curve.ScalarMult(Rx, Ry, u.A.D.Bytes())
re := hasher.Sum(append(px.Bytes()[:], py.Bytes()[:]...))
x = new(big.Int).Add(u.B.D, new(big.Int).SetBytes(re[:]))
px, py = Curve.ScalarBaseMult(x.Bytes())
if px.Cmp(Px) == 0 && py.Cmp(Py) == 0 {
return true, x
}
return false, nil
}
| 32.016529 | 132 | 0.681466 |
9175ca472fb9873c4f3cb298bd3e5d10cd3a1f3e | 416 | html | HTML | libs/editor/src/lib/ide/ide.component.html | PlanX-Universe/frontend-services | 5884324538a0dafc7abb1ab614bbdd4787f4e1b2 | [
"MIT"
] | null | null | null | libs/editor/src/lib/ide/ide.component.html | PlanX-Universe/frontend-services | 5884324538a0dafc7abb1ab614bbdd4787f4e1b2 | [
"MIT"
] | null | null | null | libs/editor/src/lib/ide/ide.component.html | PlanX-Universe/frontend-services | 5884324538a0dafc7abb1ab614bbdd4787f4e1b2 | [
"MIT"
] | null | null | null | <ace-editor fxFill
planxPlanningDnd
#ace
[(text)]="code"
[mode]="codeMode"
[theme]="'nord_dark'"
[options]="options"
[readOnly]="readOnly"
[autoUpdateContent]="true"
[durationBeforeCallback]="1000"
(textChanged)="onChange($event)"
(fileDropped)="onFileDropped($event)"
></ace-editor>
| 29.714286 | 49 | 0.497596 |
14d4a607f551c40698f5388dc4de787abb05a094 | 1,676 | swift | Swift | ConnpassAttendanceChecker/Common/Model/Entity/Event.swift | marty-suzuki/ConnpassAttendanceChecker | ccf51ca56b6ad2cee2cae734f11a444cab3537a2 | [
"MIT"
] | 13 | 2018-04-14T02:01:08.000Z | 2018-09-21T11:11:33.000Z | ConnpassAttendanceChecker/Common/Model/Entity/Event.swift | marty-suzuki/ConnpassAttendanceChecker | ccf51ca56b6ad2cee2cae734f11a444cab3537a2 | [
"MIT"
] | null | null | null | ConnpassAttendanceChecker/Common/Model/Entity/Event.swift | marty-suzuki/ConnpassAttendanceChecker | ccf51ca56b6ad2cee2cae734f11a444cab3537a2 | [
"MIT"
] | null | null | null | //
// Event.swift
// ConnpassAttendanceChecker
//
// Created by marty-suzuki on 2018/04/07.
// Copyright © 2018年 marty-suzuki. All rights reserved.
//
import Foundation
import Kanna
struct Event {
var id: Int
var title: String
var participants: [Participant]
}
extension Event: Decodable {
private enum CodingKeys: String, CodingKey {
case id
case title
}
init(from decoder: Decoder) throws {
let container = try decoder.container(keyedBy: CodingKeys.self)
self.id = try container.decode(Int.self, forKey: .id)
self.title = try container.decode(String.self, forKey: .title)
self.participants = []
}
static func list(from doc: HTMLDocument) -> [Event] {
return doc.css("div[class='event_list']")
.compactMap { eventList -> Event? in
return eventList.css("table[class='EventList manage_list is_event']")
.compactMap { $0["data-obj"] }
.first
.flatMap {
guard let data = $0.data(using: .utf8) else {
return nil
}
do {
return try JSONDecoder().decode(Event.self, from: data)
} catch _ {
return nil
}
}
}
}
init(_ event: StoredEvent) {
self.id = Int(event.id)
self.title = event.title ?? ""
self.participants = (event.participants ?? [])
.compactMap { ($0 as? StoredParticipant).flatMap(Participant.init) }
}
}
| 29.403509 | 85 | 0.519093 |
6cf26c422a13f909a3b44cf9d2b5cacec4c78d73 | 2,956 | go | Go | metrics_collector.go | RomanIschenko/notify | 7bd8d5ab21419f08a1ccf02a025373bcb4bceba3 | [
"Apache-2.0"
] | 11 | 2020-12-06T17:25:11.000Z | 2020-12-17T17:37:26.000Z | metrics_collector.go | RomanIschenko/notify | 7bd8d5ab21419f08a1ccf02a025373bcb4bceba3 | [
"Apache-2.0"
] | null | null | null | metrics_collector.go | RomanIschenko/notify | 7bd8d5ab21419f08a1ccf02a025373bcb4bceba3 | [
"Apache-2.0"
] | 2 | 2020-12-06T17:25:16.000Z | 2020-12-12T17:19:33.000Z | package swirl
import "sync"
type localMetrics struct {
collector *metricsCollector
}
func (l localMetrics) Clients() IDList {
return variadicIdList{
count: func(list IDList) int {
return l.collector.countClients()
},
array: func(list IDList) []string {
return l.collector.getClients()
},
}
}
func (l localMetrics) Topics() IDList {
return variadicIdList{
count: func(list IDList) int {
return l.collector.countTopics()
},
array: func(list IDList) []string {
return l.collector.getTopics()
},
}
}
func (l localMetrics) Users() IDList {
return variadicIdList{
count: func(list IDList) int {
return l.collector.countUsers()
},
array: func(list IDList) []string {
return l.collector.getUsers()
},
}
}
type metricsCollector struct {
mu sync.RWMutex
appEvents AppEvents
clients, users, topics []string
}
func (m *metricsCollector) countClients() int {
m.mu.RLock()
defer m.mu.RUnlock()
return len(m.clients)
}
func (m *metricsCollector) countUsers() int {
m.mu.RLock()
defer m.mu.RUnlock()
return len(m.users)
}
func (m *metricsCollector) countTopics() int {
m.mu.RLock()
defer m.mu.RUnlock()
return len(m.topics)
}
func (m *metricsCollector) getClients() []string {
m.mu.RLock()
defer m.mu.RUnlock()
arr := make([]string, len(m.clients))
copy(arr, m.clients)
return arr
}
func (m *metricsCollector) getTopics() []string {
m.mu.RLock()
defer m.mu.RUnlock()
arr := make([]string, len(m.topics))
copy(arr, m.topics)
return arr
}
func (m *metricsCollector) getUsers() []string {
m.mu.RLock()
defer m.mu.RUnlock()
arr := make([]string, len(m.users))
copy(arr, m.users)
return arr
}
func (m *metricsCollector) close() {
m.appEvents.Close()
}
func (m *metricsCollector) get() Metrics {
return localMetrics{m}
}
func (m *metricsCollector) initBindings() {
m.appEvents.OnChange(func(app *App, log ChangeLog) {
m.mu.Lock()
defer m.mu.Unlock()
for _, clientUp := range log.ClientsUp {
m.clients = append(m.clients, clientUp)
}
for _, topicUp := range log.TopicsUp {
m.topics = append(m.topics, topicUp)
}
for _, userUp := range log.UsersUp {
m.users = append(m.users, userUp)
}
for _, clientDown := range log.ClientsDown {
m.clients = deleteFromStringArray(m.clients, clientDown)
}
for _, topicDown := range log.TopicsDown {
m.topics = deleteFromStringArray(m.topics, topicDown)
}
for _, userDown := range log.UsersDown {
m.users = deleteFromStringArray(m.users, userDown)
}
})
}
func deleteFromStringArray(arr []string, t string) []string {
for i := 0; i < len(arr); i++ {
s := arr[i]
if s == t {
arr[i] = arr[len(arr)-1]
arr = arr[:len(arr)-1]
i--
}
}
return arr
}
func newMetricsCollector(app *App) *metricsCollector {
evs := app.Events(-1)
c := &metricsCollector{
mu: sync.RWMutex{},
appEvents: evs,
clients: nil,
users: nil,
topics: nil,
}
c.initBindings()
return c
} | 19.194805 | 61 | 0.661705 |
f3d0af4b75f2ba817a9db33005f2b66183849ec5 | 572 | kt | Kotlin | app/src/main/java/uk/nhs/nhsx/covid19/android/app/onboarding/WelcomeViewModel.kt | coderus-ltd/covid-19-app-android-ag-public | b74358684b9dbc0174890db896b93b0f7c6660a4 | [
"MIT"
] | 136 | 2020-08-13T13:01:00.000Z | 2021-03-11T11:28:38.000Z | app/src/main/java/uk/nhs/nhsx/covid19/android/app/onboarding/WelcomeViewModel.kt | coderus-ltd/covid-19-app-android-ag-public | b74358684b9dbc0174890db896b93b0f7c6660a4 | [
"MIT"
] | 41 | 2020-08-14T15:55:08.000Z | 2021-03-11T09:07:44.000Z | app/src/main/java/uk/nhs/nhsx/covid19/android/app/onboarding/WelcomeViewModel.kt | coderus-ltd/covid-19-app-android-ag-public | b74358684b9dbc0174890db896b93b0f7c6660a4 | [
"MIT"
] | 26 | 2020-08-13T13:37:33.000Z | 2021-02-19T11:08:12.000Z | package uk.nhs.nhsx.covid19.android.app.onboarding
import androidx.lifecycle.LiveData
import androidx.lifecycle.MutableLiveData
import androidx.lifecycle.ViewModel
import javax.inject.Inject
class WelcomeViewModel @Inject constructor() : ViewModel() {
private val showDialogLiveData: MutableLiveData<Boolean> = MutableLiveData()
fun getShowDialog(): LiveData<Boolean> = showDialogLiveData
fun onConfirmOnboardingClicked() {
showDialogLiveData.postValue(true)
}
fun onDialogDismissed() {
showDialogLiveData.postValue(false)
}
}
| 27.238095 | 80 | 0.769231 |
9473faa83b38f5e45289b2807c8d3032d294a412 | 424 | rs | Rust | libsodium-sys/tests/crypto/crypto_shorthash_siphash24.rs | Doout/sodiumoxide | fcae1827e508273d4c22dcbca0a76bc0be61e7ea | [
"Apache-2.0",
"MIT"
] | 380 | 2018-05-08T09:50:08.000Z | 2022-03-25T01:51:00.000Z | libsodium-sys/tests/crypto/crypto_shorthash_siphash24.rs | Doout/sodiumoxide | fcae1827e508273d4c22dcbca0a76bc0be61e7ea | [
"Apache-2.0",
"MIT"
] | 279 | 2018-05-07T18:45:12.000Z | 2021-12-13T12:05:07.000Z | libsodium-sys/tests/crypto/crypto_shorthash_siphash24.rs | Doout/sodiumoxide | fcae1827e508273d4c22dcbca0a76bc0be61e7ea | [
"Apache-2.0",
"MIT"
] | 97 | 2018-05-08T08:11:21.000Z | 2022-03-16T10:13:34.000Z | // crypto_shorthash_siphash24.h
use libsodium_sys::*;
#[test]
fn test_crypto_shorthash_siphash24_bytes() {
assert!(
unsafe { crypto_shorthash_siphash24_bytes() } == crypto_shorthash_siphash24_BYTES as usize
)
}
#[test]
fn test_crypto_shorthash_siphash24_keybytes() {
assert!(
unsafe { crypto_shorthash_siphash24_keybytes() }
== crypto_shorthash_siphash24_KEYBYTES as usize
)
}
| 22.315789 | 98 | 0.716981 |
38dc84d92672dd21ce3a2ddc21917d56809d42ad | 5,023 | h | C | util.h | omegaup/omegajail | 741e5828709ba896f09b70f65beb66169299f471 | [
"BSD-3-Clause"
] | null | null | null | util.h | omegaup/omegajail | 741e5828709ba896f09b70f65beb66169299f471 | [
"BSD-3-Clause"
] | 2 | 2018-10-09T14:03:30.000Z | 2022-02-22T14:36:41.000Z | util.h | omegaup/omegajail | 741e5828709ba896f09b70f65beb66169299f471 | [
"BSD-3-Clause"
] | 3 | 2017-10-16T02:08:38.000Z | 2018-10-09T13:18:17.000Z | #ifndef UTIL_H_
#define UTIL_H_
#include <sys/mman.h>
#include <sys/types.h>
#include <memory>
#include <string>
#include <string_view>
#include <vector>
#include "macros.h"
class ScopedFD {
public:
static constexpr int kInvalidFd = -1;
explicit ScopedFD(int fd = kInvalidFd);
~ScopedFD();
ScopedFD(ScopedFD&& fd);
ScopedFD& operator=(ScopedFD&& fd);
int get() const;
int release();
operator bool() const { return fd_ != kInvalidFd; }
void reset(int fd = kInvalidFd);
private:
int fd_;
DISALLOW_COPY_AND_ASSIGN(ScopedFD);
};
class ScopedDir {
public:
ScopedDir(std::string_view path, mode_t mode = 0755);
~ScopedDir();
operator bool() const { return valid_; }
private:
const std::string path_;
bool valid_;
DISALLOW_COPY_AND_ASSIGN(ScopedDir);
};
class ScopedKprobe {
public:
static std::unique_ptr<ScopedKprobe> Create(
std::string_view path,
std::string_view register_string,
std::string_view unregister_string);
~ScopedKprobe();
private:
ScopedKprobe(std::string_view path, std::string_view unregister_string);
const std::string path_;
const std::string unregister_string_;
DISALLOW_COPY_AND_ASSIGN(ScopedKprobe);
};
class ScopedMmap {
public:
ScopedMmap(void* ptr = MAP_FAILED, size_t size = 0);
~ScopedMmap();
operator bool() const { return ptr_ != MAP_FAILED; }
void* get();
const void* get() const;
void reset(void* ptr = MAP_FAILED, size_t size = 0);
private:
void* ptr_;
size_t size_;
DISALLOW_COPY_AND_ASSIGN(ScopedMmap);
};
class ScopedCgroup {
public:
ScopedCgroup(std::string_view subsystem = std::string_view());
~ScopedCgroup();
operator bool() const { return path_.size() > 0; }
std::string_view path() const { return path_; }
void reset(std::string_view subsystem = std::string_view());
void release();
private:
std::string path_;
DISALLOW_COPY_AND_ASSIGN(ScopedCgroup);
};
class ScopedUnlink {
public:
ScopedUnlink(std::string_view path = std::string_view());
~ScopedUnlink();
operator bool() const { return !path_.empty(); }
std::string_view path() const { return path_; }
void reset(std::string_view path = std::string_view());
void release();
private:
std::string path_;
DISALLOW_COPY_AND_ASSIGN(ScopedUnlink);
};
class SigsysTracerClient {
public:
explicit SigsysTracerClient(ScopedFD fd = ScopedFD());
~SigsysTracerClient();
operator bool() const { return fd_; }
bool Initialize();
bool Read(int* syscall);
ScopedFD TakeFD();
private:
ScopedFD fd_;
DISALLOW_COPY_AND_ASSIGN(SigsysTracerClient);
};
class ScopedErrnoPreserver {
public:
ScopedErrnoPreserver();
~ScopedErrnoPreserver();
private:
const int errno_;
DISALLOW_COPY_AND_ASSIGN(ScopedErrnoPreserver);
};
std::string StringPrintf(const char* format, ...);
struct ByChar {
ByChar(char delim) : delim(delim) {}
const char delim;
};
std::vector<std::string> StringSplit(std::string_view input, ByChar delim);
struct ByAnyChar {
explicit ByAnyChar(std::string_view delims) : delims(delims) {}
const std::string_view delims;
};
std::vector<std::string> StringSplit(std::string_view input, ByAnyChar delim);
std::string StringJoin(const std::vector<std::string>& input,
std::string_view delim);
// Clean returns the shortest path name equivalent to path
// by purely lexical processing. It applies the following rules
// iteratively until no further processing can be done:
//
// 1. Replace multiple Separator elements with a single one.
// 2. Eliminate each . path name element (the current directory).
// 3. Eliminate each inner .. path name element (the parent directory)
// along with the non-.. element that precedes it.
// 4. Eliminate .. elements that begin a rooted path:
// that is, replace "/.." by "/" at the beginning of a path,
// assuming Separator is '/'.
//
// The returned path ends in a slash only if it represents a root directory,
// such as "/" on Unix or `C:\` on Windows.
//
// Finally, any occurrences of slash are replaced by Separator.
//
// If the result of this process is an empty string, Clean
// returns the string ".".
//
// See also Rob Pike, ``Lexical File Names in Plan 9 or
// Getting Dot-Dot Right,''
// https://9p.io/sys/doc/lexnames.html
std::string Clean(std::string_view path);
std::string Dirname(std::string_view path, std::size_t levels = 1);
template <typename... Args>
std::string PathJoin(std::string_view path,
std::string_view component,
Args&&... args) {
return PathJoin(path, PathJoin(component, std::forward<Args>(args)...));
}
template <>
std::string PathJoin(std::string_view path, std::string_view component);
bool ReadUint64(std::string_view path, uint64_t* value);
bool WriteFile(std::string_view path,
std::string_view contents,
bool append = false,
mode_t mode = 0664);
template <typename T>
inline void ignore_result(T /* unused result */) {}
#endif // UTIL_H_
| 24.743842 | 78 | 0.696994 |
7514412b69be1fe09757736eb346d7b797abf7ed | 480 | h | C | Polyform/PFAudioHandler.h | warrenwhipple/polyform | bed5a9a8062c101a276558b73e08269fff874ec0 | [
"MIT"
] | null | null | null | Polyform/PFAudioHandler.h | warrenwhipple/polyform | bed5a9a8062c101a276558b73e08269fff874ec0 | [
"MIT"
] | 1 | 2018-08-12T13:36:26.000Z | 2018-08-12T13:36:26.000Z | Polyform/PFAudioHandler.h | warrenwhipple/polyform | bed5a9a8062c101a276558b73e08269fff874ec0 | [
"MIT"
] | null | null | null | //
// PFAudioHandler.h
// Polyform
//
// Created by Warren Whipple on 1/14/13.
// Copyright (c) 2013 Warren Whipple. All rights reserved.
//
@interface PFAudioHandler : NSObject
@property (readonly, nonatomic) int loopFrameCount;
- (void)transitionToNewInstrumentCount:(int)instrumentCount;
- (void)updateWithInstrumentDistribution:(int*)instrumentDistribution;
- (void)pauseWithBackgroundRunning;
- (void)resumeFromBackgroundRunning;
- (void)stopAllInstruments;
@end
| 20 | 70 | 0.766667 |
dd15d9eb0cc30eac2845ee7123ae6ca0b375e3de | 3,723 | dart | Dart | src/kanban_flutter/lib/features/boards/presentation/pages/detail/components/create_column_form.dart | krzysztoftalar/kanban-board | 02ac6f74a842487b4af444306d40ac6fa5b1afb0 | [
"MIT"
] | 2 | 2021-01-06T13:19:09.000Z | 2021-01-06T13:19:12.000Z | src/kanban_flutter/lib/features/boards/presentation/pages/detail/components/create_column_form.dart | krzysztoftalar/kanban-board | 02ac6f74a842487b4af444306d40ac6fa5b1afb0 | [
"MIT"
] | null | null | null | src/kanban_flutter/lib/features/boards/presentation/pages/detail/components/create_column_form.dart | krzysztoftalar/kanban-board | 02ac6f74a842487b4af444306d40ac6fa5b1afb0 | [
"MIT"
] | null | null | null | import 'package:flutter/material.dart';
import 'package:flutter_bloc/flutter_bloc.dart';
import '../../../../../../common/widgets/index.dart';
import '../../../../../../core/validators/boards_validators.dart';
import '../../../../../../style/index.dart';
import '../../../../domain/entities/index.dart';
import '../../../blocs/column_bloc/column_bloc.dart';
class CreateColumnForm extends StatefulWidget {
final Board board;
CreateColumnForm({
@required this.board,
});
@override
_CreateColumnFormState createState() => _CreateColumnFormState();
}
class _CreateColumnFormState extends State<CreateColumnForm> {
ColumnBloc get columnBloc => BlocProvider.of<ColumnBloc>(context);
TextEditingController _columnController = TextEditingController();
bool showForm = false;
bool isTitleEmpty = true;
final _formKey = GlobalKey<FormState>();
final _columnFocusNode = FocusNode();
@override
void initState() {
super.initState();
_columnFocusNode.addListener(() {
if (!_columnFocusNode.hasFocus) {
setState(() => showForm = false);
}
});
}
@override
void dispose() {
super.dispose();
_columnFocusNode.dispose();
_columnController.dispose();
}
void _toggleShowForm() => setState(() => showForm = !showForm);
void _createColumn() {
if (_formKey.currentState.validate()) {
_formKey.currentState.save();
_toggleShowForm();
columnBloc.add(
CreateColumnEvent(
boardId: widget.board.id,
columnIndex: widget.board.columns.length,
title: _columnController.text,
),
);
}
}
Widget _buildColumnTitleFormField() {
return TextFormField(
controller: _columnController,
focusNode: _columnFocusNode,
onFieldSubmitted: (_) => _createColumn(),
decoration: InputDecoration(
hintText: "Type a name for your column",
),
style: defaultTextStyle,
onChanged: (value) {
if (value.isEmpty) {
setState(() => isTitleEmpty = true);
} else if (value.isNotEmpty) {
setState(() => isTitleEmpty = false);
}
},
validator: columnTitleValidator,
);
}
Widget _buildCreateColumnBtn() {
return TextButton(
onPressed: () {
_toggleShowForm();
_columnFocusNode.requestFocus();
},
child: Text(
'Add Column',
style: TextStyle(
color: ThemeColor.link,
fontSize: getSize(ThemeSize.fs_17),
fontWeight: FontWeight.w400,
),
),
);
}
Widget _buildButtonBar() {
return Row(
mainAxisAlignment: MainAxisAlignment.end,
children: [
OutlinedCancelButton(handler: _toggleShowForm),
SizedBox(width: getSize(15)),
OutlinedSuccessButton(
isFieldEmpty: isTitleEmpty,
btnText: 'Add Column',
handler: _createColumn,
)
],
);
}
Widget _buildForm() {
return Container(
padding: EdgeInsets.symmetric(
horizontal: getSize(5),
vertical: getSize(15),
),
child: Form(
key: _formKey,
child: Column(
children: [
_buildColumnTitleFormField(),
SizedBox(height: getSize(10)),
_buildButtonBar(),
],
),
),
);
}
@override
Widget build(BuildContext context) {
return Expanded(
child: Container(
padding: EdgeInsets.symmetric(horizontal: getSize(5)),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
showForm ? _buildForm() : _buildCreateColumnBtn(),
],
),
),
);
}
}
| 24.493421 | 68 | 0.599785 |
0603aefa67d106c5ad122a79949c05ac1a9aa2dc | 1,600 | rs | Rust | src/saturate.rs | mx00s/arith_traits | 4eeb3aad20ed63ecefe36c0ee686cac4f324cf47 | [
"Apache-2.0",
"MIT"
] | null | null | null | src/saturate.rs | mx00s/arith_traits | 4eeb3aad20ed63ecefe36c0ee686cac4f324cf47 | [
"Apache-2.0",
"MIT"
] | null | null | null | src/saturate.rs | mx00s/arith_traits | 4eeb3aad20ed63ecefe36c0ee686cac4f324cf47 | [
"Apache-2.0",
"MIT"
] | 1 | 2020-12-19T17:45:00.000Z | 2020-12-19T17:45:00.000Z | // suppress `use_self` recommendation; unavoidable in macro context
#![allow(clippy::use_self)]
#[cfg(test)]
mod unit_tests;
pub trait Saturate<T = Self> {
type Output;
fn saturating_abs(self) -> Self::Output;
fn saturating_add(self, rhs: T) -> Self::Output;
fn saturating_div(self, rhs: T) -> Self::Output;
fn saturating_div_euclid(self, rhs: T) -> Self::Output;
fn saturating_mul(self, rhs: T) -> Self::Output;
fn saturating_neg(self) -> Self::Output;
fn saturating_pow(self, rhs: u32) -> Self::Output;
fn saturating_rem(self, rhs: T) -> Self::Output;
fn saturating_rem_euclid(self, rhs: T) -> Self::Output;
fn saturating_shl(self, rhs: u32) -> Self::Output;
fn saturating_shr(self, rhs: u32) -> Self::Output;
fn saturating_sub(self, rhs: T) -> Self::Output;
}
macro_rules! saturating_impl {
($($t:ty)*) => ($(
impl Saturate for $t {
type Output = Self;
binary_op_impl! {
$t,
saturating_add,
saturating_div,
saturating_div_euclid,
saturating_mul,
saturating_rem,
saturating_rem_euclid,
saturating_sub
}
binary_op_impl! {
u32,
saturating_pow,
saturating_shl,
saturating_shr
}
unary_op_impl! {
saturating_abs,
saturating_neg
}
}
)*)
}
saturating_impl! { i8 i16 i32 i64 i128 isize u8 u16 u32 u64 u128 usize }
| 28.571429 | 72 | 0.55375 |
7c7de2a4e9cfcb4ef10e0df7cdec88d787e80348 | 5,891 | kt | Kotlin | server/server-app/src/test/kotlin/projektor/repository/testrun/RepositoryTestRunDatabaseRepositoryTimelineTest.kt | msanssouci/projektor | ed965b63257dcd157234f74c79d97819fd4ae7a7 | [
"MIT"
] | 33 | 2019-12-30T14:48:54.000Z | 2022-02-12T20:56:29.000Z | server/server-app/src/test/kotlin/projektor/repository/testrun/RepositoryTestRunDatabaseRepositoryTimelineTest.kt | msanssouci/projektor | ed965b63257dcd157234f74c79d97819fd4ae7a7 | [
"MIT"
] | 390 | 2020-02-14T22:23:40.000Z | 2022-03-25T22:42:59.000Z | server/server-app/src/test/kotlin/projektor/repository/testrun/RepositoryTestRunDatabaseRepositoryTimelineTest.kt | msanssouci/projektor | ed965b63257dcd157234f74c79d97819fd4ae7a7 | [
"MIT"
] | 9 | 2020-01-23T16:52:03.000Z | 2021-12-06T20:00:34.000Z | package projektor.repository.testrun
import io.ktor.util.*
import kotlinx.coroutines.runBlocking
import org.apache.commons.lang3.RandomStringUtils
import org.junit.jupiter.api.Test
import projektor.DatabaseRepositoryTestCase
import projektor.createTestRun
import projektor.incomingresults.randomPublicId
import strikt.api.expectThat
import strikt.assertions.hasSize
import strikt.assertions.isEqualTo
import java.math.BigDecimal
import kotlin.test.assertNotNull
class RepositoryTestRunDatabaseRepositoryTimelineTest : DatabaseRepositoryTestCase() {
@Test
fun `should find entries without project name for CI builds`() {
val repositoryTestRunDatabaseRepository = RepositoryTestRunDatabaseRepository(dslContext)
val orgName = RandomStringUtils.randomAlphabetic(12)
val repoName = "$orgName/repo"
val projectName = null
val firstRunCITruePublicId = randomPublicId()
val secondRunCINullPublicId = randomPublicId()
val nonCIPublicId = randomPublicId()
val firstTestRun = createTestRun(firstRunCITruePublicId, 20, BigDecimal("25.000"))
testRunDao.insert(firstTestRun)
testRunDBGenerator.addResultsMetadata(firstTestRun, true)
testRunDBGenerator.addGitMetadata(firstTestRun, repoName, true, "main", projectName, null, null)
val secondTestRun = createTestRun(secondRunCINullPublicId, 30, BigDecimal("35.000"))
testRunDao.insert(secondTestRun)
testRunDBGenerator.addGitMetadata(secondTestRun, repoName, true, "main", projectName, null, null)
val nonCITestRun = createTestRun(nonCIPublicId, 20, BigDecimal("25.000"))
testRunDao.insert(nonCITestRun)
testRunDBGenerator.addResultsMetadata(nonCITestRun, false)
testRunDBGenerator.addGitMetadata(nonCITestRun, repoName, true, "main", projectName, null, null)
val timeline = runBlocking { repositoryTestRunDatabaseRepository.fetchRepositoryTestRunTimeline(repoName, projectName) }
assertNotNull(timeline)
expectThat(timeline.timelineEntries).hasSize(1)
val firstEntry = timeline.timelineEntries[0]
expectThat(firstEntry) {
get { publicId }.isEqualTo(firstRunCITruePublicId.id)
get { totalTestCount }.isEqualTo(20)
get { cumulativeDuration }.isEqualTo(BigDecimal("25.000"))
}
}
@Test
fun `when searching for project name null should exclude projects with name set`() {
val repositoryTestRunDatabaseRepository = RepositoryTestRunDatabaseRepository(dslContext)
val orgName = RandomStringUtils.randomAlphabetic(12)
val repoName = "$orgName/repo"
val projectName = null
val runWithoutProjectNamePublicId = randomPublicId()
val runWithProjectNamePublicId = randomPublicId()
val testRunWithoutProjectName = createTestRun(runWithoutProjectNamePublicId, 20, BigDecimal("25.000"))
testRunDao.insert(testRunWithoutProjectName)
testRunDBGenerator.addResultsMetadata(testRunWithoutProjectName, true)
testRunDBGenerator.addGitMetadata(testRunWithoutProjectName, repoName, true, "main", projectName, null, null)
val testRunWithProjectName = createTestRun(runWithProjectNamePublicId, 30, BigDecimal("35.000"))
testRunDao.insert(testRunWithProjectName)
testRunDBGenerator.addResultsMetadata(testRunWithProjectName, true)
testRunDBGenerator.addGitMetadata(testRunWithProjectName, repoName, true, "main", "other-project", null, null)
val timeline = runBlocking { repositoryTestRunDatabaseRepository.fetchRepositoryTestRunTimeline(repoName, projectName) }
assertNotNull(timeline)
expectThat(timeline.timelineEntries).hasSize(1)
expectThat(timeline.timelineEntries[0]) {
get { publicId }.isEqualTo(runWithoutProjectNamePublicId.id)
}
}
@Test
fun `when searching for specific project name should exclude projects with null or with different names`() {
val repositoryTestRunDatabaseRepository = RepositoryTestRunDatabaseRepository(dslContext)
val orgName = RandomStringUtils.randomAlphabetic(12)
val repoName = "$orgName/repo"
val projectName = "my-project"
val runWithoutProjectNamePublicId = randomPublicId()
val runWithProjectNamePublicId = randomPublicId()
val runWithDifferentProjectNamePublicId = randomPublicId()
val testRunWithoutProjectName = createTestRun(runWithoutProjectNamePublicId, 20, BigDecimal("25.000"))
testRunDao.insert(testRunWithoutProjectName)
testRunDBGenerator.addResultsMetadata(testRunWithoutProjectName, true)
testRunDBGenerator.addGitMetadata(testRunWithoutProjectName, repoName, true, "main", null, null, null)
val testRunWithProjectName = createTestRun(runWithProjectNamePublicId, 30, BigDecimal("35.000"))
testRunDao.insert(testRunWithProjectName)
testRunDBGenerator.addResultsMetadata(testRunWithProjectName, true)
testRunDBGenerator.addGitMetadata(testRunWithProjectName, repoName, true, "main", projectName, null, null)
val testRunWithDifferentProjectName = createTestRun(runWithDifferentProjectNamePublicId, 40, BigDecimal("45.000"))
testRunDao.insert(testRunWithDifferentProjectName)
testRunDBGenerator.addResultsMetadata(testRunWithDifferentProjectName, true)
testRunDBGenerator.addGitMetadata(testRunWithDifferentProjectName, repoName, true, "main", "other-project", null, null)
val timeline = runBlocking { repositoryTestRunDatabaseRepository.fetchRepositoryTestRunTimeline(repoName, projectName) }
assertNotNull(timeline)
expectThat(timeline.timelineEntries).hasSize(1)
expectThat(timeline.timelineEntries[0]) {
get { publicId }.isEqualTo(runWithProjectNamePublicId.id)
}
}
}
| 46.753968 | 128 | 0.752504 |
9c262eaf415d7113e52b366931d0cee177ea0054 | 604 | ts | TypeScript | Tests/AutoTests/FunctionalTest/functional-Login.spec.ts | UKHO/Maritime-Safety-Information | 60edf17a7aa659bcec5f6e86498af074c9a13608 | [
"MIT"
] | null | null | null | Tests/AutoTests/FunctionalTest/functional-Login.spec.ts | UKHO/Maritime-Safety-Information | 60edf17a7aa659bcec5f6e86498af074c9a13608 | [
"MIT"
] | null | null | null | Tests/AutoTests/FunctionalTest/functional-Login.spec.ts | UKHO/Maritime-Safety-Information | 60edf17a7aa659bcec5f6e86498af074c9a13608 | [
"MIT"
] | null | null | null | import { test, expect, chromium, Page, Browser, BrowserContext } from '@playwright/test';
import * as app from "../../Configuration/appConfig.json";
import loginPage from '../../pageObject/Login.page';
test.describe("Sign in For The maritime-safety-information", () => {
let login: loginPage;
test.beforeEach(async ({ page }) => {
await page.goto(app.url);
login = new loginPage(page);
await login.goToSignIn();
});
test('With the Valid details', async ({ page, context }) => {
await login.loginWithValidDetails(app.username, app.password);
await login.signout();
})
});
| 31.789474 | 89 | 0.668874 |
53d8f1c6e796dba57ed83daa66d56a7ffbc3fa03 | 4,458 | java | Java | conjure-python-core/src/test/java/com/palantir/conjure/python/ConjurePythonGeneratorTest.java | chewr/conjure-python | ca0ac825f86741c02cd85b1b4ea9456d5786e0ae | [
"Apache-2.0"
] | 10 | 2018-11-21T19:39:54.000Z | 2021-12-16T12:05:02.000Z | conjure-python-core/src/test/java/com/palantir/conjure/python/ConjurePythonGeneratorTest.java | chewr/conjure-python | ca0ac825f86741c02cd85b1b4ea9456d5786e0ae | [
"Apache-2.0"
] | 61 | 2018-11-25T18:48:01.000Z | 2022-03-30T02:02:35.000Z | conjure-python-core/src/test/java/com/palantir/conjure/python/ConjurePythonGeneratorTest.java | chewr/conjure-python | ca0ac825f86741c02cd85b1b4ea9456d5786e0ae | [
"Apache-2.0"
] | 10 | 2018-11-21T21:53:43.000Z | 2021-07-29T18:13:38.000Z | /*
* (c) Copyright 2018 Palantir Technologies Inc. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.palantir.conjure.python;
import static org.assertj.core.api.Assertions.assertThat;
import com.palantir.conjure.defs.Conjure;
import com.palantir.conjure.spec.ConjureDefinition;
import java.io.File;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.util.List;
import java.util.Set;
import java.util.stream.Collectors;
import java.util.stream.Stream;
import org.assertj.core.util.Strings;
import org.junit.runner.RunWith;
@ConjureSubfolderRunner.ParentFolder("src/test/resources")
@RunWith(ConjureSubfolderRunner.class)
public final class ConjurePythonGeneratorTest {
private final ConjurePythonGenerator generator = new ConjurePythonGenerator(GeneratorConfiguration.builder()
.packageName("package-name")
.packageVersion("0.0.0")
.packageDescription("project description")
.minConjureClientVersion("1.0.0")
.generatorVersion("0.0.0")
.shouldWriteCondaRecipe(true)
.generateRawSource(false)
.build());
private final InMemoryPythonFileWriter pythonFileWriter = new InMemoryPythonFileWriter();
@ConjureSubfolderRunner.Test
public void assertThatFilesRenderAsExpected(Path folder) throws IOException {
Path expected = folder.resolve("expected");
ConjureDefinition definition = getInputDefinitions(folder);
maybeResetExpectedDirectory(expected, definition);
generator.write(definition, pythonFileWriter);
assertFoldersEqual(expected);
}
private void assertFoldersEqual(Path expected) throws IOException {
Set<Path> generatedButNotExpected = pythonFileWriter.getPythonFiles().keySet();
long count = 0;
try (Stream<Path> walk = Files.walk(expected)) {
for (Path path : walk.collect(Collectors.toList())) {
if (!path.toFile().isFile()) {
continue;
}
String expectedContent = Strings.join(Files.readAllLines(path)).with("\n") + "\n";
assertThat(pythonFileWriter.getPythonFiles().get(expected.relativize(path)))
.isEqualTo(expectedContent);
generatedButNotExpected.remove(expected.relativize(path));
count += 1;
}
}
assertThat(generatedButNotExpected).isEmpty();
System.out.println(count + " files checked");
}
private void maybeResetExpectedDirectory(Path expected, ConjureDefinition definition) throws IOException {
if (Boolean.valueOf(System.getProperty("recreate", "false"))
|| !expected.toFile().isDirectory()) {
Files.createDirectories(expected);
try (Stream<Path> walk = Files.walk(expected)) {
walk.filter(path -> path.toFile().isFile())
.forEach(path -> path.toFile().delete());
}
try (Stream<Path> walk = Files.walk(expected)) {
walk.forEach(path -> path.toFile().delete());
}
Files.createDirectories(expected);
generator.write(definition, new DefaultPythonFileWriter(expected));
}
}
private ConjureDefinition getInputDefinitions(Path folder) throws IOException {
Files.createDirectories(folder);
try (Stream<Path> walk = Files.walk(folder)) {
List<File> files = walk.map(Path::toFile)
.filter(file -> file.toString().endsWith(".yml"))
.collect(Collectors.toList());
if (files.isEmpty()) {
throw new RuntimeException(
folder + " contains no conjure.yml files, please write one to set up a new test");
}
return Conjure.parse(files);
}
}
}
| 40.162162 | 112 | 0.653208 |
ee823f1dd9500d1b32fb58203caa5a0097eba543 | 2,175 | swift | Swift | Sources/SpringIconFactory.swift | ShabanKamell/SpringMenu | 26dbc4ea0da8c15e1ffe6c44398e5d66c7cca73a | [
"Apache-2.0"
] | 2 | 2021-06-23T18:52:57.000Z | 2021-07-17T14:38:06.000Z | Sources/SpringIconFactory.swift | ShabanKamell/SpringMenu | 26dbc4ea0da8c15e1ffe6c44398e5d66c7cca73a | [
"Apache-2.0"
] | null | null | null | Sources/SpringIconFactory.swift | ShabanKamell/SpringMenu | 26dbc4ea0da8c15e1ffe6c44398e5d66c7cca73a | [
"Apache-2.0"
] | null | null | null | //
// Created by Shaban on 09/06/2021.
// Copyright (c) 2021 sha. All rights reserved.
//
import SwiftUI
class SpringIconFactory {
func make(icon: SpringIcon,
backgroundColor: SpringIconColor,
foregroundColor: SpringIconColor,
isExpanded: Bool) -> some View {
Group {
switch icon {
case .plus:
DefaultIconView(systemName: "plus",
backgroundColor: backgroundColor,
foregroundColor: foregroundColor,
isExpanded: isExpanded)
.rotationEffect(isExpanded ? .degrees(45) : .degrees(0))
.scaleEffect(isExpanded ? 3 : 1)
// .opacity(isExpanded ? 0.5 : 1)
case .send:
DefaultIconView(systemName: "paperplane.fill",
backgroundColor: backgroundColor,
foregroundColor: foregroundColor,
isExpanded: isExpanded)
.scaleEffect(isExpanded ? 1.5 : 1)
case .system(let name):
DefaultIconView(systemName: name,
backgroundColor: backgroundColor,
foregroundColor: foregroundColor,
isExpanded: isExpanded)
.scaleEffect(isExpanded ? 1.5 : 1)
case .custom(let image):
image
}
}
}
private func DefaultIconView(systemName: String,
backgroundColor: SpringIconColor,
foregroundColor: SpringIconColor,
isExpanded: Bool) -> some View {
Image(systemName: systemName)
.font(.system(size: 40, weight: isExpanded ? .regular : .semibold, design: .rounded))
.animation(Animation.spring(response: 0.35, dampingFraction: 0.85, blendDuration: 1))
.background(isExpanded ? .clear : backgroundColor.collapsed)
.foregroundColor(isExpanded ? foregroundColor.expanded : foregroundColor.collapsed)
}
}
| 41.037736 | 101 | 0.521839 |
586a7b55f0a1bc3a0dddb7663540a52a8e407ca4 | 6,040 | sql | SQL | LocalHero_DB.sql | Klodovsky/LocalHero | 50b1a9bccc7ee11ae6cbbde71ede10d61288147d | [
"MIT"
] | null | null | null | LocalHero_DB.sql | Klodovsky/LocalHero | 50b1a9bccc7ee11ae6cbbde71ede10d61288147d | [
"MIT"
] | null | null | null | LocalHero_DB.sql | Klodovsky/LocalHero | 50b1a9bccc7ee11ae6cbbde71ede10d61288147d | [
"MIT"
] | null | null | null | -- phpMyAdmin SQL Dump
-- version 5.1.0
-- https://www.phpmyadmin.net/
--
-- Host: localhost
-- Generation Time: Jun 05, 2021 at 12:21 AM
-- Server version: 10.4.19-MariaDB
-- PHP Version: 7.3.28
SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO";
START TRANSACTION;
SET time_zone = "+00:00";
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8mb4 */;
--
-- Database: `LocalHero_DB`
--
-- --------------------------------------------------------
--
-- Table structure for table `business_types`
--
CREATE TABLE `business_types` (
`id` int(10) UNSIGNED NOT NULL,
`branch` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`unbearbeitet` bigint(20) NOT NULL,
`gf_fehit` bigint(20) NOT NULL,
`nicht_erreicht` bigint(20) NOT NULL,
`weidervorlage` bigint(20) NOT NULL,
`kein_interesse` bigint(20) NOT NULL,
`zu_viele_versuche` bigint(20) NOT NULL,
`termine` bigint(20) NOT NULL,
`kunden` bigint(20) NOT NULL,
`blacklist` bigint(20) NOT NULL,
`insgesamt` bigint(20) NOT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `business_types`
--
INSERT INTO `business_types` (`id`, `branch`, `unbearbeitet`, `gf_fehit`, `nicht_erreicht`, `weidervorlage`, `kein_interesse`, `zu_viele_versuche`, `termine`, `kunden`, `blacklist`, `insgesamt`, `created_at`, `updated_at`) VALUES
(1, 'Hotel', 5, 2, 4, 6, 54, 85, 5, 6, 4, 454, NULL, NULL),
(2, 'Gym', 87, 7, 0, 45, 45, 4, 4, 6, 7, 6, NULL, NULL);
-- --------------------------------------------------------
--
-- Table structure for table `failed_jobs`
--
CREATE TABLE `failed_jobs` (
`id` bigint(20) UNSIGNED NOT NULL,
`connection` text COLLATE utf8mb4_unicode_ci NOT NULL,
`queue` text COLLATE utf8mb4_unicode_ci NOT NULL,
`payload` longtext COLLATE utf8mb4_unicode_ci NOT NULL,
`exception` longtext COLLATE utf8mb4_unicode_ci NOT NULL,
`failed_at` timestamp NOT NULL DEFAULT current_timestamp()
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
-- --------------------------------------------------------
--
-- Table structure for table `migrations`
--
CREATE TABLE `migrations` (
`id` int(10) UNSIGNED NOT NULL,
`migration` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`batch` int(11) NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `migrations`
--
INSERT INTO `migrations` (`id`, `migration`, `batch`) VALUES
(1, '2014_10_12_000000_create_users_table', 1),
(2, '2014_10_12_100000_create_password_resets_table', 1),
(3, '2019_08_19_000000_create_failed_jobs_table', 1),
(4, '2021_05_31_020639_create_sales_people_table', 1),
(5, '2021_05_31_030841_create_business_types_table', 1);
-- --------------------------------------------------------
--
-- Table structure for table `password_resets`
--
CREATE TABLE `password_resets` (
`email` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`token` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`created_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
-- --------------------------------------------------------
--
-- Table structure for table `sales_people`
--
CREATE TABLE `sales_people` (
`id` int(10) UNSIGNED NOT NULL,
`sales_person_name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`post_code` text COLLATE utf8mb4_unicode_ci NOT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Dumping data for table `sales_people`
--
INSERT INTO `sales_people` (`id`, `sales_person_name`, `post_code`, `created_at`, `updated_at`) VALUES
(1, 'Artem', '123*,05478', NULL, NULL),
(2, 'Khaled', '785*,786*,666*', NULL, NULL);
-- --------------------------------------------------------
--
-- Table structure for table `users`
--
CREATE TABLE `users` (
`id` bigint(20) UNSIGNED NOT NULL,
`name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`email` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`email_verified_at` timestamp NULL DEFAULT NULL,
`password` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`remember_token` varchar(100) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`created_at` timestamp NULL DEFAULT NULL,
`updated_at` timestamp NULL DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
--
-- Indexes for dumped tables
--
--
-- Indexes for table `failed_jobs`
--
ALTER TABLE `failed_jobs`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `migrations`
--
ALTER TABLE `migrations`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `password_resets`
--
ALTER TABLE `password_resets`
ADD KEY `password_resets_email_index` (`email`);
--
-- Indexes for table `sales_people`
--
ALTER TABLE `sales_people`
ADD PRIMARY KEY (`id`);
--
-- Indexes for table `users`
--
ALTER TABLE `users`
ADD PRIMARY KEY (`id`),
ADD UNIQUE KEY `users_email_unique` (`email`);
--
-- AUTO_INCREMENT for dumped tables
--
--
-- AUTO_INCREMENT for table `failed_jobs`
--
ALTER TABLE `failed_jobs`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT;
--
-- AUTO_INCREMENT for table `migrations`
--
ALTER TABLE `migrations`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=6;
--
-- AUTO_INCREMENT for table `sales_people`
--
ALTER TABLE `sales_people`
MODIFY `id` int(10) UNSIGNED NOT NULL AUTO_INCREMENT, AUTO_INCREMENT=3;
--
-- AUTO_INCREMENT for table `users`
--
ALTER TABLE `users`
MODIFY `id` bigint(20) UNSIGNED NOT NULL AUTO_INCREMENT;
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 */;
| 28.625592 | 229 | 0.689073 |
c05d886a6d8eac52dd53aa979ff53acce1e71995 | 99 | sql | SQL | Module/ProcessMonitor/DB/Test/get-os-memory.sql | oramake/oramake-framework | c988bc2e10621589e8d8f6a558a8c5b8cd0f8af3 | [
"Apache-2.0"
] | null | null | null | Module/ProcessMonitor/DB/Test/get-os-memory.sql | oramake/oramake-framework | c988bc2e10621589e8d8f6a558a8c5b8cd0f8af3 | [
"Apache-2.0"
] | 1 | 2021-11-01T11:55:22.000Z | 2021-11-01T11:55:22.000Z | Module/ProcessMonitor/DB/Test/get-os-memory.sql | oramake/oramake-framework | c988bc2e10621589e8d8f6a558a8c5b8cd0f8af3 | [
"Apache-2.0"
] | 2 | 2021-10-05T14:11:21.000Z | 2022-01-18T06:48:34.000Z | begin
pkg_Common.outputMessage(
to_char( pkg_ProcessMonitor.getOsMemory())
);
end;
/
| 14.142857 | 47 | 0.676768 |
fb19bc3ddd7e538288da1583a40fb468ac269508 | 495 | go | Go | CodingInterviews/ci46/dp.go | JiahaoHong1997/go_LeetCode | 4f8cf7d26293a35783527e7dbc397b3e46f45695 | [
"Apache-2.0"
] | null | null | null | CodingInterviews/ci46/dp.go | JiahaoHong1997/go_LeetCode | 4f8cf7d26293a35783527e7dbc397b3e46f45695 | [
"Apache-2.0"
] | null | null | null | CodingInterviews/ci46/dp.go | JiahaoHong1997/go_LeetCode | 4f8cf7d26293a35783527e7dbc397b3e46f45695 | [
"Apache-2.0"
] | null | null | null | package ci46
func translateNumDP(num int) int {
if num == 0 {
return 1
}
arr := []int{}
for num > 0 {
arr = append([]int{num%10}, arr...)
num /= 10
}
if len(arr) == 1 {
return 1
}
dp := make([]int, len(arr))
dp[0] = 1
if arr[0]*10 + arr[1] <= 25 {
dp[1] = 2
} else {
dp[1] = 1
}
for i:=2; i<len(dp); i++ {
x, y := arr[i-1], arr[i]
t := x*10 + y
if t >= 10 && t <= 25 {
dp[i] = dp[i-2] + dp[i-1]
} else {
dp[i] = dp[i-1]
}
}
return dp[len(dp)-1]
} | 13.75 | 37 | 0.448485 |
e0776e802e7ba9edef54332722c1d0c49a07f4b1 | 2,751 | swift | Swift | iRemeber/Pods/Core/Sources/Core/Cache.swift | cclovett/iRemeberM | ca7ecf9aa2a20156c638e23e4859e10d9bd2bb54 | [
"MIT"
] | 32 | 2019-06-27T03:31:30.000Z | 2022-02-26T23:03:05.000Z | iRemeber/Pods/Core/Sources/Core/Cache.swift | cclovett/iRemeberM | ca7ecf9aa2a20156c638e23e4859e10d9bd2bb54 | [
"MIT"
] | null | null | null | iRemeber/Pods/Core/Sources/Core/Cache.swift | cclovett/iRemeberM | ca7ecf9aa2a20156c638e23e4859e10d9bd2bb54 | [
"MIT"
] | 8 | 2019-09-12T07:03:11.000Z | 2022-03-03T09:17:18.000Z | public typealias Size = Int
public protocol Cacheable {
func cacheSize() -> Size
}
public final class SystemCache<Wrapped: Cacheable> {
public let maxSize: Size
private var ordered: OrderedDictionary<String, Wrapped> = .init()
public init(maxSize: Size) {
self.maxSize = maxSize
}
public subscript(key: String) -> Wrapped? {
get {
return ordered[key]
}
set {
ordered[key] = newValue
vent()
}
}
private func vent() {
var dropTotal = totalSize() - maxSize
while dropTotal > 0 {
let next = dropOldest()
guard let size = next?.cacheSize() else { break }
dropTotal -= size
}
}
private func totalSize() -> Size {
return ordered.unorderedItems.map { $0.cacheSize() } .reduce(0, +)
}
private func dropOldest() -> Wrapped? {
guard let oldest = ordered.oldest else { return nil }
ordered[oldest.key] = nil
return oldest.value
}
}
fileprivate struct OrderedDictionary<Key: Hashable, Value> {
fileprivate var oldest: (key: Key, value: Value)? {
guard let key = list.first, let value = backing[key] else { return nil }
return (key, value)
}
fileprivate var newest: (key: Key, value: Value)? {
guard let key = list.last, let value = backing[key] else { return nil }
return (key, value)
}
fileprivate var items: [Value] {
return list.flatMap { backing[$0] }
}
// theoretically slightly faster
fileprivate var unorderedItems: LazyMapCollection<Dictionary<Key, Value>, Value> {
return backing.values
}
private var list: [Key] = []
private var backing: [Key: Value] = [:]
fileprivate subscript(key: Key) -> Value? {
mutating get {
if let existing = backing[key] {
return existing
} else {
remove(key)
return nil
}
}
set {
if let newValue = newValue {
// overwrite anything that might exist
remove(key)
backing[key] = newValue
list.append(key)
} else {
backing[key] = nil
remove(key)
}
}
}
fileprivate subscript(idx: Int) -> (key: Key, value: Value)? {
guard idx < list.count, idx >= 0 else { return nil }
let key = list[idx]
guard let value = backing[key] else { return nil }
return (key, value)
}
fileprivate mutating func remove(_ key: Key) {
if let idx = list.index(of: key) {
list.remove(at: idx)
}
}
}
| 26.2 | 86 | 0.536896 |
1350d8ae5ce44db77274399edb68cd2715d74a67 | 1,906 | h | C | networkit/cpp/centrality/DynApproxBetweenness.h | maxvogel/NetworKit-mirror2 | 02a1805a4eda56fbdd647852afcfac26bcb77099 | [
"MIT"
] | null | null | null | networkit/cpp/centrality/DynApproxBetweenness.h | maxvogel/NetworKit-mirror2 | 02a1805a4eda56fbdd647852afcfac26bcb77099 | [
"MIT"
] | null | null | null | networkit/cpp/centrality/DynApproxBetweenness.h | maxvogel/NetworKit-mirror2 | 02a1805a4eda56fbdd647852afcfac26bcb77099 | [
"MIT"
] | null | null | null | /*
* DynApproxBetweenness.h
*
* Created on: 31.07.2014
* Author: ebergamini
*/
#ifndef DYNAPPROXBETW_H_
#define DYNAPPROXBETW_H_
#include "Centrality.h"
#include "DynCentrality.h"
#include "../dynamics/GraphEvent.h"
#include "../graph/DynSSSP.h"
#include <math.h>
#include <algorithm>
#include <memory>
#include <omp.h>
namespace NetworKit {
/**
* @ingroup centrality
* Interface for dynamic approximated betweenness centrality algorithm.
*/
class DynApproxBetweenness: public Centrality, public DynCentrality {
public:
/**
* The algorithm approximates the betweenness of all vertices so that the scores are
* within an additive error @a epsilon with probability at least (1- @a delta).
* The values are normalized by default.
*
* @param G the graph
* @param storePredecessors keep track of the lists of predecessors?
* @param epsilon maximum additive error
* @param delta probability that the values are within the error guarantee
*/
DynApproxBetweenness(const Graph& G, double epsilon=0.01, double delta=0.1, bool storePredecessors = true);
/**
* Runs the static approximated betweenness centrality algorithm on the initial graph.
*/
void run() override;
/**
* Updates the betweenness centralities after a batch of edge insertions on the graph.
*
* @param batch The batch of edge insertions.
*/
void update(const std::vector<GraphEvent>& batch);
/**
* Get number of path samples used for last calculation
*/
count getNumberOfSamples();
private:
bool storePreds = true;
double epsilon; //!< maximum error
double delta;
count r;
std::vector<std::unique_ptr<DynSSSP>> sssp;
std::vector<node> u;
std::vector<node> v;
std::vector <std::vector<node>> sampledPaths;
};
} /* namespace NetworKit */
#endif /* DYNAPPROXBETW_H_ */
| 26.109589 | 111 | 0.681532 |
ddfc130af063c40e11563486dedeb69c87062ccd | 5,296 | go | Go | pkg/jsonpath/jsonpath_test.go | KastenMike/kanister | f4590224cb0bd4d17e0a76f18c9e162325553cc6 | [
"Apache-2.0"
] | 467 | 2017-12-05T16:36:51.000Z | 2022-03-31T20:28:09.000Z | pkg/jsonpath/jsonpath_test.go | KastenMike/kanister | f4590224cb0bd4d17e0a76f18c9e162325553cc6 | [
"Apache-2.0"
] | 416 | 2018-01-26T22:02:48.000Z | 2022-03-31T22:19:27.000Z | pkg/jsonpath/jsonpath_test.go | muffl0n/kanister | 4b9eb0cc2e6c60f7e6d6b2499252f9583c29b75c | [
"Apache-2.0"
] | 87 | 2018-01-22T23:26:03.000Z | 2022-03-29T22:48:12.000Z | // Copyright 2021 The Kanister Authors.
//
// 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.
package jsonpath
import (
"testing"
. "gopkg.in/check.v1"
"k8s.io/apimachinery/pkg/runtime"
"k8s.io/client-go/kubernetes/scheme"
)
// Hook up gocheck into the "go test" runner.
func Test(t *testing.T) { TestingT(t) }
type JsonpathSuite struct{}
var _ = Suite(&JsonpathSuite{})
const deploy = `apiVersion: apps/v1
kind: Deployment
metadata:
annotations:
deployment.kubernetes.io/revision: "1"
creationTimestamp: "2021-08-30T14:43:29Z"
generation: 1
name: test-deployment
namespace: test
resourceVersion: "2393578"
uid: 13b876a9-440f-45ba-8e5f-fea8167b5dc9
spec:
progressDeadlineSeconds: 600
replicas: 3
revisionHistoryLimit: 10
selector:
matchLabels:
app: demo
strategy:
rollingUpdate:
maxSurge: 25%
maxUnavailable: 25%
type: RollingUpdate
template:
metadata:
creationTimestamp: null
labels:
app: demo
spec:
containers:
- image: nginx:1.12
imagePullPolicy: IfNotPresent
name: web
ports:
- containerPort: 80
name: http
protocol: TCP
resources: {}
terminationMessagePath: /dev/termination-log
terminationMessagePolicy: File
dnsPolicy: ClusterFirst
restartPolicy: Always
schedulerName: default-scheduler
securityContext: {}
terminationGracePeriodSeconds: 30
status:
availableReplicas: 3
conditions:
- lastTransitionTime: "2021-08-30T14:43:31Z"
lastUpdateTime: "2021-08-30T14:43:31Z"
message: Deployment has minimum availability.
reason: MinimumReplicasAvailable
status: "True"
type: Available
- lastTransitionTime: "2021-08-30T14:43:29Z"
lastUpdateTime: "2021-08-30T14:43:31Z"
message: ReplicaSet "test-deployment-6b4d4fbcdb" has successfully progressed.
reason: NewReplicaSetAvailable
status: "True"
type: Progressing
observedGeneration: 1
readyReplicas: 3
replicas: 3
updatedReplicas: 3
`
func runtimeObjFromYAML(c *C, specs string) runtime.Object {
decode := scheme.Codecs.UniversalDeserializer().Decode
obj, _, err := decode([]byte(specs), nil, nil)
c.Assert(err, IsNil)
return obj
}
func (js *JsonpathSuite) TestDeploymentReady(c *C) {
obj := runtimeObjFromYAML(c, deploy)
replica, err := ResolveJsonpathToString(obj, "{.spec.replicas}")
c.Assert(err, IsNil)
c.Assert(replica, Equals, "3")
readyReplicas, err := ResolveJsonpathToString(obj, "{.status.replicas}")
c.Assert(err, IsNil)
c.Assert(readyReplicas, Equals, "3")
availReplicas, err := ResolveJsonpathToString(obj, "{.status.availableReplicas}")
c.Assert(err, IsNil)
c.Assert(availReplicas, Equals, "3")
// Any condition with type Available
condType, err := ResolveJsonpathToString(obj, `{.status.conditions[?(@.type == "Available")].type}`)
c.Assert(err, IsNil)
c.Assert(condType, Equals, "Available")
condStatus, err := ResolveJsonpathToString(obj, `{.status.conditions[?(@.type == "Available")].status}`)
c.Assert(err, IsNil)
c.Assert(condStatus, Equals, "True")
_, err = ResolveJsonpathToString(obj, "{.status.something}")
c.Assert(err, NotNil)
}
func (js *JsonpathSuite) TestFindJsonpathArgs(c *C) {
for _, tc := range []struct {
arg string
expJsonpathArg map[string]string
}{
{
arg: "{{ if (eq {$.spec.replicas} { $.status.replicas } )}}true{{ else }}false{{ end }}",
expJsonpathArg: map[string]string{
"{$.spec.replicas}": ".spec.replicas",
"{ $.status.replicas }": ".status.replicas ",
},
},
{
arg: `{{ if and (eq {$.spec.replicas} {$.status.availableReplicas} )
(and (eq "{ $.status.conditions[?(@.type == "Available")].type }" "Available")
(eq "{ $.status.conditions[?(@.type == "Available")].status }" "True"))}}
true
{{ else }}
false
{{ end }}`,
expJsonpathArg: map[string]string{
"{$.spec.replicas}": ".spec.replicas",
"{$.status.availableReplicas}": ".status.availableReplicas",
"{ $.status.conditions[?(@.type == \"Available\")].type }": ".status.conditions[?(@.type == \"Available\")].type ",
"{ $.status.conditions[?(@.type == \"Available\")].status }": ".status.conditions[?(@.type == \"Available\")].status ",
},
},
{
arg: "{{ if (eq {$.book[?(@.price<10).quantity} 10 )}}true{{ else }}false{{ end }}",
expJsonpathArg: map[string]string{
"{$.book[?(@.price<10).quantity}": ".book[?(@.price<10).quantity",
},
},
{
arg: "{{ if (eq .Book.Quantity} 10 )}}true{{ else }}false{{ end }}",
expJsonpathArg: map[string]string{},
},
} {
m := FindJsonpathArgs(tc.arg)
c.Assert(m, DeepEquals, tc.expJsonpathArg)
}
}
| 30.262857 | 123 | 0.653323 |
75a9ee1766e4f0793adde7114920fbc2a31b862a | 1,311 | h | C | PathFindingForObjC-Example/Classes/Utilities/WBGameUtilities.h | wbcyclist/PathFindingForObjC | 1d62d2346a07dc3a93786a1bfaf918b9175b24ec | [
"MIT"
] | 75 | 2015-05-12T09:14:17.000Z | 2021-04-09T07:45:53.000Z | PathFindingForObjC-Example/Classes/Utilities/WBGameUtilities.h | wbcyclist/PathFindingForObjC | 1d62d2346a07dc3a93786a1bfaf918b9175b24ec | [
"MIT"
] | 2 | 2016-11-17T12:03:52.000Z | 2016-11-17T12:22:46.000Z | PathFindingForObjC-Example/Classes/Utilities/WBGameUtilities.h | wbcyclist/PathFindingForObjC | 1d62d2346a07dc3a93786a1bfaf918b9175b24ec | [
"MIT"
] | 12 | 2015-05-12T12:46:35.000Z | 2016-12-30T13:34:30.000Z | //
// WBGameUtilities.h
// BalloonFight
//
// Created by JasioWoo on 14/9/23.
// Copyright (c) 2014年 JasioWoo. All rights reserved.
//
#import "SKNode+WBKit.h"
#if TARGET_OS_IPHONE
#else
//iOS SDK NSStringFromCG To OSX SDK
#define NSStringFromCGPoint(x) NSStringFromPoint(NSPointFromCGPoint(x))
#define NSStringFromCGSize(x) NSStringFromSize(NSSizeFromCGSize(x))
#define NSStringFromCGRect(x) NSStringFromRect(NSRectFromCGRect(x))
#endif
/* The assets are all facing Y down, so offset by pi half to get into X right facing. */
#define WB_POLAR_ADJUST(x) x+(M_PI*0.5f)
/// 两点间的距离
CGFloat WB_DistanceBetweenPoints(CGPoint first, CGPoint second);
/// 两点直线相对的弧度
CGFloat WB_RadiansBetweenPoints(CGPoint first, CGPoint second);
/// 两点相加
CGPoint WB_PointByAddingCGPoints(CGPoint first, CGPoint second);
/// YES: x和y有相同的符号 NO: x,y有相反的符号
BOOL WB_ISSameSign(NSInteger x, NSInteger y);
/* Load the named frames in a texture atlas into an array of frames. */
NSArray *WB_LoadFramesFromAtlas(NSString *atlasName, NSString *baseFileName, int numberOfFrames);
/* Category on SKEmitterNode to make it easy to load an emitter from a node file created by Xcode. */
@interface SKEmitterNode (WBBalloonFightAdditions)
+ (instancetype)wbbf_emitterNodeWithEmitterNamed:(NSString *)emitterFileName;
@end
| 23.836364 | 101 | 0.768879 |
fb5bfed62d4d02b46cf2054650fd72bad2cef462 | 1,347 | h | C | 070308ntt/nttProbabilisticHough.h | ntthuy11/line-detection-hough-transforms | 1ada48b5e8a8b146b344c02903571e6d99213c83 | [
"MIT"
] | 1 | 2020-03-21T21:39:35.000Z | 2020-03-21T21:39:35.000Z | 070308ntt/nttProbabilisticHough.h | ntthuy11/LineDetectionUsingHoughTransform | 1ada48b5e8a8b146b344c02903571e6d99213c83 | [
"MIT"
] | null | null | null | 070308ntt/nttProbabilisticHough.h | ntthuy11/LineDetectionUsingHoughTransform | 1ada48b5e8a8b146b344c02903571e6d99213c83 | [
"MIT"
] | 1 | 2020-10-14T06:30:04.000Z | 2020-10-14T06:30:04.000Z | #pragma once
#include "cv.h"
#include "highgui.h"
#include "nttUtil.h"
#define DOUBLE_PRECISION (7)
#define PI (3.1415927)
#define HALF_PI (1.5707963)
class nttProbabilisticHough
{
public:
nttProbabilisticHough(void);
public:
~nttProbabilisticHough(void);
// main method
void run(IplImage* src, CvSeq *linesFound, double rhoResolution,
double thetaResolution, int threshold, int minLineLength, int maxGap);
private:
double* sinThetaList;
double* cosThetaList;
CvMemStorage* storage;
CvSeq* onPixels;
int *accData;
int accCols;
uchar *copiedData;
nttUtil util;
//
int generateSinThetaAndCosThetaList(double thetaResolution);
void getAllOnPixels(int height, int width, int step);
void accumulateOrDeaccumulate(int x, int y, double rhoResolution, int numOfTheta, int halfOfNumOfRho, int accOrDeacc);
void removeOnPixel(int x, int y);
bool isOnPixelsContain(int x, int y);
void findPixelsLeftAndRight(int x, int y, int thetaIndex, double rho, double rhoResolution, int numOfTheta,
int halfOfNumOfRho, int step, int width, int height, int maxGap, int leftOrRight);
void findPixelsUpAndDown(int x, int y, int thetaIndex, double rho, double rhoResolution, int numOfTheta,
int halfOfNumOfRho, int step, int width, int height, int maxGap, int upOrDown);
};
| 29.282609 | 120 | 0.731997 |
4b5fd357b76a3ccce4e7f0250a03d6d35f497fee | 141 | sql | SQL | paraflow-benchmark/src/main/resources/sql/nation.sql | dbiir/ParaFlow | 8c8b4c737b7592d19b2c698ec69ba000f63d20d5 | [
"Apache-2.0"
] | 45 | 2017-07-31T16:00:38.000Z | 2021-08-09T07:28:05.000Z | paraflow-benchmark/src/main/resources/sql/nation.sql | dbiir/paraflow | 8c8b4c737b7592d19b2c698ec69ba000f63d20d5 | [
"Apache-2.0"
] | 38 | 2017-07-31T15:55:32.000Z | 2021-12-14T21:14:01.000Z | paraflow-benchmark/src/main/resources/sql/nation.sql | taoyouxian/paraflow | 8c8b4c737b7592d19b2c698ec69ba000f63d20d5 | [
"Apache-2.0"
] | 34 | 2017-08-25T09:22:46.000Z | 2021-08-09T07:28:05.000Z | CREATE TABLE nation(n_nationkey int primary key, n_name varchar(25), n_regionkey int references region(r_regionkey), n_comment varchar(152)); | 141 | 141 | 0.822695 |
c3f9123c5d10e24458d96fc7b8aa547150764073 | 2,927 | go | Go | examples/naive_chain/test_message.pb.go | tock-ibm/consensus | fce7fcacf0ac0d447b1d271d3c89152a1e8bdb69 | [
"Apache-2.0"
] | 45 | 2019-05-16T07:33:57.000Z | 2022-02-15T21:11:49.000Z | examples/naive_chain/test_message.pb.go | tock-ibm/consensus | fce7fcacf0ac0d447b1d271d3c89152a1e8bdb69 | [
"Apache-2.0"
] | 153 | 2019-05-19T21:20:38.000Z | 2022-03-01T18:15:36.000Z | examples/naive_chain/test_message.pb.go | tock-ibm/consensus | fce7fcacf0ac0d447b1d271d3c89152a1e8bdb69 | [
"Apache-2.0"
] | 15 | 2019-05-28T07:02:55.000Z | 2022-03-03T11:33:18.000Z | // Code generated by protoc-gen-go. DO NOT EDIT.
// source: test_message.proto
package naive
import (
fmt "fmt"
math "math"
proto "github.com/golang/protobuf/proto"
)
// Reference imports to suppress errors if they are not otherwise used.
var _ = proto.Marshal
var _ = fmt.Errorf
var _ = math.Inf
// This is a compile-time assertion to ensure that this generated file
// is compatible with the proto package it is being compiled against.
// A compilation error at this line likely means your copy of the
// proto package needs to be updated.
const _ = proto.ProtoPackageIsVersion3 // please upgrade the proto package
type FwdMessage struct {
Sender uint64 `protobuf:"varint,1,opt,name=sender,proto3" json:"sender,omitempty"`
Payload []byte `protobuf:"bytes,2,opt,name=payload,proto3" json:"payload,omitempty"`
XXX_NoUnkeyedLiteral struct{} `json:"-"`
XXX_unrecognized []byte `json:"-"`
XXX_sizecache int32 `json:"-"`
}
func (m *FwdMessage) Reset() { *m = FwdMessage{} }
func (m *FwdMessage) String() string { return proto.CompactTextString(m) }
func (*FwdMessage) ProtoMessage() {}
func (*FwdMessage) Descriptor() ([]byte, []int) {
return fileDescriptor_fe93c4cad939e43a, []int{0}
}
func (m *FwdMessage) XXX_Unmarshal(b []byte) error {
return xxx_messageInfo_FwdMessage.Unmarshal(m, b)
}
func (m *FwdMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error) {
return xxx_messageInfo_FwdMessage.Marshal(b, m, deterministic)
}
func (m *FwdMessage) XXX_Merge(src proto.Message) {
xxx_messageInfo_FwdMessage.Merge(m, src)
}
func (m *FwdMessage) XXX_Size() int {
return xxx_messageInfo_FwdMessage.Size(m)
}
func (m *FwdMessage) XXX_DiscardUnknown() {
xxx_messageInfo_FwdMessage.DiscardUnknown(m)
}
var xxx_messageInfo_FwdMessage proto.InternalMessageInfo
func (m *FwdMessage) GetSender() uint64 {
if m != nil {
return m.Sender
}
return 0
}
func (m *FwdMessage) GetPayload() []byte {
if m != nil {
return m.Payload
}
return nil
}
func init() {
proto.RegisterType((*FwdMessage)(nil), "naive.FwdMessage")
}
func init() { proto.RegisterFile("test_message.proto", fileDescriptor_fe93c4cad939e43a) }
var fileDescriptor_fe93c4cad939e43a = []byte{
// 105 bytes of a gzipped FileDescriptorProto
0x1f, 0x8b, 0x08, 0x00, 0x00, 0x00, 0x00, 0x00, 0x02, 0xff, 0xe2, 0x12, 0x2a, 0x49, 0x2d, 0x2e,
0x89, 0xcf, 0x4d, 0x2d, 0x2e, 0x4e, 0x4c, 0x4f, 0xd5, 0x2b, 0x28, 0xca, 0x2f, 0xc9, 0x17, 0x62,
0xcd, 0x4b, 0xcc, 0x2c, 0x4b, 0x55, 0xb2, 0xe3, 0xe2, 0x72, 0x2b, 0x4f, 0xf1, 0x85, 0x48, 0x09,
0x89, 0x71, 0xb1, 0x15, 0xa7, 0xe6, 0xa5, 0xa4, 0x16, 0x49, 0x30, 0x2a, 0x30, 0x6a, 0xb0, 0x04,
0x41, 0x79, 0x42, 0x12, 0x5c, 0xec, 0x05, 0x89, 0x95, 0x39, 0xf9, 0x89, 0x29, 0x12, 0x4c, 0x0a,
0x8c, 0x1a, 0x3c, 0x41, 0x30, 0x6e, 0x12, 0x1b, 0xd8, 0x34, 0x63, 0x40, 0x00, 0x00, 0x00, 0xff,
0xff, 0x2c, 0x3b, 0x2f, 0xa2, 0x63, 0x00, 0x00, 0x00,
}
| 33.643678 | 100 | 0.708234 |
7f5c468bdb2511d4f86edf8325990905ac3ddfc9 | 18,415 | html | HTML | ConnectDome Product Page f82265aab9b94ca791a0450c0eadafd1/Private Beta 1 1 0aefc4dddc3b4bd7b4103aab0b2f3027.html | ConnectDome/product-updates | eee58bda63298afaeaf971832593805ab0e18360 | [
"MIT"
] | 1 | 2021-05-31T16:51:32.000Z | 2021-05-31T16:51:32.000Z | ConnectDome Product Page f82265aab9b94ca791a0450c0eadafd1/Private Beta 1 1 0aefc4dddc3b4bd7b4103aab0b2f3027.html | ConnectDome/product-updates | eee58bda63298afaeaf971832593805ab0e18360 | [
"MIT"
] | null | null | null | ConnectDome Product Page f82265aab9b94ca791a0450c0eadafd1/Private Beta 1 1 0aefc4dddc3b4bd7b4103aab0b2f3027.html | ConnectDome/product-updates | eee58bda63298afaeaf971832593805ab0e18360 | [
"MIT"
] | null | null | null | <html><head><meta http-equiv="Content-Type" content="text/html; charset=utf-8"/><title>Private Beta 1.1</title><style>
/* cspell:disable-file */
/* webkit printing magic: print all background colors */
html {
-webkit-print-color-adjust: exact;
}
* {
box-sizing: border-box;
-webkit-print-color-adjust: exact;
}
html,
body {
margin: 0;
padding: 0;
}
@media only screen {
body {
margin: 2em auto;
max-width: 900px;
color: rgb(55, 53, 47);
}
}
body {
line-height: 1.5;
white-space: pre-wrap;
}
a,
a.visited {
color: inherit;
text-decoration: underline;
}
.pdf-relative-link-path {
font-size: 80%;
color: #444;
}
h1,
h2,
h3 {
letter-spacing: -0.01em;
line-height: 1.2;
font-weight: 600;
margin-bottom: 0;
}
.page-title {
font-size: 2.5rem;
font-weight: 700;
margin-top: 0;
margin-bottom: 0.75em;
}
h1 {
font-size: 1.875rem;
margin-top: 1.875rem;
}
h2 {
font-size: 1.5rem;
margin-top: 1.5rem;
}
h3 {
font-size: 1.25rem;
margin-top: 1.25rem;
}
.source {
border: 1px solid #ddd;
border-radius: 3px;
padding: 1.5em;
word-break: break-all;
}
.callout {
border-radius: 3px;
padding: 1rem;
}
figure {
margin: 1.25em 0;
page-break-inside: avoid;
}
figcaption {
opacity: 0.5;
font-size: 85%;
margin-top: 0.5em;
}
mark {
background-color: transparent;
}
.indented {
padding-left: 1.5em;
}
hr {
background: transparent;
display: block;
width: 100%;
height: 1px;
visibility: visible;
border: none;
border-bottom: 1px solid rgba(55, 53, 47, 0.09);
}
img {
max-width: 100%;
}
@media only print {
img {
max-height: 100vh;
object-fit: contain;
}
}
@page {
margin: 1in;
}
.collection-content {
font-size: 0.875rem;
}
.column-list {
display: flex;
justify-content: space-between;
}
.column {
padding: 0 1em;
}
.column:first-child {
padding-left: 0;
}
.column:last-child {
padding-right: 0;
}
.table_of_contents-item {
display: block;
font-size: 0.875rem;
line-height: 1.3;
padding: 0.125rem;
}
.table_of_contents-indent-1 {
margin-left: 1.5rem;
}
.table_of_contents-indent-2 {
margin-left: 3rem;
}
.table_of_contents-indent-3 {
margin-left: 4.5rem;
}
.table_of_contents-link {
text-decoration: none;
opacity: 0.7;
border-bottom: 1px solid rgba(55, 53, 47, 0.18);
}
table,
th,
td {
border: 1px solid rgba(55, 53, 47, 0.09);
border-collapse: collapse;
}
table {
border-left: none;
border-right: none;
}
th,
td {
font-weight: normal;
padding: 0.25em 0.5em;
line-height: 1.5;
min-height: 1.5em;
text-align: left;
}
th {
color: rgba(55, 53, 47, 0.6);
}
ol,
ul {
margin: 0;
margin-block-start: 0.6em;
margin-block-end: 0.6em;
}
li > ol:first-child,
li > ul:first-child {
margin-block-start: 0.6em;
}
ul > li {
list-style: disc;
}
ul.to-do-list {
text-indent: -1.7em;
}
ul.to-do-list > li {
list-style: none;
}
.to-do-children-checked {
text-decoration: line-through;
opacity: 0.375;
}
ul.toggle > li {
list-style: none;
}
ul {
padding-inline-start: 1.7em;
}
ul > li {
padding-left: 0.1em;
}
ol {
padding-inline-start: 1.6em;
}
ol > li {
padding-left: 0.2em;
}
.mono ol {
padding-inline-start: 2em;
}
.mono ol > li {
text-indent: -0.4em;
}
.toggle {
padding-inline-start: 0em;
list-style-type: none;
}
/* Indent toggle children */
.toggle > li > details {
padding-left: 1.7em;
}
.toggle > li > details > summary {
margin-left: -1.1em;
}
.selected-value {
display: inline-block;
padding: 0 0.5em;
background: rgba(206, 205, 202, 0.5);
border-radius: 3px;
margin-right: 0.5em;
margin-top: 0.3em;
margin-bottom: 0.3em;
white-space: nowrap;
}
.collection-title {
display: inline-block;
margin-right: 1em;
}
time {
opacity: 0.5;
}
.icon {
display: inline-block;
max-width: 1.2em;
max-height: 1.2em;
text-decoration: none;
vertical-align: text-bottom;
margin-right: 0.5em;
}
img.icon {
border-radius: 3px;
}
.user-icon {
width: 1.5em;
height: 1.5em;
border-radius: 100%;
margin-right: 0.5rem;
}
.user-icon-inner {
font-size: 0.8em;
}
.text-icon {
border: 1px solid #000;
text-align: center;
}
.page-cover-image {
display: block;
object-fit: cover;
width: 100%;
height: 30vh;
}
.page-header-icon {
font-size: 3rem;
margin-bottom: 1rem;
}
.page-header-icon-with-cover {
margin-top: -0.72em;
margin-left: 0.07em;
}
.page-header-icon img {
border-radius: 3px;
}
.link-to-page {
margin: 1em 0;
padding: 0;
border: none;
font-weight: 500;
}
p > .user {
opacity: 0.5;
}
td > .user,
td > time {
white-space: nowrap;
}
input[type="checkbox"] {
transform: scale(1.5);
margin-right: 0.6em;
vertical-align: middle;
}
p {
margin-top: 0.5em;
margin-bottom: 0.5em;
}
.image {
border: none;
margin: 1.5em 0;
padding: 0;
border-radius: 0;
text-align: center;
}
.code,
code {
background: rgba(135, 131, 120, 0.15);
border-radius: 3px;
padding: 0.2em 0.4em;
border-radius: 3px;
font-size: 85%;
tab-size: 2;
}
code {
color: #eb5757;
}
.code {
padding: 1.5em 1em;
}
.code-wrap {
white-space: pre-wrap;
word-break: break-all;
}
.code > code {
background: none;
padding: 0;
font-size: 100%;
color: inherit;
}
blockquote {
font-size: 1.25em;
margin: 1em 0;
padding-left: 1em;
border-left: 3px solid rgb(55, 53, 47);
}
.bookmark {
text-decoration: none;
max-height: 8em;
padding: 0;
display: flex;
width: 100%;
align-items: stretch;
}
.bookmark-title {
font-size: 0.85em;
overflow: hidden;
text-overflow: ellipsis;
height: 1.75em;
white-space: nowrap;
}
.bookmark-text {
display: flex;
flex-direction: column;
}
.bookmark-info {
flex: 4 1 180px;
padding: 12px 14px 14px;
display: flex;
flex-direction: column;
justify-content: space-between;
}
.bookmark-image {
width: 33%;
flex: 1 1 180px;
display: block;
position: relative;
object-fit: cover;
border-radius: 1px;
}
.bookmark-description {
color: rgba(55, 53, 47, 0.6);
font-size: 0.75em;
overflow: hidden;
max-height: 4.5em;
word-break: break-word;
}
.bookmark-href {
font-size: 0.75em;
margin-top: 0.25em;
}
.sans { font-family: ui-sans-serif, -apple-system, BlinkMacSystemFont, "Segoe UI", Helvetica, "Apple Color Emoji", Arial, sans-serif, "Segoe UI Emoji", "Segoe UI Symbol"; }
.code { font-family: "SFMono-Regular", Consolas, "Liberation Mono", Menlo, Courier, monospace; }
.serif { font-family: Lyon-Text, Georgia, ui-serif, serif; }
.mono { font-family: iawriter-mono, Nitti, Menlo, Courier, monospace; }
.pdf .sans { font-family: Inter, ui-sans-serif, -apple-system, BlinkMacSystemFont, "Segoe UI", Helvetica, "Apple Color Emoji", Arial, sans-serif, "Segoe UI Emoji", "Segoe UI Symbol", 'Twemoji', 'Noto Color Emoji', 'Noto Sans CJK SC', 'Noto Sans CJK KR'; }
.pdf .code { font-family: Source Code Pro, "SFMono-Regular", Consolas, "Liberation Mono", Menlo, Courier, monospace, 'Twemoji', 'Noto Color Emoji', 'Noto Sans Mono CJK SC', 'Noto Sans Mono CJK KR'; }
.pdf .serif { font-family: PT Serif, Lyon-Text, Georgia, ui-serif, serif, 'Twemoji', 'Noto Color Emoji', 'Noto Sans CJK SC', 'Noto Sans CJK KR'; }
.pdf .mono { font-family: PT Mono, iawriter-mono, Nitti, Menlo, Courier, monospace, 'Twemoji', 'Noto Color Emoji', 'Noto Sans Mono CJK SC', 'Noto Sans Mono CJK KR'; }
.highlight-default {
}
.highlight-gray {
color: rgb(155,154,151);
}
.highlight-brown {
color: rgb(100,71,58);
}
.highlight-orange {
color: rgb(217,115,13);
}
.highlight-yellow {
color: rgb(223,171,1);
}
.highlight-teal {
color: rgb(15,123,108);
}
.highlight-blue {
color: rgb(11,110,153);
}
.highlight-purple {
color: rgb(105,64,165);
}
.highlight-pink {
color: rgb(173,26,114);
}
.highlight-red {
color: rgb(224,62,62);
}
.highlight-gray_background {
background: rgb(235,236,237);
}
.highlight-brown_background {
background: rgb(233,229,227);
}
.highlight-orange_background {
background: rgb(250,235,221);
}
.highlight-yellow_background {
background: rgb(251,243,219);
}
.highlight-teal_background {
background: rgb(221,237,234);
}
.highlight-blue_background {
background: rgb(221,235,241);
}
.highlight-purple_background {
background: rgb(234,228,242);
}
.highlight-pink_background {
background: rgb(244,223,235);
}
.highlight-red_background {
background: rgb(251,228,228);
}
.block-color-default {
color: inherit;
fill: inherit;
}
.block-color-gray {
color: rgba(55, 53, 47, 0.6);
fill: rgba(55, 53, 47, 0.6);
}
.block-color-brown {
color: rgb(100,71,58);
fill: rgb(100,71,58);
}
.block-color-orange {
color: rgb(217,115,13);
fill: rgb(217,115,13);
}
.block-color-yellow {
color: rgb(223,171,1);
fill: rgb(223,171,1);
}
.block-color-teal {
color: rgb(15,123,108);
fill: rgb(15,123,108);
}
.block-color-blue {
color: rgb(11,110,153);
fill: rgb(11,110,153);
}
.block-color-purple {
color: rgb(105,64,165);
fill: rgb(105,64,165);
}
.block-color-pink {
color: rgb(173,26,114);
fill: rgb(173,26,114);
}
.block-color-red {
color: rgb(224,62,62);
fill: rgb(224,62,62);
}
.block-color-gray_background {
background: rgb(235,236,237);
}
.block-color-brown_background {
background: rgb(233,229,227);
}
.block-color-orange_background {
background: rgb(250,235,221);
}
.block-color-yellow_background {
background: rgb(251,243,219);
}
.block-color-teal_background {
background: rgb(221,237,234);
}
.block-color-blue_background {
background: rgb(221,235,241);
}
.block-color-purple_background {
background: rgb(234,228,242);
}
.block-color-pink_background {
background: rgb(244,223,235);
}
.block-color-red_background {
background: rgb(251,228,228);
}
.select-value-color-default { background-color: rgba(206,205,202,0.5); }
.select-value-color-gray { background-color: rgba(155,154,151, 0.4); }
.select-value-color-brown { background-color: rgba(140,46,0,0.2); }
.select-value-color-orange { background-color: rgba(245,93,0,0.2); }
.select-value-color-yellow { background-color: rgba(233,168,0,0.2); }
.select-value-color-green { background-color: rgba(0,135,107,0.2); }
.select-value-color-blue { background-color: rgba(0,120,223,0.2); }
.select-value-color-purple { background-color: rgba(103,36,222,0.2); }
.select-value-color-pink { background-color: rgba(221,0,129,0.2); }
.select-value-color-red { background-color: rgba(255,0,26,0.2); }
.checkbox {
display: inline-flex;
vertical-align: text-bottom;
width: 16;
height: 16;
background-size: 16px;
margin-left: 2px;
margin-right: 5px;
}
.checkbox-on {
background-image: url("data:image/svg+xml;charset=UTF-8,%3Csvg%20width%3D%2216%22%20height%3D%2216%22%20viewBox%3D%220%200%2016%2016%22%20fill%3D%22none%22%20xmlns%3D%22http%3A%2F%2Fwww.w3.org%2F2000%2Fsvg%22%3E%0A%3Crect%20width%3D%2216%22%20height%3D%2216%22%20fill%3D%22%2358A9D7%22%2F%3E%0A%3Cpath%20d%3D%22M6.71429%2012.2852L14%204.9995L12.7143%203.71436L6.71429%209.71378L3.28571%206.2831L2%207.57092L6.71429%2012.2852Z%22%20fill%3D%22white%22%2F%3E%0A%3C%2Fsvg%3E");
}
.checkbox-off {
background-image: url("data:image/svg+xml;charset=UTF-8,%3Csvg%20width%3D%2216%22%20height%3D%2216%22%20viewBox%3D%220%200%2016%2016%22%20fill%3D%22none%22%20xmlns%3D%22http%3A%2F%2Fwww.w3.org%2F2000%2Fsvg%22%3E%0A%3Crect%20x%3D%220.75%22%20y%3D%220.75%22%20width%3D%2214.5%22%20height%3D%2214.5%22%20fill%3D%22white%22%20stroke%3D%22%2336352F%22%20stroke-width%3D%221.5%22%2F%3E%0A%3C%2Fsvg%3E");
}
</style></head><body><article id="0aefc4dd-dc3b-4bd7-b410-3aab0b2f3027" class="page sans"><header><div class="page-header-icon undefined"><span class="icon">🚀</span></div><h1 class="page-title">Private Beta 1.1</h1></header><div class="page-body"><p id="f477cc8f-408f-4dd3-8f6c-5a1ecda84e0b" class=""><mark class="highlight-red"><strong><a href="../ConnectDome%20Product%20Page%20f82265aab9b94ca791a0450c0eadafd1.html">Home</a></strong></mark><mark class="highlight-red"><strong> | </strong></mark><mark class="highlight-red"><strong><a href="https://connectdome.com">ConnectDome</a></strong></mark><mark class="highlight-red"><strong> | </strong></mark><mark class="highlight-red"><strong><a href="http://twitter.com/connectdome">Twitter</a></strong></mark><mark class="highlight-red"><strong> | </strong></mark><mark class="highlight-red"><strong><a href="http://connectdome.discord.com">Discord</a></strong></mark><mark class="highlight-red"><strong> | </strong></mark><mark class="highlight-red"><strong><a href="https://calendly.com/connectdome/arth">Schedule meeting with CEO</a></strong></mark></p><hr id="ee330d47-9243-4f6f-93b1-442fc8f6306d"/><p id="f89b2412-395f-4d13-b08d-c8aa040a3ca2" class=""><mark class="highlight-yellow_background"><strong>Version 1.1b - 29th May 2021</strong></mark></p><p id="11b5c9f1-3f02-4351-ab6f-66e862eb44fd" class="">Hey, 👋🏻! Today, we are excited to release 1.1b version of ConnectDome. It’s the second update since first private beta release of ConnectDome and include minor but necessary changes to the platform.</p><hr id="8c214166-1367-45c2-aea4-dbd625eafb2a"/><h2 id="2fbac056-8d77-411a-9f8b-b07b972080cc" class="">🎉 What's new?</h2><ul id="ea7275b6-18c6-43d7-8613-021c7ca987fd" class="bulleted-list"><li>New Favicon - Yes, look at your tab.</li></ul><ul id="bd9c4f74-f3d8-4896-b25b-bfd190c41eb5" class="bulleted-list"><li>Ability to mute browser notifications from users.</li></ul><ul id="b56dc7bc-cdf6-42fb-9143-8ffa9ed7ffc5" class="bulleted-list"><li>Ability to mute browser notifications from team chat.</li></ul><ul id="711b017b-0226-406c-8e62-5e49615cab74" class="bulleted-list"><li>If you’re the admin of your team, you can now remove members.</li></ul><ul id="c9ce635f-eff0-4ff2-951d-5c5cc81ff1e0" class="bulleted-list"><li><strong><em><mark class="highlight-orange_background"><a href="http://sptr.eomail6.com/f/a/oAyM4uzGTAX_HoNiSkVIbg~~/AAAHUQA~/RgRik8bdP0UgMjBjM2IzNzlhODNhNTBiZjAwZWU4OGY0NzIxYzgxZGOENgFodHRwOi8vc3B0ci5lb21haWw2LmNvbS9mL2EvV2tHYzdadl9BVmUxNWFUdFRXdTN1Z35-L0FBQUhVUUF-L1JnUmlrOFFWUDBVZ01qRmlaalZoWmpCak5HSTNaREJtWlRVNU1ESTFNR1E1TXpjMU1EazJOVGhFWEdoMGRIQnpPaTh2WjJsMGFIVmlMbU52YlM5amIyNXVaV04wWkc5dFpTOXlaWEJ2Y25RX2RYUnRYM052ZFhKalpUMWxiV0ZwYkc5amRHOXdkWE1tZFhSdFgyMWxaR2wxYlQxbGJXRnBiQ1oxZEcxZlkyRnRjR0ZwWjI0OVZ3VnpjR05sZFVJS1lLOFZQN0ZncHlEb0hGSVhabTkxYm1SbGNrQmpiMjV1WldOMFpHOXRaUzVqYjIxWUJBQUFGeGt-VwVzcGNldUIKYK_dQbFgwEyz9lIXZm91bmRlckBjb25uZWN0ZG9tZS5jb21YBAAAFxk~">Public Issue tracker introduced.</a></mark></em></strong></li></ul><ul id="6697dfcb-99a9-4090-a8d5-0a0f14d16948" class="bulleted-list"><li>Faster landing page experience.</li></ul><ul id="39e97383-c739-4fed-b702-451ddf0fb249" class="bulleted-list"><li>Image Size limit added for Project Logos and Profile Pictures.</li></ul><ul id="612f984c-86c9-4ac4-a0a4-140a9e854131" class="bulleted-list"><li>Code-quality has been improved, mostly concerns the internal team and not the users though</li></ul><h2 id="901326f6-f8ea-43e8-8e78-0cedaef19e41" class="">🎯 Up Next</h2><ul id="bbae859a-85fb-47ff-a2e5-b103a5af760b" class="bulleted-list"><li>Beta 1.5 is closer each day.</li></ul><ul id="af5bcec6-8e5c-422b-87f8-a8a855c76a5b" class="bulleted-list"><li>Expect a bit better UX experience in the next update 1.2b.</li></ul><ul id="557667fd-ac9f-4e41-9a4c-41c1b152e509" class="bulleted-list"><li>Next update from us will be on 7 June.</li></ul><p id="e4cc3f55-e692-4d0d-be96-bd9217925029" class="">We are working continuously on new features and talking to our users about what our approach should be.</p><hr id="9610ee86-e62e-493d-8fdb-489943317f6b"/><h2 id="965c0051-b091-470b-b5d6-db47fe2fd8d2" class="">💡Feedback</h2><p id="a976b0b2-2705-4f2a-8932-8b6efcf20646" class="">If you want to have a chat with the co-founders about your developer workflow, you can reply to this, we'd really appreciate that!</p><p id="442364e0-2253-41b1-bc09-132f5a5e4fca" class="">Or, if you have any other questions or reports, let us know by replying to this email or dropping a message on <em><strong><mark class="highlight-orange_background"><a href="http://sptr.eomail6.com/f/a/xOIgyD9xnEWkM93OA3Uw4Q~~/AAAHUQA~/RgRik8bdP0UgZTY1YTNlZWEyOWE0MDAwMGIzODViNjdiOWI4MmFhNGKELgFodHRwOi8vc3B0ci5lb21haWw2LmNvbS9mL2EvSkszdWQzMU9DbzB3Y2pMWGpWLWpud35-L0FBQUhVUUF-L1JnUmlrOFFWUDBVZ1pEWTRZVEEwTURWbFl6SmtORFUyTlRJM00yUmhOR1kwWldRNFlqazNNemRFVldoMGRIQTZMeTlrYVhOamIzSmtMbU52Ym01bFkzUmtiMjFsTG1OdmJUOTFkRzFmYzI5MWNtTmxQV1Z0WVdsc2IyTjBiM0IxY3laMWRHMWZiV1ZrYVhWdFBXVnRZV2xzSm5WMGJWOWpZVzF3WVdsbmJqMVhCWE53WTJWMVFncGdyeFVfc1dDbklPZ2NVaGRtYjNWdVpHVnlRR052Ym01bFkzUmtiMjFsTG1OdmJWZ0VBQUFYR1F-flcFc3BjZXVCCmCv3UGxYMBMs_ZSF2ZvdW5kZXJAY29ubmVjdGRvbWUuY29tWAQAABcZ">our Discord.</a></mark></strong></em></p><p id="14155ae0-d4c9-4643-98f9-0e0b9a1e39c0" class="">
</p><p id="4a86c8ac-d2e7-46a8-9fad-2503dc63b168" class=""><a href="https://connectdome.com">→ Check out ConnectDome</a></p><p id="ac91f1e7-6410-4052-b0df-c0980934bf5e" class=""><a href="https://discord.connectdome.com">→ Join our Discord</a></p><p id="7d6051f1-b6a0-4ae3-9198-16db69aff6c9" class="">→ Schedule a meeting with the CEO for any queries on ConnectDome : <a href="https://calendly.com/connectdome/arth">Calendly</a> </p><p id="064d41ba-ef5c-4557-a88f-0ec14251a17f" class="">
</p><p id="6e981247-7e0e-4477-981e-5c99b442cfb2" class=""><em>You can schedule a meeting with us using </em><a href="https://calendly.com/connectdome/arth"><em>this Calendly link</em></a><em> for any questions, suggestions, feedback, or anything else.</em></p><hr id="c29ca1e4-a03a-4127-b345-03ccab18ddb4"/><h2 id="42213c4e-80b0-4ee3-b2cc-9457663fc615" class="">🤩 Subscribe Notes</h2><p id="8f9bc9b6-a5c8-4857-80f4-d11ef145f8b8" class="">We try to be as transparent as possible about how we send these updates.</p><p id="27e883e3-d65d-4289-92cc-756202249fe1" class="">In a nutshell, </p><ul id="449eaeab-9f7b-44be-af49-85095367a492" class="bulleted-list"><li>ConnectDome users are automatically notified through Revue for releases before 1.5 and releases after ProductHunt. You will be asked to opt-in or opt-out during registration whenever we re-open our platform to the public.</li></ul><ul id="d187418d-a088-4c3a-ae4e-4cb037f415f8" class="bulleted-list"><li>Releases between 1.5 and ProductHunt Launch will be notified to our users and wait list subscribers through ProductHunt Ship.</li></ul><hr id="122e1880-ef6c-45e3-8b1a-30c0dbf6c956"/><p id="89a38536-6793-4046-84c8-158eaec9f446" class="">Are you interested? Join the wait list at <a href="https://connectdome.com">ConnectDome</a>.</p><p id="4376ea09-7e65-41bb-8bb6-9ccfc3d4bb7b" class="">
</p><p id="71b9d176-c784-4106-be9a-aebc6f6eaf3e" class="">
</p></div></article></body></html> | 29.137658 | 5,271 | 0.717296 |
518c0f09862e6b0300a940acf4e4da57b4d188e1 | 746 | sql | SQL | working/packages/vocabulary_download/bash_functions_umls.sql | Jake-Gillberg/Vocabulary-v5.0 | 3bec25c7fd2b46e5b5cae83fcc79aa8f4114392a | [
"Unlicense"
] | 149 | 2015-01-08T15:43:29.000Z | 2022-03-30T19:27:23.000Z | working/packages/vocabulary_download/bash_functions_umls.sql | Jake-Gillberg/Vocabulary-v5.0 | 3bec25c7fd2b46e5b5cae83fcc79aa8f4114392a | [
"Unlicense"
] | 461 | 2015-01-05T15:54:11.000Z | 2022-03-31T18:39:38.000Z | working/packages/vocabulary_download/bash_functions_umls.sql | Jake-Gillberg/Vocabulary-v5.0 | 3bec25c7fd2b46e5b5cae83fcc79aa8f4114392a | [
"Unlicense"
] | 70 | 2015-01-05T15:04:26.000Z | 2022-03-21T15:00:10.000Z | DO $_$
DECLARE
z text;
BEGIN
z:=$FUNCTIONBODY$
CREATE OR REPLACE FUNCTION vocabulary_download.get_umls_prepare (iPath text, iFilename text)
RETURNS void AS
$BODY$#!/bin/bash
#set permissions=775 by default
umask 002 && \
cd "$1/work" && \
f=$(unzip -l "$2" | awk 'NR == 4 {print $4}') && \
unzip -oq "$2" && \
cd "$f/META"
#move result to original folder
mv "MRCONSO.RRF" "$1" && \
mv "MRHIER.RRF" "$1" && \
mv "MRMAP.RRF" "$1" && \
mv "MRSMAP.RRF" "$1" && \
mv "MRSAT.RRF" "$1" && \
mv "MRREL.RRF" "$1" && \
mv "MRSTY.RRF" "$1"
$BODY$
LANGUAGE 'plsh'
SECURITY DEFINER;
$FUNCTIONBODY$;
--convert CRLF to LF for bash
EXECUTE REPLACE(z,E'\r','');
END $_$; | 24.866667 | 96 | 0.544236 |
74803a7aa9a8944950f5dd5aebeb76328381e2d7 | 3,649 | h | C | Source/WebKitLegacy/Storage/StorageAreaImpl.h | jacadcaps/webkitty | 9aebd2081349f9a7b5d168673c6f676a1450a66d | [
"BSD-2-Clause"
] | 6 | 2021-07-05T16:09:39.000Z | 2022-03-06T22:44:42.000Z | Source/WebKitLegacy/Storage/StorageAreaImpl.h | jacadcaps/webkitty | 9aebd2081349f9a7b5d168673c6f676a1450a66d | [
"BSD-2-Clause"
] | 7 | 2022-03-15T13:25:39.000Z | 2022-03-15T13:25:44.000Z | Source/WebKitLegacy/Storage/StorageAreaImpl.h | jacadcaps/webkitty | 9aebd2081349f9a7b5d168673c6f676a1450a66d | [
"BSD-2-Clause"
] | null | null | null | /*
* Copyright (C) 2008 Apple Inc. All Rights Reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions
* are met:
* 1. Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* 2. Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY APPLE INC. ``AS IS'' AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
* PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL APPLE INC. OR
* CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
* EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
* PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY
* OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
* OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
#pragma once
#include <WebCore/SecurityOriginData.h>
#include <WebCore/StorageArea.h>
#include <WebCore/Timer.h>
#include <wtf/HashMap.h>
#include <wtf/RefPtr.h>
namespace WebCore {
class SecurityOrigin;
class StorageMap;
}
namespace WebKit {
class StorageAreaSync;
class StorageAreaImpl : public WebCore::StorageArea {
public:
static Ref<StorageAreaImpl> create(WebCore::StorageType, const WebCore::SecurityOriginData&, RefPtr<WebCore::StorageSyncManager>&&, unsigned quota);
virtual ~StorageAreaImpl();
unsigned length() override;
String key(unsigned index) override;
String item(const String& key) override;
void setItem(WebCore::Frame* sourceFrame, const String& key, const String& value, bool& quotaException) override;
void removeItem(WebCore::Frame* sourceFrame, const String& key) override;
void clear(WebCore::Frame* sourceFrame) override;
bool contains(const String& key) override;
WebCore::StorageType storageType() const override;
size_t memoryBytesUsedByCache() override;
void incrementAccessCount() override;
void decrementAccessCount() override;
void closeDatabaseIfIdle() override;
Ref<StorageAreaImpl> copy();
void close();
// Only called from a background thread.
void importItems(HashMap<String, String>&& items);
// Used to clear a StorageArea and close db before backing db file is deleted.
void clearForOriginDeletion();
void sync();
void sessionChanged(bool isNewSessionPersistent);
private:
StorageAreaImpl(WebCore::StorageType, const WebCore::SecurityOriginData&, RefPtr<WebCore::StorageSyncManager>&&, unsigned quota);
explicit StorageAreaImpl(const StorageAreaImpl&);
void blockUntilImportComplete() const;
void closeDatabaseTimerFired();
void dispatchStorageEvent(const String& key, const String& oldValue, const String& newValue, WebCore::Frame* sourceFrame);
WebCore::StorageType m_storageType;
WebCore::SecurityOriginData m_securityOrigin;
RefPtr<WebCore::StorageMap> m_storageMap;
RefPtr<StorageAreaSync> m_storageAreaSync;
RefPtr<WebCore::StorageSyncManager> m_storageSyncManager;
#if ASSERT_ENABLED
bool m_isShutdown { false };
#endif
unsigned m_accessCount;
WebCore::Timer m_closeDatabaseTimer;
};
} // namespace WebCore
| 36.128713 | 152 | 0.756646 |
1269e65f8cc11687b0791d92147df2bd6c9ecd45 | 1,408 | h | C | sdk/xsm/include/complier.h | qianxj/XExplorer | 00e326da03ffcaa21115a2345275452607c6bab5 | [
"MIT"
] | null | null | null | sdk/xsm/include/complier.h | qianxj/XExplorer | 00e326da03ffcaa21115a2345275452607c6bab5 | [
"MIT"
] | null | null | null | sdk/xsm/include/complier.h | qianxj/XExplorer | 00e326da03ffcaa21115a2345275452607c6bab5 | [
"MIT"
] | null | null | null | /*
* Copyright (c) 2009-2009
* Hxsoft. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*
*/
#pragma once
#include "xsharp.h"
#include <istream>
using namespace std;
namespace xsharp {
class symtab;
class strtab;
class astnode;
class xsflexer;
class XSHAPE_API complier
{
public:
complier(void);
~complier(void);
public:
symtab* m_psymtab;
symtab* m_psymtabcur;
symtab* m_psymtabstore;//if m_psymtabcur not used, give it to m_psymtabstore for next use;
public:
strtab * m_pstrtab;
public:
//bool eval(lptstr psource,error * perror);
//bool eval(lptstr psource,bool debug = false);
bool eval(istream* arg_yyin , ostream* arg_yyout,bool debug = false);
public:
xsflexer * _lexer;
public:
int err(lptstr err);
public:
symtab* askchildsymtab();
void releasecursymtab();
public:
symtab* getcursymtab();
public:
astnode* m_prootnode;
public:
int seq;
};
} | 23.466667 | 91 | 0.733665 |
68cd45a8271deda657b08454ff6ed6d16ba5ab1d | 10,565 | asm | Assembly | exampl04/butntest/butntest.asm | AlexRogalskiy/Masm | d39498878f140696b299c76436f209156961429e | [
"MIT"
] | null | null | null | exampl04/butntest/butntest.asm | AlexRogalskiy/Masm | d39498878f140696b299c76436f209156961429e | [
"MIT"
] | null | null | null | exampl04/butntest/butntest.asm | AlexRogalskiy/Masm | d39498878f140696b299c76436f209156961429e | [
"MIT"
] | null | null | null | ; #########################################################################
;
; DEMO Custom colour button
;
; Characteristics : Button with seperate UP and DOWN colours as started.
; Adjustments : Dynamic colour change, both TEXT and BUTTON colours.
; Dynamic alignment control. Default font at startup is SYSTEM and
; can be changed dynamically by providing a valid font handle. Text
; can also be changed dynamically.
; The control uses a WM_COMMAND interface to perform most of the ajustments.
; invoke SendMessage,hButn,WM_COMMAND,0,000000DDh ; button up colour
; invoke SendMessage,hButn,WM_COMMAND,1,00000099h ; button down colour
; invoke SendMessage,hButn,WM_COMMAND,2,00000000h ; text up colour
; invoke SendMessage,hButn,WM_COMMAND,3,00FFFFFFh ; text down colour
; --------------------------------------------------
; text alignment, left = 1, centre = 2 right = 3
; --------------------------------------------------
; invoke SendMessage,hButn,WM_COMMAND,4,2 ; align button text
; Either,
; invoke SetWindowText,hButn,ADDR YourText
; or
; invoke SendMessage,hButn,WM_SETTEXT,0,ADDR YourText
;
; can be used to change the text dynamically.
; The font is changed using a WM_SETFONT message.
; invoke SendMessage,hButn,WM_SETFONT,hFont,0 ; set the font
; NOTE : When you create a font for the control, it must be removed when
; it is no longer used to prevent a resource memory leak.
; It can be created by the procedure provided or a direct call to
; CreateFont API. The font handle must have GLOBAL scope by putting it
; in the .DATA section.
; To destroy the font after it is no longer needed, use the DeleteObject
; API function and test the return value to make sure the resource is
; released.
; #########################################################################
.486 ; create 32 bit code
.model flat, stdcall ; 32 bit memory model
option casemap :none ; case sensitive
include butntest.inc ; local includes for this file
; ----------------------------------------------------
; use the library with the font and button procedures
; ----------------------------------------------------
include btest.inc
includelib btest.lib
.code
; #########################################################################
start:
invoke InitCommonControls
; ------------------
; set global values
; ------------------
invoke GetModuleHandle, NULL
mov hInstance, eax
invoke GetCommandLine
mov CommandLine, eax
invoke LoadIcon,hInstance,500 ; icon ID
mov hIcon, eax
invoke LoadCursor,NULL,IDC_ARROW
mov hCursor, eax
invoke GetSystemMetrics,SM_CXSCREEN
mov sWid, eax
invoke GetSystemMetrics,SM_CYSCREEN
mov sHgt, eax
invoke MakeFont,18,8,700,FALSE,SADD("times new roman")
mov RomanFont, eax ; <<<<<< DELETE this font on EXIT
call Main
invoke DeleteObject,RomanFont ; delete the font
invoke ExitProcess,eax
; #########################################################################
Main proc
LOCAL Wwd:DWORD,Wht:DWORD,Wtx:DWORD,Wty:DWORD
STRING szClassName,"Prostart_Class"
; --------------------------------------------
; register class name for CreateWindowEx call
; --------------------------------------------
invoke RegisterWinClass,ADDR WndProc,ADDR szClassName,
hIcon,hCursor,COLOR_BTNFACE+1
; -------------------------------------------------
; macro to autoscale window co-ordinates to screen
; percentages and centre window at those sizes.
; -------------------------------------------------
AutoScale 75, 70
invoke CreateWindowEx,WS_EX_LEFT,
ADDR szClassName,
ADDR szDisplayName,
WS_OVERLAPPEDWINDOW,
Wtx,Wty,Wwd,Wht,
NULL,NULL,
hInstance,NULL
mov hWnd,eax
; ---------------------------
; macros for unchanging code
; ---------------------------
DisplayWindow hWnd,SW_SHOWNORMAL
call MsgLoop
ret
Main endp
; #########################################################################
RegisterWinClass proc lpWndProc:DWORD, lpClassName:DWORD,
Icon:DWORD, Cursor:DWORD, bColor:DWORD
LOCAL wc:WNDCLASSEX
mov wc.cbSize, sizeof WNDCLASSEX
mov wc.style, CS_BYTEALIGNCLIENT or \
CS_BYTEALIGNWINDOW
m2m wc.lpfnWndProc, lpWndProc
mov wc.cbClsExtra, NULL
mov wc.cbWndExtra, NULL
m2m wc.hInstance, hInstance
invoke CreateSolidBrush,00000044h
mov wc.hbrBackground, eax
mov wc.lpszMenuName, NULL
m2m wc.lpszClassName, lpClassName
m2m wc.hIcon, Icon
m2m wc.hCursor, Cursor
m2m wc.hIconSm, Icon
invoke RegisterClassEx, ADDR wc
ret
RegisterWinClass endp
; ########################################################################
MsgLoop proc
; ------------------------------------------
; The following 4 equates are available for
; processing messages directly in the loop.
; m_hWnd - m_Msg - m_wParam - m_lParam
; ------------------------------------------
LOCAL msg:MSG
StartLoop:
invoke GetMessage,ADDR msg,NULL,0,0
cmp eax, 0
je ExitLoop
invoke TranslateMessage, ADDR msg
invoke DispatchMessage, ADDR msg
jmp StartLoop
ExitLoop:
mov eax, msg.wParam
ret
MsgLoop endp
; #########################################################################
WndProc proc hWin :DWORD,
uMsg :DWORD,
wParam :DWORD,
lParam :DWORD
LOCAL var :DWORD
LOCAL caW :DWORD
LOCAL caH :DWORD
LOCAL Rct :RECT
LOCAL buffer1[128]:BYTE ; these are two spare buffers
LOCAL buffer2[128]:BYTE ; for text manipulation etc..
.if uMsg == WM_COMMAND
;======== toolbar commands ========
.if wParam == 550
invoke SetWindowText,hWin,SADD("Button One")
invoke SendMessage,hButn1,WM_COMMAND,4,1
invoke SendMessage,hButn2,WM_COMMAND,4,1
invoke SendMessage,hButn3,WM_COMMAND,4,1
invoke SendMessage,hButn1,WM_COMMAND,0,0000DD00h ; up colour
invoke SendMessage,hButn1,WM_COMMAND,1,00009900h ; down colour
invoke SendMessage,hButn1,WM_COMMAND,2,00000000h ; up text colour
invoke SendMessage,hButn1,WM_COMMAND,3,00FFFFFFh ; down text colour
.elseif wParam == 551
invoke SetWindowText,hWin,SADD("Button Two")
invoke SendMessage,hButn1,WM_COMMAND,4,2
invoke SendMessage,hButn2,WM_COMMAND,4,2
invoke SendMessage,hButn3,WM_COMMAND,4,2
invoke SendMessage,hButn1,WM_COMMAND,0,000000DDh ; up colour
invoke SendMessage,hButn1,WM_COMMAND,1,00000099h ; down colour
invoke SendMessage,hButn1,WM_COMMAND,2,00000000h ; up text colour
invoke SendMessage,hButn1,WM_COMMAND,3,00FFFFFFh ; down text colour
.elseif wParam == 552
invoke SetWindowText,hWin,SADD("Button Three")
invoke SendMessage,hButn1,WM_COMMAND,4,3
invoke SendMessage,hButn2,WM_COMMAND,4,3
invoke SendMessage,hButn3,WM_COMMAND,4,3
.endif
.elseif uMsg == WM_CREATE
invoke Do_Status,hWin
invoke colrbutn,hWin,hInstance,SADD(" Button 1 "),
000000FFh,000000AAh,
50,50,150,25,2,550
mov hButn1, eax
invoke SendMessage,hButn1,WM_SETFONT,RomanFont,0
invoke colrbutn,hWin,hInstance,SADD(" Button 2 "),
00FFFFFFh,00AAAAAAh,
50,80,150,25,2,551
mov hButn2, eax
invoke SendMessage,hButn2,WM_SETFONT,RomanFont,0
invoke colrbutn,hWin,hInstance,SADD(" Button 3 "),
00FF0000h,00AA0000h,
50,110,150,25,2,552
mov hButn3, eax
invoke SendMessage,hButn3,WM_SETFONT,RomanFont,0
.elseif uMsg == WM_SYSCOLORCHANGE
.elseif uMsg == WM_SIZE
invoke MoveWindow,hStatus,0,0,0,0,TRUE
.elseif uMsg == WM_PAINT
invoke Paint_Proc,hWin
return 0
.elseif uMsg == WM_CLOSE
.elseif uMsg == WM_DESTROY
invoke PostQuitMessage,NULL
return 0
.endif
invoke DefWindowProc,hWin,uMsg,wParam,lParam
ret
WndProc endp
; ########################################################################
TopXY proc wDim:DWORD, sDim:DWORD
shr sDim, 1 ; divide screen dimension by 2
shr wDim, 1 ; divide window dimension by 2
mov eax, wDim ; copy window dimension into eax
sub sDim, eax ; sub half win dimension from half screen dimension
return sDim
TopXY endp
; #########################################################################
Paint_Proc proc hWin:DWORD
LOCAL hDC :DWORD
LOCAL btn_hi :DWORD
LOCAL btn_lo :DWORD
LOCAL Font :DWORD
LOCAL hOld :DWORD
LOCAL Rct :RECT
LOCAL Ps :PAINTSTRUCT
invoke BeginPaint,hWin,ADDR Ps
mov hDC, eax
; ----------------------------------------
invoke GetClientRect,hWin,ADDR Rct
mov Rct.left, 20
mov Rct.top, 10
mov Rct.right, 550
mov Rct.bottom, 30
invoke MakeFont,24,12,700,FALSE,SADD("times new roman")
mov Font, eax ; <<<<<< DELETE this font on EXIT
invoke SelectObject,hDC,Font
mov hOld, eax
invoke SetBkMode,hDC,TRANSPARENT
invoke SetTextColor,hDC,00888888h ; shadow
invoke DrawText,hDC,SADD("Technicolor Custom Button Example"),
-1,ADDR Rct,DT_CENTER or DT_VCENTER or DT_SINGLELINE
sub Rct.left,2
sub Rct.top,2
sub Rct.right,2
sub Rct.bottom,2
invoke SetTextColor,hDC,000000FFh ; red
invoke DrawText,hDC,SADD("Technicolor Custom Button Example"),
-1,ADDR Rct,DT_CENTER or DT_VCENTER or DT_SINGLELINE
invoke SelectObject,hDC,hOld
invoke DeleteObject,Font ; delete the font
; ----------------------------------------
invoke EndPaint,hWin,ADDR Ps
ret
Paint_Proc endp
; ########################################################################
end start
| 29.929178 | 85 | 0.550213 |
f87eb8d6a8a6f8331e49fe1ab99ce918390d5514 | 913 | kt | Kotlin | applib/src/main/java/com/king/applib/util/Exts.kt | hubme/WorkHelperApp | 90f4cbf40ba57836410469ff6c7d6fd19d9f1a5d | [
"Apache-2.0"
] | 4 | 2017-04-05T08:02:37.000Z | 2022-03-24T03:53:34.000Z | applib/src/main/java/com/king/applib/util/Exts.kt | hubme/WorkHelperApp | 90f4cbf40ba57836410469ff6c7d6fd19d9f1a5d | [
"Apache-2.0"
] | null | null | null | applib/src/main/java/com/king/applib/util/Exts.kt | hubme/WorkHelperApp | 90f4cbf40ba57836410469ff6c7d6fd19d9f1a5d | [
"Apache-2.0"
] | 2 | 2020-03-24T12:55:37.000Z | 2020-04-08T07:51:04.000Z | package com.king.applib.util
import android.app.Activity
import android.content.Context
import android.content.Intent
import android.content.SharedPreferences
import android.content.res.Resources
import android.util.TypedValue
/**
* Kotlin 扩展方法。
*
* @author guangxu.huo
* @since 2020/7/30
*/
val Float.dp
get() = TypedValue.applyDimension(
TypedValue.COMPLEX_UNIT_DIP, this,
Resources.getSystem().displayMetrics
).toInt()
val Float.sp
get() = TypedValue.applyDimension(
TypedValue.COMPLEX_UNIT_SP, this,
Resources.getSystem().displayMetrics
).toInt()
fun SharedPreferences.spEdit(action: SharedPreferences.Editor.() -> Unit) {
val editor = edit()
action(editor)
editor.apply()
}
inline fun <reified T : Activity> Context.openActivity(configIntent: Intent.() -> Unit = {}) {
startActivity(Intent(this, T::class.java).apply(configIntent))
} | 24.675676 | 94 | 0.715225 |
712bcafa52ee98dc7217659b08dd271e7881a30d | 1,190 | ts | TypeScript | src/app/services/data.service.ts | Osedx/Stageopdracht-MusicApp-player | 1fa2ea5bb10af431d038060e66e697b6460a0d7c | [
"MIT"
] | null | null | null | src/app/services/data.service.ts | Osedx/Stageopdracht-MusicApp-player | 1fa2ea5bb10af431d038060e66e697b6460a0d7c | [
"MIT"
] | null | null | null | src/app/services/data.service.ts | Osedx/Stageopdracht-MusicApp-player | 1fa2ea5bb10af431d038060e66e697b6460a0d7c | [
"MIT"
] | null | null | null | import { Injectable } from '@angular/core';
import { Http, Headers, RequestOptions } from '@angular/http';
import { Observable } from 'rxjs/Observable';
import 'rxjs/add/operator/map';
@Injectable()
export class DataService {
private headers = new Headers({ 'Content-Type': 'application/json' });
private options = new RequestOptions({ headers: this.headers });
constructor(private http: Http) { }
public getPlaylist(): Observable<any> {
return this.http.get('https://musicwebapp.herokuapp.com/api/playlist')
.map((res) => res.json());
}
public getToplist(): Observable<any> {
return this.http.get('https://musicwebapp.herokuapp.com/api/toplist')
.map((res) => res.json());
}
public getCountToplist(): Observable<any> {
return this.http.get('https://musicwebapp.herokuapp.com/api/toplist/count')
.map((res) => res.json());
}
public addPlaylistItem(playlistitem: any): Observable<any> {
console.log(this.options);
console.log(JSON.stringify(playlistitem));
return this.http.post('https://musicwebapp.herokuapp.com/api/playlistitem',
JSON.stringify(playlistitem), this.options);
}
}
| 35 | 85 | 0.669748 |
5f0a8e114b5650af4d1a9ad0d4ec35032831650d | 563 | sql | SQL | kata-files/lesson2/postgresql/expected/MYLARGESCHEMA/function/func97.sql | goldmansachs/obevo-kata | 5596ff44ad560d89d183ac0941b727db1a2a7346 | [
"Apache-2.0"
] | 22 | 2017-09-28T21:35:04.000Z | 2022-02-12T06:24:28.000Z | kata-files/lesson2/postgresql/expected/MYLARGESCHEMA/function/func97.sql | goldmansachs/obevo-kata | 5596ff44ad560d89d183ac0941b727db1a2a7346 | [
"Apache-2.0"
] | 6 | 2017-07-01T13:52:34.000Z | 2018-09-13T15:43:47.000Z | kata-files/lesson2/postgresql/expected/MYLARGESCHEMA/function/func97.sql | goldmansachs/obevo-kata | 5596ff44ad560d89d183ac0941b727db1a2a7346 | [
"Apache-2.0"
] | 11 | 2017-04-30T18:39:09.000Z | 2021-08-22T16:21:11.000Z | CREATE FUNCTION func97() RETURNS integer
LANGUAGE plpgsql
AS $$ DECLARE val INTEGER; BEGIN val:=(SELECT COUNT(*)INTO MYCOUNT FROM MYLARGESCHEMA.TABLE424);val:=(SELECT COUNT(*)INTO MYCOUNT FROM MYLARGESCHEMA.TABLE79);val:=(SELECT COUNT(*)INTO MYCOUNT FROM MYLARGESCHEMA.TABLE496);val:=(SELECT COUNT(*)INTO MYCOUNT FROM MYLARGESCHEMA.VIEW90);val:=(SELECT COUNT(*)INTO MYCOUNT FROM MYLARGESCHEMA.VIEW22);val:=(SELECT COUNT(*)INTO MYCOUNT FROM MYLARGESCHEMA.VIEW83);CALL FUNC337(MYVAR);CALL FUNC888(MYVAR);CALL FUNC238(MYVAR);CALL FUNC299(MYVAR);END $$;
GO | 80.428571 | 495 | 0.772647 |
fb12f80d74e8e736d99500e7e580ba0454e1c8a8 | 3,332 | c | C | Source Code/Library Game/Library/Il2cppBuildCache/UWP/x64/il2cppOutput/UnityEngine.VRModule_CodeGen.c | NathanZimmer/Unity-Physics-and-Texturing-project | b5116ea2eb0d7075ed7e47811781418f32be3088 | [
"CC0-1.0"
] | null | null | null | Source Code/Library Game/Library/Il2cppBuildCache/UWP/x64/il2cppOutput/UnityEngine.VRModule_CodeGen.c | NathanZimmer/Unity-Physics-and-Texturing-project | b5116ea2eb0d7075ed7e47811781418f32be3088 | [
"CC0-1.0"
] | 1 | 2022-02-13T03:28:21.000Z | 2022-02-14T03:06:34.000Z | Source Code/Library Game/Library/Il2cppBuildCache/UWP/x64/il2cppOutput/UnityEngine.VRModule_CodeGen.c | NathanZimmer/Unity-Physics-and-Texturing-project | b5116ea2eb0d7075ed7e47811781418f32be3088 | [
"CC0-1.0"
] | null | null | null | #include "pch-c.h"
#ifndef _MSC_VER
# include <alloca.h>
#else
# include <malloc.h>
#endif
#include "codegen/il2cpp-codegen-metadata.h"
// 0x00000001 System.Boolean UnityEngine.XR.XRSettings::get_enabled()
extern void XRSettings_get_enabled_m970BB98BF899D943776BE6EB66FE40AA9C12A902 (void);
// 0x00000002 System.Int32 UnityEngine.XR.XRSettings::get_eyeTextureWidth()
extern void XRSettings_get_eyeTextureWidth_m6202CB8B350531730FAFBBC6CF64EECCA3CBD860 (void);
// 0x00000003 System.Int32 UnityEngine.XR.XRSettings::get_eyeTextureHeight()
extern void XRSettings_get_eyeTextureHeight_m045874DF2D8935D59582C65D8EA9A0A3D96D091A (void);
// 0x00000004 UnityEngine.RenderTextureDescriptor UnityEngine.XR.XRSettings::get_eyeTextureDesc()
extern void XRSettings_get_eyeTextureDesc_m58F62EE4C7F46984BDC58081AF2E40DE625AC582 (void);
// 0x00000005 System.Single UnityEngine.XR.XRSettings::get_renderViewportScale()
extern void XRSettings_get_renderViewportScale_m7611DFAB2B3914ABAB79D1BF1A61909DD91A9538 (void);
// 0x00000006 System.Single UnityEngine.XR.XRSettings::get_renderViewportScaleInternal()
extern void XRSettings_get_renderViewportScaleInternal_m99A2E45DE86E39CAD2795A32424B3FF99A10261C (void);
// 0x00000007 UnityEngine.XR.XRSettings/StereoRenderingMode UnityEngine.XR.XRSettings::get_stereoRenderingMode()
extern void XRSettings_get_stereoRenderingMode_m2E44AF3D772559836F2357AEC1E175C68E6D94B9 (void);
// 0x00000008 System.Void UnityEngine.XR.XRSettings::get_eyeTextureDesc_Injected(UnityEngine.RenderTextureDescriptor&)
extern void XRSettings_get_eyeTextureDesc_Injected_m639509084F5EC222779474C77EF7586989C4F856 (void);
// 0x00000009 System.Void UnityEngine.XR.XRDevice::InvokeDeviceLoaded(System.String)
extern void XRDevice_InvokeDeviceLoaded_m3BDF6825A2A56E4923D4E6593C7BA2949B6A3581 (void);
// 0x0000000A System.Void UnityEngine.XR.XRDevice::.cctor()
extern void XRDevice__cctor_mC83C1293819B81E68EC72D01A5CC107DFE29B98C (void);
static Il2CppMethodPointer s_methodPointers[10] =
{
XRSettings_get_enabled_m970BB98BF899D943776BE6EB66FE40AA9C12A902,
XRSettings_get_eyeTextureWidth_m6202CB8B350531730FAFBBC6CF64EECCA3CBD860,
XRSettings_get_eyeTextureHeight_m045874DF2D8935D59582C65D8EA9A0A3D96D091A,
XRSettings_get_eyeTextureDesc_m58F62EE4C7F46984BDC58081AF2E40DE625AC582,
XRSettings_get_renderViewportScale_m7611DFAB2B3914ABAB79D1BF1A61909DD91A9538,
XRSettings_get_renderViewportScaleInternal_m99A2E45DE86E39CAD2795A32424B3FF99A10261C,
XRSettings_get_stereoRenderingMode_m2E44AF3D772559836F2357AEC1E175C68E6D94B9,
XRSettings_get_eyeTextureDesc_Injected_m639509084F5EC222779474C77EF7586989C4F856,
XRDevice_InvokeDeviceLoaded_m3BDF6825A2A56E4923D4E6593C7BA2949B6A3581,
XRDevice__cctor_mC83C1293819B81E68EC72D01A5CC107DFE29B98C,
};
static const int32_t s_InvokerIndices[10] =
{
2601,
2586,
2586,
2600,
2604,
2604,
2586,
2560,
2567,
2609,
};
extern const CustomAttributesCacheGenerator g_UnityEngine_VRModule_AttributeGenerators[];
IL2CPP_EXTERN_C const Il2CppCodeGenModule g_UnityEngine_VRModule_CodeGenModule;
const Il2CppCodeGenModule g_UnityEngine_VRModule_CodeGenModule =
{
"UnityEngine.VRModule.dll",
10,
s_methodPointers,
0,
NULL,
s_InvokerIndices,
0,
NULL,
0,
NULL,
0,
NULL,
NULL,
g_UnityEngine_VRModule_AttributeGenerators,
NULL, // module initializer,
NULL,
NULL,
NULL,
};
| 39.666667 | 118 | 0.872449 |
40ccf972a567c3de145b1e44cc26f79e0706fc6d | 67 | py | Python | challenge16.py | ritobanrc/project-euler | 56fd42204299636a98e48d3ab4d524aa54748ba4 | [
"MIT"
] | null | null | null | challenge16.py | ritobanrc/project-euler | 56fd42204299636a98e48d3ab4d524aa54748ba4 | [
"MIT"
] | null | null | null | challenge16.py | ritobanrc/project-euler | 56fd42204299636a98e48d3ab4d524aa54748ba4 | [
"MIT"
] | null | null | null | #!/usr/bin/env python3
print(sum([int(d) for d in str(2**1000)]))
| 16.75 | 42 | 0.626866 |
bb69a2d6b02fae2f682337479e9494fb7cba304d | 2,040 | swift | Swift | Example/Tests/Tests.swift | Voxar/SwiftStyle | 607e08ac50d6773c3a8c0c56b181d17cc3d3104e | [
"MIT"
] | null | null | null | Example/Tests/Tests.swift | Voxar/SwiftStyle | 607e08ac50d6773c3a8c0c56b181d17cc3d3104e | [
"MIT"
] | null | null | null | Example/Tests/Tests.swift | Voxar/SwiftStyle | 607e08ac50d6773c3a8c0c56b181d17cc3d3104e | [
"MIT"
] | null | null | null | // https://github.com/Quick/Quick
import Quick
import Nimble
@testable import SwiftStyle
class KeyPathValueStorageSpec: QuickSpec {
class ClassSubject {
var property: String = "Hello"
var int: Int = 0
}
class SubClassSubject: ClassSubject {
var subclassProperty: Float = 0
}
struct StructSubject {
var property: String? = "Hello"
var int: Int = 0
}
override func spec() {
describe("storing and applying values") {
it("can store and apply to class types") {
var store = KeyPathValueStore<ClassSubject>()
store[\.property] = "World"
store[\.int] = 22
var subject = ClassSubject()
store.apply(to: &subject)
expect(subject.property).to(equal("World"))
expect(subject.int).to(equal(22))
}
it("can store and apply to class types with inheritance") {
var store = KeyPathValueStore<SubClassSubject>()
store[\.property] = "World"
store[\.int] = 22
store[\.subclassProperty] = 1234.5678
var subject = SubClassSubject()
store.apply(to: &subject)
expect(subject.property).to(equal("World"))
expect(subject.int).to(equal(22))
expect(subject.subclassProperty).to(equal(1234.5678))
}
it("can store and apply to struct types") {
var store = KeyPathValueStore<StructSubject>()
store[\.property] = "World"
store[\.int] = 22
var subject = StructSubject()
store.apply(to: &subject)
expect(subject.property).to(equal("World"))
expect(subject.int).to(equal(22))
}
}
}
}
| 30.447761 | 71 | 0.486275 |
c6a1a083edf4e88b1b83acd8dc427c00f286f555 | 1,390 | dart | Dart | lib/main.dart | harshsdk/Stay-login-in-flutter | c72e46190831b39c92d55d4153d66107f30572b5 | [
"BSD-3-Clause"
] | 2 | 2021-02-24T07:48:58.000Z | 2021-04-30T13:09:05.000Z | lib/main.dart | harshsdk/Stay-login-in-flutter | c72e46190831b39c92d55d4153d66107f30572b5 | [
"BSD-3-Clause"
] | null | null | null | lib/main.dart | harshsdk/Stay-login-in-flutter | c72e46190831b39c92d55d4153d66107f30572b5 | [
"BSD-3-Clause"
] | null | null | null | import 'package:flutter/material.dart';
import 'package:get/get.dart';
import 'package:get/get_navigation/src/root/get_material_app.dart';
import 'package:getX/dashboard.dart';
import 'package:getX/loginpage.dart';
import 'package:get_storage/get_storage.dart';
void main() async {
await GetStorage.init();
runApp(MyApp());
}
class MyApp extends StatelessWidget {
// This widget is the root of your application.
@override
Widget build(BuildContext context) {
return GetMaterialApp(
debugShowCheckedModeBanner: false,
title: 'Flutter Demo',
theme: ThemeData(
primarySwatch: Colors.blue,
),
home: HomePage());
}
}
class HomePage extends StatefulWidget {
@override
_HomePageState createState() => _HomePageState();
}
class _HomePageState extends State<HomePage> {
final userdate = GetStorage();
@override
void initState() {
// TODO: implement initState
super.initState();
userdate.writeIfNull('isLogged', false);
Future.delayed(Duration.zero, () async {
checkiflogged();
});
}
@override
Widget build(BuildContext context) {
return Scaffold(
body: SafeArea(
child: Center(child: CircularProgressIndicator()),
),
);
}
void checkiflogged() {
userdate.read('isLogged')
? Get.offAll(DashBoard())
: Get.offAll(LoginPage());
}
}
| 22.419355 | 67 | 0.668345 |
b6c48a7d405aa88b4f41924b9ae250ad12dd1f33 | 679 | rb | Ruby | db/seeds.rb | mart1nez94/gestor-proyectos | faf6a915d2774a4c12f5d074171b5bc29a28e842 | [
"MIT"
] | null | null | null | db/seeds.rb | mart1nez94/gestor-proyectos | faf6a915d2774a4c12f5d074171b5bc29a28e842 | [
"MIT"
] | 7 | 2021-03-10T13:12:33.000Z | 2022-02-26T06:59:12.000Z | db/seeds.rb | mart1nez94/gestor-proyectos | faf6a915d2774a4c12f5d074171b5bc29a28e842 | [
"MIT"
] | null | null | null | # Tasks status
TaskStatus.create!( id: 1,
name: "To-Do")
TaskStatus.create!( id: 2,
name: "Doing")
TaskStatus.create!( id: 3,
name: "Done")
# Project status
ProjectStatus.create!(id: 1,
name: "Stand-by")
ProjectStatus.create!(id: 2,
name: "Developing")
ProjectStatus.create!(id: 3,
name: "Finished")
# Users for examples
User.create!( email: "armandoomtzz@gmail.com",
password: "armando")
User.create!( email: "armandog@icalialabs.com",
password: "armando")
| 25.148148 | 47 | 0.480118 |