From 68e0442868649d494069ee5227d964f3a8ba85e8 Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Mon, 3 Jul 2023 16:45:14 +0200 Subject: [PATCH 01/16] Added a test page --- frontend-react/src/components/Sidebar.js | 3 +++ frontend-react/src/routes.js | 8 ++++++++ frontend-react/src/views/Test/index.js | 5 +++++ 3 files changed, 16 insertions(+) create mode 100644 frontend-react/src/views/Test/index.js diff --git a/frontend-react/src/components/Sidebar.js b/frontend-react/src/components/Sidebar.js index 84bd5685..8b48c73a 100644 --- a/frontend-react/src/components/Sidebar.js +++ b/frontend-react/src/components/Sidebar.js @@ -49,6 +49,8 @@ const Sidebar = ({ [routeKeys.HOME]: useT('Home page'), [routeKeys.LOGIN]: useT('Log in'), [routeKeys.LOGOUT]: useT('Log out'), + [routeKeys.DRIVE]: useT('Add new drive'), + [routeKeys.TEST]: 'Testing', }; return ( @@ -84,6 +86,7 @@ const Sidebar = ({ to={r.path} className={classes.link} > + {console.log('traslations', r)} {translations[r.key]} diff --git a/frontend-react/src/routes.js b/frontend-react/src/routes.js index b77573b6..ba98e765 100644 --- a/frontend-react/src/routes.js +++ b/frontend-react/src/routes.js @@ -46,6 +46,7 @@ const routeKeys = { NOTFOUND: 'notfound', DEFAULT: 'default', DRIVE: 'drive', + TEST: 'test', }; const routes = [ @@ -73,10 +74,17 @@ const routes = [ component: lazy(() => import('./views/NotFound')), }, { + exact: true, path: '/drive', key: routeKeys.DRIVE, component: lazy(() => import('./views/Drive')), }, + { + exact: true, + path: '/test', + key: routeKeys.TEST, + component: lazy(() => import('./views/Test')), + }, { path: '*', key: routeKeys.DEFAULT, diff --git a/frontend-react/src/views/Test/index.js b/frontend-react/src/views/Test/index.js new file mode 100644 index 00000000..49db1e29 --- /dev/null +++ b/frontend-react/src/views/Test/index.js @@ -0,0 +1,5 @@ +import React from 'react'; + +const TestView = () => (

Testing

); + +export default TestView; From d598afc0e46e73b88750a93dde7f7fc91979b0d4 Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Tue, 4 Jul 2023 10:20:58 +0200 Subject: [PATCH 02/16] Added an accordion menu, and mockitems file --- .../views/Test/components/DrivesList/index.js | 65 +++++++++++++++++++ .../Test/components/DrivesList/mockItems.js | 0 frontend-react/src/views/Test/index.js | 5 +- 3 files changed, 68 insertions(+), 2 deletions(-) create mode 100644 frontend-react/src/views/Test/components/DrivesList/index.js create mode 100644 frontend-react/src/views/Test/components/DrivesList/mockItems.js diff --git a/frontend-react/src/views/Test/components/DrivesList/index.js b/frontend-react/src/views/Test/components/DrivesList/index.js new file mode 100644 index 00000000..05751dfc --- /dev/null +++ b/frontend-react/src/views/Test/components/DrivesList/index.js @@ -0,0 +1,65 @@ +import React from 'react'; +import { makeStyles } from '@material-ui/core/styles'; +import Accordion from '@material-ui/core/Accordion'; +import AccordionSummary from '@material-ui/core/AccordionSummary'; +import AccordionDetails from '@material-ui/core/AccordionDetails'; +import Typography from '@material-ui/core/Typography'; +import ExpandMoreIcon from '@material-ui/icons/ExpandMore'; + +const useStyles = makeStyles(theme => ({ + root: { + width: '100%', + }, + heading: { + fontSize: theme.typography.pxToRem(15), + fontWeight: theme.typography.fontWeightRegular, + }, +})); + +export default function DrivesList() { + const classes = useStyles(); + + return ( +
+ + } + aria-controls="panel1a-content" + id="panel1a-header" + > + Accordion 1 + + + + Lorem ipsum dolor sit amet, consectetur adipiscing elit. Suspendisse malesuada lacus ex, + sit amet blandit leo lobortis eget. + + + + + } + aria-controls="panel2a-content" + id="panel2a-header" + > + Accordion 2 + + + + Lorem ipsum dolor sit amet, consectetur adipiscing elit. Suspendisse malesuada lacus ex, + sit amet blandit leo lobortis eget. + + + + + } + aria-controls="panel3a-content" + id="panel3a-header" + > + Disabled Accordion + + +
+ ); +} diff --git a/frontend-react/src/views/Test/components/DrivesList/mockItems.js b/frontend-react/src/views/Test/components/DrivesList/mockItems.js new file mode 100644 index 00000000..e69de29b diff --git a/frontend-react/src/views/Test/index.js b/frontend-react/src/views/Test/index.js index 49db1e29..9151e04f 100644 --- a/frontend-react/src/views/Test/index.js +++ b/frontend-react/src/views/Test/index.js @@ -1,5 +1,6 @@ import React from 'react'; - -const TestView = () => (

Testing

); +import DrivesList from './components/DrivesList'; +// const TestView = () => (

Testing

); +const TestView = () => (); export default TestView; From 404e7ec2afdb206b7efd6623a529dffdad29c0ca Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Tue, 4 Jul 2023 11:25:32 +0200 Subject: [PATCH 03/16] added mock data to the accordion menus --- .../views/Test/components/DrivesList/index.js | 74 +- .../Test/components/DrivesList/mockItems.js | 2804 +++++++++++++++++ 2 files changed, 2854 insertions(+), 24 deletions(-) diff --git a/frontend-react/src/views/Test/components/DrivesList/index.js b/frontend-react/src/views/Test/components/DrivesList/index.js index 05751dfc..2b13cd13 100644 --- a/frontend-react/src/views/Test/components/DrivesList/index.js +++ b/frontend-react/src/views/Test/components/DrivesList/index.js @@ -5,6 +5,7 @@ import AccordionSummary from '@material-ui/core/AccordionSummary'; import AccordionDetails from '@material-ui/core/AccordionDetails'; import Typography from '@material-ui/core/Typography'; import ExpandMoreIcon from '@material-ui/icons/ExpandMore'; +import { mockDrives } from './mockItems'; const useStyles = makeStyles(theme => ({ root: { @@ -21,6 +22,55 @@ export default function DrivesList() { return (
+ {mockDrives.map((drive, index) => ( + + } + aria-controls="panel1a-content" + id="panel1a-header" + > + + {drive.date} + {' '} + From + {' '} + {drive.start_location} + {' '} + to + {' '} + {drive.end_location} + + + + +

+ {'Description: '} + {drive.description} +

+

+ {'With car: '} + {drive.car_plates} +

+

+ {'Passenger: '} + {drive.passenger} +

+

+ {'Project: '} + {drive.project_title} +

+

+ {'Starting milage: '} + {drive.start_mileage} +

+

+ {'Ending milage: '} + {drive.end_mileage} +

+
+
+
+ ))} } @@ -36,30 +86,6 @@ export default function DrivesList() { - - } - aria-controls="panel2a-content" - id="panel2a-header" - > - Accordion 2 - - - - Lorem ipsum dolor sit amet, consectetur adipiscing elit. Suspendisse malesuada lacus ex, - sit amet blandit leo lobortis eget. - - - - - } - aria-controls="panel3a-content" - id="panel3a-header" - > - Disabled Accordion - -
); } diff --git a/frontend-react/src/views/Test/components/DrivesList/mockItems.js b/frontend-react/src/views/Test/components/DrivesList/mockItems.js index e69de29b..9ae5a7a2 100644 --- a/frontend-react/src/views/Test/components/DrivesList/mockItems.js +++ b/frontend-react/src/views/Test/components/DrivesList/mockItems.js @@ -0,0 +1,2804 @@ +export const mockDrives = [ + { + id: 156, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Ground each magazine professional.', + description: + 'Million modern marriage stage. Answer south individual project. Her concern care crime word benefit agree girl.\nSister year brother boy.\nSoon talk use firm later floor take soldier. Read prevent car husband apply memory idea. Last toward TV light very.\nDecide under change institution. Attorney road carry last door similar. Director Democrat off whether. Fill property form star of.\nHouse grow computer live religious. Majority person environment almost TV door Mr. Pressure close pattern marriage democratic.\nAir class decade control change development.\nEvent necessary hundred and a let interview. Build behind act herself.\nThe require current let Mrs rich model. Later themselves financial.\nSignificant successful strategy tell window.\nHear short history. Adult wonder section attack.\nUs result cover. Child hold agent service.\nPm community suggest. Couple mission sound again list message especially.\nReflect practice foot bring land professional. Ahead happen three a. Long full sister.', + start_mileage: 859, + end_mileage: 3078, + diff_mileage: '2219', + start_location: 'селище Ічня', + end_location: 'місто Ізяслав', + driver: 'Григорій Перебийніс', + passenger: 'Зорян Андріїшин', + car__plates: 'IA8789ME', + fuel_consumption: '139.7', + }, + { + id: 155, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Ground each magazine professional.', + description: + 'Popular room next theory account list specific. Pm detail education. The age suffer someone group.\nSmile size woman Mr per. Language successful same argue protect wonder economic. Approach successful paper lose scene.\nNotice forward thought support religious. National stop with design call up pass sometimes.\nFull performance others relationship expert store. Involve book beyond five garden money ok.\nHold manager tree occur. Sea can statement. Idea actually sister read.\nKitchen artist development sort ground call benefit claim. Successful care generation item perhaps feeling. Attention begin out project ability.\nSix career figure body should certain. Many just visit member industry unit enough.\nAway suffer drop group establish production seem. Either amount green. When in choice set say available against claim.\nGoal practice sort in. Firm reach consider shoulder.', + start_mileage: 977, + end_mileage: 9317, + diff_mileage: '8340', + start_location: 'селище Перевальськ', + end_location: 'селище Сімферополь', + driver: 'Марія Ірванець', + passenger: 'Теодор Сич', + car__plates: 'KM6724CA', + fuel_consumption: '825.1', + }, + { + id: 154, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Author style current type size everybody officer.', + description: + 'Particular speech trouble would first despite tonight. Project various accept reason send.\nOften there late TV owner not body. Drive girl painting task serve listen. Discuss company low ago.\nCarry style thousand open talk best learn bag. Three attention task push little.\nLose man choose. Race film property.\nWhose mouth ground share talk language. Sit anything over decade drug week.\nDebate there billion so series song war use. Forget type soon card director name. Her great guess wait.\nMaintain growth far off approach. High window bill result others thing. Consider beautiful station suffer college knowledge policy.\nAvailable glass adult. Yard star dog class just. Development leave people spend cover leg. Away sort success list over likely spend.\nList work example never task reveal language step. Push clearly phone than.\nWhether chair imagine according. Represent discussion president.', + start_mileage: 725, + end_mileage: 6968, + diff_mileage: '6243', + start_location: 'селище Красноград', + end_location: 'село Гребінка', + driver: 'Герман Вітрук', + passenger: 'Зорян Андріїшин', + car__plates: 'CB0553TC', + fuel_consumption: '570.3', + }, + { + id: 153, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Author style current type size everybody officer.', + description: + 'Will summer allow color visit scientist safe. Wind guy crime course whose speech student. Prevent through discover move world word.\nCause my down add admit once sing. Start experience campaign figure.\nNetwork bank capital unit. Skill face entire energy these truth place. High as almost card life main left.\nFace watch couple throw. Million performance to itself.\nBelieve than over area ability number east. Too hard because bad most least include. Instead fish set wife level call chair charge.\nWhether focus charge none. Notice during forward air wrong focus. Guess end perform piece ball.\nRun usually window learn person option.\nForget west blood power local despite how high. She deal try gun. Wrong school street ability. Good reflect my whose represent.\nThere ability say natural they drug. Goal green catch fire.\nType travel themselves somebody decade good skin hear. Up interview remain study free.', + start_mileage: 876, + end_mileage: 5028, + diff_mileage: '4152', + start_location: 'місто Шахтарськ', + end_location: 'село Переяслав', + driver: 'Default Driver', + passenger: 'Ростислав Данько', + car__plates: 'UA000000', + fuel_consumption: '415.2', + }, + { + id: 152, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: + 'Then analysis we save stock might late. Hold authority soldier something.\nDirector before ability professional throw. Question money space unit green often follow. Early hand would eye kind sell.\nHome protect let. Instead drop teach pick or great section.\nTerm space check base. Public security south order new simply effect.\nDeal TV return guy response program radio. Strategy sound keep item bill.\nService character military right. Concern position image democratic per final let nothing.\nFinancial difficult condition defense Congress southern TV. Debate note hospital experience now everyone mention. Color personal activity.\nShort against reveal. Listen relate institution bring expert relationship human.\nMay term turn hard strong that under firm.\nTown strong close choose. Send court quite research. Act seven after.\nOk brother respond natural low. Country blue whose glass. There maybe prevent right building Republican.', + start_mileage: 27, + end_mileage: 8903, + diff_mileage: '8876', + start_location: 'селище Перевальськ', + end_location: 'хутір Андрушівка', + driver: 'Марія Ірванець', + passenger: 'Default Passenger', + car__plates: 'IA8789ME', + fuel_consumption: '558.82', + }, + { + id: 151, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Author style current type size everybody officer.', + description: + 'As resource speech he in. Cause near story. Health scientist who inside find Mrs.\nAuthority remain science threat thought account entire. Image owner affect marriage until. Stay never movement sport subject black.\nCommercial property government why which southern week. Often individual less family activity soon maintain level.\nProduction rather table them. Necessary wife effort wind note. Catch push star hard give stage current marriage.\nReal eye most give draw summer minute technology. Part team type concern. Early follow coach maintain cover generation.\nAttorney for off action.\nForm seat prove write threat structure. Address true reality machine military beat. Manage easy successful service its.\nMillion consider not. Professional commercial wide sometimes. Myself thousand office before partner.\nNew many firm arrive. That experience attention. Million TV size nation.\nFight race dog color per fill yeah long. Over determine visit magazine. Health challenge loss suddenly.', + start_mileage: 287, + end_mileage: 6120, + diff_mileage: '5833', + start_location: 'місто Рубіжне', + end_location: 'місто Одеса', + driver: 'Микита Дейнеко', + passenger: 'Default Passenger', + car__plates: 'UA000000', + fuel_consumption: '583.3', + }, + { + id: 150, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Author style current type size everybody officer.', + description: + 'Visit computer maintain resource sing else they. Focus item daughter remember amount chair economic writer.\nAge black bill blue kid choose activity focus. Get describe rest crime.\nMaterial entire relate space car international. It kind whose as when store. Stop fund total assume provide star.\nSoon impact talk house care conference. Teach hour piece indeed onto. Building join order between result cost man religious. Thing fire answer box talk.\nUp start when role quality contain hour. Charge military travel can word. Role article wife.\nPrepare ago among. Itself blue hospital wrong admit.\nHold tax recent certainly. Matter central home budget. Believe no style cultural.\nInstead rise college state notice something hotel hard. Guy save sea hard Mr she mean.\nWide party provide read read.\nCourse executive cover not. Heavy enter remain game.\nHalf record quite half after she difficult. Will population military. Environmental group between pick.', + start_mileage: 502, + end_mileage: 9159, + diff_mileage: '8657', + start_location: 'селище Прилуки', + end_location: 'село Докучаєвськ', + driver: 'Default Driver', + passenger: 'Еріка Чабан', + car__plates: 'KM6724CA', + fuel_consumption: '856.46', + }, + { + id: 149, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Ground each magazine professional.', + description: + 'Season ever take. Under mother away picture hear later chance. Campaign natural account enough month yes lay mission.\nJust political side wait. Hospital single present debate stage trade particular.\nGreen let draw organization produce politics may star. Now interview save five trip each attention. Consider anyone street time station.\nSchool service resource medical. Room until soon majority. Student establish yet character over matter.\nGeneral modern indeed effort decade if they unit. Whether manage whose meet. Study that difference name.\nDemocratic east side detail trouble loss. Material good fund professor develop contain everyone major.\nTell attack life owner. Less police career play whatever each little.\nHistory rest tough. Son from popular nearly realize statement. Budget begin house left authority especially.\nRespond probably thought wind TV able. Play activity if much send wind major. Citizen wall animal tend free.', + start_mileage: 69, + end_mileage: 6028, + diff_mileage: '5959', + start_location: 'місто Довжанськ', + end_location: 'хутір Севастополь', + driver: 'Марія Ірванець', + passenger: 'Михайло Тичина', + car__plates: 'KM6724CA', + fuel_consumption: '589.54', + }, + { + id: 148, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Ground each magazine professional.', + description: + 'Center reach simply read. Cultural share impact. Central away option series question.\nCommunity team require increase year old send. Management number set.\nFear number generation conference why reach structure thus.\nClass statement various learn. Half significant those happen ball structure.\nSister always position inside. Anyone describe weight candidate truth. International return account early.\nEasy foreign establish first. Spring will art significant. House right wish it son.\nRelate region recognize real himself. Little card career.\nAccording property action energy fact. Effect according break. Goal top dog share.\nDay authority human just tree hit still. Early letter him range.\nReady letter Mr player walk tell side. Station deep if establish can.\nSoon option debate reveal feeling. News assume special thing pick thank heart. Any office from goal stand likely trial.\nEveryone high collection or short political. Whether floor do set.', + start_mileage: 448, + end_mileage: 8000, + diff_mileage: '7552', + start_location: 'селище Олександрівськ', + end_location: 'село Нікополь', + driver: 'Марія Ірванець', + passenger: 'Теодор Сич', + car__plates: 'CB0553TC', + fuel_consumption: '689.87', + }, + { + id: 147, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Firm little since age Congress site research.', + description: + 'Operation bring computer adult let have morning cell. Network situation travel day. Add woman wear radio free think remain order. Understand cost activity.\nCitizen find worry. Little those author music look a there.\nWord box we explain on drive suffer.\nSignificant see computer though save four. Debate knowledge whole.\nShare be every represent employee both occur. Expect affect table huge. Only have population successful six.\nPositive interview into my. Bring interesting blood hundred.\nShow force field table energy. Sense important art thought. However sea house green according although.\nGuess throw question central friend social now. Pressure community together fear smile whose life. Fear adult start performance something take.\nWorld guess reveal another city ball side none. Traditional firm change life your because. Practice that impact society fund around.\nSign develop city this some check start father. Name name near citizen himself particular.', + start_mileage: 968, + end_mileage: 2250, + diff_mileage: '1282', + start_location: 'село Попасна', + end_location: 'хутір Каховка', + driver: 'Герман Вітрук', + passenger: 'Михайло Тичина', + car__plates: 'KM6724CA', + fuel_consumption: '126.83', + }, + { + id: 146, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Have new successful table article large.', + description: + 'Candidate simple everything himself. Claim mouth natural forward fly from follow.\nYes ask again available. Color speak teacher smile picture.\nImprove fight number condition. Oil find age run Mr skill.\nBecome region person sure nature. Agent cold community pretty.\nMeasure camera according order perform far. Heavy manage people fine week series. First big own section throw glass manager.\nLevel life same it work prevent international. Analysis successful else million executive.\nMarket hour song imagine stay choice. Suggest skill book position rather marriage.\nCampaign drop pattern natural. Left offer address exactly. Visit human happy attention adult service message.\nAbout side option this. Available executive represent material.\nArticle activity upon. Ability toward civil structure partner turn him. Talk people edge Congress knowledge.\nReturn skin home whatever. Show home really major behind similar call.', + start_mileage: 757, + end_mileage: 6807, + diff_mileage: '6050', + start_location: 'село Первомайськ', + end_location: 'хутір Чоп', + driver: 'Микита Дейнеко', + passenger: 'Теодор Сич', + car__plates: 'CE2475PK', + fuel_consumption: '326.8', + }, + { + id: 145, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Author style current type size everybody officer.', + description: + 'Single though certainly kid. Evidence base most speech. But where least share people off provide.\nTheory instead money resource task. Enough say future society religious partner. Issue specific better. Pass professor water reach position.\nTrouble east design walk behavior. Color bit miss themselves teach third manage. American nice property ahead food shake history range. Budget new computer manage.\nOpen prove fill key sure. Sister business worry indeed early another.\nType indicate wish budget ago join. Respond fall several truth. Wait reveal as industry.\nFigure large these game painting reduce do. West modern leg can.\nThink debate perhaps tonight budget whole herself pattern. Movement assume wear time require music.\nTake draw group management church out. Yard successful street piece break story. But land skill popular energy offer four. Former military point reach teacher.\nThese number impact teacher finally. Safe career similar.', + start_mileage: 34, + end_mileage: 4748, + diff_mileage: '4714', + start_location: 'селище Перечин', + end_location: 'місто Бахмут', + driver: 'Марія Ірванець', + passenger: 'Default Passenger', + car__plates: 'KM6724CA', + fuel_consumption: '466.37', + }, + { + id: 144, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Have never financial such. Year he course hear.', + description: + 'Although back almost hard final quality action. Apply strong experience news large direction. Billion section risk glass research.\nExpect admit happen field indeed agency risk. Growth surface choice put authority fight hotel. Same save others role painting issue forward. Song night return quality year market our.\nHand computer think left spend education. Create attack rise foreign example action politics.\nHalf never attorney black building garden. Wind about price left produce. Seat guy black provide could. Day easy character might movie page common.\nVarious peace energy dinner age full whole above. Simple offer conference state check civil fill. Agent where job young.\nGrow claim improve sing leg size mean next. Meeting anyone information build. Fill actually president fund structure available answer small.\nAmerican within ahead. Community address teacher kid small who sing.', + start_mileage: 895, + end_mileage: 9608, + diff_mileage: '8713', + start_location: 'селище Бунге ', + end_location: 'місто Монастирище', + driver: 'Марія Ірванець', + passenger: 'Зорян Андріїшин', + car__plates: 'KM6724CA', + fuel_consumption: '862.0', + }, + { + id: 143, + date: '2023-07-04', + country: 'South Sudan', + is_verified: 0, + project__title: 'Have never financial such. Year he course hear.', + description: + 'Party white hotel dog just. Present recently behavior management part teach popular. Provide imagine field child social yard.\nMean difference build fact into best already energy. Home computer stop price knowledge common.\nAlone training term key. Soon against want show. A inside last simply data respond name.\nTop usually surface bring. Thing fly theory.\nAll pressure particular stage real attack oil crime. Find enough his by measure.\nTeach kind state again. Wrong public through measure suddenly suffer property energy. Current conference season two western.\nWrite how develop final result range factor. Woman dinner eye fight bar. Weight walk shoulder impact.\nAmount near table military important religious quality. Minute increase international he contain share material. Bed unit apply. Near major ask camera glass cause.\nPage officer accept expect Republican. Wind government such father month off focus each.\nEnough general recently point. Family face others assume there discuss see.', + start_mileage: 418, + end_mileage: 6184, + diff_mileage: '5766', + start_location: 'хутір Ходорів', + end_location: 'хутір Гайсин', + driver: 'Лесь Носенко', + passenger: 'Еріка Чабан', + car__plates: 'CB0553TC', + fuel_consumption: '526.72', + }, + { + id: 142, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Firm little since age Congress site research.', + description: + 'Model dark church glass sense door. Candidate reflect lay.\nFirst project tough employee magazine network. Institution government well spring relationship guy. Else activity newspaper memory.\nHair growth generation shoulder. Think heavy stand you.\nMillion new piece knowledge break set. Management program about defense crime.\nDescribe miss letter then without. Pull TV note.\nLarge hour sister view share. Choose open cup contain same daughter. Help learn because within perform push.\nLead cup Mr total push color wait successful. Modern like education program. Catch which hundred career once low.\nBoy picture issue agent interview management.\nIndividual age kid cover determine. Difference direction leave. Add tend crime.\nMove but ground too perform.\nLarge miss ask commercial visit drive dream. Anyone know left collection involve budget than. Prove Mr report authority large everybody.\nBill fear social up ten represent make. Image again beyond activity deal cause issue. Paper less let support.', + start_mileage: 813, + end_mileage: 7409, + diff_mileage: '6596', + start_location: 'село Андрушівка', + end_location: 'хутір Хорол ', + driver: 'Герман Вітрук', + passenger: 'Еріка Чабан', + car__plates: 'UA000000', + fuel_consumption: '659.6', + }, + { + id: 141, + date: '2023-07-04', + country: 'South Sudan', + is_verified: '1', + project__title: 'Ground each magazine professional.', + description: + 'Attorney stock enjoy effort article various. Sister happy dinner during common. Memory another let me evidence.\nMachine look four hospital rock together country structure. Again number east establish.\nEnough mouth help experience fill clearly. Yeah world our.\nUnderstand bag live manager own daughter. Spring painting talk policy college show guy design. Financial political my parent.\nTheory product visit front want test generation. Beat reason window clear.\nAmong hospital argue impact whose shoulder. Remain here power three significant pull. Scientist book then animal senior only.\nMemory even should likely eight fast. Line have PM parent. Remain the fear coach.\nSister wrong traditional travel with listen tough. Single eat article billion bit animal ball.\nBring local discuss themselves second. Seat also stuff wrong toward financial. West quickly seem cut teach.\nFew nearly or consumer.', + start_mileage: 989, + end_mileage: 6694, + diff_mileage: '5705', + start_location: 'місто Бучач', + end_location: 'село Зугрес', + driver: 'Лесь Носенко', + passenger: 'Теодор Сич', + car__plates: 'CB0553TC', + fuel_consumption: '521.15', + }, + { + id: 140, + date: '2023-07-04', + country: 'South Sudan', + is_verified: 0, + project__title: 'Default Project', + description: + 'Consider really future own discover. Western citizen small treatment in return charge. May place word thousand eat number economic approach.\nWhen cause recognize result heavy. Improve environment throughout company anyone.\nMovie data source summer memory true statement seat. Wonder future economic benefit debate green.\nHe structure student network. Film work event color hard.\nReal base old hope sister during explain. Seem card story door performance financial certain.\nTell ability stand pattern wonder pretty drop. Suffer head car forget task wrong. Rule research whose computer manager memory. End trial quality involve over.\nUpon matter such nearly attention cold. Yes onto cover leader wind stay. Include data off.\nEvery from play upon create commercial federal where. Relate during no by share treat authority. Scene final scientist or successful even.\nBit customer majority. Leave official suddenly.', + start_mileage: 273, + end_mileage: 9482, + diff_mileage: '9209', + start_location: 'село Волноваха', + end_location: 'село Сімферополь', + driver: 'Лесь Носенко', + passenger: 'Михайло Тичина', + car__plates: 'CB0553TC', + fuel_consumption: '841.24', + }, + { + id: 139, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Have never financial such. Year he course hear.', + description: + 'Yes prepare certainly director huge surface. Line Mr media fly apply west top. Wall if shake.\nIndustry computer certainly example reason check. Number if off discover produce tonight discuss. Candidate worry skin on.\nBy participant blood son alone the court. Guy pick wide plan billion budget case mean.\nWest accept themselves material six carry business. Soldier their relate individual today. Note and area interesting.\nThen hand collection money.\nTake seven manager. Participant available seat read knowledge. Themselves course health go scientist year college.\nTree level how industry save point. Structure both quality forget subject ball capital degree.\nNecessary exist each. Light local house stage late body adult. Senior sport likely else no city.\nBreak individual reach.\nYour board hot he start. Own usually line produce surface agree. Ground admit community benefit soon him.', + start_mileage: 477, + end_mileage: 2604, + diff_mileage: '2127', + start_location: 'хутір Мостиська', + end_location: 'місто Токмак', + driver: 'Микита Дейнеко', + passenger: 'Теодор Сич', + car__plates: 'CE2475PK', + fuel_consumption: '114.89', + }, + { + id: 138, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Firm little since age Congress site research.', + description: + 'Protect me know here read. Window stage environment mention now she.\nDown study fine single security glass. Involve daughter who listen.\nEnjoy reality effect environmental. Break dark Congress ready company anyone direction.\nWhom mean increase training development. My similar unit address particularly wind easy.\nControl forget economic. Page summer else particular cultural fire. Society able throughout.\nOut in dream central lead. Expect including send which.\nGo when center new staff identify very. My course message detail.\nCell this pressure today the perhaps my. Foreign teacher add marriage.\nMovement stand with either.\nStory today story whom. When service person test.\nOff thousand well debate newspaper. Trade leader pick huge parent wife. Either street weight return benefit how fill.\nTree art father large direction animal manage international. Name carry true level little left. Everything environmental find describe art popular anyone.', + start_mileage: 385, + end_mileage: 8719, + diff_mileage: '8334', + start_location: 'село Любомль', + end_location: 'селище Вуглегірськ', + driver: 'Default Driver', + passenger: 'Теодор Сич', + car__plates: 'IA8789ME', + fuel_consumption: '524.69', + }, + { + id: 137, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Author style current type size everybody officer.', + description: + 'Himself behavior decision large. Week Mrs decade the cup mean his trade. Benefit clearly stand.\nThought child school final unit despite deal Democrat. Test hit should industry star case. Painting challenge all require those.\nWorld people political attention right business call. Direction hand public sign. Article thus there go may PM.\nDiscuss activity wide record easy. Job buy decision yeah cold.\nWrite back country grow both. Development effect left pass she economic.\nStock four suggest air someone move. Possible land figure region drive.\nAnother agreement explain else despite. Total reason total degree final evening. Republican its ready occur. Four sea degree maintain.\nGrow street defense its day pay. Among city kitchen. Establish treat particular natural send. Second bit television during central production.\nDifferent friend development issue know. Nor window above trade.\nSpecific strategy why reality customer heart fund treatment. Chair approach people response.', + start_mileage: 647, + end_mileage: 2825, + diff_mileage: '2178', + start_location: 'хутір Єнакієве', + end_location: 'місто Ужгород', + driver: 'Default Driver', + passenger: 'Теодор Сич', + car__plates: 'AB4011CT', + fuel_consumption: '204.88', + }, + { + id: 136, + date: '2023-07-04', + country: 'South Sudan', + is_verified: '1', + project__title: 'Firm little since age Congress site research.', + description: + 'Start top wide race later. Mr include threat activity child whom create.\nDespite bank good area speech modern either nor. Service himself force woman international specific environment if.\nThis event book instead. These maintain where speak positive.\nSpeak focus meet artist control. Its would according direction kitchen.\nHouse cost draw another change. Federal country state billion someone her. Factor letter claim place present thing education.\nDiscussion production top start necessary. Music away she training look analysis event.\nDetail change imagine and property decide speech we. Tax political big main. Her ability southern draw music blood.\nProfessor agent ever carry middle law source. Reality far entire hour condition once face. Past especially room music between member scene notice.\nBegin marriage remember well.\nNext hear first door. Minute director strategy hot this what another.\nAuthority new production bit phone son. Player describe beyond mission.', + start_mileage: 699, + end_mileage: 4198, + diff_mileage: '3499', + start_location: 'селище Здолбунів', + end_location: 'місто Зіньків', + driver: 'Лесь Носенко', + passenger: 'Default Passenger', + car__plates: 'KM6724CA', + fuel_consumption: '346.17', + }, + { + id: 135, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Have never financial such. Year he course hear.', + description: + 'Back believe vote pass style agreement measure. Policy right staff foot pick region test.\nMemory view forget himself wall person. Future that loss community low nice treatment.\nEat thing camera child. Fish see share front establish including. Not property participant front take of. Top approach population discuss feeling.\nReason mind soon nature agree visit toward. Bag vote he raise.\nSouthern deep budget police. Blood happy vote right.\nThis evidence there clear case support stuff. Free heavy power president apply civil customer. Stage together size send budget look song. He other dog which.\nGeneration ability view certain herself. Already program set this but process response.\nIndeed grow necessary. Grow letter prove pull suggest. Form animal walk laugh.\nBlack beat until garden. New career recently school tough.\nWait again quite whether half you black. Least include probably world affect meeting return. Together central nation official.', + start_mileage: 797, + end_mileage: 1523, + diff_mileage: '726', + start_location: 'хутір Географія Вільнянська', + end_location: 'село Бердянськ', + driver: 'Герман Вітрук', + passenger: 'Default Passenger', + car__plates: 'CB0553TC', + fuel_consumption: '66.32', + }, + { + id: 134, + date: '2023-07-04', + country: 'South Sudan', + is_verified: '1', + project__title: 'Default Project', + description: + 'One opportunity establish hundred change. Assume produce art population bag. Popular ready record health response minute space.\nTough like cup return. Idea analysis fast. Paper fact edge community his more push. Choose method claim yes reason.\nPlant bar sit. President throw dog always seek must. Add heavy join military imagine he. Visit Congress around remember.\nMiss perhaps condition market then management same dinner. Visit clearly stock cause by environmental body.\nSecond tend major heart eat. International always history happy reduce down buy. When trip figure wear look.\nOver under degree nice. Use improve hundred individual first. Specific seem commercial foot national.\nStop sell scene receive bed. Very consumer trouble apply image act American.\nHusband future develop difficult line.\nIssue full prevent official. Serious anyone style whether lot win. Adult book name budget someone environmental.', + start_mileage: 705, + end_mileage: 8308, + diff_mileage: '7603', + start_location: 'селище Кам янка-Дніпровська', + end_location: 'село Лозова ', + driver: 'Лесь Носенко', + passenger: 'Ростислав Данько', + car__plates: 'KM6724CA', + fuel_consumption: '752.19', + }, + { + id: 133, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Firm little since age Congress site research.', + description: + 'Example peace would very increase along often they. Power you project interesting relationship someone.\nBack point deal seem often answer.\nRoad any north control boy. International again personal. Draw dream agent.\nBenefit tonight ahead indeed price. Action water when professor season.\nStand unit his her speak state then. Practice must father natural. Military audience billion.\nAssume that discussion whole put. Eat almost able believe.\nHerself modern Congress account avoid. Artist imagine accept everything technology dinner none chair.\nKnow common among any.\nBillion a middle southern offer bit. Class safe majority view fish idea. Court six hit poor deal.\nPrepare between use finish effort. Voice imagine throughout church their team yourself value.\nWar base break just safe wish. Consider care attorney term remain many.\nWhile walk enjoy same best child agency religious. Seek myself million then general. Education eat scientist close some.', + start_mileage: 401, + end_mileage: 1935, + diff_mileage: '1534', + start_location: 'місто Зеленодольськ', + end_location: 'хутір Ходорів', + driver: 'Микита Дейнеко', + passenger: 'Михайло Тичина', + car__plates: 'CE2475PK', + fuel_consumption: '82.86', + }, + { + id: 132, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Author style current type size everybody officer.', + description: + 'Best finish success human turn me vote maybe. Many drug part air home east beautiful. Result throw shoulder six bank car Mr goal.\nLeast better machine thing would song decade hair. Maybe because computer prevent.\nWin term record security food likely something. Claim run peace build upon stay watch marriage.\nOperation consider final former shake especially prepare. You both why site stage they. Receive hope pick collection.\nWhile argue industry stage throw store church. Others learn respond. Firm alone stand true.\nBecause admit what source red. Citizen two training. Fight Democrat pressure. Stay just keep born will ok gun.\nType kid those decade. Series wall total old alone. Author quality you pattern cell quite.\nMemory street church people. Black live front mother season. Reality pretty expect make mission certainly stay. Music research pretty at future.', + start_mileage: 984, + end_mileage: 7913, + diff_mileage: '6929', + start_location: 'селище Ланівці', + end_location: 'місто Берислав', + driver: 'Григорій Перебийніс', + passenger: 'Михайло Тичина', + car__plates: 'CE2475PK', + fuel_consumption: '374.28', + }, + { + id: 131, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Have new successful table article large.', + description: + 'Resource animal create outside reveal. Company girl move kitchen full in. Course image everyone worry scene.\nWorld stop chance line country recently. Trouble occur maybe evening sit.\nMay be father although. Into actually military environment can attention. Physical three science rather check.\nYourself yourself outside interest alone tree table. Consider trip cut pay. Myself will term however perhaps class.\nNeed common become matter. Skill prove couple simply system.\nYard cultural will Mrs from. Trial can feeling.\nCustomer political exactly degree want student thank. Choice yourself in analysis dinner.\nPoint help recognize job serve important house. Form lay that actually. Pull hospital crime with.\nHerself difference religious appear song open. Mission on whom need none clearly want. Part its material beautiful.\nEven week before evidence yeah wear. Grow itself eight moment good half. Discuss others message compare mission. Mention view into front down available.', + start_mileage: 829, + end_mileage: 8164, + diff_mileage: '7335', + start_location: 'хутір Христинівка', + end_location: 'селище Кременчук', + driver: 'Default Driver', + passenger: 'Еріка Чабан', + car__plates: 'AB4011CT', + fuel_consumption: '690.0', + }, + { + id: 130, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: + 'Bring act heart out magazine. Region water ahead most man leg. Center individual pretty red chance.\nSend culture land yes. Difficult level election from month. Four realize scene discover.\nEast attack everyone speak range base. Section item much guy value. Leader above food get.\nAlone prevent sea begin. Factor it half per skill.\nPerson around carry decide despite. Foot her trade truth peace that.\nRace hundred similar budget piece good radio. Natural network order knowledge similar shoulder. Sign leg floor already.\nSeries clearly surface anyone good produce stand. Design pattern price it fill law professional whatever. Enjoy research American black how.\nPossible glass community pay guy kid. Really front baby.\nRecord work eight you table rule.\nReflect him another spring indeed find look carry. Safe wear state day perhaps. Miss although rest sense article small charge.\nAir commercial these arrive. Alone sit child quality month throw tend.', + start_mileage: 934, + end_mileage: 5477, + diff_mileage: '4543', + start_location: 'хутір Прилуки', + end_location: 'місто Вільногірськ', + driver: 'Григорій Перебийніс', + passenger: 'Михайло Тичина', + car__plates: 'KM6724CA', + fuel_consumption: '449.45', + }, + { + id: 129, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Have never financial such. Year he course hear.', + description: + 'Other candidate several fine tend some. Imagine bed spend responsibility. Teacher great bad.\nAdd cut everything day onto hospital. Learn politics back mean official huge. Structure cause tend inside several product good.\nHere this admit up. Force election partner family that let.\nAmount newspaper film. Everything run election. Between your onto yes thus.\nStory same couple hour play may. Conference design successful social important finally. Fact business much amount dark nearly citizen.\nStore main activity young sell they time.\nItem who bag sister beyond. Pm worker several. Third market question maintain.\nAnimal simply strong second record significant. Land rise edge character ever.\nRelationship whatever from study. Almost science note. Road part keep necessary nearly. Call move thousand week.\nInterview when fact TV. Style scientist think dog once age sport. Many western over very per.', + start_mileage: 648, + end_mileage: 6842, + diff_mileage: '6194', + start_location: 'селище Ямпіль', + end_location: 'село Пологи ', + driver: 'Микита Дейнеко', + passenger: 'Теодор Сич', + car__plates: 'CE2475PK', + fuel_consumption: '334.58', + }, + { + id: 128, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Ground each magazine professional.', + description: + 'Stop school tonight writer adult reflect. Even cover eat trip listen southern.\nThought former chance TV manager. Particular view describe near.\nTeach follow both ten. Beyond for the total likely although. Science sell agree bar word.\nSuccess citizen drug production win economic. Where agreement either garden clearly.\nBecome difference east significant drop. Produce college area kitchen single clearly method certainly.\nEverybody moment peace week within career organization. Property town save perhaps car mind. Outside ready peace hit beautiful almost.\nAction where consider bring science again early. Ten resource never candidate me meeting budget.\nScene direction within often minute stand number. Front possible benefit drive. Form understand ball clear movie.\nConsider only another. Lead really me where couple make street.\nPublic need money. Huge stage rock life support actually their. Live light receive last.\nKey discover scene. Hear people certain grow type.', + start_mileage: 328, + end_mileage: 1295, + diff_mileage: '967', + start_location: 'хутір Енергодар', + end_location: 'селище Гайсин', + driver: 'Default Driver', + passenger: 'Default Passenger', + car__plates: 'CE2475PK', + fuel_consumption: '52.23', + }, + { + id: 127, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: + 'Exist year evening control miss citizen. Feeling spend daughter save. Identify such exactly.\nAffect campaign sister must.\nPerformance again process between.\nRather fall pass size west during. Feeling former fire sport give. Specific matter whatever before plant lot officer.\nCourt fire risk individual. Pass join save might feeling well. Individual let seven article.\nLand learn pressure eye friend support. Bill season federal try share. Realize yes reveal customer research.\nVery game rise day consider tell when. Reach system actually letter hold. Into agree which buy scientist point. Sing investment build.\nStatement development receive nation push power example place. Name art task Mrs class five.\nSpring tonight action throughout teacher. Religious station can question else idea.\nSell phone send close. Your team family choose. Room whether we maybe.\nAccept beat candidate.\nBaby save into lawyer shake follow important. Record art heavy add that beyond our before.', + start_mileage: 107, + end_mileage: 3151, + diff_mileage: '3044', + start_location: 'місто Здолбунів', + end_location: 'село Маріуполь', + driver: 'Default Driver', + passenger: 'Еріка Чабан', + car__plates: 'KM6724CA', + fuel_consumption: '301.15', + }, + { + id: 126, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Have new successful table article large.', + description: + 'Full simple offer loss close. Country industry situation find myself yard.\nStructure though until everyone yard crime require. Again issue page. Side boy reality benefit.\nCurrent security a reveal figure. Old paper short whole pull one. Plan appear experience thank money stop your.\nGroup information good gun. Official our could be drop.\nRead finish visit exactly. Evening already believe live hot view once. East education idea federal. Drug wear end.\nOperation sit action cold someone. Baby whatever offer eat effect expect take. By development information worry now actually should. Computer store test old century floor career.\nMore no once service certain physical live.\nDiscussion let face live writer trade show. Leg give responsibility cost daughter leader bar camera.\nRegion will each according most investment material. Voice free friend memory.\nAgent miss space local. Yeah sometimes create recently.\nMilitary main life. Oil quite leave black real. Wish clear defense financial her skin.', + start_mileage: 756, + end_mileage: 4537, + diff_mileage: '3781', + start_location: 'селище Кременець', + end_location: 'село Болград', + driver: 'Григорій Перебийніс', + passenger: 'Еріка Чабан', + car__plates: 'CB0553TC', + fuel_consumption: '345.39', + }, + { + id: 125, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Have never financial such. Year he course hear.', + description: + 'Now response page issue institution. Morning then similar forward audience anyone civil.\nSummer leg ability measure director community. Good report teacher blood less.\nOften also center. Will bit benefit degree its now trial.\nActivity free national anything tax degree ago.\nNature woman glass need. Ready act allow seem play suddenly accept bit. Break none mean seek marriage every claim baby.\nDraw floor little eye goal whose. Behavior perform its tend operation whole. Me since indicate hold never fine. Take easy lose never investment apply.\nEntire away name cut point reduce easy. Participant many wrong common state. Woman option new responsibility. Quality throughout situation better from than.\nScore value issue attorney try. Pattern yourself medical if.\nReflect wonder rock. Can model reflect fly. Conference finally nice boy laugh.\nModern director other teach always city student. Method economic social according career. Better number within off recently suffer.', + start_mileage: 995, + end_mileage: 2318, + diff_mileage: '1323', + start_location: 'хутір Новий Буг', + end_location: 'місто Іршава', + driver: 'Григорій Перебийніс', + passenger: 'Михайло Тичина', + car__plates: 'CB0553TC', + fuel_consumption: '120.86', + }, + { + id: 124, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Firm little since age Congress site research.', + description: + 'Painting price reality least kind individual. President sign nearly several by party painting. Paper final charge.\nPressure black pattern now main win. Who support still move see. Forward sing need.\nMove after seek least compare possible turn. Town laugh success former.\nCar network decide teach laugh economy movement. Onto onto free oil. Page size serious some economy career.\nSo to treat protect. Media serious resource better return.\nTop hotel last one. Perhaps soldier throw man candidate whose allow.\nPositive attention continue bring green rest individual popular. Boy start investment not move fund.\nExactly past vote piece technology color of. Measure political animal spring. Take here agent song add father ok.\nSituation yard wonder event stop six. Drug later newspaper page need step guy away. Course realize pick economy modern mission situation.\nLive mission main wall. Hotel social shoulder product year.', + start_mileage: 41, + end_mileage: 1063, + diff_mileage: '1022', + start_location: 'місто Луцьк', + end_location: 'хутір Ізюм', + driver: 'Default Driver', + passenger: 'Теодор Сич', + car__plates: 'AB4011CT', + fuel_consumption: '96.14', + }, + { + id: 123, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: + 'Sort sound discuss catch above yes. Onto prove majority evidence imagine value.\nManager pressure police writer institution fire baby. Keep knowledge food plant. Learn after final want.\nAccount century common top painting article its film. Issue well language office raise.\nModern network wrong school. As short family. Quickly father tree decision design.\nCause world during option. Happy tonight a.\nTop blue happy. Off side could who put. Item want bar research argue share then.\nRise serious hit hard provide. Season create part could cause number claim.\nHour especially foreign. Consumer question scene west maybe indicate quickly I. Wall relationship office interesting maybe. Interview degree media class oil today step citizen.\nProduce remain court two. Sign soon year office.\nImpact shake then street ever. Weight begin factor body.\nMention here sell wrong. Go financial along. Indeed type across community manager rate.', + start_mileage: 411, + end_mileage: 6898, + diff_mileage: '6487', + start_location: 'хутір Городище ', + end_location: 'селище Сулимівка (Слов янськ)', + driver: 'Герман Вітрук', + passenger: 'Ростислав Данько', + car__plates: 'IA8789ME', + fuel_consumption: '408.41', + }, + { + id: 122, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Have never financial such. Year he course hear.', + description: + 'Congress use perform last power half. Herself raise budget a choose pick discussion.\nOnce production no wish. Boy nothing fear senior record economic south. Avoid anyone claim.\nCouple guess visit kid door dog defense. Keep home account history yeah network. Hour including their reveal.\nAgainst treat federal worry about discover.\nPolicy clear kid public performance great focus. Similar interview serious building.\nPosition expect sister. View suggest fear win suffer word. Trouble wait early task.\nPicture out list result just. Development artist few everyone company detail. Whole involve strategy middle many great occur attack.\nBoth work evening cause east issue effort. Certain true what itself.\nTerm reflect animal compare bad participant. Future policy both maybe whom need. Network low say bill.\nReduce change important painting where individual. Anyone price exist rise performance catch. Site it quality live.', + start_mileage: 791, + end_mileage: 5961, + diff_mileage: '5170', + start_location: 'селище Перещепине', + end_location: 'місто Кадіївка', + driver: 'Микита Дейнеко', + passenger: 'Ростислав Данько', + car__plates: 'CE2475PK', + fuel_consumption: '279.27', + }, + { + id: 121, + date: '2023-07-04', + country: 'South Sudan', + is_verified: '1', + project__title: 'Have new successful table article large.', + description: + 'Top food notice together star. Citizen born ahead Republican. Mrs standard establish mean.\nConcern military above explain.\nCentral model try my trouble away why daughter. So amount somebody interest idea drive to. Difference ago success since middle in.\nAssume later lawyer spring. Support source discuss test court color us rather. Pressure these community system.\nThis simple teach threat also. Suffer they speak move difference natural production. Prove this authority low material mission.\nDown order eat maintain less loss claim. Nothing product campaign team. Structure attorney generation morning billion miss.\nAbility rate yet physical provide something can four. Mission brother military pretty recognize market time.\nBefore never rich. Travel music question dark.\nShe player agent happen rock run. Return ask let Democrat form another give. Few manage race experience though.\nMore give the wall itself. Major wait hit person forget term.', + start_mileage: 970, + end_mileage: 5588, + diff_mileage: '4618', + start_location: 'хутір Копичинці', + end_location: 'селище Суходільськ', + driver: 'Лесь Носенко', + passenger: 'Зорян Андріїшин', + car__plates: 'CB0553TC', + fuel_consumption: '421.85', + }, + { + id: 120, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Have new successful table article large.', + description: + 'Society nature star street place wrong board fire. Bag low despite still woman single me theory.\nOther loss name last national charge often. Interesting win author use sure court. Still know remain material professor century really.\nFigure network least treatment American. Whom least art ten candidate clear.\nSeveral defense everybody wife concern everything. Consider scene election about. Store add easy outside local.\nEducation else really. Message degree woman soldier page. Hospital half care realize whom.\nExactly child black within. Benefit sometimes machine family character even.\nSummer capital source war player which citizen. Form finally around push figure.\nTheory laugh happy between. Responsibility population employee area approach.\nCourse reality campaign special travel conference. Respond describe investment eye.\nCause whom herself discover relate campaign. Under traditional occur guess question hope that. Staff show yes I.\nAgreement fast before result doctor several.', + start_mileage: 775, + end_mileage: 7282, + diff_mileage: '6507', + start_location: 'хутір Комарно', + end_location: 'хутір Білозерське', + driver: 'Герман Вітрук', + passenger: 'Еріка Чабан', + car__plates: 'UA000000', + fuel_consumption: '650.7', + }, + { + id: 119, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Author style current type size everybody officer.', + description: + 'Rest win common hear loss. Agency edge citizen state. Half yourself pass which financial daughter.\nDespite accept quickly lead card. Carry free rise finish mind yard.\nMarket church security way should entire surface himself. Pick near daughter room song Congress.\nTest blue after when strong. Your political two cause security claim. Often resource easy former.\nHope true sure factor wind traditional. Away agency establish your. Center once generation certainly yeah past far effect.\nTeach away pay outside. Career beyond nearly. Field become process detail.\nGo happen house letter according. Participant yet color.\nName rock thousand possible area whether. Respond indeed dinner. Other education ask member positive determine federal. Road human trial end prevent radio young.\nClass challenge against mind them young. Raise present wind difference program. All support tell dark past. There fish success pick onto article too.', + start_mileage: 768, + end_mileage: 9048, + diff_mileage: '8280', + start_location: 'селище Балта', + end_location: 'село Бобровиця', + driver: 'Герман Вітрук', + passenger: 'Зорян Андріїшин', + car__plates: 'IA8789ME', + fuel_consumption: '521.29', + }, + { + id: 118, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Firm little since age Congress site research.', + description: + 'Reveal entire simple happen. Half job fall current last. Happen early behavior. Goal responsibility explain.\nAgo society agree yourself arm modern government. Research human play but almost. Education loss improve spend. Her interview successful.\nNation office able language campaign return. Me where coach party us. Trial property evening contain much stand enjoy.\nCapital book interest establish play task. Much letter opportunity ball either the order. Between else year adult government support eight religious.\nAuthor similar research produce among. Story throw maintain. View five that paper every near.\nSure magazine others mind newspaper conference beautiful tonight. Society half address. Vote stand prevent look.\nPart tax month note perform suddenly. Likely only past.\nAlong price seek control nor bed want. Quickly behind couple according.\nTest test world yard always. Something director difficult huge dinner maybe.', + start_mileage: 918, + end_mileage: 4299, + diff_mileage: '3381', + start_location: 'місто Зугрес', + end_location: 'село Деражня', + driver: 'Григорій Перебийніс', + passenger: 'Еріка Чабан', + car__plates: 'UA000000', + fuel_consumption: '338.1', + }, + { + id: 117, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Have never financial such. Year he course hear.', + description: + 'Fund sometimes remember garden lay himself with.\nMovie fill green effect person what magazine travel.\nOwn something wide it line check court. Feel interesting race dinner education window. Onto life agreement imagine quickly adult personal future.\nHim plan serious season but available. Effect miss religious station.\nWho my everyone each. Affect money commercial religious add require pattern. Important note why return star wear.\nHead third upon enjoy particularly. What home mean year task. You that which across. All drive condition fight happen.\nPerson themselves all home most option away. Sign animal big close evening. People main economy city financial gun.\nArt hair per my go. Federal character total soldier near close. Central glass whether major since business history.\nOpen usually marriage population number baby I. Least in world risk not.\nEffect over TV seat entire. Season federal parent tend reduce.', + start_mileage: 578, + end_mileage: 4415, + diff_mileage: '3837', + start_location: 'село Судова Вишня', + end_location: 'село Заставна', + driver: 'Default Driver', + passenger: 'Default Passenger', + car__plates: 'CE2475PK', + fuel_consumption: '207.26', + }, + { + id: 116, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Default Project', + description: + 'Politics entire population grow miss two campaign and. Then plan imagine any minute. Financial nothing too performance.\nAhead population near significant. Question decide morning fund identify. Develop price live professional camera.\nStrategy investment whatever. Support result already officer there century prepare.\nAdd best pass onto wish.\nStaff stay investment more street. Describe consumer manage indeed number. Represent effort kitchen while.\nRespond its each two another responsibility. Model later protect similar someone work.\nSometimes walk thing. Week individual lot candidate. Region beyond success into cause.\nCompany animal likely head trouble area forward. Shoulder more natural think war knowledge charge.\nProgram material nor four generation plan live. Require someone medical coach often discuss. Either here far it research us.\nDuring single article perform risk. Him blood husband technology agency heavy.\nLight project discussion music. Rate pick close only create its.', + start_mileage: 295, + end_mileage: 8803, + diff_mileage: '8508', + start_location: 'місто Перечин', + end_location: 'місто Жашків', + driver: 'Микита Дейнеко', + passenger: 'Зорян Андріїшин', + car__plates: 'CB0553TC', + fuel_consumption: '777.2', + }, + { + id: 115, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Ground each magazine professional.', + description: + 'Old article room moment including.\nConsider traditional well early. Contain field every star.\nThemselves now story good along we. High any article training room decade. Road against among yourself billion writer kid.\nEverybody upon movement concern personal. Former customer you weight performance. Phone other light herself top.\nGuy role party beyond. Detail pick couple exist. Little carry wrong every.\nPolitics piece whose people avoid school year.\nMatter share foot whom city safe Congress order. Issue standard war yard notice measure forward. Agent probably while successful move center bag.\nEducation wonder couple able very art chance. Painting billion ok prevent cut site site.\nMemory impact act stand operation middle.\nOff style later some why have table. Edge professor responsibility gun federal door south.\nMusic nature now man sense. Beat show maintain stage. Huge help after big attorney argue three really.', + start_mileage: 284, + end_mileage: 6828, + diff_mileage: '6544', + start_location: 'селище Новодружеськ', + end_location: 'місто Теплодар', + driver: 'Герман Вітрук', + passenger: 'Default Passenger', + car__plates: 'UA000000', + fuel_consumption: '654.4', + }, + { + id: 114, + date: '2023-07-04', + country: 'South Sudan', + is_verified: 0, + project__title: 'Have new successful table article large.', + description: + 'Foot first various fall nor fight feeling life. Clearly Democrat many lead want. History include then Congress.\nJust degree center skin cut. Few far quality debate baby perform.\nChance whom hold care fund security find. Reach present ability although say both activity.\nGroup Mr consider usually respond mention left go. Give protect quite all behavior because best. Minute ok positive determine career stop.\nRemember against yourself use indicate skill race machine. Very send lose yard reach building. Easy state low.\nBase night factor sign population investment. Doctor phone room piece now true.\nReflect record answer response forward democratic issue. Common positive Mr describe figure. Into employee do drop when.\nEvent product season must place than. Body case accept light total head list. Leave loss hundred improve sign establish.\nSerious eat week mission. Join determine special particular.\nFilm class most. History style front tough.', + start_mileage: 704, + end_mileage: 3343, + diff_mileage: '2639', + start_location: 'місто Бердянськ', + end_location: 'місто Новоазовськ', + driver: 'Лесь Носенко', + passenger: 'Михайло Тичина', + car__plates: 'AB4011CT', + fuel_consumption: '248.25', + }, + { + id: 113, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Ground each magazine professional.', + description: + 'Occur process city which. Hit quickly charge education read.\nThreat team education measure so those. International cell test crime.\nBehind than lawyer yourself president. Follow ask TV nature effect pay choose.\nAttention each become career star affect fire.\nSame certainly go from exactly another. Listen according fact debate foreign deep. Modern it pick close.\nFinish itself wife. Subject idea successful.\nSeven according area film practice culture night. Current account into hope question data father.\nStreet important career expert marriage apply coach sound. Table defense hair group.\nAsk the impact many course. Kind fill possible rather wide. Parent issue across every. Point put far whether international natural rest.\nThroughout tell financial especially. Dinner final fear should add view.\nRealize physical matter stock skin Republican with.\nPlayer second check century level. Throw option about we fill. Company main question soon. Memory group finish bring.', + start_mileage: 87, + end_mileage: 5390, + diff_mileage: '5303', + start_location: 'місто Дергачі', + end_location: 'хутір Костопіль', + driver: 'Микита Дейнеко', + passenger: 'Еріка Чабан', + car__plates: 'AB4011CT', + fuel_consumption: '498.85', + }, + { + id: 112, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Ground each magazine professional.', + description: + 'Million make bit. Author provide charge sell take.\nTruth fund music. And member join high second.\nTv test late design. Pay mention there sell.\nSecurity price although often plant stock personal center. Magazine main determine enter wait voice stay few. Guy ask wish perform matter establish hit customer.\nBuy community onto compare type detail fine hour. Sign recent north increase ago cell. Politics should go despite protect.\nReally seven quite unit. Among every card. Less people computer remember.\nPage phone teach new movie speak there. Ok finally factor information throw. Wait those will stop federal message item.\nProperty ever quite box shoulder. Matter choice actually wide. Off push open travel fine minute health similar.\nLeast magazine should hard. Thought serious available some allow. Believe great citizen fight single.\nClass practice let. Affect here mind same set surface.\nAttack between leg stop. Get ground whether week. Hour themselves glass plan type.', + start_mileage: 103, + end_mileage: 3146, + diff_mileage: '3043', + start_location: 'селище Пирятин', + end_location: 'селище Березань ', + driver: 'Герман Вітрук', + passenger: 'Ростислав Данько', + car__plates: 'IA8789ME', + fuel_consumption: '191.58', + }, + { + id: 111, + date: '2023-07-04', + country: 'South Sudan', + is_verified: '1', + project__title: 'Have never financial such. Year he course hear.', + description: + 'Machine option successful anything prevent civil tell. Store probably cause positive.\nElection measure so factor off. Claim think here data almost.\nRequire fish performance apply change benefit the. Left certainly federal news carry college.\nMedical six project key fall five. Glass hope listen shake forget development clearly. List sort trial southern laugh blood.\nShare wife part. Bar walk difference house staff production election. Color politics someone.\nWrite floor cup stand best. Surface hand account bad law authority road. Join pick information year.\nAble for in child poor thus.\nEye perhaps by we here. Discussion pick key fight.\nVery indeed easy well away point can. Old high challenge indeed.\nYear be set national. System treat more cost product. Save price carry understand.\nSmile the mind someone.\nSide fund deep hospital success nor tax. Suddenly write bill strategy window nation. Determine difficult attention but cover prevent north write.', + start_mileage: 907, + end_mileage: 2560, + diff_mileage: '1653', + start_location: 'місто Червоносів', + end_location: 'селище Ніжин', + driver: 'Лесь Носенко', + passenger: 'Теодор Сич', + car__plates: 'CB0553TC', + fuel_consumption: '151.0', + }, + { + id: 110, + date: '2023-07-04', + country: 'South Sudan', + is_verified: '1', + project__title: 'Have never financial such. Year he course hear.', + description: + 'Mouth party military week usually child risk fear.\nTeach example style red defense lawyer get. View money paper action send remain understand. Direction significant and involve every.\nChair yet anything gun speech medical. News see president result account especially person.\nResponsibility half wonder tell action. Believe measure along account participant others. Them feel purpose.\nSong contain story red increase. Box all long still. Skin between commercial service.\nCard spring help deep meeting partner director. Beyond culture staff recently.\nInvolve statement deal thousand future.\nImportant agent garden interview southern page. Seven hard contain Republican. Manage and record great on. Face yeah speech able seem same tell human.\nSoldier man few article score game instead. Performance evidence military visit gun none million media. Green wish decade for skill.\nProduction design grow door personal. Lot here when party check cultural decade north.', + start_mileage: 252, + end_mileage: 3491, + diff_mileage: '3239', + start_location: 'село Соснівка ', + end_location: 'селище Сватове', + driver: 'Лесь Носенко', + passenger: 'Default Passenger', + car__plates: 'CE2475PK', + fuel_consumption: '174.96', + }, + { + id: 109, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Author style current type size everybody officer.', + description: + 'Discover certain economic industry summer human. Present choice next catch store.\nGet pull table surface moment at often. Plan through low quite half.\nMachine prepare public feel weight newspaper without. From analysis above traditional way candidate everybody. Accept turn magazine the ground like.\nNewspaper among sure walk employee. Nor nature town simply school. Employee former window contain financial late. Hold discussion suffer suddenly size yes radio.\nRequire part usually about leader later. Produce blue member site law century item. Continue southern but four current resource.\nSingle thought fill trouble standard industry. What simply spend politics in send course low. Move half sort Democrat.\nEvent never trip animal. Bar customer ground true.\nAlong manage control challenge herself magazine. Five trouble spend kitchen kitchen set physical.\nEvening class hour pull budget. Know everything surface man.', + start_mileage: 750, + end_mileage: 1460, + diff_mileage: '710', + start_location: 'місто Горішні Плавні', + end_location: 'місто Первомайський ', + driver: 'Микита Дейнеко', + passenger: 'Зорян Андріїшин', + car__plates: 'KM6724CA', + fuel_consumption: '70.24', + }, + { + id: 108, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Have new successful table article large.', + description: + 'Easy mention water exactly appear service serious.\nPaper management teach especially paper charge amount. Hold agree dinner wear Republican cold future.\nNatural beautiful significant majority body. Back if network fire. Current his page lay item market.\nOperation letter appear center boy beautiful read. Perform short effort. Toward air relate card girl collection determine. Open difficult account whom however anything hospital believe.\nItem produce film standard item quality yet score. Choose fine would.\nSeek available trip lawyer machine end. Example across relate natural economy key myself.\nOwner perhaps enter it side treatment take. Sister discussion candidate move song agree. Newspaper serve manage effort.\nHotel suffer building thousand room hot.\nUsually want visit care pick. Summer learn area step social too up. Wrong whatever significant third fill old.\nPolitical senior describe method office. Near goal with way could help hard.', + start_mileage: 214, + end_mileage: 6670, + diff_mileage: '6456', + start_location: 'хутір Тисмениця', + end_location: 'село Бобровиця', + driver: 'Григорій Перебийніс', + passenger: 'Зорян Андріїшин', + car__plates: 'IA8789ME', + fuel_consumption: '406.46', + }, + { + id: 107, + date: '2023-07-04', + country: 'South Sudan', + is_verified: '1', + project__title: 'Author style current type size everybody officer.', + description: + 'Air certainly decide speak city study. Federal partner risk use up different.\nTown property tonight member. Coach despite return middle letter cost argue. Likely though task class what her chance.\nSociety whole serious democratic season stand. Sister middle laugh approach leg.\nRecently into person move store evening yard. Magazine writer more try cell to.\nThis institution eye southern. Suffer area carry describe per some.\nSuddenly about break visit civil most. Rock set product camera hot.\nYour maintain second job occur though live. Challenge east indicate recognize control. These front director. School attack magazine natural safe.\nTruth safe court might. Easy number suggest operation stop.\nReflect finish science spend cause.\nWorker anything keep through lay again blood seat. Ago well wide dream happy event. Agent night project.\nPretty myself wonder carry. Political position travel treatment simple course increase.\nDeal short that name. Raise huge who recently major become.', + start_mileage: 909, + end_mileage: 8543, + diff_mileage: '7634', + start_location: 'хутір Камінь-Каширський', + end_location: 'хутір Галич', + driver: 'Лесь Носенко', + passenger: 'Теодор Сич', + car__plates: 'KM6724CA', + fuel_consumption: '755.25', + }, + { + id: 106, + date: '2023-07-04', + country: 'Ukraine', + is_verified: 0, + project__title: 'Default Project', + description: 'Default unverified drive', + start_mileage: 1, + end_mileage: 100, + diff_mileage: '99', + start_location: 'Start', + end_location: 'End', + driver: 'Default Driver', + passenger: 'Default Passenger', + car__plates: 'UA000000', + fuel_consumption: '9.9', + }, + { + id: 105, + date: '2023-07-04', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: 'Default verified drive', + start_mileage: 1, + end_mileage: 100, + diff_mileage: '99', + start_location: 'Start', + end_location: 'End', + driver: 'Default Driver', + passenger: 'Default Passenger', + car__plates: 'UA000000', + fuel_consumption: '9.9', + }, + { + id: 104, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Get brother citizen address threat.', + description: + 'Several I third his political treatment president tell.\nHotel technology much benefit daughter drug. Follow clear activity involve know full.\nFinish seem rock grow his anything structure. It not Congress nor western machine recognize.\nI model standard actually. Than method happen everybody home son foot young. Person open late or general right.\nPerhaps campaign floor change. Along interest late evidence each write.\nHeart dark wrong expect computer PM. Over him second own world social.\nRace no machine still example agreement. From thing institution report course degree available maintain.\nWant significant star answer mouth from push. Race else professor start pressure. Section teach chance listen in development.\nUnderstand woman itself experience she land. Good level fast product.\nGreat woman hear tonight production. Discuss body role author. Develop eye thousand toward.', + start_mileage: 717, + end_mileage: 6929, + diff_mileage: '6212', + start_location: 'хутір Бердянськ', + end_location: 'місто Коломия', + driver: 'Едита Мазепа', + passenger: 'Олександр Остапчук', + car__plates: 'KT1309TK', + fuel_consumption: '456.97', + }, + { + id: 103, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Just act pick.', + description: + 'Traditional information two. Conference I risk require officer. Director power national magazine sense despite reveal international.\nTop style practice reveal rule.\nMay similar candidate rock.\nPerformance exactly computer them film list of. Whose week need.\nAll support far movement continue. Us use page be size.\nHow central learn cost son. True certainly white option factor skin him. Maybe available beat interview term follow law. Bar concern east single.\nEverything gas decide soon. End pull might. Develop head easy hundred situation race nearly.\nOutside main organization responsibility.\nHospital game action everyone. Trouble particularly under account election. Enter great operation always leader few. Page strategy maintain right agreement smile whatever.\nShort wind material same position. Term international take these for camera.\nGood use reality garden purpose. Or adult remember like evidence already other. Magazine argue Mrs our.', + start_mileage: 163, + end_mileage: 8400, + diff_mileage: '8237', + start_location: 'хутір Дергачі', + end_location: 'селище Кілія', + driver: 'Едита Мазепа', + passenger: 'Павло Яременко', + car__plates: 'CB1386XC', + fuel_consumption: '339.69', + }, + { + id: 102, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Get brother citizen address threat.', + description: + 'When professional fill quality. Sister people news. Behind far service.\nKind feel thus training increase level size help. Good service north. Institution you arrive wide city fear attention.\nOrder decade north chance natural popular face.\nAffect message yeah rise. Film involve cut miss. Move tonight may manage.\nSell me listen claim forget. Form run tell talk.\nSomething interview audience miss set. Quite stand floor sister pressure set. Out character yard series treat thing society message.\nWhose certainly system certain despite. Mrs each apply. During ground evidence debate among answer exist.\nWar free computer class. Change family listen win professional total.\nMaintain model apply easy total year box stand.\nLet let task again. Others class explain region.\nThrow support individual heart better. Individual threat party save investment. Skill law beautiful practice marriage.\nSure candidate knowledge. Wonder travel town interview before sometimes. Understand perform pass choice.', + start_mileage: 869, + end_mileage: 2052, + diff_mileage: '1183', + start_location: 'село Судова Вишня', + end_location: 'село Верхньодніпровськ', + driver: 'Default Driver', + passenger: 'Миколай Жайворон', + car__plates: 'CB1386XC', + fuel_consumption: '48.79', + }, + { + id: 101, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Just act pick.', + description: + 'Family edge off. Conference piece suggest decision share wind.\nShake staff white rest girl. Half face than reveal.\nTeach energy because space address son. Simply share someone require. Safe commercial small that interview.\nEdge under throw white either success. Ability bad left campaign name.\nParticularly song wide tonight. Box event story.\nPast until lay store matter mouth sense. Impact while left short energy consider.\nGas decade personal expert sing language science cup. Discuss change five exactly after occur. Our recent blood resource wait prepare sister as.\nBuild game through himself college evidence data. Question purpose glass campaign field thought. Stuff course much range.\nChair as once agreement. Draw agreement outside child raise something easy. Center protect write room wall happen.\nWife just big office their short know. Thank class thought be read marriage accept.\nGreat expert personal soldier.\nYet yard adult key wife cell. Find during sure follow. It all each free.', + start_mileage: 576, + end_mileage: 9790, + diff_mileage: '9214', + start_location: 'хутір Тернівка ', + end_location: 'селище Федорівка', + driver: 'Павло Лисенко', + passenger: 'Ігнат Барабаш', + car__plates: 'BB6654AP', + fuel_consumption: '534.68', + }, + { + id: 100, + date: '2023-07-03', + country: 'South Sudan', + is_verified: '1', + project__title: 'Just act pick.', + description: + 'Throw third value stage fill your.\nSense just provide page company. Ground specific wait better marriage budget move.\nWar from everybody son figure involve. Under environmental become particularly phone sometimes floor.\nCover PM coach meeting two. Meet sign structure difference. Contain set safe middle college.\nKnow source weight energy wish. Animal network notice. Back pressure myself kind site. Contain continue by performance close even property.\nEverything outside girl. State nature what memory blood. Unit skin evening attack win tend.\nDown third join country kid once situation. Too job term.\nSuccessful risk floor live. This themselves act suddenly enjoy character strategy.\nVoice put government amount. Mission wide happen do appear agency dream protect.\nStructure approach argue suddenly agreement environment. Gun act budget during.\nIndustry foot piece investment out part anyone. Fly possible while heavy. When sport camera cost clearly I south trade.', + start_mileage: 42, + end_mileage: 6058, + diff_mileage: '6016', + start_location: 'місто Помічна', + end_location: 'хутір Ямпіль', + driver: 'Климент Туркало', + passenger: 'Ігнат Барабаш', + car__plates: 'BB8914CB', + fuel_consumption: '323.84', + }, + { + id: 99, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Just act pick.', + description: + 'Law kid administration pressure statement kind. Author why dog view character.\nReady office opportunity prevent point some. Return public participant ball quite.\nA operation senior among Congress analysis light. Kitchen structure table. Reveal term policy. Energy public movement ask although seat half.\nThan raise ready quite almost. Enjoy her eye recent apply green.\nPhone reason become foot mother audience. Network surface data month network pull sit. Including control trouble election half.\nFrom last just try per through. City everybody attorney nation.\nRed truth through worker specific. More nothing player human behavior.\nAnswer reflect so large. Address deep heart what give test. Rather trouble arrive.\nThat entire own relate. Usually mention with difficult.\nParticular item mind policy chair. Start public find.\nThink entire provide American fight food. To memory miss source student positive head strong.\nPolice travel hit personal.', + start_mileage: 921, + end_mileage: 9781, + diff_mileage: '8860', + start_location: 'село Фастів', + end_location: 'селище Овруч', + driver: 'Павло Лисенко', + passenger: 'Ігнат Барабаш', + car__plates: 'UA000000', + fuel_consumption: '886.0', + }, + { + id: 98, + date: '2023-07-03', + country: 'South Sudan', + is_verified: '1', + project__title: 'Mouth world occur rate pretty.', + description: + 'Pretty anyone entire laugh long long. Good board feeling prove. So successful how shoulder including nearly.\nLetter lose four still organization share. Floor think eight main sell. Vote window treat artist yes.\nElection suggest thousand. Personal off direction from. Hope identify best professor past produce middle.\nFeeling life game carry focus policy explain type. Media concern from fast military. Adult expect day ground election our. Season measure there look cultural second.\nEat edge scientist full into movement play. Goal claim center three give. Response physical technology nature old. Own author consumer guy enjoy.\nDesign girl look off middle seem story quite. Expert size move foreign yard realize. Although skin bring Democrat while practice human few.\nParty free ground.\nDemocrat might he build team. Lead admit memory than technology speech.\nEspecially Congress man choose all. Control try anyone.\nSouthern American way bring. Board someone fire open program.', + start_mileage: 214, + end_mileage: 2840, + diff_mileage: '2626', + start_location: 'місто Жмеринка', + end_location: 'місто Кадіївка', + driver: 'Климент Туркало', + passenger: 'Богдан Артюшенко', + car__plates: 'CB1386XC', + fuel_consumption: '108.29', + }, + { + id: 97, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Door grow section son power way half.', + description: + 'Feeling arm film ever true.\nMajority future particularly peace write. Represent anything large owner. Operation agree response Mr. Shake want everyone before.\nFall lawyer very practice because ability. Statement cut gun relate. Me case instead energy ahead ground.\nRemember yourself process Mrs. Other across pass win out level focus.\nKid law instead born machine. Against almost brother me per. On throughout all simple offer pretty meeting.\nGrow color glass heart student chair ready between. Lay big interview bill act.\nLaw whole station Congress even store. Character success organization understand student onto. General PM against itself city theory building.\nBlood door focus ready pattern central record. Candidate pass military why action hair difficult. Woman beat over short.\nDark ball over employee million structure. Situation without professor American realize technology have. System in son certain while.\nFeel court since.\nAction nature reflect within group clearly.', + start_mileage: 812, + end_mileage: 4294, + diff_mileage: '3482', + start_location: 'хутір Золочів', + end_location: 'хутір Шепетівка', + driver: 'Default Driver', + passenger: 'Ігнат Барабаш', + car__plates: 'KT1309TK', + fuel_consumption: '256.14', + }, + { + id: 96, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Adult citizen now truth guy step.', + description: + 'Civil radio carry college. Fine present call move past. Name friend occur. Amount training our line.\nSet by difficult smile save. Foreign this much current history continue. Miss brother reduce movement popular seek.\nArgue experience attention try city statement fill. Relate black into hand.\nClear yourself begin challenge firm yard. Purpose hot direction street themselves. Water money day field.\nParent us somebody need fast sometimes. Star dark claim tax.\nImprove news Democrat letter project. Early fact political finally economic me. Better marriage why be all eat.\nOff prevent smile own yes method chair. Situation court only artist. Door garden idea happen cover bar.\nHope what effort product. Answer million test student PM appear.\nSecond these country international add. Loss five lawyer authority.\nRegion much ago culture finally. Law seek safe rest avoid.\nAbility pattern structure understand. Operation card recent still pay. President after smile on particular oil.', + start_mileage: 518, + end_mileage: 7959, + diff_mileage: '7441', + start_location: 'місто Рені', + end_location: 'місто Ровеньки', + driver: 'Роман Масоха', + passenger: 'Богдан Артюшенко', + car__plates: 'CB1386XC', + fuel_consumption: '306.86', + }, + { + id: 95, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Just act pick.', + description: + 'Born several road car. Window at blood may guy poor someone. Capital his marriage process also sort.\nDay certainly behind PM sense the. Serve official whose local few early nearly scene. Own save experience cause.\nBehind special although nearly never feeling attack. True true grow see word. After hospital phone establish create by since.\nScientist inside inside worker question. Five up him account where grow government. Federal offer moment factor none smile street.\nBest human kid operation. Ask let once mouth stage sign. Modern teach beyond past officer vote.\nTrouble century there month should. Personal owner not page range direction. Toward with wide no great trip.\nResponse sing forward owner station administration. Time nation society hotel more peace strong. Budget garden act may right instead soon event.\nDiscover meeting example listen our sure. Reality marriage leader social.\nWhether system really mission power. Argue wall he quickly. Simple responsibility director company.', + start_mileage: 257, + end_mileage: 3677, + diff_mileage: '3420', + start_location: 'село Славута', + end_location: 'хутір Часів Яр', + driver: 'Володимир Вовк', + passenger: 'Default Passenger', + car__plates: 'KX6834CT', + fuel_consumption: '307.37', + }, + { + id: 94, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Just act pick.', + description: + 'Also sister attention lawyer. Scene ground type continue ten education image fund. Throw learn claim.\nThose right movie difficult magazine behavior. Statement consider toward opportunity test help some forward. Among campaign door yes above size history.\nRespond early clear most trouble. Cold machine pay like without.\nLikely huge sit people. Happen would message. Unit man analysis letter policy. Appear evidence some voice ten.\nBest brother almost option field admit sing.\nStatement try movement relationship there daughter accept.\nPast take really family worker heavy lose trial. Dog need build meet one out easy. Political decide yeah.\nSenior factor step form human.\nPolitics study happy mention west type alone. Two green join rock. Yeah discuss whose remember because shake.\nInformation involve girl understand. Sometimes number tax will turn rock serious. Some tonight expert room.\nElection eat almost magazine meet direction television. Tough quite class maintain war.', + start_mileage: 773, + end_mileage: 2750, + diff_mileage: '1977', + start_location: 'місто Попасна', + end_location: 'село Глобине', + driver: 'Роман Масоха', + passenger: 'Миколай Жайворон', + car__plates: 'UA000000', + fuel_consumption: '197.7', + }, + { + id: 93, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Adult citizen now truth guy step.', + description: + 'Good couple approach water discover seven. Indicate well economy international. Close standard nice help few culture west dream. Energy should interview religious move five time its.\nUnit section air history want floor. Seat guy continue expert call amount design sometimes.\nSomeone section least special cause growth throughout whether. Surface lead thing their.\nExplain first push add environmental method. One actually condition send. Oil finish president order.\nMore though unit available. Federal police able benefit his agent really. Do million onto sometimes alone newspaper.\nEnd woman cold compare. Skill manager real room. Area front local door add.\nMajority authority sister total.\nInside question card project direction. Deal dark think present. Glass somebody whatever.\nImprove opportunity close easy exist food member. Special available build her be thousand.\nStock card have participant. Same consider moment nearly site.', + start_mileage: 889, + end_mileage: 4111, + diff_mileage: '3222', + start_location: 'село Ічня', + end_location: 'місто Глобине', + driver: 'Едита Мазепа', + passenger: 'Default Passenger', + car__plates: 'KX6834CT', + fuel_consumption: '289.58', + }, + { + id: 92, + date: '2023-07-03', + country: 'South Sudan', + is_verified: '1', + project__title: 'Adult citizen now truth guy step.', + description: + 'Deal indicate pay since turn. Strategy agency over moment test. Early war story season arrive special who.\nTheory science reflect score same approach though camera.\nDirector write south wind yes machine record again. When bit realize model.\nDevelopment work score keep son. Right answer truth.\nEvent something to those. Minute end rock challenge four wear energy alone. Newspaper debate power college deal.\nSee store might law you recognize. Feel thank challenge last author.\nCourt strong less society. Style home allow question yet action. Forget next learn loss. Thought garden report none.\nBoard admit hold like part guess girl food. Painting reduce amount campaign. Century everything perform individual send woman sense beat.\nFree effect give especially. Here hard concern forward resource. Responsibility social challenge admit model compare owner.\nSure including eight may. Into become little often couple. Travel money produce.', + start_mileage: 376, + end_mileage: 1201, + diff_mileage: '825', + start_location: 'село Глухів', + end_location: 'хутір Володимир-Волинський', + driver: 'Павло Лисенко', + passenger: 'Default Passenger', + car__plates: 'BB6654AP', + fuel_consumption: '47.87', + }, + { + id: 91, + date: '2023-07-03', + country: 'South Sudan', + is_verified: '1', + project__title: 'Mouth world occur rate pretty.', + description: + 'Idea step PM while total partner traditional. Have lead very focus small next condition. Training last song million.\nAhead recent mean cut. Structure style player maybe quickly.\nHold want market order point. Seem painting possible.\nEspecially knowledge six education determine light common. Politics general smile some. Direction argue factor around fund similar.\nHere son cause why.\nWait bag reason heart write impact. Television deal serve service wait suffer chair stuff. Difference hit report wrong.\nSuffer nature blue option other. And far evidence relationship organization.\nRisk family rather last difficult rest glass.\nSpeech modern security protect. Manager may your another choose themselves.\nTrouble exist across month either.\nOn room window physical field employee. Speak summer will significant stage.\nTeach and chance area call see rate.\nTelevision series whose moment little child. Minute environment mission movie her receive central.', + start_mileage: 240, + end_mileage: 6557, + diff_mileage: '6317', + start_location: 'місто Богодухів', + end_location: 'місто Теплодар', + driver: 'Павло Лисенко', + passenger: 'Ігнат Барабаш', + car__plates: 'BB8914CB', + fuel_consumption: '340.04', + }, + { + id: 90, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Adult citizen now truth guy step.', + description: + 'Daughter drug culture responsibility lose. A clearly billion appear paper light party. A grow cultural PM. Value parent color computer agent.\nWe television course last. Easy foreign economic interesting.\nBit road career green if get. Give perform admit guess however eat north. Civil growth country food action organization part left.\nOrder particular hard fall.\nQuestion among thank between owner give. Agent health her reach information mother series.\nPerform sit statement list finally. Toward think reflect page develop music.\nYear drug the kid. Weight about she force skin.\nMedia social prevent sing set policy together. Indicate store by item financial. Alone specific approach hard player.\nPicture program cold author. Industry why nation nothing clear. Find ball many either.\nIncluding conference deep claim drive be. Environment provide relate firm.\nCan second research sense. If member world better because necessary management. Market magazine trade go.', + start_mileage: 878, + end_mileage: 1221, + diff_mileage: '343', + start_location: 'місто Середина-Буда', + end_location: 'селище Гребінка', + driver: 'Default Driver', + passenger: 'Богдан Артюшенко', + car__plates: 'BB6654AP', + fuel_consumption: '19.9', + }, + { + id: 89, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Adult citizen now truth guy step.', + description: + 'Everybody nation local. Stop treat great accept employee war. Section tend talk public hope.\nDesign financial agency system feeling pick garden. Lose adult position sell sing beautiful.\nOrganization serious simply meeting help a. Way enjoy design pick political few. Yet wait growth perhaps fire. Information finish response tell create.\nProduct who significant without. Present speech life. Around certainly former PM.\nPossible seven deal sister. Remember five along use.\nState nature image product front. Vote place employee media guy drop. Sit perhaps a sell body.\nHowever Democrat among. Research player forward open visit professor. Even single wish single reason pick person. Price pay hold ability.\nSign officer television have. Life such over final short decide.\nDiscuss seat much son continue onto team. Radio light clearly help. Ability whole may month director.\nTheory news similar position any common improve. Whole him week feeling partner try. Hold visit year new another evening work.', + start_mileage: 178, + end_mileage: 1617, + diff_mileage: '1439', + start_location: 'хутір Керч', + end_location: 'місто Благовіщенське', + driver: 'Володимир Вовк', + passenger: 'Павло Яременко', + car__plates: 'CB1386XC', + fuel_consumption: '59.34', + }, + { + id: 88, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: + 'Best it wall place. Street officer church. Focus down their tough pattern. Father if activity guess would partner.\nShow however pass. Soon close like soon the amount than.\nShort yard later clear every. Method music nearly Democrat president activity ground. Site shoulder better.\nPull score opportunity southern box. Student national hour can glass road season. Energy investment only cause ahead.\nCold life herself culture whose accept story. So probably week hit power tree put standard.\nLife dark door serve couple will middle list. See blue hand sea miss change education type. Other figure yourself them power officer.\nGuess draw mean those become dinner. Customer operation success your total during fund.\nThese positive something talk interest. List red include yes poor themselves. General although political traditional central. Human relationship above entire response week actually.\nMean almost situation church carry main will. Standard yeah process compare know then may.', + start_mileage: 136, + end_mileage: 6102, + diff_mileage: '5966', + start_location: 'хутір Бурштин ', + end_location: 'село Рівне', + driver: 'Default Driver', + passenger: 'Default Passenger', + car__plates: 'BB6654AP', + fuel_consumption: '346.2', + }, + { + id: 87, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Adult citizen now truth guy step.', + description: + 'Night help laugh age small bar everyone.\nOld force before guy guess. Example along stock place concern. Speech economic citizen allow to ground them.\nClaim role citizen particularly. Stock speak customer question who decision where. Total off policy general.\nOil with detail art court. Win degree professor knowledge character manager watch individual. Leader level give allow.\nCamera decision science behavior offer put respond glass. Event condition actually build phone. South law often worry lot image rather.\nBook action who dark between which seat. Team total let itself. Market his finish end authority ball.\nControl agency would wish establish. Improve finally and. Owner interest reflect.\nPicture arm news worry machine. Last central she without drive whole physical finish.\nWithout society nearly term left. Ever our office production. Provide almost none manage chair popular.\nWord issue finally available type reality. Police environment job learn.', + start_mileage: 276, + end_mileage: 2040, + diff_mileage: '1764', + start_location: 'село Чернігів', + end_location: 'селище Барвінкове', + driver: 'Роман Масоха', + passenger: 'Павло Яременко', + car__plates: 'BB6654AP', + fuel_consumption: '102.36', + }, + { + id: 86, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Just act pick.', + description: + 'Despite out rate whole heavy rate.\nMagazine another reality easy place follow network stop. Front affect he must. Street carry then line need return. Sea specific tell certainly between course.\nEffect guy occur according support difference. Build system new able store among.\nJob feel view ago entire note. Act policy difficult environment after statement indeed.\nActually movement board cover vote allow price. Space door night see.\nPerform behavior cup indeed management job. Yes religious share entire tell off chance political. More determine country open perhaps partner and. Science capital what edge nothing add nor.\nAs case history language travel each. Under sometimes book image court. Response keep effect really less manager.\nLess evidence effect Congress eye marriage.\nDeal write candidate very. Method fight particularly black control concern. Reveal environment conference ok better represent reveal.', + start_mileage: 96, + end_mileage: 6918, + diff_mileage: '6822', + start_location: 'хутір Коростень', + end_location: 'селище Інкерман', + driver: 'Роман Масоха', + passenger: 'Олександр Остапчук', + car__plates: 'BB8914CB', + fuel_consumption: '367.23', + }, + { + id: 85, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Mouth world occur rate pretty.', + description: + 'Hotel middle customer lot add religious. Teach responsibility card parent face beat.\nFinally spring respond. Prepare great this line pattern. Write season need positive a rise one.\nStep however shake central special write. Community choice experience structure purpose edge song bank. Western appear send information. Modern pattern prove he ok mention then try.\nRecently near expect design along PM. Hundred half open religious yeah red. Still organization would yourself husband investment pass high.\nDetail little professional morning such. Themselves future total difference. Later trial important lead.\nMission up scientist spend left.\nBack choice should color buy call live south. Explain have million new and yard.\nOfficer treatment of sure region drug later.\nSignificant talk second science nor. Suffer seven out. Senior seem enter pass surface each. Bank toward voice risk.\nRegion choose amount question.', + start_mileage: 251, + end_mileage: 7839, + diff_mileage: '7588', + start_location: 'селище Соснівка ', + end_location: 'хутір Арциз', + driver: 'Володимир Вовк', + passenger: 'Богдан Артюшенко', + car__plates: 'BB6654AP', + fuel_consumption: '440.33', + }, + { + id: 84, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Adult citizen now truth guy step.', + description: + 'Soon ability most occur always. Term amount without morning include.\nTown tree computer. Soldier my which trip memory. Worker door out cost standard kid level suffer.\nUnderstand nice analysis mouth. Particularly identify population contain. Contain hotel wife manage development few base somebody.\nView player nearly parent best soon. Walk go word usually event. Learn bad information stuff affect.\nLast put large care. Sense language before current feel.\nFast child wish. Attack whole pick end speech low. Run drug camera role well past.\nEat attorney trial herself. Through store late choose international international us. Listen government image most.\nFormer travel discussion own method. Current certainly phone soldier remain wind. Goal audience face participant.\nSurface amount question really. Policy summer inside never study. Past condition enough clear action bed east news.\nTax think mention capital. Again address choose not deal capital less executive.', + start_mileage: 881, + end_mileage: 2436, + diff_mileage: '1555', + start_location: 'хутір Моспине', + end_location: 'село Миргород', + driver: 'Павло Лисенко', + passenger: 'Ігнат Барабаш', + car__plates: 'BB8914CB', + fuel_consumption: '83.71', + }, + { + id: 83, + date: '2023-07-03', + country: 'South Sudan', + is_verified: '1', + project__title: 'Mouth world occur rate pretty.', + description: + 'Owner fact can back. Discussion job mission debate standard. Could try response however partner.\nStation program space beautiful enough. Stage movie than movement back.\nStill including standard fear write thing leave rich. Box serve wide forget fire reason let difficult. When white suggest think country nothing.\nForm film form figure. Executive physical consider born mean establish.\nRight red put newspaper thus. Sound movie great public memory military.\nMuch far very why voice see sit join. Attack yes amount enter value we. Cost until my state offer.\nWar show behind guy paper second black. Could recent economy data blood responsibility during. Trade region various focus employee everybody traditional blue. Cell require together week begin blood Mrs power.\nExpect investment throughout especially side result. Network court medical mission generation environment money. Head agree member always.\nBeautiful pass its. Send set site reach method daughter but.', + start_mileage: 749, + end_mileage: 2764, + diff_mileage: '2015', + start_location: 'селище Красилів', + end_location: 'місто Соснівка ', + driver: 'Климент Туркало', + passenger: 'Ігнат Барабаш', + car__plates: 'BB8914CB', + fuel_consumption: '108.47', + }, + { + id: 82, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Just act pick.', + description: + 'Write herself sort suddenly across political federal.\nMorning student this however. Amount half list alone animal condition yourself.\nEconomic year almost commercial music positive staff. Available among keep how almost authority.\nFund item drug change dog. Agreement fact myself near onto move wall. Knowledge near some both especially carry environment.\nDrop federal name boy. Country this born financial lay impact. Interest movie much window young prove nothing.\nInterview simply news act woman. Stuff food heavy manage with. Perhaps such probably service choose school.\nPresent young similar garden then. Different base color century wrong weight. Popular piece toward address citizen.\nBest attack technology election role. Bit none could camera full respond.\nIf language hour word option. Success upon work together end thus answer human.\nServe religious among use although try. Now ask realize argue leader kitchen generation. Simple magazine spend manager step meeting.', + start_mileage: 919, + end_mileage: 6375, + diff_mileage: '5456', + start_location: 'місто Новоукраїнка', + end_location: 'місто Щолкіне', + driver: 'Едита Мазепа', + passenger: 'Миколай Жайворон', + car__plates: 'CB1386XC', + fuel_consumption: '225.0', + }, + { + id: 81, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Default Project', + description: + 'Smile doctor add special. Seat data really wife. Themselves wife development into anything.\nVisit under beyond notice that. Artist watch ever.\nTreatment charge yes party. Almost hour possible see fact high rest.\nCulture dinner commercial body write foot. Property share imagine. Term picture imagine.\nAlthough show citizen reduce computer. Help who half pretty future option front.\nModel media somebody ready. Third camera involve indicate budget for increase. Everybody us material break front impact.\nField watch other so world bring. Million dark during. International economy any American.\nAnimal evening whatever picture thus discuss. Eight international institution little various physical.\nMost as three scene law spring side. Last hand expert mention really old nation. Call best a owner writer ball season oil.\nSet her trial decide. Produce turn house image party little. Believe throughout would choice already. Property family range night friend draw.', + start_mileage: 725, + end_mileage: 3655, + diff_mileage: '2930', + start_location: 'селище Горішні Плавні', + end_location: 'селище Дружба ', + driver: 'Едита Мазепа', + passenger: 'Миколай Жайворон', + car__plates: 'BB6654AP', + fuel_consumption: '170.03', + }, + { + id: 80, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Door grow section son power way half.', + description: + 'Boy he capital culture throw hot. Top require begin strong begin win enter. Section worry employee surface purpose dinner idea.\nDevelop among around his involve song. Because forward tree wait here cause school.\nPositive such international present. Magazine whatever assume standard opportunity per move.\nAccept manager food gun stop. Quite impact start give win forward her. Attack they half big.\nSignificant itself money explain feeling low notice. Cause tree rather science serious. Toward rate where way wide lot bag.\nConference exist voice enter make that up report. Upon feel growth than sense. Forward current yeah reduce enjoy floor.\nAsk action western sing window individual heavy. Agreement also four sea one.\nPeace people itself when hair war. Television girl science value shake scientist.\nNewspaper serve control religious simple week draw. Realize positive already economy while company.\nExpert many national reflect past. If piece board create indicate price miss.', + start_mileage: 859, + end_mileage: 7221, + diff_mileage: '6362', + start_location: 'село Бахмут', + end_location: 'селище Ніжин', + driver: 'Роман Масоха', + passenger: 'Ігнат Барабаш', + car__plates: 'KT1309TK', + fuel_consumption: '468.0', + }, + { + id: 79, + date: '2023-07-03', + country: 'South Sudan', + is_verified: '1', + project__title: 'Get brother citizen address threat.', + description: + 'Why threat window agreement what through talk. Trade story big themselves.\nSeven well commercial agent policy its measure develop. Walk sure difference street staff strategy might. Here over term see. Range wall century safe read else just.\nRelate hotel both page ask these lose. Probably left available nearly American. Health issue including. Stage heavy feel soon writer new decide blue.\nMilitary list successful. Major dark believe back series develop minute. Near room work letter this ago.\nTraditional glass actually prepare likely choose. Edge parent surface design. By across accept song magazine politics camera everything.\nHair democratic carry nice participant. Wonder effort since side visit. Not cup no man fire glass soon.\nTake artist offer your he check current. Staff sea training drive cold knowledge concern always. Send rule at worry.\nFinancial stand station participant. Say a list loss traditional time high. Truth family story marriage poor make subject.', + start_mileage: 619, + end_mileage: 4416, + diff_mileage: '3797', + start_location: 'село Бережани', + end_location: 'село Білозерське', + driver: 'Едита Мазепа', + passenger: 'Павло Яременко', + car__plates: 'KX6834CT', + fuel_consumption: '341.26', + }, + { + id: 78, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Get brother citizen address threat.', + description: + 'Left order like interest phone property. Imagine town cold consumer kind thing glass. Place table exist wide debate.\nYeah cover nation nor wish audience safe. All these husband possible serve.\nEnvironment behavior movie sing even. Culture single career look represent imagine.\nEmployee former bag election quality effort high exactly. New two toward create test interesting.\nListen institution build environment. Produce task recent.\nStart need reason sense. Movie office meet drug paper peace now.\nUnit notice great road several close several. Condition miss role measure much. Coach despite wrong nature condition employee behind.\nCurrent wonder little moment board. Law hope live everyone Republican military speak officer.\nMr hundred land organization firm. High suddenly have course left hour. Husband role voice turn good however experience. Truth take certainly civil the top price.', + start_mileage: 325, + end_mileage: 3075, + diff_mileage: '2750', + start_location: 'місто Дунаївці', + end_location: 'хутір Мирноград', + driver: 'Default Driver', + passenger: 'Default Passenger', + car__plates: 'KT1309TK', + fuel_consumption: '202.3', + }, + { + id: 77, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Just act pick.', + description: + 'Full star none modern surface off economy. Education serious including baby play society practice.\nBecome on democratic sister sport science second. Use over use really.\nLeft Democrat step brother change. Lawyer kitchen challenge myself. Day career project soldier college win hair challenge.\nWar responsibility speak feeling Congress available energy work. Physical interesting friend big sound until. Government pull seek social.\nOff law reduce. Those fall miss conference.\nPast indeed subject present any town job.\nLet visit value. You when daughter may. Marriage establish star prevent study quickly return.\nArticle analysis per a party.\nAlthough picture conference full individual.\nNetwork another course over prove. Design sit usually buy.\nAuthor friend animal hold suggest late health. Like computer mean less theory first.\nList respond beautiful than week do everybody heart. Especially scientist book view job partner compare year. Become choice main entire.', + start_mileage: 296, + end_mileage: 7172, + diff_mileage: '6876', + start_location: 'хутір Лутугине', + end_location: 'селище Ізяслав', + driver: 'Роман Масоха', + passenger: 'Павло Яременко', + car__plates: 'KX6834CT', + fuel_consumption: '617.98', + }, + { + id: 76, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Adult citizen now truth guy step.', + description: + 'Dream such range benefit. Section break walk commercial. Blood level report bank road memory. Gun true material.\nOpportunity garden generation decision. Machine hundred professional world radio.\nThreat hospital receive beyond represent play us. Analysis tough also community to rich. Coach door TV indicate Congress.\nExperience ready standard early letter network. Next no animal computer second.\nPay three mean everybody actually series. Subject example likely member air.\nOur else letter once piece market outside black. Score while man build per author likely.\nPolitical since reason include environmental guy professional. Will light physical view investment process business season.\nFast success writer.\nSurface single yes career hair her chance. Fine together beyond theory perhaps.\nStage reach peace recent. Various security anyone particular television poor culture hair.', + start_mileage: 983, + end_mileage: 7041, + diff_mileage: '6058', + start_location: 'селище Баштанка', + end_location: 'селище Шостка', + driver: 'Климент Туркало', + passenger: 'Default Passenger', + car__plates: 'KX6834CT', + fuel_consumption: '544.47', + }, + { + id: 75, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Get brother citizen address threat.', + description: + 'Own official prove sell. Music seven to would less.\nDrive seat four level present herself. Rich loss avoid add.\nResponse own but herself human the actually. Skin spring number sister now all wide officer. Fall color six true.\nAnything help well great agreement bar. Peace government clearly may. Public partner Mr store tough director.\nHope most walk including. Respond bill rich window four commercial expect. Season ground forward economy.\nTheir pattern rock today relationship hard. Know ever decide blue more budget. Energy case start.\nConsider kind cold.\nBody action stand field late. Sign community street artist exist something tell difficult. Main activity role wait affect consumer those.\nOperation model enjoy collection type as music.\nRole once miss table husband reveal. Experience Democrat bring notice hold evening. Future everyone guy office.\nUntil take soon. Fill member senior notice drop data.\nStep century special doctor performance. Probably practice other half.', + start_mileage: 994, + end_mileage: 3388, + diff_mileage: '2394', + start_location: 'хутір Іловайськ', + end_location: 'село Харків', + driver: 'Павло Лисенко', + passenger: 'Богдан Артюшенко', + car__plates: 'CB1386XC', + fuel_consumption: '98.73', + }, + { + id: 74, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Door grow section son power way half.', + description: + 'Inside little western technology reach explain. City business information too during citizen seat. Herself war dark you raise.\nTalk police difference dog size community character.\nExperience give another both any. Low indicate pick area finish in.\nRun religious produce image increase money voice.\nMay rise local none three ok. Table argue notice talk TV.\nItem federal argue. Where thought effort hundred should film.\nMan choice success positive guy.\nWater leave fish project.\nLaw very senior. Color page fish rock structure future. Country least end.\nParent land president second song education. Capital garden accept participant.\nRecognize dog stay now. Recently argue pay share recognize share imagine senior. Stop president about local various opportunity.\nPolice drop upon ask table he best herself. Security west wonder wait human no possible. Best finally tell nice quite capital.\nThing determine read. Whether ball exist. Military including morning tonight hit coach.', + start_mileage: 923, + end_mileage: 2376, + diff_mileage: '1453', + start_location: 'хутір Олешки', + end_location: 'село Погребище', + driver: 'Климент Туркало', + passenger: 'Олександр Остапчук', + car__plates: 'KX6834CT', + fuel_consumption: '130.59', + }, + { + id: 73, + date: '2023-07-03', + country: 'South Sudan', + is_verified: '1', + project__title: 'Get brother citizen address threat.', + description: + 'Middle argue little themselves. Financial model argue. Raise war huge professor whatever game.\nDetermine anyone remember some material window almost point. Such degree claim just amount.\nThing inside chair despite boy. Right sort ask. Door sit dream church ground crime left. Later traditional worry hospital property field.\nProperty leg away threat. Ability network heart trade.\nIncrease college goal once item anyone just. Stock simply even song idea hear. Beyond list to strategy. Population cut stock key plan feel.\nFrom explain story study. Rest night key week fill. Century wonder group during.\nHeavy new indeed each. Hold around Congress people require national reality. Benefit site former teach few cut out.\nTell executive business game. Mission style radio if nice news.\nProve leg street. Moment deep around join option name. Yard must avoid far term doctor.\nThey commercial model note explain. Bag never student our total authority five number. Be but security run hold option bit.', + start_mileage: 127, + end_mileage: 4534, + diff_mileage: '4407', + start_location: 'селище Апостолове', + end_location: 'селище Кам янське', + driver: 'Едита Мазепа', + passenger: 'Павло Яременко', + car__plates: 'UA000000', + fuel_consumption: '440.7', + }, + { + id: 72, + date: '2023-07-03', + country: 'South Sudan', + is_verified: '1', + project__title: 'Just act pick.', + description: + 'Arrive material challenge hand politics really. Born sea single your.\nMission law themselves. Paper reality measure new still happen light whole. Factor across these fly up article.\nIndustry yeah season leader gas once. Agreement summer upon class huge world here.\nEstablish thousand use often worker. Responsibility know simply analysis surface. Instead blue south compare tell draw wide which.\nBar reduce a word major break want. Arrive old reach beautiful. Film significant fine hope drive across sound.\nHappy give guy head want institution. Attorney order woman shoulder. Particular account suddenly evidence.\nDebate child owner door. Personal main sort run step recently. Quickly quickly hand cause then sport her.\nNational how value realize. Control happy case chance positive.\nRule prepare expert receive throw population available. Understand very strategy. Generation off man thank.\nAny record check whether. Sit last approach out. Sister nice alone hair manager office happen.', + start_mileage: 320, + end_mileage: 9470, + diff_mileage: '9150', + start_location: 'хутір Петрово-Красносілля', + end_location: 'місто Рахів', + driver: 'Павло Лисенко', + passenger: 'Default Passenger', + car__plates: 'UA000000', + fuel_consumption: '915.0', + }, + { + id: 71, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Get brother citizen address threat.', + description: + 'Her throw character behavior.\nRight concern down look fill per bad. Audience tree election show just writer minute. Other see throughout.\nMaybe manager memory whose possible. Least decision manage behavior bad.\nMean energy cold rather. Wife the check surface. Security hard talk side available sea. Small power agree agreement.\nProfessor response five quite who possible very player. Field daughter accept east.\nTheir participant public PM character candidate mind. Western cultural policy international identify itself open ball. Individual general measure land cup vote. Country action forget rather whole mind.\nUnit experience sign firm artist music worry. Into base sea home.\nStage edge option. Ability let government a suddenly mission. Any serious bag happy seven.\nHowever family practice blood a. Authority medical situation east nothing include matter.\nAction door write room accept several exactly. Manage next really soldier medical brother member practice.', + start_mileage: 417, + end_mileage: 5012, + diff_mileage: '4595', + start_location: 'хутір Волочиськ', + end_location: 'селище Покров', + driver: 'Климент Туркало', + passenger: 'Олександр Остапчук', + car__plates: 'KT1309TK', + fuel_consumption: '338.02', + }, + { + id: 70, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: + 'Record report response. Their benefit would consider yard look from. Thought the serious she kid teacher agent.\nEight us blue water me study pay. Computer feel debate PM dog.\nSign agree world probably. Dream customer blood station wait fear point. Discuss base great heavy side night wrong. Now most individual daughter rather type.\nConsumer together look treat today white. Imagine relate crime yeah.\nTraining eye anyone television necessary where like smile. Significant move hour law.\nCall role peace against until person. Anyone along wrong bad ok. Attack effect cut main.\nLead top those again result attack. Lead suddenly court. Network seven four become compare program condition film.\nCheck senior south put. Yourself thank seven who piece. Home prevent five girl identify trade any.\nTrial writer give case girl simply church.\nThere table everything west because floor. Example prepare apply accept head special single.', + start_mileage: 326, + end_mileage: 3567, + diff_mileage: '3241', + start_location: 'селище Селидове', + end_location: 'село Зугрес', + driver: 'Роман Масоха', + passenger: 'Павло Яременко', + car__plates: 'KX6834CT', + fuel_consumption: '291.29', + }, + { + id: 69, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Mouth world occur rate pretty.', + description: + 'Serious bag leader perhaps suddenly station view.\nPrevent onto instead of. Difference agreement wish everything.\nElection public couple see skin wish. Account summer energy administration during task. Later arm focus available morning involve issue interesting.\nControl time space stuff pressure camera Democrat. Occur five of skill safe Mrs picture leg.\nAir foot week event various song. Wide audience executive sea talk. True generation season may year.\nCold inside about suffer strategy fund. Open government town player finish.\nAround these work box.\nSecond scientist culture usually everything. House in cause and major role soon.\nWhat administration poor fine activity around. Population crime story likely evening seek account in.\nConsumer work laugh respond. Gun appear purpose series heart continue.\nTeacher soldier notice management. Drive firm than understand guy agent big benefit.', + start_mileage: 591, + end_mileage: 4100, + diff_mileage: '3509', + start_location: 'місто Яготин', + end_location: 'місто Стрий', + driver: 'Володимир Вовк', + passenger: 'Богдан Артюшенко', + car__plates: 'KX6834CT', + fuel_consumption: '315.37', + }, + { + id: 68, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Adult citizen now truth guy step.', + description: + 'Toward property record pull four measure. Listen mean fine technology fish week marriage.\nSpend people adult low course big. Agreement seek discover key traditional college sing member.\nProperty generation organization to morning third painting. Same relate wide station. Republican design back talk phone ground.\nEvening still want speak. Likely growth nice education agency contain audience.\nCampaign each hard west instead. Population little whatever design never second. Center reality lot vote.\nWatch carry area then two possible main. Best land southern class movement would society. Owner its peace several stage.\nDrive dinner against happy conference find nice. Wind weight step bill again put.\nLawyer ability over Congress compare sit. Task could second nearly. Direction sport within never agreement policy set.\nCommercial in oil eight. Near past concern entire writer. Manager early yourself adult truth production. Hour purpose which political.', + start_mileage: 397, + end_mileage: 8646, + diff_mileage: '8249', + start_location: 'місто Вільногірськ', + end_location: 'місто Сарни', + driver: 'Володимир Вовк', + passenger: 'Default Passenger', + car__plates: 'UA000000', + fuel_consumption: '824.9', + }, + { + id: 67, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Mouth world occur rate pretty.', + description: + 'Rich discuss subject she paper prepare mind. Social wife might ability.\nProduct produce whatever article right. Message approach list describe.\nFight new before kid risk movement. Finally ready continue art challenge.\nRisk dark have side sense.\nDifferent seven sign field evidence daughter policy remember. Big position particularly natural in chair conference writer. No heart serve body street.\nProduct out something read house. Tend ago parent message. Treat our he society look state.\nTough place visit heavy. Affect strong in possible.\nPiece good over generation party type officer. Big use even do authority.\nCoach hot apply place us their.\nBlue role different accept. Gun stay out such.\nProtect walk take try. Floor water bar true nothing state. Clearly kind together yes good strong.\nPast summer dog your apply government. Board research enough quite. Middle world group until card often above doctor.', + start_mileage: 182, + end_mileage: 3089, + diff_mileage: '2907', + start_location: 'місто Ланівці', + end_location: 'хутір Кременчук', + driver: 'Default Driver', + passenger: 'Павло Яременко', + car__plates: 'BB8914CB', + fuel_consumption: '156.48', + }, + { + id: 66, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: + 'Attention newspaper similar everyone nothing Congress west operation. Physical rich miss able order. Paper end floor approach it adult. High moment live become.\nPersonal professional current doctor cause late form. Light impact become group range. Us time affect official marriage thousand and.\nMay resource their exist. Long accept time its forward white ball. Well region show leader.\nCertain quality health accept cultural age simple. Society authority matter blood road determine.\nGovernment audience off cultural leader weight coach. Term kind American goal good. Ask owner fund alone trade after.\nPopular life music dream entire. Help open window build professor audience college.\nEvening action maintain human large. Meeting station certain. Alone receive involve be increase.\nShould beautiful purpose anything support. Poor example live civil. Science actually foreign theory concern language popular question.', + start_mileage: 35, + end_mileage: 9465, + diff_mileage: '9430', + start_location: 'селище Чернігів', + end_location: 'селище Турка', + driver: 'Володимир Вовк', + passenger: 'Павло Яременко', + car__plates: 'UA000000', + fuel_consumption: '943.0', + }, + { + id: 65, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Adult citizen now truth guy step.', + description: + 'Control try practice if simply. Child wife base hand behind cold nothing.\nWill because usually.\nMost friend type both serve however before. Theory stage summer training. Herself television hand course positive young.\nSpecific stuff school reason sort today. Process page car try.\nMaintain without organization such admit plan this.\nHusband back parent. Range exist realize finally artist.\nUs drug look enter between administration. Factor religious heart machine party.\nUpon wear ready step reflect. Science nation cup star everyone player. Compare to officer radio range.\nShake group type agreement business nor. Idea sign what news number difficult. Billion ahead site word would receive blue keep.\nWorker occur feeling perhaps shoulder. Difference break light right.\nSecurity field really specific data fire.\nCommon ten official within get. Start same decade coach concern sell some.\nCentral drive nor opportunity. Prepare tax phone stay.', + start_mileage: 422, + end_mileage: 2578, + diff_mileage: '2156', + start_location: 'хутір Іллінці', + end_location: 'місто Дубровиця', + driver: 'Роман Масоха', + passenger: 'Миколай Жайворон', + car__plates: 'CB1386XC', + fuel_consumption: '88.91', + }, + { + id: 64, + date: '2023-07-03', + country: 'South Sudan', + is_verified: '1', + project__title: 'Mouth world occur rate pretty.', + description: + 'Next theory particularly success. Phone who need create report choice.\nMarriage edge stop good by draw born. Number police account rest material of. Treat happy cold decide tell apply environment.\nOption reflect much. Learn only husband approach help read. After show enter type without environmental. Thus year so former important stuff the daughter.\nPicture ask serve task sea mean ground. More include entire word mouth exactly. Ground hard thing others. Toward positive stock news third join final.\nTry TV night similar. Something seek major design tonight information.\nLarge foreign single produce this dream enjoy. Friend quality theory local thank play blue network. Pattern interesting man TV at matter finally.\nHappy choice miss also daughter everybody. Physical beautiful remember possible position thousand news. Require tree man just base. Heart have professional economy family lot.\nChurch part back work nice. Garden toward home across allow.', + start_mileage: 820, + end_mileage: 9432, + diff_mileage: '8612', + start_location: 'селище Новоград-Волинський', + end_location: 'хутір Шумськ', + driver: 'Едита Мазепа', + passenger: 'Павло Яременко', + car__plates: 'KX6834CT', + fuel_consumption: '774.01', + }, + { + id: 63, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Door grow section son power way half.', + description: + 'Region course her expert. Five recognize effort center effect new.\nMake position common yard. Above table according whole. Nice positive hear appear wonder.\nCoach claim while population weight despite. Us quickly time high billion your many.\nFormer edge common more example. Road moment bit front include believe think.\nView military section eye none key. Reveal half task upon. Environmental account development decide speech stuff dog.\nOr although section care pull film stay.\nManage clearly state. Want site space successful good rather.\nHistory agent audience couple. Wind official support summer. So his drug.\nUpon state shoulder soldier across wall apply. Dark friend week relationship.\nRight Republican word officer. Lead say thing hundred degree house sit certainly. Technology wish grow worker order never a.\nAdministration play agree run address open. Person room learn trip movie turn. Short push cultural set fast crime.\nSeven fill service go water. Rate staff free.', + start_mileage: 31, + end_mileage: 8441, + diff_mileage: '8410', + start_location: 'хутір Дубровиця', + end_location: 'селище Волочиськ', + driver: 'Павло Лисенко', + passenger: 'Олександр Остапчук', + car__plates: 'KT1309TK', + fuel_consumption: '618.66', + }, + { + id: 62, + date: '2023-07-03', + country: 'South Sudan', + is_verified: '1', + project__title: 'Adult citizen now truth guy step.', + description: + 'Company rest sign media gun employee fact. Hit avoid never role discuss. Resource structure opportunity prove rate.\nYour provide green act treat. Pick significant pretty music. Thus not sort meeting child suggest enter.\nColor your between of conference to option miss. Still late dog voice it prevent. Bit American church scene choice.\nBenefit people letter past smile among story. Toward fact standard money. Care stock tend morning those. Attorney soon future interest fish owner hot.\nSituation give music organization but. Under impact discover gas pass drug sing.\nTheir adult recently effort purpose Congress often anything. Build grow born quite market TV war. Land no almost show who.\nTreat hair important lawyer whether. Different business loss most pattern study.\nWhere difference watch. Surface herself area type probably later prove.\nIndividual my health continue single relationship. Often bed there nature painting top no. Nice half past from budget mind.', + start_mileage: 333, + end_mileage: 8975, + diff_mileage: '8642', + start_location: 'місто Жмеринка', + end_location: 'хутір Моспине', + driver: 'Климент Туркало', + passenger: 'Миколай Жайворон', + car__plates: 'CB1386XC', + fuel_consumption: '356.39', + }, + { + id: 61, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Just act pick.', + description: + 'Suffer effort seek election. Hard music example bad among run drug. Enjoy in buy order turn.\nWhy themselves ability amount. World official agency executive head resource.\nBorn baby entire. Wonder actually exist. Goal let risk project between country.\nToday poor wish involve parent raise. Mention dog red tonight issue. Hit impact foreign should.\nSurface success reason food daughter. Lead he this.\nSubject yeah position learn majority teach explain animal. Remember human night teach.\nDog political life action check. Soldier learn during hear him.\nMeeting anything attorney director pressure grow. Level hundred large moment decade can age.\nStyle suddenly live heavy social. Couple half human provide.\nAlone middle chair professor. Despite offer prevent call inside. Buy me reach sort reason leader first. High data voice.\nClass boy line. Form individual herself easy report positive.\nNone any as bit just over. South campaign huge next skill great.', + start_mileage: 687, + end_mileage: 1274, + diff_mileage: '587', + start_location: 'селище Сорокине', + end_location: 'селище Устилуг', + driver: 'Роман Масоха', + passenger: 'Миколай Жайворон', + car__plates: 'UA000000', + fuel_consumption: '58.7', + }, + { + id: 60, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Door grow section son power way half.', + description: + 'Base behavior media. Section Congress look task.\nThe drive true well left under. Piece east action dark seat. Dark above laugh speech.\nMind show key official national assume can person. Protect fight will.\nFive break policy local Mrs mother general. Task director student pass.\nStyle machine wrong program charge wish. Bag strategy decide increase head central. Board statement south out could both hospital.\nEach tell five example. Citizen article remain. Eye fire democratic cup single give fine.\nCommercial computer black business smile. Prove story Mrs look box. Sell catch action brother community.\nPage gas election key film shake. Whole within deep wrong degree fact. Media history church hit scientist million. Wait page not eat former drop.\nOperation pressure hit fine member. Believe drug computer.\nRelationship whole serious agent positive night point forget. Discussion skill center true point popular decision indeed.', + start_mileage: 455, + end_mileage: 2472, + diff_mileage: '2017', + start_location: 'селище Нікополь', + end_location: 'селище Заставна', + driver: 'Климент Туркало', + passenger: 'Миколай Жайворон', + car__plates: 'UA000000', + fuel_consumption: '201.7', + }, + { + id: 59, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Get brother citizen address threat.', + description: + 'Threat dark and hot technology.\nEnough more reason use. Whatever north Republican commercial under. Security bring true decision approach when speech. Home kid project them success.\nProperty article author break teacher. Blue much score smile carry scientist.\nOk practice letter. Task southern record. Everything old several. Note least direction strategy region.\nSo economic test least establish government force. Bill way campaign car type notice. Head central many cell boy place.\nCreate Democrat card difficult leg remain. Audience center compare only.\nJust often single vote moment describe garden. Person left own reveal.\nParticularly indeed discussion chair view. Walk box chair same. Thank require too wind capital night my.\nReal popular executive away. Positive agreement base debate enough decade news. Present rock trade weight skill. Sing positive unit result us form trade degree.\nSeem political within manager meet on.', + start_mileage: 187, + end_mileage: 3599, + diff_mileage: '3412', + start_location: 'місто Дружба ', + end_location: 'селище Свалява', + driver: 'Default Driver', + passenger: 'Олександр Остапчук', + car__plates: 'CB1386XC', + fuel_consumption: '140.71', + }, + { + id: 58, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Mouth world occur rate pretty.', + description: + 'Financial for kid address father mind. Senior big teacher central magazine reflect heart.\nEstablish challenge spend scene. Open young what smile.\nCamera current senior without. Specific ever Mr.\nPeace however raise space close sort. Since factor third eat behind base analysis. Some cultural government enjoy.\nSign join million level technology art. Use single I poor tend.\nMrs investment easy kid identify food. Success whose fund feel.\nLevel decide its dark rate. Left cost success determine natural friend address station.\nImage offer leg key later. Process approach college.\nCost ask close many member. Able deep seek teach social number.\nDesign others both suffer idea finish. Side data factor production matter career fund argue. Material garden example whether pressure.\nOperation mother effort bad.\nCompany baby evidence opportunity song reflect. Have evidence worry local either.\nCell strategy somebody art clear treatment use state. Policy report oil figure country through.', + start_mileage: 859, + end_mileage: 1370, + diff_mileage: '511', + start_location: 'місто Перечин', + end_location: 'село Білгород-Дністровський', + driver: 'Default Driver', + passenger: 'Олександр Остапчук', + car__plates: 'UA000000', + fuel_consumption: '51.1', + }, + { + id: 57, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Just act pick.', + description: + 'Change result television fall. Site about guess sometimes try another wrong note.\nBetter make training happen. Development rich society couple together weight pay.\nBoth prevent sometimes challenge anything which take treatment. Good order college building mind detail cup step. Decade painting same business federal future however middle.\nBaby respond science dark international. Career other get no. Evening create purpose work help. Mrs production order relate meet say.\nNice my draw myself Republican could. Physical poor common art black education. Particular possible before cold when be.\nApply each base contain anything. Resource look phone group brother condition.\nPerhaps who body almost health produce. Religious how may image according worker growth. Board senior between much buy though former.\nWeek respond amount image take past board. Address next cup who sometimes.\nFine already employee amount company. Tree important include hard hit anything its. Animal pay line unit water model.', + start_mileage: 581, + end_mileage: 8704, + diff_mileage: '8123', + start_location: 'село Часів Яр', + end_location: 'село Дунаївці', + driver: 'Роман Масоха', + passenger: 'Олександр Остапчук', + car__plates: 'KT1309TK', + fuel_consumption: '597.55', + }, + { + id: 56, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Just act pick.', + description: + 'Economy know charge through make. Compare not operation worry kitchen able.\nSubject some it try which. Four until newspaper he. Which instead official something. Which letter middle consider break among.\nChance from try place. Wish check program represent in office news.\nProbably board talk condition when talk floor. Evidence ever want possible finally end article. Have think forget area huge strong among.\nBase box trouble. Speech there government free personal add.\nIncrease maintain whom usually hundred. Worry power ok prevent appear enough. Everybody everything race international. Trial memory wide nearly size.\nBe significant involve save opportunity machine hand. Bed door someone key along later campaign yes. Night teacher treat when strong move.\nUp either program marriage suffer industry study sell. Our past young audience board measure front.\nFather without different doctor describe fund nor. Today right who occur notice. Else ever PM day watch church reveal say.', + start_mileage: 314, + end_mileage: 6449, + diff_mileage: '6135', + start_location: 'хутір Голубівка', + end_location: 'село Торецьк', + driver: 'Володимир Вовк', + passenger: 'Default Passenger', + car__plates: 'KX6834CT', + fuel_consumption: '551.39', + }, + { + id: 55, + date: '2023-07-03', + country: 'South Sudan', + is_verified: 0, + project__title: 'Get brother citizen address threat.', + description: + 'Meeting imagine fly during government rate sense. Single wife report peace. Mother event debate where.\nClear until democratic. Laugh he after political thank should design.\nTough relationship popular station time. Tell story however family day step. Word media seem business.\nInformation compare case. All his feeling range happen skin your. Water hand baby.\nSimilar strong will may experience knowledge. Must necessary food long as opportunity.\nCup more art often resource. Author case reason idea enter argue support down. Per military Republican politics idea.\nTown two foreign including. Style indeed around accept spend family.\nFather major moment run if want. Force street sure. Middle establish individual support.\nCrime form yeah agency then. Old responsibility could. Stage agree because free land apply.\nNew what affect son brother. Perhaps where throw will. Us method yourself skill growth apply. Goal eye either street pressure stop.\nYour really teacher hot. Take personal under.', + start_mileage: 321, + end_mileage: 5973, + diff_mileage: '5652', + start_location: 'село Комарно', + end_location: 'хутір Гребінка', + driver: 'Климент Туркало', + passenger: 'Богдан Артюшенко', + car__plates: 'CB1386XC', + fuel_consumption: '233.08', + }, + { + id: 54, + date: '2023-07-03', + country: 'Ukraine', + is_verified: 0, + project__title: 'Default Project', + description: 'Default unverified drive', + start_mileage: 1, + end_mileage: 100, + diff_mileage: '99', + start_location: 'Start', + end_location: 'End', + driver: 'Default Driver', + passenger: 'Default Passenger', + car__plates: 'UA000000', + fuel_consumption: '9.9', + }, + { + id: 53, + date: '2023-07-03', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: 'Default verified drive', + start_mileage: 1, + end_mileage: 100, + diff_mileage: '99', + start_location: 'Start', + end_location: 'End', + driver: 'Default Driver', + passenger: 'Default Passenger', + car__plates: 'UA000000', + fuel_consumption: '9.9', + }, + { + id: 52, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Certain toward study loss short possible.', + description: + 'Wind final what. War will once mission. Good democratic resource beautiful artist national maintain.\nPopulation difference decision forward explain. Edge car reduce report region best. North reveal wall good general.\nMust agree would law minute issue. Successful him actually. Former you what exactly single team. Quality better community similar institution.\nCharge else very sign. Food rate mention keep sound affect. Finally our manage figure responsibility light generation.\nRecord third test property weight. Radio exist born color. Class leave drop anything.\nPublic end each different federal indicate air region.\nRepublican create discussion loss. Evidence easy despite knowledge institution specific unit model. Long term suffer.\nPm line partner woman its unit science fast. She pick join shake ok bar hard. Want much to maintain might indeed picture.\nAvoid bad take. Factor should national research woman.\nGuy win east end. Modern others television stop particular civil discuss.', + start_mileage: 700, + end_mileage: 6695, + diff_mileage: '5995', + start_location: 'село Миколаївка ', + end_location: 'селище Гнівань', + driver: 'Петро Кальченко', + passenger: 'Варфоломій Приходько', + car__plates: 'KE8864EB', + fuel_consumption: '450.94', + }, + { + id: 51, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Charge choice story throughout truth.', + description: + 'Send leader remember include program. Vote teacher still science effort change should. So fall family.\nNorth concern great state dark. Price stop later clearly candidate.\nSystem deal music pattern type three. Agency material finish blood front dog.\nHand pattern across like detail. Total many value.\nCentral nothing product just. Ability attorney three treatment. Consider section realize town democratic body.\nTend around opportunity world town. Site source itself.\nImpact sort three benefit cost seem statement around. Reason leader fire degree watch marriage.\nQuite specific although food. Door science debate pattern phone mind ball.\nMessage join represent important woman. Mouth between play score huge series nothing. Bad as since us second.\nReveal charge third magazine chair often table.\nLaw especially realize color station light Mrs. Visit rise from budget better former yeah. Its leg still reveal image according with. Director different kind doctor wear me.', + start_mileage: 142, + end_mileage: 8016, + diff_mileage: '7874', + start_location: 'село Самбір', + end_location: 'хутір Великі Мости', + driver: 'Зиновій Деркач', + passenger: 'Камілла Засенко', + car__plates: 'BX2234AH', + fuel_consumption: '567.07', + }, + { + id: 50, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Step leave color price left yes long.', + description: + 'Last paper bank image different rule economic. Throughout among memory item now quality. Few minute across.\nProduct key right herself government. Medical nearly eat whatever.\nSince design go.\nAdmit condition point soon design away now. Already religious official charge him home executive.\nHot measure exactly month. Course should take public on fast.\nAmerican option describe small imagine major. Soldier vote trial ok.\nHuge fly argue. Role article item.\nSeries bed rate religious cause meeting standard. Drop nature happy matter owner.\nGoal above instead. Property history truth chance. Risk worry fly generation.\nFather conference culture great executive. Police power book attack focus threat beyond. That material teach girl office let find.\nBeautiful else debate. Party think network agreement through course talk others.\nTravel season fight over late base. Catch condition pull great American second.', + start_mileage: 192, + end_mileage: 7157, + diff_mileage: '6965', + start_location: 'селище Судак ', + end_location: 'селище Молодогвардійськ', + driver: 'Зиновій Деркач', + passenger: 'Віктор Копитко', + car__plates: 'KE8864EB', + fuel_consumption: '523.9', + }, + { + id: 49, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Default Project', + description: + 'Indicate public land half provide. Writer lawyer newspaper computer. Successful police herself language protect. Situation accept someone subject group seek cause.\nRun only force. Learn minute event business before suffer control.\nExist watch instead. Find police significant movement. Court use seat.\nImpact true leg anyone day worker. Performance if beautiful prepare suffer floor.\nCould drug age style modern. Fight quickly back very may there. Material cup sure simple.\nTake such practice somebody. Actually increase require option find do leader. Population decide information performance.\nBillion enter ability air small none. Next successful travel save increase herself how. Leader approach hospital firm charge carry.\nNational one program career. Policy head herself explain everyone car tonight. Ask figure method meeting president career.\nYes heavy space store. Among believe teacher rich hear city play. Shake choice get get strategy win may.', + start_mileage: 754, + end_mileage: 4570, + diff_mileage: '3816', + start_location: 'місто Генічеськ', + end_location: 'село Алчевськ', + driver: 'Петро Кальченко', + passenger: 'Варфоломій Приходько', + car__plates: 'CB8529TA', + fuel_consumption: '328.27', + }, + { + id: 48, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Assume stay knowledge note.', + description: + 'Pick her employee despite per over describe. Eat protect form.\nHundred information low treat sound well own.\nNational accept talk attack ok blood.\nFinal sound water outside. Another concern above simple fly. Mr member purpose price community tax middle. Once catch happy store especially argue according.\nMedia change option that two four light security. Before alone decade.\nSister deal PM. Value training raise result theory. Before win plant.\nShould social relate produce. Industry red beautiful together weight. Few company discussion head.\nDifferent trouble night ability fire tree young. Man put teach side raise. Bag prepare week nice than.\nFollow close answer someone a want. Popular here operation stage fine evening.\nCentral place interesting nice. Happy at threat although soldier degree drop.\nChoice help arm stuff. Structure candidate worry stuff organization audience answer bad. Worry age majority book financial but she. Know picture board serve other.\nState wonder quality also cup.', + start_mileage: 951, + end_mileage: 1095, + diff_mileage: '144', + start_location: 'місто Буськ', + end_location: 'село Лубни', + driver: 'Оксана Джунь', + passenger: 'Default Passenger', + car__plates: 'KE8864EB', + fuel_consumption: '10.83', + }, + { + id: 47, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: + 'Teach against experience manage test executive. Security international half tree professional likely condition.\nSister push beyond impact. Away firm drug general one foreign none. Agency phone bit together.\nSing home free capital school form. Talk space car.\nSingle term off scene model sort wind. Finish commercial mind him conference generation three. Society argue picture nor computer.\nThing team past itself design every dog. Within tell agreement indeed find off.\nEnter environmental perform door test item health. Spend common for thought someone.\nFact whose fight along movie still. Establish compare adult account report stage else.\nYour plan conference. Mention worker among morning be purpose anything.\nPick program spend clear time week gas. Front ever price take stay. Hear more group clear heart mission.\nCut onto ten authority him agency. Tough send cut someone.\nDescribe country act reduce up nor spring. Lay already small threat professor happen.', + start_mileage: 318, + end_mileage: 4711, + diff_mileage: '4393', + start_location: 'місто Білицьке', + end_location: 'село Заставна', + driver: 'Трохим Алексійчук', + passenger: 'Варфоломій Приходько', + car__plates: 'BE1576PI', + fuel_consumption: '418.19', + }, + { + id: 46, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Necessary maybe set show church agency.', + description: + 'Level movie north. Young brother strong stock natural style win.\nMajority cultural service mouth road. Fact price spend part.\nHeavy measure wrong report style. Central outside wait after plant man community.\nPractice visit political. North all while western.\nRealize character likely present. Quickly at available feel discover local dinner bring.\nTelevision feel treat artist control. Point dinner respond call record military. Ago effect human none I.\nTrial we ok nation activity each cup.\nMost coach end throughout table plan decade. Year every now change control third food.\nBook firm example act how. Many free surface seek.\nTreat world within white cold north. Thank series reach first.\nHouse far member for rate type myself. Cold main of whether unit. Tough as range her together range interest I.\nUpon phone authority picture worry during. American part under recognize full full purpose. Throughout have management force.\nSouth activity suffer city. Series could my air four.', + start_mileage: 821, + end_mileage: 8016, + diff_mileage: '7195', + start_location: 'селище Курахове', + end_location: 'селище Носівка', + driver: 'Трохим Алексійчук', + passenger: 'Дан Рева', + car__plates: 'HB5173EE', + fuel_consumption: '544.55', + }, + { + id: 45, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Default Project', + description: + 'Instead throughout remember admit consumer. Approach citizen government idea for.\nPosition common officer discover wrong if wish. Who fast instead first seek finally music record.\nPolitics thing under company. Oil mouth plant than enter marriage. Face should town play and since interesting crime.\nLay eye case she project.\nBetween early ball do.\nName bank score reach goal federal official. Them anyone deep series although serious.\nSuch check simply personal approach TV. Attention can pull factor. My least trouble name with coach good.\nAir continue offer reach. Theory successful method claim including. Last push we agent.\nBillion common receive light. Late most piece ahead. Culture physical write those position four. International will edge six community.\nThat peace just opportunity. Describe drug attack. Best television front institution develop himself stay. Career investment draw race career stage.', + start_mileage: 104, + end_mileage: 5238, + diff_mileage: '5134', + start_location: 'селище Новоселиця', + end_location: 'селище Ірміно', + driver: 'Зиновій Деркач', + passenger: 'Дан Рева', + car__plates: 'BX2234AH', + fuel_consumption: '369.74', + }, + { + id: 44, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Certain toward study loss short possible.', + description: + 'Start week economic study employee chance. Early performance own water rate attention. Law raise former tax.\nKnow off live ahead on bad. Operation walk forget involve.\nHold claim plant myself represent ten show reach. Cup campaign scene manage career get. House article positive chance face military. There choice even brother would history.\nTop specific dinner lead exactly far. Throw treat common compare plan.\nCentral really happy. Forget middle relationship must second design.\nDrug require according surface dog. Would particular media according.\nIndicate scene magazine teach address. Story collection resource protect human approach various.\nSet record find suffer simply style safe. Always that top about Republican. Talk article land suggest draw peace store.\nRead hand whole whole. Ago attack service message center into worker. Probably wear toward.\nGame necessary easy maybe town. Section building theory program lawyer away.', + start_mileage: 721, + end_mileage: 9917, + diff_mileage: '9196', + start_location: 'хутір Калуш', + end_location: 'село Перевальськ', + driver: 'Трохим Алексійчук', + passenger: 'Камілла Засенко', + car__plates: 'BX2234AH', + fuel_consumption: '662.28', + }, + { + id: 43, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Assume stay knowledge note.', + description: + 'Imagine near practice other tell source resource. Program vote instead thousand part area environment.\nPush fine up significant wind sister. Move bad four growth town church. Certain everybody certain.\nStart American morning quickly foreign offer. Open boy discover tax himself enter report. Sport finish summer accept ask decide officer.\nFocus pretty white time increase. Successful tonight world compare rate side us. General claim price up big any example.\nNight continue subject plan industry avoid tree. Nearly beautiful fight. Focus operation success let.\nAsk land skin religious war first. Deep ok indeed occur seat. And as out.\nAccording nearly why. Almost training laugh reality. Bank war race real show late. Animal memory behind forward daughter.\nYourself road form ball. Into business though.\nBusiness civil alone voice. Ever business rate specific door far side. Yes own as worry move start.', + start_mileage: 816, + end_mileage: 3766, + diff_mileage: '2950', + start_location: 'село Чугуїв', + end_location: 'село Довжанськ', + driver: 'Аркадій Вишиваний', + passenger: 'Віктор Копитко', + car__plates: 'CB8529TA', + fuel_consumption: '253.77', + }, + { + id: 42, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Assume stay knowledge note.', + description: + 'Easy wonder us onto. Major state home budget outside affect likely. Face different all difference.\nMother natural the social a.\nBest morning century become. Institution knowledge school paper nation once suddenly. Buy note believe lead language.\nDifferent beautiful treatment both feeling. Buy at according.\nMachine mission avoid body my by. On central senior certainly control them.\nSomething administration nation keep notice.\nSituation somebody bit decision special. Tv this resource.\nUp onto research game yeah.\nMedical who probably mouth town stop statement. Himself response challenge start fly.\nMission both into.\nHair soon many leg record information.\nFine name style to media hold cup kitchen. Focus citizen instead reach Democrat see manage. Building though lead.\nHappen end take history eye would. Let give name his behind mouth establish.\nNorth population moment attorney. Left customer note fish a. Card join college bad wrong. Never model simply break mouth draw.', + start_mileage: 316, + end_mileage: 1115, + diff_mileage: '799', + start_location: 'село Джанкой', + end_location: 'селище Берестечко', + driver: 'Зиновій Деркач', + passenger: 'Віра Рудько', + car__plates: 'UA000000', + fuel_consumption: '79.9', + }, + { + id: 41, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Charge choice story throughout truth.', + description: + 'Crime along check total speak. They approach miss maybe lawyer. Attack at never ground appear help player.\nThank officer defense drop player human. Wrong require hope third attorney whole shake fight. Hotel design push start.\nOf perform yes. Fly network gun political again. Vote we firm arrive.\nLot sister bank clear suffer while treat. True far instead site wait station. Or coach will recognize help brother.\nEstablish man by economic management. Choice sense quality several least series.\nCitizen Congress program determine leg son. Issue stock popular model friend public process. Kitchen thought force view not effort operation.\nHuman no market detail throughout customer medical.\nSimilar toward dog physical area president body. Reality artist same race food finally there tree. Any cut cold.\nTry college hear rise clearly wrong. Several arm instead although street TV.\nFact training glass capital low well. Place story new group full civil way. Who exist decade ago.', + start_mileage: 736, + end_mileage: 3436, + diff_mileage: '2700', + start_location: 'селище Деражня', + end_location: 'село Перещепине', + driver: 'Зиновій Деркач', + passenger: 'Дан Рева', + car__plates: 'CB8529TA', + fuel_consumption: '232.27', + }, + { + id: 40, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Default Project', + description: + 'Garden friend evidence stock machine wide herself light. Pass me clear difference majority challenge.\nExpect never interest animal home age. Star send already second. Soon send arrive build prove.\nAnd position likely administration. Usually simple pass hot list provide. Responsibility pretty service talk. Include song those scene.\nSignificant produce book win appear professional. Take region view able anyone chance reality after.\nGame number within that including fight. Case major need. Share improve from coach morning.\nRace section relate certain herself decide. Together no wish music response. Your though theory while there show under president.\nNeed medical present vote current record across. Natural popular decision traditional laugh strong.\nReality adult usually less thus. South man market population story practice theory.\nMaintain institution lead bill add participant chair. Receive current leave PM explain.\nCompare various believe pass. Type discussion forget improve.', + start_mileage: 323, + end_mileage: 9335, + diff_mileage: '9012', + start_location: 'хутір Збараж', + end_location: 'хутір Бердянськ', + driver: 'Default Driver', + passenger: 'Віктор Копитко', + car__plates: 'KE8864EB', + fuel_consumption: '677.87', + }, + { + id: 39, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Default Project', + description: + 'Against under level. Serious show girl difference leave TV. Could stand age remember charge past. System there instead term member meeting.\nPolice well else edge hold. Pay remember magazine cell. Rule many expect.\nSame become baby claim push I let. Air fly family increase low current experience.\nLot rest front any those security. Set investment next their off technology have course. Else that city spend mention people beat.\nShake figure leader behavior go main couple. Parent necessary learn drug paper space image.\nField task every treat structure. Within million choice indeed music specific list goal.\nOur play group work party pressure may. Build enough oil top here various might.\nItself drop stay sign suffer. Civil doctor energy available child. Scene mind expert investment.\nOnly fund whose perhaps at. Together poor firm particularly provide employee. Box third option region this south happen.\nCreate heart remain. Modern process sense.', + start_mileage: 162, + end_mileage: 3025, + diff_mileage: '2863', + start_location: 'хутір Ічня', + end_location: 'село Енергодар', + driver: 'Аркадій Вишиваний', + passenger: 'Віктор Копитко', + car__plates: 'BX2234AH', + fuel_consumption: '206.19', + }, + { + id: 38, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Step leave color price left yes long.', + description: + 'Relationship read course law. Interview another second upon end institution wall.\nThese pay indicate involve such structure law. Magazine able recognize arm author. Government wall where wife.\nThan community kitchen sure.\nDaughter become citizen garden system fly against. Executive same thought write minute they none. Design statement get majority window must type professional.\nThere power resource down in threat.\nBlood nation lawyer see level necessary process. Toward behind him data project wait rate. Action look as collection.\nOfficer end government central maintain could.\nFish fact nation laugh some. Eat live simple fear window until.\nEnvironmental scene card pay. No machine ball happy name response lose. Day charge discover test each him.\nTest fall dog stay. Partner sport player draw state ask agreement. Smile dark support century reveal drug. Thought sing receive build eye entire his trouble.', + start_mileage: 835, + end_mileage: 4600, + diff_mileage: '3765', + start_location: 'село Узин', + end_location: 'хутір Таврійськ', + driver: 'Default Driver', + passenger: 'Дан Рева', + car__plates: 'KE8864EB', + fuel_consumption: '283.2', + }, + { + id: 37, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Assume stay knowledge note.', + description: + 'Will boy success build sometimes garden help worry. Behavior himself Democrat house. Activity exactly campaign try imagine send center challenge.\nHappen girl present around like least tough. She responsibility born day.\nCity mean animal thought. Cultural amount Congress hope term decision. Smile behind especially movie try stock. Lay human agree improve western business fire baby.\nWhen down expert meeting conference physical take.\nChoice trial everything other today doctor box enter. Operation explain respond effect travel recent east case. Character behavior maybe tend class outside.\nHope father cup reality machine food middle American. Remain keep him tough issue. Plant learn respond.\nWin four majority range from simple of. Half sure herself wall explain wish building idea.\nMedical thank sing night. Mr main guy list.\nPicture look seat. Join may memory.', + start_mileage: 822, + end_mileage: 2965, + diff_mileage: '2143', + start_location: 'село Рогатин', + end_location: 'селище Кам янка (Черкаська область)', + driver: 'Петро Кальченко', + passenger: 'Варфоломій Приходько', + car__plates: 'CB8529TA', + fuel_consumption: '184.35', + }, + { + id: 36, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Necessary maybe set show church agency.', + description: + 'History loss series provide. Establish sure example.\nKey pull player thus born. Close especially require choice myself water.\nLater late concern collection. Move left become body wish always brother.\nUse place ok recognize scene. Already pattern sell experience.\nGroup under mention reach industry. Sense small can pretty consider for indeed. Technology home shoulder raise organization accept.\nAct attack decision test write still factor wind. Friend family rich.\nNear no sport three under letter house. Against region process system relate.\nHundred real phone plan into say. However military worry else spend eight. Painting performance cost role.\nCitizen free number. Lose spend TV response when second add despite. Represent sister whether again.\nThrow with sell develop what possible far music. Myself pick wait list speak road. Option general believe letter.', + start_mileage: 920, + end_mileage: 5328, + diff_mileage: '4408', + start_location: 'хутір Новий Буг', + end_location: 'село Горішні Плавні', + driver: 'Аркадій Вишиваний', + passenger: 'Віктор Копитко', + car__plates: 'BX2234AH', + fuel_consumption: '317.46', + }, + { + id: 35, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Assume stay knowledge note.', + description: + 'Southern occur seem network amount soon behind. Spring where age need water possible. Teach cell rich wish agent in low. Really between home order process scene.\nGarden catch within grow stop. Coach government agreement.\nHistory light suddenly skill TV believe. Together hear although girl parent these fact.\nRule forget road war across. Set morning eight together five.\nSpecial today particularly data this. Wonder word the especially Democrat community claim.\nForeign letter run certain. Against left before chance follow. Movement lot region glass rather.\nIdea floor someone other loss language help option. Total trip poor level one.\nMust behind opportunity trouble last. Share suddenly then perform finish analysis.\nPractice morning relate interview measure fast. Hour indicate war college series worker view. Different important meet develop.\nBenefit administration ok. Assume PM manage seem for.\nYeah book shoulder bar. Affect decide more reason.', + start_mileage: 686, + end_mileage: 5325, + diff_mileage: '4639', + start_location: 'хутір Суходільськ', + end_location: 'селище Хорол ', + driver: 'Оксана Джунь', + passenger: 'Віра Рудько', + car__plates: 'HB5173EE', + fuel_consumption: '351.1', + }, + { + id: 34, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Default Project', + description: + 'Natural catch law big include look truth. Only customer song clear risk near like.\nNice result animal adult herself. Stay speak remain allow go anyone world language. Pm mention now stuff. Mother enough place perhaps.\nWithin reality draw area bad civil skill. Window value this policy.\nInvestment still report purpose political level. Card outside inside.\nRich might staff tonight their. Hope respond really the compare end it green. Family bit father institution billion.\nThink argue customer road benefit win worker development. Wife value property decide should. Sport step upon case and.\nEasy late tree somebody decide agent. Citizen responsibility low more beautiful daughter. Half age Republican computer agency expert scene so.\nThe ahead event say scene. Right society role whose arrive involve.\nSpring perhaps eight remain enough for. Expert big religious arm west national. Vote set plant citizen network move president.', + start_mileage: 556, + end_mileage: 7947, + diff_mileage: '7391', + start_location: 'місто Бунге ', + end_location: 'місто Глобине', + driver: 'Default Driver', + passenger: 'Камілла Засенко', + car__plates: 'CB8529TA', + fuel_consumption: '635.81', + }, + { + id: 33, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: + 'Born animal environmental wrong. Series something various improve knowledge sell explain.\nDeal seem technology management small. Service forget cost growth term.\nThink during song current. Economy learn interest radio recently catch.\nFull house position pull. Structure person thing pressure TV anyone office.\nCenter by sit list what professor. Avoid fact walk foot. Year father admit.\nHot test treatment occur few. Me agent traditional number.\nLeader note cold improve pick machine. Throw building recognize ready chair.\nStore rise subject Mr instead. View political piece last. Poor trade garden ten.\nBig whole father term door. Way concern center be world worry large. Reflect tree deal into. Case save region paper ask per eight.\nImpact begin else edge reason yeah. Attention give loss year maybe state. Management lose model. Among hard none present fast officer room.\nTelevision choose write early everyone get likely notice. Community child Mr need. Training sort usually to.', + start_mileage: 409, + end_mileage: 4018, + diff_mileage: '3609', + start_location: 'село Заводське', + end_location: 'село Алчевськ', + driver: 'Default Driver', + passenger: 'Камілла Засенко', + car__plates: 'BE1576PI', + fuel_consumption: '343.56', + }, + { + id: 32, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Assume stay knowledge note.', + description: + 'Amount make leg professor. Wall lay article much politics. Test dream medical.\nYour treatment might suggest century. Generation stock ten itself ground fact.\nModern subject say land. Across despite partner sell safe. Player not why indeed raise tough shoulder.\nNow return and wall. Probably heart may see small still law social. Service boy name compare management order oil.\nAnother specific design easy out. Really high anything national. Challenge process question star.\nBehavior whose walk important live. Matter yeah friend might a grow.\nOff least probably room even ago blood community. Network purpose PM improve ask practice. Part wear magazine because call style.\nColor meeting involve meet them news scientist.\nArea look parent thank. Already reduce oil others especially. Seven investment small three.\nTeacher minute street we try. Still unit on letter media involve red. Probably music baby so sea professor list. Need former candidate sort dream ahead participant.', + start_mileage: 457, + end_mileage: 1276, + diff_mileage: '819', + start_location: 'хутір Алмазна', + end_location: 'місто Ватутіне', + driver: 'Аркадій Вишиваний', + passenger: 'Дан Рева', + car__plates: 'BE1576PI', + fuel_consumption: '77.96', + }, + { + id: 31, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Necessary maybe set show church agency.', + description: + 'On door serve five we around traditional. Lawyer bring show various. Spend after lose industry.\nProve toward security attack way young. Strategy seven bank everybody these support.\nAuthor foreign different grow huge protect similar. Sound owner country learn ground. Smile world play also plant teacher first.\nBecause either religious response. Current sell employee. Everybody end question suggest break.\nPainting certainly know senior natural. Carry south image clear former.\nClear international color feel add deep both. Sure seek result new word.\nAgain traditional general help change onto choice. Mother staff account enjoy. Source brother thing.\nSituation mention father trial can continue. We throw audience history onto evening.\nYoung say lose option. Reveal piece occur which must door. Majority with will soldier write factor street.\nCertainly message trip visit same guess. Skin subject professional trade wonder fact write.', + start_mileage: 275, + end_mileage: 6057, + diff_mileage: '5782', + start_location: 'селище Рубіжне', + end_location: 'місто Одеса', + driver: 'Зиновій Деркач', + passenger: 'Віктор Копитко', + car__plates: 'BE1576PI', + fuel_consumption: '550.42', + }, + { + id: 30, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Necessary maybe set show church agency.', + description: + 'Prevent right think discover accept view.\nSave chair case happy race task. Listen few attack professor with painting within.\nAnalysis range everything relate. Hotel cultural air scene mention name type. To present data science remain.\nIndividual west receive though. More single walk though blue best.\nCarry another character those. Improve speak bring note light her place while. Occur director up at past.\nKid customer ago. Series game I minute.\nOk job tough agree later shoulder save. Relationship my reason as short tough. What rich attack laugh structure. Whom nice speak rest standard.\nEverything a suffer yeah onto dinner baby late. Green far common really.\nPublic machine car modern image police. Pay exist third class. Election send resource avoid.\nSimple draw past budget option kitchen. Possible special far a to.\nHappen father simply debate something. A have media apply cell share partner southern.', + start_mileage: 700, + end_mileage: 1486, + diff_mileage: '786', + start_location: 'місто Дубровиця', + end_location: 'село Глиняни', + driver: 'Оксана Джунь', + passenger: 'Дан Рева', + car__plates: 'BE1576PI', + fuel_consumption: '74.82', + }, + { + id: 29, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Necessary maybe set show church agency.', + description: + 'Scene space trade theory. Stuff suffer executive idea. Physical wait power gun today.\nDemocratic foot now be market feel. Often hospital study wish see economic. News not public ok century relate.\nWhile style common go administration attention generation. Speak man prevent maybe business join modern. Source particularly present ahead remember perform science. Give rock suffer practice recently tough.\nSpring expect personal.\nEye item analysis election its. Four practice fight suddenly address heart.\nPosition life military purpose company character night. Free organization agreement drive around two central dark. Start deal economic suffer third close.\nTime exist production she.\nThose notice activity machine party provide present. That after wrong child pressure. Near scientist again cover three focus.\nDrug capital mind decide to well. Wind owner eye read fine model beyond.', + start_mileage: 990, + end_mileage: 5544, + diff_mileage: '4554', + start_location: 'селище Ірміно', + end_location: 'селище Токмак', + driver: 'Зиновій Деркач', + passenger: 'Дан Рева', + car__plates: 'KE8864EB', + fuel_consumption: '342.55', + }, + { + id: 28, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Charge choice story throughout truth.', + description: + 'Line condition direction you language least. Only way quite budget only.\nCapital anyone idea seem scientist military them phone. Management own Democrat son out.\nFew dinner economic idea say. Important money apply without set herself forget player. Process above card commercial win strong receive ok. Seven something community field weight.\nAuthority factor ahead point process party. Before condition war want figure song. Program line risk institution.\nOpen smile same design will mouth check economy. Media approach draw than sport. Who simple treat seem source tonight.\nParty own hot common bed. Huge toward production serious later.\nSeem opportunity she defense. Hot rock could suggest.\nDetail enough capital idea. Draw stand size ever group. House instead guess answer single.\nOur term up cell set response explain city. Similar me increase day start stay likely. Behavior would mind someone treat beyond.\nProtect trouble reflect. Real herself news chair.', + start_mileage: 790, + end_mileage: 7561, + diff_mileage: '6771', + start_location: 'село Заставна', + end_location: 'село Чорноморськ', + driver: 'Аркадій Вишиваний', + passenger: 'Варфоломій Приходько', + car__plates: 'BE1576PI', + fuel_consumption: '644.56', + }, + { + id: 27, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Default Project', + description: + 'Join camera check it mother.\nAppear usually then great look. Black whose work whether. Today these show such floor hair. However individual floor response final why.\nImagine reason bar none individual. Company staff chance week arrive themselves soon.\nStuff detail artist. Phone important church party red data debate.\nView administration bag per remain. Note pick many no. Evidence score meeting floor policy wait painting.\nDog attack particularly apply system business size happy. Hard city student difference during ask leader.\nRecord discuss if environment. Recognize worker country provide during.\nWind modern in us describe. Effect main push important charge. Two sea owner wish.\nMother home check debate. Police until water amount attention. It administration dream whom oil matter.\nOccur business tell population. Ready network trial theory human the.\nThe something return. Why change remain as.\nOption small speak respond wish song however. Personal article happen husband service.', + start_mileage: 439, + end_mileage: 7794, + diff_mileage: '7355', + start_location: 'хутір Одеса', + end_location: 'хутір Соснівка ', + driver: 'Аркадій Вишиваний', + passenger: 'Варфоломій Приходько', + car__plates: 'KE8864EB', + fuel_consumption: '553.23', + }, + { + id: 26, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Necessary maybe set show church agency.', + description: + 'Home station move plan bank may dream. Paper arrive concern. Stage travel task clear base.\nAsk range cost organization yard bank. Civil stock upon.\nGroup charge change. Way simple word their day glass hope.\nPerhaps report season which. Beautiful able research everything student within eight seem.\nAnything structure recognize or. Buy reveal eight quite turn line. Especially PM fund magazine specific say. Office else discover beat.\nArgue wall lead author growth whom. Head describe ability foreign design writer address. Explain direction social. Fight sense tough style.\nBlack reason practice. Eat service practice. Benefit area in himself money hear.\nHome fill must how defense walk. Probably rate chair yeah customer.\nDinner their lay. Thus one sort account. Year stand measure true great light.\nEasy past could fire only lead. Step event blue close area.\nSo phone teach wrong on. Realize enter family several child tree. Talk difference artist television church trade perform.', + start_mileage: 317, + end_mileage: 4755, + diff_mileage: '4438', + start_location: 'хутір Сімферополь', + end_location: 'селище Федорівка', + driver: 'Default Driver', + passenger: 'Камілла Засенко', + car__plates: 'BE1576PI', + fuel_consumption: '422.47', + }, + { + id: 25, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Assume stay knowledge note.', + description: + 'Significant real when customer. Employee modern front throw these ask. Country doctor agent return wall somebody himself.\nMain world full kitchen phone design.\nFoot energy accept evidence show operation news group. Follow form real PM hotel.\nPlant likely practice visit even. Throw trial value audience.\nStreet middle particular person. Perform model line hit.\nRoad play church hospital. Figure article check build line. Beyond leg anything military.\nThis assume spend agent democratic know fish. Best politics business as.\nQuickly must often sort. Short only appear rather life born only. Board activity almost us shake possible nothing.\nNewspaper food low possible girl we. Position financial collection carry customer economy follow.\nGrowth certain world affect office order past. Financial mouth long again article a rule.\nRelationship change evidence scientist statement while trouble.\nNote address school although conference. Pay message can else produce involve.', + start_mileage: 476, + end_mileage: 6288, + diff_mileage: '5812', + start_location: 'селище Херсон', + end_location: 'хутір Чернівці', + driver: 'Трохим Алексійчук', + passenger: 'Віра Рудько', + car__plates: 'UA000000', + fuel_consumption: '581.2', + }, + { + id: 24, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Necessary maybe set show church agency.', + description: + 'Develop general church data offer specific authority. Different single Mr outside nothing role. Because action really five necessary hour.\nA floor western art each it. Result bag reflect meet only air recently. Possible people mission difficult doctor possible.\nPast miss exist anything. Hot run after mean those. Imagine radio must relationship state administration threat.\nTax although hundred oil movie majority until. Whole share industry attorney game west.\nWonder western sound. Second our amount. Central indeed trial quality air anyone particular.\nEvidence evidence wall old. Police affect start before. Body morning blood act another.\nServe statement employee citizen. Forward environmental feel instead study management development example.\nInternational assume TV them.\nLeader suddenly they role second thousand. New answer person several method. Arrive sell your scientist democratic around throughout. Fund administration report upon.', + start_mileage: 839, + end_mileage: 5212, + diff_mileage: '4373', + start_location: 'хутір Івано-Франківськ', + end_location: 'місто Тальне', + driver: 'Оксана Джунь', + passenger: 'Віра Рудько', + car__plates: 'UA000000', + fuel_consumption: '437.3', + }, + { + id: 23, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Assume stay knowledge note.', + description: + 'Else participant wonder security. Exist drug prepare only.\nWhether hot north garden. Data whatever anyone class.\nIncrease truth sure past. Without forget standard return article improve bad. Strategy probably inside pick. Floor voice sport there unit gun.\nStrong whole eat work stuff free baby. Fill half also occur address. Must enough beat him usually step.\nBehind still remain. Law happen possible figure skin public do.\nPolitical work similar stock out cold second. Amount east however quality. Necessary center experience dog ok score focus.\nMillion remain shake respond fast million. Two administration cold whether.\nInternational away who someone. Design modern smile able.\nTest growth much simple issue add sense. North home base rather when bit light. Race crime significant stock chance world.\nNearly least eye country try walk end. Allow season law last population. Space left tough how.', + start_mileage: 875, + end_mileage: 5188, + diff_mileage: '4313', + start_location: 'хутір Кам янка-Дніпровська', + end_location: 'село Калуш', + driver: 'Трохим Алексійчук', + passenger: 'Камілла Засенко', + car__plates: 'UA000000', + fuel_consumption: '431.3', + }, + { + id: 22, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Charge choice story throughout truth.', + description: + 'Answer bill eat service account could rate. Entire spring trouble peace. Environmental sport course agree.\nBelieve wrong teach such others could the. Return us against once town.\nClearly long catch rate product left.\nEven local difficult section feeling. Fact forward stop help call carry home outside. Newspaper control there others.\nStart pressure like prepare. Stand build find white business food control mission. Already hand partner heart fine race. Quickly soon she hair clearly participant.\nOwn wish reach east claim together fire. Travel number skin three same serious voice.\nAlone understand professional door growth. Among during remain.\nSeven front house hear tax news behavior change. Well would I war wife. Fall dinner house partner respond development.\nListen before nearly. Pass use adult college. Themselves anything system cause film reflect.\nApproach field space scientist for.\nSource political adult. Fine main population grow. Give heavy option soldier.', + start_mileage: 74, + end_mileage: 6875, + diff_mileage: '6801', + start_location: 'хутір Макіївка', + end_location: 'село Лутугине', + driver: 'Аркадій Вишиваний', + passenger: 'Default Passenger', + car__plates: 'BX2234AH', + fuel_consumption: '489.8', + }, + { + id: 21, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: + 'Actually run imagine simple behind. Company local almost matter claim watch more. Think partner raise low air production free join.\nNeed but room way direction those strategy. Sort step expect. North he meet appear nature summer image.\nNecessary budget artist save. Ago already political certain least value rate. Spend particular account ready information white network often.\nReal his friend our amount least face. Sign number effort only.\nSide walk accept white born. Practice big perhaps book. Should various name rock hour pull.\nBenefit difference test difference. Important nation recently forget around.\nReturn through tell more partner. Project end him return trial. Look water task three visit particularly necessary.\nAlmost return of. Force simple hotel investment indeed center bring. Improve whole create land visit.\nRepresent impact level to.\nLarge far mission exist. Bad whether not. Ago box whom economy citizen hundred thing.', + start_mileage: 556, + end_mileage: 3713, + diff_mileage: '3157', + start_location: 'село Кілія', + end_location: 'місто Сторожинець', + driver: 'Default Driver', + passenger: 'Віктор Копитко', + car__plates: 'BE1576PI', + fuel_consumption: '300.53', + }, + { + id: 20, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Certain toward study loss short possible.', + description: + 'Source something between. Serve country rise add check. Also might identify necessary father green threat.\nTeacher recognize list experience popular.\nYour daughter specific blood identify. Charge treat hear situation enough method.\nYourself raise financial front. Including new can operation particular.\nWin material little and wonder. See me government type interesting number every. Deep once election right watch store onto detail. Listen during me picture large.\nBe more require person cup trial. Measure throw issue fight possible. Put apply level against.\nType health center although team age machine grow. Green treat always determine move school.\nState truth rise evening authority international truth culture. Near camera eye can already special show. Indicate record trip teacher fall reason spring.\nResponse year customer particularly. Sometimes letter play.', + start_mileage: 702, + end_mileage: 6515, + diff_mileage: '5813', + start_location: 'село Горлівка', + end_location: 'село Нетішин', + driver: 'Зиновій Деркач', + passenger: 'Віра Рудько', + car__plates: 'KE8864EB', + fuel_consumption: '437.25', + }, + { + id: 19, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Assume stay knowledge note.', + description: + 'Rich full its or. Drug foreign special after strategy or PM. Spring image hotel carry report despite support without.\nReduce than thank group theory occur human experience. City win job election another sometimes find.\nRole rock itself four recognize themselves. Building industry score instead play class. Return chance find seven ok cut.\nPattern call stuff word. Everybody dog war cost level item easy. Toward off unit building ago note.\nAnalysis really option sometimes half other. Interesting idea technology dinner north.\nLeave seat hospital try gun especially. Day second need benefit. Far save play safe.\nEntire meet great business several stand.\nWorry hotel why. Believe TV truth shake general hope.\nProve notice nation. Beautiful boy probably gas face clear home.\nSomething control body soon despite year. Each her simple plant. Serve suddenly possible site popular.\nHigh adult over international sure especially. Property break ago hold daughter buy. Country happen middle strong.', + start_mileage: 700, + end_mileage: 5032, + diff_mileage: '4332', + start_location: 'село Ржищів', + end_location: 'село Авдіївка', + driver: 'Зиновій Деркач', + passenger: 'Віра Рудько', + car__plates: 'UA000000', + fuel_consumption: '433.2', + }, + { + id: 18, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Assume stay knowledge note.', + description: + 'Body nature color.\nChoose minute during mean kitchen. Statement us right accept every. Maintain recently away their.\nSmile everybody stuff ask wrong forward town. Station bring method away as.\nMarket paper begin sign. Raise bad threat stage dog where.\nLaugh current everyone young weight. Moment move ask consider pressure.\nUnderstand window consider and. Difficult despite player evidence Congress.\nSouth someone sometimes anything. Soon nature question continue. Power let focus ever.\nDrop most physical network lose nice me. Seek manager hundred trade animal. Purpose order structure development rest create.\nGirl itself money provide. Present recognize until water impact. Modern hear give citizen. Sign until report provide.\nFrom affect trial then control maybe series. Very return stuff unit act. Whom meeting long song another society such.\nThem along against yard most agreement. Because concern debate bank somebody must result remember.', + start_mileage: 595, + end_mileage: 4918, + diff_mileage: '4323', + start_location: 'місто Борщів', + end_location: 'село Судова Вишня', + driver: 'Оксана Джунь', + passenger: 'Варфоломій Приходько', + car__plates: 'KE8864EB', + fuel_consumption: '325.17', + }, + { + id: 17, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Assume stay knowledge note.', + description: + 'Meet age can wear job behavior race. Glass network on month three suddenly. Major fly apply show green.\nCourse father thank beat similar. Common serve member degree stand. Be use movie.\nJust court meeting base call use. Difference accept about newspaper say case. Role worry growth notice. Statement billion political certain seven detail.\nSeven with consumer thing baby determine clear. Eight benefit eat author begin.\nOffer party fish father family answer table. Team sort ready beyond impact.\nNorth agent actually something prepare. West bar for opportunity paper position. Evidence how summer staff provide.\nEach production smile kitchen. Under marriage full every interesting.\nSpend something discussion military. Stand end sing thought cause western language. Herself send style although.\nShare might student challenge. Action conference west only boy. Total anyone energy heart really good hundred Republican.', + start_mileage: 309, + end_mileage: 4924, + diff_mileage: '4615', + start_location: 'місто Роздільна', + end_location: 'місто Кальміуське', + driver: 'Петро Кальченко', + passenger: 'Віктор Копитко', + car__plates: 'UA000000', + fuel_consumption: '461.5', + }, + { + id: 16, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Necessary maybe set show church agency.', + description: + 'Technology stop place certain. Put relate consumer who into. Challenge instead discuss girl with.\nGame when million girl west assume determine. Example test cause character foreign.\nHear approach difference. Out energy bit simply. Fire civil culture baby yeah drug mission.\nProtect model partner let. Other military deep president.\nNew very no fish method and admit result. Address wait statement table. Speak trial every serve leave.\nCongress very adult there. Form such case account fact relate air.\nThe great act forget can center there. Standard where ground.\nExpect car college look camera buy no. Population yard rather. Unit address number determine keep agreement address.\nCurrent director act almost notice rest. Step prove realize energy between.\nCommunity travel southern need prepare series once. Program difference civil heavy court.\nTo put ahead. Writer know myself.\nShoulder likely industry head. Change process affect both wrong body.', + start_mileage: 466, + end_mileage: 2062, + diff_mileage: '1596', + start_location: 'село Чортків', + end_location: 'хутір Звенигородка', + driver: 'Аркадій Вишиваний', + passenger: 'Дан Рева', + car__plates: 'UA000000', + fuel_consumption: '159.6', + }, + { + id: 15, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Default Project', + description: + 'Dream far century prevent themselves. Determine officer age when evening.\nCollege probably mind stage buy between little. Defense face sort especially direction nature. Firm upon admit bit else economy. Degree sit probably.\nSuch keep respond right positive stop keep. Something clear responsibility floor job attorney. Impact seem particularly growth.\nWork difficult food level home break until. Cost course my draw say speech condition.\nWindow deal final born reach capital order. Next consider nature safe. She body pay wait bank institution reduce.\nMean collection range low simple. Animal day three I sign owner support. Surface mission fall enter.\nMethod collection government Mr officer white do. Music process buy despite good. Form mind stage up.\nStar yet public cold purpose ready person. Road design more road for simply type. Number push service traditional.\nReason budget until up. Eat question state. Sport source central his.', + start_mileage: 213, + end_mileage: 4408, + diff_mileage: '4195', + start_location: 'хутір Тульчин', + end_location: 'хутір Сквира', + driver: 'Default Driver', + passenger: 'Віра Рудько', + car__plates: 'BE1576PI', + fuel_consumption: '399.34', + }, + { + id: 14, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Certain toward study loss short possible.', + description: + 'Student spend ability give year. Natural contain when Mrs.\nAlways claim evidence economy season rule because. Event pull perhaps design yeah Mr improve. Type remember put. Strategy pressure region way.\nSpeak partner total. Order age customer religious stay imagine idea.\nHow social wear. True ready bit so last real.\nEnd forward bank. Owner amount decade marriage statement. General address great nearly better. Avoid career who better deal stock.\nForce leave security low whole be.\nRed almost soldier national PM. Address character listen woman evidence. Within program bill wear each little value.\nDay movie successful. Suggest hit fund production citizen.\nKey father science commercial door. Plan official head wide later. Himself itself model perhaps once.\nWrong husband war standard reach. Mouth fly cut save short. Themselves daughter evening name song owner Congress.', + start_mileage: 884, + end_mileage: 3818, + diff_mileage: '2934', + start_location: 'селище Рахів', + end_location: 'село Свалява', + driver: 'Оксана Джунь', + passenger: 'Default Passenger', + car__plates: 'CB8529TA', + fuel_consumption: '252.4', + }, + { + id: 13, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Necessary maybe set show church agency.', + description: + 'Build child car his act best. Few agreement beautiful hold ahead market sing.\nMedical your authority product least anything. Worry site travel seem happen. Save bed country wide both again.\nYes suggest size side much item PM. Discuss whether wide. Young add new time stand. Ten civil world including story concern.\nBut growth history article fly turn. Across wear growth business. Clearly spring suffer suggest.\nSix able financial campaign development. Part cover might successful book. Final forget hand number series.\nMatter difference whole evidence value. Specific mention century soon much price.\nSmall music time too without begin. Grow management unit assume. Company forward pass one spring hand.\nParent western sign. Above maybe cause. Natural and dream would sea control somebody west.\nLarge site true color. Ok official candidate attorney traditional safe capital.\nThan position center. Issue enjoy market. So sing size recently they should.', + start_mileage: 365, + end_mileage: 7124, + diff_mileage: '6759', + start_location: 'село Іршава', + end_location: 'хутір Острог', + driver: 'Зиновій Деркач', + passenger: 'Варфоломій Приходько', + car__plates: 'KE8864EB', + fuel_consumption: '508.4', + }, + { + id: 12, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Step leave color price left yes long.', + description: + 'Nothing type may him drop drop social her. Address different hot unit opportunity this necessary. Treat turn source edge later happen.\nSignificant economic father this foreign meeting other home.\nSure race rather use his bad return. History film mission consumer list adult its.\nServe page again thousand and probably. So nation often laugh arm. Possible act mention whole also bag article. Why again begin wear what.\nPattern direction able he course discussion.\nAttorney woman green. Open thank either close.\nCommunity most ten agreement nor exist especially. Relate choice foreign great. Attention main remember.\nGuess western hour ok call country role. Phone chance film room some worry above.\nStore college realize raise city.\nOk agree building message same success.\nArea compare because box. Minute school home cold newspaper. Anyone six local reveal science often probably build.', + start_mileage: 126, + end_mileage: 1639, + diff_mileage: '1513', + start_location: 'село Путивль', + end_location: 'хутір Пологи ', + driver: 'Петро Кальченко', + passenger: 'Камілла Засенко', + car__plates: 'KE8864EB', + fuel_consumption: '113.81', + }, + { + id: 11, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Charge choice story throughout truth.', + description: + 'Occur year enough once trade fear. Support risk prepare model couple. Same watch own rise.\nParticipant adult such drop customer ahead realize.\nNewspaper spring paper show move class eat. Old letter mission continue north. Improve language onto lose life.\nDespite close mission. Structure drive just design affect contain.\nFind radio adult protect idea left. Half it condition language focus parent nor. Cut get commercial near fast specific.\nThink around past song support measure open although. Yourself protect help campaign system down age probably. Record camera detail. Open thank southern major.\nAdult carry window leave student painting. Without throughout my base window can movie. Task fight build point three.\nMan three PM. Expert serve these. Resource wear sound case.\nEnough stuff leg when else agree enter. Add worker place.\nCharge ability second region cut. Benefit yourself stage stock local why notice. Own serious recognize short thought drug.', + start_mileage: 953, + end_mileage: 4152, + diff_mileage: '3199', + start_location: 'село Соледар', + end_location: 'місто Яремче', + driver: 'Петро Кальченко', + passenger: 'Варфоломій Приходько', + car__plates: 'UA000000', + fuel_consumption: '319.9', + }, + { + id: 10, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Certain toward study loss short possible.', + description: + 'Cup whatever value film. Would entire relationship political.\nAdministration arrive total. Answer candidate third.\nWin stand bank human party. Test then since term mouth.\nBecome environment then capital. Professor piece to bar possible yourself job.\nSubject office less free. Resource me soon learn family. Research paper health poor behind town project.\nFriend hand fast bed learn stay. Style clear account game type whatever.\nDefense actually her. Me dream spend instead many. Kitchen response address art report near yard.\nOther them begin civil. Body team none set allow.\nSpeak night effort of form time ready happy. Institution computer much shake lawyer actually work. Pick her newspaper.\nNote control religious third front weight whether. Necessary some buy worker animal somebody sit. Fill money fact to apply coach from produce.\nLow finish paper sense deal in address. Author ask yourself decade put shake quite. Member democratic relate keep.\nOutside happen wall nor stock relate read.', + start_mileage: 467, + end_mileage: 8591, + diff_mileage: '8124', + start_location: 'село Новогродівка', + end_location: 'хутір Христинівка', + driver: 'Default Driver', + passenger: 'Віктор Копитко', + car__plates: 'BE1576PI', + fuel_consumption: '773.36', + }, + { + id: 9, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Charge choice story throughout truth.', + description: + 'Order phone friend perform word. Reach tough remember spring measure.\nImage image now coach success green under. Another player water central rich.\nPersonal spring small dinner nearly. Establish page personal part up group. Create free ready address between nature cover most. Prevent race difficult cut him may soldier.\nInterest walk heavy computer behind. Conference ground scientist plant feel shake.\nParticipant no far free support include add. Reflect energy rule most official compare never.\nWife mission wish this as. Join maintain assume back memory painting data key.\nTrade everybody line skill. Age stay society big investment court. Cost religious myself where recent hospital.\nToo seat like tell read when some. Maintain community Democrat reality wrong hair. Hand million learn music brother member environment.\nGlass push mention recently. You similar two. Along seek finish measure.\nWear throughout move prevent check office evidence. Who son himself bill into.', + start_mileage: 365, + end_mileage: 8148, + diff_mileage: '7783', + start_location: 'село Могилів-Подільський', + end_location: 'хутір Іршава', + driver: 'Аркадій Вишиваний', + passenger: 'Камілла Засенко', + car__plates: 'CB8529TA', + fuel_consumption: '669.53', + }, + { + id: 8, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Necessary maybe set show church agency.', + description: + 'Protect win prevent. Bar answer week anyone outside. Agreement continue provide.\nThroughout situation base car kitchen require can rise. Ground nation order. Describe compare size arrive training.\nAppear staff president run wish. Respond break lay economic less catch.\nFact visit tonight know accept plan class. World mouth recognize series artist.\nSeven music although summer organization. Appear entire player occur sit.\nCheck off marriage soldier table receive. Against pick charge hair idea detail. Likely professional foot arm.\nFish term source city whether thousand major. Support yes such financial stuff.\nCouple age argue remain relationship hard. Focus picture hold rate situation. Company own player carry.\nAuthor deal them pass sign fight. Heavy these tend thus. Event recognize old beyond mind speech skill.\nPay reduce operation. Whole share more him story four live sign. Society place type toward.\nFund near most show how or. Station front money. Analysis interview quality glass.', + start_mileage: 963, + end_mileage: 5335, + diff_mileage: '4372', + start_location: 'селище Борщів', + end_location: 'селище Бахмач', + driver: 'Трохим Алексійчук', + passenger: 'Камілла Засенко', + car__plates: 'UA000000', + fuel_consumption: '437.2', + }, + { + id: 7, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Charge choice story throughout truth.', + description: + 'Election girl anything born some. Executive southern coach suddenly treat training none west. Mission all race usually recognize tend me.\nSmall become major open election know speak. Throughout home education campaign him represent. Experience social beautiful market treat.\nDrive paper left wear. Eye tend talk technology decision race describe window. Their play which staff maintain idea report role.\nOrganization themselves decision purpose benefit early. Note ok save art moment bag spend.\nRise quite production test call leave. Sister once support summer question eat couple. Goal any space baby leg.\nRather admit similar Mrs security whatever part. Animal good crime day rather against positive. I item movie want.\nScene need before quite than. Us best look much worry. Rule participant degree experience memory assume. Turn administration four majority much.\nShe from what conference. Democrat production include appear effort somebody see him.', + start_mileage: 508, + end_mileage: 1296, + diff_mileage: '788', + start_location: 'село Жмеринка', + end_location: 'село Сокаль', + driver: 'Default Driver', + passenger: 'Віра Рудько', + car__plates: 'BE1576PI', + fuel_consumption: '75.01', + }, + { + id: 6, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Necessary maybe set show church agency.', + description: + 'Protect parent environmental. At stock position six.\nUsually letter well black administration reason effect. Argue feeling election baby. Exist half ok military positive hair. Exist century military player however.\nSerious watch significant by. Culture network teach safe window establish. Would feeling everybody move. Two necessary him reason right they money.\nLeft dinner why my employee my require. Care whose front during design enough heart.\nAlone open simply meeting police choice any lay. Likely wind different pull smile. Traditional party effort discover station decision.\nShare ten behind agency as. Street different give partner black treatment this. Heavy put pretty.\nRoom training sometimes Democrat. Effect common this wear. Least outside visit series western.\nCatch treat mean support health cold. Industry child mean dream father bring offer. Amount sound drop play scene nor and. Purpose head specific main event small light.\nSite themselves government should hit behavior.', + start_mileage: 360, + end_mileage: 4858, + diff_mileage: '4498', + start_location: 'село Вознесенівка', + end_location: 'селище Алмазна', + driver: 'Зиновій Деркач', + passenger: 'Віра Рудько', + car__plates: 'BE1576PI', + fuel_consumption: '428.19', + }, + { + id: 5, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Necessary maybe set show church agency.', + description: + 'Sort finally stock return. Significant prevent official great spend. Different when black increase push across despite.\nIncluding allow themselves someone argue own. At detail sort. Might impact thus race.\nDay feeling practice rise image past. Record thus against. Conference we every attorney.\nCareer stuff series account about site nearly still. Forward type role enter his.\nToday fill operation yes with today second. So deal room if whom music father.\nPlay meeting keep ability blood country ball.\nWater hit dark industry from interest. Alone dark car scientist him with. Thought hour thought police take.\nPrice day break level. Me stage development check food. West time goal memory sound my.\nThing north economy man few stuff heart. Onto shoulder mention important value. Identify fund manage school responsibility popular. Save believe crime.\nContinue style court player. Certain here note. Commercial paper party despite throughout imagine although.\nLeave huge expert agency.', + start_mileage: 139, + end_mileage: 3764, + diff_mileage: '3625', + start_location: 'село Зугрес', + end_location: 'хутір Галич', + driver: 'Трохим Алексійчук', + passenger: 'Камілла Засенко', + car__plates: 'HB5173EE', + fuel_consumption: '274.36', + }, + { + id: 4, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Assume stay knowledge note.', + description: + 'Measure find expect none second job. No down thing thus seem task official. Benefit contain ground official theory speak.\nMarriage life north. Which staff sister office more color.\nBlood final our opportunity play camera nearly anything. Blue course film understand discover energy official. Police person single opportunity.\nReally especially prove with message child need. Budget party manage deep contain work get street. Soldier production candidate way majority your.\nFuture response together foot point soldier from.\nThat contain stop approach. Campaign fish middle recognize rate investment.\nPractice prevent note pretty its ten though difference. Hard though society section sign.\nAway laugh expect. Special company professor idea enough. This firm use movie resource.\nStuff total effect arrive left military. Vote leave truth Congress catch will nearly painting.\nPublic arm education. Alone exactly professor my scene economy tough. Recent well he.', + start_mileage: 571, + end_mileage: 8589, + diff_mileage: '8018', + start_location: 'село Соледар', + end_location: 'селище Вознесенськ', + driver: 'Аркадій Вишиваний', + passenger: 'Варфоломій Приходько', + car__plates: 'BX2234AH', + fuel_consumption: '577.44', + }, + { + id: 3, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Step leave color price left yes long.', + description: + 'Learn can rate attention public choice.\nFederal pay stop behavior character experience bad building. Information idea certainly research quickly process. Sign make despite.\nStandard face lay condition. Market nice physical important start. Rather as best market. Evidence far base institution.\nOwn room risk book.\nBecome responsibility many power. Against provide forward. Speech including image say.\nResearch himself goal night floor figure high. Detail particularly religious even then memory. Rise these money president true for boy you. Staff party college between.\nPurpose build project. Into structure natural green necessary stage similar.\nWhom pass race sell statement similar owner adult. Raise find population strategy.\nAbout trip analysis. Set which down mission firm become material large.\nFood represent office.\nUs realize radio section. And less act fall TV feel key.\nEarly tell avoid message quality. Up seven others hundred stay add. Yard four over father.', + start_mileage: 41, + end_mileage: 4877, + diff_mileage: '4836', + start_location: 'село Сніжне', + end_location: 'хутір Лебедин', + driver: 'Оксана Джунь', + passenger: 'Віра Рудько', + car__plates: 'BX2234AH', + fuel_consumption: '348.28', + }, + { + id: 2, + date: '2023-06-08', + country: 'Ukraine', + is_verified: 0, + project__title: 'Default Project', + description: 'Default unverified drive', + start_mileage: 1, + end_mileage: 100, + diff_mileage: '99', + start_location: 'Start', + end_location: 'End', + driver: 'Default Driver', + passenger: 'Default Passenger', + car__plates: 'UA000000', + fuel_consumption: '9.9', + }, + { + id: 1, + date: '2023-06-08', + country: 'Ukraine', + is_verified: '1', + project__title: 'Default Project', + description: 'Default verified drive', + start_mileage: 1, + end_mileage: 100, + diff_mileage: '99', + start_location: 'Start', + end_location: 'End', + driver: 'Default Driver', + passenger: 'Default Passenger', + car__plates: 'UA000000', + fuel_consumption: '9.9', + }, +]; From 58485df583a228e8404e7176d56d5d1a7b1b30b2 Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Tue, 4 Jul 2023 13:28:03 +0200 Subject: [PATCH 04/16] Added total milage --- .../views/Test/components/DrivesList/index.js | 36 ++++++++++++------- 1 file changed, 24 insertions(+), 12 deletions(-) diff --git a/frontend-react/src/views/Test/components/DrivesList/index.js b/frontend-react/src/views/Test/components/DrivesList/index.js index 2b13cd13..2cbed043 100644 --- a/frontend-react/src/views/Test/components/DrivesList/index.js +++ b/frontend-react/src/views/Test/components/DrivesList/index.js @@ -17,11 +17,24 @@ const useStyles = makeStyles(theme => ({ }, })); +const totalMilage = () => { + let milage = 0; + + mockDrives.map((drive) => { + milage += drive.diff_mileage * 1; + + return milage; + }); + + return milage; +}; + export default function DrivesList() { const classes = useStyles(); return (
+

{`Total milage: ${totalMilage()}`}

{mockDrives.map((drive, index) => (

- {'Description: '} - {drive.description} + {`Description: ${drive.description}`} +

+

+ {`With car: ${drive.car__plates}`}

- {'With car: '} - {drive.car_plates} + {`Passanger: ${drive.passenger}`}

- {'Passenger: '} - {drive.passenger} + {`Project: ${drive.project__title}`}

- {'Project: '} - {drive.project_title} + {`Starting milage: ${drive.start_mileage}`}

- {'Starting milage: '} - {drive.start_mileage} + {`Ending milage: ${drive.end_mileage}`}

- {'Ending milage: '} - {drive.end_mileage} + {`Miles ridden: ${drive.diff_mileage}`}

+ {drive.is_verified === 1 ?

This drive is verified

: +

This drive is unverified

}
From b5a0738887a27c47e98409e0054aba51aebc24c7 Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Tue, 4 Jul 2023 14:16:29 +0200 Subject: [PATCH 05/16] Basic pagination is now fully working --- .../views/Test/components/DrivesList/index.js | 38 ++++++++++--------- 1 file changed, 21 insertions(+), 17 deletions(-) diff --git a/frontend-react/src/views/Test/components/DrivesList/index.js b/frontend-react/src/views/Test/components/DrivesList/index.js index 2cbed043..2a9bb5f8 100644 --- a/frontend-react/src/views/Test/components/DrivesList/index.js +++ b/frontend-react/src/views/Test/components/DrivesList/index.js @@ -1,10 +1,11 @@ -import React from 'react'; +import React, { useState } from 'react'; import { makeStyles } from '@material-ui/core/styles'; import Accordion from '@material-ui/core/Accordion'; import AccordionSummary from '@material-ui/core/AccordionSummary'; import AccordionDetails from '@material-ui/core/AccordionDetails'; import Typography from '@material-ui/core/Typography'; import ExpandMoreIcon from '@material-ui/icons/ExpandMore'; +import Pagination from '@material-ui/lab/Pagination'; import { mockDrives } from './mockItems'; const useStyles = makeStyles(theme => ({ @@ -31,11 +32,25 @@ const totalMilage = () => { export default function DrivesList() { const classes = useStyles(); + const [ + page, + setPage, + ] = useState(1); + const handleChange = (e, p) => { + console.log(e, p); + setPage(p); + }; + + const recordsPerPage = 10; + const indexOfLastRecord = page * recordsPerPage; + const indexOfFirstRecord = indexOfLastRecord - recordsPerPage; + const sliced = mockDrives.slice(indexOfFirstRecord, indexOfLastRecord); + const numberOfPages = Math.ceil(Object.entries(mockDrives).length / recordsPerPage); return (

{`Total milage: ${totalMilage()}`}

- {mockDrives.map((drive, index) => ( + {sliced.map((drive, index) => ( } @@ -83,21 +98,10 @@ export default function DrivesList() { ))} - - } - aria-controls="panel1a-content" - id="panel1a-header" - > - Accordion 1 - - - - Lorem ipsum dolor sit amet, consectetur adipiscing elit. Suspendisse malesuada lacus ex, - sit amet blandit leo lobortis eget. - - - +
); } From 02422ea07079b4e92b1a51a4487e94a15b783005 Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Tue, 4 Jul 2023 15:18:12 +0200 Subject: [PATCH 06/16] Coloured verification check now works --- .../views/Test/components/DrivesList/index.js | 34 ++++++++++++++----- 1 file changed, 26 insertions(+), 8 deletions(-) diff --git a/frontend-react/src/views/Test/components/DrivesList/index.js b/frontend-react/src/views/Test/components/DrivesList/index.js index 2a9bb5f8..e24d41ff 100644 --- a/frontend-react/src/views/Test/components/DrivesList/index.js +++ b/frontend-react/src/views/Test/components/DrivesList/index.js @@ -16,6 +16,12 @@ const useStyles = makeStyles(theme => ({ fontSize: theme.typography.pxToRem(15), fontWeight: theme.typography.fontWeightRegular, }, + verified: { + background: 'linear-gradient(90deg, #28a745 1%, #FAF9F6 0%)', + }, + unverified: { + background: 'linear-gradient(90deg, #ffc107 1%, #FAF9F6 0%)', + }, })); const totalMilage = () => { @@ -36,10 +42,16 @@ export default function DrivesList() { page, setPage, ] = useState(1); - const handleChange = (e, p) => { - console.log(e, p); + const handlePageChange = (e, p) => { setPage(p); }; + const [ + expanded, + setExpanded, + ] = useState(); + const handleAccordionChange = panel => (event, newExpanded) => { + setExpanded(newExpanded ? panel : false); + }; const recordsPerPage = 10; const indexOfLastRecord = page * recordsPerPage; @@ -49,10 +61,15 @@ export default function DrivesList() { return (
-

{`Total milage: ${totalMilage()}`}

+

{`Total milage: ${totalMilage()} km`}

{sliced.map((drive, index) => ( - + } aria-controls="panel1a-content" id="panel1a-header" @@ -70,7 +87,7 @@ export default function DrivesList() { - +

{`Description: ${drive.description}`}

@@ -92,15 +109,16 @@ export default function DrivesList() {

{`Miles ridden: ${drive.diff_mileage}`}

- {drive.is_verified === 1 ?

This drive is verified

: -

This drive is unverified

} +

+ {`this drive is ${drive.is_verified}`} +

))}
); From bb4cd8221d82dc1b93fa0df4b6258df8b0182072 Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Tue, 4 Jul 2023 15:44:25 +0200 Subject: [PATCH 07/16] Verified drive symbols and div works properly --- .../views/Test/components/DrivesList/index.js | 23 ++- .../Test/components/DrivesList/mockItems.js | 140 +++++++++--------- 2 files changed, 89 insertions(+), 74 deletions(-) diff --git a/frontend-react/src/views/Test/components/DrivesList/index.js b/frontend-react/src/views/Test/components/DrivesList/index.js index e24d41ff..d1e7589f 100644 --- a/frontend-react/src/views/Test/components/DrivesList/index.js +++ b/frontend-react/src/views/Test/components/DrivesList/index.js @@ -69,7 +69,7 @@ export default function DrivesList() { onChange={handleAccordionChange(index)} > } aria-controls="panel1a-content" id="panel1a-header" @@ -109,9 +109,24 @@ export default function DrivesList() {

{`Miles ridden: ${drive.diff_mileage}`}

-

- {`this drive is ${drive.is_verified}`} -

+ {drive.is_verified === 0 ? ( +
+

+ This drive was not verified, + contact with a person from PAH responsible for drives to solve it. +

+
+ ) : ''} diff --git a/frontend-react/src/views/Test/components/DrivesList/mockItems.js b/frontend-react/src/views/Test/components/DrivesList/mockItems.js index 9ae5a7a2..58ff94be 100644 --- a/frontend-react/src/views/Test/components/DrivesList/mockItems.js +++ b/frontend-react/src/views/Test/components/DrivesList/mockItems.js @@ -21,7 +21,7 @@ export const mockDrives = [ id: 155, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Ground each magazine professional.', description: 'Popular room next theory account list specific. Pm detail education. The age suffer someone group.\nSmile size woman Mr per. Language successful same argue protect wonder economic. Approach successful paper lose scene.\nNotice forward thought support religious. National stop with design call up pass sometimes.\nFull performance others relationship expert store. Involve book beyond five garden money ok.\nHold manager tree occur. Sea can statement. Idea actually sister read.\nKitchen artist development sort ground call benefit claim. Successful care generation item perhaps feeling. Attention begin out project ability.\nSix career figure body should certain. Many just visit member industry unit enough.\nAway suffer drop group establish production seem. Either amount green. When in choice set say available against claim.\nGoal practice sort in. Firm reach consider shoulder.', @@ -39,7 +39,7 @@ export const mockDrives = [ id: 154, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Author style current type size everybody officer.', description: 'Particular speech trouble would first despite tonight. Project various accept reason send.\nOften there late TV owner not body. Drive girl painting task serve listen. Discuss company low ago.\nCarry style thousand open talk best learn bag. Three attention task push little.\nLose man choose. Race film property.\nWhose mouth ground share talk language. Sit anything over decade drug week.\nDebate there billion so series song war use. Forget type soon card director name. Her great guess wait.\nMaintain growth far off approach. High window bill result others thing. Consider beautiful station suffer college knowledge policy.\nAvailable glass adult. Yard star dog class just. Development leave people spend cover leg. Away sort success list over likely spend.\nList work example never task reveal language step. Push clearly phone than.\nWhether chair imagine according. Represent discussion president.', @@ -75,7 +75,7 @@ export const mockDrives = [ id: 152, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Then analysis we save stock might late. Hold authority soldier something.\nDirector before ability professional throw. Question money space unit green often follow. Early hand would eye kind sell.\nHome protect let. Instead drop teach pick or great section.\nTerm space check base. Public security south order new simply effect.\nDeal TV return guy response program radio. Strategy sound keep item bill.\nService character military right. Concern position image democratic per final let nothing.\nFinancial difficult condition defense Congress southern TV. Debate note hospital experience now everyone mention. Color personal activity.\nShort against reveal. Listen relate institution bring expert relationship human.\nMay term turn hard strong that under firm.\nTown strong close choose. Send court quite research. Act seven after.\nOk brother respond natural low. Country blue whose glass. There maybe prevent right building Republican.', @@ -147,7 +147,7 @@ export const mockDrives = [ id: 148, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Ground each magazine professional.', description: 'Center reach simply read. Cultural share impact. Central away option series question.\nCommunity team require increase year old send. Management number set.\nFear number generation conference why reach structure thus.\nClass statement various learn. Half significant those happen ball structure.\nSister always position inside. Anyone describe weight candidate truth. International return account early.\nEasy foreign establish first. Spring will art significant. House right wish it son.\nRelate region recognize real himself. Little card career.\nAccording property action energy fact. Effect according break. Goal top dog share.\nDay authority human just tree hit still. Early letter him range.\nReady letter Mr player walk tell side. Station deep if establish can.\nSoon option debate reveal feeling. News assume special thing pick thank heart. Any office from goal stand likely trial.\nEveryone high collection or short political. Whether floor do set.', @@ -165,7 +165,7 @@ export const mockDrives = [ id: 147, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Firm little since age Congress site research.', description: 'Operation bring computer adult let have morning cell. Network situation travel day. Add woman wear radio free think remain order. Understand cost activity.\nCitizen find worry. Little those author music look a there.\nWord box we explain on drive suffer.\nSignificant see computer though save four. Debate knowledge whole.\nShare be every represent employee both occur. Expect affect table huge. Only have population successful six.\nPositive interview into my. Bring interesting blood hundred.\nShow force field table energy. Sense important art thought. However sea house green according although.\nGuess throw question central friend social now. Pressure community together fear smile whose life. Fear adult start performance something take.\nWorld guess reveal another city ball side none. Traditional firm change life your because. Practice that impact society fund around.\nSign develop city this some check start father. Name name near citizen himself particular.', @@ -183,7 +183,7 @@ export const mockDrives = [ id: 146, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Have new successful table article large.', description: 'Candidate simple everything himself. Claim mouth natural forward fly from follow.\nYes ask again available. Color speak teacher smile picture.\nImprove fight number condition. Oil find age run Mr skill.\nBecome region person sure nature. Agent cold community pretty.\nMeasure camera according order perform far. Heavy manage people fine week series. First big own section throw glass manager.\nLevel life same it work prevent international. Analysis successful else million executive.\nMarket hour song imagine stay choice. Suggest skill book position rather marriage.\nCampaign drop pattern natural. Left offer address exactly. Visit human happy attention adult service message.\nAbout side option this. Available executive represent material.\nArticle activity upon. Ability toward civil structure partner turn him. Talk people edge Congress knowledge.\nReturn skin home whatever. Show home really major behind similar call.', @@ -255,7 +255,7 @@ export const mockDrives = [ id: 142, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Firm little since age Congress site research.', description: 'Model dark church glass sense door. Candidate reflect lay.\nFirst project tough employee magazine network. Institution government well spring relationship guy. Else activity newspaper memory.\nHair growth generation shoulder. Think heavy stand you.\nMillion new piece knowledge break set. Management program about defense crime.\nDescribe miss letter then without. Pull TV note.\nLarge hour sister view share. Choose open cup contain same daughter. Help learn because within perform push.\nLead cup Mr total push color wait successful. Modern like education program. Catch which hundred career once low.\nBoy picture issue agent interview management.\nIndividual age kid cover determine. Difference direction leave. Add tend crime.\nMove but ground too perform.\nLarge miss ask commercial visit drive dream. Anyone know left collection involve budget than. Prove Mr report authority large everybody.\nBill fear social up ten represent make. Image again beyond activity deal cause issue. Paper less let support.', @@ -273,7 +273,7 @@ export const mockDrives = [ id: 141, date: '2023-07-04', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Ground each magazine professional.', description: 'Attorney stock enjoy effort article various. Sister happy dinner during common. Memory another let me evidence.\nMachine look four hospital rock together country structure. Again number east establish.\nEnough mouth help experience fill clearly. Yeah world our.\nUnderstand bag live manager own daughter. Spring painting talk policy college show guy design. Financial political my parent.\nTheory product visit front want test generation. Beat reason window clear.\nAmong hospital argue impact whose shoulder. Remain here power three significant pull. Scientist book then animal senior only.\nMemory even should likely eight fast. Line have PM parent. Remain the fear coach.\nSister wrong traditional travel with listen tough. Single eat article billion bit animal ball.\nBring local discuss themselves second. Seat also stuff wrong toward financial. West quickly seem cut teach.\nFew nearly or consumer.', @@ -309,7 +309,7 @@ export const mockDrives = [ id: 139, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Have never financial such. Year he course hear.', description: 'Yes prepare certainly director huge surface. Line Mr media fly apply west top. Wall if shake.\nIndustry computer certainly example reason check. Number if off discover produce tonight discuss. Candidate worry skin on.\nBy participant blood son alone the court. Guy pick wide plan billion budget case mean.\nWest accept themselves material six carry business. Soldier their relate individual today. Note and area interesting.\nThen hand collection money.\nTake seven manager. Participant available seat read knowledge. Themselves course health go scientist year college.\nTree level how industry save point. Structure both quality forget subject ball capital degree.\nNecessary exist each. Light local house stage late body adult. Senior sport likely else no city.\nBreak individual reach.\nYour board hot he start. Own usually line produce surface agree. Ground admit community benefit soon him.', @@ -363,7 +363,7 @@ export const mockDrives = [ id: 136, date: '2023-07-04', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Firm little since age Congress site research.', description: 'Start top wide race later. Mr include threat activity child whom create.\nDespite bank good area speech modern either nor. Service himself force woman international specific environment if.\nThis event book instead. These maintain where speak positive.\nSpeak focus meet artist control. Its would according direction kitchen.\nHouse cost draw another change. Federal country state billion someone her. Factor letter claim place present thing education.\nDiscussion production top start necessary. Music away she training look analysis event.\nDetail change imagine and property decide speech we. Tax political big main. Her ability southern draw music blood.\nProfessor agent ever carry middle law source. Reality far entire hour condition once face. Past especially room music between member scene notice.\nBegin marriage remember well.\nNext hear first door. Minute director strategy hot this what another.\nAuthority new production bit phone son. Player describe beyond mission.', @@ -381,7 +381,7 @@ export const mockDrives = [ id: 135, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Have never financial such. Year he course hear.', description: 'Back believe vote pass style agreement measure. Policy right staff foot pick region test.\nMemory view forget himself wall person. Future that loss community low nice treatment.\nEat thing camera child. Fish see share front establish including. Not property participant front take of. Top approach population discuss feeling.\nReason mind soon nature agree visit toward. Bag vote he raise.\nSouthern deep budget police. Blood happy vote right.\nThis evidence there clear case support stuff. Free heavy power president apply civil customer. Stage together size send budget look song. He other dog which.\nGeneration ability view certain herself. Already program set this but process response.\nIndeed grow necessary. Grow letter prove pull suggest. Form animal walk laugh.\nBlack beat until garden. New career recently school tough.\nWait again quite whether half you black. Least include probably world affect meeting return. Together central nation official.', @@ -399,7 +399,7 @@ export const mockDrives = [ id: 134, date: '2023-07-04', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'One opportunity establish hundred change. Assume produce art population bag. Popular ready record health response minute space.\nTough like cup return. Idea analysis fast. Paper fact edge community his more push. Choose method claim yes reason.\nPlant bar sit. President throw dog always seek must. Add heavy join military imagine he. Visit Congress around remember.\nMiss perhaps condition market then management same dinner. Visit clearly stock cause by environmental body.\nSecond tend major heart eat. International always history happy reduce down buy. When trip figure wear look.\nOver under degree nice. Use improve hundred individual first. Specific seem commercial foot national.\nStop sell scene receive bed. Very consumer trouble apply image act American.\nHusband future develop difficult line.\nIssue full prevent official. Serious anyone style whether lot win. Adult book name budget someone environmental.', @@ -417,7 +417,7 @@ export const mockDrives = [ id: 133, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Firm little since age Congress site research.', description: 'Example peace would very increase along often they. Power you project interesting relationship someone.\nBack point deal seem often answer.\nRoad any north control boy. International again personal. Draw dream agent.\nBenefit tonight ahead indeed price. Action water when professor season.\nStand unit his her speak state then. Practice must father natural. Military audience billion.\nAssume that discussion whole put. Eat almost able believe.\nHerself modern Congress account avoid. Artist imagine accept everything technology dinner none chair.\nKnow common among any.\nBillion a middle southern offer bit. Class safe majority view fish idea. Court six hit poor deal.\nPrepare between use finish effort. Voice imagine throughout church their team yourself value.\nWar base break just safe wish. Consider care attorney term remain many.\nWhile walk enjoy same best child agency religious. Seek myself million then general. Education eat scientist close some.', @@ -453,7 +453,7 @@ export const mockDrives = [ id: 131, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Have new successful table article large.', description: 'Resource animal create outside reveal. Company girl move kitchen full in. Course image everyone worry scene.\nWorld stop chance line country recently. Trouble occur maybe evening sit.\nMay be father although. Into actually military environment can attention. Physical three science rather check.\nYourself yourself outside interest alone tree table. Consider trip cut pay. Myself will term however perhaps class.\nNeed common become matter. Skill prove couple simply system.\nYard cultural will Mrs from. Trial can feeling.\nCustomer political exactly degree want student thank. Choice yourself in analysis dinner.\nPoint help recognize job serve important house. Form lay that actually. Pull hospital crime with.\nHerself difference religious appear song open. Mission on whom need none clearly want. Part its material beautiful.\nEven week before evidence yeah wear. Grow itself eight moment good half. Discuss others message compare mission. Mention view into front down available.', @@ -471,7 +471,7 @@ export const mockDrives = [ id: 130, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Bring act heart out magazine. Region water ahead most man leg. Center individual pretty red chance.\nSend culture land yes. Difficult level election from month. Four realize scene discover.\nEast attack everyone speak range base. Section item much guy value. Leader above food get.\nAlone prevent sea begin. Factor it half per skill.\nPerson around carry decide despite. Foot her trade truth peace that.\nRace hundred similar budget piece good radio. Natural network order knowledge similar shoulder. Sign leg floor already.\nSeries clearly surface anyone good produce stand. Design pattern price it fill law professional whatever. Enjoy research American black how.\nPossible glass community pay guy kid. Really front baby.\nRecord work eight you table rule.\nReflect him another spring indeed find look carry. Safe wear state day perhaps. Miss although rest sense article small charge.\nAir commercial these arrive. Alone sit child quality month throw tend.', @@ -507,7 +507,7 @@ export const mockDrives = [ id: 128, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Ground each magazine professional.', description: 'Stop school tonight writer adult reflect. Even cover eat trip listen southern.\nThought former chance TV manager. Particular view describe near.\nTeach follow both ten. Beyond for the total likely although. Science sell agree bar word.\nSuccess citizen drug production win economic. Where agreement either garden clearly.\nBecome difference east significant drop. Produce college area kitchen single clearly method certainly.\nEverybody moment peace week within career organization. Property town save perhaps car mind. Outside ready peace hit beautiful almost.\nAction where consider bring science again early. Ten resource never candidate me meeting budget.\nScene direction within often minute stand number. Front possible benefit drive. Form understand ball clear movie.\nConsider only another. Lead really me where couple make street.\nPublic need money. Huge stage rock life support actually their. Live light receive last.\nKey discover scene. Hear people certain grow type.', @@ -525,7 +525,7 @@ export const mockDrives = [ id: 127, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Exist year evening control miss citizen. Feeling spend daughter save. Identify such exactly.\nAffect campaign sister must.\nPerformance again process between.\nRather fall pass size west during. Feeling former fire sport give. Specific matter whatever before plant lot officer.\nCourt fire risk individual. Pass join save might feeling well. Individual let seven article.\nLand learn pressure eye friend support. Bill season federal try share. Realize yes reveal customer research.\nVery game rise day consider tell when. Reach system actually letter hold. Into agree which buy scientist point. Sing investment build.\nStatement development receive nation push power example place. Name art task Mrs class five.\nSpring tonight action throughout teacher. Religious station can question else idea.\nSell phone send close. Your team family choose. Room whether we maybe.\nAccept beat candidate.\nBaby save into lawyer shake follow important. Record art heavy add that beyond our before.', @@ -561,7 +561,7 @@ export const mockDrives = [ id: 125, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Have never financial such. Year he course hear.', description: 'Now response page issue institution. Morning then similar forward audience anyone civil.\nSummer leg ability measure director community. Good report teacher blood less.\nOften also center. Will bit benefit degree its now trial.\nActivity free national anything tax degree ago.\nNature woman glass need. Ready act allow seem play suddenly accept bit. Break none mean seek marriage every claim baby.\nDraw floor little eye goal whose. Behavior perform its tend operation whole. Me since indicate hold never fine. Take easy lose never investment apply.\nEntire away name cut point reduce easy. Participant many wrong common state. Woman option new responsibility. Quality throughout situation better from than.\nScore value issue attorney try. Pattern yourself medical if.\nReflect wonder rock. Can model reflect fly. Conference finally nice boy laugh.\nModern director other teach always city student. Method economic social according career. Better number within off recently suffer.', @@ -597,7 +597,7 @@ export const mockDrives = [ id: 123, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Sort sound discuss catch above yes. Onto prove majority evidence imagine value.\nManager pressure police writer institution fire baby. Keep knowledge food plant. Learn after final want.\nAccount century common top painting article its film. Issue well language office raise.\nModern network wrong school. As short family. Quickly father tree decision design.\nCause world during option. Happy tonight a.\nTop blue happy. Off side could who put. Item want bar research argue share then.\nRise serious hit hard provide. Season create part could cause number claim.\nHour especially foreign. Consumer question scene west maybe indicate quickly I. Wall relationship office interesting maybe. Interview degree media class oil today step citizen.\nProduce remain court two. Sign soon year office.\nImpact shake then street ever. Weight begin factor body.\nMention here sell wrong. Go financial along. Indeed type across community manager rate.', @@ -633,7 +633,7 @@ export const mockDrives = [ id: 121, date: '2023-07-04', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Have new successful table article large.', description: 'Top food notice together star. Citizen born ahead Republican. Mrs standard establish mean.\nConcern military above explain.\nCentral model try my trouble away why daughter. So amount somebody interest idea drive to. Difference ago success since middle in.\nAssume later lawyer spring. Support source discuss test court color us rather. Pressure these community system.\nThis simple teach threat also. Suffer they speak move difference natural production. Prove this authority low material mission.\nDown order eat maintain less loss claim. Nothing product campaign team. Structure attorney generation morning billion miss.\nAbility rate yet physical provide something can four. Mission brother military pretty recognize market time.\nBefore never rich. Travel music question dark.\nShe player agent happen rock run. Return ask let Democrat form another give. Few manage race experience though.\nMore give the wall itself. Major wait hit person forget term.', @@ -651,7 +651,7 @@ export const mockDrives = [ id: 120, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Have new successful table article large.', description: 'Society nature star street place wrong board fire. Bag low despite still woman single me theory.\nOther loss name last national charge often. Interesting win author use sure court. Still know remain material professor century really.\nFigure network least treatment American. Whom least art ten candidate clear.\nSeveral defense everybody wife concern everything. Consider scene election about. Store add easy outside local.\nEducation else really. Message degree woman soldier page. Hospital half care realize whom.\nExactly child black within. Benefit sometimes machine family character even.\nSummer capital source war player which citizen. Form finally around push figure.\nTheory laugh happy between. Responsibility population employee area approach.\nCourse reality campaign special travel conference. Respond describe investment eye.\nCause whom herself discover relate campaign. Under traditional occur guess question hope that. Staff show yes I.\nAgreement fast before result doctor several.', @@ -813,7 +813,7 @@ export const mockDrives = [ id: 111, date: '2023-07-04', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Have never financial such. Year he course hear.', description: 'Machine option successful anything prevent civil tell. Store probably cause positive.\nElection measure so factor off. Claim think here data almost.\nRequire fish performance apply change benefit the. Left certainly federal news carry college.\nMedical six project key fall five. Glass hope listen shake forget development clearly. List sort trial southern laugh blood.\nShare wife part. Bar walk difference house staff production election. Color politics someone.\nWrite floor cup stand best. Surface hand account bad law authority road. Join pick information year.\nAble for in child poor thus.\nEye perhaps by we here. Discussion pick key fight.\nVery indeed easy well away point can. Old high challenge indeed.\nYear be set national. System treat more cost product. Save price carry understand.\nSmile the mind someone.\nSide fund deep hospital success nor tax. Suddenly write bill strategy window nation. Determine difficult attention but cover prevent north write.', @@ -831,7 +831,7 @@ export const mockDrives = [ id: 110, date: '2023-07-04', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Have never financial such. Year he course hear.', description: 'Mouth party military week usually child risk fear.\nTeach example style red defense lawyer get. View money paper action send remain understand. Direction significant and involve every.\nChair yet anything gun speech medical. News see president result account especially person.\nResponsibility half wonder tell action. Believe measure along account participant others. Them feel purpose.\nSong contain story red increase. Box all long still. Skin between commercial service.\nCard spring help deep meeting partner director. Beyond culture staff recently.\nInvolve statement deal thousand future.\nImportant agent garden interview southern page. Seven hard contain Republican. Manage and record great on. Face yeah speech able seem same tell human.\nSoldier man few article score game instead. Performance evidence military visit gun none million media. Green wish decade for skill.\nProduction design grow door personal. Lot here when party check cultural decade north.', @@ -849,7 +849,7 @@ export const mockDrives = [ id: 109, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Author style current type size everybody officer.', description: 'Discover certain economic industry summer human. Present choice next catch store.\nGet pull table surface moment at often. Plan through low quite half.\nMachine prepare public feel weight newspaper without. From analysis above traditional way candidate everybody. Accept turn magazine the ground like.\nNewspaper among sure walk employee. Nor nature town simply school. Employee former window contain financial late. Hold discussion suffer suddenly size yes radio.\nRequire part usually about leader later. Produce blue member site law century item. Continue southern but four current resource.\nSingle thought fill trouble standard industry. What simply spend politics in send course low. Move half sort Democrat.\nEvent never trip animal. Bar customer ground true.\nAlong manage control challenge herself magazine. Five trouble spend kitchen kitchen set physical.\nEvening class hour pull budget. Know everything surface man.', @@ -885,7 +885,7 @@ export const mockDrives = [ id: 107, date: '2023-07-04', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Author style current type size everybody officer.', description: 'Air certainly decide speak city study. Federal partner risk use up different.\nTown property tonight member. Coach despite return middle letter cost argue. Likely though task class what her chance.\nSociety whole serious democratic season stand. Sister middle laugh approach leg.\nRecently into person move store evening yard. Magazine writer more try cell to.\nThis institution eye southern. Suffer area carry describe per some.\nSuddenly about break visit civil most. Rock set product camera hot.\nYour maintain second job occur though live. Challenge east indicate recognize control. These front director. School attack magazine natural safe.\nTruth safe court might. Easy number suggest operation stop.\nReflect finish science spend cause.\nWorker anything keep through lay again blood seat. Ago well wide dream happy event. Agent night project.\nPretty myself wonder carry. Political position travel treatment simple course increase.\nDeal short that name. Raise huge who recently major become.', @@ -920,7 +920,7 @@ export const mockDrives = [ id: 105, date: '2023-07-04', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Default verified drive', start_mileage: 1, @@ -1009,7 +1009,7 @@ export const mockDrives = [ id: 100, date: '2023-07-03', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Just act pick.', description: 'Throw third value stage fill your.\nSense just provide page company. Ground specific wait better marriage budget move.\nWar from everybody son figure involve. Under environmental become particularly phone sometimes floor.\nCover PM coach meeting two. Meet sign structure difference. Contain set safe middle college.\nKnow source weight energy wish. Animal network notice. Back pressure myself kind site. Contain continue by performance close even property.\nEverything outside girl. State nature what memory blood. Unit skin evening attack win tend.\nDown third join country kid once situation. Too job term.\nSuccessful risk floor live. This themselves act suddenly enjoy character strategy.\nVoice put government amount. Mission wide happen do appear agency dream protect.\nStructure approach argue suddenly agreement environment. Gun act budget during.\nIndustry foot piece investment out part anyone. Fly possible while heavy. When sport camera cost clearly I south trade.', @@ -1045,7 +1045,7 @@ export const mockDrives = [ id: 98, date: '2023-07-03', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Mouth world occur rate pretty.', description: 'Pretty anyone entire laugh long long. Good board feeling prove. So successful how shoulder including nearly.\nLetter lose four still organization share. Floor think eight main sell. Vote window treat artist yes.\nElection suggest thousand. Personal off direction from. Hope identify best professor past produce middle.\nFeeling life game carry focus policy explain type. Media concern from fast military. Adult expect day ground election our. Season measure there look cultural second.\nEat edge scientist full into movement play. Goal claim center three give. Response physical technology nature old. Own author consumer guy enjoy.\nDesign girl look off middle seem story quite. Expert size move foreign yard realize. Although skin bring Democrat while practice human few.\nParty free ground.\nDemocrat might he build team. Lead admit memory than technology speech.\nEspecially Congress man choose all. Control try anyone.\nSouthern American way bring. Board someone fire open program.', @@ -1063,7 +1063,7 @@ export const mockDrives = [ id: 97, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Door grow section son power way half.', description: 'Feeling arm film ever true.\nMajority future particularly peace write. Represent anything large owner. Operation agree response Mr. Shake want everyone before.\nFall lawyer very practice because ability. Statement cut gun relate. Me case instead energy ahead ground.\nRemember yourself process Mrs. Other across pass win out level focus.\nKid law instead born machine. Against almost brother me per. On throughout all simple offer pretty meeting.\nGrow color glass heart student chair ready between. Lay big interview bill act.\nLaw whole station Congress even store. Character success organization understand student onto. General PM against itself city theory building.\nBlood door focus ready pattern central record. Candidate pass military why action hair difficult. Woman beat over short.\nDark ball over employee million structure. Situation without professor American realize technology have. System in son certain while.\nFeel court since.\nAction nature reflect within group clearly.', @@ -1081,7 +1081,7 @@ export const mockDrives = [ id: 96, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Adult citizen now truth guy step.', description: 'Civil radio carry college. Fine present call move past. Name friend occur. Amount training our line.\nSet by difficult smile save. Foreign this much current history continue. Miss brother reduce movement popular seek.\nArgue experience attention try city statement fill. Relate black into hand.\nClear yourself begin challenge firm yard. Purpose hot direction street themselves. Water money day field.\nParent us somebody need fast sometimes. Star dark claim tax.\nImprove news Democrat letter project. Early fact political finally economic me. Better marriage why be all eat.\nOff prevent smile own yes method chair. Situation court only artist. Door garden idea happen cover bar.\nHope what effort product. Answer million test student PM appear.\nSecond these country international add. Loss five lawyer authority.\nRegion much ago culture finally. Law seek safe rest avoid.\nAbility pattern structure understand. Operation card recent still pay. President after smile on particular oil.', @@ -1099,7 +1099,7 @@ export const mockDrives = [ id: 95, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Just act pick.', description: 'Born several road car. Window at blood may guy poor someone. Capital his marriage process also sort.\nDay certainly behind PM sense the. Serve official whose local few early nearly scene. Own save experience cause.\nBehind special although nearly never feeling attack. True true grow see word. After hospital phone establish create by since.\nScientist inside inside worker question. Five up him account where grow government. Federal offer moment factor none smile street.\nBest human kid operation. Ask let once mouth stage sign. Modern teach beyond past officer vote.\nTrouble century there month should. Personal owner not page range direction. Toward with wide no great trip.\nResponse sing forward owner station administration. Time nation society hotel more peace strong. Budget garden act may right instead soon event.\nDiscover meeting example listen our sure. Reality marriage leader social.\nWhether system really mission power. Argue wall he quickly. Simple responsibility director company.', @@ -1153,7 +1153,7 @@ export const mockDrives = [ id: 92, date: '2023-07-03', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Adult citizen now truth guy step.', description: 'Deal indicate pay since turn. Strategy agency over moment test. Early war story season arrive special who.\nTheory science reflect score same approach though camera.\nDirector write south wind yes machine record again. When bit realize model.\nDevelopment work score keep son. Right answer truth.\nEvent something to those. Minute end rock challenge four wear energy alone. Newspaper debate power college deal.\nSee store might law you recognize. Feel thank challenge last author.\nCourt strong less society. Style home allow question yet action. Forget next learn loss. Thought garden report none.\nBoard admit hold like part guess girl food. Painting reduce amount campaign. Century everything perform individual send woman sense beat.\nFree effect give especially. Here hard concern forward resource. Responsibility social challenge admit model compare owner.\nSure including eight may. Into become little often couple. Travel money produce.', @@ -1171,7 +1171,7 @@ export const mockDrives = [ id: 91, date: '2023-07-03', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Mouth world occur rate pretty.', description: 'Idea step PM while total partner traditional. Have lead very focus small next condition. Training last song million.\nAhead recent mean cut. Structure style player maybe quickly.\nHold want market order point. Seem painting possible.\nEspecially knowledge six education determine light common. Politics general smile some. Direction argue factor around fund similar.\nHere son cause why.\nWait bag reason heart write impact. Television deal serve service wait suffer chair stuff. Difference hit report wrong.\nSuffer nature blue option other. And far evidence relationship organization.\nRisk family rather last difficult rest glass.\nSpeech modern security protect. Manager may your another choose themselves.\nTrouble exist across month either.\nOn room window physical field employee. Speak summer will significant stage.\nTeach and chance area call see rate.\nTelevision series whose moment little child. Minute environment mission movie her receive central.', @@ -1207,7 +1207,7 @@ export const mockDrives = [ id: 89, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Adult citizen now truth guy step.', description: 'Everybody nation local. Stop treat great accept employee war. Section tend talk public hope.\nDesign financial agency system feeling pick garden. Lose adult position sell sing beautiful.\nOrganization serious simply meeting help a. Way enjoy design pick political few. Yet wait growth perhaps fire. Information finish response tell create.\nProduct who significant without. Present speech life. Around certainly former PM.\nPossible seven deal sister. Remember five along use.\nState nature image product front. Vote place employee media guy drop. Sit perhaps a sell body.\nHowever Democrat among. Research player forward open visit professor. Even single wish single reason pick person. Price pay hold ability.\nSign officer television have. Life such over final short decide.\nDiscuss seat much son continue onto team. Radio light clearly help. Ability whole may month director.\nTheory news similar position any common improve. Whole him week feeling partner try. Hold visit year new another evening work.', @@ -1225,7 +1225,7 @@ export const mockDrives = [ id: 88, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Best it wall place. Street officer church. Focus down their tough pattern. Father if activity guess would partner.\nShow however pass. Soon close like soon the amount than.\nShort yard later clear every. Method music nearly Democrat president activity ground. Site shoulder better.\nPull score opportunity southern box. Student national hour can glass road season. Energy investment only cause ahead.\nCold life herself culture whose accept story. So probably week hit power tree put standard.\nLife dark door serve couple will middle list. See blue hand sea miss change education type. Other figure yourself them power officer.\nGuess draw mean those become dinner. Customer operation success your total during fund.\nThese positive something talk interest. List red include yes poor themselves. General although political traditional central. Human relationship above entire response week actually.\nMean almost situation church carry main will. Standard yeah process compare know then may.', @@ -1315,7 +1315,7 @@ export const mockDrives = [ id: 83, date: '2023-07-03', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Mouth world occur rate pretty.', description: 'Owner fact can back. Discussion job mission debate standard. Could try response however partner.\nStation program space beautiful enough. Stage movie than movement back.\nStill including standard fear write thing leave rich. Box serve wide forget fire reason let difficult. When white suggest think country nothing.\nForm film form figure. Executive physical consider born mean establish.\nRight red put newspaper thus. Sound movie great public memory military.\nMuch far very why voice see sit join. Attack yes amount enter value we. Cost until my state offer.\nWar show behind guy paper second black. Could recent economy data blood responsibility during. Trade region various focus employee everybody traditional blue. Cell require together week begin blood Mrs power.\nExpect investment throughout especially side result. Network court medical mission generation environment money. Head agree member always.\nBeautiful pass its. Send set site reach method daughter but.', @@ -1369,7 +1369,7 @@ export const mockDrives = [ id: 80, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Door grow section son power way half.', description: 'Boy he capital culture throw hot. Top require begin strong begin win enter. Section worry employee surface purpose dinner idea.\nDevelop among around his involve song. Because forward tree wait here cause school.\nPositive such international present. Magazine whatever assume standard opportunity per move.\nAccept manager food gun stop. Quite impact start give win forward her. Attack they half big.\nSignificant itself money explain feeling low notice. Cause tree rather science serious. Toward rate where way wide lot bag.\nConference exist voice enter make that up report. Upon feel growth than sense. Forward current yeah reduce enjoy floor.\nAsk action western sing window individual heavy. Agreement also four sea one.\nPeace people itself when hair war. Television girl science value shake scientist.\nNewspaper serve control religious simple week draw. Realize positive already economy while company.\nExpert many national reflect past. If piece board create indicate price miss.', @@ -1387,7 +1387,7 @@ export const mockDrives = [ id: 79, date: '2023-07-03', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Get brother citizen address threat.', description: 'Why threat window agreement what through talk. Trade story big themselves.\nSeven well commercial agent policy its measure develop. Walk sure difference street staff strategy might. Here over term see. Range wall century safe read else just.\nRelate hotel both page ask these lose. Probably left available nearly American. Health issue including. Stage heavy feel soon writer new decide blue.\nMilitary list successful. Major dark believe back series develop minute. Near room work letter this ago.\nTraditional glass actually prepare likely choose. Edge parent surface design. By across accept song magazine politics camera everything.\nHair democratic carry nice participant. Wonder effort since side visit. Not cup no man fire glass soon.\nTake artist offer your he check current. Staff sea training drive cold knowledge concern always. Send rule at worry.\nFinancial stand station participant. Say a list loss traditional time high. Truth family story marriage poor make subject.', @@ -1405,7 +1405,7 @@ export const mockDrives = [ id: 78, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Get brother citizen address threat.', description: 'Left order like interest phone property. Imagine town cold consumer kind thing glass. Place table exist wide debate.\nYeah cover nation nor wish audience safe. All these husband possible serve.\nEnvironment behavior movie sing even. Culture single career look represent imagine.\nEmployee former bag election quality effort high exactly. New two toward create test interesting.\nListen institution build environment. Produce task recent.\nStart need reason sense. Movie office meet drug paper peace now.\nUnit notice great road several close several. Condition miss role measure much. Coach despite wrong nature condition employee behind.\nCurrent wonder little moment board. Law hope live everyone Republican military speak officer.\nMr hundred land organization firm. High suddenly have course left hour. Husband role voice turn good however experience. Truth take certainly civil the top price.', @@ -1495,7 +1495,7 @@ export const mockDrives = [ id: 73, date: '2023-07-03', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Get brother citizen address threat.', description: 'Middle argue little themselves. Financial model argue. Raise war huge professor whatever game.\nDetermine anyone remember some material window almost point. Such degree claim just amount.\nThing inside chair despite boy. Right sort ask. Door sit dream church ground crime left. Later traditional worry hospital property field.\nProperty leg away threat. Ability network heart trade.\nIncrease college goal once item anyone just. Stock simply even song idea hear. Beyond list to strategy. Population cut stock key plan feel.\nFrom explain story study. Rest night key week fill. Century wonder group during.\nHeavy new indeed each. Hold around Congress people require national reality. Benefit site former teach few cut out.\nTell executive business game. Mission style radio if nice news.\nProve leg street. Moment deep around join option name. Yard must avoid far term doctor.\nThey commercial model note explain. Bag never student our total authority five number. Be but security run hold option bit.', @@ -1513,7 +1513,7 @@ export const mockDrives = [ id: 72, date: '2023-07-03', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Just act pick.', description: 'Arrive material challenge hand politics really. Born sea single your.\nMission law themselves. Paper reality measure new still happen light whole. Factor across these fly up article.\nIndustry yeah season leader gas once. Agreement summer upon class huge world here.\nEstablish thousand use often worker. Responsibility know simply analysis surface. Instead blue south compare tell draw wide which.\nBar reduce a word major break want. Arrive old reach beautiful. Film significant fine hope drive across sound.\nHappy give guy head want institution. Attorney order woman shoulder. Particular account suddenly evidence.\nDebate child owner door. Personal main sort run step recently. Quickly quickly hand cause then sport her.\nNational how value realize. Control happy case chance positive.\nRule prepare expert receive throw population available. Understand very strategy. Generation off man thank.\nAny record check whether. Sit last approach out. Sister nice alone hair manager office happen.', @@ -1549,7 +1549,7 @@ export const mockDrives = [ id: 70, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Record report response. Their benefit would consider yard look from. Thought the serious she kid teacher agent.\nEight us blue water me study pay. Computer feel debate PM dog.\nSign agree world probably. Dream customer blood station wait fear point. Discuss base great heavy side night wrong. Now most individual daughter rather type.\nConsumer together look treat today white. Imagine relate crime yeah.\nTraining eye anyone television necessary where like smile. Significant move hour law.\nCall role peace against until person. Anyone along wrong bad ok. Attack effect cut main.\nLead top those again result attack. Lead suddenly court. Network seven four become compare program condition film.\nCheck senior south put. Yourself thank seven who piece. Home prevent five girl identify trade any.\nTrial writer give case girl simply church.\nThere table everything west because floor. Example prepare apply accept head special single.', @@ -1567,7 +1567,7 @@ export const mockDrives = [ id: 69, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Mouth world occur rate pretty.', description: 'Serious bag leader perhaps suddenly station view.\nPrevent onto instead of. Difference agreement wish everything.\nElection public couple see skin wish. Account summer energy administration during task. Later arm focus available morning involve issue interesting.\nControl time space stuff pressure camera Democrat. Occur five of skill safe Mrs picture leg.\nAir foot week event various song. Wide audience executive sea talk. True generation season may year.\nCold inside about suffer strategy fund. Open government town player finish.\nAround these work box.\nSecond scientist culture usually everything. House in cause and major role soon.\nWhat administration poor fine activity around. Population crime story likely evening seek account in.\nConsumer work laugh respond. Gun appear purpose series heart continue.\nTeacher soldier notice management. Drive firm than understand guy agent big benefit.', @@ -1621,7 +1621,7 @@ export const mockDrives = [ id: 66, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Attention newspaper similar everyone nothing Congress west operation. Physical rich miss able order. Paper end floor approach it adult. High moment live become.\nPersonal professional current doctor cause late form. Light impact become group range. Us time affect official marriage thousand and.\nMay resource their exist. Long accept time its forward white ball. Well region show leader.\nCertain quality health accept cultural age simple. Society authority matter blood road determine.\nGovernment audience off cultural leader weight coach. Term kind American goal good. Ask owner fund alone trade after.\nPopular life music dream entire. Help open window build professor audience college.\nEvening action maintain human large. Meeting station certain. Alone receive involve be increase.\nShould beautiful purpose anything support. Poor example live civil. Science actually foreign theory concern language popular question.', @@ -1657,7 +1657,7 @@ export const mockDrives = [ id: 64, date: '2023-07-03', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Mouth world occur rate pretty.', description: 'Next theory particularly success. Phone who need create report choice.\nMarriage edge stop good by draw born. Number police account rest material of. Treat happy cold decide tell apply environment.\nOption reflect much. Learn only husband approach help read. After show enter type without environmental. Thus year so former important stuff the daughter.\nPicture ask serve task sea mean ground. More include entire word mouth exactly. Ground hard thing others. Toward positive stock news third join final.\nTry TV night similar. Something seek major design tonight information.\nLarge foreign single produce this dream enjoy. Friend quality theory local thank play blue network. Pattern interesting man TV at matter finally.\nHappy choice miss also daughter everybody. Physical beautiful remember possible position thousand news. Require tree man just base. Heart have professional economy family lot.\nChurch part back work nice. Garden toward home across allow.', @@ -1693,7 +1693,7 @@ export const mockDrives = [ id: 62, date: '2023-07-03', country: 'South Sudan', - is_verified: '1', + is_verified: 1, project__title: 'Adult citizen now truth guy step.', description: 'Company rest sign media gun employee fact. Hit avoid never role discuss. Resource structure opportunity prove rate.\nYour provide green act treat. Pick significant pretty music. Thus not sort meeting child suggest enter.\nColor your between of conference to option miss. Still late dog voice it prevent. Bit American church scene choice.\nBenefit people letter past smile among story. Toward fact standard money. Care stock tend morning those. Attorney soon future interest fish owner hot.\nSituation give music organization but. Under impact discover gas pass drug sing.\nTheir adult recently effort purpose Congress often anything. Build grow born quite market TV war. Land no almost show who.\nTreat hair important lawyer whether. Different business loss most pattern study.\nWhere difference watch. Surface herself area type probably later prove.\nIndividual my health continue single relationship. Often bed there nature painting top no. Nice half past from budget mind.', @@ -1783,7 +1783,7 @@ export const mockDrives = [ id: 57, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Just act pick.', description: 'Change result television fall. Site about guess sometimes try another wrong note.\nBetter make training happen. Development rich society couple together weight pay.\nBoth prevent sometimes challenge anything which take treatment. Good order college building mind detail cup step. Decade painting same business federal future however middle.\nBaby respond science dark international. Career other get no. Evening create purpose work help. Mrs production order relate meet say.\nNice my draw myself Republican could. Physical poor common art black education. Particular possible before cold when be.\nApply each base contain anything. Resource look phone group brother condition.\nPerhaps who body almost health produce. Religious how may image according worker growth. Board senior between much buy though former.\nWeek respond amount image take past board. Address next cup who sometimes.\nFine already employee amount company. Tree important include hard hit anything its. Animal pay line unit water model.', @@ -1801,7 +1801,7 @@ export const mockDrives = [ id: 56, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Just act pick.', description: 'Economy know charge through make. Compare not operation worry kitchen able.\nSubject some it try which. Four until newspaper he. Which instead official something. Which letter middle consider break among.\nChance from try place. Wish check program represent in office news.\nProbably board talk condition when talk floor. Evidence ever want possible finally end article. Have think forget area huge strong among.\nBase box trouble. Speech there government free personal add.\nIncrease maintain whom usually hundred. Worry power ok prevent appear enough. Everybody everything race international. Trial memory wide nearly size.\nBe significant involve save opportunity machine hand. Bed door someone key along later campaign yes. Night teacher treat when strong move.\nUp either program marriage suffer industry study sell. Our past young audience board measure front.\nFather without different doctor describe fund nor. Today right who occur notice. Else ever PM day watch church reveal say.', @@ -1854,7 +1854,7 @@ export const mockDrives = [ id: 53, date: '2023-07-03', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Default verified drive', start_mileage: 1, @@ -1871,7 +1871,7 @@ export const mockDrives = [ id: 52, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Certain toward study loss short possible.', description: 'Wind final what. War will once mission. Good democratic resource beautiful artist national maintain.\nPopulation difference decision forward explain. Edge car reduce report region best. North reveal wall good general.\nMust agree would law minute issue. Successful him actually. Former you what exactly single team. Quality better community similar institution.\nCharge else very sign. Food rate mention keep sound affect. Finally our manage figure responsibility light generation.\nRecord third test property weight. Radio exist born color. Class leave drop anything.\nPublic end each different federal indicate air region.\nRepublican create discussion loss. Evidence easy despite knowledge institution specific unit model. Long term suffer.\nPm line partner woman its unit science fast. She pick join shake ok bar hard. Want much to maintain might indeed picture.\nAvoid bad take. Factor should national research woman.\nGuy win east end. Modern others television stop particular civil discuss.', @@ -1907,7 +1907,7 @@ export const mockDrives = [ id: 50, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Step leave color price left yes long.', description: 'Last paper bank image different rule economic. Throughout among memory item now quality. Few minute across.\nProduct key right herself government. Medical nearly eat whatever.\nSince design go.\nAdmit condition point soon design away now. Already religious official charge him home executive.\nHot measure exactly month. Course should take public on fast.\nAmerican option describe small imagine major. Soldier vote trial ok.\nHuge fly argue. Role article item.\nSeries bed rate religious cause meeting standard. Drop nature happy matter owner.\nGoal above instead. Property history truth chance. Risk worry fly generation.\nFather conference culture great executive. Police power book attack focus threat beyond. That material teach girl office let find.\nBeautiful else debate. Party think network agreement through course talk others.\nTravel season fight over late base. Catch condition pull great American second.', @@ -1943,7 +1943,7 @@ export const mockDrives = [ id: 48, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Assume stay knowledge note.', description: 'Pick her employee despite per over describe. Eat protect form.\nHundred information low treat sound well own.\nNational accept talk attack ok blood.\nFinal sound water outside. Another concern above simple fly. Mr member purpose price community tax middle. Once catch happy store especially argue according.\nMedia change option that two four light security. Before alone decade.\nSister deal PM. Value training raise result theory. Before win plant.\nShould social relate produce. Industry red beautiful together weight. Few company discussion head.\nDifferent trouble night ability fire tree young. Man put teach side raise. Bag prepare week nice than.\nFollow close answer someone a want. Popular here operation stage fine evening.\nCentral place interesting nice. Happy at threat although soldier degree drop.\nChoice help arm stuff. Structure candidate worry stuff organization audience answer bad. Worry age majority book financial but she. Know picture board serve other.\nState wonder quality also cup.', @@ -1961,7 +1961,7 @@ export const mockDrives = [ id: 47, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Teach against experience manage test executive. Security international half tree professional likely condition.\nSister push beyond impact. Away firm drug general one foreign none. Agency phone bit together.\nSing home free capital school form. Talk space car.\nSingle term off scene model sort wind. Finish commercial mind him conference generation three. Society argue picture nor computer.\nThing team past itself design every dog. Within tell agreement indeed find off.\nEnter environmental perform door test item health. Spend common for thought someone.\nFact whose fight along movie still. Establish compare adult account report stage else.\nYour plan conference. Mention worker among morning be purpose anything.\nPick program spend clear time week gas. Front ever price take stay. Hear more group clear heart mission.\nCut onto ten authority him agency. Tough send cut someone.\nDescribe country act reduce up nor spring. Lay already small threat professor happen.', @@ -2033,7 +2033,7 @@ export const mockDrives = [ id: 43, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Assume stay knowledge note.', description: 'Imagine near practice other tell source resource. Program vote instead thousand part area environment.\nPush fine up significant wind sister. Move bad four growth town church. Certain everybody certain.\nStart American morning quickly foreign offer. Open boy discover tax himself enter report. Sport finish summer accept ask decide officer.\nFocus pretty white time increase. Successful tonight world compare rate side us. General claim price up big any example.\nNight continue subject plan industry avoid tree. Nearly beautiful fight. Focus operation success let.\nAsk land skin religious war first. Deep ok indeed occur seat. And as out.\nAccording nearly why. Almost training laugh reality. Bank war race real show late. Animal memory behind forward daughter.\nYourself road form ball. Into business though.\nBusiness civil alone voice. Ever business rate specific door far side. Yes own as worry move start.', @@ -2123,7 +2123,7 @@ export const mockDrives = [ id: 38, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Step leave color price left yes long.', description: 'Relationship read course law. Interview another second upon end institution wall.\nThese pay indicate involve such structure law. Magazine able recognize arm author. Government wall where wife.\nThan community kitchen sure.\nDaughter become citizen garden system fly against. Executive same thought write minute they none. Design statement get majority window must type professional.\nThere power resource down in threat.\nBlood nation lawyer see level necessary process. Toward behind him data project wait rate. Action look as collection.\nOfficer end government central maintain could.\nFish fact nation laugh some. Eat live simple fear window until.\nEnvironmental scene card pay. No machine ball happy name response lose. Day charge discover test each him.\nTest fall dog stay. Partner sport player draw state ask agreement. Smile dark support century reveal drug. Thought sing receive build eye entire his trouble.', @@ -2141,7 +2141,7 @@ export const mockDrives = [ id: 37, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Assume stay knowledge note.', description: 'Will boy success build sometimes garden help worry. Behavior himself Democrat house. Activity exactly campaign try imagine send center challenge.\nHappen girl present around like least tough. She responsibility born day.\nCity mean animal thought. Cultural amount Congress hope term decision. Smile behind especially movie try stock. Lay human agree improve western business fire baby.\nWhen down expert meeting conference physical take.\nChoice trial everything other today doctor box enter. Operation explain respond effect travel recent east case. Character behavior maybe tend class outside.\nHope father cup reality machine food middle American. Remain keep him tough issue. Plant learn respond.\nWin four majority range from simple of. Half sure herself wall explain wish building idea.\nMedical thank sing night. Mr main guy list.\nPicture look seat. Join may memory.', @@ -2213,7 +2213,7 @@ export const mockDrives = [ id: 33, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Born animal environmental wrong. Series something various improve knowledge sell explain.\nDeal seem technology management small. Service forget cost growth term.\nThink during song current. Economy learn interest radio recently catch.\nFull house position pull. Structure person thing pressure TV anyone office.\nCenter by sit list what professor. Avoid fact walk foot. Year father admit.\nHot test treatment occur few. Me agent traditional number.\nLeader note cold improve pick machine. Throw building recognize ready chair.\nStore rise subject Mr instead. View political piece last. Poor trade garden ten.\nBig whole father term door. Way concern center be world worry large. Reflect tree deal into. Case save region paper ask per eight.\nImpact begin else edge reason yeah. Attention give loss year maybe state. Management lose model. Among hard none present fast officer room.\nTelevision choose write early everyone get likely notice. Community child Mr need. Training sort usually to.', @@ -2249,7 +2249,7 @@ export const mockDrives = [ id: 31, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Necessary maybe set show church agency.', description: 'On door serve five we around traditional. Lawyer bring show various. Spend after lose industry.\nProve toward security attack way young. Strategy seven bank everybody these support.\nAuthor foreign different grow huge protect similar. Sound owner country learn ground. Smile world play also plant teacher first.\nBecause either religious response. Current sell employee. Everybody end question suggest break.\nPainting certainly know senior natural. Carry south image clear former.\nClear international color feel add deep both. Sure seek result new word.\nAgain traditional general help change onto choice. Mother staff account enjoy. Source brother thing.\nSituation mention father trial can continue. We throw audience history onto evening.\nYoung say lose option. Reveal piece occur which must door. Majority with will soldier write factor street.\nCertainly message trip visit same guess. Skin subject professional trade wonder fact write.', @@ -2267,7 +2267,7 @@ export const mockDrives = [ id: 30, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Necessary maybe set show church agency.', description: 'Prevent right think discover accept view.\nSave chair case happy race task. Listen few attack professor with painting within.\nAnalysis range everything relate. Hotel cultural air scene mention name type. To present data science remain.\nIndividual west receive though. More single walk though blue best.\nCarry another character those. Improve speak bring note light her place while. Occur director up at past.\nKid customer ago. Series game I minute.\nOk job tough agree later shoulder save. Relationship my reason as short tough. What rich attack laugh structure. Whom nice speak rest standard.\nEverything a suffer yeah onto dinner baby late. Green far common really.\nPublic machine car modern image police. Pay exist third class. Election send resource avoid.\nSimple draw past budget option kitchen. Possible special far a to.\nHappen father simply debate something. A have media apply cell share partner southern.', @@ -2285,7 +2285,7 @@ export const mockDrives = [ id: 29, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Necessary maybe set show church agency.', description: 'Scene space trade theory. Stuff suffer executive idea. Physical wait power gun today.\nDemocratic foot now be market feel. Often hospital study wish see economic. News not public ok century relate.\nWhile style common go administration attention generation. Speak man prevent maybe business join modern. Source particularly present ahead remember perform science. Give rock suffer practice recently tough.\nSpring expect personal.\nEye item analysis election its. Four practice fight suddenly address heart.\nPosition life military purpose company character night. Free organization agreement drive around two central dark. Start deal economic suffer third close.\nTime exist production she.\nThose notice activity machine party provide present. That after wrong child pressure. Near scientist again cover three focus.\nDrug capital mind decide to well. Wind owner eye read fine model beyond.', @@ -2303,7 +2303,7 @@ export const mockDrives = [ id: 28, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Charge choice story throughout truth.', description: 'Line condition direction you language least. Only way quite budget only.\nCapital anyone idea seem scientist military them phone. Management own Democrat son out.\nFew dinner economic idea say. Important money apply without set herself forget player. Process above card commercial win strong receive ok. Seven something community field weight.\nAuthority factor ahead point process party. Before condition war want figure song. Program line risk institution.\nOpen smile same design will mouth check economy. Media approach draw than sport. Who simple treat seem source tonight.\nParty own hot common bed. Huge toward production serious later.\nSeem opportunity she defense. Hot rock could suggest.\nDetail enough capital idea. Draw stand size ever group. House instead guess answer single.\nOur term up cell set response explain city. Similar me increase day start stay likely. Behavior would mind someone treat beyond.\nProtect trouble reflect. Real herself news chair.', @@ -2357,7 +2357,7 @@ export const mockDrives = [ id: 25, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Assume stay knowledge note.', description: 'Significant real when customer. Employee modern front throw these ask. Country doctor agent return wall somebody himself.\nMain world full kitchen phone design.\nFoot energy accept evidence show operation news group. Follow form real PM hotel.\nPlant likely practice visit even. Throw trial value audience.\nStreet middle particular person. Perform model line hit.\nRoad play church hospital. Figure article check build line. Beyond leg anything military.\nThis assume spend agent democratic know fish. Best politics business as.\nQuickly must often sort. Short only appear rather life born only. Board activity almost us shake possible nothing.\nNewspaper food low possible girl we. Position financial collection carry customer economy follow.\nGrowth certain world affect office order past. Financial mouth long again article a rule.\nRelationship change evidence scientist statement while trouble.\nNote address school although conference. Pay message can else produce involve.', @@ -2429,7 +2429,7 @@ export const mockDrives = [ id: 21, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Actually run imagine simple behind. Company local almost matter claim watch more. Think partner raise low air production free join.\nNeed but room way direction those strategy. Sort step expect. North he meet appear nature summer image.\nNecessary budget artist save. Ago already political certain least value rate. Spend particular account ready information white network often.\nReal his friend our amount least face. Sign number effort only.\nSide walk accept white born. Practice big perhaps book. Should various name rock hour pull.\nBenefit difference test difference. Important nation recently forget around.\nReturn through tell more partner. Project end him return trial. Look water task three visit particularly necessary.\nAlmost return of. Force simple hotel investment indeed center bring. Improve whole create land visit.\nRepresent impact level to.\nLarge far mission exist. Bad whether not. Ago box whom economy citizen hundred thing.', @@ -2465,7 +2465,7 @@ export const mockDrives = [ id: 19, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Assume stay knowledge note.', description: 'Rich full its or. Drug foreign special after strategy or PM. Spring image hotel carry report despite support without.\nReduce than thank group theory occur human experience. City win job election another sometimes find.\nRole rock itself four recognize themselves. Building industry score instead play class. Return chance find seven ok cut.\nPattern call stuff word. Everybody dog war cost level item easy. Toward off unit building ago note.\nAnalysis really option sometimes half other. Interesting idea technology dinner north.\nLeave seat hospital try gun especially. Day second need benefit. Far save play safe.\nEntire meet great business several stand.\nWorry hotel why. Believe TV truth shake general hope.\nProve notice nation. Beautiful boy probably gas face clear home.\nSomething control body soon despite year. Each her simple plant. Serve suddenly possible site popular.\nHigh adult over international sure especially. Property break ago hold daughter buy. Country happen middle strong.', @@ -2591,7 +2591,7 @@ export const mockDrives = [ id: 12, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Step leave color price left yes long.', description: 'Nothing type may him drop drop social her. Address different hot unit opportunity this necessary. Treat turn source edge later happen.\nSignificant economic father this foreign meeting other home.\nSure race rather use his bad return. History film mission consumer list adult its.\nServe page again thousand and probably. So nation often laugh arm. Possible act mention whole also bag article. Why again begin wear what.\nPattern direction able he course discussion.\nAttorney woman green. Open thank either close.\nCommunity most ten agreement nor exist especially. Relate choice foreign great. Attention main remember.\nGuess western hour ok call country role. Phone chance film room some worry above.\nStore college realize raise city.\nOk agree building message same success.\nArea compare because box. Minute school home cold newspaper. Anyone six local reveal science often probably build.', @@ -2627,7 +2627,7 @@ export const mockDrives = [ id: 10, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Certain toward study loss short possible.', description: 'Cup whatever value film. Would entire relationship political.\nAdministration arrive total. Answer candidate third.\nWin stand bank human party. Test then since term mouth.\nBecome environment then capital. Professor piece to bar possible yourself job.\nSubject office less free. Resource me soon learn family. Research paper health poor behind town project.\nFriend hand fast bed learn stay. Style clear account game type whatever.\nDefense actually her. Me dream spend instead many. Kitchen response address art report near yard.\nOther them begin civil. Body team none set allow.\nSpeak night effort of form time ready happy. Institution computer much shake lawyer actually work. Pick her newspaper.\nNote control religious third front weight whether. Necessary some buy worker animal somebody sit. Fill money fact to apply coach from produce.\nLow finish paper sense deal in address. Author ask yourself decade put shake quite. Member democratic relate keep.\nOutside happen wall nor stock relate read.', @@ -2645,7 +2645,7 @@ export const mockDrives = [ id: 9, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Charge choice story throughout truth.', description: 'Order phone friend perform word. Reach tough remember spring measure.\nImage image now coach success green under. Another player water central rich.\nPersonal spring small dinner nearly. Establish page personal part up group. Create free ready address between nature cover most. Prevent race difficult cut him may soldier.\nInterest walk heavy computer behind. Conference ground scientist plant feel shake.\nParticipant no far free support include add. Reflect energy rule most official compare never.\nWife mission wish this as. Join maintain assume back memory painting data key.\nTrade everybody line skill. Age stay society big investment court. Cost religious myself where recent hospital.\nToo seat like tell read when some. Maintain community Democrat reality wrong hair. Hand million learn music brother member environment.\nGlass push mention recently. You similar two. Along seek finish measure.\nWear throughout move prevent check office evidence. Who son himself bill into.', @@ -2681,7 +2681,7 @@ export const mockDrives = [ id: 7, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Charge choice story throughout truth.', description: 'Election girl anything born some. Executive southern coach suddenly treat training none west. Mission all race usually recognize tend me.\nSmall become major open election know speak. Throughout home education campaign him represent. Experience social beautiful market treat.\nDrive paper left wear. Eye tend talk technology decision race describe window. Their play which staff maintain idea report role.\nOrganization themselves decision purpose benefit early. Note ok save art moment bag spend.\nRise quite production test call leave. Sister once support summer question eat couple. Goal any space baby leg.\nRather admit similar Mrs security whatever part. Animal good crime day rather against positive. I item movie want.\nScene need before quite than. Us best look much worry. Rule participant degree experience memory assume. Turn administration four majority much.\nShe from what conference. Democrat production include appear effort somebody see him.', @@ -2717,7 +2717,7 @@ export const mockDrives = [ id: 5, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Necessary maybe set show church agency.', description: 'Sort finally stock return. Significant prevent official great spend. Different when black increase push across despite.\nIncluding allow themselves someone argue own. At detail sort. Might impact thus race.\nDay feeling practice rise image past. Record thus against. Conference we every attorney.\nCareer stuff series account about site nearly still. Forward type role enter his.\nToday fill operation yes with today second. So deal room if whom music father.\nPlay meeting keep ability blood country ball.\nWater hit dark industry from interest. Alone dark car scientist him with. Thought hour thought police take.\nPrice day break level. Me stage development check food. West time goal memory sound my.\nThing north economy man few stuff heart. Onto shoulder mention important value. Identify fund manage school responsibility popular. Save believe crime.\nContinue style court player. Certain here note. Commercial paper party despite throughout imagine although.\nLeave huge expert agency.', @@ -2788,7 +2788,7 @@ export const mockDrives = [ id: 1, date: '2023-06-08', country: 'Ukraine', - is_verified: '1', + is_verified: 1, project__title: 'Default Project', description: 'Default verified drive', start_mileage: 1, From 89482f7b67d30a1ea20aea87d58940af65144efd Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Wed, 5 Jul 2023 09:43:21 +0200 Subject: [PATCH 08/16] Added some basic formatting --- .../src/views/Test/components/DrivesList/index.js | 9 ++++++++- 1 file changed, 8 insertions(+), 1 deletion(-) diff --git a/frontend-react/src/views/Test/components/DrivesList/index.js b/frontend-react/src/views/Test/components/DrivesList/index.js index d1e7589f..84b3f954 100644 --- a/frontend-react/src/views/Test/components/DrivesList/index.js +++ b/frontend-react/src/views/Test/components/DrivesList/index.js @@ -10,7 +10,9 @@ import { mockDrives } from './mockItems'; const useStyles = makeStyles(theme => ({ root: { - width: '100%', + width: '80%', + marginLeft: 'auto', + marginRight: 'auto', }, heading: { fontSize: theme.typography.pxToRem(15), @@ -22,6 +24,10 @@ const useStyles = makeStyles(theme => ({ unverified: { background: 'linear-gradient(90deg, #ffc107 1%, #FAF9F6 0%)', }, + pagination: { + display: 'flex', + justifyContent: 'center', + }, })); const totalMilage = () => { @@ -134,6 +140,7 @@ export default function DrivesList() {
); From 766c4793a0ee9b692a00590dbba7bb4aecf515c0 Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Wed, 5 Jul 2023 09:59:31 +0200 Subject: [PATCH 09/16] Small formatting fix --- frontend-react/src/views/Test/components/DrivesList/index.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/frontend-react/src/views/Test/components/DrivesList/index.js b/frontend-react/src/views/Test/components/DrivesList/index.js index 84b3f954..83668c64 100644 --- a/frontend-react/src/views/Test/components/DrivesList/index.js +++ b/frontend-react/src/views/Test/components/DrivesList/index.js @@ -10,7 +10,8 @@ import { mockDrives } from './mockItems'; const useStyles = makeStyles(theme => ({ root: { - width: '80%', + minWidth: '80%', + maxWidth: '1100px', marginLeft: 'auto', marginRight: 'auto', }, From 07a892017f1b44165f20f3fc333705ed0d106fdc Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Wed, 5 Jul 2023 10:02:08 +0200 Subject: [PATCH 10/16] Fixed accodions not closing on page change --- .../src/views/Test/components/DrivesList/index.js | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/frontend-react/src/views/Test/components/DrivesList/index.js b/frontend-react/src/views/Test/components/DrivesList/index.js index 83668c64..be39c6b1 100644 --- a/frontend-react/src/views/Test/components/DrivesList/index.js +++ b/frontend-react/src/views/Test/components/DrivesList/index.js @@ -49,13 +49,15 @@ export default function DrivesList() { page, setPage, ] = useState(1); - const handlePageChange = (e, p) => { - setPage(p); - }; const [ expanded, setExpanded, ] = useState(); + + const handlePageChange = (e, p) => { + setPage(p); + setExpanded(); + }; const handleAccordionChange = panel => (event, newExpanded) => { setExpanded(newExpanded ? panel : false); }; From 6dbd67b15cf9252a5a32ba98a1e7e38b75b7fb18 Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Wed, 5 Jul 2023 12:33:35 +0200 Subject: [PATCH 11/16] Changed routes visibility --- frontend-react/src/routes.js | 2 ++ 1 file changed, 2 insertions(+) diff --git a/frontend-react/src/routes.js b/frontend-react/src/routes.js index e9422518..12ccc45d 100644 --- a/frontend-react/src/routes.js +++ b/frontend-react/src/routes.js @@ -74,12 +74,14 @@ const routes = [ path: '/drive', key: routeKeys.DRIVE, component: lazy(() => import('./views/Drive')), + visibility: ROUTES_VISIBILITY.AUTHENTICATED, }, { exact: true, path: '/drives', key: routeKeys.DRIVES, component: lazy(() => import('./views/Drives')), + visibility: ROUTES_VISIBILITY.AUTHENTICATED, }, { path: '*', From e6c80c2a9795a6a367ee3f0455d53c46ab62a2b8 Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Wed, 5 Jul 2023 13:00:30 +0200 Subject: [PATCH 12/16] Added top margin to pagination buttons --- frontend-react/src/views/Drives/components/DrivesList/index.js | 1 + 1 file changed, 1 insertion(+) diff --git a/frontend-react/src/views/Drives/components/DrivesList/index.js b/frontend-react/src/views/Drives/components/DrivesList/index.js index be39c6b1..3d5d2ae2 100644 --- a/frontend-react/src/views/Drives/components/DrivesList/index.js +++ b/frontend-react/src/views/Drives/components/DrivesList/index.js @@ -28,6 +28,7 @@ const useStyles = makeStyles(theme => ({ pagination: { display: 'flex', justifyContent: 'center', + marginTop: '20px', }, })); From 97bff7ceecbeb8624af01b910fbf8402fbfe502d Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Wed, 5 Jul 2023 13:19:09 +0200 Subject: [PATCH 13/16] added rounded corners for the accordion cards --- .../views/Drives/components/DrivesList/index.js | 14 ++++++++++++-- 1 file changed, 12 insertions(+), 2 deletions(-) diff --git a/frontend-react/src/views/Drives/components/DrivesList/index.js b/frontend-react/src/views/Drives/components/DrivesList/index.js index 3d5d2ae2..3dda67fe 100644 --- a/frontend-react/src/views/Drives/components/DrivesList/index.js +++ b/frontend-react/src/views/Drives/components/DrivesList/index.js @@ -15,15 +15,24 @@ const useStyles = makeStyles(theme => ({ marginLeft: 'auto', marginRight: 'auto', }, + accordion: { + margin: '3px', + borderRadius: '10px', + '&:before': { + backgroundColor: 'transparent !important', + }, + }, heading: { fontSize: theme.typography.pxToRem(15), fontWeight: theme.typography.fontWeightRegular, }, verified: { - background: 'linear-gradient(90deg, #28a745 1%, #FAF9F6 0%)', + background: 'linear-gradient(90deg, #28a745 0.5%, #FAF9F6 0%)', + borderRadius: '10px', }, unverified: { - background: 'linear-gradient(90deg, #ffc107 1%, #FAF9F6 0%)', + background: 'linear-gradient(90deg, #ffc107 0.5%, #FAF9F6 0%)', + borderRadius: '10px', }, pagination: { display: 'flex', @@ -77,6 +86,7 @@ export default function DrivesList() { key={index} expanded={expanded === index} onChange={handleAccordionChange(index)} + className={classes.accordion} > Date: Wed, 5 Jul 2023 13:26:17 +0200 Subject: [PATCH 14/16] Added bold lettering to adhere to Vue styling --- .../Drives/components/DrivesList/index.js | 23 ++++++++++++------- 1 file changed, 15 insertions(+), 8 deletions(-) diff --git a/frontend-react/src/views/Drives/components/DrivesList/index.js b/frontend-react/src/views/Drives/components/DrivesList/index.js index 3dda67fe..9cebf6a8 100644 --- a/frontend-react/src/views/Drives/components/DrivesList/index.js +++ b/frontend-react/src/views/Drives/components/DrivesList/index.js @@ -95,7 +95,7 @@ export default function DrivesList() { id="panel1a-header" > - {drive.date} + {drive.date} {' '} From {' '} @@ -109,25 +109,32 @@ export default function DrivesList() {

- {`Description: ${drive.description}`} + Description: + {drive.description}

- {`With car: ${drive.car__plates}`} + With car: + {drive.car__plates}

- {`Passanger: ${drive.passenger}`} + Passanger: + {drive.passenger}

- {`Project: ${drive.project__title}`} + Project: + {drive.project__title}

- {`Starting milage: ${drive.start_mileage}`} + Starting milage: + {drive.start_mileage}

- {`Ending milage: ${drive.end_mileage}`} + Ending milage: + {drive.end_mileage}

- {`Miles ridden: ${drive.diff_mileage}`} + Miles ridden: + {drive.diff_mileage}

{drive.is_verified === 0 ? (
Date: Wed, 16 Aug 2023 16:01:20 +0200 Subject: [PATCH 15/16] added use Memo, removed console.logs --- frontend-react/src/components/Sidebar.js | 1 - .../Drives/components/DrivesList/index.js | 23 ++++++++----------- frontend-react/src/views/Drives/index.js | 1 - 3 files changed, 10 insertions(+), 15 deletions(-) diff --git a/frontend-react/src/components/Sidebar.js b/frontend-react/src/components/Sidebar.js index aee1570e..007565f8 100644 --- a/frontend-react/src/components/Sidebar.js +++ b/frontend-react/src/components/Sidebar.js @@ -115,7 +115,6 @@ const Sidebar = ({ className={classes.link} onClick={onClose} > - {console.log('traslations', r)} {translations[r.key]} diff --git a/frontend-react/src/views/Drives/components/DrivesList/index.js b/frontend-react/src/views/Drives/components/DrivesList/index.js index 9cebf6a8..da2f4f69 100644 --- a/frontend-react/src/views/Drives/components/DrivesList/index.js +++ b/frontend-react/src/views/Drives/components/DrivesList/index.js @@ -1,4 +1,7 @@ -import React, { useState } from 'react'; +import { + useState, + useMemo, +} from 'react'; import { makeStyles } from '@material-ui/core/styles'; import Accordion from '@material-ui/core/Accordion'; import AccordionSummary from '@material-ui/core/AccordionSummary'; @@ -41,19 +44,13 @@ const useStyles = makeStyles(theme => ({ }, })); -const totalMilage = () => { - let milage = 0; - - mockDrives.map((drive) => { - milage += drive.diff_mileage * 1; - - return milage; - }); - - return milage; -}; +const calculateMilage = () => mockDrives.reduce( + (acc, cur) => acc + cur.end_mileage - cur.start_mileage, + 0 +); export default function DrivesList() { + const totalMilage = useMemo(() => calculateMilage(), [mockDrives]); const classes = useStyles(); const [ page, @@ -80,7 +77,7 @@ export default function DrivesList() { return (
-

{`Total milage: ${totalMilage()} km`}

+

{`Total milage: ${totalMilage} km`}

{sliced.map((drive, index) => ( (); From cd3d608e216bb8a863eb4039cc5ba4f4e4529fdc Mon Sep 17 00:00:00 2001 From: cezary-janicki Date: Wed, 16 Aug 2023 16:44:48 +0200 Subject: [PATCH 16/16] Changed calculate mileage to be a component --- .../Drive/components/DriveForm/mockItems.js | 45 ------------------- .../components/CalculateMileage/index.js | 19 ++++++++ .../Drives/components/DrivesList/index.js | 16 ++++--- 3 files changed, 28 insertions(+), 52 deletions(-) delete mode 100644 frontend-react/src/views/Drive/components/DriveForm/mockItems.js create mode 100644 frontend-react/src/views/Drives/components/CalculateMileage/index.js diff --git a/frontend-react/src/views/Drive/components/DriveForm/mockItems.js b/frontend-react/src/views/Drive/components/DriveForm/mockItems.js deleted file mode 100644 index fda75ca5..00000000 --- a/frontend-react/src/views/Drive/components/DriveForm/mockItems.js +++ /dev/null @@ -1,45 +0,0 @@ -// values to generate MenuItems in select fields. Will be converted to redux slice. -export const selectItems = { - project: [ - { - id: 1, - name: 'TestProject1', - }, - { - id: 2, - name: 'TestProject2', - }, - { - id: 3, - name: 'TestProject3', - }, - ], - car: [ - { - id: 1, - name: 'Audi', - }, - { - id: 2, - name: 'Opel', - }, - { - id: 3, - name: 'Lamborghini', - }, - ], - passenger: [ - { - id: 1, - name: 'Passenger1', - }, - { - id: 2, - name: 'Passenger2', - }, - { - id: 3, - name: 'Passenger3', - }, - ], -}; diff --git a/frontend-react/src/views/Drives/components/CalculateMileage/index.js b/frontend-react/src/views/Drives/components/CalculateMileage/index.js new file mode 100644 index 00000000..1fed6efe --- /dev/null +++ b/frontend-react/src/views/Drives/components/CalculateMileage/index.js @@ -0,0 +1,19 @@ +import { useMemo } from 'react'; + +export default function CalculateMilage(props) { + const { mockDrives } = props; + const calculateMilage = () => mockDrives.reduce( + (acc, cur) => acc + cur.end_mileage - cur.start_mileage, + 0 + ); + const totalMilage = useMemo(() => calculateMilage(), [mockDrives]); + + return ( +

+ Total mileage is: + {totalMilage} + {' '} + km +

+ ); +} diff --git a/frontend-react/src/views/Drives/components/DrivesList/index.js b/frontend-react/src/views/Drives/components/DrivesList/index.js index da2f4f69..8279a3a3 100644 --- a/frontend-react/src/views/Drives/components/DrivesList/index.js +++ b/frontend-react/src/views/Drives/components/DrivesList/index.js @@ -1,6 +1,6 @@ import { useState, - useMemo, + // useMemo, } from 'react'; import { makeStyles } from '@material-ui/core/styles'; import Accordion from '@material-ui/core/Accordion'; @@ -10,6 +10,7 @@ import Typography from '@material-ui/core/Typography'; import ExpandMoreIcon from '@material-ui/icons/ExpandMore'; import Pagination from '@material-ui/lab/Pagination'; import { mockDrives } from './mockItems'; +import CalculateMilage from '../CalculateMileage'; const useStyles = makeStyles(theme => ({ root: { @@ -44,13 +45,13 @@ const useStyles = makeStyles(theme => ({ }, })); -const calculateMilage = () => mockDrives.reduce( - (acc, cur) => acc + cur.end_mileage - cur.start_mileage, - 0 -); +// const calculateMilage = () => mockDrives.reduce( +// (acc, cur) => acc + cur.end_mileage - cur.start_mileage, +// 0 +// ); export default function DrivesList() { - const totalMilage = useMemo(() => calculateMilage(), [mockDrives]); + // const totalMilage = useMemo(() => calculateMilage(), [mockDrives]); const classes = useStyles(); const [ page, @@ -77,7 +78,8 @@ export default function DrivesList() { return (
-

{`Total milage: ${totalMilage} km`}

+ {/*

{`Total milage: ${totalMilage} km`}

*/} + {sliced.map((drive, index) => (